Why isn't `std::hash` a customization point by overload as `std::begin`?

375 Views Asked by At

As the title says, std::begin, std::end, std::swap, etc, are very well known std "customization points" (functions meant to be found by ADL). However, std::hash is, I think, the only std behaviour customizable by the user that implies to (A) open std namespace (B) create a partial specialization.

Why hasn't std::hash being designed as a customization point like the other ones, by overloading a function instead of partial specializing a class?

2

There are 2 best solutions below

4
On

Like std::less, std::hash is meant to be a function object. For example, std::unordered_set takes a Hash template argument:

template <
    class Key                            ,
    class Hash      = std::hash<Key>     , // function object type
    class KeyEqual  = std::equal_to<Key> ,
    class Allocator = std::allocator<Key>
> class unordered_set;

That's why std::hash is a class template instead of a function template. You can specialize std::hash and make unordered_set default to using it, or you can provide your own hash function object.

2
On

You have been taken in by a common misconception, but std::hash is not a customization point for hashing of user-defined types. Instead, std::hash is the default implementation of the hasher that is used by the standard containers. If you want to use the standard containers with user-defined types, then you should use their template arguments to supply a hasher.

Correct

All standard containers that require a hash function for their contents have a template argument that takes a function object whose call operator computes the hash.

#include <boost/functional/hash.hpp>
#include <unordered_set>

struct Point { int x, y; };

struct PointHasher {
    size_t operator()(Point const &p) {
        size_t seed = 0;
        boost::hash_combine(seed, p.x);
        boost::hash_combine(seed, p.y);
        return seed;
    }
};

int main() {
    std::unordered_set<Point, PointHasher> m;
}

Wrong

Writing into namespace std is usually undefined behaviour, see also What are the reasons that extending the std namespace is considered undefined behavior? There is an exception for template specializations under certain circumstances, but in this case it is not even necessary.

#include <boost/functional/hash.hpp>
#include <unordered_set>

struct Point { int x, y; };

namespace std {
    template<> struct hash<Point> {
        size_t operator()(Point const &p) {
            size_t seed = 0;
            boost::hash_combine(seed, p.x);
            boost::hash_combine(seed, p.y);
            return seed;
        }
    };
}

int main() {
    std::unordered_set<point> m;
}