我正在尝试创建一个允许隐式转换为某些内置类型的类,例如 unsigned long int 并且因为我试图尽可能正确地做到这一点(这是我在 C++ 中的第一个重要项目),所以我遇到了一个奇怪的问题关于 const 正确性的问题:
这有效:
#include <iostream>
class CustomizedInt
{
private:
int data;
public:
CustomizedInt();
CustomizedInt(int input);
operator unsigned long int () const
{
unsigned long int output;
output = (unsigned long int)data;
return output;
}
};
CustomizedInt::CustomizedInt()
{
this->data = 0;
}
CustomizedInt::CustomizedInt(int input)
{
this->data = input;
}
int main()
{
CustomizedInt x;
unsigned long int y = x;
std::cout << y << std::endl;
return 0;
}
但是这个:
#include <iostream>
class CustomizedInt
{
private:
int data;
public:
CustomizedInt();
CustomizedInt(int input);
operator unsigned long int () const;
};
CustomizedInt::CustomizedInt()
{
this->data = 0;
}
CustomizedInt::CustomizedInt(int input)
{
this->data = input;
}
CustomizedInt::operator unsigned long()
{
unsigned long int output;
output = (unsigned long int)data;
return output;
}
int main()
{
CustomizedInt x;
unsigned long int y = x;
std::cout << y << std::endl;
return 0;
}
在 Visual Studio 2010 中给了我这个错误:error C2511: 'CustomizedInt::operator unsigned long(void)' : overloaded member function not found in 'CustomizedInt'
现在,如果我从运算符定义中删除关键字 const,一切正常。这是一个错误吗?我读到我应该在每个(公共)方法/运算符之后使用 const 关键字,以便清楚地表明它不会以任何方式改变当前对象。
另外,我知道定义这样的运算符可能是不好的做法,但我不确定我是否完全理解相关的警告。有人可以概述一下吗?只定义一个名为 ToUnsignedLongInt 的公共方法会更好吗?