0

我的代码中出现某种编译器/链接器错误,很可能与预处理器有关。错误消息显示“x 的多个定义”,其中 x 是我的 lib.c 文件中的 4 个函数中的任何一个。我正在使用的编译器/链接器是与代码一起打包的 GNU GCC 编译器:blocks

我尝试将#includes 的顺序更改为没有成功,而让我相信这是一个链接器错误而不是编译器错误的事实是,如果我故意犯了语法错误,编译器会发现它并且中止而不给出错误消息。

感谢所有帮助/建议/批评,提前致谢!

这是 main.c 文件:

#include <stdlib.h>
#include "lib.c"

int main()
{
getGradeAverage();
return EXIT_SUCCESS;
}

和lib.c:

#include "defs.h"

void getUserName ()
{
printf ("please enter the your name:");
studentRecord sr;
scanf("%40[^\n]%*c",&sr.studentName);
}

void getCourse (index)
{
printf("please enter the name of course 1:");
courseRecord cr1;
scanf("%40[^\n]%*c",&cr1.courseName);
do{
    printf("please enter a grade for course 1:");
        if ((scanf("%i",&cr1.grade))>-2)
        {
            printf("the grade you entered is not on the scale. please try again:");
            fflush(stdin);
            continue;
        }
    } while(true);
printf("please enter the name of course 2:");
courseRecord cr2;
scanf("%40[^\n]%*c",&cr2.courseName);
    do{
    printf("please enter a grade for course 1:");
        if ((scanf("%i",&cr2.grade))>-2)
        {
            printf("the grade you entered is not on the scale. please try again:");
            fflush(stdin);
            continue;
        }
    } while(true);

}

void GPAPrint ()
{
    int GPA;
    studentRecord sr;
    courseRecord cr1;
    courseRecord cr2;
    printf("Student name: %s\n",&sr.studentName);

}

void getGradeAverage ()
{
    int index=1;
    getUserName();
    getCourse(index);
    GPAPrint();
    return (0);

}

defs.h 文件在这里也很重要,因为它包含大部分#includes 和结构。

#include <stdlib.h>
#include <stdio.h>
#include <stdbool.h>
#include <math.h>
#include <string.h>
#define MAX_LENGTH 40

typedef struct courseRecord
{
char courseName [MAX_LENGTH+1];
int grade;
}courseRecord;

typedef struct studentRecord
{
char studentName [MAX_LENGTH+1];
char courseName[2];
}studentRecord;
4

1 回答 1

1

据推测,您已将其包含lib.c在您的构建中,并将#include其包含在main.c. 这导致编译的对象(比如lib.omain.o)每个都有函数的定义。链接器选择了这一点(因为它检查所有目标文件,而编译器一次生成一个,因此无法检测到两个或多个目标文件多次定义某些内容的实例)并抱怨多个定义。

作为指导方针,绝不#include.c文件。

相反,将函数的声明(又名原型)放在头文件中(例如lib.h

 #ifndef LIB_H_INCLUDED
 #define LIB_H_INCLUDED

 #include "defs.h"

 void getUserName();
 void getCourse (index);

  // etc

 #endif

并且#include在每个.c需要使用这些功能的文件中。这提供了足够的信息,以便编译器可以检查您是否正确调用了函数。然后将函数定义(也就是它们的实现)放在lib.c. lib.c还需要#include "lib.h",因此(除其他外)编译器可以检查头文件中的函数声明是否与定义匹配。

我还在标题中放置了包含警卫。我会把它作为练习留给你去谷歌找出原因。

于 2016-11-12T20:34:12.827 回答