我已在多个帖子中看到过这个问题,但我还没有找到一个对我有好的解释。我试图创建一个链表但结构和函数不能被调用而不会得到错误无法转换为指针。它真的让我烦恼。任何帮助将不胜感激如何使这项工作正常。下面是一些代码,这就是问题所在。
typedef struct node
{
void *data;
struct node *next;
} node;
node *head = NULL;
node* create(void *data, node *next)
{
node *new_node = (node*)malloc(sizeof(node));
if(new_node == NULL)
{
exit(0);
}else{
new_node->data = data;
new_node->next = next;
return new_node;
}
}
node* prepend(node *head, void *data)
{
node *new_node = create(data,head);
head = new_node;
return head;
}
void preload_adz(int adz_fd)
{
struct adz adz_info;
char adz_data[40];
char adz_text[38];
int adz_delay;
char adz_delayS[2];
read(adz_fd,adz_data,40);
strncpy(adz_text,adz_data + 2,40-2);
sprintf(adz_delayS, "%c%c",adz_data[0],adz_data[1]);
adz_delay = atoi(adz_delayS);
adz_info.delay = adz_delay;
strncpy(adz_info.text,adz_text,38);
head = prepend(head, (void*)adz_info); //<---This line throws the error
while(read(adz_fd,adz_data,40) > 0)
{
}
}
答案 0 :(得分:2)
struct adz adz_info;
...
head = prepend(head, (void*)adz_info); //<---This line throws the error
这里的问题是adz_info
不是指针,它是堆栈上的实际结构。将adz_info
传递给函数将复制结构。
你需要一个指向该结构的指针。使用&
获取其地址。一旦你有了指针,就不需要将它转换为void指针,那个转换是自动的。
head = prepend(head, &adz_info);
请注意,施法是簿记的事情。转换为void *
不会将结构转换为指针,它表示“编译器,忽略此变量的声明类型,并且只相信我这是一个无效指针”。