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
|
import argparse
import contextlib
import functools
import itertools
import math
import os
import random
import string
import time
from collections import OrderedDict
from types import SimpleNamespace
from unittest import mock
import pytest
import torf
# Make piece size and the number of pieces to use for testing torrents
# configurable
def pytest_addoption(parser):
class IntList(argparse.Action):
def __call__(self, parser, namespace, values, option_string=None):
setattr(namespace, self.dest, tuple(int(value) for value in values.split(',')))
parser.addoption('--piece-sizes', default=(8,), action=IntList,
help='Comma-separated list of piece sizes to use for test torrents')
parser.addoption('--piece-counts', default=(1, 2, 3, 4, 23, 24), action=IntList,
help='Comma-separated list of number of pieces to use for test torrents')
parser.addoption('--file-counts', default=(1, 2, 3, 4), action=IntList,
help='Comma-separated list of number of files to use for test torrents')
parser.addoption('--fuzzy', action='store_true',
help='Whether to randomize file sizes for --file-counts >= 4')
alphabet = 'abcdefghijklmnopqrstuvwxyz'
def pytest_generate_tests(metafunc):
piece_sizes = metafunc.config.getoption('piece_sizes')
piece_counts = metafunc.config.getoption('piece_counts')
file_counts = metafunc.config.getoption('file_counts')
fixturenames = metafunc.fixturenames
if 'filespecs' in fixturenames:
argnames, argvalues, ids = _parametrize_filespecs(file_counts, piece_sizes, piece_counts,
filespec_indexes='filespec_indexes' in fixturenames,
fuzzy=metafunc.config.getoption('fuzzy'))
metafunc.parametrize(argnames, argvalues, ids=ids)
else:
if 'piece_size' in fixturenames:
metafunc.parametrize('piece_size', piece_sizes)
if 'callback' in fixturenames:
argvalues = [{'enabled': True}, {'enabled': False}]
metafunc.parametrize('callback', argvalues,
ids=['callback' if c['enabled'] else ''
for c in argvalues])
def _parametrize_filespecs(file_counts, piece_sizes, piece_counts,
filespec_indexes=False, fuzzy=False):
argnames = ['filespecs', 'piece_size']
if filespec_indexes:
argnames.append('filespec_indexes')
argvalues = []
ids = []
for file_count in file_counts:
for piece_size in piece_sizes:
for piece_count in piece_counts:
filespecs = _generate_filespecs(file_count, piece_size, piece_count, fuzzy=fuzzy)
_display_filespecs(filespecs, file_count, piece_size)
# piece_size is connected to file sizes (i.e. filespecs)
for filespec in filespecs:
values = (filespec, piece_size)
# Generate combinations of file indexes
if filespec_indexes:
for number_of_indexes in range(1, file_count + 1):
for indexes in itertools.combinations(range(0, file_count), number_of_indexes):
argvalues.append(values + (indexes,))
ids.append(','.join(f'{fname}={fsize}' for fname,fsize in filespec)
+ f'-pc={piece_count}'
+ f'-ps={piece_size}'
+ f'-fsi={",".join(str(i) for i in indexes)}')
else:
argvalues.append(values)
ids.append(','.join(f'{fname}={fsize}' for fname,fsize in filespec)
+ f'-pc={piece_count}'
+ f'-ps={piece_size}')
return argnames, argvalues, ids
def _generate_filespecs(file_count, piece_size, piece_count, fuzzy=False):
filesizes = (max(1, (piece_size * piece_count // file_count) - 1),
(piece_size * piece_count // file_count),
(piece_size * piece_count // file_count) + 1)
if file_count == 1:
return (
((alphabet[0], filesizes[0]),),
((alphabet[0], filesizes[1]),),
((alphabet[0], filesizes[2]),),
)
elif file_count == 2:
return (
((alphabet[0], filesizes[0]), (alphabet[1], filesizes[0])),
((alphabet[0], filesizes[0]), (alphabet[1], filesizes[1])),
((alphabet[0], filesizes[0]), (alphabet[1], filesizes[2])),
((alphabet[0], filesizes[1]), (alphabet[1], filesizes[0])),
((alphabet[0], filesizes[1]), (alphabet[1], filesizes[1])),
((alphabet[0], filesizes[1]), (alphabet[1], filesizes[2])),
((alphabet[0], filesizes[2]), (alphabet[1], filesizes[0])),
((alphabet[0], filesizes[2]), (alphabet[1], filesizes[1])),
((alphabet[0], filesizes[2]), (alphabet[1], filesizes[2])),
)
elif file_count == 3:
return (
((alphabet[0], filesizes[0]), (alphabet[1], filesizes[0]), (alphabet[2], filesizes[0])),
((alphabet[0], filesizes[0]), (alphabet[1], filesizes[1]), (alphabet[2], filesizes[2])),
((alphabet[0], filesizes[1]), (alphabet[1], filesizes[2]), (alphabet[2], filesizes[0])),
((alphabet[0], filesizes[1]), (alphabet[1], filesizes[1]), (alphabet[2], filesizes[2])),
((alphabet[0], filesizes[2]), (alphabet[1], filesizes[1]), (alphabet[2], filesizes[1])),
((alphabet[0], filesizes[2]), (alphabet[1], filesizes[2]), (alphabet[2], filesizes[1])),
((alphabet[0], filesizes[2]), (alphabet[1], filesizes[1]), (alphabet[2], filesizes[2])),
((alphabet[0], filesizes[2]), (alphabet[1], filesizes[2]), (alphabet[2], filesizes[2])),
)
else:
filesizes = set(filesizes)
# For itertools.combinations() to produce more than one item, we need at
# least one more file size than files.
i = 2
while len(filesizes) < file_count + 1:
filesizes.add(max(1, piece_size * piece_count // file_count - i))
filesizes.add(piece_size * piece_count // file_count + i)
i += 1
filesizes.update((max(1, piece_size // 2), max(1, piece_size // 3)))
# Limit filesizes to reduce number of test
while len(filesizes) > file_count + 2:
middle_item = sorted(filesizes)[int(len(filesizes) / 2)]
filesizes.discard(middle_item)
filesizes = list(sorted(filesizes))
filesizeorders = ['small_first', 'small_middle', 'small_last']
if fuzzy:
random.shuffle(filesizes)
random.shuffle(filesizeorders)
filesizeorders_iter = itertools.cycle(filesizeorders)
filespecs = set()
for fsizes in itertools.combinations(filesizes, file_count):
order = next(filesizeorders_iter)
if order == 'small_first':
fsizes = sorted(fsizes, reverse=False)
elif order == 'small_last':
fsizes = sorted(fsizes, reverse=True)
elif order == 'small_middle':
groupsize = int(len(fsizes) / 3) + 1
fsizes = (
sorted(fsizes[-groupsize:], reverse=True)
+ sorted(fsizes[groupsize:-groupsize], reverse=False)
+ sorted(fsizes[:groupsize], reverse=False)
)
filespecs.add(tuple((alphabet[i], fsize)
for i,fsize in enumerate(fsizes)))
# Ensure identical order or xdist will complain with --numprocesses > 1
return sorted(sorted(filespecs), key=lambda f: sum(s[1] for s in f))
def _display_filespecs(filespecs, file_count, piece_size):
lines = []
for filespec in filespecs:
line = (', '.join(f'{fn}:{fs:2d}' for fn,fs in filespec),
' - ',
''.join(fn * fs for fn,fs in filespec))
lines.append(''.join(line))
print(f'{len(filespecs)} filespecs:')
for i,line in enumerate(lines):
if i % 10 == 0:
header = [' ' * (((4 * file_count) + (2 * file_count - 1)) + 1)]
for i in range(6):
header.append(str(i) + ' ' * (piece_size - 2))
print(' '.join(header))
print(line)
@pytest.fixture
def valid_singlefile_metainfo():
return OrderedDict([
(b'announce', b'http://localhost'),
(b'comment', b'This is a test comment'),
(b'created by', b'The creator'),
(b'creation date', 1513440897),
(b'info', OrderedDict([
(b'length', 500000),
(b'name', b'Torrent for testing'),
(b'piece length', 32768),
(b'pieces', b'\x00' * 20 * 16),
(b'private', 1)
]))
])
@pytest.fixture
def valid_multifile_metainfo():
return OrderedDict([
(b'announce', b'http://localhost'),
(b'comment', b'This is a test comment'),
(b'created by', b'The creator'),
(b'creation date', 1513440897),
(b'info', OrderedDict([
(b'files', [{b'length': 123, b'path': [b'A file']},
{b'length': 456, b'path': [b'Another file']},
{b'length': 789, b'path': [b'A', b'third', b'file in a subdir']}]),
(b'name', b'Torrent for testing'),
(b'piece length', 32768),
(b'pieces', b'\x00' * 20),
(b'private', 1)
]))
])
@pytest.fixture
def random_seed():
@contextlib.contextmanager
def _random_seed(seed):
random.seed(seed)
yield
random.seed()
return _random_seed
testdir_base = 'test_files'
letters = string.ascii_letters + string.digits + ' ²öäåóíéëúæøœœï©®¹³¤óíøï'
def _randstr():
length = random.randint(10, 20)
return ''.join(random.choice(letters) for _ in range(length))
def _mktempdir(tmp_path_factory, subdir=None):
path = tmp_path_factory.mktemp(testdir_base, numbered=True)
if subdir is None:
subdir = ''
subdir += ':' + _randstr()
(path / subdir).mkdir()
return path / subdir
def _generate_random_file(dirpath, filename=None, hidden=False):
filesize = random.randint(int(1e3), int(1e6))
filecontent = bytearray(random.getrandbits(8) for _ in range(filesize))
if filename is None:
filename = ''
filename += ':' + _randstr()
if hidden:
filename = '.' + filename
filepath = os.path.join(testdir_base, dirpath, filename)
with open(filepath, 'wb') as f:
f.write(filecontent)
assert os.path.getsize(filepath) == filesize
return filepath
@pytest.fixture(scope='session')
def singlefile_content(tmp_path_factory):
random.seed(0) # Make sure random file names and content are identical every time
content_path = _mktempdir(tmp_path_factory)
filepath = _generate_random_file(content_path, filename='sinģle fíle')
random.seed() # Re-enable randomness
exp_pieces = b'\xc8\xfa\x0fV\x95\xecl\x97t\xb2v\x84S\x98{\x92[ \x13\xe5\x04\xef-\xb0;sF\xc2\x93W\xcf\xc6X\x14\x9b]_r\xfb\x80\'}\xe5\xc4\x05\xdct\xb5^\xe9\x7f0b|\xc9\xf1\x9d\xd7G\x06 ,l8m\x01\xbf2\xf6:\x03r-\x8d\x1f,\x8bk:\xad\xdbN\xa2V\x96/\xf2@w\xa5\x98\xf8\t3fU\x13;\x90\xc0F\xe3[\x15\xea\x8f\x92\xcdN:\xc1\x0fG\x9b\xeb\xd9\x93A\xca\xa7L\xd2\x9ef|\xddd\xd4\x94.f\xee\xea3\xa8\x04|\xe9h\xa7\xa1t\xa2\xb5\xb3*\x89\xf7\x14\xdf\x16M/\xc6\xa5\x85\xdaF\xca\xa7?\x9d\xe1zd\xc8\xe1\x1d\x1epC\x06+\xe1Q\x0fi\x9fv\x19\xa2(\xd0\x90\xb3\xb0\xcf\xa9\x1cy\xf0\x96\x17\n\x05\xa5*IZJ\x8c\xbb\x87\xdd\xed|d.\xf0\xb9\xfe\x00\xa6\nufY\x18\xe35\xee\xdf\xa6D\xed<\xc5W\x0fa\x80\xc6}\xdd\xf4\xbd\xc1:\xe3\xda\nj\xbag\x93\xd0\xdc\xbd\xb8\xfb\xc2\x99\x9a/&\x1d\xf3\xe9\xa3,\x9b>\'\xa5\xaa~\xabb\x81\x88\x80^\xddd\xc7\xea\x83n\x05%\x8f4\x8a\x82\xe2\xff[\xab\xa8\x92\x1f\xaarG\xc5\x00\xcae\x9e\x93\xc4\x9015\x02\xe7\x8a\xb1I\xa6\x16DF\x8a\x0b\xeb\xca@\th?WL\xe0Vf\xc9X>##?t\x08\xdf[\xac\x16\x7f\xe9\x1a\xc4\x11\x0c\xc9\xac?\xded\xed\xf5\x1b\xd0Qq\x90_\x88]\xbf\xb7\xbc\xf5\x8et4f<\x14\xb6\x98\xbb\xdd0H\x14\xfaZ\xc1\x07l3\xd6""l\x99X@\xb7\x9c\xbc/h\xe9\xc0\x83\x0e\xfb\x91\x83\xdf\x1d+\xf6\xd1_\xb8\x04\xdd\xb8\x05\'\x1c\x1b\x94\x1cl\x9a_[An:\xcdw\xe8\xfb\xbf\xb9\x82olQ6<U\r\x9e0/\x89\xc6\xe4\x9cl<\xd5\xf9\xca\x96\x01\xd5\xc3\x1dk\x1b1\xc2X\xe9\x164\x9d\x05\x19\x85c\x0e\x847b\xdb[\xa8\x8e\xc1\x04,\x1c\xc2\x0e\x85`+3\xb1\xe6\xac&F\xb9\xf6\x0e\\\x1fS\xbd\xed\xc6l\x89\x18\x8eI?\x9aqR1&k\x14ce i\xb4;C\xfe\x1dh\xe4\xd3>\xa4\x15\x9f\xd2c#\x1b\x9a\xb6\x84\x88@\x89\xdd\x01\x18H\xbce\rK1aS\xd8\xb8\xffD\x9f\x89\xd4\xb59y7\xff\x8b\xc1\xc3\t\xdd\x9e\xa6\xa7\x02:\xa5\xea<\xb9\x95\xd7ePU~\xbc\x16\x9a\x0f\xb1h\xad4\xfa\x18yv\x95\x96\x0cRo\x88\xe6L\x08\xfd\x94gh\x92\'w\xb3\xd1BCqC\x12_\x1f\x92\xfc\xc6\xfd\t\xcd\xab\xe0\xbd\xcc\x06\xf9\xa7\xb1e\xa9\xbe\x0c\x8d\xfcI\x00\x0e\xd7\xbe\x0c&\xf2\xc5\xa5Yl\xf8\xc0\x8e.\x97\x0c\xd5zp~8\xc0g\xa6C\x16\xd0v\x1e\xa1\xa37\xceM[\xd6\x18\xc6\xa5\xc9\xbc\x11\x99\xc4\xe9\x0f9\xab\x98\x01\xaf\xe22\n_\x83\x9b\xdegG\xb4#\xd6\x17\xf1z4\x11v\xef\xcf!\x03\xdc\x14_\x9e;\'\xdckvHh\xd5x\xf48\xdaFa\xae\x02\xf0\x16| \xa3\x97\xe5\xed\xf6\x11$\xe4\xacb\xaf\x8a\x07fH\x96\x00\x00\x98\x87(\x97\xcd!\xff\xf8a\x02\xc4\xca\xff\xef\xe1P\x01_\x9b\x9b\x83:\x7f\xdd\x92\xfb\xe9\x94\xc3SEWh\x18\xb3\x9c\xd8\xf9M\x1d!\xd25\xcb'
exp_metainfo = {'announce' : 'http://localhost:123',
'created by' : 'mktorrent 1.0',
'creation date' : 1513522263,
'info': {'name' : os.path.basename(filepath),
'piece length' : 2**14,
'pieces' : exp_pieces,
'length' : os.path.getsize(filepath)}}
exp_attrs = SimpleNamespace(path=str(filepath),
infohash='7febf5a5a6e6bac79df2eb4340a63009109fecd5',
infohash_base32=b'P7V7LJNG425MPHPS5NBUBJRQBEIJ73GV',
size=os.path.getsize(filepath),
pieces=math.ceil(os.path.getsize(filepath) / exp_metainfo['info']['piece length']))
return SimpleNamespace(path=exp_attrs.path,
exp_metainfo=exp_metainfo,
exp_attrs=exp_attrs)
@pytest.fixture(scope='session')
def multifile_content(tmp_path_factory):
random.seed(0) # Make sure random file names and content are identical every time
content_path = _mktempdir(tmp_path_factory, subdir='Multifile torrent')
for n in range(2):
_generate_random_file(content_path, filename=f'File {n}')
(content_path / 'subdir').mkdir()
_generate_random_file(content_path / 'subdir', filename='File in subdir')
random.seed() # Re-enable randomness
exp_files = [{'length': 649406, 'path': ['File 0:JïYR WN93kœ']},
{'length': 199019, 'path': ['File 1:aä¤ELYœPTófsdtœe©í']},
{'length': 333198, 'path': ['subdir', 'File in subdir:F³bæ¹inRf ¤RTggTSóz']}]
exp_pieces = b'BHG\xb7[\xdf\xaa\xf1\xf3<\xd3C\xeb\xab\xecjZ3\x06\x97\x0c*\xb7G3\xc5G\xe3\x0e\xdb\x96\xf1V-D@\xdd\t\xcf\x88GB\xa3\xdf\xdd\x1fxCQd=8\xc7\x81\x96\x0f\xaf(-\xe6FB\x10\xd1\xbf\xad\x88\x1d\x1d\xc3\x03\xb3\x08\xc0\xe0\x0b\x8a\\\x19\xdf\xed\x03\xdb\x7f\x17o3uI\xef(\n\x80\xdbbF\x91\xd90%\xe6\xfay\x16O\x06n-\xad\x1b\x06\x98SJ:\xf3d64=\xf2\xc8\t~\xbf\x08\xdd\x1am\xae\xbe\xed\xf1\x94\x8f\x08X5\x85\x0e\xa2wM\xa3\x14K,\x9dO\xd2n\xb6\x98\x16\xe6s\xa2\t\t0\xa4\x05\xd1\x95*\x02S\xf1y\x14\xf3G\xf8]eUD\x81`_m\xeaW\x0e\xb5\xc1r\n2\xf0Qo\r\xba\x07\xb3!Vr\xacn\x06\xeb\x1a\xce9\x0e\xa1j\xb1\xf9\xc9\xe0J\xda\xa2v\xe4d\'\x8cf5!Z\xd4g[\x9b\xf4fr\xc2\xee\xb3;\xe7\xe3\x9e\xe0\x06}\xe3\xe6\xc9\xa2\xf9t\x0c\xe1\xf5h\xfe\x13\xf5\xe4\xaa\xd6\x01\x91\xe3\xb7\xb2x\xe1\xd7\xb1o\x10\xe7\xd6\xd2b%d\xae\xe4\x8a\x910\x1b\xb6\x1b\xda\x944\xce\t\xd6\xdf%*n\x05\x16\xd9\x8ft\xed\xb7\xeb"\xfd\xb0Q+t\xbdy|\xed\x01<\xb9\xd2"@\xa2\x85\xa6\x8a\x1d|\x89Z\x13w\xdb\xe7\xdd\xe2\xcey\x00R\xa3[k\x8e\xde\x98""\xfd\xc0]{\xc2H\n%8 \xd3\x01\xd2i\x9f\xf0n\x05^\x90\xbc\xcb\xb5\x8a\xde$\xef\xbd\x02\x83\xe2m\x93:K\x10\xfc\xc7\xb6\xf5\xcf\x9a!\xe06as\x8b`\xda\x12\xf3\x13\xc73\xbf\xad\xcc\x86V\x14Tm5\xb4&C\x8c\x89\x17*\x83A\xc9o\x04\x9e\xe8p\x0e\x1fIx\xf2\\\xc9\xca\x8c\xd1\xfb#\x08\xeb\x0eq\xf3\r].\xacfH\xea\xc1q\xcc\x1bw\xe3\xe6-o\xf6Hb\x85\xc7\xefk\xa5\xc7\xea\xd1\xa0\xb4h\xb7\xdd\x9fe/\x98g\xef\xea6\x02f\x1a\xc1\xe5N\xf3\x10\x04\xe0\x004!\xca\x81\xa4\xfc\x12\xceS\x9c\x8e,L82\xbb\x83\x8f\x95#\x93\xe2\x83\xaf\xfd\xe9T|@oy\x07x[rp;\x89\xe0a\xdc\xee\xcekW\xaf/\xe8g\x19 \x1b\xd8\x8e.\xc2B\xaf\x94\xd9\xa5X\x94\x85\xc0\xa8\x047\xa6\xcc\xa0i( \x04\x98\xce>A\x87\x92\x8d_\xe8\x8d\xa4\xf2(\xa6\x88\xc7\xfe \xee\xdbe\xc9\r\x19{\xc8T\xc9JU[\x1d\xd3\xb0\xc6-\xdc\xc0YS\xae\x01\x12t(\xc7`m\xc6\x8c\xa8Xr\xb27\xf2\xec\xa3\x0b\r\xfe\xc4\xc0\xf0At\x00Y\xb5\x1b\xebE\x8c:p\xd4\xc1\x80k\x13\xc8I\xfe$\xday\xd2\xcc/\x00\n\t\x02B\xfa\r\x13o\x0f\x8d\xd9<7\xb5\xd0\xa3/\xee\xac\xae&"\x83\xa4)\x10L\xd0-q\xab \x9c\\\xc0\x92\x07MC\x85D\x17Z\xa49\xe3U\xa9\xc4\xc8z|\x1c\xe2\x03\t\x1d\x03\xe2J\x0fM\xfa5!\x98>5\x19h\xbc;{H\xa1\x14\xe7\xcb.X\x93\x7f\x0c\x15\xad'
exp_metainfo = {'announce' : 'http://localhost:123',
'created by' : 'mktorrent 1.0',
'creation date' : 1513521463,
'info': {'name' : os.path.basename(content_path),
'piece length' : 2**15,
'pieces' : exp_pieces,
'files' : exp_files}}
exp_attrs = SimpleNamespace(path=str(content_path),
infohash='0e2e012468101efec5b1ac81ded6b8d95591c1fb',
infohash_base32=b'BYXACJDICAPP5RNRVSA55VVY3FKZDQP3',
size=sum(fileinfo['length'] for fileinfo in exp_files))
return SimpleNamespace(path=exp_attrs.path,
exp_metainfo=exp_metainfo,
exp_attrs=exp_attrs)
def _write_content_file(filepath, spec):
if isinstance(spec, (int, float)):
filepath.write_bytes(_random_bytes(int(spec)))
elif isinstance(spec, str):
filepath.write_text(spec)
elif isinstance(spec, (bytes, bytearray)):
filepath.write_bytes(spec)
else:
raise RuntimeError(f'Invalid spec for {filepath}: {spec!r}')
def _random_bytes(length):
if random.choice((0, 1)):
b = bytes(random.getrandbits(8)
for _ in range(int(length)))
else:
# We use b'\x00' as a placeholder for padding when faking missing files
# during verification, so we increase the probability of b'\x00' at the
# beginning and/or end
if random.choice((0, 1)):
beg = b'\x00' * random.randint(0, int(length / 2))
else:
beg = b''
if random.choice((0, 1)):
end = b'\x00' * random.randint(0, int(length / 2))
else:
end = b''
b = beg + bytes(random.getrandbits(8)
for _ in range(int(length - len(beg) - len(end)))) + end
assert len(b) == length
return b
@pytest.fixture
def create_file(tmp_path):
def _create_file(tmp_path, filename, spec):
filepath = tmp_path / filename
_write_content_file(filepath, spec)
return filepath
return functools.partial(_create_file, tmp_path)
@pytest.fixture
def create_dir(tmp_path):
def _create_dir(tmp_path, dirname, *files):
content_path = tmp_path / dirname
if not os.path.exists(content_path):
content_path.mkdir()
for filepath, spec in files:
parts = [part for part in filepath.split(os.sep) if part]
dirpath = content_path
for part in parts[:-1]:
dirpath = dirpath / part
if not os.path.exists(dirpath):
dirpath.mkdir()
filepath = dirpath / parts[-1]
_write_content_file(filepath, spec)
return content_path
return functools.partial(_create_dir, tmp_path)
@pytest.fixture
def generated_singlefile_torrent(create_torrent, singlefile_content):
torrent = create_torrent(path=singlefile_content.path)
torrent.generate()
return torrent
@pytest.fixture
def generated_multifile_torrent(create_torrent, multifile_content):
torrent = create_torrent(path=multifile_content.path)
torrent.generate()
return torrent
@pytest.fixture
def create_torrent():
def _create_torrent(**kwargs):
rand_kwargs = {
'trackers' : random.choice(([],
['http://localhost:123/announce'],
['http://localhost:123/announce', 'http://localhost:456/announce'],
[['http://localhost:123/announce', 'http://localhost:456/announce'],
['http://localhost:789/announce', 'http://localhost:111/announce']])),
'webseeds' : random.choice(([],
['http://localhost:123/webseed'],
['http://localhost:123/webseed', 'http://localhost:456/webseed'])),
'httpseeds' : random.choice(([],
['http://localhost:123/httpseed'],
['http://localhost:123/httpseed', 'http://localhost:456/httpseed'])),
'comment' : _randstr(),
'creation_date' : random.randint(0, int(time.time())),
'created_by' : _randstr(),
'source' : _randstr(),
'piece_size' : random.choice((None, 2**14, 2**15, 2**16, 2**17, 2**18, 2**19, 2**20)),
}
# Remove random items from args
rand_kwargs = dict(random.sample(tuple(rand_kwargs.items()),
random.randint(0, len(rand_kwargs))))
# Overload given random kwargs with kwargs
return torf.Torrent(**{**rand_kwargs, **kwargs})
return _create_torrent
@pytest.fixture
def create_torrent_file(tmp_path):
@contextlib.contextmanager
def _create_torrent_file(tmp_path, **kwargs):
torrent_file = tmp_path / 'test.torrent'
try:
t = torf.Torrent(**kwargs)
t.generate()
t.write(torrent_file)
yield torrent_file
finally:
if os.path.exists(torrent_file):
os.remove(torrent_file)
return functools.partial(_create_torrent_file, tmp_path)
@pytest.fixture
def forced_piece_size(pytestconfig):
@contextlib.contextmanager
def _forced_piece_size(piece_size):
orig_piece_size_min = torf.Torrent.piece_size_min_default
torf.Torrent.piece_size_min_default = piece_size
with mock.patch('torf.Torrent.piece_size', new_callable=mock.PropertyMock) as mock_piece_size:
def piece_size_setter(prop, torrent, value):
torrent.metainfo['info']['piece length'] = piece_size
mock_piece_size.return_value = piece_size
mock_piece_size.__set__ = piece_size_setter
yield piece_size
torf.Torrent.piece_size_min_default = orig_piece_size_min
return _forced_piece_size
# https://stackoverflow.com/a/45690594
@pytest.fixture
def free_port():
import socket
with contextlib.closing(socket.socket(socket.AF_INET, socket.SOCK_STREAM)) as s:
s.bind(('', 0))
s.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)
return s.getsockname()[1]
|