好的,所以我可以让我的代码正常工作,但是有些东西让我很烦。它与运算符重载和使非成员函数内联有关。这是一个实现复数对象的非常简单的程序:
包含在 Complex.h 中
using namespace std;
class Complex {
private:
double real;
double imaginary;
public:
Complex(void);
Complex(double r, double i);
double getReal();
double getImaginary();
string toString();
};
inline Complex operator+(Complex lhs, Complex rhs);
...在 Complex.cc 中
#include <sstream>
#include <string>
#include "Complex.h"
using namespace std;
Complex::Complex(void)
{
...not important...
}
Complex::Complex(double r, double i)
{
real = r;
imaginary = i;
}
double Complex::getReal()
{
return real;
}
double Complex::getImaginary()
{
return imaginary;
}
string Complex::toString()
{
...what you would expect, not important here...
}
inline Complex operator+(Complex lhs, Complex rhs)
{
double result_real = lhs.getReal() + rhs.getReal();
double result_imaginary = lhs.getImaginary() + rhs.getImaginary();
Complex result(result_real, result_imaginary);
return(result);
}
最后在 plus_overload_test.cc
using namespace std;
#include <iostream>
#include "Complex.h"
int main(void)
{
Complex c1(1.0,3.0);
Complex c2(2.5,-5.2);
Complex c3 = c1 + c2;
cout << "c3 is " << c3.toString() << endl;
return(0);
}
使用执行链接的生成文件使用 g++ 进行编译会产生错误:
plus_overload_test.cc:(.text+0x5a): undefined reference to `operator+(Complex, Complex)'
如果我只是从 Complex.h 和 Complex.cc 中的 operator+ 之前删除“内联”,那么一切都会编译并按应有的方式工作。为什么 inline 修饰符会导致此错误?大家举个例子:
和
http://en.cppreference.com/w/cpp/language/operators
似乎建议对于重载二元运算符,函数应该是非成员和内联的。那么,当我将它们内联时,为什么会遇到错误呢?
而且,是的,我意识到 inline 修饰符可能是一个红鲱鱼,因为现代编译器应该注意这一点。但我仍然很好奇。
干杯!