我正在尝试将指针传递给struct数组。这段代码应该创建一个struct数组,写入struct中的vars,然后将它们打印出来(有效)。然后我想将一个struct数组的指针传递给另一个函数并打印出struts数组。
#define PORT_NUMBER 5100
#define MAX_CLIENTS 5
#include <sys/types.h>
#include <sys/socket.h>
#include <netinet/in.h>
#include <arpa/inet.h>
#include <stdio.h>
#include <stdlib.h>
#include <unistd.h>
#include <errno.h>
#include <string.h>
#include <pthread.h>
typedef struct thread_args
{
int client_number;
int connected;
char client_name[1024];
} client;
void pass_func(client* clients[])
int main()
{
struct thread_args clients[MAX_CLIENTS];
int i;
for(i =0; i < MAX_CLIENTS; i++)
{
clients[i].client_number=i;
strcpy(clients[i].client_name, "BOBBY");
}
for(i =0; i < MAX_CLIENTS; i++)
{
printf("%d | %s\n", clients[i].client_number=i, clients[i].client_name);
}
printf("\n\n");
pass_func(&clients);
}
void pass_func(client* clients[])
{
int i;
for(i =0; i < MAX_CLIENTS; i++)
{
printf("%d | %s\n", clients[i]->client_number=i, clients[i]->client_name);
}
}
这是输出:
$ gcc TEST.c -lpthread -o TEST.out
TEST.c: In function ‘main’:
TEST.c:41:3: warning: passing argument 1 of ‘pass_func’ from incompatible pointer type [enabled by default]
TEST.c:22:6: note: expected ‘struct thread_args **’ but argument is of type ‘struct thread_args (*)[5]’
$ ./TEST.out
0 | BOBBY
1 | BOBBY
2 | BOBBY
3 | BOBBY
4 | BOBBY
Segmentation fault
我做了大约一个小时的研究,无法弄清楚为什么这不起作用。我找到的大多数例子都是针对C ++的,但不是C.(而且我知道我所包含的许多头文件对于这段代码来说都不是必需的;这只是我原始代码的一部分。)
答案 0 :(得分:12)
pass_func
需要一个指向client
void pass_func(client* clients[]);
但你传了它
pass_func(&clients);
指向client
s数组的指针。因此client
clients[i]
被解释为client
中指向pass_func
的指针,但当然位模式不是指向client
的有效指针,因此你试图访问你不应该访问的内存,并获得段错误。
传递指针数组,或声明pass_func
void pass_func(client *clients);
(然后传递pass_func(clients)
而不使用main中的address-operator。
但是,编译器警告您传递不兼容的指针类型。
答案 1 :(得分:2)
void pass_func(client* clients[])
{
int i;
for(i =0; i < MAX_CLIENTS; i++)
{
printf("%d | %s\n", (*clients)[i].client_number=i, (*clients)[i].client_name);
}
}
这没关系。
答案 2 :(得分:1)
你需要掌握正确的基础......
首先需要了解如何将数组传递给函数: 最好通过this