11

我真的不明白如何解决这个重新定义错误。

编译+错误

g++ main.cpp list.cpp line.cpp
In file included from list.cpp:5:0:
line.h:2:8: error: redefinition of âstruct Lineâ
line.h:2:8: error: previous definition of âstruct Lineâ

主文件

#include <iostream>
using namespace std;
#include "list.h"

int main() {
    int no;
    // List list;

    cout << "List Processor\n==============" << endl;
    cout << "Enter number of items : ";
    cin  >> no;

    // list.set(no);
    // list.display();
}

列表.h

#include "line.h"
#define MAX_LINES 10
using namespace std;

struct List{
    private:
        struct Line line[MAX_LINES];
    public:
        void set(int no);
        void display() const;
};

线.h

#define MAX_CHARS 10
struct Line {
    private:
        int num;
        char numOfItem[MAX_CHARS + 1]; // the one is null byte
    public:
        bool set(int n, const char* str);
        void display() const;
};

列表.cpp

#include <iostream>
#include <cstring>
using namespace std;
#include "list.h"
#include "line.h"

void List::set(int no) {}

void List::display() const {}

线.cpp

#include <iostream>
#include <cstring>
using namespace std;
#include "line.h"

bool Line::set(int n, const char* str) {}

void Line::display() const {}
4

3 回答 3

29

您需要在标题中添加包含防护

#ifndef LIST_H_
#define LIST_H_

// List.h code

#endif
于 2013-02-23T15:59:51.330 回答
18

在 list.cpp 中,您同时包含“line.h”和“list.h”。但是“list.h”已经包含“line.h”,所以“list.h”实际上在您的代码中包含了两次。(预处理器不够聪明,不能包含它已经拥有的东西)。

有两种解决方案:

  • 不要将“list.h”直接包含在您的 list.cpp 文件中,但这是一种无法扩展的做法:您必须记住每个头文件包含的内容,这将很快。
  • 使用包括警卫,正如@juanchopanza 所解释的那样
于 2013-02-23T16:02:02.963 回答
2

您包含“line.h”两次,并且您的头文件中没有包含保护。

如果您添加以下内容:

 #ifndef LINE_H
 #define LINE_H
 ... rest of header file goes here ... 
 #endif

到你的头文件,一切都会好起来的。

于 2013-02-23T16:01:44.387 回答