如何在C ++类中包含全局库?

时间:2015-10-17 12:24:00

标签: c++ class include

我有main.cpp,类Student和global.h库。

我希望global.h的功能随处可见,所以我这样做了。

global.h

#include <iostream>
#include <cstdlib>
#include <string>
#include <vector>

using namespace std;

#ifndef GLOBAL_H
#define GLOBAL_H

int min(vector<int> v) {
    int min = -99999999;
    for (unsigned int i = 0; i < v.size(); i++) {
        if (v[i] > min) min = v[i];
    }
    return min;
}

double average(vector<int> v) {
    int sum = 0;
    for (unsigned int i = 0; i < v.size(); i++) {
        sum += v[i];
    }
    return (double)sum / v.size();
}

#endif  /* GLOBAL_H */

Student.h

#include "global.h"

#ifndef STUDENT_H
#define STUDENT_H

class Student {

private:
    string name;
    vector<int> grades;
public:
    Student();
    void setName(string name);
    void addGrade(int grade);
    int getBestGrade();
    double getAverageGrade();
};

#endif  /* STUDENT_H */

Student.cpp

#include "Student.h"

Student::Student() {
}

void Student::setName(string name) {
    this->name = name;
}

void Student::addGrade(int grade) {
    this->grades.push_back(grade);
}

int Student::getBestGrade() {
    return min(this->grades);
}

double Student::getAverageGrade() {
    return average(this->grades);
}

的main.cpp

#include "Student.h"

using namespace std;

int main(int argc, char** argv) {
    Student a;
    a.setName("John");
    a.addGrade(15);
    a.addGrade(13);
    a.addGrade(20);
    cout << a.getAverageGrade() << endl;
    cout << a.getBestGrade() << endl;
    return 0;
}

我收到此错误:

min(...)的多重定义 平均值的多重定义(...)

似乎我多次包括“global.h”。但我不知道在哪里。实际上,我使用include "Student.h"两次。但是我认为如果我不这样做,那课就行不了。

请帮助我了解如何在课堂中包含全局库。

由于

##############################

感谢WhiteViking,我现在有了一个解决方案。

global.h必须有global.cpp。

global.h

#include <iostream>
#include <cstdlib>
#include <string>
#include <vector>

using namespace std;

#ifndef GLOBAL_H
#define GLOBAL_H

int min(vector<int> v);
double average(vector<int> v);

#endif  /* GLOBAL_H */

global.cpp

#include "global.h"

int min(vector<int> v) {
    int min = -99999999;
    for (unsigned int i = 0; i < v.size(); i++) {
        if (v[i] > min) min = v[i];
    }
    return min;
}

double average(vector<int> v) {
    int sum = 0;
    for (unsigned int i = 0; i < v.size(); i++) {
        sum += v[i];
    }
    return (double)sum / v.size();
}

1 个答案:

答案 0 :(得分:3)

您的问题没有详细说明,但您似乎funcX中定义 funcYglobal.h而不是声明< / em>他们。

预处理器将使用这些包含文件的逐字内容替换所有#include语句。这是递归发生的。因此,在预处理之后,编译器会看到一个&#34; A.cpp&#34;其中包含global.h的内容以及funcXfuncY的完整定义。 (global.h通过A.h间接包含Main.cpp。)同样的事情发生在A.cpp

编译后,Main.cppfuncX的目标文件将包含funcYglobal.h的已编译定义。当这些目标文件链接在一起以构建最终的可执行文件时,就会发生错误。链接器将看到这些函数的多个定义,并将出错。 (它不知道/检查/关心这些定义是否真的相同。)

解决方案是仅在<{1}}中声明这些函数,并将其定义放在单独的.cpp文件中,例如global.cpp }。例如:

global.h

// declarations only here
int funcX(int x);
int funcY(int x);

global.cpp

int funcX(int x)
{
    return 2 * x;
}

int funcY(int x)
{
    return x + 42;
}

简而言之:您违反了所谓的单一定义规则(ODR)。