I try to use struct.pack but i get the next exception when i run it:
JavaScript
x
12
12
1
Traceback (most recent call last):
2
File "a_sdk.py", line 36, in <module>
3
a.get_time(1)
4
File "a_sdk.py", line 25, in get_controller_time
5
self._s.connect()
6
File "C:sdkss.py", line 55, in connect
7
msg_connect = protocol_Connect(self.sp_name)
8
File "C:sdksuntils.py", line 39, in
9
protocol_Connect
10
return struct.pack(connection_struct, 4, 0, 0, 0, name_len, connect_name)
11
struct.error: argument for 's' must be a bytes object
12
the code that i run:
JavaScript
1
5
1
def protocol_Connect(connect_name):
2
name_len = len(connect_name)
3
connection_struct = f'!5B{name_len}s'.encode('utf-8')
4
return struct.pack(connection_struct, 4, 0, 0, 0, name_len, connect_name)
5
I try to send the connection_struct as str and also as a bytes using encode.
Advertisement
Answer
The {name_len}s
in your connection_struct specifies that you will pass {name_len}
number of chars so when you call struct.pack() the last argument is expected to be of bytes of length {name_len}
To solve the struct.error convert connect_name from type string to byte and connection_struct can be either bytes or strings:
JavaScript
1
7
1
def protocol_Connect(connect_name):
2
connect_name=str.encode(connect_name)
3
# or connect_name = connect_name.encode('utf-8')
4
name_len = len(connect_name)
5
connection_struct = f'!5B{name_len}s'
6
return struct.pack(connection_struct, 4, 0, 0, 0, name_len, connect_name)
7