Add mechanizm for caching local and peer addresses in AsyncSSLSocket.
[folly.git] / folly / AtomicHashMap.h
1 /*
2  * Copyright 2015 Facebook, Inc.
3  *
4  * Licensed under the Apache License, Version 2.0 (the "License");
5  * you may not use this file except in compliance with the License.
6  * You may obtain a copy of the License at
7  *
8  *   http://www.apache.org/licenses/LICENSE-2.0
9  *
10  * Unless required by applicable law or agreed to in writing, software
11  * distributed under the License is distributed on an "AS IS" BASIS,
12  * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
13  * See the License for the specific language governing permissions and
14  * limitations under the License.
15  */
16
17 /*
18  * AtomicHashMap --
19  *
20  * A high performance concurrent hash map with int32 or int64 keys. Supports
21  * insert, find(key), findAt(index), erase(key), size, and more.  Memory cannot
22  * be freed or reclaimed by erase.  Can grow to a maximum of about 18 times the
23  * initial capacity, but performance degrades linearly with growth. Can also be
24  * used as an object store with unique 32-bit references directly into the
25  * internal storage (retrieved with iterator::getIndex()).
26  *
27  * Advantages:
28  *    - High performance (~2-4x tbb::concurrent_hash_map in heavily
29  *      multi-threaded environments).
30  *    - Efficient memory usage if initial capacity is not over estimated
31  *      (especially for small keys and values).
32  *    - Good fragmentation properties (only allocates in large slabs which can
33  *      be reused with clear() and never move).
34  *    - Can generate unique, long-lived 32-bit references for efficient lookup
35  *      (see findAt()).
36  *
37  * Disadvantages:
38  *    - Keys must be native int32 or int64, or explicitly converted.
39  *    - Must be able to specify unique empty, locked, and erased keys
40  *    - Performance degrades linearly as size grows beyond initialization
41  *      capacity.
42  *    - Max size limit of ~18x initial size (dependent on max load factor).
43  *    - Memory is not freed or reclaimed by erase.
44  *
45  * Usage and Operation Details:
46  *   Simple performance/memory tradeoff with maxLoadFactor.  Higher load factors
47  *   give better memory utilization but probe lengths increase, reducing
48  *   performance.
49  *
50  * Implementation and Performance Details:
51  *   AHArray is a fixed size contiguous block of value_type cells.  When
52  *   writing a cell, the key is locked while the rest of the record is
53  *   written.  Once done, the cell is unlocked by setting the key.  find()
54  *   is completely wait-free and doesn't require any non-relaxed atomic
55  *   operations.  AHA cannot grow beyond initialization capacity, but is
56  *   faster because of reduced data indirection.
57  *
58  *   AHMap is a wrapper around AHArray sub-maps that allows growth and provides
59  *   an interface closer to the stl UnorderedAssociativeContainer concept. These
60  *   sub-maps are allocated on the fly and are processed in series, so the more
61  *   there are (from growing past initial capacity), the worse the performance.
62  *
63  *   Insert returns false if there is a key collision and throws if the max size
64  *   of the map is exceeded.
65  *
66  *   Benchmark performance with 8 simultaneous threads processing 1 million
67  *   unique <int64, int64> entries on a 4-core, 2.5 GHz machine:
68  *
69  *     Load Factor   Mem Efficiency   usec/Insert   usec/Find
70  *         50%             50%           0.19         0.05
71  *         85%             85%           0.20         0.06
72  *         90%             90%           0.23         0.08
73  *         95%             95%           0.27         0.10
74  *
75  *   See folly/tests/AtomicHashMapTest.cpp for more benchmarks.
76  *
77  * @author Spencer Ahrens <sahrens@fb.com>
78  * @author Jordan DeLong <delong.j@fb.com>
79  *
80  */
81
82 #ifndef FOLLY_ATOMICHASHMAP_H_
83 #define FOLLY_ATOMICHASHMAP_H_
84
85 #include <boost/iterator/iterator_facade.hpp>
86 #include <boost/noncopyable.hpp>
87 #include <boost/type_traits/is_convertible.hpp>
88
89 #include <stdexcept>
90 #include <functional>
91 #include <atomic>
92
93 #include <folly/AtomicHashArray.h>
94 #include <folly/Foreach.h>
95 #include <folly/Hash.h>
96 #include <folly/Likely.h>
97 #include <folly/ThreadCachedInt.h>
98
99 namespace folly {
100
101 /*
102  * AtomicHashMap provides an interface somewhat similar to the
103  * UnorderedAssociativeContainer concept in C++.  This does not
104  * exactly match this concept (or even the basic Container concept),
105  * because of some restrictions imposed by our datastructure.
106  *
107  * Specific differences (there are quite a few):
108  *
109  * - Efficiently thread safe for inserts (main point of this stuff),
110  *   wait-free for lookups.
111  *
112  * - You can erase from this container, but the cell containing the key will
113  *   not be free or reclaimed.
114  *
115  * - You can erase everything by calling clear() (and you must guarantee only
116  *   one thread can be using the container to do that).
117  *
118  * - We aren't DefaultConstructible, CopyConstructible, Assignable, or
119  *   EqualityComparable.  (Most of these are probably not something
120  *   you actually want to do with this anyway.)
121  *
122  * - We don't support the various bucket functions, rehash(),
123  *   reserve(), or equal_range().  Also no constructors taking
124  *   iterators, although this could change.
125  *
126  * - Several insertion functions, notably operator[], are not
127  *   implemented.  It is a little too easy to misuse these functions
128  *   with this container, where part of the point is that when an
129  *   insertion happens for a new key, it will atomically have the
130  *   desired value.
131  *
132  * - The map has no templated insert() taking an iterator range, but
133  *   we do provide an insert(key, value).  The latter seems more
134  *   frequently useful for this container (to avoid sprinkling
135  *   make_pair everywhere), and providing both can lead to some gross
136  *   template error messages.
137  *
138  * - The Allocator must not be stateful (a new instance will be spun up for
139  *   each allocation), and its allocate() method must take a raw number of
140  *   bytes.
141  *
142  * - KeyT must be a 32 bit or 64 bit atomic integer type, and you must
143  *   define special 'locked' and 'empty' key values in the ctor
144  *
145  * - We don't take the Hash function object as an instance in the
146  *   constructor.
147  *
148  */
149
150 // Thrown when insertion fails due to running out of space for
151 // submaps.
152 struct AtomicHashMapFullError : std::runtime_error {
153   explicit AtomicHashMapFullError()
154     : std::runtime_error("AtomicHashMap is full")
155   {}
156 };
157
158 template<class KeyT, class ValueT, class HashFcn, class EqualFcn,
159          class Allocator, class ProbeFcn, class KeyConvertFcn>
160 class AtomicHashMap : boost::noncopyable {
161 typedef AtomicHashArray<KeyT, ValueT, HashFcn, EqualFcn,
162                         Allocator, ProbeFcn, KeyConvertFcn>
163     SubMap;
164
165  public:
166   typedef KeyT                key_type;
167   typedef ValueT              mapped_type;
168   typedef std::pair<const KeyT, ValueT> value_type;
169   typedef HashFcn             hasher;
170   typedef EqualFcn            key_equal;
171   typedef KeyConvertFcn       key_convert;
172   typedef value_type*         pointer;
173   typedef value_type&         reference;
174   typedef const value_type&   const_reference;
175   typedef std::ptrdiff_t      difference_type;
176   typedef std::size_t         size_type;
177   typedef typename SubMap::Config Config;
178
179   template<class ContT, class IterVal, class SubIt>
180   struct ahm_iterator;
181
182   typedef ahm_iterator<const AtomicHashMap,
183                        const value_type,
184                        typename SubMap::const_iterator>
185     const_iterator;
186   typedef ahm_iterator<AtomicHashMap,
187                        value_type,
188                        typename SubMap::iterator>
189     iterator;
190
191  public:
192   const float kGrowthFrac_;  // How much to grow when we run out of capacity.
193
194   // The constructor takes a finalSizeEst which is the optimal
195   // number of elements to maximize space utilization and performance,
196   // and a Config object to specify more advanced options.
197   explicit AtomicHashMap(size_t finalSizeEst, const Config& c = Config());
198
199   ~AtomicHashMap() {
200     const int numMaps = numMapsAllocated_.load(std::memory_order_relaxed);
201     FOR_EACH_RANGE (i, 0, numMaps) {
202       SubMap* thisMap = subMaps_[i].load(std::memory_order_relaxed);
203       DCHECK(thisMap);
204       SubMap::destroy(thisMap);
205     }
206   }
207
208   key_equal key_eq() const { return key_equal(); }
209   hasher hash_function() const { return hasher(); }
210
211   /*
212    * insert --
213    *
214    *   Returns a pair with iterator to the element at r.first and
215    *   success.  Retrieve the index with ret.first.getIndex().
216    *
217    *   Does not overwrite on key collision, but returns an iterator to
218    *   the existing element (since this could due to a race with
219    *   another thread, it is often important to check this return
220    *   value).
221    *
222    *   Allocates new sub maps as the existing ones become full.  If
223    *   all sub maps are full, no element is inserted, and
224    *   AtomicHashMapFullError is thrown.
225    */
226   std::pair<iterator,bool> insert(const value_type& r) {
227     return emplace(r.first, r.second);
228   }
229   std::pair<iterator,bool> insert(key_type k, const mapped_type& v) {
230     return emplace(k, v);
231   }
232   std::pair<iterator,bool> insert(value_type&& r) {
233     return emplace(r.first, std::move(r.second));
234   }
235   std::pair<iterator,bool> insert(key_type k, mapped_type&& v) {
236     return emplace(k, std::move(v));
237   }
238
239   /*
240    * emplace --
241    *
242    *   Same contract as insert(), but performs in-place construction
243    *   of the value type using the specified arguments.
244    *
245    *   Also, like find(), this method optionally allows 'key_in' to have a type
246    *   different from that stored in the table; see find(). If and only if no
247    *   equal key is already present, this method converts 'key_in' to a key of
248    *   type KeyT using the provided LookupKeyToKeyFcn.
249    */
250   template <typename LookupKeyT = key_type,
251             typename LookupHashFcn = hasher,
252             typename LookupEqualFcn = key_equal,
253             typename LookupKeyToKeyFcn = key_convert,
254             typename... ArgTs>
255   std::pair<iterator,bool> emplace(LookupKeyT k, ArgTs&&... vCtorArg);
256
257   /*
258    * find --
259    *
260    *   Returns the iterator to the element if found, otherwise end().
261    *
262    *   As an optional feature, the type of the key to look up (LookupKeyT) is
263    *   allowed to be different from the type of keys actually stored (KeyT).
264    *
265    *   This enables use cases where materializing the key is costly and usually
266    *   redudant, e.g., canonicalizing/interning a set of strings and being able
267    *   to look up by StringPiece. To use this feature, LookupHashFcn must take
268    *   a LookupKeyT, and LookupEqualFcn must take KeyT and LookupKeyT as first
269    *   and second parameter, respectively.
270    *
271    *   See folly/test/ArrayHashMapTest.cpp for sample usage.
272    */
273   template <typename LookupKeyT = key_type,
274             typename LookupHashFcn = hasher,
275             typename LookupEqualFcn = key_equal>
276   iterator find(LookupKeyT k);
277
278   template <typename LookupKeyT = key_type,
279             typename LookupHashFcn = hasher,
280             typename LookupEqualFcn = key_equal>
281   const_iterator find(LookupKeyT k) const;
282
283   /*
284    * erase --
285    *
286    *   Erases key k from the map
287    *
288    *   Returns 1 iff the key is found and erased, and 0 otherwise.
289    */
290   size_type erase(key_type k);
291
292   /*
293    * clear --
294    *
295    *   Wipes all keys and values from primary map and destroys all secondary
296    *   maps.  Primary map remains allocated and thus the memory can be reused
297    *   in place.  Not thread safe.
298    *
299    */
300   void clear();
301
302   /*
303    * size --
304    *
305    *  Returns the exact size of the map.  Note this is not as cheap as typical
306    *  size() implementations because, for each AtomicHashArray in this AHM, we
307    *  need to grab a lock and accumulate the values from all the thread local
308    *  counters.  See folly/ThreadCachedInt.h for more details.
309    */
310   size_t size() const;
311
312   bool empty() const { return size() == 0; }
313
314   size_type count(key_type k) const {
315     return find(k) == end() ? 0 : 1;
316   }
317
318
319   /*
320    * findAt --
321    *
322    *   Returns an iterator into the map.
323    *
324    *   idx should only be an unmodified value returned by calling getIndex() on
325    *   a valid iterator returned by find() or insert(). If idx is invalid you
326    *   have a bug and the process aborts.
327    */
328   iterator findAt(uint32_t idx) {
329     SimpleRetT ret = findAtInternal(idx);
330     DCHECK_LT(ret.i, numSubMaps());
331     return iterator(this, ret.i,
332       subMaps_[ret.i].load(std::memory_order_relaxed)->makeIter(ret.j));
333   }
334   const_iterator findAt(uint32_t idx) const {
335     return const_cast<AtomicHashMap*>(this)->findAt(idx);
336   }
337
338   // Total capacity - summation of capacities of all submaps.
339   size_t capacity() const;
340
341   // Number of new insertions until current submaps are all at max load factor.
342   size_t spaceRemaining() const;
343
344   void setEntryCountThreadCacheSize(int32_t newSize) {
345     const int numMaps = numMapsAllocated_.load(std::memory_order_acquire);
346     for (int i = 0; i < numMaps; ++i) {
347       SubMap* map = subMaps_[i].load(std::memory_order_relaxed);
348       map->setEntryCountThreadCacheSize(newSize);
349     }
350   }
351
352   // Number of sub maps allocated so far to implement this map.  The more there
353   // are, the worse the performance.
354   int numSubMaps() const {
355     return numMapsAllocated_.load(std::memory_order_acquire);
356   }
357
358   iterator begin() {
359     iterator it(this, 0,
360       subMaps_[0].load(std::memory_order_relaxed)->begin());
361     it.checkAdvanceToNextSubmap();
362     return it;
363   }
364
365   const_iterator begin() const {
366     const_iterator it(this, 0,
367       subMaps_[0].load(std::memory_order_relaxed)->begin());
368     it.checkAdvanceToNextSubmap();
369     return it;
370   }
371
372   iterator end() {
373     return iterator();
374   }
375
376   const_iterator end() const {
377     return const_iterator();
378   }
379
380   /* Advanced functions for direct access: */
381
382   inline uint32_t recToIdx(const value_type& r, bool mayInsert = true) {
383     SimpleRetT ret = mayInsert ?
384       insertInternal(r.first, r.second) : findInternal(r.first);
385     return encodeIndex(ret.i, ret.j);
386   }
387
388   inline uint32_t recToIdx(value_type&& r, bool mayInsert = true) {
389     SimpleRetT ret = mayInsert ?
390       insertInternal(r.first, std::move(r.second)) : findInternal(r.first);
391     return encodeIndex(ret.i, ret.j);
392   }
393
394   inline uint32_t recToIdx(key_type k, const mapped_type& v,
395     bool mayInsert = true) {
396     SimpleRetT ret = mayInsert ? insertInternal(k, v) : findInternal(k);
397     return encodeIndex(ret.i, ret.j);
398   }
399
400   inline uint32_t recToIdx(key_type k, mapped_type&& v, bool mayInsert = true) {
401     SimpleRetT ret = mayInsert ?
402       insertInternal(k, std::move(v)) : findInternal(k);
403     return encodeIndex(ret.i, ret.j);
404   }
405
406   inline uint32_t keyToIdx(const KeyT k, bool mayInsert = false) {
407     return recToIdx(value_type(k), mayInsert);
408   }
409
410   inline const value_type& idxToRec(uint32_t idx) const {
411     SimpleRetT ret = findAtInternal(idx);
412     return subMaps_[ret.i].load(std::memory_order_relaxed)->idxToRec(ret.j);
413   }
414
415   /* Private data and helper functions... */
416
417  private:
418   // This limits primary submap size to 2^31 ~= 2 billion, secondary submap
419   // size to 2^(32 - kNumSubMapBits_ - 1) = 2^27 ~= 130 million, and num subMaps
420   // to 2^kNumSubMapBits_ = 16.
421   static const uint32_t  kNumSubMapBits_     = 4;
422   static const uint32_t  kSecondaryMapBit_   = 1u << 31; // Highest bit
423   static const uint32_t  kSubMapIndexShift_  = 32 - kNumSubMapBits_ - 1;
424   static const uint32_t  kSubMapIndexMask_   = (1 << kSubMapIndexShift_) - 1;
425   static const uint32_t  kNumSubMaps_        = 1 << kNumSubMapBits_;
426   static const uintptr_t kLockedPtr_         = 0x88ULL << 48; // invalid pointer
427
428   struct SimpleRetT { uint32_t i; size_t j; bool success;
429     SimpleRetT(uint32_t ii, size_t jj, bool s) : i(ii), j(jj), success(s) {}
430     SimpleRetT() = default;
431   };
432
433   template <typename LookupKeyT = key_type,
434             typename LookupHashFcn = hasher,
435             typename LookupEqualFcn = key_equal,
436             typename LookupKeyToKeyFcn = key_convert,
437             typename... ArgTs>
438   SimpleRetT insertInternal(LookupKeyT key, ArgTs&&... value);
439
440   template <typename LookupKeyT = key_type,
441             typename LookupHashFcn = hasher,
442             typename LookupEqualFcn = key_equal>
443   SimpleRetT findInternal(const LookupKeyT k) const;
444
445   SimpleRetT findAtInternal(uint32_t idx) const;
446
447   std::atomic<SubMap*> subMaps_[kNumSubMaps_];
448   std::atomic<uint32_t> numMapsAllocated_;
449
450   inline bool tryLockMap(int idx) {
451     SubMap* val = nullptr;
452     return subMaps_[idx].compare_exchange_strong(val, (SubMap*)kLockedPtr_,
453       std::memory_order_acquire);
454   }
455
456   static inline uint32_t encodeIndex(uint32_t subMap, uint32_t subMapIdx);
457
458 }; // AtomicHashMap
459
460 template <class KeyT,
461           class ValueT,
462           class HashFcn = std::hash<KeyT>,
463           class EqualFcn = std::equal_to<KeyT>,
464           class Allocator = std::allocator<char>>
465 using QuadraticProbingAtomicHashMap =
466     AtomicHashMap<KeyT,
467                   ValueT,
468                   HashFcn,
469                   EqualFcn,
470                   Allocator,
471                   AtomicHashArrayQuadraticProbeFcn>;
472 } // namespace folly
473
474 #include <folly/AtomicHashMap-inl.h>
475
476 #endif // FOLLY_ATOMICHASHMAP_H_