为什么即使给出模板参数,ptr_fun也会发现这种模糊不清?

时间:2011-07-11 20:50:33

标签: c++ functor ambiguity

所以,这里有一些基本代码说明了我的问题:

#include <functional>

int func(int x) {
    return x;
}

int func(int x, int y) {
    return x + y;
}

int main() {
    std::ptr_fun<int, int>(func);
}

对于具有不同参数数量的函数,我们有2个重载。然后我尝试在仿函数中转换单个参数版本。当然,我遇到了以下错误:

test.cc: In function 'int main()':
test.cc:13:29: error: call of overloaded 'ptr_fun()' is ambiguous
/usr/lib/gcc/x86_64-pc-linux-gnu/4.5.2/include/g++-v4/bits/stl_function.h:437:5: note: candidates are: std::pointer_to_unary_function std::ptr_fun(_Result (*)(_Arg)) [with _Arg = int, _Result = int]
/usr/lib/gcc/x86_64-pc-linux-gnu/4.5.2/include/g++-v4/bits/stl_function.h:463:5: note:                 std::pointer_to_binary_function std::ptr_fun(_Result (*)(_Arg1, _Arg2)) [with _Arg1 = int, _Arg2 = int, _Result = int]

我知道我可以投出func并完成它,但它让我想到为什么这个含糊不清std::ptr_fun版本的模板定义中都没有默认参数,我已明确表示两个模板参数为int

事实上,如果我只是在模板实例化期间执行编译器实际执行的操作,如下所示:

#include <functional>

int func(int x) {
    return x;
}

int func(int x, int y) {
    return x + y;
}

std::pointer_to_unary_function<int,int> my_ptr_fun (int (*f)(int)) {
  return std::pointer_to_unary_function<int,int>(f);
}

int main() {
    my_ptr_fun(func);
}    

它编译得很好,不知怎的,模糊性消失了!有人为什么会这样做?

1 个答案:

答案 0 :(得分:4)

因为当你调用模板化函数时,你不必指定任何可以通过函数参数的类型推断出的模板参数。因此,调用std::ptr_fun<int, int>实际上并未指定您调用的std::ptr_fun重载中的哪一个,并且它依赖于您作为解析参数传递的函数。由于您的func具有适合两个std::ptr_fun重载的重载,因此存在歧义。

编辑:这是一个示例来演示我的观点 - 在Ideone上运行,它显示两个函数调用都返回相同的类型。

#include <functional>
#include <iostream>
#include <typeinfo>

double func(int x) 
{
    return x;
}

int main() 
{
    std::cout << typeid(std::ptr_fun<int>(func)).name() << std::endl;
    std::cout << typeid(std::ptr_fun<int, double>(func)).name() << std::endl;
}