1

我尝试将结构从客户端发送到服务器。我在互联网上读到我必须将结构类型转换为 char 数组,但是当我尝试这个时,char 没有内容。

这是我的结构:

struct packet
{
    int pa_ID;
    char message[MESSAGESIZE];
};

在这里我尝试发送结构:

int sendFile(FILE *file, SOCKET sock)
{
int amountToSend, amountSent;
int i = 0;
char buffer[BUFFERSIZE], serializedPacket[BUFFERSIZE];

while (!feof(file)) {
    struct packet p;
    fgets(p.message, MESSAGESIZE, file);
    p.pa_ID = i;

    if (p.message[strlen(p.message) - 1] == '\n')
        p.message[strlen(p.message) - 1] = '\0';

    amountToSend = sprintf_s(serializedPacket, sizeof(buffer), (char*)&p);
    amountSent = send(sock, serializedPacket, amountToSend, 0);
    if (amountSent == SOCKET_ERROR) {
        fprintf(stderr, "send() failed with error %d\n", WSAGetLastError());
        getchar();
        WSACleanup();
        return -1;
    }
    printf("Send %d bytes (out of %d bytes) of data: [%.*s]\n", amountSent, amountToSend, amountToSend, serializedPacket);
    memset(buffer, 0, sizeof(buffer));
    memset(p.message, 0, sizeof(p.message));
    memset(&p, 0, sizeof(p));
    i++;
}

fclose(file);
return 0;

}

从文件中读取功能没有错误,但是 serializedPack 只是空的,我真的不明白为什么。希望有人可以提供帮助。

4

1 回答 1

4

这:

amountToSend = sprintf_s(serializedPacket, sizeof(buffer), (char*)&p);

根本没有任何意义。

to的第三个参数sprintf_s()是一个格式化字符串,但是你将一个指针传递给一个结构,重新转换为一个字符指针。这完全没有意义。

将您的结构表示为文本字符串(序列化为字符串)可能是一个好主意,但是您需要一个正确的格式化字符串:

amountToSend = sprintf_s(serializedPacket, sizeof(buffer), "%d %s", p.pa_ID, p.message);

Depending on how you send this, you might also want to include the 0-terminator for the string in the transmitted data.

于 2013-01-24T09:29:32.527 回答