我无法为它打造正确的词语,所以我就这样做了标题。
我有这个DLL,其中template
d struct
位于namespace
内,其中定义了重载运算符非成员(自由函数) )那些struct
s。
“VectorX.h”
#ifdef SPECS
#define SPECS __declspec(dllimport)
#else
#define SPECS __declspec(dllexport)
#endif // SPECS
namespace swc
{
template <typename T>
struct Vec3 : Vec2<T>
{
Vec3();
Vec3(T value); //*1
Vec3& operator = (const T scalar); //*1
...
Vec3& operator += (const Vec3<T> &v);
Vec3& operator += (const T scalar);
//*1 w/c of this two are used when I do `Vec3<T> v = 0.0f;` ??
};
//What attribute should I use to make this works?
//It's compiling but it cause undefined reference when I use it.
//Or I have many ambiguous calls here(?)
template<typename T>
/* SPECS, static, extern */ Vec3<T> const operator * (const Vec3<T> &v, const T scalar);
template<typename T>
/* SPECS, static, extern */ Vec3<T> const operator * (const T scalar, const Vec3<T> &v);
typedef Vec3<float> Vec3f;
}
然后我尝试使用它
“TEST.CPP”
#include <iostream>
#include "../../VectorX/vectorx.h"
using namespace swc;
Vec3f CalculateBezierPoint(float t, const Vec3f &p0, const Vec3f &p1, const Vec3f &p2, const Vec3f &p3);
int main()
{
...
}
Vec3f CalculateBezierPoint(float t, const Vec3f &p0, const Vec3f &p1, const Vec3f &p2, const Vec3f &p3)
{
float u = 1 - t;
float tt = t * t;
float uu = u * u;
float uuu = uu * u;
float ttt = tt * t;
Vec3f p = uuu; //is it the operator '=' or the constructor Vec3f(T value)?
//**this is where the compiler starts complaining about undefined references.**
p += 3 * uu * t * p1;
p += 3 * u * tt * p2;
p += ttt * p3;
return p0;
}
这个有效p += 3 * 2 * 1;
,但这个不是p += 3 * 2 * 1 * p1;
我认为这是由于我所做的namespace
中{strong>重载的自由函数运算符的声明导致错误但我不知道还能做什么。< / p>
答案 0 :(得分:3)
初始化声明的变量时,如
Vec3f p = uuu;
您调用复制构造函数。也就是说,格式为
的构造函数Vec3(const Vec3<T> &v);
通常编译器可以自动生成这样的构造函数,但如果有任何其他非标准构造函数(如Vec3(T value);
构造函数),编译器将不会这样做。这意味着当没有复制构造函数时,你会尝试调用它。
如果您无法控制Vec3
类,因此无法添加复制构造函数,则必须使用该作业:
Vec3f p;
p = uuu;