source: doc/theses/colby_parsons_MMAth/text/mutex_stmt.tex @ 9509d67a

Last change on this file since 9509d67a was 9509d67a, checked in by caparsons <caparson@…>, 10 months ago

Incorporated changes in response to Trevor's comments.

  • Property mode set to 100644
File size: 24.2 KB
Line 
1% ======================================================================
2% ======================================================================
3\chapter{Mutex Statement}\label{s:mutexstmt}
4% ======================================================================
5% ======================================================================
6
7The mutual exclusion problem was introduced by Dijkstra in 1965~\cite{Dijkstra65,Dijkstra65a}:
8there are several concurrent processes or threads that communicate by shared variables and from time to time need exclusive access to shared resources.
9A shared resource and code manipulating it form a pairing called a \Newterm{critical section (CS)}, which is a many-to-one relationship;
10\eg if multiple files are being written to by multiple threads, only the pairings of simultaneous writes to the same files are CSs.
11Regions of code where the thread is not interested in the resource are combined into the \Newterm{non-critical section (NCS)}.
12
13Exclusive access to a resource is provided by \Newterm{mutual exclusion (MX)}.
14MX is implemented by some form of \emph{lock}, where the CS is bracketed by lock procedures @acquire@ and @release@.
15Threads execute a loop of the form:
16\begin{cfa}
17loop of $thread$ p:
18        NCS;
19        acquire( lock );  CS;  release( lock ); // protected critical section with MX
20end loop.
21\end{cfa}
22MX guarantees there is never more than one thread in the CS.
23MX must also guarantee eventual progress: when there are competing threads attempting access, eventually some competing thread succeeds, \ie acquires the CS, releases it, and returns to the NCS.
24% Lamport \cite[p.~329]{Lam86mx} extends this requirement to the exit protocol.
25A stronger constraint is that every thread that calls @acquire@ eventually succeeds after some reasonable bounded time.
26
27\section{Monitor}
28\CFA provides a high-level locking object, called a \Newterm{monitor}, an elegant and efficient abstraction for providing mutual exclusion and synchronization for shared-memory systems.
29First proposed by Brinch Hansen~\cite{Hansen73} and later described and extended by C.A.R.~Hoare~\cite{Hoare74}.
30Several concurrent programming languages provide monitors as an explicit language construct: \eg Concurrent Pascal~\cite{ConcurrentPascal}, Mesa~\cite{Mesa}, Turing~\cite{Turing:old}, Modula-3~\cite{Modula-3}, \uC~\cite{Buhr92a} and Java~\cite{Java}.
31In addition, operating-system kernels and device drivers have a monitor-like structure, although they often use lower-level primitives such as mutex locks or semaphores to manually implement a monitor.
32
33Figure~\ref{f:AtomicCounter} shows a \CFA and Java monitor implementing an atomic counter.
34A \Newterm{monitor} is a programming technique that implicitly binds mutual exclusion to static function scope by call and return.
35In contrast, lock mutual exclusion, defined by acquire/release calls, is independent of lexical context (analogous to stack versus heap storage allocation).
36Restricting acquire and release points in a monitor eases programming, comprehension, and maintenance, at a slight cost in flexibility and efficiency.
37Ultimately, a monitor is implemented using a combination of basic locks and atomic instructions.
38
39\begin{figure}
40\centering
41
42\begin{lrbox}{\myboxA}
43\begin{cfa}[aboveskip=0pt,belowskip=0pt]
44@monitor@ Aint {
45        int cnt;
46};
47int ++?( Aint & @mutex@ m ) { return ++m.cnt; }
48int ?=?( Aint & @mutex@ l, int r ) { l.cnt = r; }
49int ?=?(int & l, Aint & r) { l = r.cnt; }
50
51int i = 0, j = 0;
52Aint x = { 0 }, y = { 0 };      $\C[1.5in]{// no mutex}$
53++x;  ++y;                      $\C{// mutex}$
54x = 2;  y = i;          $\C{// mutex}$
55i = x;  j = y;          $\C{// no mutex}\CRT$
56\end{cfa}
57\end{lrbox}
58
59\begin{lrbox}{\myboxB}
60\begin{java}[aboveskip=0pt,belowskip=0pt]
61class Aint {
62        private int cnt;
63        public Aint( int init ) { cnt = init; }
64        @synchronized@ public int inc() { return ++cnt; }
65        @synchronized@ public void set( int r ) {cnt = r;}
66        public int get() { return cnt; }
67}
68int i = 0, j = 0;
69Aint x = new Aint( 0 ), y = new Aint( 0 );
70x.inc();  y.inc();
71x.set( 2 );  y.set( i );
72i = x.get();  j = y.get();
73\end{java}
74\end{lrbox}
75
76\subfloat[\CFA]{\label{f:AtomicCounterCFA}\usebox\myboxA}
77\hspace*{3pt}
78\vrule
79\hspace*{3pt}
80\subfloat[Java]{\label{f:AtomicCounterJava}\usebox\myboxB}
81\caption{Atomic integer counter}
82\label{f:AtomicCounter}
83\end{figure}
84
85Like Java, \CFA monitors have \Newterm{multi-acquire} (reentrant locking) semantics so the thread in the monitor may acquire it multiple times without deadlock, allowing recursion and calling of other MX functions.
86For robustness, \CFA monitors ensure the monitor lock is released regardless of how an acquiring function ends, normal or exceptional, and returning a shared variable is safe via copying before the lock is released.
87Monitor objects can be passed through multiple helper functions without acquiring mutual exclusion, until a designated function associated with the object is called.
88\CFA functions are designated MX by one or more pointer/reference parameters having qualifier @mutex@.
89Java members are designated MX with \lstinline[language=java]{synchronized}, which applies only to the implicit receiver parameter.
90In the example above, the increment and setter operations need mutual exclusion, while the read-only getter operation is not MX because reading an integer is atomic.
91
92As stated, the non-object-oriented nature of \CFA monitors allows a function to acquire multiple mutex objects.
93For example, the bank-transfer problem requires locking two bank accounts to safely debit and credit money between accounts.
94\begin{cfa}
95monitor BankAccount {
96        int balance;
97};
98void deposit( BankAccount & mutex b, int deposit ) with( b ) {
99        balance += deposit;
100}
101void transfer( BankAccount & mutex my, BankAccount & mutex your, int me2you ) {
102        deposit( my, -me2you );         $\C{// debit}$
103        deposit( your, me2you );        $\C{// credit}$
104}
105\end{cfa}
106The \CFA monitor implementation ensures multi-lock acquisition is done in a deadlock-free manner regardless of the number of MX parameters and monitor arguments via resource ordering.
107It it important to note that \CFA monitors do not attempt to solve the nested monitor problem~\cite{Lister77}.
108
109\section{\lstinline{mutex} statement}
110Restricting implicit lock acquisition to function entry and exit can be awkward for certain problems.
111To increase locking flexibility, some languages introduce a mutex statement.
112\VRef[Figure]{f:ReadersWriter} shows the outline of a reader/writer lock written as a \CFA monitor and mutex statements.
113(The exact lock implementation is irrelevant.)
114The @read@ and @write@ functions are called with a reader/writer lock and any arguments to perform reading or writing.
115The @read@ function is not MX because multiple readers can read simultaneously.
116MX is acquired within @read@ by calling the (nested) helper functions @StartRead@ and @EndRead@ or executing the mutex statements.
117Between the calls or statements, reads can execute simultaneous within the body of @read@.
118The @write@ function does not require refactoring because writing is a CS.
119The mutex-statement version is better because it has fewer names, less argument/parameter passing, and can possibly hold MX for a shorter duration.
120
121\begin{figure}
122\centering
123
124\begin{lrbox}{\myboxA}
125\begin{cfa}[aboveskip=0pt,belowskip=0pt]
126monitor RWlock { ... };
127void read( RWlock & rw, ... ) {
128        void StartRead( RWlock & @mutex@ rw ) { ... }
129        void EndRead( RWlock & @mutex@ rw ) { ... }
130        StartRead( rw );
131        ... // read without MX
132        EndRead( rw );
133}
134void write( RWlock & @mutex@ rw, ... ) {
135        ... // write with MX
136}
137\end{cfa}
138\end{lrbox}
139
140\begin{lrbox}{\myboxB}
141\begin{cfa}[aboveskip=0pt,belowskip=0pt]
142
143void read( RWlock & rw, ... ) {
144
145
146        @mutex@( rw ) { ... }
147        ... // read without MX
148        @mutex@{ rw ) { ... }
149}
150void write( RWlock & @mutex@ rw, ... ) {
151        ... // write with MX
152}
153\end{cfa}
154\end{lrbox}
155
156\subfloat[monitor]{\label{f:RWmonitor}\usebox\myboxA}
157\hspace*{3pt}
158\vrule
159\hspace*{3pt}
160\subfloat[mutex statement]{\label{f:RWmutexstmt}\usebox\myboxB}
161\caption{Readers writer problem}
162\label{f:ReadersWriter}
163\end{figure}
164
165This work adds a mutex statement to \CFA, but generalizes it beyond implicit monitor locks.
166In detail, the mutex statement has a clause and statement block, similar to a conditional or loop statement.
167The clause accepts any number of lockable objects (like a \CFA MX function prototype), and locks them for the duration of the statement.
168The locks are acquired in a deadlock-free manner and released regardless of how control-flow exits the statement.
169Note that this deadlock-freedom has some limitations \see{\VRef{s:DeadlockAvoidance}}.
170The mutex statement provides easy lock usage in the common case of lexically wrapping a CS.
171Examples of \CFA mutex statement are shown in \VRef[Listing]{l:cfa_mutex_ex}.
172
173\begin{cfa}[caption={\CFA mutex statement usage},label={l:cfa_mutex_ex}]
174owner_lock lock1, lock2, lock3;
175@mutex@( lock2, lock3 ) ...;    $\C{// inline statement}$
176@mutex@( lock1, lock2, lock3 ) { ... }  $\C{// statement block}$
177void transfer( BankAccount & my, BankAccount & your, int me2you ) {
178        ... // check values, no MX
179        @mutex@( my, your ) { // MX is shorter duration that function body
180                deposit( my, -me2you );  $\C{// debit}$
181                deposit( your, me2you ); $\C{// credit}$
182        }
183}
184\end{cfa}
185
186\section{Other Languages}
187There are similar constructs to the mutex statement in other programming languages.
188Java has a feature called a synchronized statement, which looks like the \CFA's mutex statement, but only accepts a single object in the clause and only handles monitor locks.
189The \CC standard library has a @scoped_lock@, which is also similar to the mutex statement.
190The @scoped_lock@ takes any number of locks in its constructor, and acquires them in a deadlock-free manner.
191It then releases them when the @scoped_lock@ object is deallocated using \gls{raii}.
192An example of \CC @scoped_lock@ is shown in \VRef[Listing]{l:cc_scoped_lock}.
193
194\begin{cfa}[caption={\CC \lstinline{scoped_lock} usage},label={l:cc_scoped_lock}]
195struct BankAccount {
196        @recursive_mutex m;@            $\C{// must be recursive}$
197        int balance = 0;
198};
199void deposit( BankAccount & b, int deposit ) {
200        @scoped_lock lock( b.m );@      $\C{// RAII acquire}$
201        b.balance += deposit;
202}                                                               $\C{// RAII release}$
203void transfer( BankAccount & my, BankAccount & your, int me2you ) {
204        @scoped_lock lock( my.m, your.m );@     $\C{// RAII acquire}$
205        deposit( my, -me2you );         $\C{// debit}$
206        deposit( your, me2you );        $\C{// credit}$
207}                                                               $\C{// RAII release}$
208\end{cfa}
209
210\section{\CFA implementation}
211The \CFA mutex statement takes some ideas from both the Java and \CC features.
212Like Java, \CFA introduces a new statement rather than building from existing language features, although \CFA has sufficient language features to mimic \CC RAII locking.
213This syntactic choice makes MX explicit rather than implicit via object declarations.
214Hence, it is easy for programmers and language tools to identify MX points in a program, \eg scan for all @mutex@ parameters and statements in a body of code; similar scanning can be done with Java's @synchronized@.
215Furthermore, concurrent safety is provided across an entire program for the complex operation of acquiring multiple locks in a deadlock-free manner.
216Unlike Java, \CFA's mutex statement and \CC's @scoped_lock@ both use parametric polymorphism to allow user defined types to work with this feature.
217In this case, the polymorphism allows a locking mechanism to acquire MX over an object without having to know the object internals or what kind of lock it is using.
218\CFA's provides and uses this locking trait:
219\begin{cfa}
220forall( L & | sized(L) )
221trait is_lock {
222        void lock( L & );
223        void unlock( L & );
224};
225\end{cfa}
226\CC @scoped_lock@ has this trait implicitly based on functions accessed in a template.
227@scoped_lock@ also requires @try_lock@ because of its technique for deadlock avoidance \see{\VRef{s:DeadlockAvoidance}}.
228
229The following shows how the @mutex@ statement is used with \CFA streams to eliminate unpredictable results when printing in a concurrent program.
230For example, if two threads execute:
231\begin{cfa}
232thread$\(_1\)$ : sout | "abc" | "def";
233thread$\(_2\)$ : sout | "uvw" | "xyz";
234\end{cfa}
235any of the outputs can appear:
236\begin{cquote}
237\small\tt
238\begin{tabular}{@{}l|l|l|l|l@{}}
239abc def & abc uvw xyz & uvw abc xyz def & abuvwc dexf &  uvw abc def \\
240uvw xyz & def & & yz & xyz
241\end{tabular}
242\end{cquote}
243The stream type for @sout@ is defined to satisfy the @is_lock@ trait, so the @mutex@ statement can be used to lock an output stream while producing output.
244From the programmer's perspective, it is sufficient to know an object can be locked and then any necessary MX is easily available via the @mutex@ statement.
245This ability improves safety and programmer productivity since it abstracts away the concurrent details.
246Hence, a  programmer can easily protect cascaded I/O expressions:
247\begin{cfa}
248thread$\(_1\)$ : mutex( sout )  sout | "abc" | "def";
249thread$\(_2\)$ : mutex( sout )  sout | "uvw" | "xyz";
250\end{cfa}
251constraining the output to two different lines in either order:
252\begin{cquote}
253\small\tt
254\begin{tabular}{@{}l|l@{}}
255abc def & uvw xyz \\
256uvw xyz & abc def
257\end{tabular}
258\end{cquote}
259where this level of safe nondeterministic output is acceptable.
260Alternatively, multiple I/O statements can be protected using the mutex statement block:
261\begin{cfa}
262mutex( sout ) { // acquire stream lock for sout for block duration
263        sout | "abc";
264        sout | "uvw" | "xyz";
265        sout | "def";
266} // implicitly release sout lock
267\end{cfa}
268
269\section{Deadlock Avoidance}\label{s:DeadlockAvoidance}
270The mutex statement uses the deadlock avoidance technique of lock ordering, where the circular-wait condition of a deadlock cannot occur if all locks are acquired in the same order.
271The @scoped_lock@ uses a deadlock avoidance algorithm where all locks after the first are acquired using @try_lock@ and if any of the lock attempts fail, all acquired locks are released.
272This repeats after selecting a new starting point in a cyclic manner until all locks are acquired successfully.
273This deadlock avoidance algorithm is shown in Figure~\ref{f:cc_deadlock_avoid}.
274The algorithm is taken directly from the source code of the @<mutex>@ header, with some renaming and comments for clarity.
275
276\begin{figure}
277\begin{cfa}
278int first = 0// first lock to attempt to lock
279do {
280        // locks is the array of locks to acquire
281        locks[first].lock();                            $\C{// lock first lock}$
282        for ( int i = 1; i < Num_Locks; i += 1 ) { $\C{// iterate over rest of locks}$
283                const int idx = (first + i) % Num_Locks;
284                if ( ! locks[idx].try_lock() ) {   $\C{// try lock each one}$
285                        for ( int j = i; j != 0; j -= 1 )       $\C{// release all locks}$
286                                locks[(first + j - 1) % Num_Locks].unlock();
287                        first = idx;                            $\C{// rotate which lock to acquire first}$
288                        break;
289                }
290        }
291// if first lock is still held then all have been acquired
292} while ( ! locks[first].owns_lock() )$\C{// is first lock held?}$
293\end{cfa}
294\caption{\CC \lstinline{scoped_lock} deadlock avoidance algorithm}
295\label{f:cc_deadlock_avoid}
296\end{figure}
297
298While this algorithm successfully avoids deadlock, there is a livelock scenario.
299Assume two threads, $A$ and $B$, create a @scoped_lock@ accessing two locks, $L1$ and $L2$.
300A livelock can form as follows.
301Thread $A$ creates a @scoped_lock@ with arguments $L1$, $L2$, and $B$ creates a scoped lock with the lock arguments in the opposite order $L2$, $L1$.
302Both threads acquire the first lock in their order and then fail the @try_lock@ since the other lock is held.
303Both threads then reset their starting lock to be their second lock and try again.
304This time $A$ has order $L2$, $L1$, and $B$ has order $L1$, $L2$, which is identical to the starting setup but with the ordering swapped between threads.
305If the threads perform this action in lock-step, they cycle indefinitely without entering the CS, \ie livelock.
306Hence, to use @scoped_lock@ safely, a programmer must manually construct and maintain a global ordering of lock arguments passed to @scoped_lock@.
307
308The lock ordering algorithm used in \CFA mutex functions and statements is deadlock and livelock free.
309The algorithm uses the lock memory addresses as keys, sorts the keys, and then acquires the locks in sorted order.
310For fewer than 7 locks ($2^3-1$), the sort is unrolled performing the minimum number of compare and swaps for the given number of locks;
311for 7 or more locks, insertion sort is used.
312It is assumed to be rare to hold more than 6 locks at a time.
313For 6 or fewer locks the algorithm is fast and executes in $O(1)$ time.
314Furthermore, lock addresses are unique across program execution, even for dynamically allocated locks, so the algorithm is safe across the entire program execution, as long as lifetimes of objects are appropriately managed.
315For example, deleting a lock and allocating another one could give the new lock the same address as the deleted one, however deleting a lock in use by another thread is a programming error irrespective of the usage of the @mutex@ statement.
316
317The downside to the sorting approach is that it is not fully compatible with manual usages of the same locks outside the @mutex@ statement, \ie the lock are acquired without using the @mutex@ statement.
318The following scenario is a classic deadlock.
319\begin{cquote}
320\begin{tabular}{@{}l@{\hspace{30pt}}l@{}}
321\begin{cfa}
322lock L1, L2; // assume &L1 < &L2
323        $\textbf{thread\(_1\)}$
324acquire( L2 );
325        acquire( L1 );
326                CS
327        release( L1 );
328release( L2 );
329\end{cfa}
330&
331\begin{cfa}
332
333        $\textbf{thread\(_2\)}$
334mutex( L1, L2 ) {
335
336        CS
337
338}
339\end{cfa}
340\end{tabular}
341\end{cquote}
342Comparatively, 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.
343The convenience and safety of the @mutex@ statement, \ie guaranteed lock release with exceptions, should encourage programmers to always use it for locking, mitigating most deadlock scenarios versus combining manual locking with the mutex statement.
344Both \CC and the \CFA do not provide any deadlock guarantees for nested @scoped_lock@s or @mutex@ statements.
345To do so would require solving the nested monitor problem~\cite{Lister77}, which currently does not have any practical solutions.
346
347\section{Performance}
348Given the two multi-acquisition algorithms in \CC and \CFA, each with differing advantages and disadvantages, it interesting to compare their performance.
349Comparison with Java was not conducted, since the synchronized statement only takes a single object and does not provide deadlock avoidance or prevention.
350
351The comparison starts with a baseline that acquires the locks directly without a mutex statement or @scoped_lock@ in a fixed ordering and then releases them.
352The baseline helps highlight the cost of the deadlock avoidance/prevention algorithms for each implementation.
353
354The benchmark used to evaluate the avoidance algorithms repeatedly acquires a fixed number of locks in a random order and then releases them.
355The pseudocode for the deadlock avoidance benchmark is shown in \VRef[Figure]{l:deadlock_avoid_pseudo}.
356To ensure the comparison exercises the implementation of each lock avoidance algorithm, an identical spinlock is implemented in each language using a set of builtin atomics available in both \CC and \CFA.
357The benchmarks are run for a fixed duration of 10 seconds and then terminate.
358The total number of times the group of locks is acquired is returned for each thread.
359Each variation is run 11 times on 2, 4, 8, 16, 24, 32 cores and with 2, 4, and 8 locks being acquired.
360The median is calculated and is plotted alongside the 95\% confidence intervals for each point.
361The confidence intervals are calculated using bootstrapping to avoid normality assumptions.
362
363\begin{figure}
364\begin{cfa}
365size_t n_locks; $\C{// number of locks}$
366size_t n_thds; $\C{// number of threads}$
367size_t n_gens; $\C{// number of random orderings (default 100)}$
368size_t total = 0; $\C{// global throughput aggregator}$
369volatile bool done = false; $\C{// termination flag}$
370
371test_spinlock locks[n_locks];
372size_t rands[n_thds][n_locks * n_gens]; $\C{// random ordering per thread}$
373
374void main( worker & w ) with(w) { $\C{// thread main}$
375    size_t count = 0, idx = 0;
376    while ( !done ) {
377        idx = (count % n_locks * n_gens) * n_locks; $\C{// get start of next sequence}$
378        mutex(locks[rands[0]], ..., locks[rands[n_locks - 1]]){} $\C{// lock sequence of locks}$
379        count++;
380    }
381    __atomic_add_fetch(&total, count, __ATOMIC_SEQ_CST); $\C{// atomically add to total}$
382}
383
384int main( int argc, char * argv[] ) {
385    gen_orders(); $\C{// generate random orderings}$
386    {
387        worker w[n_thds];
388        sleep( 10`s );
389        done = true;
390    }
391    printf( "%lu\n", total );
392}
393\end{cfa}
394\caption{Deadlock avoidance benchmark \CFA pseudocode}
395\label{l:deadlock_avoid_pseudo}
396\end{figure}
397
398The performance experiments were run on the following multi-core hardware systems to determine differences across platforms:
399\begin{list}{\arabic{enumi}.}{\usecounter{enumi}\topsep=5pt\parsep=5pt\itemsep=0pt}
400% sudo dmidecode -t system
401\item
402Supermicro AS--1123US--TR4 AMD EPYC 7662 64--core socket, hyper-threading $\times$ 2 sockets (256 processing units), TSO memory model, running Linux v5.8.0--55--generic, gcc--10 compiler
403\item
404Supermicro SYS--6029U--TR4 Intel Xeon Gold 5220R 24--core socket, hyper-threading $\times$ 2 sockets (96 processing units), TSO memory model, running Linux v5.8.0--59--generic, gcc--10 compiler
405\end{list}
406%The hardware architectures are different in threading (multithreading vs hyper), cache structure (MESI or MESIF), NUMA layout (QPI vs HyperTransport), memory model (TSO vs WO), and energy/thermal mechanisms (turbo-boost).
407%Software that runs well on one architecture may run poorly or not at all on another.
408
409Figure~\ref{f:mutex_bench} shows the results of the benchmark experiments.
410The baseline results 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 slightly slower.
411The avoidance result for both languages is significantly different, where \CFA's mutex statement achieves throughput that is magnitudes higher than \CC's @scoped_lock@.
412The slowdown for @scoped_lock@ is likely due to its deadlock-avoidance implementation.
413Since it uses a retry based mechanism, it can take a long time for threads to progress.
414Additionally the potential for livelock in the algorithm can result in very little throughput under high contention.
415For example, on the AMD machine 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.
416It is likely that shorter bouts of livelock occurred in many of the experiments, which would explain large confidence intervals for some of the data points in the \CC data.
417In Figures~\ref{f:mutex_bench8_AMD} and \ref{f:mutex_bench8_Intel} there is the counter-intuitive result of the @mutex@ statement performing better than the baseline.
418At 7 locks and above the mutex statement switches from a hard coded sort to insertion sort, which should decrease performance.
419The hard coded sort is branch-free and constant-time and was verified to be faster than insertion sort for 6 or fewer locks.
420Part of the difference in throughput compared to baseline is due to the delay spent in the insertion sort, which decreases contention on the locks.
421This was verified to be part of the difference in throughput by experimenting with varying NCS delays in the baseline; however it only comprises a small portion of difference.
422It is possible that the baseline is slowed down or the @mutex@ is sped up by other factors that are not easily identifiable.
423
424\begin{figure}
425        \centering
426    \captionsetup[subfloat]{labelfont=footnotesize,textfont=footnotesize}
427        \subfloat[AMD]{
428                \resizebox{0.5\textwidth}{!}{\input{figures/nasus_Aggregate_Lock_2.pgf}}
429        }
430        \subfloat[Intel]{
431                \resizebox{0.5\textwidth}{!}{\input{figures/pyke_Aggregate_Lock_2.pgf}}
432        }
433    \bigskip
434
435        \subfloat[AMD]{
436                \resizebox{0.5\textwidth}{!}{\input{figures/nasus_Aggregate_Lock_4.pgf}}
437        }
438        \subfloat[Intel]{
439                \resizebox{0.5\textwidth}{!}{\input{figures/pyke_Aggregate_Lock_4.pgf}}
440        }
441    \bigskip
442
443        \subfloat[AMD]{
444                \resizebox{0.5\textwidth}{!}{\input{figures/nasus_Aggregate_Lock_8.pgf}}
445                \label{f:mutex_bench8_AMD}
446        }
447        \subfloat[Intel]{
448                \resizebox{0.5\textwidth}{!}{\input{figures/pyke_Aggregate_Lock_8.pgf}}
449                \label{f:mutex_bench8_Intel}
450        }
451        \caption{The aggregate lock benchmark comparing \CC \lstinline{scoped_lock} and \CFA mutex statement throughput (higher is better).}
452        \label{f:mutex_bench}
453\end{figure}
454
455% Local Variables: %
456% tab-width: 4 %
457% End: %
Note: See TracBrowser for help on using the repository browser.