将 lambda 作为模板参数传递给函数指针函数模板化
Passing lambda as template parameter to templated by function-pointer function
看来我无法将非捕获 lambda 作为模板参数传递给由函数指针函数模板化的函数。是我做错了,还是不可能?
#include <iostream>
// Function templated by function pointer
template< void(*F)(int) >
void fun( int i )
{
F(i);
}
void f1( int i )
{
std::cout << i << std::endl;
}
int main()
{
void(*f2)( int ) = []( int i ) { std::cout << i << std::endl; };
fun<f1>( 42 ); // THIS WORKS
f2( 42 ); // THIS WORKS
fun<f2>( 42 ); // THIS DOES NOT WORK (COMPILE-TIME ERROR) !!!
return 0;
}
这是不可行的,因为 f2
不是 constexpr
(即,是一个运行时变量)。因此它不能用作模板参数。您可以通过以下方式更改代码并使其更通用:
#include <iostream>
template<typename F, typename ...Args>
void fun(F f, Args... args) {
f(args...);
}
void f1( int i ) {
std::cout << i << std::endl;
}
int main() {
auto f2 = []( int i ) { std::cout << i << std::endl; };
fun(f1, 42);
f2( 42 );
fun(f2, 42 );
return 0;
}
主要是语言定义的问题,下面更明显:
using F2 = void(*)( int );
// this works:
constexpr F2 f2 = f1;
// this does not:
constexpr F2 f2 = []( int i ) { std::cout << i << std::endl; };
这基本上意味着你的 hope/expectation 是相当合理的,但语言目前没有那样定义 - lambda 不会产生适合作为 constexpr
的函数指针。
但是,有解决此问题的建议:N4487。
看来我无法将非捕获 lambda 作为模板参数传递给由函数指针函数模板化的函数。是我做错了,还是不可能?
#include <iostream>
// Function templated by function pointer
template< void(*F)(int) >
void fun( int i )
{
F(i);
}
void f1( int i )
{
std::cout << i << std::endl;
}
int main()
{
void(*f2)( int ) = []( int i ) { std::cout << i << std::endl; };
fun<f1>( 42 ); // THIS WORKS
f2( 42 ); // THIS WORKS
fun<f2>( 42 ); // THIS DOES NOT WORK (COMPILE-TIME ERROR) !!!
return 0;
}
这是不可行的,因为 f2
不是 constexpr
(即,是一个运行时变量)。因此它不能用作模板参数。您可以通过以下方式更改代码并使其更通用:
#include <iostream>
template<typename F, typename ...Args>
void fun(F f, Args... args) {
f(args...);
}
void f1( int i ) {
std::cout << i << std::endl;
}
int main() {
auto f2 = []( int i ) { std::cout << i << std::endl; };
fun(f1, 42);
f2( 42 );
fun(f2, 42 );
return 0;
}
主要是语言定义的问题,下面更明显:
using F2 = void(*)( int );
// this works:
constexpr F2 f2 = f1;
// this does not:
constexpr F2 f2 = []( int i ) { std::cout << i << std::endl; };
这基本上意味着你的 hope/expectation 是相当合理的,但语言目前没有那样定义 - lambda 不会产生适合作为 constexpr
的函数指针。
但是,有解决此问题的建议:N4487。