调用隐式删除的默认构造函数
Call to implicitly-deleted default constructor
当我尝试编译我的 C++ 项目时,我收到错误消息 Call to implicitly-deleted default constructor of 'std::array'。
头文件cubic_patch.hpp
#include <array>
class Point3D{
public:
Point3D(float, float, float);
private:
float x,y,z;
};
class CubicPatch{
public:
CubicPatch(std::array<Point3D, 16>);
std::array<CubicPatch*, 2> LeftRightSplit(float, float);
std::array<Point3D, 16> cp;
CubicPatch *up, *right, *down, *left;
};
源文件cubic_patch.cpp
#include "cubic_patch.hpp"
Point3D::Point3D(float x, float y, float z){
x = x;
y = y;
z = z;
}
CubicPatch::CubicPatch(std::array<Point3D, 16> CP){// **Call to implicitly-deleted default constructor of 'std::arraw<Point3D, 16>'**
cp = CP;
}
std::array<CubicPatch*, 2> CubicPatch::LeftRightSplit(float tLeft, float tRight){
std::array<CubicPatch*, 2> newpatch;
/* No code for now. */
return newpatch;
}
有人能告诉我这里有什么问题吗?我找到了类似的主题,但并不完全相同,我不明白给出的解释。
谢谢。
两件事。 Class 成员在 之前 构造函数的主体被初始化,默认构造函数是不带参数的构造函数。
因为你没有告诉编译器如何初始化cp,它会尝试调用std::array<Point3D, 16>
的默认构造函数,而有none,因为[=]没有默认构造函数15=].
CubicPatch::CubicPatch(std::array<Point3D, 16> CP)
// cp is attempted to be initialized here!
{
cp = CP;
}
您只需在构造函数定义中提供初始化列表即可解决此问题。
CubicPatch::CubicPatch(std::array<Point3D, 16> CP)
: cp(CP)
{}
另外,您可能想看看这段代码。
Point3D::Point3D(float x, float y, float z){
x = x;
y = y;
z = z;
}
x = x
、y = y
、z = z
没有意义。您正在为其自身分配一个变量。 this->x = x
是解决这个问题的一个选项,但更像 c++ 风格的选项是使用初始化列表,就像 cp
一样。它们允许您在不使用 this->x = x
的情况下为参数和成员使用相同的名称
Point3D::Point3D(float x, float y, float z)
: x(x)
, y(y)
, z(z)
{}
当我尝试编译我的 C++ 项目时,我收到错误消息 Call to implicitly-deleted default constructor of 'std::array'。
头文件cubic_patch.hpp
#include <array>
class Point3D{
public:
Point3D(float, float, float);
private:
float x,y,z;
};
class CubicPatch{
public:
CubicPatch(std::array<Point3D, 16>);
std::array<CubicPatch*, 2> LeftRightSplit(float, float);
std::array<Point3D, 16> cp;
CubicPatch *up, *right, *down, *left;
};
源文件cubic_patch.cpp
#include "cubic_patch.hpp"
Point3D::Point3D(float x, float y, float z){
x = x;
y = y;
z = z;
}
CubicPatch::CubicPatch(std::array<Point3D, 16> CP){// **Call to implicitly-deleted default constructor of 'std::arraw<Point3D, 16>'**
cp = CP;
}
std::array<CubicPatch*, 2> CubicPatch::LeftRightSplit(float tLeft, float tRight){
std::array<CubicPatch*, 2> newpatch;
/* No code for now. */
return newpatch;
}
有人能告诉我这里有什么问题吗?我找到了类似的主题,但并不完全相同,我不明白给出的解释。
谢谢。
两件事。 Class 成员在 之前 构造函数的主体被初始化,默认构造函数是不带参数的构造函数。
因为你没有告诉编译器如何初始化cp,它会尝试调用std::array<Point3D, 16>
的默认构造函数,而有none,因为[=]没有默认构造函数15=].
CubicPatch::CubicPatch(std::array<Point3D, 16> CP)
// cp is attempted to be initialized here!
{
cp = CP;
}
您只需在构造函数定义中提供初始化列表即可解决此问题。
CubicPatch::CubicPatch(std::array<Point3D, 16> CP)
: cp(CP)
{}
另外,您可能想看看这段代码。
Point3D::Point3D(float x, float y, float z){
x = x;
y = y;
z = z;
}
x = x
、y = y
、z = z
没有意义。您正在为其自身分配一个变量。 this->x = x
是解决这个问题的一个选项,但更像 c++ 风格的选项是使用初始化列表,就像 cp
一样。它们允许您在不使用 this->x = x
Point3D::Point3D(float x, float y, float z)
: x(x)
, y(y)
, z(z)
{}