Example:
template <typename T>
class Bar
{
public:
void foo(T&& arg)
{
std::forward<T>(arg);
}
};
Bar<int> bar;
bar.foo(10); // works
int a{ 10 };
bar.foo(a); // error C2664: cannot convert argument 1 from 'int' to 'int &&'
It seems that universal references works only with templated functions and only with type deduction, right? So it make no sense to use it with class? And does using of std::forward
makes sense in my case?
Note that the preferred terminology (i.e. the one which will be in future versions of the spec) is now forwarding reference.
As you say, a forwarding reference only works with type deduction in a function template. In your case, when you say
T&&
,T
isint
. It can't beint&
because it has been explicitly stated in yourBar
instantiation. As such, reference-collapsing rules can't occur, so you can't do perfect forwarding.If you want to do perfect forwarding in a member function like that, you need to have a member function template:
If you absolutely need
U
to have the same unqualified type asT
, you can do astatic_assert
:std::decay
might be a bit too aggressive for you as it will decay array types to pointers. If that's not what you want, you could write your own simple trait:If you need a variadic version, we can write an
are_equiv
trait. First we need a trait to check if all traits in a pack are true. I'll use thebool_pack
method:Then we need something to check if each pair of types in
Ts...
andUs...
satisfyis_equiv
. We can't take two parameter packs as template arguments, so I'll use std::tuple to separate them (you could use a sentinel node, or split the pack halfway through instead if you wanted):Then we can use this like: