update from Atlas with major reorg
This commit is contained in:
33
attic/concurrency/flags/README.rst
Normal file
33
attic/concurrency/flags/README.rst
Normal file
@@ -0,0 +1,33 @@
|
||||
=========================================
|
||||
Setting up the test environment
|
||||
=========================================
|
||||
|
||||
Some of the concurrency examples in this book require a local HTTP
|
||||
server. These instructions show how I setup Ngnix on GNU/Linux,
|
||||
Mac OS X 10.9 and Windows 7.
|
||||
|
||||
Nginx setup on Mac OS X
|
||||
========================
|
||||
|
||||
Homebrew (copy & paste code at the bottom of http://brew.sh/)::
|
||||
|
||||
$ ruby -e "$(curl -fsSL https://raw.githubusercontent.com/Homebrew/install/master/install)"
|
||||
$ brew doctor
|
||||
$ brew install nginx
|
||||
|
||||
Download and unpack::
|
||||
|
||||
Docroot is: /usr/local/var/www
|
||||
/usr/local/etc/nginx/nginx.conf
|
||||
|
||||
To have launchd start nginx at login:
|
||||
ln -sfv /usr/local/opt/nginx/*.plist ~/Library/LaunchAgents
|
||||
Then to load nginx now:
|
||||
launchctl load ~/Library/LaunchAgents/homebrew.mxcl.nginx.plist
|
||||
Or, if you don't want/need launchctl, you can just run:
|
||||
nginx
|
||||
|
||||
Nginx setup on Lubuntu 14.04.1 LTS
|
||||
==================================
|
||||
|
||||
/usr/share/nginx/html
|
||||
30
attic/concurrency/flags/build_fixture.py
Normal file
30
attic/concurrency/flags/build_fixture.py
Normal file
@@ -0,0 +1,30 @@
|
||||
"""
|
||||
Build flags fixture
|
||||
"""
|
||||
|
||||
import shutil
|
||||
import os
|
||||
import json
|
||||
|
||||
SRC = 'img/'
|
||||
DEST = 'fixture/'
|
||||
|
||||
with open('country-codes.tab') as cc_fp:
|
||||
for line in cc_fp:
|
||||
if line.startswith('#'):
|
||||
continue
|
||||
iso_cc, gec_cc, name = line.strip().split('\t')
|
||||
print(iso_cc, name)
|
||||
cc = iso_cc.lower()
|
||||
img_name = cc + '.gif'
|
||||
from_file = os.path.join(SRC, img_name)
|
||||
to_path = os.path.join(DEST, cc)
|
||||
os.mkdir(to_path)
|
||||
to_file = os.path.join(to_path, img_name)
|
||||
shutil.copyfile(from_file, to_file)
|
||||
tld_cc = 'uk' if cc == 'gb' else cc
|
||||
metadata = {'country': name, 'iso_cc': iso_cc,
|
||||
'tld_cc': '.'+tld_cc, 'gec_cc': gec_cc}
|
||||
|
||||
with open(os.path.join(to_path, 'metadata.json'), 'wt') as json_fp:
|
||||
json.dump(metadata, json_fp, ensure_ascii=True)
|
||||
19
attic/concurrency/flags/cc_count.py
Normal file
19
attic/concurrency/flags/cc_count.py
Normal file
@@ -0,0 +1,19 @@
|
||||
|
||||
from collections import Counter
|
||||
from operator import itemgetter
|
||||
from string import ascii_uppercase
|
||||
|
||||
with open('country-codes.tab') as fp:
|
||||
ct = Counter()
|
||||
for line in fp:
|
||||
if line.startswith('#'):
|
||||
continue
|
||||
cc, _, _ = line.split('\t')
|
||||
ct[cc[0]] += 1
|
||||
print(cc, end=' ')
|
||||
|
||||
for key, value in sorted(ct.items(), key=itemgetter(1), reverse=True):
|
||||
print(key, value)
|
||||
|
||||
print('Total:', sum(ct.values()))
|
||||
print('Missing:', ', '.join(set(ascii_uppercase) - ct.keys()))
|
||||
36
attic/concurrency/flags/cc_tlds.py
Normal file
36
attic/concurrency/flags/cc_tlds.py
Normal file
@@ -0,0 +1,36 @@
|
||||
"""
|
||||
Check country code TLDs
|
||||
"""
|
||||
|
||||
import shutil
|
||||
import os
|
||||
import json
|
||||
|
||||
iso_cc_db = {}
|
||||
|
||||
with open('country-codes.tab') as cc_fp:
|
||||
for line in cc_fp:
|
||||
if line.startswith('#'):
|
||||
continue
|
||||
iso_cc, gec_cc, name = line.strip().split('\t')
|
||||
iso_cc_db[iso_cc.lower()] = name
|
||||
|
||||
tld_cc_db = {}
|
||||
|
||||
with open('tlds.tab') as cc_fp:
|
||||
for line in cc_fp:
|
||||
if line.startswith('#'):
|
||||
continue
|
||||
tld_cc, category, entity = line.strip().split('\t')
|
||||
if category.strip() != 'country-code':
|
||||
continue
|
||||
if ascii(tld_cc) != repr(tld_cc):
|
||||
continue
|
||||
tld_cc_db[tld_cc[1:].strip()] = entity
|
||||
|
||||
not_tld = iso_cc_db.keys() - tld_cc_db.keys()
|
||||
print(sorted(not_tld))
|
||||
|
||||
for iso_cc, name in sorted(iso_cc_db.items()):
|
||||
entity = tld_cc_db[iso_cc]
|
||||
print('{}\t{}\t{}'.format(iso_cc, name, entity))
|
||||
22
attic/concurrency/flags/count_colors.py
Normal file
22
attic/concurrency/flags/count_colors.py
Normal file
@@ -0,0 +1,22 @@
|
||||
import tkinter
|
||||
|
||||
class Test:
|
||||
def __init__(self, master):
|
||||
|
||||
canvas = tkinter.Canvas(master)
|
||||
|
||||
canvas.image = tkinter.PhotoImage(file = 'img/br.gif')
|
||||
print(vars(canvas.image))
|
||||
|
||||
canvas.create_image(0,0, image=canvas.image, anchor=tkinter.NW)
|
||||
canvas.bind('<Button-2>', self.right_click)
|
||||
|
||||
canvas.grid(row=0, column=0)
|
||||
|
||||
def right_click(self, event):
|
||||
print(vars(event))
|
||||
raise SystemExit()
|
||||
|
||||
root = tkinter.Tk()
|
||||
test = Test(root)
|
||||
root.mainloop()
|
||||
195
attic/concurrency/flags/country-codes.tab
Normal file
195
attic/concurrency/flags/country-codes.tab
Normal file
@@ -0,0 +1,195 @@
|
||||
# ISO-3166-1 US-GEC name
|
||||
AF AF Afghanistan
|
||||
AL AL Albania
|
||||
DZ AG Algeria
|
||||
AD AN Andorra
|
||||
AO AO Angola
|
||||
AG AC Antigua and Barbuda
|
||||
AR AR Argentina
|
||||
AM AM Armenia
|
||||
AU AS Australia
|
||||
AT AU Austria
|
||||
AZ AJ Azerbaijan
|
||||
BS BF Bahamas
|
||||
BH BA Bahrain
|
||||
BD BG Bangladesh
|
||||
BB BB Barbados
|
||||
BY BO Belarus
|
||||
BE BE Belgium
|
||||
BZ BH Belize
|
||||
BJ BN Benin
|
||||
BT BT Bhutan
|
||||
BO BL Bolivia
|
||||
BA BK Bosnia and Herzegovina
|
||||
BW BC Botswana
|
||||
BR BR Brazil
|
||||
BN BX Brunei Darussalam
|
||||
BG BU Bulgaria
|
||||
BF UV Burkina Faso
|
||||
BI BY Burundi
|
||||
KH CB Cambodia
|
||||
CM CM Cameroon
|
||||
CA CA Canada
|
||||
CV CV Cape Verde
|
||||
CF CT Central African Republic
|
||||
TD CD Chad
|
||||
CL CI Chile
|
||||
CN CH China
|
||||
CO CO Colombia
|
||||
KM CN Comoros
|
||||
CG CF Congo (Brazzaville)
|
||||
CD CG Congo (Kinshasa)
|
||||
CR CS Costa Rica
|
||||
CI IV Côte d'Ivoire
|
||||
HR HR Croatia
|
||||
CU CU Cuba
|
||||
CY CY Cyprus
|
||||
CZ EZ Czech Republic
|
||||
DK DA Denmark
|
||||
DJ DJ Djibouti
|
||||
DM DO Dominica
|
||||
EC EC Ecuador
|
||||
EG EG Egypt
|
||||
SV ES El Salvador
|
||||
GQ EK Equatorial Guinea
|
||||
ER ER Eritrea
|
||||
EE EN Estonia
|
||||
ET ET Ethiopia
|
||||
FJ FJ Fiji
|
||||
FI FI Finland
|
||||
FR FR France
|
||||
GA GB Gabon
|
||||
GM GA Gambia
|
||||
GE GG Georgia
|
||||
DE GM Germany
|
||||
GH GH Ghana
|
||||
GR GR Greece
|
||||
GD GJ Grenada
|
||||
GT GT Guatemala
|
||||
GN GV Guinea
|
||||
GW PU Guinea-Bissau
|
||||
GY GY Guyana
|
||||
HT HA Haiti
|
||||
HN HO Honduras
|
||||
HU HU Hungary
|
||||
IS IC Iceland
|
||||
IN IN India
|
||||
ID ID Indonesia
|
||||
IR IR Iran
|
||||
IQ IZ Iraq
|
||||
IE EI Ireland
|
||||
IL IS Israel
|
||||
IT IT Italy
|
||||
JM JM Jamaica
|
||||
JP JA Japan
|
||||
JO JO Jordan
|
||||
KZ KZ Kazakhstan
|
||||
KE KE Kenya
|
||||
KI KR Kiribati
|
||||
KP KN Korea, North
|
||||
KR KS Korea, South
|
||||
KW KU Kuwait
|
||||
KG KG Kyrgyzstan
|
||||
LA LA Laos
|
||||
LV LG Latvia
|
||||
LB LE Lebanon
|
||||
LS LT Lesotho
|
||||
LR LI Liberia
|
||||
LY LY Libya
|
||||
LI LS Liechtenstein
|
||||
LT LH Lithuania
|
||||
LU LU Luxembourg
|
||||
MK MK Macedonia
|
||||
MG MA Madagascar
|
||||
MW MI Malawi
|
||||
MY MY Malaysia
|
||||
MV MV Maldives
|
||||
ML ML Mali
|
||||
MT MT Malta
|
||||
MH RM Marshall Islands
|
||||
MR MR Mauritania
|
||||
MU MP Mauritius
|
||||
MX MX Mexico
|
||||
FM FM Micronesia
|
||||
MD MD Moldova
|
||||
MC MN Monaco
|
||||
MN MG Mongolia
|
||||
ME MJ Montenegro
|
||||
MA MO Morocco
|
||||
MZ MZ Mozambique
|
||||
MM BM Myanmar
|
||||
NA WA Namibia
|
||||
NR NR Nauru
|
||||
NP NP Nepal
|
||||
NL NL Netherlands
|
||||
NZ NZ New Zealand
|
||||
NI NU Nicaragua
|
||||
NE NG Niger
|
||||
NG NI Nigeria
|
||||
NO NO Norway
|
||||
OM MU Oman
|
||||
PK PK Pakistan
|
||||
PW PS Palau
|
||||
PA PM Panama
|
||||
PG PP Papua New Guinea
|
||||
PY PA Paraguay
|
||||
PE PE Peru
|
||||
PH RP Philippines
|
||||
PL PL Poland
|
||||
PT PO Portugal
|
||||
QA QA Qatar
|
||||
RO RO Romania
|
||||
RU RS Russian Federation
|
||||
RW RW Rwanda
|
||||
KN SC Saint Kitts and Nevis
|
||||
LC ST Saint Lucia
|
||||
VC VC Grenadines
|
||||
WS WS Samoa
|
||||
SM SM San Marino
|
||||
ST TP Sao Tome and Principe
|
||||
SA SA Saudi Arabia
|
||||
SN SG Senegal
|
||||
RS RI Serbia
|
||||
SC SE Seychelles
|
||||
SL SL Sierra Leone
|
||||
SG SN Singapore
|
||||
SK LO Slovakia
|
||||
SI SI Slovenia
|
||||
SB BP Solomon Islands
|
||||
SO SO Somalia
|
||||
ZA SF South Africa
|
||||
SS OD South Sudan
|
||||
ES SP Spain
|
||||
LK CE Sri Lanka
|
||||
SD SU Sudan
|
||||
SR NS Suriname
|
||||
SZ WZ Swaziland
|
||||
SE SW Sweden
|
||||
CH SZ Switzerland
|
||||
SY SY Syria
|
||||
TW TW Taiwan
|
||||
TJ TI Tajikistan
|
||||
TZ TZ Tanzania
|
||||
TH TH Thailand
|
||||
TL TT Timor-Leste
|
||||
TG TO Togo
|
||||
TO TN Tonga
|
||||
TT TD Trinidad and Tobago
|
||||
TN TS Tunisia
|
||||
TR TU Turkey
|
||||
TM TX Turkmenistan
|
||||
TV TV Tuvalu
|
||||
UG UG Uganda
|
||||
UA UP Ukraine
|
||||
AE AE United Arab Emirates
|
||||
GB UK United Kingdom
|
||||
US US United States of America
|
||||
UY UY Uruguay
|
||||
UZ UZ Uzbekistan
|
||||
VU NH Vanuatu
|
||||
VA VT Vatican City
|
||||
VE VE Venezuela
|
||||
VN VM Vietnam
|
||||
YE YM Yemen
|
||||
ZM ZA Zambia
|
||||
ZW ZI Zimbabwe
|
||||
51
attic/concurrency/flags/countryflags.py
Normal file
51
attic/concurrency/flags/countryflags.py
Normal file
@@ -0,0 +1,51 @@
|
||||
"""
|
||||
Mappings of ISO-3166-1 alpha-2 country codes to names, to GEC
|
||||
(Geopolitical Entities and Codes used by the US government)
|
||||
and utility functions for flag download examples
|
||||
"""
|
||||
|
||||
DATA_FILE = 'country-codes.tab'
|
||||
|
||||
# original source
|
||||
CIA_URL = ('https://www.cia.gov/library/publications/'
|
||||
'the-world-factbook/graphics/flags/large/{gec}-lgflag.gif')
|
||||
|
||||
# local nginx web server
|
||||
NGINX_URL = 'http://localhost:8080/ciaflags/{gec}.gif'
|
||||
|
||||
# Vaurien
|
||||
VAURIEN_URL = 'http://localhost:8000/ciaflags/{gec}.gif'
|
||||
|
||||
SOURCE_URLS = {
|
||||
'CIA' : CIA_URL,
|
||||
'NGINX' : NGINX_URL,
|
||||
'VAURIEN' : VAURIEN_URL,
|
||||
}
|
||||
|
||||
DEST_PATH_NAME = 'img/{cc}.gif'
|
||||
|
||||
cc2name = {} # ISO-3166-1 to name
|
||||
cc2gec = {} # ISO-3166-1 to GEC
|
||||
|
||||
def _load():
|
||||
with open(DATA_FILE, encoding='utf-8') as cc_txt:
|
||||
for line in cc_txt:
|
||||
line = line.rstrip()
|
||||
if line.startswith('#'):
|
||||
continue
|
||||
iso_cc, gec, name = line.split('\t')
|
||||
cc2name[iso_cc] = name
|
||||
cc2gec[iso_cc] = gec
|
||||
|
||||
|
||||
def flag_url(iso_cc, source='CIA'):
|
||||
base_url = SOURCE_URLS[source.upper()]
|
||||
return base_url.format(gec=cc2gec[iso_cc].lower())
|
||||
|
||||
def iso_file_name(iso_cc):
|
||||
return DEST_PATH_NAME.format(cc=iso_cc.lower())
|
||||
|
||||
def gec_file_name(iso_cc):
|
||||
return DEST_PATH_NAME.format(cc=cc2gec[iso_cc].lower())
|
||||
|
||||
_load()
|
||||
63
attic/concurrency/flags/getsequential.py
Normal file
63
attic/concurrency/flags/getsequential.py
Normal file
@@ -0,0 +1,63 @@
|
||||
import requests
|
||||
import countryflags as cf
|
||||
import time
|
||||
|
||||
|
||||
times = {}
|
||||
|
||||
def fetch(iso_cc, source):
|
||||
resp = requests.get(cf.flag_url(iso_cc, source))
|
||||
if resp.status_code != 200:
|
||||
resp.raise_for_status()
|
||||
file_name = cf.iso_file_name(iso_cc)
|
||||
with open(file_name, 'wb') as img:
|
||||
written = img.write(resp.content)
|
||||
return written, file_name
|
||||
|
||||
def main(source):
|
||||
pending = sorted(cf.cc2name)
|
||||
to_download = len(pending)
|
||||
downloaded = 0
|
||||
t0 = time.time()
|
||||
for iso_cc in pending:
|
||||
print('get:', iso_cc)
|
||||
try:
|
||||
times[iso_cc] = [time.time() - t0]
|
||||
octets, file_name = fetch(iso_cc, source)
|
||||
times[iso_cc].append(time.time() - t0)
|
||||
downloaded += 1
|
||||
print('\t--> {}: {:5d} bytes'.format(file_name, octets))
|
||||
except Exception as exc:
|
||||
print('\t***', iso_cc, 'generated an exception:', exc)
|
||||
ratio = downloaded / to_download
|
||||
print('{} of {} downloaded ({:.1%})'.format(downloaded, to_download, ratio))
|
||||
for iso_cc in sorted(times):
|
||||
start, end = times[iso_cc]
|
||||
print('{}\t{:.6g}\t{:.6g}'.format(iso_cc, start, end))
|
||||
|
||||
if __name__ == '__main__':
|
||||
import argparse
|
||||
|
||||
source_names = ', '.join(sorted(cf.SOURCE_URLS))
|
||||
parser = argparse.ArgumentParser(description='Download flag images.')
|
||||
parser.add_argument('source', help='one of: ' + source_names)
|
||||
|
||||
args = parser.parse_args()
|
||||
main(args.source)
|
||||
|
||||
"""
|
||||
From cia.gov:
|
||||
real 3m26.679s
|
||||
user 0m5.212s
|
||||
sys 0m0.383s
|
||||
|
||||
From localhost nginx:
|
||||
real 0m1.193s
|
||||
user 0m0.858s
|
||||
sys 0m0.179s
|
||||
|
||||
From localhost nginx via Vaurien with .5s delay
|
||||
real 1m40.519s
|
||||
user 0m1.103s
|
||||
sys 0m0.243s
|
||||
"""
|
||||
61
attic/concurrency/flags/getthreadpool.py
Normal file
61
attic/concurrency/flags/getthreadpool.py
Normal file
@@ -0,0 +1,61 @@
|
||||
from concurrent import futures
|
||||
import sys
|
||||
import requests
|
||||
import countryflags as cf
|
||||
import time
|
||||
|
||||
from getsequential import fetch
|
||||
|
||||
DEFAULT_NUM_THREADS = 100
|
||||
GLOBAL_TIMEOUT = 300 # seconds
|
||||
|
||||
times = {}
|
||||
|
||||
def main(source, num_threads):
|
||||
pool = futures.ThreadPoolExecutor(num_threads)
|
||||
pending = {}
|
||||
t0 = time.time()
|
||||
# submit all jobs
|
||||
for iso_cc in sorted(cf.cc2name):
|
||||
print('get:', iso_cc)
|
||||
times[iso_cc] = [time.time() - t0]
|
||||
job = pool.submit(fetch, iso_cc, source)
|
||||
pending[job] = iso_cc
|
||||
to_download = len(pending)
|
||||
downloaded = 0
|
||||
# get results as jobs are done
|
||||
for job in futures.as_completed(pending, timeout=GLOBAL_TIMEOUT):
|
||||
try:
|
||||
octets, file_name = job.result()
|
||||
times[pending[job]].append(time.time() - t0)
|
||||
downloaded += 1
|
||||
print('\t--> {}: {:5d} bytes'.format(file_name, octets))
|
||||
except Exception as exc:
|
||||
print('\t***', pending[job], 'generated an exception:', exc)
|
||||
ratio = downloaded / to_download
|
||||
print('{} of {} downloaded ({:.1%})'.format(downloaded, to_download, ratio))
|
||||
for iso_cc in sorted(times):
|
||||
start, end = times[iso_cc]
|
||||
print('{}\t{:.6g}\t{:.6g}'.format(iso_cc, start, end))
|
||||
|
||||
if __name__ == '__main__':
|
||||
import argparse
|
||||
|
||||
source_names = ', '.join(sorted(cf.SOURCE_URLS))
|
||||
parser = argparse.ArgumentParser(description='Download flag images.')
|
||||
parser.add_argument('source', help='one of: ' + source_names)
|
||||
parser.add_argument('-t', '--threads', type=int, default=DEFAULT_NUM_THREADS,
|
||||
help='number of threads (default: %s)' % DEFAULT_NUM_THREADS)
|
||||
|
||||
args = parser.parse_args()
|
||||
main(args.source, args.threads)
|
||||
|
||||
"""
|
||||
From CIA, 1 thread:
|
||||
real 2m0.832s
|
||||
user 0m4.685s
|
||||
sys 0m0.366s
|
||||
|
||||
|
||||
|
||||
"""
|
||||
BIN
attic/concurrency/flags/graphs.ods
Normal file
BIN
attic/concurrency/flags/graphs.ods
Normal file
Binary file not shown.
BIN
attic/concurrency/flags/img.zip
Normal file
BIN
attic/concurrency/flags/img.zip
Normal file
Binary file not shown.
1
attic/concurrency/flags/img/README.txt
Normal file
1
attic/concurrency/flags/img/README.txt
Normal file
@@ -0,0 +1 @@
|
||||
This file exists so that the directory is stored by git.
|
||||
848
attic/concurrency/flags/tlds.tab
Normal file
848
attic/concurrency/flags/tlds.tab
Normal file
@@ -0,0 +1,848 @@
|
||||
# https://www.iana.org/domains/root/db
|
||||
.abogado generic Top Level Domain Holdings Limited
|
||||
.ac country-code Network Information Center (AC Domain Registry) c/o Cable and Wireless (Ascension Island)
|
||||
.academy generic Half Oaks, LLC
|
||||
.accountants generic Knob Town, LLC
|
||||
.active generic The Active Network, Inc
|
||||
.actor generic United TLD Holdco Ltd.
|
||||
.ad country-code Andorra Telecom
|
||||
.adult generic ICM Registry AD LLC
|
||||
.ae country-code Telecommunication Regulatory Authority (TRA)
|
||||
.aero sponsored Societe Internationale de Telecommunications Aeronautique (SITA INC USA)
|
||||
.af country-code Ministry of Communications and IT
|
||||
.ag country-code UHSA School of Medicine
|
||||
.agency generic Steel Falls, LLC
|
||||
.ai country-code Government of Anguilla
|
||||
.airforce generic United TLD Holdco Ltd.
|
||||
.al country-code Electronic and Postal Communications Authority - AKEP
|
||||
.allfinanz generic Allfinanz Deutsche Vermögensberatung Aktiengesellschaft
|
||||
.alsace generic REGION D ALSACE
|
||||
.am country-code Internet Society
|
||||
.amsterdam generic Gemeente Amsterdam
|
||||
.an country-code University of Curacao
|
||||
.android generic Charleston Road Registry Inc.
|
||||
.ao country-code Faculdade de Engenharia da Universidade Agostinho Neto
|
||||
.apartments generic June Maple, LLC
|
||||
.aq country-code Antarctica Network Information Centre Limited
|
||||
.aquarelle generic Aquarelle.com
|
||||
.ar country-code Presidencia de la Nación – Secretaría Legal y Técnica
|
||||
.archi generic STARTING DOT LIMITED
|
||||
.army generic United TLD Holdco Ltd.
|
||||
.arpa infrastructure Internet Architecture Board (IAB)
|
||||
.as country-code AS Domain Registry
|
||||
.asia sponsored DotAsia Organisation Ltd.
|
||||
.associates generic Baxter Hill, LLC
|
||||
.at country-code nic.at GmbH
|
||||
.attorney generic United TLD Holdco, Ltd
|
||||
.au country-code .au Domain Administration (auDA)
|
||||
.auction generic United TLD HoldCo, Ltd.
|
||||
.audio generic Uniregistry, Corp.
|
||||
.autos generic DERAutos, LLC
|
||||
.aw country-code SETAR
|
||||
.ax country-code Ålands landskapsregering
|
||||
.axa generic AXA SA
|
||||
.az country-code IntraNS
|
||||
.ba country-code Universtiy Telinformatic Centre (UTIC)
|
||||
.band generic United TLD Holdco, Ltd
|
||||
.bank generic fTLD Registry Services, LLC
|
||||
.bar generic Punto 2012 Sociedad Anonima Promotora de Inversion de Capital Variable
|
||||
.barclaycard generic Barclays Bank PLC
|
||||
.barclays generic Barclays Bank PLC
|
||||
.bargains generic Half Hallow, LLC
|
||||
.bayern generic Bayern Connect GmbH
|
||||
.bb country-code Government of Barbados Ministry of Economic Affairs and Development Telecommunications Unit
|
||||
.bd country-code Ministry of Post & Telecommunications Bangladesh Secretariat
|
||||
.be country-code DNS Belgium vzw/asbl
|
||||
.beer generic Top Level Domain Holdings Limited
|
||||
.berlin generic dotBERLIN GmbH & Co. KG
|
||||
.best generic BestTLD Pty Ltd
|
||||
.bf country-code ARCE-AutoritÈ de RÈgulation des Communications Electroniques
|
||||
.bg country-code Register.BG
|
||||
.bh country-code Telecommunications Regulatory Authority (TRA)
|
||||
.bi country-code Centre National de l'Informatique
|
||||
.bid generic dot Bid Limited
|
||||
.bike generic Grand Hollow, LLC
|
||||
.bingo generic Sand Cedar, LLC
|
||||
.bio generic STARTING DOT LIMITED
|
||||
.biz generic-restricted NeuStar, Inc.
|
||||
.bj country-code Benin Telecoms S.A.
|
||||
.bl country-code Not assigned
|
||||
.black generic Afilias Limited
|
||||
.blackfriday generic Uniregistry, Corp.
|
||||
.bloomberg generic Bloomberg IP Holdings LLC
|
||||
.blue generic Afilias Limited
|
||||
.bm country-code Registry General Ministry of Labour and Immigration
|
||||
.bmw generic Bayerische Motoren Werke Aktiengesellschaft
|
||||
.bn country-code Telekom Brunei Berhad
|
||||
.bnpparibas generic BNP Paribas
|
||||
.bo country-code Agencia para el Desarrollo de la Información de la Sociedad en Bolivia
|
||||
.boo generic Charleston Road Registry Inc.
|
||||
.boutique generic Over Galley, LLC
|
||||
.bq country-code Not assigned
|
||||
.br country-code Comite Gestor da Internet no Brasil
|
||||
.brussels generic DNS.be vzw
|
||||
.bs country-code The College of the Bahamas
|
||||
.bt country-code Ministry of Information and Communications
|
||||
.budapest generic Top Level Domain Holdings Limited
|
||||
.build generic Plan Bee LLC
|
||||
.builders generic Atomic Madison, LLC
|
||||
.business generic Spring Cross, LLC
|
||||
.buzz generic DOTSTRATEGY CO.
|
||||
.bv country-code UNINETT Norid A/S
|
||||
.bw country-code Botswana Communications Regulatory Authority (BOCRA)
|
||||
.by country-code Reliable Software Inc.
|
||||
.bz country-code University of Belize
|
||||
.bzh generic Association www.bzh
|
||||
.ca country-code Canadian Internet Registration Authority (CIRA) Autorite Canadienne pour les Enregistrements Internet (ACEI)
|
||||
.cab generic Half Sunset, LLC
|
||||
.cal generic Charleston Road Registry Inc.
|
||||
.camera generic Atomic Maple, LLC
|
||||
.camp generic Delta Dynamite, LLC
|
||||
.cancerresearch generic Australian Cancer Research Foundation
|
||||
.canon generic Canon Inc.
|
||||
.capetown generic ZA Central Registry NPC trading as ZA Central Registry
|
||||
.capital generic Delta Mill, LLC
|
||||
.caravan generic Caravan International, Inc.
|
||||
.cards generic Foggy Hollow, LLC
|
||||
.care generic Goose Cross, LLC
|
||||
.career generic dotCareer LLC
|
||||
.careers generic Wild Corner, LLC
|
||||
.cartier generic Richemont DNS Inc.
|
||||
.casa generic Top Level Domain Holdings Limited
|
||||
.cash generic Delta Lake, LLC
|
||||
.cat sponsored Fundacio puntCAT
|
||||
.catering generic New Falls. LLC
|
||||
.cbn generic The Christian Broadcasting Network, Inc.
|
||||
.cc country-code eNIC Cocos (Keeling) Islands Pty. Ltd. d/b/a Island Internet Services
|
||||
.cd country-code Office Congolais des Postes et Télécommunications - OCPT
|
||||
.center generic Tin Mill, LLC
|
||||
.ceo generic CEOTLD Pty Ltd
|
||||
.cern generic European Organization for Nuclear Research ("CERN")
|
||||
.cf country-code Societe Centrafricaine de Telecommunications (SOCATEL)
|
||||
.cg country-code ONPT Congo and Interpoint Switzerland
|
||||
.ch country-code SWITCH The Swiss Education & Research Network
|
||||
.channel generic Charleston Road Registry Inc.
|
||||
.chat generic Sand Fields, LLC
|
||||
.cheap generic Sand Cover, LLC
|
||||
.christmas generic Uniregistry, Corp.
|
||||
.chrome generic Charleston Road Registry Inc.
|
||||
.church generic Holly Fileds, LLC
|
||||
.ci country-code INP-HB Institut National Polytechnique Felix Houphouet Boigny
|
||||
.citic generic CITIC Group Corporation
|
||||
.city generic Snow Sky, LLC
|
||||
.ck country-code Telecom Cook Islands Ltd.
|
||||
.cl country-code NIC Chile (University of Chile)
|
||||
.claims generic Black Corner, LLC
|
||||
.cleaning generic Fox Shadow, LLC
|
||||
.click generic Uniregistry, Corp.
|
||||
.clinic generic Goose Park, LLC
|
||||
.clothing generic Steel Lake, LLC
|
||||
.club generic .CLUB DOMAINS, LLC
|
||||
.cm country-code Cameroon Telecommunications (CAMTEL)
|
||||
.cn country-code Computer Network Information Center, Chinese Academy of Sciences
|
||||
.co country-code .CO Internet S.A.S.
|
||||
.coach generic Koko Island, LLC
|
||||
.codes generic Puff Willow, LLC
|
||||
.coffee generic Trixy Cover, LLC
|
||||
.college generic XYZ.COM LLC
|
||||
.cologne generic NetCologne Gesellschaft für Telekommunikation mbH
|
||||
.com generic VeriSign Global Registry Services
|
||||
.community generic Fox Orchard, LLC
|
||||
.company generic Silver Avenue, LLC
|
||||
.computer generic Pine Mill, LLC
|
||||
.condos generic Pine House, LLC
|
||||
.construction generic Fox Dynamite, LLC
|
||||
.consulting generic United TLD Holdco, LTD.
|
||||
.contractors generic Magic Woods, LLC
|
||||
.cooking generic Top Level Domain Holdings Limited
|
||||
.cool generic Koko Lake, LLC
|
||||
.coop sponsored DotCooperation LLC
|
||||
.country generic Top Level Domain Holdings Limited
|
||||
.cr country-code National Academy of Sciences Academia Nacional de Ciencias
|
||||
.credit generic Snow Shadow, LLC
|
||||
.creditcard generic Binky Frostbite, LLC
|
||||
.cricket generic dot Cricket Limited
|
||||
.crs generic Federated Co-operatives Limited
|
||||
.cruises generic Spring Way, LLC
|
||||
.cu country-code CENIAInternet Industria y San Jose Capitolio Nacional
|
||||
.cuisinella generic SALM S.A.S.
|
||||
.cv country-code Agência Nacional das Comunicações (ANAC)
|
||||
.cw country-code University of Curacao
|
||||
.cx country-code Christmas Island Internet Administration Limited
|
||||
.cy country-code University of Cyprus
|
||||
.cymru generic Nominet UK
|
||||
.cz country-code CZ.NIC, z.s.p.o
|
||||
.dabur generic Dabur India Limited
|
||||
.dad generic Charleston Road Registry Inc.
|
||||
.dance generic United TLD Holdco Ltd.
|
||||
.dating generic Pine Fest, LLC
|
||||
.day generic Charleston Road Registry Inc.
|
||||
.dclk generic Charleston Road Registry Inc.
|
||||
.de country-code DENIC eG
|
||||
.deals generic Sand Sunset, LLC
|
||||
.degree generic United TLD Holdco, Ltd
|
||||
.delivery generic Steel Station, LLC
|
||||
.democrat generic United TLD Holdco Ltd.
|
||||
.dental generic Tin Birch, LLC
|
||||
.dentist generic United TLD Holdco, Ltd
|
||||
.desi generic Desi Networks LLC
|
||||
.design generic Top Level Design, LLC
|
||||
.dev generic Charleston Road Registry Inc.
|
||||
.diamonds generic John Edge, LLC
|
||||
.diet generic Uniregistry, Corp.
|
||||
.digital generic Dash Park, LLC
|
||||
.direct generic Half Trail, LLC
|
||||
.directory generic Extra Madison, LLC
|
||||
.discount generic Holly Hill, LLC
|
||||
.dj country-code Djibouti Telecom S.A
|
||||
.dk country-code Dansk Internet Forum
|
||||
.dm country-code DotDM Corporation
|
||||
.dnp generic Dai Nippon Printing Co., Ltd.
|
||||
.do country-code Pontificia Universidad Catolica Madre y Maestra Recinto Santo Tomas de Aquino
|
||||
.docs generic Charleston Road Registry Inc.
|
||||
.domains generic Sugar Cross, LLC
|
||||
.doosan generic Doosan Corporation
|
||||
.durban generic ZA Central Registry NPC trading as ZA Central Registry
|
||||
.dvag generic Deutsche Vermögensberatung Aktiengesellschaft DVAG
|
||||
.dz country-code CERIST
|
||||
.eat generic Charleston Road Registry Inc.
|
||||
.ec country-code NIC.EC (NICEC) S.A.
|
||||
.edu sponsored EDUCAUSE
|
||||
.education generic Brice Way, LLC
|
||||
.ee country-code Eesti Interneti Sihtasutus (EIS)
|
||||
.eg country-code Egyptian Universities Network (EUN) Supreme Council of Universities
|
||||
.eh country-code Not assigned
|
||||
.email generic Spring Madison, LLC
|
||||
.emerck generic Merck KGaA
|
||||
.energy generic Binky Birch, LLC
|
||||
.engineer generic United TLD Holdco Ltd.
|
||||
.engineering generic Romeo Canyon
|
||||
.enterprises generic Snow Oaks, LLC
|
||||
.equipment generic Corn Station, LLC
|
||||
.er country-code Eritrea Telecommunication Services Corporation (EriTel)
|
||||
.es country-code Red.es
|
||||
.esq generic Charleston Road Registry Inc.
|
||||
.estate generic Trixy Park, LLC
|
||||
.et country-code Ethio telecom
|
||||
.eu country-code EURid vzw/asbl
|
||||
.eurovision generic European Broadcasting Union (EBU)
|
||||
.eus generic Puntueus Fundazioa
|
||||
.events generic Pioneer Maple, LLC
|
||||
.everbank generic EverBank
|
||||
.exchange generic Spring Falls, LLC
|
||||
.expert generic Magic Pass, LLC
|
||||
.exposed generic Victor Beach, LLC
|
||||
.fail generic Atomic Pipe, LLC
|
||||
.fans generic Asiamix Digital Limited
|
||||
.farm generic Just Maple, LLC
|
||||
.fashion generic Top Level Domain Holdings Limited
|
||||
.feedback generic Top Level Spectrum, Inc.
|
||||
.fi country-code Finnish Communications Regulatory Authority
|
||||
.finance generic Cotton Cypress, LLC
|
||||
.financial generic Just Cover, LLC
|
||||
.firmdale generic Firmdale Holdings Limited
|
||||
.fish generic Fox Woods, LLC
|
||||
.fishing generic Top Level Domain Holdings Limited
|
||||
.fit generic Minds + Machines Group Limited
|
||||
.fitness generic Brice Orchard, LLC
|
||||
.fj country-code The University of the South Pacific IT Services
|
||||
.fk country-code Falkland Islands Government
|
||||
.flights generic Fox Station, LLC
|
||||
.florist generic Half Cypress, LLC
|
||||
.flowers generic Uniregistry, Corp.
|
||||
.flsmidth generic FLSmidth A/S
|
||||
.fly generic Charleston Road Registry Inc.
|
||||
.fm country-code FSM Telecommunications Corporation
|
||||
.fo country-code FO Council
|
||||
.foo generic Charleston Road Registry Inc.
|
||||
.forsale generic United TLD Holdco, LLC
|
||||
.foundation generic John Dale, LLC
|
||||
.fr country-code Association Française pour le Nommage Internet en Coopération (A.F.N.I.C.)
|
||||
.frl generic FRLregistry B.V.
|
||||
.frogans generic OP3FT
|
||||
.fund generic John Castle, LLC
|
||||
.furniture generic Lone Fields, LLC
|
||||
.futbol generic United TLD Holdco, Ltd.
|
||||
.ga country-code Agence Nationale des Infrastructures Numériques et des Fréquences (ANINF)
|
||||
.gal generic Asociación puntoGAL
|
||||
.gallery generic Sugar House, LLC
|
||||
.garden generic Top Level Domain Holdings Limited
|
||||
.gb country-code Reserved Domain - IANA
|
||||
.gbiz generic Charleston Road Registry Inc.
|
||||
.gd country-code The National Telecommunications Regulatory Commission (NTRC)
|
||||
.gdn generic Joint Stock Company "Navigation-information systems"
|
||||
.ge country-code Caucasus Online
|
||||
.gent generic COMBELL GROUP NV/SA
|
||||
.gf country-code Net Plus
|
||||
.gg country-code Island Networks Ltd.
|
||||
.ggee generic GMO Internet, Inc.
|
||||
.gh country-code Network Computer Systems Limited
|
||||
.gi country-code Sapphire Networks
|
||||
.gift generic Uniregistry, Corp.
|
||||
.gifts generic Goose Sky, LLC
|
||||
.gives generic United TLD Holdco Ltd.
|
||||
.gl country-code TELE Greenland A/S
|
||||
.glass generic Black Cover, LLC
|
||||
.gle generic Charleston Road Registry Inc.
|
||||
.global generic Dot Global Domain Registry Limited
|
||||
.globo generic Globo Comunicação e Participações S.A
|
||||
.gm country-code GM-NIC
|
||||
.gmail generic Charleston Road Registry Inc.
|
||||
.gmo generic GMO Internet, Inc.
|
||||
.gmx generic 1&1 Mail & Media GmbH
|
||||
.gn country-code Centre National des Sciences Halieutiques de Boussoura
|
||||
.goldpoint generic YODOBASHI CAMERA CO.,LTD.
|
||||
.goog generic Charleston Road Registry Inc.
|
||||
.google generic Charleston Road Registry Inc.
|
||||
.gop generic Republican State Leadership Committee, Inc.
|
||||
.gov sponsored General Services Administration Attn: QTDC, 2E08 (.gov Domain Registration)
|
||||
.gp country-code Networking Technologies Group
|
||||
.gq country-code GETESA
|
||||
.gr country-code ICS-FORTH GR
|
||||
.graphics generic Over Madison, LLC
|
||||
.gratis generic Pioneer Tigers, LLC
|
||||
.green generic Afilias Limited
|
||||
.gripe generic Corn Sunset, LLC
|
||||
.gs country-code Government of South Georgia and South Sandwich Islands (GSGSSI)
|
||||
.gt country-code Universidad del Valle de Guatemala
|
||||
.gu country-code University of Guam Computer Center
|
||||
.guide generic Snow Moon, LLC
|
||||
.guitars generic Uniregistry, Corp.
|
||||
.guru generic Pioneer Cypress, LLC
|
||||
.gw country-code Autoridade Reguladora Nacional - Tecnologias de Informação e Comunicação da Guiné-Bissau
|
||||
.gy country-code University of Guyana
|
||||
.hamburg generic Hamburg Top-Level-Domain GmbH
|
||||
.hangout generic Charleston Road Registry Inc.
|
||||
.haus generic United TLD Holdco, LTD.
|
||||
.healthcare generic Silver Glen, LLC
|
||||
.help generic Uniregistry, Corp.
|
||||
.here generic Charleston Road Registry Inc.
|
||||
.hermes generic Hermes International
|
||||
.hiphop generic Uniregistry, Corp.
|
||||
.hiv generic dotHIV gemeinnuetziger e.V.
|
||||
.hk country-code Hong Kong Internet Registration Corporation Ltd.
|
||||
.hm country-code HM Domain Registry
|
||||
.hn country-code Red de Desarrollo Sostenible Honduras
|
||||
.holdings generic John Madison, LLC
|
||||
.holiday generic Goose Woods, LLC
|
||||
.homes generic DERHomes, LLC
|
||||
.horse generic Top Level Domain Holdings Limited
|
||||
.host generic DotHost Inc.
|
||||
.hosting generic Uniregistry, Corp.
|
||||
.house generic Sugar Park, LLC
|
||||
.how generic Charleston Road Registry Inc.
|
||||
.hr country-code CARNet - Croatian Academic and Research Network
|
||||
.ht country-code Consortium FDS/RDDH
|
||||
.hu country-code Council of Hungarian Internet Providers (CHIP)
|
||||
.ibm generic International Business Machines Corporation
|
||||
.id country-code Perkumpulan Pengelola Nama Domain Internet Indonesia (PANDI)
|
||||
.ie country-code University College Dublin Computing Services Computer Centre
|
||||
.ifm generic ifm electronic gmbh
|
||||
.il country-code Internet Society of Israel
|
||||
.im country-code Isle of Man Government
|
||||
.immo generic Auburn Bloom, LLC
|
||||
.immobilien generic United TLD Holdco Ltd.
|
||||
.in country-code National Internet Exchange of India
|
||||
.industries generic Outer House, LLC
|
||||
.info generic Afilias Limited
|
||||
.ing generic Charleston Road Registry Inc.
|
||||
.ink generic Top Level Design, LLC
|
||||
.institute generic Outer Maple, LLC
|
||||
.insure generic Pioneer Willow, LLC
|
||||
.int sponsored Internet Assigned Numbers Authority
|
||||
.international generic Wild Way, LLC
|
||||
.investments generic Holly Glen, LLC
|
||||
.io country-code IO Top Level Domain Registry Cable and Wireless
|
||||
.iq country-code Communications and Media Commission (CMC)
|
||||
.ir country-code Institute for Research in Fundamental Sciences
|
||||
.irish generic Dot-Irish LLC
|
||||
.is country-code ISNIC - Internet Iceland ltd.
|
||||
.it country-code IIT - CNR
|
||||
.iwc generic Richemont DNS Inc.
|
||||
.jcb generic JCB Co., Ltd.
|
||||
.je country-code Island Networks (Jersey) Ltd.
|
||||
.jetzt generic New TLD Company AB
|
||||
.jm country-code University of West Indies
|
||||
.jo country-code National Information Technology Center (NITC)
|
||||
.jobs sponsored Employ Media LLC
|
||||
.joburg generic ZA Central Registry NPC trading as ZA Central Registry
|
||||
.jp country-code Japan Registry Services Co., Ltd.
|
||||
.juegos generic Uniregistry, Corp.
|
||||
.kaufen generic United TLD Holdco Ltd.
|
||||
.kddi generic KDDI CORPORATION
|
||||
.ke country-code Kenya Network Information Center (KeNIC)
|
||||
.kg country-code AsiaInfo Telecommunication Enterprise
|
||||
.kh country-code Ministry of Post and Telecommunications
|
||||
.ki country-code Ministry of Communications, Transport, and Tourism Development
|
||||
.kim generic Afilias Limited
|
||||
.kitchen generic Just Goodbye, LLC
|
||||
.kiwi generic DOT KIWI LIMITED
|
||||
.km country-code Comores Telecom
|
||||
.kn country-code Ministry of Finance, Sustainable Development Information & Technology
|
||||
.koeln generic NetCologne Gesellschaft für Telekommunikation mbH
|
||||
.kp country-code Star Joint Venture Company
|
||||
.kr country-code Korea Internet & Security Agency (KISA)
|
||||
.krd generic KRG Department of Information Technology
|
||||
.kred generic KredTLD Pty Ltd
|
||||
.kw country-code Ministry of Communications
|
||||
.ky country-code The Information and Communications Technology Authority
|
||||
.kyoto generic Academic Institution: Kyoto Jyoho Gakuen
|
||||
.kz country-code Association of IT Companies of Kazakhstan
|
||||
.la country-code Lao National Internet Committee (LANIC), Ministry of Posts and Telecommunications
|
||||
.lacaixa generic CAIXA D'ESTALVIS I PENSIONS DE BARCELONA
|
||||
.land generic Pine Moon, LLC
|
||||
.lat generic ECOM-LAC Federación de Latinoamérica y el Caribe para Internet y el Comercio Electrónico
|
||||
.latrobe generic La Trobe University
|
||||
.lawyer generic United TLD Holdco, Ltd
|
||||
.lb country-code American University of Beirut Computing and Networking Services
|
||||
.lc country-code University of Puerto Rico
|
||||
.lds generic IRI Domain Management, LLC
|
||||
.lease generic Victor Trail, LLC
|
||||
.legal generic Blue Falls, LLC
|
||||
.lgbt generic Afilias Limited
|
||||
.li country-code Universitaet Liechtenstein
|
||||
.lidl generic Schwarz Domains und Services GmbH & Co. KG
|
||||
.life generic Trixy Oaks, LLC
|
||||
.lighting generic John McCook, LLC
|
||||
.limited generic Big Fest, LLC
|
||||
.limo generic Hidden Frostbite, LLC
|
||||
.link generic Uniregistry, Corp.
|
||||
.lk country-code Council for Information Technology LK Domain Registrar
|
||||
.loans generic June Woods, LLC
|
||||
.london generic Dot London Domains Limited
|
||||
.lotte generic Lotte Holdings Co., Ltd.
|
||||
.lotto generic Afilias Limited
|
||||
.lr country-code Data Technology Solutions, Inc.
|
||||
.ls country-code National University of Lesotho
|
||||
.lt country-code Kaunas University of Technology
|
||||
.ltda generic InterNetX Corp.
|
||||
.lu country-code RESTENA
|
||||
.luxe generic Top Level Domain Holdings Limited
|
||||
.luxury generic Luxury Partners LLC
|
||||
.lv country-code University of Latvia Institute of Mathematics and Computer Science Department of Network Solutions (DNS)
|
||||
.ly country-code General Post and Telecommunication Company
|
||||
.ma country-code Agence Nationale de Réglementation des Télécommunications (ANRT)
|
||||
.madrid generic Comunidad de Madrid
|
||||
.maison generic Victor Frostbite, LLC
|
||||
.management generic John Goodbye, LLC
|
||||
.mango generic PUNTO FA S.L.
|
||||
.market generic Unitied TLD Holdco, Ltd
|
||||
.marketing generic Fern Pass, LLC
|
||||
.marriott generic Marriott Worldwide Corporation
|
||||
.mc country-code Gouvernement de Monaco Direction des Communications Electroniques
|
||||
.md country-code MoldData S.E.
|
||||
.me country-code Government of Montenegro
|
||||
.media generic Grand Glen, LLC
|
||||
.meet generic Afilias Limited
|
||||
.melbourne generic The Crown in right of the State of Victoria, represented by its Department of State Development, Business and Innovation
|
||||
.meme generic Charleston Road Registry Inc.
|
||||
.memorial generic Dog Beach, LLC
|
||||
.menu generic Wedding TLD2, LLC
|
||||
.mf country-code Not assigned
|
||||
.mg country-code NIC-MG (Network Information Center Madagascar)
|
||||
.mh country-code Office of the Cabinet
|
||||
.miami generic Top Level Domain Holdings Limited
|
||||
.mil sponsored DoD Network Information Center
|
||||
.mini generic Bayerische Motoren Werke Aktiengesellschaft
|
||||
.mk country-code Macedonian Academic Research Network Skopje
|
||||
.ml country-code Agence des Technologies de l’Information et de la Communication
|
||||
.mm country-code Ministry of Communications, Posts & Telegraphs
|
||||
.mn country-code Datacom Co., Ltd.
|
||||
.mo country-code Bureau of Telecommunications Regulation (DSRT)
|
||||
.mobi sponsored Afilias Technologies Limited dba dotMobi
|
||||
.moda generic United TLD Holdco Ltd.
|
||||
.moe generic Interlink Co., Ltd.
|
||||
.monash generic Monash University
|
||||
.money generic Outer McCook, LLC
|
||||
.mormon generic IRI Domain Management, LLC ("Applicant")
|
||||
.mortgage generic United TLD Holdco, Ltd
|
||||
.moscow generic Foundation for Assistance for Internet Technologies and Infrastructure Development (FAITID)
|
||||
.motorcycles generic DERMotorcycles, LLC
|
||||
.mov generic Charleston Road Registry Inc.
|
||||
.mp country-code Saipan Datacom, Inc.
|
||||
.mq country-code MEDIASERV
|
||||
.mr country-code Université des Sciences, de Technologie et de Médecine
|
||||
.ms country-code MNI Networks Ltd.
|
||||
.mt country-code NIC (Malta)
|
||||
.mu country-code Internet Direct Ltd
|
||||
.museum sponsored Museum Domain Management Association
|
||||
.mv country-code Dhiraagu Pvt. Ltd. (DHIVEHINET)
|
||||
.mw country-code Malawi Sustainable Development Network Programme (Malawi SDNP)
|
||||
.mx country-code NIC-Mexico ITESM - Campus Monterrey
|
||||
.my country-code MYNIC Berhad
|
||||
.mz country-code Centro de Informatica de Universidade Eduardo Mondlane
|
||||
.na country-code Namibian Network Information Center
|
||||
.nagoya generic GMO Registry, Inc.
|
||||
.name generic-restricted VeriSign Information Services, Inc.
|
||||
.navy generic United TLD Holdco Ltd.
|
||||
.nc country-code Office des Postes et Telecommunications
|
||||
.ne country-code SONITEL
|
||||
.net generic VeriSign Global Registry Services
|
||||
.network generic Trixy Manor, LLC
|
||||
.neustar generic NeuStar, Inc.
|
||||
.new generic Charleston Road Registry Inc.
|
||||
.nexus generic Charleston Road Registry Inc.
|
||||
.nf country-code Norfolk Island Data Services
|
||||
.ng country-code Nigeria Internet Registration Association
|
||||
.ngo generic Public Interest Registry
|
||||
.nhk generic Japan Broadcasting Corporation (NHK)
|
||||
.ni country-code Universidad Nacional del Ingernieria Centro de Computo
|
||||
.nico generic DWANGO Co., Ltd.
|
||||
.ninja generic United TLD Holdco Ltd.
|
||||
.nl country-code SIDN (Stichting Internet Domeinregistratie Nederland)
|
||||
.no country-code UNINETT Norid A/S
|
||||
.np country-code Mercantile Communications Pvt. Ltd.
|
||||
.nr country-code CENPAC NET
|
||||
.nra generic NRA Holdings Company, INC.
|
||||
.nrw generic Minds + Machines GmbH
|
||||
.ntt generic NIPPON TELEGRAPH AND TELEPHONE CORPORATION
|
||||
.nu country-code The IUSN Foundation
|
||||
.nyc generic The City of New York by and through the New York City Department of Information Technology & Telecommunications
|
||||
.nz country-code InternetNZ
|
||||
.okinawa generic BusinessRalliart inc.
|
||||
.om country-code Telecommunications Regulatory Authority (TRA)
|
||||
.one generic One.com A/S
|
||||
.ong generic Public Interest Registry
|
||||
.onl generic I-REGISTRY Ltd., Niederlassung Deutschland
|
||||
.ooo generic INFIBEAM INCORPORATION LIMITED
|
||||
.org generic Public Interest Registry (PIR)
|
||||
.organic generic Afilias Limited
|
||||
.osaka generic Interlink Co., Ltd.
|
||||
.otsuka generic Otsuka Holdings Co., Ltd.
|
||||
.ovh generic OVH SAS
|
||||
.pa country-code Universidad Tecnologica de Panama
|
||||
.paris generic City of Paris
|
||||
.partners generic Magic Glen, LLC
|
||||
.parts generic Sea Goodbye, LLC
|
||||
.party generic Blue Sky Registry Limited
|
||||
.pe country-code Red Cientifica Peruana
|
||||
.pf country-code Gouvernement de la Polynésie française
|
||||
.pg country-code PNG DNS Administration Vice Chancellors Office The Papua New Guinea University of Technology
|
||||
.ph country-code PH Domain Foundation
|
||||
.pharmacy generic National Association of Boards of Pharmacy
|
||||
.photo generic Uniregistry, Corp.
|
||||
.photography generic Sugar Glen, LLC
|
||||
.photos generic Sea Corner, LLC
|
||||
.physio generic PhysBiz Pty Ltd
|
||||
.pics generic Uniregistry, Corp.
|
||||
.pictures generic Foggy Sky, LLC
|
||||
.pink generic Afilias Limited
|
||||
.pizza generic Foggy Moon, LLC
|
||||
.pk country-code PKNIC
|
||||
.pl country-code Research and Academic Computer Network
|
||||
.place generic Snow Galley, LLC
|
||||
.plumbing generic Spring Tigers, LLC
|
||||
.pm country-code Association Française pour le Nommage Internet en Coopération (A.F.N.I.C.)
|
||||
.pn country-code Pitcairn Island Administration
|
||||
.pohl generic Deutsche Vermögensberatung Aktiengesellschaft DVAG
|
||||
.poker generic Afilias Domains No. 5 Limited
|
||||
.porn generic ICM Registry PN LLC
|
||||
.post sponsored Universal Postal Union
|
||||
.pr country-code Gauss Research Laboratory Inc.
|
||||
.praxi generic Praxi S.p.A.
|
||||
.press generic DotPress Inc.
|
||||
.pro generic-restricted Registry Services Corporation dba RegistryPro
|
||||
.prod generic Charleston Road Registry Inc.
|
||||
.productions generic Magic Birch, LLC
|
||||
.prof generic Charleston Road Registry Inc.
|
||||
.properties generic Big Pass, LLC
|
||||
.property generic Uniregistry, Corp.
|
||||
.ps country-code Ministry Of Telecommunications & Information Technology, Government Computer Center.
|
||||
.pt country-code Associação DNS.PT
|
||||
.pub generic United TLD Holdco Ltd.
|
||||
.pw country-code Micronesia Investment and Development Corporation
|
||||
.py country-code NIC-PY
|
||||
.qa country-code Communications Regulatory Authority
|
||||
.qpon generic dotCOOL, Inc.
|
||||
.quebec generic PointQuébec Inc
|
||||
.re country-code Association Française pour le Nommage Internet en Coopération (A.F.N.I.C.)
|
||||
.realtor generic Real Estate Domains LLC
|
||||
.recipes generic Grand Island, LLC
|
||||
.red generic Afilias Limited
|
||||
.rehab generic United TLD Holdco Ltd.
|
||||
.reise generic dotreise GmbH
|
||||
.reisen generic New Cypress, LLC
|
||||
.reit generic National Association of Real Estate Investment Trusts, Inc.
|
||||
.ren generic Beijing Qianxiang Wangjing Technology Development Co., Ltd.
|
||||
.rentals generic Big Hollow,LLC
|
||||
.repair generic Lone Sunset, LLC
|
||||
.report generic Binky Glen, LLC
|
||||
.republican generic United TLD Holdco Ltd.
|
||||
.rest generic Punto 2012 Sociedad Anonima Promotora de Inversion de Capital Variable
|
||||
.restaurant generic Snow Avenue, LLC
|
||||
.reviews generic United TLD Holdco, Ltd.
|
||||
.rich generic I-REGISTRY Ltd., Niederlassung Deutschland
|
||||
.rio generic Empresa Municipal de Informática SA - IPLANRIO
|
||||
.rip generic United TLD Holdco Ltd.
|
||||
.ro country-code National Institute for R&D in Informatics
|
||||
.rocks generic United TLD Holdco, LTD.
|
||||
.rodeo generic Top Level Domain Holdings Limited
|
||||
.rs country-code Serbian National Internet Domain Registry (RNIDS)
|
||||
.rsvp generic Charleston Road Registry Inc.
|
||||
.ru country-code Coordination Center for TLD RU
|
||||
.ruhr generic regiodot GmbH & Co. KG
|
||||
.rw country-code Rwanda Information Communication and Technology Association (RICTA)
|
||||
.ryukyu generic BusinessRalliart inc.
|
||||
.sa country-code Communications and Information Technology Commission
|
||||
.saarland generic dotSaarland GmbH
|
||||
.sale generic United TLD Holdco, Ltd
|
||||
.samsung generic SAMSUNG SDS CO., LTD
|
||||
.sarl generic Delta Orchard, LLC
|
||||
.saxo generic Saxo Bank A/S
|
||||
.sb country-code Solomon Telekom Company Limited
|
||||
.sc country-code VCS Pty Ltd
|
||||
.sca generic SVENSKA CELLULOSA AKTIEBOLAGET SCA (publ)
|
||||
.scb generic The Siam Commercial Bank Public Company Limited ("SCB")
|
||||
.schmidt generic SALM S.A.S.
|
||||
.schule generic Outer Moon, LLC
|
||||
.schwarz generic Schwarz Domains und Services GmbH & Co. KG
|
||||
.science generic dot Science Limited
|
||||
.scot generic Dot Scot Registry Limited
|
||||
.sd country-code Sudan Internet Society
|
||||
.se country-code The Internet Infrastructure Foundation
|
||||
.services generic Fox Castle, LLC
|
||||
.sew generic SEW-EURODRIVE GmbH & Co KG
|
||||
.sexy generic Uniregistry, Corp.
|
||||
.sg country-code Singapore Network Information Centre (SGNIC) Pte Ltd
|
||||
.sh country-code Government of St. Helena
|
||||
.shiksha generic Afilias Limited
|
||||
.shoes generic Binky Galley, LLC
|
||||
.shriram generic Shriram Capital Ltd.
|
||||
.si country-code Academic and Research Network of Slovenia (ARNES)
|
||||
.singles generic Fern Madison, LLC
|
||||
.sj country-code UNINETT Norid A/S
|
||||
.sk country-code SK-NIC, a.s.
|
||||
.sky generic Sky IP International Ltd, a company incorporated in England and Wales, operating via its registered Swiss branch
|
||||
.sl country-code Sierratel
|
||||
.sm country-code Telecom Italia San Marino S.p.A.
|
||||
.sn country-code Universite Cheikh Anta Diop NIC Senegal
|
||||
.so country-code Ministry of Post and Telecommunications
|
||||
.social generic United TLD Holdco Ltd.
|
||||
.software generic United TLD Holdco, Ltd
|
||||
.sohu generic Sohu.com Limited
|
||||
.solar generic Ruby Town, LLC
|
||||
.solutions generic Silver Cover, LLC
|
||||
.soy generic Charleston Road Registry Inc.
|
||||
.space generic DotSpace Inc.
|
||||
.spiegel generic SPIEGEL-Verlag Rudolf Augstein GmbH & Co. KG
|
||||
.sr country-code Telesur
|
||||
.ss country-code Not assigned
|
||||
.st country-code Tecnisys
|
||||
.style generic Binky Moon, LLC
|
||||
.su country-code Russian Institute for Development of Public Networks (ROSNIIROS)
|
||||
.supplies generic Atomic Fields, LLC
|
||||
.supply generic Half Falls, LLC
|
||||
.support generic Grand Orchard, LLC
|
||||
.surf generic Top Level Domain Holdings Limited
|
||||
.surgery generic Tin Avenue, LLC
|
||||
.suzuki generic SUZUKI MOTOR CORPORATION
|
||||
.sv country-code SVNet
|
||||
.sx country-code SX Registry SA B.V.
|
||||
.sy country-code National Agency for Network Services (NANS)
|
||||
.sydney generic State of New South Wales, Department of Premier and Cabinet
|
||||
.systems generic Dash Cypress, LLC
|
||||
.sz country-code University of Swaziland Department of Computer Science
|
||||
.taipei generic Taipei City Government
|
||||
.tatar generic Limited Liability Company "Coordination Center of Regional Domain of Tatarstan Republic"
|
||||
.tattoo generic Uniregistry, Corp.
|
||||
.tax generic Storm Orchard, LLC
|
||||
.tc country-code Melrex TC
|
||||
.td country-code Société des télécommunications du Tchad (SOTEL TCHAD)
|
||||
.technology generic Auburn Falls, LLC
|
||||
.tel sponsored Telnic Ltd.
|
||||
.temasek generic Temasek Holdings (Private) Limited
|
||||
.tennis generic Cotton Bloom, LLC
|
||||
.tf country-code Association Française pour le Nommage Internet en Coopération (A.F.N.I.C.)
|
||||
.tg country-code Cafe Informatique et Telecommunications
|
||||
.th country-code Thai Network Information Center Foundation
|
||||
.tienda generic Victor Manor, LLC
|
||||
.tips generic Corn Willow, LLC
|
||||
.tires generic Dog Edge, LLC
|
||||
.tirol generic punkt Tirol GmbH
|
||||
.tj country-code Information Technology Center
|
||||
.tk country-code Telecommunication Tokelau Corporation (Teletok)
|
||||
.tl country-code Ministry of Transport and Communications; National Division of Information and Technology
|
||||
.tm country-code TM Domain Registry Ltd
|
||||
.tn country-code Agence Tunisienne d'Internet
|
||||
.to country-code Government of the Kingdom of Tonga H.R.H. Crown Prince Tupouto'a c/o Consulate of Tonga
|
||||
.today generic Pearl Woods, LLC
|
||||
.tokyo generic GMO Registry, Inc.
|
||||
.tools generic Pioneer North, LLC
|
||||
.top generic Jiangsu Bangning Science & Technology Co.,Ltd.
|
||||
.toshiba generic TOSHIBA Corporation
|
||||
.town generic Koko Moon, LLC
|
||||
.toys generic Pioneer Orchard, LLC
|
||||
.tp country-code -
|
||||
.tr country-code Middle East Technical University Department of Computer Engineering
|
||||
.trade generic Elite Registry Limited
|
||||
.training generic Wild Willow, LLC
|
||||
.travel sponsored Tralliance Registry Management Company, LLC.
|
||||
.trust generic Artemis Internet Inc
|
||||
.tt country-code University of the West Indies Faculty of Engineering
|
||||
.tui generic TUI AG
|
||||
.tv country-code Ministry of Finance and Tourism
|
||||
.tw country-code Taiwan Network Information Center (TWNIC)
|
||||
.tz country-code Tanzania Network Information Centre (tzNIC)
|
||||
.ua country-code Hostmaster Ltd.
|
||||
.ug country-code Uganda Online Ltd.
|
||||
.uk country-code Nominet UK
|
||||
.um country-code Not assigned
|
||||
.university generic Little Station, LLC
|
||||
.uno generic Dot Latin LLC
|
||||
.uol generic UBN INTERNET LTDA.
|
||||
.us country-code NeuStar, Inc.
|
||||
.uy country-code SeCIU - Universidad de la Republica
|
||||
.uz country-code Computerization and Information Technologies Developing Center UZINFOCOM
|
||||
.va country-code Holy See Secretariat of State Department of Telecommunications
|
||||
.vacations generic Atomic Tigers, LLC
|
||||
.vc country-code Ministry of Telecommunications, Science, Technology and Industry
|
||||
.ve country-code Comisión Nacional de Telecomunicaciones (CONATEL)
|
||||
.vegas generic Dot Vegas, Inc.
|
||||
.ventures generic Binky Lake, LLC
|
||||
.versicherung generic dotversicherung-registry GmbH
|
||||
.vet generic United TLD Holdco, Ltd
|
||||
.vg country-code Telecommunications Regulatory Commission of the Virgin Islands
|
||||
.vi country-code Virgin Islands Public Telcommunications System c/o COBEX Internet Services
|
||||
.viajes generic Black Madison, LLC
|
||||
.video generic United TLD Holdco, Ltd
|
||||
.villas generic New Sky, LLC
|
||||
.vision generic Koko Station, LLC
|
||||
.vlaanderen generic DNS.be vzw
|
||||
.vn country-code Ministry of Information and Communications of Socialist Republic of Viet Nam
|
||||
.vodka generic Top Level Domain Holdings Limited
|
||||
.vote generic Monolith Registry LLC
|
||||
.voting generic Valuetainment Corp.
|
||||
.voto generic Monolith Registry LLC
|
||||
.voyage generic Ruby House, LLC
|
||||
.vu country-code Telecom Vanuatu Limited
|
||||
.wales generic Nominet UK
|
||||
.wang generic Zodiac Registry Limited
|
||||
.watch generic Sand Shadow, LLC
|
||||
.webcam generic dot Webcam Limited
|
||||
.website generic DotWebsite Inc.
|
||||
.wed generic Atgron, Inc.
|
||||
.wedding generic Top Level Domain Holdings Limited
|
||||
.wf country-code Association Française pour le Nommage Internet en Coopération (A.F.N.I.C.)
|
||||
.whoswho generic Who's Who Registry
|
||||
.wien generic punkt.wien GmbH
|
||||
.wiki generic Top Level Design, LLC
|
||||
.williamhill generic William Hill Organization Limited
|
||||
.wme generic William Morris Endeavor Entertainment, LLC
|
||||
.work generic Top Level Domain Holdings Limited
|
||||
.works generic Little Dynamite, LLC
|
||||
.world generic Bitter Fields, LLC
|
||||
.ws country-code Government of Samoa Ministry of Foreign Affairs & Trade
|
||||
.wtc generic World Trade Centers Association, Inc.
|
||||
.wtf generic Hidden Way, LLC
|
||||
.测试 test Internet Assigned Numbers Authority
|
||||
.परीक्षा test Internet Assigned Numbers Authority
|
||||
.佛山 generic Guangzhou YU Wei Information Technology Co., Ltd.
|
||||
.集团 generic Eagle Horizon Limited
|
||||
.在线 generic TLD REGISTRY LIMITED
|
||||
.한국 country-code KISA (Korea Internet & Security Agency)
|
||||
.ভারত country-code National Internet Exchange of India
|
||||
.八卦 generic Zodiac Scorpio Limited
|
||||
.موقع generic Suhub Electronic Establishment
|
||||
.বাংলা country-code Not assigned
|
||||
.公益 generic China Organizational Name Administration Center
|
||||
.公司 generic Computer Network Information Center of Chinese Academy of Sciences (China Internet Network Information Center)
|
||||
.移动 generic Afilias Limited
|
||||
.我爱你 generic Tycoon Treasure Limited
|
||||
.москва generic Foundation for Assistance for Internet Technologies and Infrastructure Development (FAITID)
|
||||
.испытание test Internet Assigned Numbers Authority
|
||||
.қаз country-code Association of IT Companies of Kazakhstan
|
||||
.онлайн generic CORE Association
|
||||
.сайт generic CORE Association
|
||||
.срб country-code Serbian National Internet Domain Registry (RNIDS)
|
||||
.бел country-code Reliable Software Inc.
|
||||
.테스트 test Internet Assigned Numbers Authority
|
||||
.淡马锡 generic Temasek Holdings (Private) Limited
|
||||
.орг generic Public Interest Registry
|
||||
.삼성 generic SAMSUNG SDS CO., LTD
|
||||
.சிங்கப்பூர் country-code Singapore Network Information Centre (SGNIC) Pte Ltd
|
||||
.商标 generic HU YI GLOBAL INFORMATION RESOURCES(HOLDING) COMPANY.HONGKONG LIMITED
|
||||
.商店 generic Wild Island, LLC
|
||||
.商城 generic Zodiac Aquarius Limited
|
||||
.дети generic The Foundation for Network Initiatives “The Smart Internet”
|
||||
.мкд country-code Macedonian Academic Research Network Skopje
|
||||
.טעסט test Internet Assigned Numbers Authority
|
||||
.中文网 generic TLD REGISTRY LIMITED
|
||||
.中信 generic CITIC Group Corporation
|
||||
.中国 country-code China Internet Network Information Center
|
||||
.中國 country-code China Internet Network Information Center
|
||||
.谷歌 generic Charleston Road Registry Inc.
|
||||
.భారత్ country-code National Internet Exchange of India
|
||||
.ලංකා country-code LK Domain Registry
|
||||
.測試 test Internet Assigned Numbers Authority
|
||||
.ભારત country-code National Internet Exchange of India
|
||||
.भारत country-code National Internet Exchange of India
|
||||
.آزمایشی test Internet Assigned Numbers Authority
|
||||
.பரிட்சை test Internet Assigned Numbers Authority
|
||||
.网店 generic Zodiac Libra Limited
|
||||
.संगठन generic Public Interest Registry
|
||||
.网络 generic Computer Network Information Center of Chinese Academy of Sciences (China Internet Network Information Center)
|
||||
.укр country-code Ukrainian Network Information Centre (UANIC), Inc.
|
||||
.香港 country-code Hong Kong Internet Registration Corporation Ltd.
|
||||
.δοκιμή test Internet Assigned Numbers Authority
|
||||
.إختبار test Internet Assigned Numbers Authority
|
||||
.台湾 country-code Taiwan Network Information Center (TWNIC)
|
||||
.台灣 country-code Taiwan Network Information Center (TWNIC)
|
||||
.手机 generic Beijing RITT-Net Technology Development Co., Ltd
|
||||
.мон country-code Datacom Co.,Ltd
|
||||
.الجزائر country-code CERIST
|
||||
.عمان country-code Telecommunications Regulatory Authority (TRA)
|
||||
.ایران country-code Institute for Research in Fundamental Sciences (IPM)
|
||||
.امارات country-code Telecommunications Regulatory Authority (TRA)
|
||||
.بازار generic CORE Association
|
||||
.پاکستان country-code Not assigned
|
||||
.الاردن country-code National Information Technology Center (NITC)
|
||||
.بھارت country-code National Internet Exchange of India
|
||||
.المغرب country-code Agence Nationale de Réglementation des Télécommunications (ANRT)
|
||||
.السعودية country-code Communications and Information Technology Commission
|
||||
.سودان country-code Not assigned
|
||||
.عراق country-code Not assigned
|
||||
.مليسيا country-code MYNIC Berhad
|
||||
.شبكة generic International Domain Registry Pty. Ltd.
|
||||
.გე country-code Information Technologies Development Center (ITDC)
|
||||
.机构 generic Public Interest Registry
|
||||
.组织机构 generic Public Interest Registry
|
||||
.ไทย country-code Thai Network Information Center Foundation
|
||||
.سورية country-code National Agency for Network Services (NANS)
|
||||
.рус generic Rusnames Limited
|
||||
.рф country-code Coordination Center for TLD RU
|
||||
.تونس country-code Agence Tunisienne d'Internet
|
||||
.みんな generic Charleston Road Registry Inc.
|
||||
.グーグル generic Charleston Road Registry Inc.
|
||||
.世界 generic Stable Tone Limited
|
||||
.ਭਾਰਤ country-code National Internet Exchange of India
|
||||
.网址 generic KNET Co., Ltd
|
||||
.游戏 generic Spring Fields, LLC
|
||||
.vermögensberater generic Deutsche Vermögensberatung Aktiengesellschaft DVAG
|
||||
.vermögensberatung generic Deutsche Vermögensberatung Aktiengesellschaft DVAG
|
||||
.企业 generic Dash McCook, LLC
|
||||
.مصر country-code National Telecommunication Regulatory Authority - NTRA
|
||||
.قطر country-code Communications Regulatory Authority
|
||||
.广东 generic Guangzhou YU Wei Information Technology Co., Ltd.
|
||||
.இலங்கை country-code LK Domain Registry
|
||||
.இந்தியா country-code National Internet Exchange of India
|
||||
.հայ country-code Not assigned
|
||||
.新加坡 country-code Singapore Network Information Centre (SGNIC) Pte Ltd
|
||||
.فلسطين country-code Ministry of Telecom & Information Technology (MTIT)
|
||||
.テスト test Internet Assigned Numbers Authority
|
||||
.政务 generic China Organizational Name Administration Center
|
||||
.xxx sponsored ICM Registry LLC
|
||||
.xyz generic XYZ.COM LLC
|
||||
.yachts generic DERYachts, LLC
|
||||
.yandex generic YANDEX, LLC
|
||||
.ye country-code TeleYemen
|
||||
.yodobashi generic YODOBASHI CAMERA CO.,LTD.
|
||||
.yoga generic Top Level Domain Holdings Limited
|
||||
.yokohama generic GMO Registry, Inc.
|
||||
.youtube generic Charleston Road Registry Inc.
|
||||
.yt country-code Association Française pour le Nommage Internet en Coopération (A.F.N.I.C.)
|
||||
.za country-code ZA Domain Name Authority
|
||||
.zip generic Charleston Road Registry Inc.
|
||||
.zm country-code Zambia Information and Communications Technology Authority (ZICTA)
|
||||
.zone generic Outer Falls, LLC
|
||||
.zuerich generic Kanton Zürich (Canton of Zurich)
|
||||
.zw country-code Postal and Telecommunications Regulatory Authority of Zimbabwe (POTRAZ)
|
||||
3
attic/concurrency/flags/vaurien_delay.sh
Executable file
3
attic/concurrency/flags/vaurien_delay.sh
Executable file
@@ -0,0 +1,3 @@
|
||||
#!/bin/bash
|
||||
vaurien --protocol http --proxy localhost:8000 --backend localhost:8080 \
|
||||
--behavior 100:delay --behavior-delay-sleep 1
|
||||
3
attic/concurrency/flags/vaurien_error_delay.sh
Executable file
3
attic/concurrency/flags/vaurien_error_delay.sh
Executable file
@@ -0,0 +1,3 @@
|
||||
#!/bin/bash
|
||||
vaurien --protocol http --proxy localhost:8000 --backend localhost:8080 \
|
||||
--behavior 50:error,50:delay --behavior-delay-sleep .5
|
||||
Reference in New Issue
Block a user