Problem
Let's assume a function func
that takes any container in the form Container<Type, N, Args...>
(that is a container that takes as first template argument a type and as second an std::size_t
defining how many arguments there are in the container) and returns its i
th element if and only if N
is between 40
and 42
.
An example of such a container is std::array
.
My first version of the function would be along the lines of:
template
< template<class, std::size_t, class...> class Container
, class Type
, std::size_t N
, class... Args >
auto func(std::size_t i, Container<Type, N, Args...>& container) -> decltype(container[0]) {
static_assert(N >= 40 && N <= 42, "bla bla bla");
return container[i];
}
and then I would need a const
overload:
template
< template<class, std::size_t, class...> class Container
, class Type
, std::size_t N
, class... Args >
auto func(std::size_t i, const Container<Type, N, Args...>& container) -> decltype(container[0]) {
static_assert(N >= 40 && N <= 42, "bla bla bla");
return container[i];
}
Question
Is it possible to define something like (this won't work because this is not an universal reference):
template
< template<class, std::size_t, class...> class Container
, class Type
, std::size_t N
, class... Args >
auto func(std::size_t i, Container<Type, N, Args...>&& container) -> decltype(container[0]) {
// ^^
static_assert(N >= 40 && N <= 42, "bla bla bla");
return container[i];
}
in order to define a single version of this function and make is work for both Container<Type, N, Args...>&
and const Container<Type, N, Args...>&
?
You can't get the advantages of 'universal references' without actually using universal references, so just make
Container
be a 'universal reference' parameter. If you do this, all you need to do is use an alternative technique to findN
.One option is to simply make
Container
storeN
in astatic
variable (or in atypedef
'dstd::integral_constant
or aconstexpr
function). The other option is to write a new (meta-)function whose sole purpose is to findN
. I'd prefer the first option, but I'll write the second option in the answer, as it is less intrusive (it doesn't require any changes toContainer
).Now you need the ability to forward
container[i]
with the cv-ness and value category ofcontainer
. For this, use a helper function that is a generalization ofstd::forward
. This is really ugly, since there isn't much support for this in the standard library (thankfully you only need to write this once ever, and it is useful in for quite a few different problems). First the type calculations:Now the function:
Now that the helper functions are defined, we can simply write
func
as: