Remove some cruft from Data.HashTable
[ghc-base.git] / Data / HashTable.hs
1 {-# OPTIONS_GHC -XNoImplicitPrelude -funbox-strict-fields #-}
2
3 -----------------------------------------------------------------------------
4 -- |
5 -- Module      :  Data.HashTable
6 -- Copyright   :  (c) The University of Glasgow 2003
7 -- License     :  BSD-style (see the file libraries/base/LICENSE)
8 --
9 -- Maintainer  :  libraries@haskell.org
10 -- Stability   :  provisional
11 -- Portability :  portable
12 --
13 -- An implementation of extensible hash tables, as described in
14 -- Per-Ake Larson, /Dynamic Hash Tables/, CACM 31(4), April 1988,
15 -- pp. 446--457.  The implementation is also derived from the one
16 -- in GHC's runtime system (@ghc\/rts\/Hash.{c,h}@).
17 --
18 -----------------------------------------------------------------------------
19
20 module Data.HashTable (
21         -- * Basic hash table operations
22         HashTable, new, insert, delete, lookup, update,
23         -- * Converting to and from lists
24         fromList, toList,
25         -- * Hash functions
26         -- $hash_functions
27         hashInt, hashString,
28         prime,
29         -- * Diagnostics
30         longestChain
31  ) where
32
33 -- This module is imported by Data.Dynamic, which is pretty low down in the
34 -- module hierarchy, so don't import "high-level" modules
35
36 #ifdef __GLASGOW_HASKELL__
37 import GHC.Base
38 #else
39 import Prelude  hiding  ( lookup )
40 #endif
41 import Data.Tuple       ( fst )
42 import Data.Bits
43 import Data.Maybe
44 import Data.List        ( maximumBy, length, concat, foldl', partition )
45 import Data.Int         ( Int32 )
46
47 #if defined(__GLASGOW_HASKELL__)
48 import GHC.Num
49 import GHC.Real         ( fromIntegral )
50 import GHC.Show         ( Show(..) )
51 import GHC.Int          ( Int64 )
52
53 import GHC.IO
54 import GHC.IOArray
55 import GHC.IORef
56 #else
57 import Data.Char        ( ord )
58 import Data.IORef       ( IORef, newIORef, readIORef, writeIORef )
59 import System.IO.Unsafe ( unsafePerformIO )
60 import Data.Int         ( Int64 )
61 #  if defined(__HUGS__)
62 import Hugs.IOArray     ( IOArray, newIOArray,
63                           unsafeReadIOArray, unsafeWriteIOArray )
64 #  elif defined(__NHC__)
65 import NHC.IOExtras     ( IOArray, newIOArray, readIOArray, writeIOArray )
66 #  endif
67 #endif
68 import Control.Monad    ( mapM, mapM_, sequence_ )
69
70
71 -----------------------------------------------------------------------
72
73 iNSTRUMENTED :: Bool
74 iNSTRUMENTED = False
75
76 -----------------------------------------------------------------------
77
78 readHTArray  :: HTArray a -> Int32 -> IO a
79 writeMutArray :: MutArray a -> Int32 -> a -> IO ()
80 newMutArray   :: (Int32, Int32) -> a -> IO (MutArray a)
81 newMutArray = newIOArray
82 type MutArray a = IOArray Int32 a
83 type HTArray a = MutArray a
84 #if defined(DEBUG) || defined(__NHC__)
85 readHTArray  = readIOArray
86 writeMutArray = writeIOArray
87 #else
88 readHTArray arr i = unsafeReadIOArray arr (fromIntegral i)
89 writeMutArray arr i x = unsafeWriteIOArray arr (fromIntegral i) x
90 #endif
91
92 data HashTable key val = HashTable {
93                                      cmp     :: !(key -> key -> Bool),
94                                      hash_fn :: !(key -> Int32),
95                                      tab     :: !(IORef (HT key val))
96                                    }
97 -- TODO: the IORef should really be an MVar.
98
99 data HT key val
100   = HT {
101         kcount  :: !Int32,              -- Total number of keys.
102         bmask   :: !Int32,
103         buckets :: !(HTArray [(key,val)])
104        }
105
106 -- ------------------------------------------------------------
107 -- Instrumentation for performance tuning
108
109 -- This ought to be roundly ignored after optimization when
110 -- iNSTRUMENTED=False.
111
112 -- STRICT version of modifyIORef!
113 modifyIORef :: IORef a -> (a -> a) -> IO ()
114 modifyIORef r f = do
115   v <- readIORef r
116   let z = f v in z `seq` writeIORef r z
117
118 data HashData = HD {
119   tables :: !Integer,
120   insertions :: !Integer,
121   lookups :: !Integer,
122   totBuckets :: !Integer,
123   maxEntries :: !Int32,
124   maxChain :: !Int,
125   maxBuckets :: !Int32
126 } deriving (Eq, Show)
127
128 {-# NOINLINE hashData #-}
129 hashData :: IORef HashData
130 hashData =  unsafePerformIO (newIORef (HD { tables=0, insertions=0, lookups=0,
131                                             totBuckets=0, maxEntries=0,
132                                             maxChain=0, maxBuckets=tABLE_MIN } ))
133
134 instrument :: (HashData -> HashData) -> IO ()
135 instrument i | iNSTRUMENTED = modifyIORef hashData i
136              | otherwise    = return ()
137
138 recordNew :: IO ()
139 recordNew = instrument rec
140   where rec hd@HD{ tables=t, totBuckets=b } =
141                hd{ tables=t+1, totBuckets=b+fromIntegral tABLE_MIN }
142
143 recordIns :: Int32 -> Int32 -> [a] -> IO ()
144 recordIns i sz bkt = instrument rec
145   where rec hd@HD{ insertions=ins, maxEntries=mx, maxChain=mc } =
146                hd{ insertions=ins+fromIntegral i, maxEntries=mx `max` sz,
147                    maxChain=mc `max` length bkt }
148
149 recordResize :: Int32 -> Int32 -> IO ()
150 recordResize older newer = instrument rec
151   where rec hd@HD{ totBuckets=b, maxBuckets=mx } =
152                hd{ totBuckets=b+fromIntegral (newer-older),
153                    maxBuckets=mx `max` newer }
154
155 recordLookup :: IO ()
156 recordLookup = instrument lkup
157   where lkup hd@HD{ lookups=l } = hd{ lookups=l+1 }
158
159 -- stats :: IO String
160 -- stats =  fmap show $ readIORef hashData
161
162 -- ----------------------------------------------------------------------------
163 -- Sample hash functions
164
165 -- $hash_functions
166 --
167 -- This implementation of hash tables uses the low-order /n/ bits of the hash
168 -- value for a key, where /n/ varies as the hash table grows.  A good hash
169 -- function therefore will give an even distribution regardless of /n/.
170 --
171 -- If your keyspace is integrals such that the low-order bits between
172 -- keys are highly variable, then you could get away with using 'fromIntegral'
173 -- as the hash function.
174 --
175 -- We provide some sample hash functions for 'Int' and 'String' below.
176
177 golden :: Int32
178 golden = 1013904242 -- = round ((sqrt 5 - 1) * 2^32) :: Int32
179 -- was -1640531527 = round ((sqrt 5 - 1) * 2^31) :: Int32
180 -- but that has bad mulHi properties (even adding 2^32 to get its inverse)
181 -- Whereas the above works well and contains no hash duplications for
182 -- [-32767..65536]
183
184 hashInt32 :: Int32 -> Int32
185 hashInt32 x = mulHi x golden + x
186
187 -- | A sample (and useful) hash function for Int and Int32,
188 -- implemented by extracting the uppermost 32 bits of the 64-bit
189 -- result of multiplying by a 33-bit constant.  The constant is from
190 -- Knuth, derived from the golden ratio:
191 --
192 -- > golden = round ((sqrt 5 - 1) * 2^32)
193 --
194 -- We get good key uniqueness on small inputs
195 -- (a problem with previous versions):
196 --  (length $ group $ sort $ map hashInt [-32767..65536]) == 65536 + 32768
197 --
198 hashInt :: Int -> Int32
199 hashInt x = hashInt32 (fromIntegral x)
200
201 -- hi 32 bits of a x-bit * 32 bit -> 64-bit multiply
202 mulHi :: Int32 -> Int32 -> Int32
203 mulHi a b = fromIntegral (r `shiftR` 32)
204    where r :: Int64
205          r = fromIntegral a * fromIntegral b
206
207 -- | A sample hash function for Strings.  We keep multiplying by the
208 -- golden ratio and adding.  The implementation is:
209 --
210 -- > hashString = foldl' f golden
211 -- >   where f m c = fromIntegral (ord c) * magic + hashInt32 m
212 -- >         magic = 0xdeadbeef
213 --
214 -- Where hashInt32 works just as hashInt shown above.
215 --
216 -- Knuth argues that repeated multiplication by the golden ratio
217 -- will minimize gaps in the hash space, and thus it's a good choice
218 -- for combining together multiple keys to form one.
219 --
220 -- Here we know that individual characters c are often small, and this
221 -- produces frequent collisions if we use ord c alone.  A
222 -- particular problem are the shorter low ASCII and ISO-8859-1
223 -- character strings.  We pre-multiply by a magic twiddle factor to
224 -- obtain a good distribution.  In fact, given the following test:
225 --
226 -- > testp :: Int32 -> Int
227 -- > testp k = (n - ) . length . group . sort . map hs . take n $ ls
228 -- >   where ls = [] : [c : l | l <- ls, c <- ['\0'..'\xff']]
229 -- >         hs = foldl' f golden
230 -- >         f m c = fromIntegral (ord c) * k + hashInt32 m
231 -- >         n = 100000
232 --
233 -- We discover that testp magic = 0.
234
235 hashString :: String -> Int32
236 hashString = foldl' f golden
237    where f m c = fromIntegral (ord c) * magic + hashInt32 m
238          magic = 0xdeadbeef
239
240 -- | A prime larger than the maximum hash table size
241 prime :: Int32
242 prime = 33554467
243
244 -- -----------------------------------------------------------------------------
245 -- Parameters
246
247 tABLE_MAX :: Int32
248 tABLE_MAX  = 32 * 1024 * 1024   -- Maximum size of hash table
249 tABLE_MIN :: Int32
250 tABLE_MIN  = 8
251
252 hLOAD :: Int32
253 hLOAD = 7                       -- Maximum average load of a single hash bucket
254
255 hYSTERESIS :: Int32
256 hYSTERESIS = 64                 -- entries to ignore in load computation
257
258 {- Hysteresis favors long association-list-like behavior for small tables. -}
259
260 -- -----------------------------------------------------------------------------
261 -- Creating a new hash table
262
263 -- | Creates a new hash table.  The following property should hold for the @eq@
264 -- and @hash@ functions passed to 'new':
265 --
266 -- >   eq A B  =>  hash A == hash B
267 --
268 new
269   :: (key -> key -> Bool)    -- ^ @eq@: An equality comparison on keys
270   -> (key -> Int32)          -- ^ @hash@: A hash function on keys
271   -> IO (HashTable key val)  -- ^ Returns: an empty hash table
272
273 new cmpr hash = do
274   recordNew
275   -- make a new hash table with a single, empty, segment
276   let mask = tABLE_MIN-1
277   bkts <- newMutArray (0,mask) []
278
279   let
280     kcnt = 0
281     ht = HT {  buckets=bkts, kcount=kcnt, bmask=mask }
282
283   table <- newIORef ht
284   return (HashTable { tab=table, hash_fn=hash, cmp=cmpr })
285
286 -- -----------------------------------------------------------------------------
287 -- Inserting a key\/value pair into the hash table
288
289 -- | Inserts a key\/value mapping into the hash table.
290 --
291 -- Note that 'insert' doesn't remove the old entry from the table -
292 -- the behaviour is like an association list, where 'lookup' returns
293 -- the most-recently-inserted mapping for a key in the table.  The
294 -- reason for this is to keep 'insert' as efficient as possible.  If
295 -- you need to update a mapping, then we provide 'update'.
296 --
297 insert :: HashTable key val -> key -> val -> IO ()
298
299 insert ht key val =
300   updatingBucket CanInsert (\bucket -> ((key,val):bucket, 1, ())) ht key
301
302
303 -- ------------------------------------------------------------
304 -- The core of the implementation is lurking down here, in findBucket,
305 -- updatingBucket, and expandHashTable.
306
307 tooBig :: Int32 -> Int32 -> Bool
308 tooBig k b = k-hYSTERESIS > hLOAD * b
309
310 -- index of bucket within table.
311 bucketIndex :: Int32 -> Int32 -> Int32
312 bucketIndex mask h = h .&. mask
313
314 -- find the bucket in which the key belongs.
315 -- returns (key equality, bucket index, bucket)
316 --
317 -- This rather grab-bag approach gives enough power to do pretty much
318 -- any bucket-finding thing you might want to do.  We rely on inlining
319 -- to throw away the stuff we don't want.  I'm proud to say that this
320 -- plus updatingBucket below reduce most of the other definitions to a
321 -- few lines of code, while actually speeding up the hashtable
322 -- implementation when compared with a version which does everything
323 -- from scratch.
324 {-# INLINE findBucket #-}
325 findBucket :: HashTable key val -> key -> IO (HT key val, Int32, [(key,val)])
326 findBucket HashTable{ tab=ref, hash_fn=hash} key = do
327   table@HT{ buckets=bkts, bmask=b } <- readIORef ref
328   let indx = bucketIndex b (hash key)
329   bucket <- readHTArray bkts indx
330   return (table, indx, bucket)
331
332 data Inserts = CanInsert
333              | Can'tInsert
334              deriving (Eq)
335
336 -- updatingBucket is the real workhorse of all single-element table
337 -- updates.  It takes a hashtable and a key, along with a function
338 -- describing what to do with the bucket in which that key belongs.  A
339 -- flag indicates whether this function may perform table insertions.
340 -- The function returns the new contents of the bucket, the number of
341 -- bucket entries inserted (negative if entries were deleted), and a
342 -- value which becomes the return value for the function as a whole.
343 -- The table sizing is enforced here, calling out to expandSubTable as
344 -- necessary.
345
346 -- This function is intended to be inlined and specialized for every
347 -- calling context (eg every provided bucketFn).
348 {-# INLINE updatingBucket #-}
349
350 updatingBucket :: Inserts -> ([(key,val)] -> ([(key,val)], Int32, a)) ->
351                   HashTable key val -> key ->
352                   IO a
353 updatingBucket canEnlarge bucketFn
354                ht@HashTable{ tab=ref, hash_fn=hash } key = do
355   (table@HT{ kcount=k, buckets=bkts, bmask=b },
356    indx, bckt) <- findBucket ht key
357   (bckt', inserts, result) <- return $ bucketFn bckt
358   let k' = k + inserts
359       table1 = table { kcount=k' }
360   writeMutArray bkts indx bckt'
361   table2 <- if canEnlarge == CanInsert && inserts > 0 then do
362                recordIns inserts k' bckt'
363                if tooBig k' b
364                   then expandHashTable hash table1
365                   else return table1
366             else return table1
367   writeIORef ref table2
368   return result
369
370 expandHashTable :: (key -> Int32) -> HT key val -> IO (HT key val)
371 expandHashTable hash table@HT{ buckets=bkts, bmask=mask } = do
372    let
373       oldsize = mask + 1
374       newmask = mask + mask + 1
375    recordResize oldsize (newmask+1)
376    --
377    if newmask > tABLE_MAX-1
378       then return table
379       else do
380    --
381     newbkts <- newMutArray (0,newmask) []
382
383     let
384      splitBucket oldindex = do
385        bucket <- readHTArray bkts oldindex
386        let (oldb,newb) =
387               partition ((oldindex==). bucketIndex newmask . hash . fst) bucket
388        writeMutArray newbkts oldindex oldb
389        writeMutArray newbkts (oldindex + oldsize) newb
390     mapM_ splitBucket [0..mask]
391
392     return ( table{ buckets=newbkts, bmask=newmask } )
393
394 -- -----------------------------------------------------------------------------
395 -- Deleting a mapping from the hash table
396
397 -- Remove a key from a bucket
398 deleteBucket :: (key -> Bool) -> [(key,val)] -> ([(key, val)], Int32, ())
399 deleteBucket _   [] = ([],0,())
400 deleteBucket del (pair@(k,_):bucket) =
401   case deleteBucket del bucket of
402     (bucket', dels, _) | del k     -> dels' `seq` (bucket', dels', ())
403                        | otherwise -> (pair:bucket', dels, ())
404       where dels' = dels - 1
405
406 -- | Remove an entry from the hash table.
407 delete :: HashTable key val -> key -> IO ()
408
409 delete ht@HashTable{ cmp=eq } key =
410   updatingBucket Can'tInsert (deleteBucket (eq key)) ht key
411
412 -- -----------------------------------------------------------------------------
413 -- Updating a mapping in the hash table
414
415 -- | Updates an entry in the hash table, returning 'True' if there was
416 -- already an entry for this key, or 'False' otherwise.  After 'update'
417 -- there will always be exactly one entry for the given key in the table.
418 --
419 -- 'insert' is more efficient than 'update' if you don't care about
420 -- multiple entries, or you know for sure that multiple entries can't
421 -- occur.  However, 'update' is more efficient than 'delete' followed
422 -- by 'insert'.
423 update :: HashTable key val -> key -> val -> IO Bool
424
425 update ht@HashTable{ cmp=eq } key val =
426   updatingBucket CanInsert
427     (\bucket -> let (bucket', dels, _) = deleteBucket (eq key) bucket
428                 in  ((key,val):bucket', 1+dels, dels/=0))
429     ht key
430
431 -- -----------------------------------------------------------------------------
432 -- Looking up an entry in the hash table
433
434 -- | Looks up the value of a key in the hash table.
435 lookup :: HashTable key val -> key -> IO (Maybe val)
436
437 lookup ht@HashTable{ cmp=eq } key = do
438   recordLookup
439   (_, _, bucket) <- findBucket ht key
440   let firstHit (k,v) r | eq key k  = Just v
441                        | otherwise = r
442   return (foldr firstHit Nothing bucket)
443
444 -- -----------------------------------------------------------------------------
445 -- Converting to/from lists
446
447 -- | Convert a list of key\/value pairs into a hash table.  Equality on keys
448 -- is taken from the Eq instance for the key type.
449 --
450 fromList :: (Eq key) => (key -> Int32) -> [(key,val)] -> IO (HashTable key val)
451 fromList hash list = do
452   table <- new (==) hash
453   sequence_ [ insert table k v | (k,v) <- list ]
454   return table
455
456 -- | Converts a hash table to a list of key\/value pairs.
457 --
458 toList :: HashTable key val -> IO [(key,val)]
459 toList = mapReduce id concat
460
461 {-# INLINE mapReduce #-}
462 mapReduce :: ([(key,val)] -> r) -> ([r] -> r) -> HashTable key val -> IO r
463 mapReduce m r HashTable{ tab=ref } = do
464   HT{ buckets=bckts, bmask=b } <- readIORef ref
465   fmap r (mapM (fmap m . readHTArray bckts) [0..b])
466
467 -- -----------------------------------------------------------------------------
468 -- Diagnostics
469
470 -- | This function is useful for determining whether your hash
471 -- function is working well for your data set.  It returns the longest
472 -- chain of key\/value pairs in the hash table for which all the keys
473 -- hash to the same bucket.  If this chain is particularly long (say,
474 -- longer than 14 elements or so), then it might be a good idea to try
475 -- a different hash function.
476 --
477 longestChain :: HashTable key val -> IO [(key,val)]
478 longestChain = mapReduce id (maximumBy lengthCmp)
479   where lengthCmp (_:x)(_:y) = lengthCmp x y
480         lengthCmp []   []    = EQ
481         lengthCmp []   _     = LT
482         lengthCmp _    []    = GT