Concurrent Updates with RCU: Search Tree As an Example∗

Total Page:16

File Type:pdf, Size:1020Kb

Concurrent Updates with RCU: Search Tree As an Example∗ Concurrent Updates with RCU: Search Tree as an Example∗ Maya Arbel Hagit Attiya Department of Computer Science Department of Computer Science Technion Technion [email protected] [email protected] ABSTRACT alternative, contemporary approach is presented by read copy up- Read copy update (RCU) is a novel synchronization mechanism, date (RCU) [22], a distinctive synchronization mechanism favor- in which the burden of synchronization falls completely on the ing read-only operations even further, by allowing them to proceed updaters, by having them wait for all pre-existing readers to fin- even while writers are modifying the data they are reading. Instead, the read-side critical section is wrapped by the rcu_read_lock and ish their read-side critical section. This paper presents CITRUS, a concurrent binary search tree (BST) with a wait-free contains rcu_read_unlock functions; an additional synchronize_rcu func- operation, using RCU synchronization and fine-grained locking tion can be used by a writer as a barrier ensuring that all preceding for synchronization among updaters. This is the first RCU-based read-side critical sections complete. In typical RCU usage, the bur- data structure that allows concurrent updaters. While there are den of synchronization is placed on updates, who can wait for all methodologies for using RCU to coordinate between readers and pre-existing readers to finish their read-side critical section. updaters, they do not address the issue of coordination among up- RCU is used extensively within the Linux kernel [20], mostly daters, and indeed, all existing RCU-based data structures rely on to facilitate memory reclamation [12, 21]. However, its potential coarse-grained synchronization between updaters. for concurrent programming remained unexploited. Although sev- eral RCU-based data structures have been proposed, for example, Experimental evaluation shows that CITRUS beats previous RCU-based search trees, even under mild update contention, and search trees and hash tables [6, 18, 25, 26], they all do not allow compares well with the best-known concurrent dictionaries. concurrent updates, either pessimistically, using a coarse-grained lock [6], or optimistically, using transactional memory [18]. At best, the data structure is partitioned into segments, e.g., buckets in Categories and Subject Descriptors a hash table [25, 26], each guarded by a single lock. D.1.3 [Programming Techniques]: Concurrent Programming— This leaves unanswered the question of coordination between Concurrent programming; F.1.2 [Computation By Abstract De- concurrent updates to the data structure, while using RCU, which vices]: Modes of Computation—Parallelism and concurrency is the topic of this paper. A natural approach for supporting concurrent updates is to em- General Terms ploy fine-grained locks, acquired and released according to some locking policy, e.g., two-phase locking or hand-over-hand locking. Algorithms, Architecture We found that these fine-grained approaches fail to ensure consis- tent views for read-only operations that access several items in the Keywords data structure, e.g., partial snapshots [2] or other iterators [24]. Fig- Shared memory; internal search tree; read-copy-update ure 1 shows an example in which two readers, r1 and r2, attempt to collect the leaves, by in-order traversal, while two updates delete leaves 9 and 12. In (a), r already traversed the left sub-tree while 1. INTRODUCTION 2 r1 has not yet started its traversal. After 9 is deleted (b), r1 finishes The traditional approach to synchronization between readers and traversing the tree while r2 did not take additional steps, and 12 is writers allows concurrency among readers, but excludes readers deleted before both readers complete (c). Since each reader may when a writer is executing, e.g., through a readers/writer lock. An observe a different permutation of the writes to the data structure, ∗ the values returned by r1 and r2 are such that they observed the This research is supported by Yad-HaNadiv foundation and the updates in different order. This means that without additional itera- Israel Science Foundation (grant number 1227/10). tions or interaction, there is no consistent way to order the updates and the readers, complicating the task of designing a concurrent Permission to make digital or hard copies of all or part of this work for personal or data structure. classroom use is granted without fee provided that copies are not made or distributed Nevertheless, this example (and others that we found) hints that for profit or commercial advantage and that copies bear this notice and the full cita- tion on the first page. Copyrights for components of this work owned by others than the difficulty is in having read-only operations that need to atom- ACM must be honored. Abstracting with credit is permitted. To copy otherwise, or re- ically access several locations. The counter-examples do not hold publish, to post on servers or to redistribute to lists, requires prior specific permission when the read-only operation only searches for a particular data and/or a fee. Request permissions from [email protected]. item, e.g., in a dictionary. PODC’14, July 15–18, 2014, Paris, France. This observation led to the design of CITRUS, a binary search Copyright 2014 ACM 978-1-4503-2944-6/14/07 ...$15.00. tree implementing a dictionary with concurrent updates (insert and http://dx.doi.org/10.1145/2611462.2611471. delete) and contains queries. Updates synchronize using fine- r1 10 r2 10 r2 10 rcu_read_lock 7 15 7 15 7 15 Read-side critical section r1 rcu_read_lock rcu_read_unlock 9 12 12 (a) (b) (c) synchronize_rcu r = fg r = f7; 12g r = f7; 12g 1 1 1 Figure 2: The semantics of synchronize_rcu r2 = f9g r2 = f9g r2 = f9; 15g Figure 1: An example in which RCU readers may observe a differ- ent permutation of the writes to the data structure. A configuration is an instantaneous snapshot of the system de- scribing the state of all local and shared variables. In the initial configuration, all variables hold an initial value. grained locks, while contains proceeds in a wait-free manner, in An execution π is an alternating sequence of configurations and parallel with updates, relying on RCU to ensure correctness. The steps, C0; s1; :::; si;Ci; :::, where C0 is the initial configuration, combination of RCU synchronization with fine-grained locking of and each configuration Ci is the result of executing the step si in modified nodes yields a simple design, greatly resembling the se- configuration Ci−1.A prefix σ of π is a sub-sequence of π starting quential algorithm, and leading to a (relatively) simple proof of in C0 and ending with a configuration. An interval of π is a sub- correctness, only several pages long. sequence that starts with a step and ends with a configuration. The CITRUS implements an internal search tree, with keys stored in interval of an operation op starts with the invocation step of op and all nodes, and it is unbalanced. Searching for a key, either in a ends with the configuration following the response of op or the end contains operation or at the beginning of an update, is done in a of π, if there is no such response. wait-free manner, as in the sequential data structure, but inside an The API for read copy update (RCU) provides several functions, RCU read-side critical section. three of which are used in CITRUS to synchronize between read- Updates start by searching for their key, in a manner similar ers and updates: rcu_read_lock, rcu_read_unlock and synchro- to contains. An unsuccessful update (insert that finds its key or nize_rcu.A read-side critical section is the interval starting with delete that does not find its key), returns immediately. Otherwise, the step returning from rcu_read_lock and ending with the config- the update is located where the change should be done. uration after the invocation of rcu_read_unlock. The implementa- A new node is inserted as a leaf, requiring little synchronization, tions of rcu_read_lock and rcu_read_unlock must be wait-free. but delete may need to remove an internal node. When the node The RCU property (Figure 2) ensures that if a step of a read-side has two children, this is done by replacing the node with its succes- critical section precedes the invocation of synchronize_rcu, then sor in the tree. This scenario requires coordination with concurrent all steps of this critical section precede the return from synchro- searches that could miss the successor in both its previous location nize_rcu [12, 13]. and in its new location, necessitating delicate synchronization in A dictionary is a set of key-value pairs, with totally ordered keys, some concurrent search trees [4, 7, 9, 19]. CITRUS easily circum- with the following operations: vents this pitfall by copying the successor to the new location, and insert(k,val) adds (k; val) to the set; returns true if k is not in the using the RCU synchronization mechanism to wait for on-going set and false otherwise. searches, before removing the successor from its previous location. Experimental evaluation of CITRUS shows that its performance delete(k) removes (k; val) from the set; returns true if k is in the beats previous RCU-based search trees [6, 18], even under mild set and false otherwise. update contention. It also compares well with the best-available concurrent dictionaries, e.g., [4, 15, 23]. contains(k) returns val if (k; val) is in the set; otherwise, it re- The evaluation also reveals that the user-level RCU implemen- turns false. tation [8] is ill-suited for workloads in which many updates con- An update is either an insert or a delete. currently synchronize through it. We sketch a new implementation A binary search tree implements a dictionary; it is internal if that avoids these pitfalls and scales better with growing number of key-value pairs are stored in all nodes.
Recommended publications
  • A Fast Concurrent and Resizable Robin Hood Hash Table Endrias
    A Fast Concurrent and Resizable Robin Hood Hash Table by Endrias Kahssay Submitted to the Department of Electrical Engineering and Computer Science in partial fulfillment of the requirements for the degree of Master of Engineering in Electrical Engineering and Computer Science at the MASSACHUSETTS INSTITUTE OF TECHNOLOGY February 2021 © Massachusetts Institute of Technology 2021. All rights reserved. Author................................................................ Department of Electrical Engineering and Computer Science Jan 29, 2021 Certified by. Julian Shun Assistant Professor Thesis Supervisor Accepted by . Katrina LaCurts Chair, Master of Engineering Thesis Committee 2 A Fast Concurrent and Resizable Robin Hood Hash Table by Endrias Kahssay Submitted to the Department of Electrical Engineering and Computer Science on Jan 29, 2021, in partial fulfillment of the requirements for the degree of Master of Engineering in Electrical Engineering and Computer Science Abstract Concurrent hash tables are among the most important primitives in concurrent pro- gramming and have been extensively studied in the literature. Robin Hood hashing is a variant of linear probing that moves around keys to reduce probe distances. It has been used to develop state of the art serial hash tables. However, there is only one existing previous work on a concurrent Robin Hood table. The difficulty in making Robin Hood concurrent lies in the potential for large memory reorganization by the different table operations. This thesis presents Bolt, a concurrent resizable Robin Hood hash table engineered for high performance. Bolt treads an intricate balance between an atomic fast path and a locking slow path to facilitate concurrency. It uses a novel scheme to interleave the two without compromising correctness in the concur- rent setting.
    [Show full text]
  • Intel Threading Building Blocks
    Praise for Intel Threading Building Blocks “The Age of Serial Computing is over. With the advent of multi-core processors, parallel- computing technology that was once relegated to universities and research labs is now emerging as mainstream. Intel Threading Building Blocks updates and greatly expands the ‘work-stealing’ technology pioneered by the MIT Cilk system of 15 years ago, providing a modern industrial-strength C++ library for concurrent programming. “Not only does this book offer an excellent introduction to the library, it furnishes novices and experts alike with a clear and accessible discussion of the complexities of concurrency.” — Charles E. Leiserson, MIT Computer Science and Artificial Intelligence Laboratory “We used to say make it right, then make it fast. We can’t do that anymore. TBB lets us design for correctness and speed up front for Maya. This book shows you how to extract the most benefit from using TBB in your code.” — Martin Watt, Senior Software Engineer, Autodesk “TBB promises to change how parallel programming is done in C++. This book will be extremely useful to any C++ programmer. With this book, James achieves two important goals: • Presents an excellent introduction to parallel programming, illustrating the most com- mon parallel programming patterns and the forces governing their use. • Documents the Threading Building Blocks C++ library—a library that provides generic algorithms for these patterns. “TBB incorporates many of the best ideas that researchers in object-oriented parallel computing developed in the last two decades.” — Marc Snir, Head of the Computer Science Department, University of Illinois at Urbana-Champaign “This book was my first introduction to Intel Threading Building Blocks.
    [Show full text]
  • 16 Concurrent Hash Tables: Fast and General(?)!
    Concurrent Hash Tables: Fast and General(?)! TOBIAS MAIER and PETER SANDERS, Karlsruhe Institute of Technology, Germany ROMAN DEMENTIEV, Intel Deutschland GmbH, Germany Concurrent hash tables are one of the most important concurrent data structures, which are used in numer- ous applications. For some applications, it is common that hash table accesses dominate the execution time. To efficiently solve these problems in parallel, we need implementations that achieve speedups inhighly concurrent scenarios. Unfortunately, currently available concurrent hashing libraries are far away from this requirement, in particular, when adaptively sized tables are necessary or contention on some elements occurs. Our starting point for better performing data structures is a fast and simple lock-free concurrent hash table based on linear probing that is, however, limited to word-sized key-value types and does not support 16 dynamic size adaptation. We explain how to lift these limitations in a provably scalable way and demonstrate that dynamic growing has a performance overhead comparable to the same generalization in sequential hash tables. We perform extensive experiments comparing the performance of our implementations with six of the most widely used concurrent hash tables. Ours are considerably faster than the best algorithms with similar restrictions and an order of magnitude faster than the best more general tables. In some extreme cases, the difference even approaches four orders of magnitude. All our implementations discussed in this publication
    [Show full text]
  • Locks, Lock Based Data Structures  Review: Proportional Share Scheduler – Ch
    TCSS 422 A – Spring 2018 4/24/2018 Institute of Technology TCSS 422: OPERATING SYSTEMS OBJECTIVES Quiz 2 – Scheduling Review Three Easy Pieces: Assignment 1 – MASH Shell Locks, Lock Based Data Structures Review: Proportional Share Scheduler – Ch. 9 Review: Concurrency: Introduction – Ch. 26 Review: Linux Thread API – Ch. 27 Wes J. Lloyd Locks – Ch. 28 Institute of Technology Lock Based Data Structures – Ch. 29 University of Washington - Tacoma TCSS422: Operating Systems [Spring 2018] TCSS422: Operating Systems [Spring 2018] April 23, 2018 April 23, 2018 L5.2 Institute of Technology, University of Washington - Tacoma Institute of Technology, University of Washington - Tacoma LOCKS Ensure critical section(s) are executed atomically-as a unit . Only one thread is allowed to execute a critical section at any given time . Ensures the code snippets are “mutually exclusive” CHAPTER 28 – Protect a global counter: LOCKS A “critical section”: TCSS422: Operating Systems [Spring 2018] TCSS422: Operating Systems [Spring 2018] April 23, 2018 April 23, 2018 L7.4 Institute of Technology, University of Washington - Tacoma L5.3 Institute of Technology, University of Washington - Tacoma LOCKS - 2 LOCKS - 3 Lock variables are called “MUTEX” pthread_mutex_lock(&lock) . Short for mutual exclusion (that’s what they guarantee) . Try to acquire lock . If lock is free, calling thread will acquire the lock Lock variables store the state of the lock . Thread with lock enters critical section . Thread “owns” the lock States . Locked (acquired or held) No other thread can acquire the lock before the owner . Unlocked (available or free) releases it. Only 1 thread can hold a lock TCSS422: Operating Systems [Spring 2018] TCSS422: Operating Systems [Spring 2018] April 23, 2018 L7.5 April 23, 2018 L7.6 Institute of Technology, University of Washington - Tacoma Institute of Technology, University of Washington - Tacoma Slides by Wes J.
    [Show full text]
  • Read-Copy-Update for Helenos (Slides)
    Read-Copy-UpdateRead-Copy-Update forfor HelenOSHelenOS http://d3s.mff.cuni.cz Martin Děcký [email protected] CHARLES UNIVERSITY IN PRAGUE facultyfaculty ofof mathematicsmathematics andand physicsphysics IntroductionIntroduction HelenOS Microkernel multiserver operating system Relying on asynchronous IPC mechanism Major motivation for scalable concurrent algorithms and data structures Martin Děcký Researcher in computer science (operating systems) Not an expert on concurrent algorithms But very lucky to be able to cooperate with hugely talented people in this area Martin Děcký, FOSDEM 2014, February 2nd 2014 Read-Copy-Update for HelenOS 2 InIn aa NutshellNutshell Asynchronous IPC = Communicating parties may access the communication facilities concurrently Martin Děcký, FOSDEM 2014, February 2nd 2014 Read-Copy-Update for HelenOS 3 InIn aa NutshellNutshell Asynchronous IPC = Communicating parties may access the communication facilities concurrently → The state of the shared communication facilities needs to be protected by explicit synchronization means Martin Děcký, FOSDEM 2014, February 2nd 2014 Read-Copy-Update for HelenOS 4 InIn aa NutshellNutshell Asynchronous IPC = Communicating parties have to access the communication facilities concurrently Martin Děcký, FOSDEM 2014, February 2nd 2014 Read-Copy-Update for HelenOS 5 InIn aa NutshellNutshell Asynchronous IPC = Communicating parties have to access the communication facilities concurrently ← In order to counterweight the overhead of the communication by doing other useful work while
    [Show full text]
  • Threading for Performance with Intel® Threading Building Blocks
    Session: Threading for Performance with Intel® Threading Building Blocks INTEL CONFIDENTIAL Objjec tives At theee en dod of thi ssessos session ,you, you will b eae abl e t o: • List the different components of the Intel Threading Building Blocks library • Code parallel applications using TBB SOFTWARE AND SERVICES 2 Copyright © 2014, Intel Corporation. All rights reserved. In te l and the Int el logo are trad emark s or regist ered trad emark s of Int el Corporati on or its subsidi ari es in the Unit ed Stat es or other countries. * Other brands and names are the property of their respective owners. AdAggenda Intel®®adgudgobagoud Threading Building Blocks background Generic Parallel Algorithms pp_arallel_for parallel_reduce paralle l_sort example Task Scheduler GiGeneric HihlHighly Concurren t CtiContainers Scalable Memory Allocation Low-level Synchronization Primitives SOFTWARE AND SERVICES 3 Copyright © 2014, Intel Corporation. All rights reserved. In te l and the Int el logo are trad emark s or regist ered trad emark s of Int el Corporati on or its subsidi ari es in the Unit ed Stat es or other countries. * Other brands and names are the property of their respective owners. Intel®®gg() Threading Building Blocks (TBB) -Key Features You sp ecify tasks ((aauouwhat can run concurrently) y)ado instead of thread s • Library maps your logical tasks onto physical threads, efficiently using cache and balancing load • Full support for nested paralle lism Targets threading for scalable performance • Portable across Linux*, Mac OS*, Windows*, and Solaris* Emphasizes scalable data parallel programming • Loop parallelism tasks are more scalable than a fixed number of separate tasks Compatible with other thre ading pack age s • Can be used in concert with native threads and OpenMP Open source and lilidcensed versions availilblable SOFTWARE AND SERVICES 4 Copyright © 2014, Intel Corporation.
    [Show full text]
  • Concurrent Data Structures
    1 Concurrent Data Structures 1.1 Designing Concurrent Data Structures ::::::::::::: 1-1 Performance ² Blocking Techniques ² Nonblocking Techniques ² Complexity Measures ² Correctness ² Verification Techniques ² Tools of the Trade 1.2 Shared Counters and Fetch-and-Á Structures ::::: 1-12 1.3 Stacks and Queues :::::::::::::::::::::::::::::::::::: 1-14 1.4 Pools :::::::::::::::::::::::::::::::::::::::::::::::::::: 1-17 1.5 Linked Lists :::::::::::::::::::::::::::::::::::::::::::: 1-18 1.6 Hash Tables :::::::::::::::::::::::::::::::::::::::::::: 1-19 1.7 Search Trees:::::::::::::::::::::::::::::::::::::::::::: 1-20 Mark Moir and Nir Shavit 1.8 Priority Queues :::::::::::::::::::::::::::::::::::::::: 1-22 Sun Microsystems Laboratories 1.9 Summary ::::::::::::::::::::::::::::::::::::::::::::::: 1-23 The proliferation of commercial shared-memory multiprocessor machines has brought about significant changes in the art of concurrent programming. Given current trends towards low- cost chip multithreading (CMT), such machines are bound to become ever more widespread. Shared-memory multiprocessors are systems that concurrently execute multiple threads of computation which communicate and synchronize through data structures in shared memory. The efficiency of these data structures is crucial to performance, yet designing effective data structures for multiprocessor machines is an art currently mastered by few. By most accounts, concurrent data structures are far more difficult to design than sequential ones because threads executing concurrently may interleave
    [Show full text]
  • 29. Lock-Based Concurrent Data Structures Operating System: Three Easy Pieces
    29. Lock-based Concurrent Data Structures Operating System: Three Easy Pieces AOS@UC 1 Lock-based Concurrent Data structure p Adding locks to a data structure makes the structure thread safe. w How locks are added determine both the correctness and performance of the data structure. p Just a succinct introduction to the multithreaded way-of-“thinking” w Thousands of research papers about it AOS@UC 2 Example: Concurrent Counters without Locks p Not thread safe 1 typedef struct __counter_t { 2 int value; 3 } counter_t; 4 5 void init(counter_t *c) { 6 c->value = 0; 7 } 8 9 void increment(counter_t *c) { 10 c->value++; 11 } 12 13 void decrement(counter_t *c) { 14 c->value--; 15 } 16 17 int get(counter_t *c) { 18 return c->value; 19 } AOS@UC 3 Example: Concurrent Counters with Locks p Add a single lock: thread safe but scalable? w The lock is acquired when calling a routine that manipulates the data structure. 1 typedef struct __counter_t { 2 int value; 3 pthread_lock_t lock; 4 } counter_t; 5 6 void init(counter_t *c) { 7 c->value = 0; 8 Pthread_mutex_init(&c->lock, NULL); 9 } 10 11 void increment(counter_t *c) { 12 Pthread_mutex_lock(&c->lock); 13 c->value++; 14 Pthread_mutex_unlock(&c->lock); 15 } 16 AOS@UC 4 Example: Concurrent Counters with Locks (Cont.) (Cont.) 17 void decrement(counter_t *c) { 18 Pthread_mutex_lock(&c->lock); 19 c->value--; 20 Pthread_mutex_unlock(&c->lock); 21 } 22 23 int get(counter_t *c) { 24 Pthread_mutex_lock(&c->lock); 25 int rc = c->value; 26 Pthread_mutex_unlock(&c->lock); 27 return rc; 28 } AOS@UC 5 The performance costs of the simple approach p Each thread updates a single shared counter.
    [Show full text]
  • Blocking and Non-Blocking Concurrent Hash Tables in Multi-Core Systems
    WSEAS TRANSACTIONS on COMPUTERS Akos Dudas, Sandor Juhasz Blocking and non-blocking concurrent hash tables in multi-core systems AKOS´ DUDAS´ SANDOR´ JUHASZ´ Budapest University of Technology and Economics Budapest University of Technology and Economics Department of Automation and Applied Informatics Department of Automation and Applied Informatics 1117 Budapest, Magyar Tudosok´ krt. 2 QB207 1117 Budapest, Magyar Tudosok´ krt. 2 QB207 HUNGARY HUNGARY [email protected] [email protected] Abstract: Widespread use of multi-core systems demand highly parallel applications and algorithms in everyday computing. Parallel data structures, which are basic building blocks of concurrent algorithms, are hard to design in a way that they remain both fast and simple. By using mutual exclusion they can be implemented with little effort, but blocking synchronization has many unfavorable properties, such as delays, performance bottleneck and being prone to programming errors. Non-blocking synchronization, on the other hand, promises solutions to the aforementioned drawbacks, but often requires complete redesign of the algorithm and the underlying data structure to accommodate the needs of atomic instructions. Implementations of parallel data structures satisfy different progress conditions: lock based algorithms can be deadlock-free or starvation free, while non-blocking solutions can be lock-free or wait-free. These properties guarantee different levels of progress, either system-wise or for all threads. We present several parallel hash table implementations, satisfying different types of progress conditions and having various levels of implementation complexity, and discuss their behavior. The performance of different blocking and non-blocking implementations will be evaluated on a multi-core machine.
    [Show full text]
  • Phase-Concurrent Hash Tables for Determinism
    Phase-Concurrent Hash Tables for Determinism Julian Shun Guy E. Blelloch Carnegie Mellon University Carnegie Mellon University [email protected] [email protected] ABSTRACT same input, while internal determinism also requires certain in- termediate steps of the program to be deterministic (up to some We present a deterministic phase-concurrent hash table in which level of abstraction) [3]. In the context of concurrent access, a data operations of the same type are allowed to proceed concurrently, structure is internally deterministic if even when operations are ap- but operations of different types are not. Phase-concurrency guar- plied concurrently the final observable state depends uniquely on antees that all concurrent operations commute, giving a determin- the set of operations applied, but not on their order. This prop- istic hash table state, guaranteeing that the state of the table at any erty is equivalent to saying the operations commute with respect to quiescent point is independent of the ordering of operations. Fur- the final observable state of the structure [36, 32]. Deterministic thermore, by restricting our hash table to be phase-concurrent, we concurrent data structures are important for developing internally show that we can support operations more efficiently than previous deterministic parallel algorithms—they allow for the structure to concurrent hash tables. Our hash table is based on linear probing, be updated concurrently while generating a deterministic result in- and relies on history-independence for determinism. dependent of the timing or scheduling of threads. Blelloch et al. We experimentally compare our hash table on a modern 40-core show that internally deterministic algorithms using nested paral- machine to the best existing concurrent hash tables that we are lelism and commutative operations on shared state can be efficient, aware of (hopscotch hashing and chained hashing) and show that and their algorithms make heavy use concurrent data structures [3].
    [Show full text]
  • Fast, Dynamically-Sized Concurrent Hash Table⋆
    Fast, Dynamically-Sized Concurrent Hash Table? J. Barnat, P. Roˇckai, V. Still,ˇ and J. Weiser Faculty of Informatics, Masaryk University Brno, Czech Republic fbarnat,xrockai,xstill,xweiser1g@fi.muni.cz Abstract. We present a new design and a C++ implementation of a high-performance, cache-efficient hash table suitable for use in implemen- tation of parallel programs in shared memory. Among the main design criteria were the ability to efficiently use variable-length keys, dynamic table resizing to accommodate data sets of unpredictable size and fully concurrent read-write access. We show that the design is correct with respect to data races, both through a high-level argument, as well as by using a model checker to prove crucial safety properties of the actual implementation. Finally, we provide a number of benchmarks showing the performance characteristics of the C++ implementation, in comparison with both sequential-access and concurrent-access designs. 1 Introduction Many practical algorithms make use of hash tables as a fast, compact data struc- ture with expected O(1) lookup and insertion. Moreover, in many applications, it is desirable that multiple threads can access the data structure at once, ide- ally without causing execution delays due to synchronisation or locking. One such application of hash tables is parallel model checking, where the hash table is a central structure, and its performance is crucial for a successful, scalable implementation of the model checking algorithm. Moreover, in this context, it is also imperative that the hash table is compact (has low memory overhead), because the model checker is often primarily constrained by available memory: therefore, a more compact hash table can directly translate into the ability to model-check larger problem instances.
    [Show full text]
  • Concurrent Hash Tables: Fast and General?(!)
    Concurrent Hash Tables: Fast and General(?)! Tobias Maier1, Peter Sanders1, and Roman Dementiev2 1 Karlsruhe Institute of Technology, Karlsruhe, Germany ft.maier,[email protected] 2 Intel Deutschland GmbH [email protected] Abstract 1 Introduction Concurrent hash tables are one of the most impor- A hash table is a dynamic data structure which tant concurrent data structures which is used in stores a set of elements that are accessible by their numerous applications. Since hash table accesses key. It supports insertion, deletion, find and update can dominate the execution time of whole applica- in constant expected time. In a concurrent hash ta- tions, we need implementations that achieve good ble, multiple threads have access to the same table. speedup even in these cases. Unfortunately, cur- This allows threads to share information in a flex- rently available concurrent hashing libraries turn ible and efficient way. Therefore, concurrent hash out to be far away from this requirement in partic- tables are one of the most important concurrent ular when adaptively sized tables are necessary or data structures. See Section 4 for a more detailed contention on some elements occurs. discussion of concurrent hash table functionality. To show the ubiquity of hash tables we give a Our starting point for better performing data short list of example applications: A very sim- structures is a fast and simple lock-free concurrent ple use case is storing sparse sets of precom- hash table based on linear probing that is however puted solutions (e.g. [27], [3]). A more compli- limited to word sized key-value types and does not cated one is aggregation as it is frequently used support dynamic size adaptation.
    [Show full text]