source: doc/theses/colby_parsons_MMAth/text/channels.tex @ e0e2f02

ADTast-experimental
Last change on this file since e0e2f02 was 9921573, checked in by Peter A. Buhr <pabuhr@…>, 14 months ago

update channel chapter intro

  • Property mode set to 100644
File size: 18.4 KB
Line 
1% ======================================================================
2% ======================================================================
3\chapter{Channels}\label{s:channels}
4% ======================================================================
5% ======================================================================
6
7Channels are a concurrent-language feature used to perform \Newterm{message-passing concurrency}: a model of concurrency where threads communicate by sending (mostly nonblocking) data as messages and synchronizing by receiving (blocking) sent data.
8This model is an alternative to shared-memory concurrency, where threads can communicate directly by changing shared state.
9Most modern concurrent programming languages do not subscribe to just one style of communication among threads and provide features that support multiple approaches.
10
11Channels were first introduced by Kahn~\cite{Kahn74} and extended by Hoare~\cite{Hoare78} (CSP).
12Both papers present a pseudo (unimplemented) concurrent language where processes communicate using input/output channels to send data.
13Both languages are highly restrictive.
14Kahn's language restricts a reading process to only wait for data on a single channel at a time and different writing processes cannot send data on the same channel.
15Hoare's language restricts ...
16Channels as a programming language feature has been popularized in recent years due to the language Go, which encourages the use of channels as its fundamental concurrent feature.
17Go's restrictions are ...
18\CFA channels do not have these restrictions.
19
20\section{Producer-Consumer Problem}
21Most channels in modern programming languages are built on top of a shared memory buffer.
22While it is possible to create a channel that contains an unbounded buffer, most implementations opt to only support a fixed size channel, where the size is given at the time of channel creation.
23This turns the implementation of a channel into the producer-consumer problem.
24The producer-consumer problem, also known as the bounded buffer problem, was introduced by Dijkstra in his book Cooperating Sequential Processes\cite{Dijkstra65}.
25In the problem threads interact with the buffer in two ways, either consuming values by removing them from the buffer, or producing values and inserting them in the buffer.
26The buffer needs to be protected from concurrent access since each item in the buffer should only be produced and consumed once.
27Additionally, a consumer can only remove from a non-empty buffer and a producer can only insert into a non-full buffer.
28
29\section{First-Come First-Served}
30The channel implementations that will be discussed are \gls{fcfs}.
31This term was defined by Lamport~\cite{Lamport74}.
32\gls{fcfs} is defined in relation to a doorway~\cite[p.~330]{Lamport86II}, which is the point at which an ordering among threads can be established.
33Given this doorway, a critical section is said to be \gls{fcfs}, if threads access the shared resource in the order they proceed through the doorway.
34\gls{fcfs} is a fairness property which prevents unequal access to the shared resource and prevents starvation, however it can come at a cost.
35Implementing an algorithm with \gls{fcfs} can lead to double blocking, where entering threads may need to block to allow other threads to proceed first, resulting in blocking both inside and outside the doorway.
36As such algorithms that are not \gls{fcfs} may be more performant but that performance comes with the downside of likely introducing starvation and unfairness.
37
38\section{Channel Implementation}
39The channel implementation in \CFA is a near carbon copy of the Go implementation.
40Experimentation was conducted that varied the producer-consumer problem algorithm and lock type used inside the channel.
41With the exception of non-\gls{fcfs} algorithms, no algorithm or lock usage in the channel implementation was found to be consistently more performant that Go's choice of algorithm and lock implementation.
42As such the research contributions added by \CFA's channel implementation lie in the realm of safety and productivity features.
43
44\section{Safety and Productivity}
45Channels in \CFA come with safety and productivity features to aid users.
46The features include the following.
47
48\begin{itemize}
49\item Toggle-able statistic collection on channel behaviour that counts channel operations, and the number of the operations that block.
50Tracking blocking operations helps users tune their channel size or channel usage when the channel is used for buffering, where the aim is to have as few blocking operations as possible.
51\item Deadlock detection on deallocation of the channel.
52If any threads are blocked inside the channel when it terminates it is detected and informs the user, as this would cause a deadlock.
53\item A \code{flush} routine that delivers copies of an element to all waiting consumers, flushing the buffer.
54Programmers can use this to easily to broadcast data to multiple consumers.
55Additionally, the \code{flush} routine is more performant then looping around the \code{insert} operation since it can deliver the elements without having to reacquire mutual exclusion for each element sent.
56\end{itemize}
57
58The other safety and productivity feature of \CFA channels deals with concurrent termination.
59Terminating concurrent programs is often one of the most difficult parts of writing concurrent code, particularly if graceful termination is needed.
60The difficulty of graceful termination often arises from the usage of synchronization primitives which need to be handled carefully during shutdown.
61It is easy to deadlock during termination if threads are left behind on synchronization primitives.
62Additionally, most synchronization primitives are prone to \gls{toctou} issues where there is race between one thread checking the state of a concurrent object and another thread changing the state.
63\gls{toctou} issues with synchronization primitives often involve a race between one thread checking the primitive for blocked threads and another thread blocking on it.
64Channels are a particularly hard synchronization primitive to terminate since both sending and receiving off a channel can block.
65Thus, improperly handled \gls{toctou} issues with channels often result in deadlocks as threads trying to perform the termination may end up unexpectedly blocking in their attempt to help other threads exit the system.
66
67% C_TODO: add reference to select chapter, add citation to go channels info
68Go channels provide a set of tools to help with concurrent shutdown.
69Channels in Go have a \code{close} operation and a \code{select} statement that both can be used to help threads terminate.
70The \code{select} statement will be discussed in \ref{}, where \CFA's \code{waituntil} statement will be compared with the Go \code{select} statement.
71The \code{close} operation on a channel in Go changes the state of the channel.
72When a channel is closed, sends to the channel will panic and additional calls to \code{close} will panic.
73Receives are handled differently where receivers will never block on a closed channel and will continue to remove elements from the channel.
74Once a channel is empty, receivers can continue to remove elements, but will receive the zero-value version of the element type.
75To aid in avoiding unwanted zero-value elements, Go provides the ability to iterate over a closed channel to remove the remaining elements.
76These design choices for Go channels enforce a specific interaction style with channels during termination, where careful thought is needed to ensure that additional \code{close} calls don't occur and that no sends occur after channels are closed.
77These design choices fit Go's paradigm of error management, where users are expected to explicitly check for errors, rather than letting errors occur and catching them.
78If errors need to occur in Go, return codes are used to pass error information where they are needed.
79Note that panics in Go can be caught, but it is not considered an idiomatic way to write Go programs.
80
81While Go's channel closing semantics are powerful enough to perform any concurrent termination needed by a program, their lack of ease of use leaves much to be desired.
82Since both closing and sending panic, once a channel is closed, a user often has to synchronize the senders to a channel before the channel can be closed to avoid panics.
83However, in doing so it renders the \code{close} operation nearly useless, as the only utilities it provides are the ability to ensure that receivers no longer block on the channel, and will receive zero-valued elements.
84This can be useful if the zero-typed element is recognized as a sentinel value, but if another sentinel value is preferred, then \code{close} only provides its non-blocking feature.
85To avoid \gls{toctou} issues during shutdown, a busy wait with a \code{select} statement is often used to add or remove elements from a channel.
86Due to Go's asymmetric approach to channel shutdown, separate synchronization between producers and consumers of a channel has to occur during shutdown.
87
88In \CFA, exception handling is an encouraged paradigm and has full language support \cite{Beach21}.
89As such \CFA uses an exception based approach to channel shutdown that is symmetric for both producers and consumers, and supports graceful shutdown.Exceptions in \CFA support both termination and resumption.Termination exceptions operate in the same way as exceptions seen in many popular programming languages such as \CC, Python and Java.
90Resumption exceptions are a style of exception that when caught run the corresponding catch block in the same way that termination exceptions do.
91The difference between the exception handling mechanisms arises after the exception is handled.
92In termination handling, the control flow continues into the code following the catch after the exception is handled.
93In resumption handling, the control flow returns to the site of the \code{throw}, allowing the control to continue where it left off.
94Note that in resumption, since control can return to the point of error propagation, the stack is not unwound during resumption propagation.
95In \CFA if a resumption is not handled, it is reraised as a termination.
96This mechanism can be used to create a flexible and robust termination system for channels.
97
98When a channel in \CFA is closed, all subsequent calls to the channel will throw a resumption exception at the caller.
99If the resumption is handled, then the caller will proceed to attempt to complete their operation.
100If the resumption is not handled it is then rethrown as a termination exception.
101Or, if the resumption is handled, but the subsequent attempt at an operation would block, a termination exception is thrown.
102These termination exceptions allow for non-local transfer that can be used to great effect to eagerly and gracefully shut down a thread.
103When a channel is closed, if there are any blocked producers or consumers inside the channel, they are woken up and also have a resumption thrown at them.
104The resumption exception, \code{channel_closed}, has a couple fields to aid in handling the exception.
105The exception contains a pointer to the channel it was thrown from, and a pointer to an element.
106In exceptions thrown from remove the element pointer will be null.
107In the case of insert the element pointer points to the element that the thread attempted to insert.
108This element pointer allows the handler to know which operation failed and also allows the element to not be lost on a failed insert since it can be moved elsewhere in the handler.
109Furthermore, due to \CFA's powerful exception system, this data can be used to choose handlers based which channel and operation failed.
110Exception handlers in \CFA have an optional predicate after the exception type which can be used to optionally trigger or skip handlers based on the content of an exception.
111It is worth mentioning that the approach of exceptions for termination may incur a larger performance cost during termination that the approach used in Go.
112This should not be an issue, since termination is rarely an fast-path of an application and ensuring that termination can be implemented correctly with ease is the aim of the exception approach.
113
114To highlight the differences between \CFA's and Go's close semantics, an example program is presented.
115The program is a barrier implemented using two channels shown in Listings~\ref{l:cfa_chan_bar} and \ref{l:go_chan_bar}.
116Both of these examples are implemented using \CFA syntax so that they can be easily compared.
117Listing~\ref{l:go_chan_bar} uses go-style channel close semantics and Listing~\ref{l:cfa_chan_bar} uses \CFA close semantics.
118In this problem it is infeasible to use the Go \code{close} call since all tasks are both potentially producers and consumers, causing panics on close to be unavoidable.
119As such in Listing~\ref{l:go_chan_bar} to implement a flush routine for the buffer, a sentinel value of $-1$ has to be used to indicate to threads that they need to leave the barrier.
120This sentinel value has to be checked at two points.
121Furthermore, an additional flag \code{done} is needed to communicate to threads once they have left the barrier that they are done.
122This use of an additional flag or communication method is common in Go channel shutdown code, since to avoid panics on a channel, the shutdown of a channel often has to be communicated with threads before it occurs.
123In the \CFA version~\ref{l:cfa_chan_bar}, the barrier shutdown results in an exception being thrown at threads operating on it, which informs the threads that they must terminate.
124This avoids the need to use a separate communication method other than the barrier, and avoids extra conditional checks on the fast path of the barrier implementation.
125Also note that in the Go version~\ref{l:go_chan_bar}, the size of the barrier channels has to be larger than in the \CFA version to ensure that the main thread does not block when attempting to clear the barrier.
126
127\begin{cfa}[caption={\CFA channel barrier termination},label={l:cfa_chan_bar}]
128struct barrier {
129        channel( int ) barWait;
130        channel( int ) entryWait;
131        int size;
132}
133void ?{}(barrier & this, int size) with(this) {
134        barWait{size};
135        entryWait{size};
136        this.size = size;
137        for ( j; size )
138                insert( *entryWait, j );
139}
140
141void flush(barrier & this) with(this) {
142        close(barWait);
143        close(entryWait);
144}
145void wait(barrier & this) with(this) {
146        int ticket = remove( *entryWait );
147        if ( ticket == size - 1 ) {
148                for ( j; size - 1 )
149                        insert( *barWait, j );
150                return;
151        }
152        ticket = remove( *barWait );
153
154        // last one out
155        if ( size == 1 || ticket == size - 2 ) {
156                for ( j; size )
157                        insert( *entryWait, j );
158        }
159}
160barrier b{Tasks};
161
162// thread main
163void main(Task & this) {
164        try {
165                for ( ;; ) {
166                        wait( b );
167                }
168        } catch ( channel_closed * e ) {}
169}
170
171int main() {
172        {
173                Task t[Tasks];
174
175                sleep(10`s);
176                flush( b );
177        } // wait for tasks to terminate
178        return 0;
179}
180\end{cfa}
181
182\begin{cfa}[caption={Go channel barrier termination},label={l:go_chan_bar}]
183
184struct barrier {
185        channel( int ) barWait;
186        channel( int ) entryWait;
187        int size;
188}
189void ?{}(barrier & this, int size) with(this) {
190        barWait{size + 1};
191        entryWait{size + 1};
192        this.size = size;
193        for ( j; size )
194                insert( *entryWait, j );
195}
196
197void flush(barrier & this) with(this) {
198        insert( *entryWait, -1 );
199        insert( *barWait, -1 );
200}
201void wait(barrier & this) with(this) {
202        int ticket = remove( *entryWait );
203        if ( ticket == -1 ) {
204                insert( *entryWait, -1 );
205                return;
206        }
207        if ( ticket == size - 1 ) {
208                for ( j; size - 1 )
209                        insert( *barWait, j );
210                return;
211        }
212        ticket = remove( *barWait );
213        if ( ticket == -1 ) {
214                insert( *barWait, -1 );
215                return;
216        }
217
218        // last one out
219        if ( size == 1 || ticket == size - 2 ) {
220                for ( j; size )
221                        insert( *entryWait, j );
222        }
223}
224barrier b;
225
226bool done = false;
227// thread main
228void main(Task & this) {
229        for ( ;; ) {
230                if ( done ) break;
231                wait( b );
232        }
233}
234
235int main() {
236        {
237                Task t[Tasks];
238
239                sleep(10`s);
240                done = true;
241
242                flush( b );
243        } // wait for tasks to terminate
244        return 0;
245}
246\end{cfa}
247
248In Listing~\ref{l:cfa_resume} an example of channel closing with resumption is used.
249This program uses resumption in the \code{Consumer} thread main to ensure that all elements in the channel are removed before the consumer thread terminates.
250The producer only has a \code{catch} so the moment it receives an exception it terminates, whereas the consumer will continue to remove from the closed channel via handling resumptions until the buffer is empty, which then throws a termination exception.
251If the same program was implemented in Go it would require explicit synchronization with both producers and consumers by some mechanism outside the channel to ensure that all elements were removed before task termination.
252
253\begin{cfa}[caption={\CFA channel resumption usage},label={l:cfa_resume}]
254channel( int ) chan{ 128 };
255
256// Consumer thread main
257void main(Consumer & this) {
258        size_t runs = 0;
259        try {
260                for ( ;; ) {
261                        remove( chan );
262                }
263        } catchResume ( channel_closed * e ) {}
264        catch ( channel_closed * e ) {}
265}
266
267// Producer thread main
268void main(Producer & this) {
269        int j = 0;
270        try {
271                for ( ;;j++ ) {
272                        insert( chan, j );
273                }
274        } catch ( channel_closed * e ) {}
275}
276
277int main( int argc, char * argv[] ) {
278        {
279                Consumers c[4];
280                Producer p[4];
281
282                sleep(10`s);
283
284                for ( i; Channels )
285                        close( channels[i] );
286        }
287        return 0;
288}
289\end{cfa}
290
291\section{Performance}
292
293Given that the base implementation of the \CFA channels is very similar to the Go implementation, this section aims to show that the performance of the two implementations are comparable.
294One microbenchmark is conducted to compare Go and \CFA.
295The benchmark is a ten second experiment where producers and consumers operate on a channel in parallel and throughput is measured.
296The number of cores is varied to measure how throughput scales.
297The cores are divided equally between producers and consumers, with one producer or consumer owning each core.
298The results of the benchmark are shown in Figure~\ref{f:chanPerf}.
299The performance of Go and \CFA channels on this microbenchmark is comparable.
300Note, it is expected for the performance to decline as the number of cores increases as the channel operations all occur in a critical section so an increase in cores results in higher contention with no increase in parallelism.
301
302
303\begin{figure}
304        \centering
305        \subfloat[AMD \CFA Channel Benchmark]{
306                \resizebox{0.5\textwidth}{!}{\input{figures/nasus_Channel_Contention.pgf}}
307                \label{f:chanAMD}
308        }
309        \subfloat[Intel \CFA Channel Benchmark]{
310                \resizebox{0.5\textwidth}{!}{\input{figures/pyke_Channel_Contention.pgf}}
311                \label{f:chanIntel}
312        }
313        \caption{The channel contention benchmark comparing \CFA and Go channel throughput (higher is better).}
314        \label{f:chanPerf}
315\end{figure}
316
317% Local Variables: %
318% tab-width: 4 %
319% End: %
Note: See TracBrowser for help on using the repository browser.