Send struct over socket in C

2019-01-25 13:28发布

I am developing a client/server program and my client has to send messages to the server.

Sample message C structure:

struct Registration
{
char multicastGroup[24];
pid_t clientPid;
};

Client code snippet to serialize struct

struct Registration regn ;
regn.clientPid = getpid();
strcpy(regn.multicastGroup, "226.1.1.1");

printf("PID:%d\n", regn.clientPid);        
printf("MG:%s\n", regn.multicastGroup);
printf("Size:%d\n", sizeof(regn));           //Size is 28

data = (unsigned char*)malloc(sizeof(regn));
memcpy(data, &regn, sizeof(regn));
printf("Size:%d\n", sizeof(data));           //Size is 4.  

Server code to de-serialize data

if(recvfrom(sd, recvBuf, recvBufSize, 0, (struct sockaddr*)&clientAddr, &len) < 0)
{
       printf("Error receiving message from client\n");
}
else
{
       printf("Message received:%s\n", recvBuf);
       printf("Size :%d\n", strlen(recvBuf));
       memcpy(&regn, recvBuf, sizeof(regn));
       printf("PID:%d\n", regn.clientPid);
       printf("MG:%s\n", regn.multicastGroup);
}

After copying the struct to unsigned char *, the size of the array is only 4.
Why is data not fully copied to the array?

The server is not able to reconstruct the struct from the char array.
Please let me know what am I doing wrong.

2条回答
Anthone
2楼-- · 2019-01-25 13:52

sizeof(regn) gives size of your complete structure Registration, wheras sizeof(data) is size of pointer on your machine that is 4 bytes (data should be pointer of Registration type).

In expression:

memcpy(data, &regn, sizeof(regn));
        ^     ^
        |     value variable of struct type 
        is pointer

also notice in printf, . is used to access elements e.g. regn.multicastGroup.

查看更多
Melony?
3楼-- · 2019-01-25 14:13

While the code will work if you send and recv on the same endian machine - your client and server should ideally perform a host to network endian conversion to maintain coherence when inspecting clientPid.

查看更多
登录 后发表回答