I want a generic equality-checking function that prefers to use std::cmp_equal when possible because of its virtues, but will use operator== for types that std::cmp_equal can't handle, such as bool or user-defined types.
This seemed like it should be an easy job for requires, but I was surprised to discover that although this works for libc++, it fails for libstdc++ with static_assert messages.
#include <utility>
template <typename T, typename U>
auto generic_equal(T t, U u) {
    if constexpr (requires { std::cmp_equal(t, u); }) {
        return std::cmp_equal(t, u);
    } else {
        return t == u;
    }
}
struct A {
    friend bool operator==(A,A) = default;
};
int main() {
    generic_equal(false, false);
    generic_equal(-1, 5);
    generic_equal(A{}, A{});
}
Is there a good way to convince the compiler to realize it can't instantiate std::cmp_equal at the requires instead of at the call?
Compiler explorer link showing success with libc++ and failure with libstdc++: https://godbolt.org/z/nKzfE87Ye
 
                        
std::cmp_equalrequires that the template parameter must be of standard integer types or extended integer types, which is defined in [basic.fundamental]:Since it is not a constrained function, it will still be instantiated and hit internal possible static assertions when passed a non-standard integer type. You can determine whether to use
std::cmp_equalfor comparison by detecting whether theTis a standard integer type: