forked from Bemmu/PyNamecheap
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathnamecheap.py
471 lines (398 loc) · 16.6 KB
/
namecheap.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
import sys
import time
import requests # pip install requests
from xml.etree.ElementTree import fromstring
inPy3k = sys.version_info[0] == 3
# http://developer.namecheap.com/docs/doku.php?id=overview:2.environments
ENDPOINTS = {
# To use
# 1) browse to http://www.sandbox.namecheap.com/
# 2) create account, my account > manage profile > api access > enable API
# 3) add your IP address to whitelist
'sandbox': 'https://api.sandbox.namecheap.com/xml.response',
'production': 'https://api.namecheap.com/xml.response',
}
NAMESPACE = "http://api.namecheap.com/xml.response"
# default values for the retry mechanism
DEFAULT_ATTEMPTS_COUNT = 1 # no retries
DEFAULT_ATTEMPTS_DELAY = 0.1 # in seconds
# https://www.namecheap.com/support/api/error-codes.aspx
class ApiError(Exception):
def __init__(self, number, text):
Exception.__init__(self, '%s - %s' % (number, text))
self.number = number
self.text = text
class Api(object):
# Follows API spec capitalization in variable names for consistency.
def __init__(self, ApiUser, ApiKey, UserName, ClientIP,
sandbox=True, debug=True,
attempts_count=DEFAULT_ATTEMPTS_COUNT,
attempts_delay=DEFAULT_ATTEMPTS_DELAY):
self.ApiUser = ApiUser
self.ApiKey = ApiKey
self.UserName = UserName
self.ClientIP = ClientIP
self.endpoint = ENDPOINTS['sandbox' if sandbox else 'production']
self.debug = debug
self.payload_limit = 10 # After hitting this lenght limit script will move payload from POST params to POST data
self.attempts_count = attempts_count
self.attempts_delay = attempts_delay
# https://www.namecheap.com/support/api/methods/domains/create.aspx
def domains_create(
self,
DomainName, FirstName, LastName,
Address1, City, StateProvince, PostalCode, Country, Phone,
EmailAddress, Address2=None, years=1, WhoisGuard=False
):
"""
Registers a domain name with the given contact info.
Example of a working phone number: +81.123123123
For simplicity assumes one person acts as all contact types."""
contact_types = ['Registrant', 'Tech', 'Admin', 'AuxBilling']
extra_payload = {
'DomainName': DomainName,
'years': years
}
if WhoisGuard:
extra_payload.update({
'AddFreeWhoisguard': 'yes',
'WGEnabled': 'yes',
})
for contact_type in contact_types:
extra_payload.update({
'%sFirstName' % contact_type: FirstName,
'%sLastName' % contact_type: LastName,
'%sAddress1' % contact_type: Address1,
'%sCity' % contact_type: City,
'%sStateProvince' % contact_type: StateProvince,
'%sPostalCode' % contact_type: PostalCode,
'%sCountry' % contact_type: Country,
'%sPhone' % contact_type: Phone,
'%sEmailAddress' % contact_type: EmailAddress,
})
if Address2:
extra_payload['%sAddress2' % contact_type] = Address2
self._call('namecheap.domains.create', extra_payload)
def _payload(self, Command, extra_payload={}):
"""Make dictionary for passing to requests.post"""
payload = {
'ApiUser': self.ApiUser,
'ApiKey': self.ApiKey,
'UserName': self.UserName,
'ClientIP': self.ClientIP,
'Command': Command,
}
# Namecheap recommends to use HTTPPOST method when setting more than 10 hostnames
# https://www.namecheap.com/support/api/methods/domains-dns/set-hosts.aspx
if len(extra_payload) < self.payload_limit:
payload.update(extra_payload)
extra_payload = {}
return payload, extra_payload
def _fetch_xml(self, payload, extra_payload = None):
"""Make network call and return parsed XML element"""
attempts_left = self.attempts_count
while attempts_left > 0:
if extra_payload:
r = requests.post(self.endpoint, params=payload, data=extra_payload)
else:
r = requests.post(self.endpoint, params=payload)
if 200 <= r.status_code <= 299:
break
if attempts_left <= 1:
# Here we provide 1 error code which is not present in official docs
raise ApiError('1', 'Did not receive 200 (Ok) response')
if self.debug:
print('Received status %d ... retrying ...' % (r.status_code))
time.sleep(self.attempts_delay)
attempts_left -= 1
if self.debug:
print("--- Request ---")
print(r.url)
print(extra_payload)
print("--- Response ---")
print(r.text)
xml = fromstring(r.text)
if xml.attrib['Status'] == 'ERROR':
# Response namespace must be prepended to tag names.
xpath = './/{%(ns)s}Errors/{%(ns)s}Error' % {'ns': NAMESPACE}
error = xml.find(xpath)
raise ApiError(error.attrib['Number'], error.text)
return xml
def _call(self, Command, extra_payload={}):
"""Call an API command"""
payload, extra_payload = self._payload(Command, extra_payload)
xml = self._fetch_xml(payload, extra_payload)
return xml
class LazyGetListIterator(object):
"""When listing domain names, only one page is returned
initially. The list needs to be paged through to see all.
This iterator gets the next page when necessary."""
def _get_more_results(self):
xml = self.api._fetch_xml(self.payload)
xpath = './/{%(ns)s}CommandResponse/{%(ns)s}DomainGetListResult/{%(ns)s}Domain' % {'ns': NAMESPACE}
domains = xml.findall(xpath)
for domain in domains:
self.results.append(domain.attrib)
self.payload['Page'] += 1
def __init__(self, api, payload):
self.api = api
self.payload = payload
self.results = []
self.i = -1
def __iter__(self):
return self
def __next__(self):
self.i += 1
if self.i >= len(self.results):
self._get_more_results()
if self.i >= len(self.results):
raise StopIteration
else:
return self.results[self.i]
next = __next__
# https://www.namecheap.com/support/api/methods/domains-dns/set-default.aspx
def domains_dns_setDefault(self, domain):
sld, tld = domain.split(".")
self._call("namecheap.domains.dns.setDefault", {
'SLD': sld,
'TLD': tld
})
# https://www.namecheap.com/support/api/methods/domains/check.aspx
def domains_check(self, domains):
"""Checks the availability of domains.
For example
api.domains_check(['taken.com', 'apsdjcpoaskdc.com'])
Might result in
{
'taken.com' : False,
'apsdjcpoaskdc.com' : True
}
"""
# For convenience, allow a single domain to be given
if not inPy3k:
if isinstance(domains, basestring):
return self.domains_check([domains]).items()[0][1]
else:
if isinstance(domains, str):
return list(self.domains_check([domains]).items())[0][1]
extra_payload = {'DomainList': ",".join(domains)}
xml = self._call('namecheap.domains.check', extra_payload)
xpath = './/{%(ns)s}CommandResponse/{%(ns)s}DomainCheckResult' % {'ns': NAMESPACE}
results = {}
for check_result in xml.findall(xpath):
results[check_result.attrib['Domain']] = check_result.attrib['Available'] == 'true'
return results
@classmethod
def _tag_without_namespace(cls, element):
return element.tag.replace("{%s}" % NAMESPACE, "")
@classmethod
def _list_of_dictionaries_to_numbered_payload(cls, l):
"""
[
{'foo' : 'bar', 'cat' : 'purr'},
{'foo' : 'buz'},
{'cat' : 'meow'}
]
becomes
{
'foo1' : 'bar',
'cat1' : 'purr',
'foo2' : 'buz',
'cat3' : 'meow'
}
"""
return dict(sum([
[(k + str(i + 1), v) for k, v in d.items()] for i, d in enumerate(l)
], []))
@classmethod
def _elements_names_fix(self, host_record):
"""This method converts received message to correct send format.
API answers you with this format:
{
'Name' : '@',
'Type' : 'URL',
'Address' : 'http://news.ycombinator.com',
'MXPref' : '10',
'TTL' : '100'
}
And you should convert it to this one in order to sync the records:
{
'HostName' : '@',
'RecordType' : 'URL',
'Address' : 'http://news.ycombinator.com',
'MXPref' : '10',
'TTL' : '100'
}
"""
conversion_map = [
("Name", "HostName"),
("Type", "RecordType")
]
for field in conversion_map:
# if source field exists
if field[0] in host_record:
# convert it to target field and delete old one
host_record[field[1]] = host_record[field[0]]
del(host_record[field[0]])
return host_record
# https://www.namecheap.com/support/api/methods/domains/get-contacts.aspx
def domains_getContacts(self, DomainName):
"""Gets contact information for the requested domain.
There are many categories of contact info, such as admin and billing.
The returned data is like:
{
'Admin' : {'FirstName' : 'John', 'LastName' : 'Connor', ...},
'Registrant' : {'FirstName' : 'Namecheap.com', 'PhoneExt' : None, ...},
...
}
"""
xml = self._call('namecheap.domains.getContacts', {'DomainName': DomainName})
xpath = './/{%(ns)s}CommandResponse/{%(ns)s}DomainContactsResult/*' % {'ns': NAMESPACE}
results = {}
for contact_type in xml.findall(xpath):
fields_for_one_contact_type = {}
for contact_detail in contact_type.findall('*'):
fields_for_one_contact_type[self._tag_without_namespace(contact_detail)] = contact_detail.text
results[self._tag_without_namespace(contact_type)] = fields_for_one_contact_type
return results
# https://www.namecheap.com/support/api/methods/domains-dns/set-hosts.aspx
def domains_dns_setHosts(self, domain, host_records):
"""Sets the DNS host records for a domain.
Example:
api.domains_dns_setHosts('example.com', [
{
'HostName' : '@',
'RecordType' : 'URL',
'Address' : 'http://news.ycombinator.com',
'MXPref' : '10',
'TTL' : '100'
}
])"""
extra_payload = self._list_of_dictionaries_to_numbered_payload(host_records)
sld, tld = domain.split(".")
extra_payload.update({
'SLD': sld,
'TLD': tld
})
self._call("namecheap.domains.dns.setHosts", extra_payload)
# https://www.namecheap.com/support/api/methods/domains-dns/set-custom.aspx
def domains_dns_setCustom(self, domain, host_records):
"""Sets the domain to use the supplied set of nameservers.
Example:
api.domains_dns_setCustom('example.com', { 'Nameservers' : 'ns1.example.com,ns2.example.com' })"""
extra_payload = host_records
sld, tld = domain.split(".")
extra_payload['SLD'] = sld
extra_payload['TLD'] = tld
self._call("namecheap.domains.dns.setCustom", extra_payload)
# https://www.namecheap.com/support/api/methods/domains-dns/get-hosts.aspx
def domains_dns_getHosts(self, domain):
"""Retrieves DNS host record settings. Note that the key names are different from those
you use when setting the host records."""
sld, tld = domain.split(".")
extra_payload = {
'SLD': sld,
'TLD': tld
}
xml = self._call("namecheap.domains.dns.getHosts", extra_payload)
xpath = './/{%(ns)s}CommandResponse/{%(ns)s}DomainDNSGetHostsResult/*' % {'ns': NAMESPACE}
results = []
for host in xml.findall(xpath):
results.append(host.attrib)
return results
def domains_dns_addHost(self, domain, host_record):
"""This method is absent in original API. The main idea is to let user add one record
while having zero knowledge about the others. Method gonna get full records list, add
single record and push it to the API.
Example:
api.domains_dns_addHost('example.com', {
"RecordType": "A",
"HostName": "test",
"Address": "127.0.0.1",
"MXPref": 10,
"TTL": 1800
})
"""
host_records_remote = self.domains_dns_getHosts(domain)
print("Remote: %i" % len(host_records_remote))
host_records_remote.append(host_record)
host_records_remote = [self._elements_names_fix(x) for x in host_records_remote]
print("To set: %i" % len(host_records_remote))
extra_payload = self._list_of_dictionaries_to_numbered_payload(host_records_remote)
sld, tld = domain.split(".")
extra_payload.update({
'SLD': sld,
'TLD': tld
})
self._call("namecheap.domains.dns.setHosts", extra_payload)
def domains_dns_delHost(self, domain, host_record):
"""This method is absent in original API as well. It executes non-atomic
remove operation over the host record which has the following Type,
Hostname and Address.
Example:
api.domains_dns_delHost('example.com', {
"RecordType": "A",
"HostName": "test",
"Address": "127.0.0.1"
})
"""
host_records_remote = self.domains_dns_getHosts(domain)
print("Remote: %i" % len(host_records_remote))
host_records_new = []
for r in host_records_remote:
cond_type = r["Type"] == host_record["Type"]
cond_name = r["Name"] == host_record["Name"]
cond_addr = r["Address"] == host_record["Address"]
if cond_type and cond_name and cond_addr:
# skipping this record as it is the one we want to delete
pass
else:
host_records_new.append(r)
host_records_new = [self._elements_names_fix(x) for x in host_records_new]
print("To set: %i" % len(host_records_new))
# Check that we delete not more than 1 record at a time
if len(host_records_remote) != len(host_records_new) + 1:
sys.stderr.write(
"Something went wrong while removing host record, delta > 1: %i -> %i, aborting API call.\n" % (
len(host_records_remote),
len(host_records_new)
)
)
return False
extra_payload = self._list_of_dictionaries_to_numbered_payload(host_records_new)
sld, tld = domain.split(".")
extra_payload.update({
'SLD': sld,
'TLD': tld
})
self._call("namecheap.domains.dns.setHosts", extra_payload)
# https://www.namecheap.com/support/api/methods/domains-dns/get-list.aspx
def domains_getList(self, ListType=None, SearchTerm=None, PageSize=None, SortBy=None):
"""Returns an iterable of dicts. Each dict represents one
domain name the user has registered, for example
{
'Name': 'coolestfriends.com',
'Created': '04/11/2012',
'Expires': '04/11/2018',
'ID': '8385859',
'AutoRenew': 'false',
'IsLocked': 'false',
'User': 'Bemmu',
'IsExpired': 'false',
'WhoisGuard': 'NOTPRESENT'
}
"""
# The payload is a dict of GET args that is passed to
# the lazy-loading iterator so that it can know how to
# get more results.
extra_payload = {'Page': 1}
if ListType:
extra_payload['ListType'] = ListType
if SearchTerm:
extra_payload['SearchTerm'] = SearchTerm
if PageSize:
extra_payload['PageSize'] = PageSize
if SortBy:
extra_payload['SortBy'] = SortBy
payload, extra_payload = self._payload('namecheap.domains.getList', extra_payload)
return self.LazyGetListIterator(self, payload)