头文件结构中的链接器错误

时间:2015-10-17 23:54:36

标签: c header-files

我有名为data.h的头文件

#ifndef data_h
#define data_h

struct Student{
    int GPA;
    int coursesCount;
    float tuitionFees;
};
struct person{
    char firstName[11];
    char familyName[21];
    char telephone[11];
    int isStudent;
    struct Student student;
};
int maxCount=20;
struct person person[20];
#endif

在student.h中,我做了类似的事情:

#ifndef __student__
#define __student__
#include <stdio.h>
#include "data.h"
void getStudentData(struct Student);
#endif

在student.c中就像这样:

#include "student.h"
void getStudentData(struct Student currentStudent){
     printf("Hi");
}

当我通过另一个main.c文件运行时,我收到链接器错误。其中包括所有标题。

的main.c

#include <stdio.h>
#include "student.h"
#include "data.h"
int main(){
    getStudentData(person[0].student);
}

这个链接器错误的原因是什么?请帮助

1 个答案:

答案 0 :(得分:2)

在头文件中声明变量通常是个坏主意。在您的情况下,您在头文件中声明了两个变量:

int maxCount=20;
struct person person[20];

让我们通过在*.c文件中声明它们并在头文件中创建对它们的引用来解决这个问题。

data.h

#ifndef data_h
#define data_h

struct Student{
    int GPA;
    int coursesCount;
    float tuitionFees;
};

struct person{
    char firstName[11];
    char familyName[21];
    char telephone[11];
    int isStudent;
    struct Student student;
};

extern int maxCount;
extern struct person person[20];

#endif

student.h

#ifndef student_h
#define student_h

#include <stdio.h>
#include "data.h"

void getStudentData(struct Student);

#endif

data.c

#include "data.h"
int maxcount = 20;
struct person person[20];

student.c

#include "student.h"
void getStudentData(struct Student currentStudent){
     printf("Hi");
}

的main.c

#include <stdio.h>
#include "data.h"
#include "student.h"

int main(){
    getStudentData(person[0].student);
}