Changeset 660665f for doc/theses/andrew_beach_MMath
- Timestamp:
- Jun 29, 2021, 5:35:19 PM (3 years ago)
- Branches:
- ADT, ast-experimental, enum, forall-pointer-decay, jacob/cs343-translation, master, new-ast-unique-expr, pthread-emulation, qualifiedEnum
- Children:
- dcad80a
- Parents:
- 5a46e09 (diff), d02e547 (diff)
Note: this is a merge changeset, the changes displayed below correspond to the merge itself.
Use the(diff)
links above to see all the changes relative to each parent. - Location:
- doc/theses/andrew_beach_MMath
- Files:
-
- 1 added
- 7 edited
Legend:
- Unmodified
- Added
- Removed
-
doc/theses/andrew_beach_MMath/cfalab.sty
r5a46e09 r660665f 143 143 } 144 144 145 % These somehow control how much of a page can be a floating element before 146 % the float is forced onto its own page. 147 \renewcommand{\topfraction}{0.8} 148 \renewcommand{\bottomfraction}{0.8} 149 \renewcommand{\floatpagefraction}{0.8} 150 % Sort of the reverse, I think it is the minimum amount of text that can 151 % be on a page before its all removed. (0 for always fix what you can.) 152 \renewcommand{\textfraction}{0.0} 153 145 154 % common.tex Compatablity =================================================== 146 155 % Below this line is for compatability with the old common.tex file. -
doc/theses/andrew_beach_MMath/existing.tex
r5a46e09 r660665f 1 \chapter{\CFA Existing Features}1 \chapter{\CFA{} Existing Features} 2 2 \label{c:existing} 3 3 … … 9 9 existing C code-base allowing programmers to learn \CFA on an as-needed basis. 10 10 11 Only those \CFA features pertaining to this thesis are discussed. Many of the12 \CFA syntactic and semantic features used in the thesis should be fairly 13 obvious to the reader.11 Only those \CFA features pertaining to this thesis are discussed. 12 Also, only new features of \CFA will be discussed, a familiarity with 13 C or C-like languages is assumed. 14 14 15 15 \section{Overloading and \lstinline{extern}} … … 29 29 // name mangling on by default 30 30 int i; // _X1ii_1 31 @extern "C"@{ // disables name mangling31 extern "C" { // disables name mangling 32 32 int j; // j 33 @extern "Cforall"@{ // enables name mangling33 extern "Cforall" { // enables name mangling 34 34 int k; // _X1ki_1 35 35 } … … 47 47 Reference-types are written the same way as a pointer-type but each 48 48 asterisk (@*@) is replaced with a ampersand (@&@); 49 this includes cv-qualifiers and multiple levels of reference, \eg: 50 49 this includes cv-qualifiers and multiple levels of reference. 50 51 Generally, references act like pointers with an implicate dereferencing 52 operation added to each use of the variable. 53 These automatic dereferences may be disabled with the address-of operator 54 (@&@). 55 56 % Check to see if these are generating errors. 51 57 \begin{minipage}{0,5\textwidth} 52 58 With references: … … 56 62 int && rri = ri; 57 63 rri = 3; 58 &ri = &j; // reference assignment64 &ri = &j; 59 65 ri = 5; 60 66 \end{cfa} … … 67 73 int ** ppi = π 68 74 **ppi = 3; 69 pi = &j; // pointer assignment75 pi = &j; 70 76 *pi = 5; 71 77 \end{cfa} 72 78 \end{minipage} 73 79 74 References are intended for cases where you would want touse pointers but would80 References are intended to be used when you would use pointers but would 75 81 be dereferencing them (almost) every usage. 76 In most cases a reference can just be thought of as a pointer that 77 automatically puts a dereference in front of each of its uses (per-level of 78 reference). 79 The address-of operator (@&@) acts as an escape and removes one of the 80 automatic dereference operations. 81 Mutable references may be assigned by converting them to a pointer 82 with a @&@ and then assigning a pointer to them, as in @&ri = &j;@ above. 82 Mutable references may be assigned to by converting them to a pointer 83 with a @&@ and then assigning a pointer to them, as in @&ri = &j;@ above 83 84 84 85 \section{Operators} 85 86 86 In general, operator names in \CFA are constructed by bracketing an operator 87 token with @?@, which indicates the position of the arguments. For example, 87 \CFA implements operator overloading by providing special names. 88 Operator uses are translated into function calls using these names. 89 These names are created by taking the operator symbols and joining them with 90 @?@s to show where the arguments go. 91 For example, 88 92 infixed multiplication is @?*?@ while prefix dereference is @*?@. 89 93 This syntax make it easy to tell the difference between prefix operations 90 94 (such as @++?@) and post-fix operations (@?++@). 91 95 92 An operator name may describe any function signature (it is just a name) but 93 only certain signatures may be called in operator form. 94 \begin{cfa} 95 int ?+?( int i, int j, int k ) { return i + j + k; } 96 { 97 sout | ?+?( 3, 4, 5 ); // no infix form 98 } 99 \end{cfa} 100 Some ``near-misses" for unary/binary operator prototypes generate warnings. 96 \begin{cfa} 97 point ?+?(point a, point b) { return point{a.x + b.x, a.y + b.y}; } 98 bool ?==?(point a, point b) { return a.x == b.x && a.y == b.y; } 99 { 100 assert(point{1, 2} + point{3, 4} == point{4, 6}); 101 } 102 \end{cfa} 103 Note that these special names are not limited to just being used for these 104 operator functions, and may be used name other declarations. 105 Some ``near misses", that will not match an operator form but looks like 106 it may have been supposed to, will generate wantings but otherwise they are 107 left alone. 108 109 %\subsection{Constructors and Destructors} 101 110 102 111 Both constructors and destructors are operators, which means they are 103 112 functions with special operator names rather than type names in \Cpp. The 104 special operator names may be used to call the functions explicitly (not 105 allowed in \Cpp for constructors). 106 107 The special name for a constructor is @?{}@, where the name @{}@ comes from the 108 initialization syntax in C, \eg @Structure s = {...}@. 109 % That initialization syntax is also the operator form. 110 \CFA generates a constructor call each time a variable is declared, 111 passing the initialization arguments to the constructor. 112 \begin{cfa} 113 struct Structure { ... }; 114 void ?{}(Structure & this) { ... } 115 { 116 Structure a; 117 Structure b = {}; 118 } 119 void ?{}(Structure & this, char first, int num) { ... } 120 { 121 Structure c = {'a', 2}; 122 } 123 \end{cfa} 124 Both @a@ and @b@ are initialized with the first constructor, 125 while @c@ is initialized with the second. 126 Currently, there is no general way to skip initialization. 113 special operator names may be used to call the functions explicitly. 114 % Placement new means that this is actually equivant to C++. 115 116 The special name for a constructor is @?{}@, which comes from the 117 initialization syntax in C, \eg @Example e = { ... }@. 118 \CFA will generate a constructor call each time a variable is declared, 119 passing the initialization arguments to the constructort. 120 \begin{cfa} 121 struct Example { ... }; 122 void ?{}(Example & this) { ... } 123 { 124 Example a; 125 Example b = {}; 126 } 127 void ?{}(Example & this, char first, int num) { ... } 128 { 129 Example c = {'a', 2}; 130 } 131 \end{cfa} 132 Both @a@ and @b@ will be initalized with the first constructor, 133 while @c@ will be initalized with the second. 134 Currently, there is no general way to skip initialation. 127 135 128 136 % I don't like the \^{} symbol but $^\wedge$ isn't better. 129 Similarly, destructors use the special name @^?{}@ (the @^@ has no special 130 meaning). Normally, they are implicitly called on a variable when it goes out 131 of scope but they can be called explicitly as well. 132 \begin{cfa} 133 void ^?{}(Structure & this) { ... } 134 { 135 Structure d; 137 Similarly destructors use the special name @^?{}@ (the @^@ has no special 138 meaning). 139 These are a normally called implicitly called on a variable when it goes out 140 of scope. They can be called explicitly as well. 141 \begin{cfa} 142 void ^?{}(Example & this) { ... } 143 { 144 Example d; 136 145 } // <- implicit destructor call 137 146 \end{cfa} 138 147 139 Whenever a type is defined, \CFA createsa default zero-argument148 Whenever a type is defined, \CFA will create a default zero-argument 140 149 constructor, a copy constructor, a series of argument-per-field constructors 141 150 and a destructor. All user constructors are defined after this. … … 198 207 void do_once(double y) { ... } 199 208 int quadruple(int x) { 200 void do_once(int y) { y = y * 2; } // replace global do_once 201 do_twice(x); // use local do_once 202 do_twice(x + 1.5); // use global do_once 209 void do_once(int & y) { y = y * 2; } 210 do_twice(x); 203 211 return x; 204 212 } 205 213 \end{cfa} 206 214 Specifically, the complier deduces that @do_twice@'s T is an integer from the 207 argument @x@. It then looks for the most \emph{specific}definition matching the215 argument @x@. It then looks for the most specific definition matching the 208 216 assertion, which is the nested integral @do_once@ defined within the 209 217 function. The matched assertion function is then passed as a function pointer 210 to @do_twice@ and called within it. The global definition of @do_once@ is used 211 for the second call because the float-point argument is a better match. 218 to @do_twice@ and called within it. 219 The global definition of @do_once@ is ignored, however if quadruple took a 220 @double@ argument then the global definition would be used instead as it 221 would be a better match. 222 % Aaron's thesis might be a good reference here. 212 223 213 224 To avoid typing long lists of assertions, constraints can be collect into … … 279 290 Each coroutine has a @main@ function, which takes a reference to a coroutine 280 291 object and returns @void@. 281 \begin{cfa}[numbers=left] 292 %[numbers=left] Why numbers on this one? 293 \begin{cfa} 282 294 void main(CountUp & this) { 283 295 for (unsigned int next = 0 ; true ; ++next) { -
doc/theses/andrew_beach_MMath/features.tex
r5a46e09 r660665f 2 2 \label{c:features} 3 3 4 This chapter covers the design and user interface of the \CFA 5 EHM, % or exception system. 4 This chapter covers the design and user interface of the \CFA EHM 6 5 and begins with a general overview of EHMs. It is not a strict 7 6 definition of all EHMs nor an exhaustive list of all possible features. 8 However it does cover the most common structures and features found in them. 9 7 However it does cover the most common structure and features found in them. 8 9 \section{Overview of EHMs} 10 10 % We should cover what is an exception handling mechanism and what is an 11 11 % exception before this. Probably in the introduction. Some of this could 12 12 % move there. 13 \s ection{Raise / Handle}13 \subsection{Raise / Handle} 14 14 An exception operation has two main parts: raise and handle. 15 These terms are sometimes alsoknown as throw and catch but this work uses15 These terms are sometimes known as throw and catch but this work uses 16 16 throw/catch as a particular kind of raise/handle. 17 17 These are the two parts that the user writes and may … … 24 24 25 25 Some well known examples include the @throw@ statements of \Cpp and Java and 26 the \code{Python}{raise} statement from Python. Araise may27 p erform some other work (such as memory management) but for the26 the \code{Python}{raise} statement from Python. In real systems a raise may 27 preform some other work (such as memory management) but for the 28 28 purposes of this overview that can be ignored. 29 29 … … 33 33 34 34 A handler has three common features: the previously mentioned user code, a 35 region of code they guard ,and an exception label/condition that matches35 region of code they guard and an exception label/condition that matches 36 36 certain exceptions. 37 37 Only raises inside the guarded region and raising exceptions that match the 38 38 label can be handled by a given handler. 39 Different EHMs have different rules to pick a handler,40 if multiple handlers could be used, such as ``best match" or ``first found".39 If multiple handlers could can handle an exception, 40 EHMs will define a rule to pick one, such as ``best match" or ``first found". 41 41 42 42 The @try@ statements of \Cpp, Java and Python are common examples. All three … … 44 44 region. 45 45 46 \s ection{Propagation}46 \subsection{Propagation} 47 47 After an exception is raised comes what is usually the biggest step for the 48 48 EHM: finding and setting up the handler. The propagation from raise to 49 49 handler can be broken up into three different tasks: searching for a handler, 50 matching against the handler ,and installing the handler.50 matching against the handler and installing the handler. 51 51 52 52 \paragraph{Searching} … … 55 55 thrown as it looks for handlers that have the raise site in their guarded 56 56 region. 57 Th is search includes handlers in the current function, as well as any in callers58 on the stack that have the function call in their guarded region.57 The search includes handlers in the current function, as well as any in 58 callers on the stack that have the function call in their guarded region. 59 59 60 60 \paragraph{Matching} 61 61 Each handler found has to be matched with the raised exception. The exception 62 label defines a condition that is used with the exception to decideif62 label defines a condition that is used with exception and decides if 63 63 there is a match or not. 64 64 65 65 In languages where the first match is used, this step is intertwined with 66 searching : a match check is performed immediately after the search finds66 searching; a match check is preformed immediately after the search finds 67 67 a possible handler. 68 68 69 \ section{Installing}69 \paragraph{Installing} 70 70 After a handler is chosen it must be made ready to run. 71 71 The implementation can vary widely to fit with the rest of the … … 74 74 case when stack unwinding is involved. 75 75 76 If a matching handler is not guarant ied to be found, the EHM needs a76 If a matching handler is not guaranteed to be found, the EHM needs a 77 77 different course of action for the case where no handler matches. 78 78 This situation only occurs with unchecked exceptions as checked exceptions 79 79 (such as in Java) can make the guarantee. 80 This unhandled action can abort the program or install a very general handler.80 This unhandled action is usually very general, such as aborting the program. 81 81 82 82 \paragraph{Hierarchy} 83 83 A common way to organize exceptions is in a hierarchical structure. 84 This organization is often used inobject-orientated languages where the84 This pattern comes from object-orientated languages where the 85 85 exception hierarchy is a natural extension of the object hierarchy. 86 86 … … 90 90 \end{center} 91 91 92 A handler label led with any given exception can handle exceptions of that92 A handler labeled with any given exception can handle exceptions of that 93 93 type or any child type of that exception. The root of the exception hierarchy 94 94 (here \code{C}{exception}) acts as a catch-all, leaf types catch single types … … 104 104 % Could I cite the rational for the Python IO exception rework? 105 105 106 \ paragraph{Completion}107 After the handler has finished the entire exception operation has to complete106 \subsection{Completion} 107 After the handler has finished, the entire exception operation has to complete 108 108 and continue executing somewhere else. This step is usually simple, 109 109 both logically and in its implementation, as the installation of the handler … … 111 111 112 112 The EHM can return control to many different places, 113 the most common are after the handler definition (termination) and after the raise (resumption). 114 115 \paragraph{Communication} 113 the most common are after the handler definition (termination) 114 and after the raise (resumption). 115 116 \subsection{Communication} 116 117 For effective exception handling, additional information is often passed 117 118 from the raise to the handler and back again. 118 119 So far only communication of the exceptions' identity has been covered. 119 A common communication method is putting fields into the exception instance and giving the 120 handler access to them. References in the exception instance can push data back to the raise. 120 A common communication method is putting fields into the exception instance 121 and giving the handler access to them. 122 Passing the exception by reference instead of by value can allow data to be 123 passed in both directions. 121 124 122 125 \section{Virtuals} 123 126 Virtual types and casts are not part of \CFA's EHM nor are they required for 124 127 any EHM. 125 However, one of the best ways to support an exception hierarchy is via a virtual system126 among exceptions and used for exception matching.128 However, it is one of the best ways to support an exception hierarchy 129 is via a virtual hierarchy and dispatch system. 127 130 128 131 Ideally, the virtual system would have been part of \CFA before the work 129 132 on exception handling began, but unfortunately it was not. 130 Therefore, only the features and framework needed for the EHM were133 Hence, only the features and framework needed for the EHM were 131 134 designed and implemented. Other features were considered to ensure that 132 the structure could accommodate other desirable features in the future but they were not133 implemented.134 The rest of this section discusses the implemented subset of the135 virtual -system design.135 the structure could accommodate other desirable features in the future 136 but they were not implemented. 137 The rest of this section will only discuss the implemented subset of the 138 virtual system design. 136 139 137 140 The virtual system supports multiple ``trees" of types. Each tree is … … 143 146 % A type's ancestors are its parent and its parent's ancestors. 144 147 % The root type has no ancestors. 145 % A type's de cedents are its children and its children's decedents.148 % A type's descendants are its children and its children's descendants. 146 149 147 150 Every virtual type also has a list of virtual members. Children inherit … … 150 153 of object-orientated programming, and can be of any type. 151 154 152 \PAB{I do not understand these sentences. Can you add an example? $\Rightarrow$153 155 \CFA still supports virtual methods as a special case of virtual members. 154 156 Function pointers that take a pointer to the virtual type are modified 155 157 with each level of inheritance so that refers to the new type. 156 158 This means an object can always be passed to a function in its virtual table 157 as if it were a method.} 159 as if it were a method. 160 \todo{Clarify (with an example) virtual methods.} 158 161 159 162 Each virtual type has a unique id. … … 161 164 into a virtual table type. Each virtual type has a pointer to a virtual table 162 165 as a hidden field. 163 164 \PAB{God forbid, maybe you need a UML diagram to relate these entities.} 166 \todo{Might need a diagram for virtual structure.} 165 167 166 168 Up until this point the virtual system is similar to ones found in … … 173 175 types can begin to satisfy a trait, stop satisfying a trait or satisfy the same 174 176 trait in a different way at any lexical location in the program. 175 In this sense, they are ``open" as they can change at any time. This capability means it176 is impossible to pick a single set of functions that represent the type's177 implementation across the program.177 In this sense, they are ``open" as they can change at any time. 178 This capability means it is impossible to pick a single set of functions 179 that represent the type's implementation across the program. 178 180 179 181 \CFA side-steps this issue by not having a single virtual table for each 180 182 type. A user can define virtual tables that are filled in at their 181 declaration and given a name. Anywhere that name is visible, even if 183 declaration and given a name. Anywhere that name is visible, even if it is 182 184 defined locally inside a function (although that means it does not have a 183 185 static lifetime), it can be used. … … 186 188 through the object. 187 189 188 \PAB{The above explanation is very good!}189 190 190 While much of the virtual infrastructure is created, it is currently only used 191 191 internally for exception handling. The only user-level feature is the virtual 192 cast 192 cast, which is the same as the \Cpp \code{C++}{dynamic_cast}. 193 193 \label{p:VirtualCast} 194 194 \begin{cfa} 195 195 (virtual TYPE)EXPRESSION 196 196 \end{cfa} 197 which is the same as the \Cpp \code{C++}{dynamic_cast}.198 197 Note, the syntax and semantics matches a C-cast, rather than the function-like 199 198 \Cpp syntax for special casts. Both the type of @EXPRESSION@ and @TYPE@ must be … … 218 217 The trait is defined over two types, the exception type and the virtual table 219 218 type. Each exception type should have a single virtual table type. 220 There are no actual assertions in this trait because currentlythe trait system221 cannot express them (adding such assertions would be part of219 There are no actual assertions in this trait because the trait system 220 cannot express them yet (adding such assertions would be part of 222 221 completing the virtual system). The imaginary assertions would probably come 223 222 from a trait defined by the virtual system, and state that the exception type 224 is a virtual type, is a descend ent of @exception_t@ (the base exception type)223 is a virtual type, is a descendant of @exception_t@ (the base exception type) 225 224 and note its virtual table type. 226 225 … … 241 240 }; 242 241 \end{cfa} 243 Both traits ensure a pair of types are an exception type and its virtual table, 242 Both traits ensure a pair of types are an exception type, its virtual table 243 type 244 244 and defines one of the two default handlers. The default handlers are used 245 245 as fallbacks and are discussed in detail in \vref{s:ExceptionHandling}. … … 269 269 \section{Exception Handling} 270 270 \label{s:ExceptionHandling} 271 As stated, \CFA provides two kinds of exception handling: termination and resumption. 271 As stated, 272 \CFA provides two kinds of exception handling: termination and resumption. 272 273 These twin operations are the core of \CFA's exception handling mechanism. 273 This section coversthe general patterns shared by the two operations and274 then go on to cover the details ofeach individual operation.274 This section will cover the general patterns shared by the two operations and 275 then go on to cover the details each individual operation. 275 276 276 277 Both operations follow the same set of steps. 277 Both start with the user p erforming a raise on an exception.278 Both start with the user preforming a raise on an exception. 278 279 Then the exception propagates up the stack. 279 280 If a handler is found the exception is caught and the handler is run. 280 After that control returns to a point specific to the kind of exception.281 If the search fails a default handler is run , and if it returns,control282 continues after the raise. Note, the default handler may further change control flow rather than return.281 After that control continues at a raise-dependent location. 282 If the search fails a default handler is run and, if it returns, then control 283 continues after the raise. 283 284 284 285 This general description covers what the two kinds have in common. 285 Differences include how propagation is p erformed, where exception continues286 Differences include how propagation is preformed, where exception continues 286 287 after an exception is caught and handled and which default handler is run. 287 288 288 289 \subsection{Termination} 289 290 \label{s:Termination} 290 291 291 Termination handling is the familiar kind and used in most programming 292 292 languages with exception handling. … … 313 313 314 314 The throw copies the provided exception into managed memory to ensure 315 the exception is not destroyed whenthe stack is unwound.315 the exception is not destroyed if the stack is unwound. 316 316 It is the user's responsibility to ensure the original exception is cleaned 317 317 up whether the stack is unwound or not. Allocating it on the stack is 318 318 usually sufficient. 319 319 320 Then propagation starts the search. \CFA uses a ``first match" rule so 321 matching is performed with the copied exception as the search continues. 322 It starts from the throwing function and proceeds towards the base of the stack, 320 % How to say propagation starts, its first sub-step is the search. 321 Then propagation starts with the search. \CFA uses a ``first match" rule so 322 matching is preformed with the copied exception as the search continues. 323 It starts from the throwing function and proceeds towards base of the stack, 323 324 from callee to caller. 324 325 At each stack frame, a check is made for resumption handlers defined by the … … 334 335 \end{cfa} 335 336 When viewed on its own, a try statement simply executes the statements 336 in \snake{GUARDED_BLOCK} and when those are finished, the try statement finishes. 337 in \snake{GUARDED_BLOCK} and when those are finished, 338 the try statement finishes. 337 339 338 340 However, while the guarded statements are being executed, including any 339 invoked functions, all the handlers in these statements are included on the search 340 path. Hence, if a termination exception is raised, the search includes the added handlers associated with the guarded block and those further up the 341 stack from the guarded block. 341 invoked functions, all the handlers in these statements are included in the 342 search path. 343 Hence, if a termination exception is raised these handlers may be matched 344 against the exception and may handle it. 342 345 343 346 Exception matching checks the handler in each catch clause in the order 344 347 they appear, top to bottom. If the representation of the raised exception type 345 348 is the same or a descendant of @EXCEPTION_TYPE@$_i$ then @NAME@$_i$ 346 (if provided) is bound to a pointer to the exception and the statements in347 @HANDLER_BLOCK@$_i$ are executed. 348 If control reaches the end of the handler, the exception is349 (if provided) is 350 bound to a pointer to the exception and the statements in @HANDLER_BLOCK@$_i$ 351 are executed. If control reaches the end of the handler, the exception is 349 352 freed and control continues after the try statement. 350 353 351 If no termination handler is found during the search ,the default handler352 (\defaultTerminationHandler) visible at the raise statement is called.353 Through \CFA's trait system , the best match at the raise sight isused.354 This function is run and is passed the copied exception. If the default355 handler returns, control continues after the throwstatement.354 If no termination handler is found during the search then the default handler 355 (\defaultTerminationHandler) visible at the raise statement is run. 356 Through \CFA's trait system the best match at the raise statement will be used. 357 This function is run and is passed the copied exception. 358 If the default handler is run control continues after the raise statement. 356 359 357 360 There is a global @defaultTerminationHandler@ that is polymorphic over all 358 termination exception types. Since it is so general, a more specific handler can be 361 termination exception types. 362 Since it is so general a more specific handler can be 359 363 defined and is used for those types, effectively overriding the handler 360 364 for a particular exception type. … … 370 374 matched a closure is taken from up the stack and executed, 371 375 after which the raising function continues executing. 372 These are most often used when a potentially repairable error occurs, some handler is found on the stack to fix it, and 373 the raising function can continue with the correction. 374 Another common usage is dynamic event analysis, \eg logging, without disrupting control flow. 375 Note, if an event is raised and there is no interest, control continues normally. 376 377 \PAB{We also have \lstinline{report} instead of \lstinline{throwResume}, \lstinline{recover} instead of \lstinline{catch}, and \lstinline{fixup} instead of \lstinline{catchResume}. 378 You may or may not want to mention it. You can still stick with \lstinline{catch} and \lstinline{throw/catchResume} in the thesis.} 376 The common uses for resumption exceptions include 377 potentially repairable errors, where execution can continue in the same 378 function once the error is corrected, and 379 ignorable events, such as logging where nothing needs to happen and control 380 should always continue from the same place. 379 381 380 382 A resumption raise is started with the @throwResume@ statement: … … 382 384 throwResume EXPRESSION; 383 385 \end{cfa} 386 \todo{Decide on a final set of keywords and use them everywhere.} 384 387 It works much the same way as the termination throw. 385 388 The expression must return a reference to a resumption exception, … … 387 390 @is_resumption_exception@ at the call site. 388 391 The assertions from this trait are available to 389 the exception system, while handling the exception. 390 391 Resumption does not need to copy the raised exception, as the stack is not unwound. 392 The exception and 393 any values on the stack remain in scope, while the resumption is handled. 394 395 The EHM then begins propogation. The search starts from the raise in the 396 resuming function and proceeds towards the base of the stack, from callee to caller. 392 the exception system while handling the exception. 393 394 At run-time, no exception copy is made. 395 Resumption does not unwind the stack nor otherwise remove values from the 396 current scope, so there is no need to manage memory to keep things in scope. 397 398 The EHM then begins propagation. The search starts from the raise in the 399 resuming function and proceeds towards the base of the stack, 400 from callee to caller. 397 401 At each stack frame, a check is made for resumption handlers defined by the 398 402 @catchResume@ clauses of a @try@ statement. … … 412 416 kind of raise. 413 417 When a try statement is executed, it simply executes the statements in the 414 @GUARDED_BLOCK@ and then returns.418 @GUARDED_BLOCK@ and then finishes. 415 419 416 420 However, while the guarded statements are being executed, including any 417 invoked functions, all the handlers in these statements are included on the search 418 path. Hence, if a resumption exception is raised the search includes the added handlers associated with the guarded block and those further up the 419 stack from the guarded block. 421 invoked functions, all the handlers in these statements are included in the 422 search path. 423 Hence, if a resumption exception is raised these handlers may be matched 424 against the exception and may handle it. 420 425 421 426 Exception matching checks the handler in each catch clause in the order … … 427 432 the raise statement that raised the handled exception. 428 433 429 Like termination, if no resumption handler is found during the search, the default handler430 (\defaultResumptionHandler) visible at the raise statement is called. 431 It uses the best match at the 432 raise sight accordingto \CFA's overloading rules. The default handler is433 passed the exception given to the throw. When the default handler finishes434 Like termination, if no resumption handler is found during the search, 435 the default handler (\defaultResumptionHandler) visible at the raise 436 statement is called. It will use the best match at the raise sight according 437 to \CFA's overloading rules. The default handler is 438 passed the exception given to the raise. When the default handler finishes 434 439 execution continues after the raise statement. 435 440 436 There is a global \defaultResumptionHandler{} thatis polymorphic over all437 resumption exception types and preforms a termination throw on the exception.438 The \defaultTerminationHandler{} can be 439 customized by introducing a new or better match as well.441 There is a global \defaultResumptionHandler{} is polymorphic over all 442 resumption exceptions and preforms a termination throw on the exception. 443 The \defaultTerminationHandler{} can be overridden by providing a new 444 function that is a better match. 440 445 441 446 \subsubsection{Resumption Marking} 442 447 \label{s:ResumptionMarking} 443 444 448 A key difference between resumption and termination is that resumption does 445 449 not unwind the stack. A side effect that is that when a handler is matched 446 and run , its try block (the guarded statements) and every try statement447 searched before it are still on the stack. The ir existence can lead to the recursive448 resumption problem.450 and run it's try block (the guarded statements) and every try statement 451 searched before it are still on the stack. There presence can lead to 452 the recursive resumption problem. 449 453 450 454 The recursive resumption problem is any situation where a resumption handler … … 459 463 \end{cfa} 460 464 When this code is executed, the guarded @throwResume@ starts a 461 search and match s the handler in the @catchResume@ clause. This462 call is placed on the top of stack above the try-block. The second throw463 search s the same try block and puts callanother instance of the464 same handler on the stack leading to aninfinite recursion.465 search and matches the handler in the @catchResume@ clause. This 466 call is placed on the stack above the try-block. The second raise then 467 searches the same try block and puts another instance of the 468 same handler on the stack leading to infinite recursion. 465 469 466 470 While this situation is trivial and easy to avoid, much more complex cycles 467 471 can form with multiple handlers and different exception types. 468 472 469 To prevent all of these cases, the exception search marks the try statements it visits.470 A try statement is marked when a match check is preformed with it and an 471 exception. The statement is unmarked when the handling of that exception 472 is completed or the search completes without finding a handler.473 While a try statement is marked, its handlers are never matched, effecti fy474 skipping over themto the next try statement.473 To prevent all of these cases, a each try statement is ``marked" from the 474 time the exception search reaches it to either when the exception is being 475 handled completes the matching handler or when the search reaches the base 476 of the stack. 477 While a try statement is marked, its handlers are never matched, effectively 478 skipping over it to the next try statement. 475 479 476 480 \begin{center} … … 478 482 \end{center} 479 483 480 These rules mirror what happens with termination. 481 When a termination throw happens in a handler, the search does not look at 482 any handlers from the original throw to the original catch because that 483 part of the stack is unwound. 484 A resumption raise in the same situation wants to search the entire stack, 485 but with marking, the search does match exceptions for try statements at equivalent sections 486 that would have been unwound by termination. 487 488 The symmetry between resumption termination is why this pattern is picked. 489 Other patterns, such as marking just the handlers that caught the exception, also work but 490 lack the symmetry, meaning there are more rules to remember. 484 There are other sets of marking rules that could be used, 485 for instance, marking just the handlers that caught the exception, 486 would also prevent recursive resumption. 487 However, these rules mirror what happens with termination. 488 489 The try statements that are marked are the ones that would be removed from 490 the stack if this was a termination exception, that is those on the stack 491 between the handler and the raise statement. 492 This symmetry applies to the default handler as well, as both kinds of 493 default handlers are run at the raise statement, rather than (physically 494 or logically) at the bottom of the stack. 495 % In early development having the default handler happen after 496 % unmarking was just more useful. We assume that will continue. 491 497 492 498 \section{Conditional Catch} 493 494 499 Both termination and resumption handler clauses can be given an additional 495 500 condition to further control which exceptions they handle: … … 504 509 did not match. 505 510 506 The condition matching allows finer matching to check511 The condition matching allows finer matching by checking 507 512 more kinds of information than just the exception type. 508 513 \begin{cfa} … … 519 524 // Can't handle a failure relating to f2 here. 520 525 \end{cfa} 521 In this example , the file that experianced the IO error is used to decide526 In this example the file that experienced the IO error is used to decide 522 527 which handler should be run, if any at all. 523 528 … … 548 553 549 554 \subsection{Comparison with Reraising} 550 551 555 A more popular way to allow handlers to match in more detail is to reraise 552 556 the exception after it has been caught, if it could not be handled here. 553 On the surface these two features seem interchangable. 554 555 If @throw@ is used to start a termination reraise then these two statements 556 have the same behaviour: 557 On the surface these two features seem interchangeable. 558 559 If @throw;@ (no argument) starts a termination reraise, 560 which is the same as a raise but reuses the last caught exception, 561 then these two statements have the same behaviour: 557 562 \begin{cfa} 558 563 try { … … 574 579 } 575 580 \end{cfa} 576 However, if there are further handlers after this handler only the first is 577 check. For multiple handlers on a single try block that could handle the 578 same exception, the equivalent translations to conditional catch becomes more complex, resulting is multiple nested try blocks for all possible reraises. 579 So while catch-with-reraise is logically equivilant to conditional catch, there is a lexical explosion for the former. 580 581 \PAB{I think the following discussion makes an incorrect assumption. 582 A conditional catch CAN happen with the stack unwound. 583 Roy talked about this issue in Section 2.3.3 here: \newline 584 \url{http://plg.uwaterloo.ca/theses/KrischerThesis.pdf}} 585 586 Specifically for termination handling, a 587 conditional catch happens before the stack is unwound, but a reraise happens 588 afterwards. Normally this might only cause you to loose some debug 589 information you could get from a stack trace (and that can be side stepped 590 entirely by collecting information during the unwind). But for \CFA there is 591 another issue, if the exception is not handled the default handler should be 592 run at the site of the original raise. 593 594 There are two problems with this: the site of the original raise does not 595 exist anymore and the default handler might not exist anymore. The site is 596 always removed as part of the unwinding, often with the entirety of the 597 function it was in. The default handler could be a stack allocated nested 598 function removed during the unwind. 599 600 This means actually trying to pretend the catch didn't happening, continuing 601 the original raise instead of starting a new one, is infeasible. 602 That is the expected behaviour for most languages and we can't replicate 603 that behaviour. 581 That is, they will have the same behaviour in isolation. 582 Two things can expose differences between these cases. 583 584 One is the existence of multiple handlers on a single try statement. 585 A reraise skips all later handlers on this try statement but a conditional 586 catch does not. 587 Hence, if an earlier handler contains a reraise later handlers are 588 implicitly skipped, with a conditional catch they are not. 589 Still, they are equivalently powerful, 590 both can be used two mimic the behaviour of the other, 591 as reraise can pack arbitrary code in the handler and conditional catches 592 can put arbitrary code in the predicate. 593 % I was struggling with a long explanation about some simple solutions, 594 % like repeating a condition on later handlers, and the general solution of 595 % merging everything together. I don't think it is useful though unless its 596 % for a proof. 597 % https://en.cppreference.com/w/cpp/language/throw 598 599 The question then becomes ``Which is a better default?" 600 We believe that not skipping possibly useful handlers is a better default. 601 If a handler can handle an exception it should and if the handler can not 602 handle the exception then it is probably safer to have that explicitly 603 described in the handler itself instead of implicitly described by its 604 ordering with other handlers. 605 % Or you could just alter the semantics of the throw statement. The handler 606 % index is in the exception so you could use it to know where to start 607 % searching from in the current try statement. 608 % No place for the `goto else;` metaphor. 609 610 The other issue is all of the discussion above assumes that the only 611 way to tell apart two raises is the exception being raised and the remaining 612 search path. 613 This is not true generally, the current state of the stack can matter in 614 a number of cases, even only for a stack trace after an program abort. 615 But \CFA has a much more significant need of the rest of the stack, the 616 default handlers for both termination and resumption. 617 618 % For resumption it turns out it is possible continue a raise after the 619 % exception has been caught, as if it hadn't been caught in the first place. 620 This becomes a problem combined with the stack unwinding used in termination 621 exception handling. 622 The stack is unwound before the handler is installed, and hence before any 623 reraises can run. So if a reraise happens the previous stack is gone, 624 the place on the stack where the default handler was supposed to run is gone, 625 if the default handler was a local function it may have been unwound too. 626 There is no reasonable way to restore that information, so the reraise has 627 to be considered as a new raise. 628 This is the strongest advantage conditional catches have over reraising, 629 they happen before stack unwinding and avoid this problem. 630 631 % The one possible disadvantage of conditional catch is that it runs user 632 % code during the exception search. While this is a new place that user code 633 % can be run destructors and finally clauses are already run during the stack 634 % unwinding. 635 % 636 % https://www.cplusplus.com/reference/exception/current_exception/ 637 % `exception_ptr current_exception() noexcept;` 638 % https://www.python.org/dev/peps/pep-0343/ 604 639 605 640 \section{Finally Clauses} 606 641 \label{s:FinallyClauses} 607 608 642 Finally clauses are used to preform unconditional clean-up when leaving a 609 643 scope and are placed at the end of a try statement after any handler clauses: … … 618 652 The @FINALLY_BLOCK@ is executed when the try statement is removed from the 619 653 stack, including when the @GUARDED_BLOCK@ finishes, any termination handler 620 finishes ,or during an unwind.654 finishes or during an unwind. 621 655 The only time the block is not executed is if the program is exited before 622 656 the stack is unwound. … … 634 668 635 669 Not all languages with unwinding have finally clauses. Notably \Cpp does 636 without it as destructors with RAII serve a similar role. Although destructors and 637 finally clauses have overlapping usage cases, they have their own 638 specializations, like top-level functions and lambda functions with closures. 639 Destructors take more work if a number of unrelated, local variables without destructors or dynamically allocated variables must be passed for de-intialization. 640 Maintaining this destructor during local-block modification is a source of errors. 641 A finally clause places local de-intialization inline with direct access to all local variables. 670 without it as descructors, and the RAII design pattern, serve a similar role. 671 Although destructors and finally clauses can be used in the same cases, 672 they have their own strengths, similar to top-level function and lambda 673 functions with closures. 674 Destructors take more work for their first use, but if there is clean-up code 675 that needs to be run every time a type is used they soon become much easier 676 to set-up. 677 On the other hand finally clauses capture the local context, so is easy to 678 use when the clean-up is not dependent on the type of a variable or requires 679 information from multiple variables. 680 % To Peter: I think these are the main points you were going for. 642 681 643 682 \section{Cancellation} … … 652 691 raise, this exception is not used in matching only to pass information about 653 692 the cause of the cancellation. 654 (This restrictionalso means matching cannot fail so there is no default handler.)693 (This also means matching cannot fail so there is no default handler.) 655 694 656 695 After @cancel_stack@ is called the exception is copied into the EHM's memory 657 and the current stack is 658 unwound. 659 The result of a cancellation depends on the kind of stack that is being unwound. 696 and the current stack is unwound. 697 The behaviour after that depends on the kind of stack being cancelled. 660 698 661 699 \paragraph{Main Stack} … … 664 702 After the main stack is unwound there is a program-level abort. 665 703 666 There are two reasons for this semantics. The first is that it obviously had to do the abort 704 There are two reasons for these semantics. 705 The first is that it had to do this abort. 667 706 in a sequential program as there is nothing else to notify and the simplicity 668 707 of keeping the same behaviour in sequential and concurrent programs is good. 669 \PAB{I do not understand this sentence. $\Rightarrow$ Also, even in concurrent programs, there is no stack that an innate connection 670 to, so it would have be explicitly managed.} 708 Also, even in concurrent programs there may not currently be any other stacks 709 and even if other stacks do exist, main has no way to know where they are. 671 710 672 711 \paragraph{Thread Stack} … … 680 719 and an implicit join (from a destructor call). The explicit join takes the 681 720 default handler (@defaultResumptionHandler@) from its calling context while 682 the implicit join provides its own ,which does a program abort if the721 the implicit join provides its own; which does a program abort if the 683 722 @ThreadCancelled@ exception cannot be handled. 684 723 685 \PAB{Communication can occur during the lifetime of a thread using shared variable and \lstinline{waitfor} statements. 686 Are you sure you mean communication here? Maybe you mean synchronization (rendezvous) point. $\Rightarrow$ Communication is done at join because a thread only has two points of 687 communication with other threads: start and join.}724 The communication and synchronization are done here because threads only have 725 two structural points (not dependent on user-code) where 726 communication/synchronization happens: start and join. 688 727 Since a thread must be running to perform a cancellation (and cannot be 689 728 cancelled from another stack), the cancellation must be after start and 690 before the join, so join is use .729 before the join, so join is used. 691 730 692 731 % TODO: Find somewhere to discuss unwind collisions. … … 695 734 a destructor and prevents cascading the error across multiple threads if 696 735 the user is not equipped to deal with it. 697 Also you can always add an explicit join if that is the desired behaviour. 736 It is always possible to add an explicit join if that is the desired behaviour. 737 738 With explicit join and a default handler that triggers a cancellation, it is 739 possible to cascade an error across any number of threads, cleaning up each 740 in turn, until the error is handled or the main thread is reached. 698 741 699 742 \paragraph{Coroutine Stack} … … 701 744 satisfies the @is_coroutine@ trait. 702 745 After a coroutine stack is unwound, control returns to the @resume@ function 703 that most recently resumed it. The resumereports a704 @CoroutineCancelled@ exception, which contains references to the cancelled746 that most recently resumed it. @resume@ reports a 747 @CoroutineCancelled@ exception, which contains a references to the cancelled 705 748 coroutine and the exception used to cancel it. 706 749 The @resume@ function also takes the \defaultResumptionHandler{} from the 707 caller's context and passes it to the internal cancellation.750 caller's context and passes it to the internal report. 708 751 709 752 A coroutine knows of two other coroutines, its starter and its last resumer. … … 711 754 (in terms of coroutine state) called resume on this coroutine, so the message 712 755 is passed to the latter. 756 757 With a default handler that triggers a cancellation, it is possible to 758 cascade an error across any number of coroutines, cleaning up each in turn, 759 until the error is handled or a thread stack is reached. -
doc/theses/andrew_beach_MMath/future.tex
r5a46e09 r660665f 3 3 4 4 \section{Language Improvements} 5 \todo{Future/Language Improvements seems to have gotten mixed up. It is 6 presented as ``waiting on language improvements" but really its more 7 non-research based impovements.} 5 8 \CFA is a developing programming language. As such, there are partially or 6 9 unimplemented features of the language (including several broken components) 7 10 that I had to workaround while building an exception handling system largely in 8 11 the \CFA language (some C components). The following are a few of these 9 issues, and once implemented/fixed, how th iswould affect the exception system.12 issues, and once implemented/fixed, how they would affect the exception system. 10 13 \begin{itemize} 11 14 \item 12 15 The implementation of termination is not portable because it includes 13 hand-crafted assembly statements. These sections must be ported by hand to 16 hand-crafted assembly statements. 17 The existing compilers cannot translate that for other platforms and those 18 sections must be ported by hand to 14 19 support more hardware architectures, such as the ARM processor. 15 20 \item … … 17 22 reference instead of a pointer. Since \CFA has a very general reference 18 23 capability, programmers will want to use it. Once fixed, this capability should 19 result in little or no change in the exception system .24 result in little or no change in the exception system but simplify usage. 20 25 \item 21 26 Termination handlers cannot use local control-flow transfers, \eg by @break@, … … 41 46 The virtual system should be completed. It was not supposed to be part of this 42 47 project, but was thrust upon it to do exception inheritance; hence, only 43 minimal work was done. A draft for a complete virtual system is available but48 minimal work is done. A draft for a complete virtual system is available but 44 49 it is not finalized. A future \CFA project is to complete that work and then 45 50 update the exception system that uses the current version. … … 67 72 bad software engineering. 68 73 69 Non-local/concurrent requires more coordination between the concurrency system 74 Non-local/concurrent raise requires more 75 coordination between the concurrency system 70 76 and the exception system. Many of the interesting design decisions centre 71 around masking (controlling which exceptions may be thrown at a stack). It77 around masking, \ie controlling which exceptions may be thrown at a stack. It 72 78 would likely require more of the virtual system and would also effect how 73 79 default handlers are set. … … 85 91 86 92 \section{Checked Exceptions} 87 Checked exceptions make exceptions part of a function's type by adding the93 Checked exceptions make exceptions part of a function's type by adding an 88 94 exception signature. An exception signature must declare all checked 89 exceptions that could prop ogate from the function (either because they were95 exceptions that could propagate from the function (either because they were 90 96 raised inside the function or came from a sub-function). This improves safety 91 97 by making sure every checked exception is either handled or consciously … … 93 99 94 100 However checked exceptions were never seriously considered for this project 95 for two reasons. The first is due to time constraints, even copying an 96 existing checked exception system would be pushing the remaining time and 97 trying to address the second problem would take even longer. The second 98 problem is that checked exceptions have some real usability trade-offs in 101 because they have significant trade-offs in usablity and code reuse in 99 102 exchange for the increased safety. 100 101 103 These trade-offs are most problematic when trying to pass exceptions through 102 104 higher-order functions from the functions the user passed into the 103 105 higher-order function. There are no well known solutions to this problem 104 that were s tatifactory for \CFA (which carries some of C's flexability105 over safety design) so one would have to be researched and developed.106 that were satisfactory for \CFA (which carries some of C's flexibility 107 over safety design) so additional research is needed. 106 108 107 Follow-up work might add checked exceptions to \CFA, possibly using 108 polymorphic exception signatures, a form of tunneling\cite{Zhang19} or 109 Follow-up work might add some form of checked exceptions to \CFA, 110 possibly using polymorphic exception signatures, 111 a form of tunneling\cite{Zhang19} or 109 112 checked and unchecked raises. 110 113 … … 150 153 For instance, resumption could be extended to cover this use by allowing local 151 154 control flow out of it. This approach would require an unwind as part of the 152 transition as there are stack frames that have to be removed. This approach 153 means there is no notify raise, but because \CFA does not have exception 154 signatures, a termination can be thrown from within any resumption handler so 155 there is already a way to do mimic this in existing \CFA. 155 transition as there are stack frames that have to be removed between where 156 the resumption handler is installed and where it is defined. 157 This approach would not require, but might benefit from, a special statement 158 to leave the handler. 159 Currently, mimicking this behaviour in \CFA is possible by throwing a 160 termination inside a resumption handler. 156 161 157 162 % Maybe talk about the escape; and escape CONTROL_STMT; statements or how -
doc/theses/andrew_beach_MMath/implement.tex
r5a46e09 r660665f 2 2 \label{c:implement} 3 3 4 The implementation work for this thesis covers two components: the virtual 4 % Local Helpers: 5 \newcommand\transformline[1][becomes...]{ 6 \hrulefill#1\hrulefill 7 \medskip 8 } 9 10 The implementation work for this thesis covers the two components: virtual 5 11 system and exceptions. Each component is discussed in detail. 6 12 … … 21 27 \todo{Talk about constructors for virtual types (after they are working).} 22 28 23 This is what binds an instance of a virtual type to a virtual table. This 24 pointer can be used as an identity check. It can also be used to access the 29 The virtual table pointer binds an instance of a virtual type 30 to a virtual table. 31 The pointer is also the table's id and how the system accesses the 25 32 virtual table and the virtual members there. 26 33 27 34 \subsection{Type Id} 28 35 Every virtual type has a unique id. 29 Type ids can be compared for equality (the types reperented are the same) 36 Type ids can be compared for equality, 37 which checks if the types reperented are the same, 30 38 or used to access the type's type information. 31 39 The type information currently is only the parent's type id or, if the 32 type has no parent, zero.40 type has no parent, the null pointer. 33 41 34 42 The id's are implemented as pointers to the type's type information instance. 35 Derefe ncing the pointer gets the type information.36 By going back-and-forth between the type id and 37 the type info one can find every ancestor of a virtual type.38 It alsopushes the issue of creating a unique value (for43 Dereferencing the pointer gets the type information. 44 The ancestors of a virtual type are found by traversing type ids through 45 the type information. 46 The information pushes the issue of creating a unique value (for 39 47 the type id) to the problem of creating a unique instance (for type 40 information) which the linker can solve. 41 42 Advanced linker support is required because there is no place that appears 43 only once to attach the type information to. There should be one structure 44 definition but it is included in multiple translation units. Each virtual 45 table definition should be unique but there are an arbitrary number of thoses. 46 So the special section prefix \texttt{.gnu.linkonce} is used. 47 With a unique suffix (making the entire section name unique) the linker will 48 remove multiple definition making sure only one version exists after linking. 49 Then it is just a matter of making sure there is a unique name for each type. 50 51 This is done in three phases. 52 The first phase is to generate a new structure definition to store the type 48 information), which the linker can solve. 49 50 The advanced linker support is used here to avoid having to create 51 a new declaration to attach this data to. 52 With C/\CFA's header/implementation file divide for something to appear 53 exactly once it must come from a declaration that appears in exactly one 54 implementation file; the declarations in header files may exist only once 55 they can be included in many different translation units. 56 Therefore, structure's declaration will not work. 57 Neither will attaching the type information to the virtual table -- although 58 a vtable declarations are in implemention files they are not unique, see 59 \autoref{ss:VirtualTable}. 60 Instead the same type information is generated multiple times and then 61 the new attribute \snake{cfa_linkone} is used to removed duplicates. 62 63 Type information is constructed as follows: 64 \begin{enumerate} 65 \item 66 Use the type's name to generate a name for the type information structure. 67 This is saved so it may be reused. 68 \item 69 Generate a new structure definition to store the type 53 70 information. The layout is the same in each case, just the parent's type id, 54 but the types are changed.55 The structure's name is change, it is based off the virtual type's name, and56 the type of the parent's type id.71 but the types used change from instance to instance. 72 The generated name is used for both this structure and, if relivant, the 73 parent pointer. 57 74 If the virtual type is polymorphic then the type information structure is 58 75 polymorphic as well, with the same polymorphic arguments. 59 60 The second phase is to generate an instance of the type information with a 61 almost unique name, generated by mangling the virtual type name. 62 63 The third phase is implicit with \CFA's overloading scheme. \CFA mangles 64 names with type information so that all of the symbols exported to the linker 65 are unique even if in \CFA code they are the same. Having two declarations 66 with the same name and same type is forbidden because it is impossible for 67 overload resolution to pick between them. This is why a unique type is 68 generated for each virtual type. 69 Polymorphic information is included in this mangling so polymorphic 70 types will have seperate instances for each set of polymorphic arguments. 71 72 \begin{cfa} 73 struct TYPE_ID_TYPE { 74 PARENT_ID_TYPE const * parent; 76 \item 77 A seperate name for instances is generated from the type's name. 78 \item 79 The definition is generated and initialised. 80 The parent id is set to the null pointer or to the address of the parent's 81 type information instance. Name resolution handles the rest. 82 \item 83 \CFA's name mangler does its regular name mangling encoding the type of 84 the declaration into the instance name. This gives a completely unique name 85 including different instances of the same polymorphic type. 86 \end{enumerate} 87 \todo{The list is making me realise, some of this isn't ordered.} 88 89 Writing that code manually, with helper macros for the early name mangling, 90 would look like this: 91 \begin{cfa} 92 struct INFO_TYPE(TYPE) { 93 INFO_TYPE(PARENT) const * parent; 75 94 }; 76 95 77 96 __attribute__((cfa_linkonce)) 78 TYPE_ID_TYPE const TYPE_ID_NAME= {79 & PARENT_ID_NAME,97 INFO_TYPE(TYPE) const INFO_NAME(TYPE) = { 98 &INFO_NAME(PARENT), 80 99 }; 81 100 \end{cfa} 82 101 83 \subsubsection{cfa\_linkonce Attribute} 102 \subsubsection{\lstinline{cfa\_linkonce} Attribute} 103 % I just realised: This is an extension of the inline keyword. 104 % An extension of C's at least, it is very similar to C++'s. 84 105 Another feature added to \CFA is a new attribute: \texttt{cfa\_linkonce}. 85 This attribute can be put on an object or function definition 86 (any global declaration with a name and a type). 87 This allows you to define that object or function multiple times. 88 All definitions should have the link-once attribute on them and all should 89 be identical. 90 91 The simplist way to use it is to put a definition in a header where the 92 forward declaration would usually go. 93 This is how it is used for type-id instances. There was is no unique location 94 associated with a type except for the type definition which is in a header. 95 This allows the unique type-id object to be generated there. 96 97 Internally @cfa_linkonce@ removes all @section@ attributes 98 from the declaration (as well as itself) and replaces them with 106 This attribute is attached to an object or function definition 107 (any global declaration with a name and a type) 108 allowing it to be defined multiple times. 109 All matching definitions mush have the link-once attribute 110 and their implementations should be identical as well. 111 112 A single definition with the attribute can be included in a header 113 file as if it was a forward declaration, except no definition is required. 114 115 This technique is used for type-id instances. A link-once definition is 116 generated each time the structure is seen. This will result in multiple 117 copies but the link-once attribute ensures all but one are removed for a 118 unique instance. 119 120 Internally, @cfa_linkonce@ is replaced with 99 121 @section(".gnu.linkonce.NAME")@ where \texttt{NAME} is replaced by the 100 122 mangled name of the object. 123 Any other @section@ attributes are removed from the declaration. 101 124 The prefix \texttt{.gnu.linkonce} in section names is recognized by the 102 linker. If two of these sections with the same name, including everything103 that comes after the special prefix, then only one will be used and the other 104 will bediscarded.125 linker. If two of these sections appear with the same name, including 126 everything that comes after the special prefix, then only one is used 127 and the other is discarded. 105 128 106 129 \subsection{Virtual Table} 130 \label{ss:VirtualTable} 107 131 Each virtual type has a virtual table type that stores its type id and 108 132 virtual members. … … 113 137 114 138 The layout always comes in three parts. 139 \todo{Add labels to the virtual table layout figure.} 115 140 The first section is just the type id at the head of the table. It is always 116 there to ensure that 141 there to ensure that it can be found even when the accessing code does not 142 know which virtual type it has. 117 143 The second section are all the virtual members of the parent, in the same 118 144 order as they appear in the parent's virtual table. Note that the type may … … 133 159 prefix that has the same layout and types as its parent virtual table. 134 160 This, combined with the fixed offset to the virtual table pointer, means that 135 for any virtual type it doesn't matter if we have it or any of its 136 descendants, it is still always safe to access the virtual table through 137 the virtual table pointer. 138 From there it is safe to check the type id to identify the exact type of the 161 for any virtual type, it is always safe to access its virtual table and, 162 from there, it is safe to check the type id to identify the exact type of the 139 163 underlying object, access any of the virtual members and pass the object to 140 164 any of the method-like virtual members. 141 165 142 When a virtual table is declared the user decides where to declare it and its166 When a virtual table is declared, the user decides where to declare it and its 143 167 name. The initialization of the virtual table is entirely automatic based on 144 168 the context of the declaration. 145 169 146 The type id is always fixed , each virtual table type will always have one170 The type id is always fixed; with each virtual table type having 147 171 exactly one possible type id. 148 The virtual members are usually filled in by resolution. The best match for149 a given name and type at the declaration site is filled in.150 There are two exceptions to that rule: the @size@ field is the type's size151 and is set to the result of a @sizeof@ expression, the @align@ field isthe152 type's alignment and similarly usesan @alignof@ expression.172 The virtual members are usually filled in by type resolution. 173 The best match for a given name and type at the declaration site is used. 174 There are two exceptions to that rule: the @size@ field, the type's size, 175 is set using a @sizeof@ expression and the @align@ field, the 176 type's alignment, is set using an @alignof@ expression. 153 177 154 178 \subsubsection{Concurrency Integration} 155 179 Coroutines and threads need instances of @CoroutineCancelled@ and 156 180 @ThreadCancelled@ respectively to use all of their functionality. When a new 157 data type is declared with @coroutine@ or @thread@ theforward declaration for181 data type is declared with @coroutine@ or @thread@, a forward declaration for 158 182 the instance is created as well. The definition of the virtual table is created 159 183 at the definition of the main function. 184 185 This is showned through code re-writing in 186 \autoref{f:ConcurrencyTypeTransformation} and 187 \autoref{f:ConcurrencyMainTransformation}. 188 In both cases the original declaration is not modified, 189 only new ones are added. 160 190 161 191 \begin{figure} … … 165 195 }; 166 196 \end{cfa} 197 198 \transformline[appends...] 167 199 168 200 \begin{cfa} … … 175 207 extern CoroutineCancelled_vtable & _default_vtable; 176 208 \end{cfa} 177 209 \caption{Concurrency Type Transformation} 210 \label{f:ConcurrencyTypeTransformation} 211 \end{figure} 212 213 \begin{figure} 178 214 \begin{cfa} 179 215 void main(Example & this) { … … 181 217 } 182 218 \end{cfa} 219 220 \transformline[appends...] 183 221 184 222 \begin{cfa} … … 191 229 &_default_vtable_object_declaration; 192 230 \end{cfa} 193 \caption{Concurrency Transformations}194 \label{f:Concurrency Transformations}231 \caption{Concurrency Main Transformation} 232 \label{f:ConcurrencyMainTransformation} 195 233 \end{figure} 196 \todo{Improve Concurrency Transformations figure.}197 234 198 235 \subsection{Virtual Cast} … … 211 248 the cast target is passed in as @child@. 212 249 213 For C generation both arguments and the result are wrappedwith type casts.214 There is also an internal storeinside the compiler to make sure that the250 For generated C code wraps both arguments and the result with type casts. 251 There is also an internal check inside the compiler to make sure that the 215 252 target type is a virtual type. 216 253 % It also checks for conflicting definitions. 217 254 218 The virtual cast either returns the original pointer as a new type or null. 219 So the function just does the parent check and returns the approprate value. 255 The virtual cast either returns the original pointer or the null pointer 256 as the new type. 257 So the function does the parent check and returns the appropriate value. 220 258 The parent check is a simple linear search of child's ancestors using the 221 259 type information. … … 229 267 % resumption doesn't as well. 230 268 231 % Many modern languages work with an inter al stack that function push and pop269 % Many modern languages work with an internal stack that function push and pop 232 270 % their local data to. Stack unwinding removes large sections of the stack, 233 271 % often across functions. … … 236 274 stack. On function entry and return, unwinding is handled directly by the 237 275 call/return code embedded in the function. 238 In many cases the position of the instruction pointer (relative to parameter276 In many cases, the position of the instruction pointer (relative to parameter 239 277 and local declarations) is enough to know the current size of the stack 240 278 frame. 241 279 242 280 Usually, the stack-frame size is known statically based on parameter and 243 local variable declarations. Even with dynamic stack-size the information244 to determ ainhow much of the stack has to be removed is still contained281 local variable declarations. Even with dynamic stack-size, the information 282 to determine how much of the stack has to be removed is still contained 245 283 within the function. 246 284 Allocating/deallocating stack space is usually an $O(1)$ operation achieved by 247 285 bumping the hardware stack-pointer up or down as needed. 248 Constructing/destructing values on the stack takes longer put in terms of249 figuring out what needs to be done is of similar complexity.286 Constructing/destructing values within a stack frame has 287 a similar complexity but can add additional work and take longer. 250 288 251 289 Unwinding across multiple stack frames is more complex because that … … 261 299 reseting to a snap-shot of an arbitrary but existing function frame on the 262 300 stack. It is up to the programmer to ensure the snap-shot is valid when it is 263 reset and that all required clean-up from the unwound stacks is p reformed.264 This approach is fragile and forces a work onto the surounding code.265 266 With respect to th at work forced ontothe surounding code,301 reset and that all required clean-up from the unwound stacks is performed. 302 This approach is fragile and requires extra work in the surrounding code. 303 304 With respect to the extra work in the surounding code, 267 305 many languages define clean-up actions that must be taken when certain 268 306 sections of the stack are removed. Such as when the storage for a variable 269 307 is removed from the stack or when a try statement with a finally clause is 270 308 (conceptually) popped from the stack. 271 None of these should be handled by the user ,that would contradict the272 intention of these features ,so they need to be handled automatically.273 274 To safely remove sections of the stack the language must be able to find and309 None of these should be handled by the user --- that would contradict the 310 intention of these features --- so they need to be handled automatically. 311 312 To safely remove sections of the stack, the language must be able to find and 275 313 run these clean-up actions even when removing multiple functions unknown at 276 314 the beginning of the unwinding. … … 294 332 current stack frame, and what handlers should be checked. Theoretically, the 295 333 LSDA can contain any information but conventionally it is a table with entries 296 representing regions of thefunction and what has to be done there during334 representing regions of a function and what has to be done there during 297 335 unwinding. These regions are bracketed by instruction addresses. If the 298 336 instruction pointer is within a region's start/end, then execution is currently … … 314 352 int avar __attribute__(( cleanup(clean_up) )); 315 353 \end{cfa} 316 The attribu e is used on a variable and specifies a function,354 The attribute is used on a variable and specifies a function, 317 355 in this case @clean_up@, run when the variable goes out of scope. 318 This is enough to mimic destructors, but not try statements which can effect 356 This feature is enough to mimic destructors, 357 but not try statements which can effect 319 358 the unwinding. 320 359 321 To get full unwinding support all of this has to be done directly with322 assembly and assembler directives. Partiularly the cfi directives360 To get full unwinding support, all of these features must be handled directly 361 in assembly and assembler directives; partiularly the cfi directives 323 362 \snake{.cfi_lsda} and \snake{.cfi_personality}. 324 363 … … 327 366 section covers some of the important parts of the interface. 328 367 329 A personality function can p reform different actions depending on how it is368 A personality function can perform different actions depending on how it is 330 369 called. 331 370 \begin{lstlisting} … … 364 403 365 404 The @exception_class@ argument is a copy of the 366 \code{C}{exception}'s @exception_class@ field .367 This a number that identifies the exception handling mechanism that created 368 th e369 370 The \code{C}{exception} argument is a pointer to theuser405 \code{C}{exception}'s @exception_class@ field, 406 which is a number that identifies the exception handling mechanism 407 that created the exception. 408 409 The \code{C}{exception} argument is a pointer to a user 371 410 provided storage object. It has two public fields: the @exception_class@, 372 411 which is described above, and the @exception_cleanup@ function. 373 The clean-up function is used by the EHM to clean-up the exception if it412 The clean-up function is used by the EHM to clean-up the exception, if it 374 413 should need to be freed at an unusual time, it takes an argument that says 375 414 why it had to be cleaned up. … … 382 421 messages for special cases (some of which should never be used by the 383 422 personality function) and error codes. However, unless otherwise noted, the 384 personality function should always return@_URC_CONTINUE_UNWIND@.423 personality function always returns @_URC_CONTINUE_UNWIND@. 385 424 386 425 \subsection{Raise Exception} 387 Raising an exception is the central function of libunwind and it performs a426 Raising an exception is the central function of libunwind and it performs 388 427 two-staged unwinding. 389 428 \begin{cfa} … … 472 511 % catches. Talk about GCC nested functions. 473 512 474 \CFA termination exceptions use libunwind heavily because they match \Cpp513 \CFA termination exceptions use libunwind heavily because they match 475 514 \Cpp exceptions closely. The main complication for \CFA is that the 476 515 compiler generates C code, making it very difficult to generate the assembly to … … 485 524 486 525 \begin{figure} 526 \centering 487 527 \input{exception-layout} 488 528 \caption{Exception Layout} 489 529 \label{f:ExceptionLayout} 490 530 \end{figure} 491 \todo*{Convert the exception layout to an actual diagram.} 492 493 Exceptions are stored in variable-sized blocks (see \vref{f:ExceptionLayout}).531 532 Exceptions are stored in variable-sized blocks 533 (see \autoref{f:ExceptionLayout}). 494 534 The first component is a fixed-sized data structure that contains the 495 535 information for libunwind and the exception system. The second component is an … … 498 538 @_Unwind_Exception@ to the entire node. 499 539 500 Multip e exceptions can exist at the same time because exceptions can be540 Multiple exceptions can exist at the same time because exceptions can be 501 541 raised inside handlers, destructors and finally blocks. 502 542 Figure~\vref{f:MultipleExceptions} shows a program that has multiple 503 543 exceptions active at one time. 504 544 Each time an exception is thrown and caught the stack unwinds and the finally 505 clause runs. This will throwanother exception (until @num_exceptions@ gets506 high enough) which must be allocated. The previous exceptions may not be545 clause runs. This handler throws another exception (until @num_exceptions@ gets 546 high enough), which must be allocated. The previous exceptions may not be 507 547 freed because the handler/catch clause has not been run. 508 So the EHM must keep them alive while it allocates exceptions for new throws. 548 Therefore, the EHM must keep all unhandled exceptions alive 549 while it allocates exceptions for new throws. 509 550 510 551 \begin{figure} … … 559 600 \todo*{Work on multiple exceptions code sample.} 560 601 561 All exceptions are stored in nodes which are then linked together in lists,602 All exceptions are stored in nodes, which are then linked together in lists 562 603 one list per stack, with the 563 604 list head stored in the exception context. Within each linked list, the most … … 566 607 exception is being handled. The exception at the head of the list is currently 567 608 being handled, while other exceptions wait for the exceptions before them to be 568 removed.609 handled and removed. 569 610 570 611 The virtual members in the exception's virtual table provide the size of the … … 573 614 exception into managed memory. After the exception is handled, the free 574 615 function is used to clean up the exception and then the entire node is 575 passed to free so the memory can be givenback to the heap.616 passed to free, returning the memory back to the heap. 576 617 577 618 \subsection{Try Statements and Catch Clauses} 578 619 The try statement with termination handlers is complex because it must 579 compensate for the lack of assembly-code generated from \CFA. Libunwind 620 compensate for the C code-generation versus 621 assembly-code generated from \CFA. Libunwind 580 622 requires an LSDA and personality function for control to unwind across a 581 623 function. The LSDA in particular is hard to mimic in generated C code. … … 592 634 embedded assembly. This assembly code is handcrafted using C @asm@ statements 593 635 and contains 594 enough information for thesingle try statement the function repersents.636 enough information for a single try statement the function repersents. 595 637 596 638 The three functions passed to try terminate are: 597 639 \begin{description} 598 \item[try function:] This function is the try block, all the code inside the599 try block is placed inside the try function. It takes no parameters and has no640 \item[try function:] This function is the try block, it is where all the code 641 from inside the try block is placed. It takes no parameters and has no 600 642 return value. This function is called during regular execution to run the try 601 643 block. … … 609 651 handler that matches the exception. 610 652 611 \item[handler function:] This function handles the exception. It takes a 653 \item[handler function:] This function handles the exception, and contains 654 all the code from the handlers in the try statement, joined with a switch 655 statement on the handler's id. 656 It takes a 612 657 pointer to the exception and the handler's id and returns nothing. It is called 613 after the cleanup phase. It is constructed by stitching together the bodies of 614 each handler and dispatches to the selected handler. 658 after the cleanup phase. 615 659 \end{description} 616 660 All three functions are created with GCC nested functions. GCC nested functions 617 can be used to create closures, functions that can refer to the state of other 661 can be used to create closures, 662 in other words functions that can refer to the state of other 618 663 functions on the stack. This approach allows the functions to refer to all the 619 664 variables in scope for the function containing the @try@ statement. These … … 623 668 Using this pattern, \CFA implements destructors with the cleanup attribute. 624 669 670 \autoref{f:TerminationTransformation} shows the pattern used to transform 671 a \CFA try statement with catch clauses into the approprate C functions. 672 \todo{Explain the Termination Transformation figure.} 673 625 674 \begin{figure} 626 675 \begin{cfa} … … 633 682 } 634 683 \end{cfa} 684 685 \transformline 635 686 636 687 \begin{cfa} … … 683 734 % The stack-local data, the linked list of nodes. 684 735 685 Resumption simpler to implement than termination736 Resumption is simpler to implement than termination 686 737 because there is no stack unwinding. 687 738 Instead of storing the data in a special area using assembly, … … 692 743 The nodes are stored in order, with the more recent try statements closer 693 744 to the head of the list. 694 Instead of traversing the stack resumption handling traverses the list.695 At each node the EHM checks to see if the try statement the node repersents745 Instead of traversing the stack, resumption handling traverses the list. 746 At each node, the EHM checks to see if the try statement the node repersents 696 747 can handle the exception. If it can, then the exception is handled and 697 748 the operation finishes, otherwise the search continues to the next node. 698 749 If the search reaches the end of the list without finding a try statement 699 that can handle the exception the default handler is executed and the750 that can handle the exception, the default handler is executed and the 700 751 operation finishes. 701 752 702 In each node is a handler function which does most of the work there. 703 The handler function is passed the raised the exception and returns true 704 if the exception is handled and false if it cannot be handled here. 705 706 For each @catchResume@ clause the handler function will: 707 check to see if the raised exception is a descendant type of the declared 708 exception type, if it is and there is a conditional expression then it will 709 run the test, if both checks pass the handling code for the clause is run 710 and the function returns true, otherwise it moves onto the next clause. 711 If this is the last @catchResume@ clause then instead of moving onto 712 the next clause the function returns false as no handler could be found. 753 Each node has a handler function that does most of the work. 754 The handler function is passed the raised exception and returns true 755 if the exception is handled and false otherwise. 756 757 The handler function checks each of its internal handlers in order, 758 top-to-bottom, until it funds a match. If a match is found that handler is 759 run, after which the function returns true, ignoring all remaining handlers. 760 If no match is found the function returns false. 761 The match is performed in two steps, first a virtual cast is used to see 762 if the thrown exception is an instance of the declared exception or one of 763 its descendant type, then check to see if passes the custom predicate if one 764 is defined. This ordering gives the type guarantee used in the predicate. 765 766 \autoref{f:ResumptionTransformation} shows the pattern used to transform 767 a \CFA try statement with catch clauses into the approprate C functions. 768 \todo{Explain the Resumption Transformation figure.} 713 769 714 770 \begin{figure} … … 722 778 } 723 779 \end{cfa} 780 781 \transformline 724 782 725 783 \begin{cfa} … … 753 811 754 812 % Recursive Resumption Stuff: 755 Search skipping (see \vpageref{s:ResumptionMarking}), which ignores parts of 813 \autoref{f:ResumptionMarking} shows search skipping 814 (see \vpageref{s:ResumptionMarking}), which ignores parts of 756 815 the stack 757 816 already examined, is accomplished by updating the front of the list as the … … 759 818 is updated to the next node of the current node. After the search is complete, 760 819 successful or not, the head of the list is reset. 761 820 % No paragraph? 762 821 This mechanism means the current handler and every handler that has already 763 822 been checked are not on the list while a handler is run. If a resumption is 764 thrown during the handling of another resumption the active handlers and all823 thrown during the handling of another resumption, the active handlers and all 765 824 the other handler checked up to this point are not checked again. 766 767 This structure also supports new handler added while the resumption is being825 % No paragraph? 826 This structure also supports new handlers added while the resumption is being 768 827 handled. These are added to the front of the list, pointing back along the 769 stack -- the first one points over all the checked handlers -- and the ordering770 is maintained.828 stack --- the first one points over all the checked handlers --- 829 and the ordering is maintained. 771 830 772 831 \begin{figure} … … 774 833 \caption{Resumption Marking} 775 834 \label{f:ResumptionMarking} 776 \todo*{ Convert Resumption Marking into a line figure.}835 \todo*{Label Resumption Marking to aid clarity.} 777 836 \end{figure} 778 837 779 838 \label{p:zero-cost} 780 Note, the resumption implementation has a cost for entering/exiting a @try@ 781 statement with @catchResume@ clauses, whereas a @try@statement with @catch@839 Finally, the resumption implementation has a cost for entering/exiting a try 840 statement with @catchResume@ clauses, whereas a try statement with @catch@ 782 841 clauses has zero-cost entry/exit. While resumption does not need the stack 783 842 unwinding and cleanup provided by libunwind, it could use the search phase to … … 810 869 811 870 The first step of cancellation is to find the cancelled stack and its type: 812 coroutine or thread. Fortunately, the thread library stores the main thread813 pointer and the current thread pointer, and every thread stores a pointer to 814 its main coroutine and the coroutine it is currently executing.815 \todo*{Consider adding a description of how threads are coroutines.} 816 817 If athe current thread's main and current coroutines are the same then the818 current stack is a thread stack . Furthermore it is easy to compare the819 current thread to the main thread to see if they are the same. And if this 820 i s not a thread stack then it must be a coroutine stack.871 coroutine, thread or main thread. 872 In \CFA, a thread (the construct the user works with) is a user-level thread 873 (point of execution) paired with a coroutine, the thread's main coroutine. 874 The thread library also stores pointers to the main thread and the current 875 thread. 876 If the current thread's main and current coroutines are the same then the 877 current stack is a thread stack, otherwise it is a coroutine stack. 878 If the current stack is a thread stack, it is also the main thread stack 879 if and only if the main and current threads are the same. 821 880 822 881 However, if the threading library is not linked, the sequential execution is on 823 882 the main stack. Hence, the entire check is skipped because the weak-symbol 824 function is loaded. Therefore, amain thread cancellation is unconditionally883 function is loaded. Therefore, main thread cancellation is unconditionally 825 884 performed. 826 885 827 886 Regardless of how the stack is chosen, the stop function and parameter are 828 887 passed to the forced-unwind function. The general pattern of all three stop 829 functions is the same: theycontinue unwinding until the end of stack and830 then preform the irtransfer.888 functions is the same: continue unwinding until the end of stack and 889 then preform the appropriate transfer. 831 890 832 891 For main stack cancellation, the transfer is just a program abort. … … 834 893 For coroutine cancellation, the exception is stored on the coroutine's stack, 835 894 and the coroutine context switches to its last resumer. The rest is handled on 836 the backside of the resume, which check if the resumed coroutine is895 the backside of the resume, which checks if the resumed coroutine is 837 896 cancelled. If cancelled, the exception is retrieved from the resumed coroutine, 838 897 and a @CoroutineCancelled@ exception is constructed and loaded with the -
doc/theses/andrew_beach_MMath/intro.tex
r5a46e09 r660665f 1 1 \chapter{Introduction} 2 2 3 \PAB{Stay in the present tense. \newline 4 \url{https://plg.uwaterloo.ca/~pabuhr/technicalWriting.shtml}} 5 \newline 6 \PAB{Note, \lstinline{lstlisting} normally bolds keywords. None of the keywords in your thesis are bolded.} 7 8 % Talk about Cforall and exceptions generally. 9 %This thesis goes over the design and implementation of the exception handling 10 %mechanism (EHM) of 11 %\CFA (pernounced sea-for-all and may be written Cforall or CFA). 12 Exception handling provides alternative dynamic inter-function control flow. 3 % The highest level overview of Cforall and EHMs. Get this done right away. 4 This thesis goes over the design and implementation of the exception handling 5 mechanism (EHM) of 6 \CFA (pronounced sea-for-all and may be written Cforall or CFA). 7 \CFA is a new programming language that extends C, that maintains 8 backwards-compatibility while introducing modern programming features. 9 Adding exception handling to \CFA gives it new ways to handle errors and 10 make other large control-flow jumps. 11 12 % Now take a step back and explain what exceptions are generally. 13 Exception handling provides dynamic inter-function control flow. 13 14 There are two forms of exception handling covered in this thesis: 14 15 termination, which acts as a multi-level return, 15 16 and resumption, which is a dynamic function call. 16 Note, termination exception handling is so common it is often assumed to be the only form. 17 Lesser know derivations of inter-function control flow are continuation passing in Lisp~\cite{CommonLisp}. 17 Termination handling is much more common, 18 to the extent that it is often seen 19 This seperation is uncommon because termination exception handling is so 20 much more common that it is often assumed. 21 % WHY: Mention other forms of continuation and \cite{CommonLisp} here? 22 A language's EHM is the combination of language syntax and run-time 23 components that are used to construct, raise and handle exceptions, 24 including all control flow. 18 25 19 26 Termination exception handling allows control to return to any previous … … 24 31 \end{center} 25 32 26 Resumption exception handling calls a function, but asks the functions on the27 stack what function that is.33 Resumption exception handling seaches the stack for a handler and then calls 34 it without adding or removing any other stack frames. 28 35 \todo{Add a diagram showing control flow for resumption.} 29 36 … … 35 42 most of the cost only when the error actually occurs. 36 43 37 % Overview of exceptions in Cforall.38 39 \PAB{You need section titles here. Don't take them out.}40 41 44 \section{Thesis Overview} 42 43 This thesis goes over the design and implementation of the exception handling 44 mechanism (EHM) of 45 \CFA (pernounced sea-for-all and may be written Cforall or CFA). 46 %This thesis describes the design and implementation of the \CFA EHM. 45 This work describes the design and implementation of the \CFA EHM. 47 46 The \CFA EHM implements all of the common exception features (or an 48 47 equivalent) found in most other EHMs and adds some features of its own. … … 77 76 harder to replicate in other programming languages. 78 77 79 \section{Background}80 81 78 % Talk about other programming languages. 82 79 Some existing programming languages that include EHMs/exception handling … … 84 81 exceptions which unwind the stack as part of the 85 82 Exceptions also can replace return codes and return unions. 86 In functional languages will also sometimes fold exceptions into monads.87 88 \PAB{You must demonstrate knowledge of background material here.89 It should be at least a full page.}90 91 \section{Contributions}92 83 93 84 The contributions of this work are: … … 102 93 \end{enumerate} 103 94 104 \todo{I can't figure out a good lead-in to the overview.} 105 Covering the existing \CFA features in \autoref{c:existing}. 106 Then the new features are introduce in \autoref{c:features}, explaining their 107 usage and design. 95 \todo{I can't figure out a good lead-in to the roadmap.} 96 The next section covers the existing state of exceptions. 97 The existing state of \CFA is also covered in \autoref{c:existing}. 98 The new features are introduced in \autoref{c:features}, 99 which explains their usage and design. 108 100 That is followed by the implementation of those features in 109 101 \autoref{c:implement}. 110 % Future Work \autoref{c:future} 102 The performance results are examined in \autoref{c:performance}. 103 Possibilities to extend this project are discussed in \autoref{c:future}. 104 105 \section{Background} 106 \label{s:background} 107 108 Exception handling is not a new concept, 109 with papers on the subject dating back 70s. 110 111 Their were popularised by \Cpp, 112 which added them in its first major wave of non-object-orientated features 113 in 1990. 114 % https://en.cppreference.com/w/cpp/language/history 115 116 Java was the next popular language to use exceptions. It is also the most 117 popular language with checked exceptions. 118 Checked exceptions are part of the function interface they are raised from. 119 This includes functions they propogate through, until a handler for that 120 type of exception is found. 121 This makes exception information explicit, which can improve clarity and 122 safety, but can slow down programming. 123 Some of these, such as dealing with high-order methods or an overly specified 124 throws clause, are technical. However some of the issues are much more 125 human, in that writing/updating all the exception signatures can be enough 126 of a burden people will hack the system to avoid them. 127 Including the ``catch-and-ignore" pattern where a catch block is used without 128 anything to repair or recover from the exception. 129 130 %\subsection 131 Resumption exceptions have been much less popular. 132 Although resumption has a history as old as termination's, very few 133 programming languages have implement them. 134 % http://bitsavers.informatik.uni-stuttgart.de/pdf/xerox/parc/techReports/ 135 % CSL-79-3_Mesa_Language_Manual_Version_5.0.pdf 136 Mesa is one programming languages that did and experiance with that 137 languages is quoted as being one of the reasons resumptions were not 138 included in the \Cpp standard. 139 % https://en.wikipedia.org/wiki/Exception_handling 140 \todo{A comment about why we did include them when they are so unpopular 141 might be approprate.} 142 143 %\subsection 144 Functional languages, tend to use solutions like the return union, but some 145 exception-like constructs still appear. 146 147 For instance Haskell's built in error mechanism can make the result of any 148 expression, including function calls. Any expression that examines an 149 error value will in-turn produce an error. This continues until the main 150 function produces an error or until it is handled by one of the catch 151 functions. 152 153 %\subsection 154 More recently exceptions seem to be vanishing from newer programming 155 languages. 156 Rust and Go reduce this feature to panics. 157 Panicing is somewhere between a termination exception and a program abort. 158 Notably in Rust a panic can trigger either, a panic may unwind the stack or 159 simply kill the process. 160 % https://doc.rust-lang.org/std/panic/fn.catch_unwind.html 161 Go's panic is much more similar to a termination exception but there is 162 only a catch-all function with \code{Go}{recover()}. 163 So exceptions still are appearing, just in reduced forms. 164 165 %\subsection 166 Exception handling's most common use cases are in error handling. 167 Here are some other ways to handle errors and comparisons with exceptions. 168 \begin{itemize} 169 \item\emph{Error Codes}: 170 This pattern uses an enumeration (or just a set of fixed values) to indicate 171 that an error has occured and which error it was. 172 173 There are some issues if a function wants to return an error code and another 174 value. The main issue is that it can be easy to forget checking the error 175 code, which can lead to an error being quitely and implicitly ignored. 176 Some new languages have tools that raise warnings if the return value is 177 discarded to avoid this. 178 It also puts more code on the main execution path. 179 \item\emph{Special Return with Global Store}: 180 A function that encounters an error returns some value indicating that it 181 encountered a value but store which error occured in a fixed global location. 182 183 Perhaps the C standard @errno@ is the most famous example of this, 184 where some standard library functions will return some non-value (often a 185 NULL pointer) and set @errno@. 186 187 This avoids the multiple results issue encountered with straight error codes 188 but otherwise many of the same advantages and disadvantages. 189 It does however introduce one other major disadvantage: 190 Everything that uses that global location must agree on all possible errors. 191 \item\emph{Return Union}: 192 Replaces error codes with a tagged union. 193 Success is one tag and the errors are another. 194 It is also possible to make each possible error its own tag and carry its own 195 additional information, but the two branch format is easy to make generic 196 so that one type can be used everywhere in error handling code. 197 198 This pattern is very popular in functional or semi-functional language, 199 anything with primitive support for tagged unions (or algebraic data types). 200 % We need listing Rust/rust to format code snipits from it. 201 % Rust's \code{rust}{Result<T, E>} 202 203 The main disadvantage is again it puts code on the main execution path. 204 This is also the first technique that allows for more information about an 205 error, other than one of a fix-set of ids, to be sent. 206 They can be missed but some languages can force that they are checked. 207 It is also implicitly forced in any languages with checked union access. 208 \item\emph{Handler Functions}: 209 On error the function that produced the error calls another function to 210 handle it. 211 The handler function can be provided locally (passed in as an argument, 212 either directly as as a field of a structure/object) or globally (a global 213 variable). 214 215 C++ uses this as its fallback system if exception handling fails. 216 \snake{std::terminate_handler} and for a time \snake{std::unexpected_handler} 217 218 Handler functions work a lot like resumption exceptions. 219 The difference is they are more expencive to set up but cheaper to use, and 220 so are more suited to more fequent errors. 221 The exception being global handlers if they are rarely change as the time 222 in both cases strinks towards zero. 223 \end{itemize} 224 225 %\subsection 226 Because of their cost exceptions are rarely used for hot paths of execution. 227 There is an element of self-fulfilling prophocy here as implementation 228 techniques have been designed to make exceptions cheap to set-up at the cost 229 of making them expencive to use. 230 Still, use of exceptions for other tasks is more common in higher-level 231 scripting languages. 232 An iconic example is Python's StopIteration exception which is thrown by 233 an iterator to indicate that it is exausted. Combined with Python's heavy 234 use of the iterator based for-loop. 235 % https://docs.python.org/3/library/exceptions.html#StopIteration -
doc/theses/andrew_beach_MMath/uw-ethesis.tex
r5a46e09 r660665f 244 244 \input{features} 245 245 \input{implement} 246 \input{performance} 246 247 \input{future} 247 248
Note: See TracChangeset
for help on using the changeset viewer.