C - “sizeof”的无效应用和结构数据的编译错误



我创建了一个数据类型,我想通过套接字发送它。我收到编译错误和分段错误错误。我得到的编译错误是error: invalid application of ‘sizeof’ to incomplete type ‘struct udp_msg_t’而分段错误发生在我做memcpy时。我做错了什么?

这是我的一些代码:

这是我关心的结构,我定义了它:

typedef struct udp_msg {
    unsigned int udp_eid;
    u_char   udp_prefix;
    unsigned int udp_loc;
} udp_msg_t;

在一种方法中,我分配内存和值:

void method(){
    udp_msg_t * udp_msg;
    udp_msg = (struct udp_msg_t * )calloc(1, sizeof(struct udp_msg_t));
    udp_msg->udp_eid = eid.u.prefix4.s_addr;
    udp_msg->udp_prefix = eid.prefixlen;
    udp_msg->udp_loc = loc->rloc.rloc.s_addr;
    send_rloc_udp_to_floodlight(udp_msg);
}

这种方法实际上通过套接字发送数据:

int send_rloc_udp_to_floodlight(udp_msg_t message) {
    struct sockaddr_in si_other;
    int s, i, slen = sizeof(si_other);
    char buffer[9];
    if ((s = socket(AF_INET, SOCK_DGRAM, IPPROTO_UDP)) == -1) {
        printf("socket");
    }
    memset((char *) &si_other, 0, sizeof(si_other));
    si_other.sin_family = AF_INET;
    si_other.sin_port = htons(8888);
    if (inet_aton("127.0.0.1", &si_other.sin_addr) == 0) {
        fprintf(stderr, "inet_aton() failedn");
        exit(1);
    }

    memcpy(buffer, (char *) message.udp_eid, sizeof(unsigned int));
    memcpy(&buffer[4], (char *) message.udp_prefix, sizeof(char));
    memcpy(&buffer[5], (char *) message.udp_loc, sizeof(unsigned int));
    //send the message
    if (sendto(s, buffer, strlen(buffer), 0, (struct sockaddr *) &si_other,
            slen) == -1) {
        printf("sendto()");
    }
    close(s);
    return 0;
}
sizeof(struct udp_msg_t)

不正确 - 应该是

sizeof(udp_msg_t)

sizeof(struct udp_msg)

演员阵容同上:

(struct udp_msg_t * )

在调用calloc之前,尽管这应该被删除,因为它是多余的并且有潜在的危险。

我没有正确获取结构字段的指针值。正确的做法是:

memcpy(buffer, (char *) &message.udp_eid, sizeof(unsigned int));

最新更新