我有一个函数A,它接受两个参数=>回调函数和回调函数的参数。回调的参数可以用int或用户定义的类型构建。我怎么能声明functionA?
eg:
void functionA(void (*handler)(TYPEA), TYPEA variableA)
{
*handler(variableA);
}
TYPEA可以是内置类型或用户定义类型。我应该在处理程序中使用dynamic_casting将typeA转换为基于回调函数的适当类型(在这种情况下,typeA应该是什么?)或者在这种情况下我应该使用模板吗?
答案 0 :(得分:3)
你可以这样传递:
#include <iostream>
template< typename A, typename B >
void foo( A a, B b )
{
a( b );
}
void boo1( const int p )
{
std::cout<<"boo( " << p << " )" << std::endl;
}
void boo2( const std::string p )
{
std::cout<<"boo( " << p << " )" << std::endl;
}
int main()
{
foo( boo1, 3 );
foo( boo2, "abc" );
}
答案 1 :(得分:3)
如果函数没有将参数用于回调以外的任何其他内容,我会完全删除回调:
// c++0x, same can be achieved with boost::function/boost::bind in c++03
void function( std::function< void ( void ) > f )
{
f();
}
void callback1( int );
void callback2( Type );
//void callback3( double );
void user_code() {
function( std::bind( callback1, 5 ) );
function( std::bind( callback2, Type( 1, 2, 3, 4 ) );
// function( std::bind( callback3, 5.0 );
}
通过使用仅从std::function
内部传递参数(none)的泛型仿函数(function
),您将函数与回调分离。现在你可以传递任何类型,调用者可以调用bind
回调值(即回调参数不是function
的责任,function
也不需要知道它的类型或价值)。
答案 2 :(得分:1)
TYPEA可以是内置型 或用户定义的类型。
我认为,如果回调函数的参数类型可以是任何东西,你需要一个函数模板!
template<class T>
void function(void (*handler)(T), T variable)
{
handler(variable);
}