我遇到的错误是dereferencing pointer to incomplete type
,但是我在另一个文件中使用了两次该结构,并且工作得很好。为什么当我尝试第三次使用main时出现此错误?显然,我使用了不同的名称,这意味着结构不完全相同。
我在这里定义结构
//bom.h
#ifndef BOM_H_INCLUDED
#define BOM_H_INCLUDED
struct polyinfo {
int size;
int poly[];
};
struct polyinfo *createpoly(struct polyinfo *s, int sz, int p2[]){
int i;
s=(int*)malloc(sizeof(*s) + sizeof(int)*sz);
s->size=sz;
for(i=0;++i<sz;)
s->poly[i]=2*p2[i];
return s;
};
int* bom(int s[], int n);
#endif // BOM_H_INCLUDED
在这里我使用了两次,效果很好
//bom.c
#include <stdio.h>
#include "bom.h"
int* bom(int s[], int n){
int i;
int *s2;
struct polyinfo *s3;//using the structure of polyinfo
struct polyinfo *s4;//using the structure of polyinfo 2nd time
s4 = createpoly(s4, n, s);//creating a poly multiply by 2
printf("printing 2nd:");
for(i=0;++i<n;)
printf("%d", s4->poly[i]);
printf("\n");
s2=(int*)malloc(n*sizeof(int));
printf("received n= %d\n",n);
for(i=0;++i<n;)
printf("%d", s[i]);
printf("\n");
for(i=0;++i<n;)
s2[i]=2*s[i];
s3 = createpoly(s3, n, s);//creating a poly multiply by 2
printf("printing the struct, poly size: %d\n",s3->size);
for(i=0;++i<n;)
printf("%d ", s3->poly[i]);
printf("\n");
return s2;
}
尝试第三次使用它会给我错误:dereferencing pointer to incomplete type
//main.c
#include <stdio.h>
int main(){
int i, s[]={1,1,1,0,1};//the pattern that will go
int n=sizeof(s)/sizeof(*s);//size of the pattern
int *p;//sending the patt, patt-size & receiving the poly
struct polyinfo *s5;//using the structure of polyinfo 3rd time
s5 = createpoly(s5, n, s);//creating a poly multiply by 2
printf("printing 2nd:");
for(i=0;++i<n;)
printf("%d", s5->poly[i]);
printf("\n");
p=bom(s, n);
for(i=0;++i<n;)
printf("%d", p[i]);
return 0;
}
如果我尝试在main.c中使用#include“ bom.h”,则错误为multiple definition
答案 0 :(得分:1)
您的代码中实际上存在两个问题,您需要同时解决这两个问题。只能解决一个问题,而不能解决另一个(本质上是您尝试过的问题)。
1)目前createpoly()
是在标头中定义的(也已实现),因此#include
对该标头的每个编译单元都会得到自己的定义-导致程序无法链接,大多数情况下。最简单的解决方法是仅在标头中声明该函数,并在一个源文件(最好也包含该标头)中定义它。还有其他选择-例如,在函数定义前面加上static
-但这样的选项会带来其他后果(例如,导致每个目标文件都有其自己的函数本地定义),因此,除非有特殊需要,否则最好避免使用为此。
2)前向声明足以声明一个指针(例如,代码中的struct polyinfo *s5
),但不足以取消引用该指针(例如,printf("%d", s5->poly[i])
)。在您的情况下,解决方案是在struct polyinfo
中包含标头(定义为main.c
)。
答案 1 :(得分:0)
多个定义链接器错误来自在头文件中定义函数。
createpoly
移至bom.c,但将函数原型保留在bom.h中。