2

log_msg_send当调用函数 ( )时,我在运行时收到以下代码的 SIGSEGV - Segmentation Fault 。我读到这是关于内存违规的,但我找不到原因。我将不胜感激任何建议/帮助。

 #define  MAXSTRINGLENGTH 128
#define BUFSIZE 512

void log_msg_send(char *message, char *next_hop);

struct routing {
        int hop_distance;
        char sender_ID[16]; 
};

struct routing user_list[40]  =  { [0]={0,0,0,0}};


int main(int argc,char *argv[]){
    strcpy(user_list[0].sender_ID,"192.168.001.102");
    char message[1000];
    strcpy(message,"123456123456");
     log_msg_send(message, user_list[0].sender_ID);

    return 0;
}

void log_msg_send(char *message, char *next_hop){
    char *SRV_IP;
    strcpy(SRV_IP,  next_hop);

    if (sizeof(SRV_IP) == 16){
         struct sockaddr_in si_other;
         int s, i, slen=sizeof(si_other);
         char buf[60] ;
         strcpy(buf, message);

        if ((s=socket(AF_INET, SOCK_DGRAM, IPPROTO_UDP))==-1){
          fprintf(stderr, "socket() failed \n");
          exit(1);
        }

        memset((char *) &si_other, 0, sizeof(si_other));
        si_other.sin_family = AF_INET;
        si_other.sin_port = htons(33333);
        if (inet_aton(SRV_IP, &si_other.sin_addr) == 0) {
          fprintf(stderr, "inet_aton() failed \n");
          exit(1);
        }

          if (sendto(s, buf, BUFSIZE, 0,(struct sockaddr *) &si_other, slen)==-1){
          fprintf(stderr, "sendto() failed \n");
          exit(1);
        }

        close(s);
    }
}

PS。对于有 SIGSEGV 问题的人。SIGSEV 问题的最常见原因: - 尝试执行无法正确编译的程序。请注意,大多数编译器不会在编译时错误的情况下输出二进制文件。- 缓冲区溢出。- 使用未初始化的指针。- 取消引用 NULL 指针。- 试图访问程序不拥有的内存。- 试图改变程序不拥有的内存(存储违规)。- 超出允许的堆栈大小(可能是由于递归失控或无限循环)

4

1 回答 1

4

你不分配内存SRV_IP

char *SRV_IP;
strcpy(SRV_IP,  next_hop);

所以strcpy试图访问无效的内存。

char *SRV_IP = malloc(strlen(next_hop)+1);
if (!SRV_IP) exit(1);
strcpy(SRV_IP,  next_hop);

然后你检查

if (sizeof(SRV_IP) == 16){

butSRV_IP是 a char*,所以它的大小是char指针的大小,通常是 8 或 4 个字节。您可能是指长度,因此必须使用strlen.

于 2012-05-26T20:53:36.930 回答