A problem in unpacking strings

If a string to be packed is shorter than its format, it'll be followed by '\x00's when unpacked.

One example, in which every length of the string fits the format:

python 代码
  1. >>> import struct  
  2. >>> fmt = 'c4si5s'   
  3. >>>   
  4. >>> verb = 'have'   
  5. >>> p = struct.pack(fmt, 'i', verb, 2, 'books')   
  6. >>> unp = struct.unpack(fmt, p)   
  7. >>> p   
  8. 'ihave\x00\x00\x00\x02\x00\x00\x00books'   
  9. >>> unp   
  10. ('i', 'have', 2, 'books')   
  11. >>> unp[1] == verb   
  12. True

Here comes another one, in which the verb is changed into 'had':

python 代码
  1. >>> import struct  
  2. >>> fmt = 'c4si5s'   
  3. >>>   
  4. >>> verb = 'had'       
  5. >>> p = struct.pack(fmt, 'i', verb, 2, 'books')       
  6. >>> unp = struct.unpack(fmt, p)       
  7. >>> p       
  8. 'ihad\x00\x00\x00\x00\x02\x00\x00\x00books'       
  9. >>> unp       
  10. ('i', 'had\x00', 2, 'books')       
  11. >>> unp[1] == verb       
  12. False      
  13. >>>       
  14. >>> unp[1].rstrip('\x00') == verb       
  15. True    

 So .rstrip('\x00') in Line14 is needed now.

你可能感兴趣的:(Python,Python)