Let's say I use std::forward_as_tuple
to store the arguments of a function call in a tuple
auto args = std::forward_as_tuple(std::forward<Args>(args)...);
And then I pass this tuple by lvalue reference to a function that wants to invoke a function foo()
with some of the arguments in args
as determined by another std::integer_sequence
. I do it with std::move()
like so
template <typename TupleArgs, std::size_t... Indices>
decltype(auto) forward_to_foo(TupleArgs&& args,
std::index_sequence<Indices...>) {
return foo(std::get<Indices>(std::move(args))...);
}
And this would work because the rvalue qualified version of std::get<std::tuple>
return std::tuple_element_t<Index, tuple<Types...>>&&
which is an identity transformation of the reference-ness of the std::tuple_element_t<Index, tuple<Types...>>
because of reference collapsing with the &&
.
So if std::tuple_element_t<Index, tuple<Types...>>
evaluates to T&
the returned type would be T& &&
which is just T&
. Similar reason for when std::tuple_element_t<Index, tuple<Types...>>
returns T&&
and T
Am I missing something? Are there some cases where this would fail?
This is the correct implementation.
Use should look like:
there are a few differences here.
First, we take by forwarding reference, not by lvalue reference. This lets the caller provide rvalue (prvalue or xvalue) tuples to us.
Second, we forward the tuple into the
std::get
call. This means we only passget
an rvalue reference if the tuple was moved into us.Third, we move into
forward_to_foo
. This ensures the above does the right thing.Now, imagine if we wanted to call
foo
twice.we don't have to touch
forward_to_foo
at all, and we never move from any of theargs
more than once.With your original implementation, any calls to
forward_to_foo
silently move fromTupleArgs
rvalue references or values without any indication at the call-site that we are destructive on the first parameter.Other than that detail, yes that emulates forwarding.
Myself I'd just write a
notstd::apply
:then we do:
which moves the tricky bit into
notstd::apply
, which attempts to match the semantics ofstd::apply
, which lets you replace it down the road with a more standard bit of code.