我是ubuntu的新手,现在我需要用C ++开发我的作业。 我正在使用codeblocks IDE来编写c ++程序。 每当我在其中编译某些内容时,它都会出现以下错误:
multiple definition of main
warning: control reaches end of non-void function
以下是我想要编译的代码:
#include <iostream>
#include <stdlib.h>
using namespace std;
/* The Node class */
class Node
{
public:
int get() { return object; };
void set(int object) { this->object = object; };
Node * getNext() { return nextNode; };
void setNext(Node * nextNode) { this->nextNode = nextNode; };
private:
int object;
Node * nextNode;
};
/* The List class */
class List
{
public:
List();
void add (int addObject);
int get();
bool next();
friend void traverse(List list);
friend List addNodes();
private:
int size;
Node * headNode;
Node * currentNode;
Node * lastCurrentNode;
};
/* Constructor */
List::List()
{
headNode = new Node();
headNode->setNext(NULL);
currentNode = NULL;
lastCurrentNode = NULL;
size = 0;
}
/* add() class method */
void List::add (int addObject)
{
Node * newNode = new Node();
newNode->set(addObject);
if( currentNode != NULL )
{
newNode->setNext(currentNode->getNext());
currentNode->setNext( newNode );
lastCurrentNode = currentNode;
currentNode = newNode;
}
else
{
newNode->setNext(NULL);
headNode->setNext(newNode);
lastCurrentNode = headNode;
currentNode = newNode;
}
size ++;
}
/* get() class method */
int List::get()
{
if (currentNode != NULL)
return currentNode->get();
}
/* next() class method */
bool List::next()
{
if (currentNode == NULL) return false;
lastCurrentNode = currentNode;
currentNode = currentNode->getNext();
if (currentNode == NULL || size == 0)
return false;
else
return true;
}
/* Friend function to traverse linked list */
void traverse(List list)
{
Node* savedCurrentNode = list.currentNode;
list.currentNode = list.headNode;
for(int i = 1; list.next(); i++)
{
cout << "\n Element " << i << " " << list.get();
}
list.currentNode = savedCurrentNode;
}
/* Friend function to add Nodes into the list */
List addNodes()
{
List list;
list.add(2);
list.add(6);
list.add(8);
list.add(7);
list.add(1);
cout << "\n List size = " << list.size <<'\n';
return list;
}
int main()
{
List list = addNodes();
traverse(list);
return 0;
}
任何人都可以解释一下,我在哪里弄乱?
答案 0 :(得分:3)
您的IDE似乎不只是编译一个文件,而是另一个文件还包含主函数的定义。请查看正在编译的文件数量。
此外,您编译后将所有警告视为错误(-Werror)或禁用此标志。
答案 1 :(得分:3)
程序编译正常(yourcode.cc包含您的源代码):
$ CXXFLAGS="-Wall -Werror -Wpedantic" make yourcode
stack.cc: In member function ‘int List::get()’:
stack.cc:76:1: error: control reaches end of non-void function [-Wreturn-type]
}
并调用./yourcode
输出:
List size = 5
Element 1 2
Element 2 6
Element 3 8
Element 4 7
Element 5 1
显然,您的IDE将向链接器添加一些标志。请告诉我们您的编译标志/设置。请参阅编译日志或运行make命令执行更详细。
答案 2 :(得分:0)
问题只是,我的IDE一次编译多个文件,
以及函数int List::get()
,
我必须在if语句之后在此函数的末尾添加else return -1
,
我的意思是在编辑代码之前int List::get()
函数是这样的:
int List::get() {
if (currentNode != NULL)
return currentNode->get();
}
我用以下内容替换了这个:
int List::get() {
if (currentNode != NULL)
return currentNode->get();
else return -1;
}
它工作正常。