-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathminusconf.py
executable file
·753 lines (564 loc) · 23.9 KB
/
minusconf.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
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
#!/usr/bin/env python
# from __future__ import unicode_literals
"""
Implementation of the minusconf protocol. See http://code.google.com/p/minusconf/ for details.
Apache License 2.0, see the LICENSE file for details.
Most users will want a (Thread)Advertiser to advertise their server's location and a Seeker to find out the locations of servers and report them to a client program.
"""
import struct
import socket
import threading
import time
import sys
from gevent import monkey
from helper import get_zerorpc_address
monkey.patch_all()
_IPV6_ENABLED = False
_PORT = 6376
_ADDRESS_4 = '239.45.99.98'
_ADDRESS_6 = 'ff08:0:0:6d69:6e75:7363:6f6e:6600'
_ADDRESSES = [_ADDRESS_4]
if socket.has_ipv6:
_ADDRESSES.append(_ADDRESS_6)
_CHARSET = 'UTF-8'
VERSION = '1.0'
# Compatibility functions
try:
if bytes != str: # Python 3+
_compat_bytes = lambda bytestr: bytes(bytestr, 'charmap')
else: # 2.6+
_compat_bytes = str
except NameError: # <2.6
_compat_bytes = str
try:
_compat_str = unicode
except NameError: # Python 3+
_compat_str = str
_MAGIC = _compat_bytes('\xad\xc3\xe6\xe7')
_OPCODE_QUERY = _compat_bytes('\x01')
_OPCODE_ADVERTISEMENT = _compat_bytes('\x65')
_OPCODE_ERROR = _compat_bytes('\x6f')
_STRING_TERMINATOR = _compat_bytes('\x00')
_TTL = None
_MAX_PACKET_SIZE = 2048 # Biggest packet size this implementation will accept"""
_SEEKER_TIMEOUT = 2.0 # Timeout for seeks in s
class MinusconfError(Exception):
def __init__(self, msg=''):
super(MinusconfError, self).__init__()
self.msg = msg
def send(self, sock, to):
_send_packet(sock, to, _OPCODE_ERROR, _encode_string(self.msg))
class _ImmutableStruct(object):
""" Helper structure for immutable objects """
def __setattr__(self, *args):
raise TypeError("This structure is immutable")
__delattr__ = __setattr__
def __init__(self, **kwargs):
for k, v in kwargs.items():
super(_ImmutableStruct, self).__setattr__(k, v)
def __eq__(self, other):
return self.__dict__ == other.__dict__
def __ne__(self, other):
return self.__dict__ != other.__dict__
def __lt__(self, other):
return self.__dict__ < other.__dict__
def __le__(self, other):
return self.__dict__ <= other.__dict__
def __gt__(self, other):
return self.__dict__ > other.__dict__
def __ge__(self, other):
return self.__dict__ >= other.__dict__
def __hash__(self):
return hash(sum((hash(i) for i in self.__dict__.items())))
class _MinusconfImmutableStruct(_ImmutableStruct):
def __init__(self, **kwargs):
for v in kwargs.values():
_check_val(v)
super(_MinusconfImmutableStruct, self).__init__(**kwargs)
class Service(_MinusconfImmutableStruct):
""" Helper structure for a service."""
def __init__(self, stype, port, sname='', location=''):
super(Service, self).__init__(stype=stype, sname=sname, location=location, port=_compat_str(port),
type=stype, uuid=sname, address=get_zerorpc_address(location, _compat_str(port)))
def matches_query(self, stype, sname):
return _string_match(stype, self.stype) and _string_match(sname, self.sname)
def __str__(self):
res = self.stype + ' service at '
if self.sname != '': res += self.sname + ' '
res += self.location + ':' + self.port
return res
def __repr__(self):
return ('Service(' +
repr(self.stype) + ', ' +
repr(self.port) + ', ' +
repr(self.sname) + ', ' +
repr(self.location) + ')')
class ServiceAt(_MinusconfImmutableStruct):
""" A service returned by an advertiser"""
def __init__(self, aname, stype, sname, location, port, addr):
super(ServiceAt, self).__init__(aname=aname, stype=stype, sname=sname,
location=location, port=port, addr=addr,
type=stype, uuid=sname, address=get_zerorpc_address(addr, port))
def matches_query_at(self, aname, stype, sname):
return _string_match(stype, self.stype) and _string_match(sname, self.sname) and _string_match(aname,
self.aname)
@property
def effective_location(self):
return self.location if self.location != "" else self.addr
def __str__(self):
return (
self.stype + ' service at ' +
((self.sname + ' ') if self.sname != '' else '') +
self.location + ':' + self.port +
' (advertiser "' + self.aname + '" at ' + self.addr + ')'
)
def __repr__(self):
return ('ServiceAt(' +
repr(self.aname) + ', ' +
repr(self.stype) + ', ' +
repr(self.sname) + ', ' +
repr(self.location) + ', ' +
repr(self.port) + ', ' +
repr(self.addr) + ')')
class Advertiser(object):
""" Generic implementation of a -conf advertiser. You will probably want to use one of the subclasses.
If ignore_unavailable is set, unsupported addresses (typically IPv6) are silently ignored
"""
def __init__(self, services=[], aname=None, ignore_unavailable=True):
super(Advertiser, self).__init__()
self.services = services
self.aname = aname if aname != None else socket.gethostname()
self.port = _PORT
self.addresses = _ADDRESSES
self.ignore_unavailable = ignore_unavailable
def _set_aname(self, aname):
_check_val(aname)
self._aname = aname
aname = property(fget=lambda self: self._aname, fset=_set_aname)
def run(self):
self._init_advertiser()
while True:
rawdata, sender = self._sock.recvfrom(_MAX_PACKET_SIZE)
self._handle_packet(rawdata, sender)
def _init_advertiser(self):
sock = _find_sock()
sock_reuse_type = socket.SO_REUSEPORT if sys.platform == 'darwin' else socket.SO_REUSEADDR
sock.setsockopt(socket.SOL_SOCKET, sock_reuse_type, struct.pack('@I', 1))
sock.setsockopt(socket.IPPROTO_IP, socket.IP_MULTICAST_LOOP, struct.pack('@I', 1))
if sock.family == socket.AF_INET6:
sock.setsockopt(socket.IPPROTO_IPV6, socket.IPV6_MULTICAST_LOOP, struct.pack('@I', 1))
sock.bind(('', self.port)) # omit group name to receive from all group
addrs = _resolve_addrs(self.addresses, None, self.ignore_unavailable, (sock.family,))
for fam, to, orig_fam, orig_addr in addrs:
try:
_multicast_join_group(sock, orig_fam, orig_addr)
except socket.error:
if not self.ignore_unavailable:
raise
self._sock = sock
def _handle_packet(self, rawdata, sender):
try:
opcode, data = _parse_packet(rawdata)
if opcode == _OPCODE_QUERY:
self._handle_query(sender, data)
elif opcode == _OPCODE_ERROR:
pass # Explicitely prevent bouncing errors
elif opcode == None:
raise MinusconfError(
'Minusconf magic missing. See http://code.google.com/p/minusconf/source/browse/trunk/protocol.txt for details.')
else:
raise MinusconfError('Invalid or unsupported opcode ' + str(struct.unpack('!B', opcode)[0]))
# Comment out for verbose error handling
#except MinusconfError, mce:
#mce.send(self._sock, sender)
except MinusconfError:
pass
def services_matching(self, stype, sname):
return filter(lambda svc: svc.matches_query(stype, sname), self.services)
def _handle_query(self, sender, qrydata):
qaname, p = _decode_string(qrydata, 0)
qstype, p = _decode_string(qrydata, p)
qsname, p = _decode_string(qrydata, p)
if _string_match(qaname, self.aname):
for svc in self.services_matching(qstype, qsname):
rply = (
_encode_string(self.aname) +
_encode_string(svc.stype) +
_encode_string(svc.sname) +
_encode_string(svc.location) +
_encode_string(svc.port)
)
_send_packet(self._sock, sender, _OPCODE_ADVERTISEMENT, rply)
class ConcurrentAdvertiser(Advertiser):
# Subclasses must set _cav_started to an event
def start_blocking(self):
""" Start the advertiser in the background, but wait until it is ready """
self._cav_started.clear()
self.start()
self._cav_started.wait()
def _init_advertiser(self):
try:
super(ConcurrentAdvertiser, self)._init_advertiser()
finally:
self._cav_started.set()
def wait_until_ready(self, timeout=None):
self._cav_started.wait(timeout)
def stop(self):
raise NotImplementedError()
def stop_blocking(self):
raise NotImplementedError()
class ThreadAdvertiser(ConcurrentAdvertiser, threading.Thread):
def __init__(self, services=[], aname=None, ignore_unavailable=True, daemon=True):
ConcurrentAdvertiser.__init__(self, services, aname, ignore_unavailable)
threading.Thread.__init__(self)
self.setDaemon(daemon)
self._cav_started = self._createEvent()
self._ta_should_stop = self._createEvent()
def run(self):
self._ta_should_stop.clear()
self._init_advertiser()
while True:
rawdata, sender = self._sock.recvfrom(_MAX_PACKET_SIZE)
if self._ta_should_stop.is_set():
break
self._handle_packet(rawdata, sender)
def stop(self):
self._ta_should_stop.set()
def stop_blocking(self):
""" Stop the service and wait for it to be cleaned up. """
self.stop() # The thread will be there, but will terminate upon the next message
@staticmethod
def _createEvent():
res = threading.Event()
if not hasattr(res, 'is_set'): # Python<2.6
res.is_set = res.isSet
return res
try:
import multiprocessing
class MultiprocessingAdvertiser(ConcurrentAdvertiser, multiprocessing.Process):
"""
multiprocessing is only available for Python 2.6+.
See http://code.google.com/p/python-multiprocessing/ for a backport.
"""
def __init__(self, services=[], aname=None, ignore_unavailable=True, daemon=True):
ConcurrentAdvertiser.__init__(self, services, aname, ignore_unavailable)
multiprocessing.Process.__init__(self)
self.daemon = daemon
self._cav_started = multiprocessing.Event()
self._mpa_manager = multiprocessing.Manager()
self.services = self._mpa_manager.list(services)
def stop(self):
self.terminate()
def stop_blocking(self):
self.stop()
self.join()
except ImportError:
pass
class Seeker(threading.Thread):
""" find_callback is called with (this_seeker,found_service_at)
error_callback is called with (this seeker, sender, error message)
"""
def __init__(self, stype='', aname='', sname='', timeout=_SEEKER_TIMEOUT, port=_PORT, addresses=_ADDRESSES,
find_callback=None, error_callback=None, daemonized=True, ignore_senderrors=True):
super(Seeker, self).__init__()
self.timeout = timeout
self.port = port
self.addresses = addresses
self.find_callback = find_callback
self.error_callback = error_callback
self.setDaemon(daemonized)
self.ignore_senderrors = ignore_senderrors
self.reset(stype, aname, sname)
def reset(self, stype='', aname='', sname=''):
self.stype = stype
self.aname = aname
self.sname = sname
def _set_stype(self, stype):
_check_val(stype)
self._stype = stype
stype = property(fget=lambda self: self._stype, fset=_set_stype)
def _set_aname(self, aname):
_check_val(aname)
self._aname = aname
aname = property(fget=lambda self: self._aname, fset=_set_aname)
def _set_sname(self, sname):
_check_val(sname)
self._sname = sname
sname = property(fget=lambda self: self._sname, fset=_set_sname)
def run(self):
self._init_seeker()
if self._send_queries() > 0:
self._read_replies()
return self.results
def run_forever(self):
self.timeout = None
self.run()
def _init_seeker(self):
self.results = set()
self._sock = _find_sock()
_multicast_configure_sender(self._sock, _TTL)
def _send_queries(self):
""" Sends queries to multiple addresses. Returns the number of successful queries. """
res = 0
addrs = _resolve_addrs(self.addresses, self.port, self.ignore_senderrors, [self._sock.family])
for addr in addrs:
try:
self._send_query(addr[1])
res += 1
except:
if not self.ignore_senderrors:
raise
return res
def _send_query(self, to):
binqry = _encode_string(self.aname)
binqry += _encode_string(self.stype)
binqry += _encode_string(self.sname)
_send_packet(self._sock, to, _OPCODE_QUERY, binqry)
def _read_replies(self):
if self.timeout == None:
self._sock.settimeout(None)
else:
starttime = time.time()
while True:
if self.timeout != None:
timeout = self.timeout - (time.time() - starttime)
if timeout < 0:
break
self._sock.settimeout(timeout)
try:
rawdata, sender = self._sock.recvfrom(_MAX_PACKET_SIZE)
except socket.timeout:
break
self._handle_packet(rawdata, sender)
def _handle_packet(self, rawdata, sender):
try:
opcode, data = _parse_packet(rawdata)
if opcode == _OPCODE_ADVERTISEMENT:
self._handle_advertisement(data, sender)
elif opcode == _OPCODE_ERROR:
try:
error_str = _decode_string(data, 0)[0]
except:
error_str = '[Error when trying to read error message ' + repr(data) + ']'
if self.error_callback != None:
self.error_callback(self, sender, error_str)
else: # Invalid opcode
pass
except MinusconfError: # Invalid packet
pass
def _handle_advertisement(self, bindata, sender):
aname, p = _decode_string(bindata, 0)
stype, p = _decode_string(bindata, p)
sname, p = _decode_string(bindata, p)
location, p = _decode_string(bindata, p)
port, p = _decode_string(bindata, p)
if stype == '': # servicetype must be non-empty
return
svca = ServiceAt(aname, stype, sname, location, port, sender[0])
if svca.matches_query_at(self.aname, self.stype, self.sname):
self._found_result(svca)
def _found_result(self, result):
if not (result in self.results):
self.results.add(result)
if self.find_callback != None:
self.find_callback(self, result)
def _send_packet(sock, to, opcode, data):
sock.sendto(_MAGIC + opcode + data, 0, to)
def _parse_packet(rawdata):
""" Returns a tupel (opcode, minusconf-data). opcode is None if this isn't a -conf packet."""
if (len(rawdata) < len(_MAGIC) + 1) or (_MAGIC != rawdata[:len(_MAGIC)]):
# Wrong protocol
return (None, None)
opcode = rawdata[len(_MAGIC):len(_MAGIC) + 1]
payload = rawdata[len(_MAGIC) + 1:]
return (opcode, payload)
def _check_val(val):
""" Checks whether a minusconf value contains any NUL bytes. """
try:
if val.find('\x00') >= 0:
raise ValueError(repr(val) + ' contains a NUL byte')
except AttributeError: # Not a string or compatible
pass
def _encode_string(val):
return val.encode(_CHARSET) + _STRING_TERMINATOR
def _decode_string(buf, pos):
""" Decodes a string in the buffer buf, starting at position pos.
Returns a tupel of the read string and the next byte to read.
"""
for i in range(pos, len(buf)):
if buf[i:i + 1] == _compat_bytes('\x00'):
try:
return (buf[pos:i].decode(_CHARSET), i + 1)
# Uncomment the following two lines for detailled information
#except UnicodeDecodeError as ude:
# raise MinusconfError(str(ude))
except UnicodeDecodeError:
raise MinusconfError('Not a valid ' + _CHARSET + ' string: ' + repr(buf[pos:i]))
raise MinusconfError("Premature end of string (Forgot trailing \\0?), buf=" + repr(buf))
def _string_match(query, value):
return query == "" or query == value
def _multicast_configure_sender(sock, ttl=None):
if ttl != None:
ttl_bin = struct.pack('@I', ttl)
sock.setsockopt(socket.IPPROTO_IP, socket.IP_MULTICAST_TTL, ttl_bin)
if sock.family == socket.AF_INET6:
sock.setsockopt(socket.IPPROTO_IPV6, socket.IPV6_MULTICAST_HOPS, ttl_bin)
def _multicast_join_group(sock, family, addr):
group_bin = _inet_pton(family, addr)
if family == socket.AF_INET: # IPv4
mreq = group_bin + struct.pack('=I', socket.INADDR_ANY)
sock.setsockopt(socket.IPPROTO_IP, socket.IP_ADD_MEMBERSHIP, mreq)
elif family == socket.AF_INET6: # IPv6
mreq = group_bin + struct.pack('@I', 0)
sock.setsockopt(socket.IPPROTO_IPV6, socket.IPV6_JOIN_GROUP, mreq)
else:
raise ValueError('Unsupported protocol family ' + family)
def _resolve_addrs(straddrs, port, ignore_unavailable=False, protocols=[socket.AF_INET, socket.AF_INET6]):
""" Returns a tupel of tupels of (family, to, original_addr_family, original_addr).
If ignore_unavailable is set, addresses for unavailable protocols are ignored.
protocols determines the protocol family indices supported by the socket in use. """
res = []
for sa in straddrs:
try:
ais = socket.getaddrinfo(sa, port)
for ai in ais:
if ai[0] in protocols:
res.append((ai[0], ai[4], ai[0], ai[4][0]))
break
else:
# Try to convert from IPv4 to IPv6
ai = ais[0]
if ai[0] == socket.AF_INET and socket.AF_INET6 in protocols:
to = socket.getaddrinfo('::ffff:' + ai[4][0], port, socket.AF_INET6)[0][4]
res.append((socket.AF_INET6, to, ai[0], ai[4][0]))
except socket.gaierror:
if not ignore_unavailable:
raise
return res
def _find_sock():
""" Create a UDP socket """
if _IPV6_ENABLED and socket.has_ipv6:
try:
return socket.socket(socket.AF_INET6, socket.SOCK_DGRAM)
except socket.gaierror:
pass # Platform lied about IPv6 support
return socket.socket(socket.AF_INET, socket.SOCK_DGRAM)
def _main():
""" CLI interface """
import sys
if len(sys.argv) < 2:
_usage('Expected at least one parameter!')
sc = sys.argv[1]
options = sys.argv[2:]
if sc == 'a' or sc == 'advertise':
if len(options) > 5 or len(options) < 2:
_usage()
stype, port = options[:2]
advertisername = options[2] if len(options) > 2 else None
sname = options[3] if len(options) > 3 else ''
slocation = options[4] if len(options) > 4 else ''
service = Service(stype, port, sname, slocation)
advertiser = Advertiser([service], advertisername)
advertiser.run()
elif sc == 's' or sc == 'seek':
if len(options) > 4:
_usage()
aname = options[0] if len(options) > 0 else ''
stype = options[1] if len(options) > 1 else ''
sname = options[2] if len(options) > 2 else ''
se = Seeker(aname, stype, sname, find_callback=_print_result, error_callback=_print_error)
se.run_forever()
else:
_usage('Unknown subcommand "' + sys.argv[0] + '"')
def _print_result(seeker, svca):
print ("Found " + str(svca))
def _print_error(seeker, opposite, error_str):
import sys
sys.stderr.write("Error from " + str(opposite) + ": " + error_str + "\n")
def _usage(note=None, and_exit=True):
import sys
if note != None:
print("Error: " + note + "\n")
print("Usage: " + sys.argv[0] + " subcommand options...")
print("\ta[dvertise] servicetype port [advertisername [servicename [location]]]")
print("\ts[eek] [servicetype [advertisername [servicename]]]")
print('Use "" for default/any value.')
print("Examples:")
print("\t" + sys.argv[0] + " advertise http 80 fastmachine Apache")
print("\t" + sys.argv[0] + ' seek http "" Apache')
if and_exit:
sys.exit(0)
def _compat_inet_pton(family, addr):
""" socket.inet_pton for platforms that don't have it """
if family == socket.AF_INET:
# inet_aton accepts some strange forms, so we use our own
res = _compat_bytes('')
parts = addr.split('.')
if len(parts) != 4:
raise ValueError('Expected 4 dot-separated numbers')
for part in parts:
intval = int(part, 10)
if intval < 0 or intval > 0xff:
raise ValueError("Invalid integer value in IPv4 address: " + str(intval))
res = res + struct.pack('!B', intval)
return res
elif family == socket.AF_INET6:
wordcount = 8
res = _compat_bytes('')
# IPv4 embedded?
dotpos = addr.find('.')
if dotpos >= 0:
v4start = addr.rfind(':', 0, dotpos)
if v4start == -1:
raise ValueException("Missing colons in an IPv6 address")
wordcount = 6
res = socket.inet_aton(addr[v4start + 1:])
addr = addr[:v4start] + '!' # We leave a marker that the address is not finished
# Compact version?
compact_pos = addr.find('::')
if compact_pos >= 0:
if compact_pos == 0:
addr = '0' + addr
compact_pos += 1
if compact_pos == len(addr) - len('::'):
addr = addr + '0'
addr = (addr[:compact_pos] + ':' +
('0:' * (wordcount - (addr.count(':') - '::'.count(':')) - 2))
+ addr[compact_pos + len('::'):])
# Remove any dots we left
if addr.endswith('!'):
addr = addr[:-len('!')]
words = addr.split(':')
if len(words) != wordcount:
raise ValueError('Invalid number of IPv6 hextets, expected ' + str(wordcount) + ', got ' + str(len(words)))
for w in reversed(words):
# 0x and negative is not valid here, but accepted by int(,16)
if 'x' in w or '-' in w:
raise ValueError("Invalid character in IPv6 address")
intval = int(w, 16)
if intval > 0xffff:
raise ValueError("IPv6 address componenent too big")
res = struct.pack('!H', intval) + res
return res
else:
raise ValueError("Unknown protocol family " + family)
# Cover for socket_pton inavailability on some systems (non-IPv6 or Windows)
try:
import ipaddr
if hasattr(ipaddr.IPv4, 'packed'):
def _inet_pton(family, addr):
if family == socket.AF_INET:
return ipaddr.IPv4(addr).packed
elif family == socket.AF_INET6:
return ipaddr.IPv6(addr).packed
else:
raise ValueError("Unknown protocol family " + family)
except:
pass
if not '_inet_pton' in dir():
if hasattr(socket, 'inet_pton'):
_inet_pton = socket.inet_pton
else:
_inet_pton = _compat_inet_pton
if __name__ == '__main__':
_main()