I am writing a template meant to sort tuples by their elements at compile-time specified indices. I have code that works, but is a pain to use because I have to specify the type of the binary function used to sort the tuple elements.
template <typename BinaryFunction, int Index>
struct sort_by_index_t {
explicit sort_by_index_t(const BinaryFunction& binary_function)
: binary_function(binary_function) {}
template <typename Tuple>
bool operator()(const Tuple& left, const Tuple& right) const {
return binary_function(std::get<Index>(left),
std::get<Index>(right));
}
private:
const BinaryFunction binary_function;
};
template <typename BinaryFunction, int Index>
sort_by_index_t<BinaryFunction, Index>
sort_by_index(const BinaryFunction& binary_function) {
return sort_by_index_t<BinaryFunction, Index>(binary_function);
}
So if I want to sort by the first element in the tuple, I have to type:
sort_by_index<std::less<char>, 0>(std::less<char>());
Instead, I'd rather have an interface such as the below to avoid duplication, but it does not currently compile.
sort_by_index<0>(std::less<char>());
I don't see a way to automatically deduce Index
(and it would be unnecessary), but sort_by_index
should be able to deduce the type of BinaryFunction
.
How can I rewrite the above so that I do not need to specify the type of BinaryFunction
?