如何通过参数包传递引用?

时间:2012-02-01 20:44:21

标签: c++ reference c++11 variadic-templates

我有以下代码:

#include <cstdio>

template<class Fun, class... Args>
void foo(Fun f, Args... args)
{
    f(args...);
}

int main()
{
    int a = 2;
    int b = 1000;

    foo([](int &b, int a){ b = a; }, b, a);
    std::printf("%d\n", b);
}

目前它打印1000,即b的新值在某处丢失。我想那是因为foo按值传递参数包中的参数。我该如何解决这个问题?

2 个答案:

答案 0 :(得分:8)

使用参考:

template<class Fun, class... Args>
void foo(Fun f, Args&&... args)
{
    f( std::forward<Args>(args)... );
}

答案 1 :(得分:7)

像这样:

#include <iostream>
#include <functional>

template<class Fun, class... Args>
void foo(Fun f, Args... args)
{
    f(args...);
}

int main()
{
    int a = 2;
    int b = 1000;

    foo([](int &b, int a){ b = a; }, std::ref(b), a);
    std::cout << b << std::endl;
}