我想用scapy重建数据包。如果我将原始数据包与我构造的数据包进行比较,我会看到数据包层中的一些条目具有错误的值。我认为它来自某些值的不合适的数据类型,如下所示:
如果我在这样的一个字符串中打印 stream_id
stream_id = "\x00\x22\x97\x04\x06\xba\x00\x00"
输出不可读(如翼形符号)。
但是如果我把 stream_id 放在一起,就像这样
alias = "CB"
stream_id = '\\x' + alias + '\\x' + alias + '\\x' + alias + '\\x' + alias
打印输出 \ x9B \ x9B \ x9B \ x9B 。
这两种符号之间有什么区别?
请帮忙
答案 0 :(得分:2)
\x<hex_byte>
是Python字符串的特殊转义序列,表示字面字节为十六进制数字。
第一个基本上是将字节写入stream_id
,例如:
stream_id_1 = "\x00\x22\x97\x04\x06\xba\x00\x00"
stream_id_2 = chr(0x00) + chr(0x22) + chr(0x97) + chr(0x04) \
+ chr(0x06) + chr(0xba) + chr(0x00) + chr(0x00)
assert stream_id_1 == stream_id_2 # passes
如果你打印出你得到的字节:0022970406ba0000
虽然第二个是写一个字符串,就像你写的那样(使用与上面相同的数据):
stream_id_1 = "\\x00\\x22\\x97\\x04\\x06\\xba\\x00\\x00"
转义转义序列,以便不将数字解释为字节,从而产生以下打印输出:5c7830305c7832325c7839375c7830345c7830365c7862615c7830305c783030
,正如您所见,这是一个截然不同的结构。
更新 - 要构建字节流,您可以按照“手动”方式构建它们。构建字符串 - 将alias
转换为整数,然后使用chr()
将其转换为字节字符:
alias = chr(int("CB", 16))
stream_id = alias + alias + alias + alias # etc.
但是根据你的评论判断,你只想获得一个随机字节,这样就不会通过生成十六进制字符串来浪费周期,然后将其转换为整数以最终将其转换为字节字符 - 获取随机整数立即将其转换为字节char:
alias = chr(random.randint(0, 255))
stream_id = alias + alias + alias + alias # etc.
甚至更好,放弃random
模块并改为使用os.urandom()
:
import os
alias = os.urandom(1)
stream_id = alias + alias + alias + alias # etc.
当然,您可以使用相同的技术来获取任意数量的不同随机字节。