1

我有一个类,它使用模板函数重载函数调用运算符,如下所示:

class Test
{
public:
    template<class T>
        void operator()(T t)
    {
        std::cout<<(&t)<<std::endl;
    };
};

我想用引用参数来调用它,但是在尝试这样做时,它会将参数作为值传递。这是我的测试设置:

template<class T>
    void test(T t) {std::cout<<(&t)<<std::endl;}

int main(int argc,char *argv[])
{
    Test t;
    int i = 5;
    std::cout<<(&i)<<std::endl;
    t((int&)i); // Passes the argument as a value/copy?
    test<int&>(i); // Passes the argument as a reference
    while(true);
    return 0;
}

输出是:

0110F738 -- 'i' 的地址的输出

0110F664 -- 模板重载中参数地址的输出

0110F738 -- 通过“测试”输出参数的地址

模板函数“test”仅用于验证。

Visual Studio 调试器确认它使用 'int' 而不是 'int&' 来进行模板重载:

test_function_call.exe!Test::operator()(int t) 第 9 行 C++

我怎样才能强制它使用参考呢?有没有办法在模板函数调用运算符上使用 <> 指定类型?

4

2 回答 2

2

那是因为在您的情况下,执行模板类型推导时会丢弃参数的 cv 限定符和引用性。而是通过std::ref包装器传递

t(std::ref(i));

简单的例子:

#include <iostream>
#include <functional>

template<typename T>
void f(T param)
{
    ++param;
}

int main()
{
    int i = 0;
    f(std::ref(i));
    std::cout << i << std::endl; // i is modified here, displays 1
}
于 2015-05-22T17:56:54.830 回答
1

您可以使用通用参考:

class Test
{
public:
    template<class T>
    void operator()(T&& t)
    {
        std::cout<<(&t)<<std::endl;
    };
};
于 2015-05-22T18:06:45.517 回答