5

我试图将传入的函数包装在 try-catch 子句中,以便我可以捕获它抛出的异常并在重新抛出之前进行一些清理。我已经编写了复制我的编译错误的示例代码。

#include <functional>
#include <iostream>
#include <queue>
#include <string.h>
#include <stdexcept>

using namespace std;

void foo(int a){
    throw runtime_error("died");
}

template<class F,class ...Args>
void gen(F&& f,Args&&... args){
    auto wrap = [](F f,Args... args){

        try{
            f(args...);
        }catch(exception& e){
            std::cout << "Caught exception" <<std::endl;
        }

    };

    auto bound = std::bind(wrap, std::forward<F> (f),
                           std::forward<Args>(args)...);

    bound();
}

int main()
{

    gen(foo,5);

    return 0;
}

我似乎无法弄清楚如何将函数指针传递给 lambda 表达式或绑定调用。似乎在调用bound() 时报错。有人可以提供一些建议或告诉我是否有什么误解吗?

4

1 回答 1

1

您的问题实际上很简单:推导的类型F&&恰好是void(int)而不是void(*)(int). 但是,不能复制函数,但可以复制函数指针。也就是说,有一个字符可以解决您的问题:

gen(&foo, 5);

传递指向函数而不是函数的指针。

于 2012-09-17T23:24:57.793 回答