我在键盘上,我正在尝试使用C ++建立自己的技能。我之前从未使用过模板,所以我试着研究如何使用它们。下面的代码是结果,不幸的是,它不起作用。我确实试图寻找我的问题的解决方案,但由于我没有使用模板的经验,我无法在我的问题和其他问题之间建立任何联系。所以,我决定寻求帮助。
template <class A>
class Vector2 {
public:
A x,y;
Vector2(A xp, A yp){
this->x = xp;
this->y = yp;
}
};
template <class B, class A>
class rayToCast {
public:
rayToCast(B angle, Vector2<A> origin, Vector2<A> point1, Vector2<A> point2){
this->RAngle = angle;
this->Point1 = point1;
this->Point2 = point2;
}
private:
B RAngle;
Vector2<A> point1,point2;
};
int main(){
rayToCast<short int, float> ray(45, Vector2<float>(0.0, 0.0), Vector2<float>(-10.0, -3.0), Vector2<float>(5.0, 7.0));
return 0;
}
这是输出:
t.cpp: In constructor 'rayToCast<B, A>::rayToCast(B, Vector2<A>, Vector2<A>, Vector2<A>) [with B = short int, A = float]':
t.cpp:26: instantiated from here
Line 14: error: no matching function for call to 'Vector2<float>::Vector2()'
compilation terminated due to -Wfatal-errors.
感谢任何帮助。
答案 0 :(得分:6)
rayToCast
构造函数尝试通过调用point1
的默认构造函数来初始化point2
和Vector2
。但它没有。
您必须为vector类提供默认构造函数,或者显式初始化rayToCast
的成员。一种方法是这样做:
rayToCast(B angle, Vector2<A> origin, Vector2<A> point1, Vector2<A> point2)
: RAngle(angle), point1(point1), point2(point2)
{ }
答案 1 :(得分:3)
错误与模板无关。
您的Vector2
类没有默认构造函数,但您想在rayToCast
的构造函数中使用默认构造函数创建它。
在rayToCast
的构造函数中使用成员初始值设定项列表,或在Vector2
中创建默认构造函数。
答案 2 :(得分:3)
您的代码中有两个问题:
Vector2没有默认构造函数,当将Vector2传递给rayToCast
构造函数时,将调用默认构造函数。
rayToCast(B angle, Vector2<A> origin, Vector2<A> point1, Vector2<A> point2)
您需要将默认构造函数添加到Vector2并将x,y
初始化为默认值:
template <class A>
class Vector2 {
public:
A x,y;
Vector2() : x(), y() {} // default constructor
Vector2(A xp, A yp){
this->x = xp;
this->y = yp;
}
};
另外,你有拼写错误,应该是Point1,Point2而不是point1 / point2。
class rayToCast {
public:
rayToCast(B angle, Vector2<A> origin, Vector2<A> point1, Vector2<A> point2){
this->RAngle = angle;
this->Point1 = point1;
this->Point2 = point2;
}
private:
B RAngle;
Vector2<A> Point1; // capital P
Vector2<A> Point2; // capital P
};
答案 3 :(得分:2)
如果不声明构造函数,则会获得为您自动生成的默认构造函数(默认构造函数和复制构造函数)。
当您声明构造函数时,您不再获得自动生成的构造函数(因此如果需要,您必须手动定义其他构造函数)。
由于您定义了Vector2(A xp, A yp)
,编译器不再为您自动生成Vector2()
,如果您想使用它,则必须自己定义Vector2()
。
答案 4 :(得分:1)
取这部分代码:
rayToCast(B angle, Vector2<A> origin, Vector2<A> point1, Vector2<A> point2){
this->RAngle = angle;
this->Point1 = point1;
this->Point2 = point2;
}
对于不熟悉的C ++程序员来说,它看起来像初始化Point1
和Point2
,但事实并非如此。初始化是默认完成的(这里不会发生,因为Vector2<A>
没有默认构造函数),或者成员初始化列表(你没有使用);你在构造函数 body 中的赋值就是:事后分配。
您可能有理由不给Vector<A>
默认构造函数,因此通过让其构造函数正确地初始化那些rayToCast
/ {{1来修复Point1
构造函数参数中的成员:
Point2
我还建议整理你的变量和参数名称,因为他们把我弄糊涂了一下(在这里上限,不在那里,无处,在任何地方,在哪里,那里!)。
答案 5 :(得分:0)
正如其他人已经指出的那样,错误是您缺少默认构造函数。使用Bo Persson建议的语法。
另一个错误是变量名称区分大小写,例如,在您编写的rayToCast
的构造函数中:
this->Point1 = point1;
但是,您将类属性命名为point1
。请注意,它与:
this->point1 = point1;