我不熟悉使用头文件在C ++中编程。这是我目前的代码:
//a.h
#ifndef a_H
#define a_H
namespace hello
{
class A
{
int a;
public:
void setA(int x);
int getA();
};
}
#endif
//a.cpp
#include "a.h"
namespace hello
{
A::setA(int x)
{
a=x;
}
int A::getA()
{
return a;
}
}
//ex2.cpp
#include "a.h"
#include<iostream>
using namespace std;
namespace hello
{
A* a1;
}
using namespace hello;
int main()
{
a1=new A();
a1->setA(10);
cout<<a1->getA();
return 1;
}
当我尝试用g++ ex2.cpp
编译它时,我收到此错误:
In function `main':
ex2.cpp:(.text+0x33): undefined reference to `hello::A::setA(int)'
ex2.cpp:(.text+0x40): undefined reference to `hello::A::getA()'
collect2: ld returned 1 exit status
为什么它不起作用,我该如何解决?
答案 0 :(得分:27)
您没有链接头文件。您链接目标文件,它们是通过编译.cpp
文件创建的。您需要编译所有源文件并将生成的对象文件传递给链接器。
从错误消息中,您似乎正在使用GCC。如果是这样,我认为你可以做到
g++ ex2.cpp a.cpp
让它编译两个.cpp
文件并使用生成的目标文件调用链接器。
答案 1 :(得分:8)
您需要编译和链接两个源文件,例如:
g++ ex2.cpp a.cpp -o my_program
答案 2 :(得分:3)
您需要编译然后链接两个源(.cpp
)文件:
g++ -Wall -pedantic -g -o your_exe a.cpp ex2.cpp
答案 3 :(得分:2)
目前您只编译和链接ex2.cpp
,但此文件使用a.cpp
中存在的类def和函数调用,因此您需要编译和链接a.cpp
以及:
g++ ex2.cpp a.cpp
上面的命令会将源文件(.cpp
)编译成目标文件并链接它们以提供a.out
可执行文件。