5

文字列からの解凍は機能します:

>>> import struct
>>> struct.unpack('>h', 'ab')
(24930,)
>>> struct.unpack_from('>h', 'zabx', 1)
(24930,)

しかし、その場合bytearray

>>> struct.unpack_from('>h', bytearray('zabx'), 1)
Traceback (most recent call last):
  File "<ipython-input-4-d58338aafb82>", line 1, in <module>
    struct.unpack_from('>h', bytearray('zabx'), 1)
TypeError: unpack_from() argument 1 must be string or read-only buffer, not bytearray

これは少し奇妙に思えます。私は実際にそれについて何をすべきですか?明らかに私はできた:

>>> struct.unpack_from('>h', str(bytearray('zabx')), 1)
(24930,)

しかし、私は明示的に大量のメモリをコピーしないようにしています。

4

1 に答える 1

6

解決策のようbuffer()です:

>>> struct.unpack_from('>h', buffer(bytearray('zabx')), 1)
(24930,)

buffer()オリジナルのコピーではなく、そのビュー:

>>> b0 = bytearray('xaby')
>>> b1 = buffer(b0)
>>> b1
<read-only buffer for ...>
>>> b1[1:3]
'ab'
>>> b0[1:3] = 'nu'
>>> b1[1:3]
'nu'

または、You(I?)はPython3を使用できます。制限が解除されました:

Python 3.2.3 (default, Jun  8 2012, 05:36:09) 
[GCC 4.7.0 20120507 (Red Hat 4.7.0-5)] on linux2
Type "help", "copyright", "credits" or "license" for more information.
>>> import struct
>>> struct.unpack_from('>h', b'xaby', 1)
(24930,)
>>> struct.unpack_from('>h', bytearray(b'xaby'), 1)
(24930,)
>>> 
于 2013-03-17T22:31:33.297 に答える