C++ 程序在 Visual Studio 2010 中编译但不是 Mingw
C++ program compiles in Visual Studio 2010 but not Mingw
下面的程序可以在 VS 2010 中编译,但不能在最新版本的 Mingw 中编译。 Mingw 给我错误“请求从 int 转换为非标量类型 'tempClass(it)'”。 Class“它”只是一个简单的 class,可在模板中用于说明目的。
#include <iostream>
#include <string>
using namespace std;
template <class T>
class tempClass{
public:
T theVar;
tempClass(){}
tempClass(T a){
theVar = a;
}
/* tempClass <T> & operator = (T a){
(*this) = tempClass(a);
return *this;
}
*/
};
class it{
public:
int n;
it(){}
it(int a){
n = a;
}
};
int main(){
tempClass <it> thisOne = 5; // in MinGW gives error "conversion from int to non-scalar type 'tempClass(it)' requested"
cout << thisOne.theVar.n << endl; // in VS 2010 outputs 5 as expected
}
评论 in/out 赋值运算符部分似乎没有什么不同 - 我没想到,我只是把它包括在内,因为我也希望做像 tempClass <it> a = 5; a = 6;
这样的事情,如果这与答案相关。
我的问题是,我怎样才能让这个语法按预期工作?
MinGW 拒绝该代码是正确的,因为它依赖于 两个 隐式 user-defined 转换。一个从 int
到 it
,一个从 it
到 tempClass<it>
。只允许一个 user-defined 隐式转换。
以下有效,因为它只需要一次隐式转换:
tempClass<it> thisOne = it(5);
您也可以让构造函数进行转换,这样您就可以进行
tempClass<it> thisOne = 5;
。在下面的示例中,构造函数将接受 any 参数,并将尝试用它初始化 theVar
。如果 U
可转换为 T
,它将按预期编译和工作。否则,您将收到有关无效转换的编译错误。
template<class T>
class tempClass {
public:
template<typename U>
tempClass(U a) : theVar(a) {}
//private:
T theVar;
};
下面的程序可以在 VS 2010 中编译,但不能在最新版本的 Mingw 中编译。 Mingw 给我错误“请求从 int 转换为非标量类型 'tempClass(it)'”。 Class“它”只是一个简单的 class,可在模板中用于说明目的。
#include <iostream>
#include <string>
using namespace std;
template <class T>
class tempClass{
public:
T theVar;
tempClass(){}
tempClass(T a){
theVar = a;
}
/* tempClass <T> & operator = (T a){
(*this) = tempClass(a);
return *this;
}
*/
};
class it{
public:
int n;
it(){}
it(int a){
n = a;
}
};
int main(){
tempClass <it> thisOne = 5; // in MinGW gives error "conversion from int to non-scalar type 'tempClass(it)' requested"
cout << thisOne.theVar.n << endl; // in VS 2010 outputs 5 as expected
}
评论 in/out 赋值运算符部分似乎没有什么不同 - 我没想到,我只是把它包括在内,因为我也希望做像 tempClass <it> a = 5; a = 6;
这样的事情,如果这与答案相关。
我的问题是,我怎样才能让这个语法按预期工作?
MinGW 拒绝该代码是正确的,因为它依赖于 两个 隐式 user-defined 转换。一个从 int
到 it
,一个从 it
到 tempClass<it>
。只允许一个 user-defined 隐式转换。
以下有效,因为它只需要一次隐式转换:
tempClass<it> thisOne = it(5);
您也可以让构造函数进行转换,这样您就可以进行
tempClass<it> thisOne = 5;
。在下面的示例中,构造函数将接受 any 参数,并将尝试用它初始化 theVar
。如果 U
可转换为 T
,它将按预期编译和工作。否则,您将收到有关无效转换的编译错误。
template<class T>
class tempClass {
public:
template<typename U>
tempClass(U a) : theVar(a) {}
//private:
T theVar;
};