我正在开发一个项目,该项目需要具有用于大型数字库的通用C++包装器,并且如果该库提供如下C样式的函数:
//assignment
lib_set(lib_type data, lib_type input);
lib_set_si(lib_type data, long input);
lib_set_ui(lib_type data, unsigned long input);
//addition
lib_add(lib_type data, lib_type input);
lib_add_ui(lib_type data, unsigned long input);
为了避免在不必要时创建临时对象,我最终得到了以下内容:
class wrapper
{
private:
lib_type data;
public:
wrapper()
{
lib_set_ui(this->data, 0UL);
}
wrapper (const wrapper &input)
{
lib_set(this->data, input.data);
}
wrapper (const long input)
{
lib_set_si(this->data, input);
}
wrapper (const unsigned long input)
{
lib_set_ui(this->data, input);
}
wrapper &operator+= (const wrapper &input)
{
lib_add(this->data, input.data);
return *this;
}
wrapper &operator+= (const unsigned long input)
{
lib_add_ui(this->data, input);
return *this;
}
};
不幸的是,如果我这样做:
wrapper x(2);
x += -2;
编译器(GCC / VS2010)甚至不会发出警告,我正在尝试将
int
隐式转换为unsigned long
,这绝对不是我想要的...因此,在这种情况下,我将如何重载
wrapper
类的运算符,以便在不需要时无需创建临时wrapper
对象?如果我删除了wrapper &operator+= (const unsigned long input)
重载,那么我将不得不使用如下代码:wrapper x(2);
x += wrapper(-2);
x += -2;//implicitly casts -2 to wrapper
但是我认为我不能依靠编译器可以优化掉多余对象的事实...
最佳答案
我不知道您所描述的禁用隐式转换的方法。但是,您至少可以使编译器对此发出警告。
如果您使用的是gnu Mingw / gcc,则只需在编译时传递-Wconversion
和-Wsign-conversion
。您现在应该在上述代码上收到警告。
对于MSVC,/Wall
或/W4
应该会为您带来相同的效果。
关于c++ - 避免隐式转换,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/13959039/