我正在尝试定义一个返回指向结构的指针的函数。我认为我正确地遵循了这个,(Returning a struct pointer)但是当我尝试访问指针的成员时,我的代码一直抱怨这个错误消息,“错误:解除指向不完整类型的指针”。
这是我的代码
#include <stdio.h>
#include <string.h>
#include <assert.h>
struct lnode
{
char* word;
int line;
int count;
struct lnode* nn; /* nn = next node */
};
struct lnode* newNode (char* word, int line)
{
struct lnode* newn = (struct lnode*) malloc(sizeof (struct lnode));
if (!newn)
return NULL;
strcpy (newn->word, word);
newn->line = line;
newn->count = 1;
newn->nn = NULL;
return newn;
}
int main()
{
char* p = "hello";
struct lnode* head = newNode (p, 5);
//the following lines are causing errors
assert (!strcmp (head->word, p));
assert (head->line == 5);
assert (head->count == 1);
assert (!head->nn);
return 0;
}
感谢您的帮助!
答案 0 :(得分:2)
除了明显的问题,你错过了stdlib.h
,你的处理字符串也存在问题。
在C中,你(是的你)必须管理你用于字符串的所有内存。这包括成员word
指向的内存。
您的代码执行以下操作(删除一些绒毛后):
struct lnode* newn = malloc(...);
strcpy (newn->word, word);
此处,newn->word
未初始化,因此可能会崩溃。
您需要分配内存来存储字符串,例如第二次调用malloc()
:
struct lnode* newn = malloc(...);
newn->word = malloc(strlen(word) + 1);
strcpy (newn->word, word);
答案 1 :(得分:1)
代码必须能够访问struct lnode
的结构。
正如Alok Save暗示的那样,你可能在另一个文件(也许是一个标题)中有声明,你忘了#include
它。