我打算用c ++开发bptree。我是c ++编程的新手,遇到了这个错误,我不知道它们是什么。
我有四个文件: Node.h
#ifndef NODE_HEADER
#define NODE_HEADER
#include <string>
#include <map>
using namespace std;
class Node {
bool leaf;
Node** kids;
map<int, string> value;
int keyCount;//number of current keys in the node
public:
Node(int order);
void printNodeContent(Node* node);
friend class BpTree;
};
#endif
Node.cpp
#include <cstdio>
#include <iostream>
#include "Node.h"
//constructor;
Node::Node(int order) {
this->value = {};
this->kids = new Node *[order + 1];
this->leaf = true;
this->keyCount = 0;
for (int i = 0; i < (order + 1); i++) {
this->kids[i] = NULL;
}
}
void Node::printNodeContent(Node* node) {
map<int,string> values = node->value;
for (auto pval : values) {
cout << pval.first << "," ;
}
cout << endl;
}
void main() {
}
BpTree.h
#ifndef BPTREE_HEADER
#define BPTREE_HEADER
#include "Node.cpp"
class BpTree
{
Node *root;
Node *np;
Node *x;
public:
int order;
BpTree();
~BpTree();
BpTree(int ord);
int getOrder();
Node* getRoot();
bool insert(int key, string value);
};
#endif
BpTree.cpp
#include<stdio.h>
#include<conio.h>
#include<iostream>
#include<string>
#include "BpTree.h"
BpTree::BpTree(int ord)
{
root = new Node(ord);
order = ord;
np = NULL;
x = root;
}
BpTree::BpTree()
{
}
BpTree::~BpTree()
{
}
int BpTree::getOrder()
{
return order;
}
Node* BpTree::getRoot()
{
return root;
}
bool BpTree::insert(int key, string value) {
int order = getOrder();
if (x == NULL) {
x = root;
}
else {
if (x->leaf && x->keyCount <= order) {
x->value.insert({ key, value });
}
}
return false;
}
我在这里失踪的是什么。我试图只包含.h文件或.cpp文件一次。但仍然得到这个错误。如果任何人对如何解决这个问题有任何建议我真的很感激。
答案 0 :(得分:2)
BpTree.h包含Node.cpp。这会将该文件中的所有符号提取到#includes BpTree.h的任何文件中。
因此,当您链接时,如果您在Node.obj和BpTree.obj中进行链接,您将获得与现在一样的重复符号错误。
一般规则是你永远不会#include .cpp文件 - 只有头文件本身。这应该可以解决您的问题。