在python3.x
中使用套接字我想通过套接字发送字典的内容,由于某些原因,这条线上方的链接无法解答...
client.py:
a = {'test':1, 'dict':{1:2, 3:4}, 'list': [42, 16]}
bytes = foo(a)
sock.sendall(bytes)
server.py:
bytes = sock.recv()
a = bar(bytes)
print(a)
如何将任何字典转换为字节序列(能够通过套接字发送)以及如何转换回来?我更喜欢干净简单的方法来做到这一点。
到目前为止我尝试过:
sock.sendall(json.dumps(data))
TypeError: 'str' does not support the buffer interface
sock.sendall(bytes(data, 'UTF-8'))
TypeError: encoding or errors without a string argument
data = sock.recv(100)
a= data.decode('UTF-8')
AttributeError: 'str' object has no attribute 'decode'
答案 0 :(得分:6)
这主要是对注释进行总结,但您需要将dict转换为json str
对象,通过编码将该str
对象转换为bytes
对象,然后发送那个在套接字上。在服务器端,您需要将通过套接字发送的bytes
对象解码回str
,然后使用json.loads
将其重新转换为dict
。
客户端:
b = json.dumps(a).encode('utf-8')
s.sendall(b)
服务器:
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.bind(('localhost', 1234))
s.listen(1)
conn, addr = s.accept()
b = b''
while 1:
tmp = conn.recv(1024)
b += tmp
d = json.loads(b.decode('utf-8'))
print(d)