我正在学习python,我需要从套接字解析一些gcode,并将命令传递给串行端口。我有一些工作,使用选择器。 conn是我的TCP连接,正在接收Gcode。 sbus是我的串行端口。
假设数据= b'G0 X1.0 Y2.0 Z0.0;移至X,Y,Z' 这是典型的gcode行。 我下面的代码输出是这样的:
1 b'G0
2 X1.0
3 Y2.0
4 Z0.0
因此,它按我的意愿丢弃了评论后的所有内容。 它像我想要的那样丢弃了裸露的b'\ n'。 但是,第一个元素包括b',其他元素不包括。 我对应该如何摆脱b'
感到困惑我确定我没有以正确的pythonic方式执行此操作,我希望对如何处理第一个项目的b'有一些见识(如果没有gcode,最后一个项目的末尾有'评论,我也必须处理)
谢谢
def read(conn, mask):
data = conn.recv(1000) # Should be ready
print(Color.Red, data,Color.end) #debug print, make text red
if data==b'\n': # don't process the slash-n
return
if data:
conn.send(b'ok\r\n') # sends back to openPnP
print('wroteback ok to tcp') # debug print
i=1
for word in repr(data).split(' '):
if word==';':
break
if word=='':
continue
print(i,Color.Green+word+Color.end) # prints each part of gcode line
i=i+1
sbus.write(data) # will actually send translated commands to serial prot, not just echo the data
else:
print('closing', conn)
sel.unregister(conn)
conn.close()
答案 0 :(得分:0)
b用于字节。它只是告诉您数据类型是字节。这是检查字节和字符串以及如何从一个移到另一个的代码。
b = b'I am a bytes'
s = 'I am a string'
print(type(b), # bytes
type(s), # string
type(b.decode('utf8')), # string
type(s.encode('utf8')) # bytes
)
# change byte to string
b_s = b.decode('utf8')
print(b_s == 'I am a bytes')
# True
# change string to bytes
s_b = s.encode('utf8')
print(s_b == b'I am a string')
# True
答案 1 :(得分:0)
您的问题就在这里
for word in repr(data).split(' ')
数据是一个字节字符串,它在Python3中的表示形式不是等效的(Unicode)字符串,而是用b''
或b""
括起来的字符串。最后一个'
被忽略,因为它位于终端;
之后,但首个b'
仍然存在。
正确的方法是使用decode
将字节字符串正确转换为unicode:
for word in data.decode().split(' ')
如果要在字符串包含非ASCII字符的情况下引发异常,则可以使用data.decode('ascii')
;如果要忽略任何非ASCII的字符,可以使用data.decode('ascii', 'ignore')
。
要记住的是:谨防字节/ Unicode字符串转换