hashtable.cpp

// Hash table
// 
// Simplified code as example for the hash table.
//
// by feyd//godX.de
 
#include <stdint.h>
#include <stdio.h>
#include <stdlib.h>
#include <vector>
 
class CHashKeyString
{
public:
    CHashKeyString(const char* pText)
    {
        m_nHash = 0;
        while(*pText)
        {
            m_nHash *= 0x4e4b7b35;
            m_nHash += *(const unsigned char*)pText++;
        }
    }
    virtual ~CHashKeyString() {}
 
    size_t GetHash(size_t nSize) const
    {
        return m_nHash%nSize;
    }
private:
    size_t m_nHash;
};
 
template <class _KEY, class _TYPE>
class CHashTable
{
public:
    CHashTable(size_t nSize) : m_table(nSize)
    {
        // initialization needed for native types in _TYPE
        for(size_t n=0; n<m_table.size(); n++)
            m_table[n] = 0;
    }
    virtual ~CHashTable() {}
 
    _TYPE& Find(const _KEY& key)
    {
        return m_table[key.GetHash(m_table.size())];
    }
private:
    std::vector<_TYPE> m_table;
};
 
// Application entry point (from libc)
int main(int argc, const char* argv[])
{
    printf("Hash table test...\r\n\r\n");
 
    if(argc>2)
    {
        CHashTable<CHashKeyString, int> hash(128);
        for(int n=1; n<argc-1; n++)
        {
            int& nTest = hash.Find(argv[n]);
            if(nTest!=0)
            {
                printf("collision with key %d\r\n", nTest);
            } else {
                nTest = n;
            }
        }
        int& nSearch = hash.Find(argv[argc-1]);
        if(nSearch!=0)
        {
            printf("'%s' has same hash as key %d\r\n", argv[argc-1], nSearch);
        } else {
            printf("'%s' was not found\r\n", argv[argc-1]);
        }
    } else {
        printf("not enough arguments\r\n");
    }
    return 0;
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83