File size: 12,141 Bytes
06555b5 |
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 |
import asyncio
import binascii
import enum
import hmac
import ipaddress
from collections import OrderedDict
from struct import pack, unpack
from typing import Callable, Dict, List, Optional, Tuple
from .utils import random_transaction_id
COOKIE = 0x2112A442
FINGERPRINT_LENGTH = 8
FINGERPRINT_XOR = 0x5354554E
HEADER_LENGTH = 20
INTEGRITY_LENGTH = 24
IPV4_PROTOCOL = 1
IPV6_PROTOCOL = 2
RETRY_MAX = 6
RETRY_RTO = 0.5
def set_body_length(data: bytes, length: int) -> bytes:
return data[0:2] + pack("!H", length) + data[4:]
def message_fingerprint(data: bytes) -> int:
check_data = set_body_length(data, len(data) - HEADER_LENGTH + FINGERPRINT_LENGTH)
return binascii.crc32(check_data) ^ FINGERPRINT_XOR
def message_integrity(data: bytes, key: bytes) -> bytes:
check_data = set_body_length(data, len(data) - HEADER_LENGTH + INTEGRITY_LENGTH)
return hmac.new(key, check_data, "sha1").digest()
def xor_address(data: bytes, transaction_id: bytes) -> bytes:
xpad = pack("!HI", COOKIE >> 16, COOKIE) + transaction_id
xdata = data[0:2]
for i in range(2, len(data)):
xdata += int.to_bytes(data[i] ^ xpad[i - 2], 1, "big", signed=False)
return xdata
def pack_address(value: Tuple[str, int]) -> bytes:
ip_address = ipaddress.ip_address(value[0])
if isinstance(ip_address, ipaddress.IPv4Address):
protocol = IPV4_PROTOCOL
else:
protocol = IPV6_PROTOCOL
return pack("!BBH", 0, protocol, value[1]) + ip_address.packed
def pack_bytes(value: bytes) -> bytes:
return value
def pack_error_code(value: Tuple[int, str]) -> bytes:
return pack("!HBB", 0, value[0] // 100, value[0] % 100) + value[1].encode("utf8")
def pack_none(value: None) -> bytes:
return b""
def pack_string(value: str) -> bytes:
return value.encode("utf8")
def pack_unsigned(value: int) -> bytes:
return pack("!I", value)
def pack_unsigned_short(value: int) -> bytes:
return pack("!H", value) + b"\x00\x00"
def pack_unsigned_64(value: int) -> bytes:
return pack("!Q", value)
def pack_xor_address(value: Tuple[str, int], transaction_id: bytes) -> bytes:
return xor_address(pack_address(value), transaction_id)
def unpack_address(data: bytes) -> Tuple[str, int]:
if len(data) < 4:
raise ValueError("STUN address length is less than 4 bytes")
reserved, protocol, port = unpack("!BBH", data[0:4])
address = data[4:]
if protocol == IPV4_PROTOCOL:
if len(address) != 4:
raise ValueError("STUN address has invalid length for IPv4")
return (str(ipaddress.IPv4Address(address)), port)
elif protocol == IPV6_PROTOCOL:
if len(address) != 16:
raise ValueError("STUN address has invalid length for IPv6")
return (str(ipaddress.IPv6Address(address)), port)
else:
raise ValueError("STUN address has unknown protocol")
def unpack_xor_address(data: bytes, transaction_id: bytes) -> Tuple[str, int]:
return unpack_address(xor_address(data, transaction_id))
def unpack_bytes(data: bytes) -> bytes:
return data
def unpack_error_code(data: bytes) -> Tuple[int, str]:
if len(data) < 4:
raise ValueError("STUN error code is less than 4 bytes")
reserved, code_high, code_low = unpack("!HBB", data[0:4])
reason = data[4:].decode("utf8")
return (code_high * 100 + code_low, reason)
def unpack_none(data: bytes) -> None:
return None
def unpack_string(data: bytes) -> str:
return data.decode("utf8")
def unpack_unsigned(data: bytes) -> int:
return unpack("!I", data)[0]
def unpack_unsigned_short(data: bytes) -> int:
return unpack("!H", data[0:2])[0]
def unpack_unsigned_64(data: bytes) -> int:
return unpack("!Q", data)[0]
AttributeEntry = Tuple[int, str, Callable, Callable]
ATTRIBUTES: List[AttributeEntry] = [
(0x0001, "MAPPED-ADDRESS", pack_address, unpack_address),
(0x0003, "CHANGE-REQUEST", pack_unsigned, unpack_unsigned),
(0x0004, "SOURCE-ADDRESS", pack_address, unpack_address),
(0x0005, "CHANGED-ADDRESS", pack_address, unpack_address),
(0x0006, "USERNAME", pack_string, unpack_string),
(0x0008, "MESSAGE-INTEGRITY", pack_bytes, unpack_bytes),
(0x0009, "ERROR-CODE", pack_error_code, unpack_error_code),
(0x000C, "CHANNEL-NUMBER", pack_unsigned_short, unpack_unsigned_short),
(0x000D, "LIFETIME", pack_unsigned, unpack_unsigned),
(0x0012, "XOR-PEER-ADDRESS", pack_xor_address, unpack_xor_address),
(0x0014, "REALM", pack_string, unpack_string),
(0x0015, "NONCE", pack_bytes, unpack_bytes),
(0x0016, "XOR-RELAYED-ADDRESS", pack_xor_address, unpack_xor_address),
(0x0019, "REQUESTED-TRANSPORT", pack_unsigned, unpack_unsigned),
(0x0020, "XOR-MAPPED-ADDRESS", pack_xor_address, unpack_xor_address),
(0x0024, "PRIORITY", pack_unsigned, unpack_unsigned),
(0x0025, "USE-CANDIDATE", pack_none, unpack_none),
(0x8022, "SOFTWARE", pack_string, unpack_string),
(0x8028, "FINGERPRINT", pack_unsigned, unpack_unsigned),
(0x8029, "ICE-CONTROLLED", pack_unsigned_64, unpack_unsigned_64),
(0x802A, "ICE-CONTROLLING", pack_unsigned_64, unpack_unsigned_64),
(0x802B, "RESPONSE-ORIGIN", pack_address, unpack_address),
(0x802C, "OTHER-ADDRESS", pack_address, unpack_address),
]
ATTRIBUTES_BY_TYPE: Dict[int, AttributeEntry] = {}
ATTRIBUTES_BY_NAME: Dict[str, AttributeEntry] = {}
for attr in ATTRIBUTES:
ATTRIBUTES_BY_TYPE[attr[0]] = attr
ATTRIBUTES_BY_NAME[attr[1]] = attr
class Class(enum.IntEnum):
REQUEST = 0x000
INDICATION = 0x010
RESPONSE = 0x100
ERROR = 0x110
class Method(enum.IntEnum):
BINDING = 0x1
SHARED_SECRET = 0x2
ALLOCATE = 0x3
REFRESH = 0x4
SEND = 0x6
DATA = 0x7
CREATE_PERMISSION = 0x8
CHANNEL_BIND = 0x9
class Message:
def __init__(
self,
message_method: Method,
message_class: Class,
transaction_id: Optional[bytes] = None,
attributes: Optional[OrderedDict] = None,
) -> None:
self.message_method = message_method
self.message_class = message_class
self.transaction_id = transaction_id or random_transaction_id()
self.attributes = attributes or OrderedDict()
def add_message_integrity(self, key: bytes) -> None:
"""
Add MESSAGE-INTEGRITY and FINGERPRINT attributes to the message.
This must be the last step before sending out the message.
"""
self.attributes.pop("MESSAGE-INTEGRITY", None)
self.attributes.pop("FINGERPRINT", None)
self.attributes["MESSAGE-INTEGRITY"] = message_integrity(bytes(self), key)
self.attributes["FINGERPRINT"] = message_fingerprint(bytes(self))
def __bytes__(self) -> bytes:
data = b""
for attr_name, attr_value in self.attributes.items():
attr_type, _, attr_pack, attr_unpack = ATTRIBUTES_BY_NAME[attr_name]
if attr_pack == pack_xor_address:
v = attr_pack(attr_value, self.transaction_id)
else:
v = attr_pack(attr_value)
attr_len = len(v)
pad_len = padding_length(attr_len)
data += pack("!HH", attr_type, attr_len) + v + bytes(pad_len)
return (
pack(
"!HHI12s",
self.message_method | self.message_class,
len(data),
COOKIE,
self.transaction_id,
)
+ data
)
def __repr__(self) -> str:
return (
"Message(message_method=Method.%s, message_class=Class.%s, transaction_id=%s)"
% (
self.message_method.name,
self.message_class.name,
repr(self.transaction_id),
)
)
class TransactionError(Exception):
response: Optional[Message] = None
class TransactionFailed(TransactionError):
def __init__(self, response: Message) -> None:
self.response = response
def __str__(self) -> str:
out = "STUN transaction failed"
if "ERROR-CODE" in self.response.attributes:
out += " (%s - %s)" % self.response.attributes["ERROR-CODE"]
return out
class TransactionTimeout(TransactionError):
def __str__(self) -> str:
return "STUN transaction timed out"
class Transaction:
def __init__(
self,
request: Message,
addr: Tuple[str, int],
protocol,
retransmissions: Optional[int] = None,
) -> None:
self.__addr = addr
self.__future: asyncio.Future[
Tuple[Message, Tuple[str, int]]
] = asyncio.Future()
self.__request = request
self.__timeout_delay = RETRY_RTO
self.__timeout_handle: Optional[asyncio.TimerHandle] = None
self.__protocol = protocol
self.__tries = 0
self.__tries_max = 1 + (
retransmissions if retransmissions is not None else RETRY_MAX
)
def response_received(self, message: Message, addr: Tuple[str, int]) -> None:
if not self.__future.done():
if message.message_class == Class.RESPONSE:
self.__future.set_result((message, addr))
else:
self.__future.set_exception(TransactionFailed(message))
async def run(self) -> Tuple[Message, Tuple[str, int]]:
try:
self.__retry()
return await self.__future
finally:
if self.__timeout_handle:
self.__timeout_handle.cancel()
def __retry(self) -> None:
if self.__tries >= self.__tries_max:
self.__future.set_exception(TransactionTimeout())
return
self.__protocol.send_stun(self.__request, self.__addr)
loop = asyncio.get_event_loop()
self.__timeout_handle = loop.call_later(self.__timeout_delay, self.__retry)
self.__timeout_delay *= 2
self.__tries += 1
def padding_length(length: int) -> int:
"""
STUN message attributes are padded to a 4-byte boundary.
"""
rest = length % 4
if rest == 0:
return 0
else:
return 4 - rest
def parse_message(data: bytes, integrity_key: Optional[bytes] = None) -> Message:
"""
Parses a STUN message.
If the ``integrity_key`` parameter is given, the message's HMAC will be verified.
"""
if len(data) < HEADER_LENGTH:
raise ValueError("STUN message length is less than 20 bytes")
message_type, length, cookie, transaction_id = unpack(
"!HHI12s", data[0:HEADER_LENGTH]
)
if len(data) != HEADER_LENGTH + length:
raise ValueError("STUN message length does not match")
attributes: OrderedDict = OrderedDict()
pos = HEADER_LENGTH
while pos <= len(data) - 4:
attr_type, attr_len = unpack("!HH", data[pos : pos + 4])
v = data[pos + 4 : pos + 4 + attr_len]
pad_len = padding_length(attr_len)
if attr_type in ATTRIBUTES_BY_TYPE:
_, attr_name, attr_pack, attr_unpack = ATTRIBUTES_BY_TYPE[attr_type]
if attr_unpack == unpack_xor_address:
attributes[attr_name] = attr_unpack(v, transaction_id=transaction_id)
else:
attributes[attr_name] = attr_unpack(v)
if attr_name == "FINGERPRINT":
if attributes[attr_name] != message_fingerprint(data[0:pos]):
raise ValueError("STUN message fingerprint does not match")
elif attr_name == "MESSAGE-INTEGRITY":
if integrity_key is not None and attributes[
attr_name
] != message_integrity(data[0:pos], integrity_key):
raise ValueError("STUN message integrity does not match")
pos += 4 + attr_len + pad_len
return Message(
# An unknown method raises a `ValueError`.
message_method=Method(message_type & 0x3EEF),
# This cast cannot fail, as all 4 possible classes are defined.
message_class=Class(message_type & 0x0110),
transaction_id=transaction_id,
attributes=attributes,
)
|