source: doc/theses/colby_parsons_MMAth/text/mutex_stmt.tex @ 9363b1b

ADTast-experimental
Last change on this file since 9363b1b was 9363b1b, checked in by caparsons <caparson@…>, 15 months ago

removed code style and refactored to use cfa code style

  • Property mode set to 100644
File size: 11.5 KB
Line 
1% ======================================================================
2% ======================================================================
3\chapter{Mutex Statement}\label{s:mutexstmt}
4% ======================================================================
5% ======================================================================
6
7The mutex statement is a concurrent language feature that aims to support easy lock usage.
8The mutex statement is in the form of a clause and following statement, similar to a loop or conditional statement.
9In the clause the mutex statement accepts a number of lockable objects, and then locks them for the duration of the following statement.
10The locks are acquired in a deadlock free manner and released using \gls{raii}.
11The mutex statement provides an avenue for easy lock usage in the common case where locks are used to wrap a critical section.
12Additionally, it provides the safety guarantee of deadlock-freedom, both by acquiring the locks in a deadlock-free manner, and by ensuring that the locks release on error, or normal program execution via \gls{raii}.
13
14\begin{cfa}[tabsize=3,caption={\CFA mutex statement usage},label={l:cfa_mutex_ex}]
15owner_lock lock1, lock2, lock3;
16int count = 0;
17mutex( lock1, lock2, lock3 ) {
18    // can use block statement
19    // ...
20}
21mutex( lock2, lock3 ) count++; // or inline statement
22\end{cfa}
23
24\section{Other Languages}
25There are similar concepts to the mutex statement that exist in other languages.
26Java has a feature called a synchronized statement, which looks identical to \CFA's mutex statement, but it has some differences.
27The synchronized statement only accepts a single object in its clause.
28Any object can be passed to the synchronized statement in Java since all objects in Java are monitors, and the synchronized statement acquires that object's monitor.
29In \CC there is a feature in the standard library \code{<mutex>} header called scoped\_lock, which is also similar to the mutex statement.
30The scoped\_lock is a class that takes in any number of locks in its constructor, and acquires them in a deadlock-free manner.
31It then releases them when the scoped\_lock object is deallocated, thus using \gls{raii}.
32An example of \CC scoped\_lock usage is shown in Listing~\ref{l:cc_scoped_lock}.
33
34\begin{cfa}[tabsize=3,caption={\CC scoped\_lock usage},label={l:cc_scoped_lock}]
35std::mutex lock1, lock2, lock3;
36{
37    scoped_lock s( lock1, lock2, lock3 )
38    // locks are released via raii at end of scope
39}
40\end{cfa}
41
42\section{\CFA implementation}
43The \CFA mutex statement takes some ideas from both the Java and \CC features.
44The mutex statement can acquire more that one lock in a deadlock-free manner, and releases them via \gls{raii} like \CC, however the syntax is identical to the Java synchronized statement.
45This syntactic choice was made so that the body of the mutex statement is its own scope.
46Compared to the scoped\_lock, which relies on its enclosing scope, the mutex statement's introduced scope can provide visual clarity as to what code is being protected by the mutex statement, and where the mutual exclusion ends.
47\CFA's mutex statement and \CC's scoped\_lock both use parametric polymorphism to allow user defined types to work with the feature.
48\CFA's implementation requires types to support the routines \code{lock()} and \code{unlock()}, whereas \CC requires those routines, plus \code{try_lock()}.
49The scoped\_lock requires an additional routine since it differs from the mutex statement in how it implements deadlock avoidance.
50
51The parametric polymorphism allows for locking to be defined for types that may want convenient mutual exclusion.
52An example of one such use case in \CFA is \code{sout}.
53The output stream in \CFA is called \code{sout}, and functions similarly to \CC's \code{cout}.
54\code{sout} has routines that satisfy the mutex statement trait, so the mutex statement can be used to lock the output stream while producing output.
55In this case, the mutex statement allows the programmer to acquire mutual exclusion over an object without having to know the internals of the object or what locks need to be acquired.
56The ability to do so provides both improves safety and programmer productivity since it abstracts away the concurrent details and provides an interface for optional thread-safety.
57This is a commonly used feature when producing output from a concurrent context, since producing output is not thread safe by default.
58This use case is shown in Listing~\ref{l:sout}.
59
60\begin{cfa}[tabsize=3,caption={\CFA sout with mutex statement},label={l:sout}]
61mutex( sout )
62    sout | "This output is protected by mutual exclusion!";
63\end{cfa}
64
65\section{Deadlock Avoidance}
66The mutex statement uses the deadlock prevention technique of lock ordering, where the circular-wait condition of a deadlock cannot occur if all locks are acquired in the same order.
67The scoped\_lock uses a deadlock avoidance algorithm where all locks after the first are acquired using \code{try_lock} and if any of the attempts to lock fails, all locks so far are released.
68This repeats until all locks are acquired successfully.
69The deadlock avoidance algorithm used by scoped\_lock is shown in Listing~\ref{l:cc_deadlock_avoid}.
70The algorithm presented is taken directly from the source code of the \code{<mutex>} header, with some renaming and comments for clarity.
71
72\begin{cfa}[caption={\CC scoped\_lock deadlock avoidance algorithm},label={l:cc_deadlock_avoid}]
73int first = 0;  // first lock to attempt to lock
74do {
75    // locks is the array of locks to acquire
76    locks[first].lock();    // lock first lock
77    for (int i = 1; i < Num_Locks; ++i) {   // iterate over rest of locks
78        const int idx = (first + i) % Num_Locks;
79        if (!locks[idx].try_lock()) {       // try lock each one
80            for (int j = i; j != 0; --j)    // release all locks
81                locks[(first + j - 1) % Num_Locks].unlock();
82            first = idx;    // rotate which lock to acquire first
83            break;
84        }
85    }
86// if first lock is still held then all have been acquired
87} while (!locks[first].owns_lock());  // is first lock held?
88\end{cfa}
89
90The algorithm in \ref{l:cc_deadlock_avoid} successfully avoids deadlock, however there is a potential livelock scenario.
91Given two threads $A$ and $B$, who create a scoped\_lock with two locks $L1$ and $L2$, a livelock can form as follows.
92Thread $A$ creates a scoped\_lock with $L1$, $L2$, and $B$ creates a scoped lock with the order $L2$, $L1$.
93Both threads acquire the first lock in their order and then fail the try\_lock since the other lock is held.
94They then reset their start lock to be their 2nd lock and try again.
95This time $A$ has order $L2$, $L1$, and $B$ has order $L1$, $L2$.
96This is identical to the starting setup, but with the ordering swapped among threads.
97As such, if they each acquire their first lock before the other acquires their second, they can livelock indefinitely.
98
99The lock ordering algorithm used in the mutex statement in \CFA is both deadlock and livelock free.
100It sorts the locks based on memory address and then acquires them.
101For locks fewer than 7, it sorts using hard coded sorting methods that perform the minimum number of swaps for a given number of locks.
102For 7 or more locks insertion sort is used.
103These sorting algorithms were chosen since it is rare to have to hold more than  a handful of locks at a time.
104It is worth mentioning that the downside to the sorting approach is that it is not fully compatible with usages of the same locks outside the mutex statement.
105If more than one lock is held by a mutex statement, if more than one lock is to be held elsewhere, it must be acquired via the mutex statement, or else the required ordering will not occur.
106Comparitively, if the scoped\_lock is used and the same locks are acquired elsewhere, there is no concern of the scoped\_lock deadlocking, due to its avoidance scheme, but it may livelock.
107
108\begin{figure}
109    \centering
110    \begin{subfigure}{0.5\textwidth}
111        \centering
112        \scalebox{0.5}{\input{figures/nasus_Aggregate_Lock_2.pgf}}
113        \subcaption{AMD}
114    \end{subfigure}\hfill
115    \begin{subfigure}{0.5\textwidth}
116        \centering
117        \scalebox{0.5}{\input{figures/pyke_Aggregate_Lock_2.pgf}}
118        \subcaption{Intel}
119    \end{subfigure}
120
121    \begin{subfigure}{0.5\textwidth}
122        \centering
123        \scalebox{0.5}{\input{figures/nasus_Aggregate_Lock_4.pgf}}
124        \subcaption{AMD}
125    \end{subfigure}\hfill
126    \begin{subfigure}{0.5\textwidth}
127        \centering
128        \scalebox{0.5}{\input{figures/pyke_Aggregate_Lock_4.pgf}}
129        \subcaption{Intel}
130    \end{subfigure}
131
132    \begin{subfigure}{0.5\textwidth}
133        \centering
134        \scalebox{0.5}{\input{figures/nasus_Aggregate_Lock_8.pgf}}
135        \subcaption{AMD}\label{f:mutex_bench8_AMD}
136    \end{subfigure}\hfill
137    \begin{subfigure}{0.5\textwidth}
138        \centering
139        \scalebox{0.5}{\input{figures/pyke_Aggregate_Lock_8.pgf}}
140        \subcaption{Intel}\label{f:mutex_bench8_Intel}
141    \end{subfigure}
142    \caption{The aggregate lock benchmark comparing \CC scoped\_lock and \CFA mutex statement throughput (higher is better).}
143    \label{f:mutex_bench}
144\end{figure}
145
146\section{Performance}
147Performance is compared between \CC's scoped\_lock and \CFA's mutex statement.
148Comparison with Java is omitted, since it only takes a single lock.
149To ensure that the comparison between \CC and \CFA exercises the implementation of each feature, an identical spinlock is implemented in each language using a set of builtin atomics available in both \CFA and \CC.
150Each feature is evaluated on a benchmark which acquires a fixed number of locks in a random order and then releases them.
151A baseline is included that acquires the locks directly without a mutex statement or scoped\_lock in a fixed ordering and then releases them.
152The baseline helps highlight the cost of the deadlock avoidance/prevention algorithms for each implementation.
153The benchmarks are run for a fixed duration of 10 seconds and then terminate and return the total number of times the group of locks were acquired.
154Each variation is run 11 times on a variety up to 32 cores and with 2, 4, and 8 locks being acquired.
155The median is calculated and is plotted alongside the 95\% confidence intervals for each point.
156
157Figure~\ref{f:mutex_bench} shows the results of the benchmark.
158The baseline runs for both languages are mostly comparable, except for the 8 locks results in \ref{f:mutex_bench8_AMD} and \ref{f:mutex_bench8_Intel}, where the \CFA baseline is slower.
159\CFA's mutex statement achieves throughput that is magnitudes higher than \CC's scoped\_lock.
160This is likely due to the scoped\_lock deadlock avoidance implementation.
161Since it uses a retry based mechanism, it can take a long time for threads to progress.
162Additionally the potential for livelock in the algorithm can result in very little throughput under high contention.
163It was observed on the AMD machine that with 32 threads and 8 locks the benchmarks would occasionally livelock indefinitely, with no threads making any progress for 3 hours before the experiment was terminated manually.
164It is likely that shorter bouts of livelock occured in many of the experiments, which would explain large confidence intervals for some of the data points in the \CC data.
165In Figures~\ref{f:mutex_bench8_AMD} and \ref{f:mutex_bench8_Intel} the mutex statement performs better than the baseline.
166At 7 locks and above the mutex statement switches from a hard coded sort to insertion sort.
167It is likely that the improvement in throughput compared to baseline is due to the time spent in the insertion sort, which decreases contention on the locks.
Note: See TracBrowser for help on using the repository browser.