Python Forum

Full Version: First Byte of a string is missing while receiving data over TCP Socket
You're currently viewing a stripped down version of our content. View the full version with proper formatting.
Dear All Friends.
I am trying to communicate with an IEC-60870-5-104 server through TCP sockets. The IEC server is located over the local host 127.0.0.1: 2404 and I am trying to send a HEX message with the help of send() function. Please look at my code
#import the socket library 
import socket
  
# create a socket object 
s = socket.socket()          
print("Socket successfully created")
  
# connect to the server on local computer, 2404 default port for IEC-104 Server
s.connect(('127.0.0.1', 2404))
# send a hex message in bytes
s.send(b'\x68\x04\x07\x00\x00\x00')

data = s.recv(1024)

s.close()

print( "received data:", data)
Now when i run the code, it connects successfully with the server, Sends the HEX message which is
0x68 0x04 0x07 0x00 0x00 0x00

In response it receives the hex message 0x68 0x04 0x0B 0x00 0x00 0x00
I confirmed this with Wireshark but what I find on my shell is
======== RESTART: C:/Users/Shahrukh/Desktop/Python Coding/TCP Server.py ========
Socket successfully created
received data: b'h\x04\x0b\x00\x00\x00'
>>>
Only 5 bytes are shown, where is the 1st byte 0x68? I must receive and show 0x68 0x04 0x0B 0x00 0x00 0x00, whats wrong? Please help
Not sure, but this could be related to big endian, little endian conversion.
Here's a blog on the subject: https://pythontic.com/modules/socket/byt...-functions
I count 6 bytes. The first byte is a h.
You have a computer and you're using a programming language.
Just use len(data) to get the length.

In [2]: hex(ord('h'))                                                                                                       
Out[2]: '0x68'
The first letter is a h, which is 104 in ascii and unicode, which is 0x68 in hex.

All printable ASCII characters in bytes are represented as printable version and not with the hex value.
If you want to represent the bytes as hex-string, you could use binascii.hexlify()

import binascii

data = b'\x68\x04\x07\x00\x00\x00'
hexstr = binascii.hexlify(data, ' ', 1).decode()
# yes, hexlify return bytes
# the decode step is ugly
print(hexstr)
Output:
68 04 07 00 00 00
Oh My God, Now I got it, its basically the ascii codes which I am receiving. Thank you very very much.