6

考虑以下两个:

template <class Function>
void apply(Function&& function)
{
    std::forward<Function>(function)();
}

template <class Function>
void apply(Function&& function)
{
    function();
}

在什么情况下有区别,具体区别是什么?

4

1 回答 1

12

如果Function'soperator()具有 ref 限定符,则会有所不同。使用std::forward,传播参数的值类别,没有它,值类别将丢失,并且该函数将始终作为左值调用。活生生的例子

#include <iostream>

struct Fun {
    void operator()() & {
        std::cout << "L-Value\n";
    }
    void operator()() && {
        std::cout << "R-Value\n";
    }
};

template <class Function>
void apply(Function&& function) {
    function();
}

template <class Function>
void apply_forward(Function&& function) {
    std::forward<Function>(function)();
}

int main () {
    apply(Fun{});         // Prints "L-Value\n"
    apply_forward(Fun{}); // Prints "R-Value\n"
}
于 2014-04-25T16:42:08.040 回答