std::tuple<...>::operator!=
returns true if at least one member of the two compared tuples is different.
I would need a function that would return true if all members of two compared tuples are different:
template <class... Args>
bool areAllMembersDifferent( const std::tuple<Args...>& left, const std::tuple<Args...>& right )
{
bool allDiff = true;
// iterate through the tuples are set allDiff to false if one member's is different than other's
return allDiff;
}
Inspired from what I found on the web, I wrote this (adapted a function that was printing the tuple content):
template <std::size_t N, std::size_t, class = make_index_sequence<N>>
struct CheckTupleLoop;
template <std::size_t N, std::size_t J, std::size_t... Is>
struct CheckTupleLoop<N, J, index_sequence<Is...>> {
template <class Tup>
int operator()(bool& allDiff, const Tup &left,const Tup &right) {
if ( std::get<J>(left) == std::get<J>(right) )
allDiff = false;
return 0;
}
};
template <class... Args>
bool areAllMembersDifferent( const std::tuple<Args...>& left, const std::tuple<Args...>& right )
{
bool allDiff = true;
CheckTupleLoop<sizeof...(Args)>{}(allDiff,left,right);
return allDiff;
}
But this is obviously not correct as the compiler reports me Error C2955 'CheckTupleLoop': use of class template requires template argument list
Any kind of implementation of bool areAllMembersDifferent
in C++11 would be acceptable (using or not my first attempt approach).