编译器错误 C2668
“function”:对重载函数的调用不明确
无法解析指定的重载函数调用。 你可能希望显式转换一个或多个实际参数。
也可能在使用模板时遇到此错误。 如果在同一类中有一个常规成员函数和一个具有同一签名的模板化成员函数,必须先调用模板化成员函数。 此限制仍然存在于 Visual C++ 的当前实现中。
示例
下面的示例生成 C2668:
// C2668.cpp
struct A {};
struct B : A {};
struct X {};
struct D : B, X {};
void func( X, X ){}
void func( A, B ){}
D d;
int main() {
func( d, d ); // C2668 D has an A, B, and X
func( (X)d, (X)d ); // OK, uses func( X, X )
}
解决此错误的另一种方法是使用using
声明:
// C2668b.cpp
// compile with: /EHsc /c
// C2668 expected
#include <iostream>
class TypeA {
public:
TypeA(int value) {}
};
class TypeB {
TypeB(int intValue);
TypeB(double dbValue);
};
class TestCase {
public:
void AssertEqual(long expected, long actual, std::string
conditionExpression = "");
};
class AppTestCase : public TestCase {
public:
// Uncomment the following line to resolve.
// using TestCase::AssertEqual;
void AssertEqual(const TypeA expected, const TypeA actual,
std::string conditionExpression = "");
void AssertEqual(const TypeB expected, const TypeB actual,
std::string conditionExpression = "");
};
class MyTestCase : public AppTestCase {
void TestSomething() {
int actual = 0;
AssertEqual(0, actual, "Value");
}
};
使用常量 0 进行强制转换的转换是不明确的,因为 int
需要同时转换为 long
和 void*
。 要解决此错误,请将 0 强制转换为其所用于的函数参数的类型。 然后,无需进行任何转换。
// C2668c.cpp
#include "stdio.h"
void f(long) {
printf_s("in f(long)\n");
}
void f(void*) {
printf_s("in f(void*)\n");
}
int main() {
f((int)0); // C2668
// OK
f((long)0);
f((void*)0);
}
发生此错误的原因是 CRT 目前具有所有数学函数的 float
和 double
形式。
// C2668d.cpp
#include <math.h>
int main() {
int i = 0;
float f;
f = cos(i); // C2668
f = cos((float)i); // OK
}
发生此错误的原因是 CRT 的 math.h
中删除了 pow(int, int)
。
// C2668e.cpp
#include <math.h>
int main() {
pow(9,9); // C2668
pow((double)9,9); // OK
}
此代码在 Visual Studio 2015 中成功,但在 Visual Studio 2017 及更高版本中失败并显示了 C2668 错误。 在 Visual Studio 2015 中,编译器以与常规复制初始化相同的方式错误地处理复制列表初始化。 它只考虑将转换构造函数用于重载决策。
struct A {
explicit A(int) {}
};
struct B {
B(int) {}
};
void f(const A&) {}
void f(const B&) {}
int main()
{
f({ 1 }); // error C2668: 'f': ambiguous call to overloaded function
}