C++ 重复符号链接器错误与适当的包含保护?

C++ duplicate symbol linker error with proper include guards?

我正在编写一个程序来测试具体的继承,但我无法解决重复符号链接器错误 Clang returns。我的理解是重复符号总是不正确 includes/guards 的结果。我已经三次检查了我的 includes/guards,但我找不到任何错误。重复的符号可能是包含警卫以外的其他东西的结果吗?非常感谢,随着我的编程技能的提高,我打算经常在这里做出贡献。

.h

#ifndef POINTARRAY_H
#define POINTARRAY_H
#include "array.h"

namespace Jules
{
    namespace Containers
    {
        class PointArray: public Array<Point>
        {
        public:
            PointArray();    //default constructor
            ~PointArray();    //destructor
            PointArray(const PointArray& p);    //copy constructor
            PointArray(const int i);    //constructor with input argument
            PointArray& operator = (const PointArray& source);    //assignment operator
            double Length() const;    //length between points in array
        };
    }
}
#ifndef POINTARRAY_CPP
#include "PointArray.cpp"
#endif
#endif

.cpp

#ifndef POINTARRAY_CPP
#define POINTARRAY_CPP
#include "PointArray.h"

using namespace Jules::CAD;

namespace Jules
{
    namespace Containers
    {
        PointArray::PointArray() : Array<Point>()    //default constructor
        {
        }

        PointArray::~PointArray()    //destructor
        {
        }

        PointArray::PointArray(const PointArray& p) : Array<Point>(p)    //copy constructor
        {
        }

        PointArray::PointArray(const int i) : Array<Point>(i)    //constructor with input argument
        {
        }

        PointArray& PointArray::operator = (const PointArray& source)    //assignment operator
        {
            if (this == &source)
                return *this;
            PointArray::operator = (source);
            return *this;
        }

        double PointArray::Length() const
        {
        double lengthOfPoints = 0;
        for (int i = 0; i < Array::Size()-1; i++)
            lengthOfPoints += (*this)[i].Distance((*this)[i+1]);
            return lengthOfPoints;
        }
    }
}
#endif

更新:谢谢大家的帮助。我现在了解机制了。

不要在 header 中包含 cpp 文件。如果你这样做,每个包含你的 header 的翻译单元将以 class 的定义结束,例如 PointArray 导致包含多个定义的链接器错误。

从您的 header 中删除它。

#ifndef POINTARRAY_CPP
#include "PointArray.cpp"
#endif
#endif

您在 .h#include 编辑 .cpp 文件,这将导致 .cpp 代码包含在每个使用 [=12] 的文件中=](因此有重复的符号)。您还滥用了 include guards:只有头文件需要 include guards; .cpp 文件不应该有它们。