本文介绍了调用重载函数是不明确的的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
这个错误讯息的意思是什么?
What does this error message mean?
error: call of overloaded ‘setval(int)’ is ambiguous
huge.cpp:18: note: candidates are: void huge::setval(unsigned int)
huge.cpp:28: note: void huge::setval(const char*)
我的代码如下所示:
#include <iostream>
#define BYTES 8
using namespace std ;
class huge {
private:
unsigned char data[BYTES];
public:
void setval(unsigned int);
void setval(const char *);
};
void huge::setval(unsigned int t) {
for(int i = 0; i< BYTES ; i++) {
data[i] = t;
t = t >> 1;
}
}
void huge::setval(const char *s) {
for(int i = 0; i< BYTES ; i++)
data[i] = s[i];
}
int main() {
huge p;
p.setval(0);
return 0;
}
推荐答案
c> 0 在C ++中有两个含义。
一方面,它是一个值为0的整数。
另一方面,是一个空指针常量。
The literal 0
has two meanings in C++.
On the one hand, it is an integer with the value 0.
On the other hand, it is a null-pointer constant.
由于 setval
函数可以接受 int
或 char *
,编译器无法确定您的意思是什么重载。
As your setval
function can accept either an int
or a char*
, the compiler can not decide which overload you meant.
最简单的解决方案是将 0
转换为正确的类型。
另一个选项是确保 int
重载是优选的,例如通过使另一个模板:
The easiest solution is to just cast the 0
to the right type.
Another option is to ensure the int
overload is preferred, for example by making the other one a template:
class huge
{
private:
unsigned char data[BYTES];
public:
void setval(unsigned int);
template <class T> void setval(const T *); // not implemented
template <> void setval(const char*);
};
这篇关于调用重载函数是不明确的的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!