To się okazało być trudniejsze niż się spodziewałem. Mam ciąg bajtów:Chunking bytes (not strings) w Pythonie 2 i 3
data = b'abcdefghijklmnopqrstuvwxyz'
chcę czytać te dane w kawałki n bajtów. Pod Pythonie 2, to jest trywialne stosując niewielką modyfikację do grouper
receptury z dokumentacji itertools
:
def grouper(iterable, n, fillvalue=None):
"Collect data into fixed-length chunks or blocks"
# grouper('ABCDEFG', 3, 'x') --> ABC DEF Gxx
args = [iter(iterable)] * n
return (''.join(x) for x in izip_longest(fillvalue=fillvalue, *args))
Mając to na miejscu, mogę zadzwonić:
>>> list(grouper(data, 2))
a otrzymasz:
['ab', 'cd', 'ef', 'gh', 'ij', 'kl', 'mn', 'op', 'qr', 'st', 'uv', 'wx', 'yz']
W Pythonie 3 robi się to trudniejsze. grouper
funkcja jak napisane prostu przewraca:
>>> list(grouper(data, 2))
Traceback (most recent call last):
File "<stdin>", line 1, in <module>
File "<stdin>", line 5, in <genexpr>
TypeError: sequence item 0: expected str instance, int found
A to dlatego, że w Pythonie 3, gdy iteracyjne nad bytestring (jak b'foo'
), można uzyskać listę liczb, zamiast listy bajtów:
>>> list(b'foo')
[102, 111, 111]
pyton 3 bytes
funkcja pomoże tutaj:
def grouper(iterable, n, fillvalue=None):
"Collect data into fixed-length chunks or blocks"
# grouper('ABCDEFG', 3, 'x') --> ABC DEF Gxx
args = [iter(iterable)] * n
return (bytes(x) for x in izip_longest(fillvalue=fillvalue, *args))
Korzystanie że mam wh co chcę:
>>> list(grouper(data, 2))
[b'ab', b'cd', b'ef', b'gh', b'ij', b'kl', b'mn', b'op', b'qr', b'st', b'uv', b'wx', b'yz']
Ale (! oczywiście) funkcja bytes
pod Python 2 nie zachowują ten sam sposób. To tylko aliasem str
, tak że wyniki w:
>>> list(grouper(data, 2))
["('a', 'b')", "('c', 'd')", "('e', 'f')", "('g', 'h')", "('i', 'j')", "('k', 'l')", "('m', 'n')", "('o', 'p')", "('q', 'r')", "('s', 't')", "('u', 'v')", "('w', 'x')", "('y', 'z')"]
... co wcale nie jest pomocne. Skończyło się na piśmie, co następuje:
def to_bytes(s):
if six.PY3:
return bytes(s)
else:
return ''.encode('utf-8').join(list(s))
def grouper(iterable, n, fillvalue=None):
"Collect data into fixed-length chunks or blocks"
# grouper('ABCDEFG', 3, 'x') --> ABC DEF Gxx
args = [iter(iterable)] * n
return (to_bytes(x) for x in izip_longest(fillvalue=fillvalue, *args))
To wydaje się działać, ale jest to naprawdę sposób to zrobić?
@AnttiHaapala, dzięki za wskazówkę. – larsks