我这里有一个数字类,可以正常工作:

数字.hpp

#ifndef NUMBER_HPP
#define NUMBER_HPP

#include <memory>

class Number
{
private:
     std::unique_ptr<int[]> mDigits;
public:
     // CONSTRUCTORS \\
     Number();
};

#endif

数字.cpp
#include "number.hpp"

#define PRECISION 2048

Number::Number()
    :mDigits( new int[PRECISION]() )
{
}

当我添加以下运算符时

数字.hpp
#ifndef NUMBER_HPP
#define NUMBER_HPP

#include <memory>

class Number
{
private:
     std::unique_ptr<int[]> mDigits;
public:
     // CONSTRUCTORS \\
     Number();

     // CONST OPERATORS \\
     bool operator==( Number const& rhs ) const;
     bool operator!=( Number const& rhs ) const;
};

#endif

数字.cpp
#include "number.hpp"

#define PRECISION 2048

Number::Number()
    :mDigits( new int[PRECISION]() )
{
}

bool Number::operator==( Number const& rhs ) const
{
    for( int i = 0; i < PRECISION; ++i )
        if( mDigits[i] != rhs.mDigits[i] )
            return false;
    return true;
}

bool Number::operator!=( Number const& rhs ) const
{
    return !( *this == rhs );
}

我从GCC 5.4,GCC 6.2和CLANG idk中收到以下错误
number.cpp:5:16: error: definition of implicitly declared constexpr Number::Number()
Number::Number()

error: number.cpp:12 no bool Number::operator==( const Number& rhs ) const member function declared in class Number

以此类推,该类中的每个方法均如此。这是怎么回事

最佳答案

public:
     // CONSTRUCTORS \\
     Number();

     // CONST OPERATORS \\
     bool operator==( Number const& rhs ) const;
     bool operator!=( Number const& rhs ) const;

预处理程序会在处理过程的早期就删除所有出现的反斜杠换行符(即行尾的\)。您最终得到的是:
public:
     // CONSTRUCTORS \         Number();

     // CONST OPERATORS \         bool operator==( Number const& rhs ) const;
     bool operator!=( Number const& rhs ) const;

然后将其解析为两个注释和一个声明,
     bool operator!=( Number const& rhs ) const;

解决方案:不要将\用作一行的最后一个字符。只需编写// CONSTRUCTORS// CONST OPERATORS即可。

关于c++ - C++ : All Member Functions Give Implicit Definition Error When I Define Operators,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/39679998/

10-08 23:20