调用一个模板化函数不起作用

Calling one templated function isn't working

本文关键字:函数 不起作用 一个 调用      更新时间:2023-10-16

我不知道如何调用函数call

它是一个模板化的类,带有一个模板化的函数调用。但是我怎么使用这个代码呢?

#include <iostream>
#include <conio.h>
#include <functional>
template <typename Result> class Imp {
    template <typename ...Args> int call(std::function<Result(Args...)> func, Args... args) {
        return 0;
    }
};
int f(double a, double b) {
    return (int)a+b;
}
int main() {
    Imp<int> a;
    a.call<double, double>(f, 1., 1.); //!
}

error C2784: 'int Imp<int>::call(std::function<Result(Args...)>,Args...)' : could not deduce template argument for 'overloaded function type' from 'overloaded function type'
      with
      [
          Result=int
      ]
       : see declaration of 'Imp<int>::call'

你不能像这样把一个function pointer传递给std::function(见这个问题)

改成这样:

template <typename Result> class Imp {
public:
    template <class Func,typename ...Args> int call(Func f, Args... args) {
        return 0;
    }
};
int f(double a, double b) {return (int)a+b;}
int main() {
    Imp<int> a;
    a.call(f, 1., 1.); //!
}

ideone

或:

#include <functional>
template <typename Result> class Imp {
public:
    template <typename ...Args> int call(std::function<Result(Args...)> f, Args... args) {
        return 0;
    }
};
int f(double a, double b) {return (int)a+b;}
int main() {
    Imp<int> a;
    a.call(std::function<int(double,double)>(f), 1., 1.); //!
}