Passing template function as argument for normal function

▼魔方 西西 提交于 2021-02-16 16:12:54

问题


I'm wondering if it's possible to pass a template function (or other) as an argument to a second function (which is not a template). Asking Google about this only seems to give info about the opposite ( Function passed as template argument )

The only relevant page I could find was http://www.beta.microsoft.com/VisualStudio/feedbackdetail/view/947754/compiler-error-on-passing-template-function-as-an-argument-to-a-function-with-ellipsis (not very helpful)

I'm expecting something like:

template<class N>void print(A input){cout << input;}
void execute(int input, template<class N>void func(N)){func(input)}

and then later call

execute(1,print);

So, can this be done or would another template have to be defined for execute() ?


回答1:


Function templates represent an infinite overload set, so unless you have a target type that is compatible with a specialization, deduction of the function type always fails. For example:

template<class T> void f(T);
template<class T> void h(T);

void g() {
    h(f); // error: couldn't infer template argument 'T'
    h(f<int>); // OK, type is void (*)(int)
    h<void(int)>(f); // OK, compatible specialization
}

From above we can see that the validity of the program demands that we specify the template arguments for the function template, when in general it isn't always intuitive to specify them. You can instead make print a functor with a generic overloaded call operator as an extra level of indirection:

struct print {
     template<typename T>
     void operator()(T&& x) const {
         std::cout << x;
     }
};

Now you can have execute accept any Callable and invoke it with the input:

template<class T, class Op>
void execute(T&& input, Op&& op) {
    std::forward<Op>(op)(std::forward<T>(input));
}

void g() { execute(1, print{}); }

Generic lambdas (C++14) make this a lot more concise:

execute(1, [] (auto&& x) { std::cout << x; });



回答2:


Execute would need to be a template- there's no way for the compiler to create a single version of execute that would work for any input type. Now if you specified what N is for this specific function- for example if you made the second parameter print- then it should be legal.



来源:https://stackoverflow.com/questions/30855193/passing-template-function-as-argument-for-normal-function

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!