#ifndef CORE_HASHED_STRING_HPP
#define CORE_HASHED_STRING_HPP

#include <string.h>

#include "core/utils/Types.hpp"

namespace Core {
    struct StringHash {
        size_t length = 0;
        size_t hash = 0;
    };

    constexpr StringHash hashString(const char* s) {
        StringHash h;
        while(*s != '\0') {
            h.length++;
            h.hash = 2120251889lu * h.hash + static_cast<size_t>(*(s++));
        }
        return h;
    }

    template<size_t N>
    class HashedString {
        StringHash hash;
        char data[N];

    public:
        HashedString() : hash() {
        }

        HashedString(const char* s) : hash(hashString(s)) {
            strncpy(data, s, N);
        }

        bool operator==(const HashedString& other) const {
            return hash.length == other.hash.length &&
                   hash.hash == other.hash.hash &&
                   strcmp(data, other.data) == 0;
        }

        bool operator!=(const HashedString& other) const {
            return !(*this == other);
        }

        size_t getLength() const {
            return hash.length;
        }

        constexpr size_t getCapacity() const {
            return N - 1;
        }

        size_t hashCode() const {
            return hash.hash;
        }

        operator const char*() const {
            return data;
        }
    };
}

#endif