Exception handling (programming)
In computer programming, several language mechanisms exist for exception handling. The term exception is typically used to denote a data structure storing information about an exceptional condition. One mechanism to transfer control, or raise an exception, is known as a throw; the exception is said to be thrown. Execution is transferred to a catch.
Usage
[edit ]Programming languages differ substantially in their notion of what an exception is. Exceptions can be used to represent and handle abnormal, unpredictable, erroneous situations, but also as flow control structures to handle normal situations. For example, Python's iterators throw StopIteration exceptions to signal that there are no further items produced by the iterator.[1] There is disagreement within many languages as to what constitutes idiomatic usage of exceptions. For example, Joshua Bloch states that Java's exceptions should only be used for exceptional situations,[2] but Kiniry observes that Java's built-in FileNotFoundException
is not at all an exceptional event.[3] Similarly, Bjarne Stroustrup, author of C++, states that C++ exceptions should only be used for error handling, as this is what they were designed for,[4] but Kiniry observes that many modern languages such as Ada, C++,
Modula-3, ML and OCaml, Python, and Ruby use exceptions for flow control. Some languages such as Eiffel, C#, Common Lisp, and Modula-2 have made a concerted effort to restrict their usage of exceptions, although this is done on a social rather than technical level.[3]
History
[edit ]The earliest IBM Fortran compilers had statements for testing exceptional conditions. These included the IF ACCUMULATOR OVERFLOW
, IF QUOTIENT OVERFLOW
, and IF DIVIDE CHECK
statements. In the interest of machine independence, they were not included in FORTRAN IV nor the Fortran 66 Standard. However since Fortran 2003 it is possible to test for numerical issues via calls to functions in the IEEE_EXCEPTIONS
module.
Software exception handling continued to be developed in the 1960s and 1970s. LISP 1.5 (1958-1961)[5] allowed exceptions to be raised by the ERROR
pseudo-function, similarly to errors raised by the interpreter or compiler. Exceptions were caught by the ERRORSET
keyword, which returned NIL
in case of an error, instead of terminating the program or entering the debugger.[6]
PL/I introduced its own form of exception handling circa 1964, allowing interrupts to be handled with ON units.[7]
MacLisp observed that ERRSET
and ERR
were used not only for error raising, but for non-local control flow, and thus added two new keywords, CATCH
and THROW
(June 1972).[8] The cleanup behavior now generally called "finally" was introduced in NIL (New Implementation of LISP) in the mid- to late-1970s as UNWIND-PROTECT
.[9] This was then adopted by Common Lisp. Contemporary with this was dynamic-wind
in Scheme, which handled exceptions in closures. The first papers on structured exception handling were Goodenough (1975a) and Goodenough (1975b).[10] Exception handling was subsequently widely adopted by many programming languages from the 1980s onward.
Syntax
[edit ]Many computer languages have built-in syntactic support for exceptions and exception handling. This includes ActionScript, Ada, BlitzMax, C++, C#, Clojure, COBOL, D, ECMAScript, Eiffel, Java, ML, Object Pascal (e.g. Delphi, Free Pascal, and the like), PowerBuilder, Objective-C, OCaml, Perl,[11] PHP (as of version 5), PL/I, PL/SQL, Prolog, Python, REALbasic, Ruby, Scala, Smalltalk, Tcl, Visual Prolog and most .NET languages.
Excluding minor syntactic differences, there are only a couple of exception handling styles in use. In the most popular style, an exception is initiated by a special statement (throw
or raise
) with an exception object (e.g. with Java or Object Pascal) or a value of a special extendable enumerated type (e.g. with Ada or SML). The scope for exception handlers starts with a marker clause (try
or the language's block starter such as begin
) and ends in the start of the first handler clause (catch
, except
, rescue
). Several handler clauses can follow, and each can specify which exception types it handles and what name it uses for the exception object. As a minor variation, some languages use a single handler clause, which deals with the class of the exception internally.
Also common is a related clause (finally
or ensure
) that is executed whether an exception occurred or not, typically to release resources acquired within the body of the exception-handling block. Notably, C++ does not provide this construct, recommending instead the Resource Acquisition Is Initialization (RAII) technique which frees resources using destructors.[12] According to a 2008 paper by Westley Weimer and George Necula, the syntax of the try
...finally
blocks in Java is a contributing factor to software defects. When a method needs to handle the acquisition and release of 3–5 resources, programmers are apparently unwilling to nest enough blocks due to readability concerns, even when this would be a correct solution. It is possible to use a single try
...finally
block even when dealing with multiple resources, but that requires a correct use of sentinel values, which is another common source of bugs for this type of problem.[13] : 8:6–8:7
Python and Ruby also permit a clause (else
) that is used in case no exception occurred before the end of the handler's scope was reached.
In its whole, exception handling code might look like this (in Java-like pseudocode):
try{ Scannerstdin=newScanner(System.in); Stringline=stdin.nextLine(); if(line.length()==0){ thrownewIOException("The line read from console was empty!"); } System.out.printf("Hello %s!\n",line); System.out.println("The task executed successfully."); }catch(IOExceptione){ System.out.println("Hello!"); }catch(Exceptione){ System.out.printf("Error: %s\n",e.getMessage()); }finally{ System.out.println("The program is now terminating."); }
C does not have try-catch exception handling, but uses return codes for error checking. The setjmp
and longjmp
standard library functions can be used to implement try-catch handling via macros.[14]
Perl 5 uses die
for throw
and eval{}if($@){}
for try-catch. It has CPAN modules that offer try-catch semantics.[15]
Termination and resumption semantics
[edit ]When an exception is thrown, the program searches back through the stack of function calls until an exception handler is found. Some languages call for unwinding the stack as this search progresses. That is, if function f, containing a handler H for exception E, calls function g, which in turn calls function h, and an exception E occurs in h, then functions h and g may be terminated, and H in f will handle E. This is said to be termination semantics. Alternately, the exception handling mechanisms may not unwind the stack on entry[note 1] to an exception handler, giving the exception handler the option to restart the computation, resume or unwind. This allows the program to continue the computation at exactly the same place where the error occurred (for example when a previously missing file has become available) or to implement notifications, logging, queries and fluid variables on top of the exception handling mechanism (as done in Smalltalk). Allowing the computation to resume where it left off is termed resumption semantics.
There are theoretical and design arguments in favor of either decision. C++ standardization discussions in 1989–1991 resulted in a definitive decision to use termination semantics in C++.[16] Bjarne Stroustrup cites a presentation by Jim Mitchell as a key data point:
Jim had used exception handling in half a dozen languages over a period of 20 years and was an early proponent of resumption semantics as one of the main designers and implementers of Xerox's Cedar/Mesa system. His message was
- "termination is preferred over resumption; this is not a matter of opinion but a matter of years of experience. Resumption is seductive, but not valid."
He backed this statement with experience from several operating systems. The key example was Cedar/Mesa: It was written by people who liked and used resumption, but after ten years of use, there was only one use of resumption left in the half million line system – and that was a context inquiry. Because resumption wasn't actually necessary for such a context inquiry, they removed it and found a significant speed increase in that part of the system. In each and every case where resumption had been used it had – over the ten years – become a problem and a more appropriate design had replaced it. Basically, every use of resumption had represented a failure to keep separate levels of abstraction disjoint.[10]
Exception-handling languages with resumption include Common Lisp with its Condition System, PL/I, Dylan, R,[17] and Smalltalk. However, the majority of newer programming languages follow C++ and use termination semantics.
Exception handling implementation
[edit ]The implementation of exception handling in programming languages typically involves a fair amount of support from both a code generator and the runtime system accompanying a compiler. (It was the addition of exception handling to C++ that ended the useful lifetime of the original C++ compiler, Cfront.[18] ) Two schemes are most common. The first, dynamic registration, generates code that continually updates structures about the program state in terms of exception handling.[19] Typically, this adds a new element to the stack frame layout that knows what handlers are available for the function or method associated with that frame; if an exception is thrown, a pointer in the layout directs the runtime to the appropriate handler code. This approach is compact in terms of space, but adds execution overhead on frame entry and exit. It was commonly used in many Ada implementations, for example, where complex generation and runtime support was already needed for many other language features. Microsoft's 32-bit Structured Exception Handling (SEH) uses this approach with a separate exception stack.[20] Dynamic registration, being fairly straightforward to define, is amenable to proof of correctness.[21]
The second scheme, and the one implemented in many production-quality C++ compilers and 64-bit Microsoft SEH, is a table-driven approach. This creates static tables at compile time and link time that relate ranges of the program counter to the program state with respect to exception handling.[22] Then, if an exception is thrown, the runtime system looks up the current instruction location in the tables and determines what handlers are in play and what needs to be done. This approach minimizes executive overhead for the case where an exception is not thrown. This happens at the cost of some space, but this space can be allocated into read-only, special-purpose data sections that are not loaded or relocated until an exception is actually thrown.[23] The location (in memory) of the code for handling an exception need not be located within (or even near) the region of memory where the rest of the function's code is stored. So if an exception is thrown then a performance hit – roughly comparable to a function call[24] – may occur if the necessary exception handling code needs to be loaded/cached. However, this scheme has minimal performance cost if no exception is thrown. Since exceptions in C++ are supposed to be exceptional (i.e. uncommon/rare) events, the phrase "zero-cost exceptions"[note 2] is sometimes used to describe exception handling in C++. Like runtime type identification (RTTI), exceptions might not adhere to C++'s zero-overhead principle as implementing exception handling at run-time requires a non-zero amount of memory for the lookup table.[25] For this reason, exception handling (and RTTI) can be disabled in many C++ compilers, which may be useful for systems with very limited memory[25] (such as embedded systems). This second approach is also superior in terms of achieving thread safety [citation needed ].
In comparison to C++ where any type may be thrown and caught, in Java only types extending Throwable
can be thrown and caught, and Throwable
has two direct descendants: Error
(indicating a serious problem a reasonable program need not catch), and Exception
(any other condition that a reasonable program may want to catch and handle). Error
is typically reserved for extremely serious problems beyond the scope of the program, such as OutOfMemoryError
, ThreadDeath
, or VirtualMachineError
.
Other definitional and implementation schemes have been proposed as well. For languages that support metaprogramming, approaches that involve no overhead at all (beyond the already present support for reflection) have been advanced.[26]
Exception handling based on design by contract
[edit ]A different view of exceptions is based on the principles of design by contract and is supported in particular by the Eiffel language. The idea is to provide a more rigorous basis for exception handling by defining precisely what is "normal" and "abnormal" behavior. Specifically, the approach is based on two concepts:
- Failure: the inability of an operation to fulfill its contract. For example, an addition may produce an arithmetic overflow (it does not fulfill its contract of computing a good approximation to the mathematical sum); or a routine may fail to meet its postcondition.
- Exception: an abnormal event occurring during the execution of a routine (that routine is the "recipient" of the exception) during its execution. Such an abnormal event results from the failure of an operation called by the routine.
The "Safe Exception Handling principle" as introduced by Bertrand Meyer in Object-Oriented Software Construction then holds that there are only two meaningful ways a routine can react when an exception occurs:
- Failure, or "organized panic": The routine fixes the object's state by re-establishing the invariant (this is the "organized" part), and then fails (panics), triggering an exception in its caller (so that the abnormal event is not ignored).
- Retry: The routine tries the algorithm again, usually after changing some values so that the next attempt will have a better chance to succeed.
In particular, simply ignoring an exception is not permitted; a block must either be retried and successfully complete, or propagate the exception to its caller.
Here is an example expressed in Eiffel syntax. It assumes that a routine send_fast
is normally the better way to send a message, but it may fail, triggering an exception; if so, the algorithm next uses send_slow
, which will fail less often. If send_slow
fails, the routine send
as a whole should fail, causing the caller to get an exception.
send(m:MESSAGE)is -- Send m through fast link, if possible, otherwise through slow link. local tried_fast,tried_slow:BOOLEAN do iftried_fastthen tried_slow:=True send_slow(m) else tried_fast:=True send_fast(m) end rescue ifnottried_slowthen retry end end
The boolean local variables are initialized to False at the start. If send_fast
fails, the body (do
clause) will be executed again, causing execution of send_slow
. If this execution of send_slow
fails, the rescue
clause will execute to the end with no retry
(no else
clause in the final if
), causing the routine execution as a whole to fail.
This approach has the merit of defining clearly what "normal" and "abnormal" cases are: an abnormal case, causing an exception, is one in which the routine is unable to fulfill its contract. It defines a clear distribution of roles: the do
clause (normal body) is in charge of achieving, or attempting to achieve, the routine's contract; the rescue
clause is in charge of reestablishing the context and restarting the process, if this has a chance of succeeding, but not of performing any actual computation.
Although exceptions in Eiffel have a fairly clear philosophy, Kiniry (2006) criticizes their implementation because "Exceptions that are part of the language definition are represented by INTEGER values, developer-defined exceptions by STRING values. [...] Additionally, because they are basic values and not objects, they have no inherent semantics beyond that which is expressed in a helper routine which necessarily cannot be foolproof because of the representation overloading in effect (e.g., one cannot differentiate two integers of the same value)."[3]
C++26 adds support for contracts, which are used as follows.[27]
intf(constintx) pre(x!=1)// a precondition assertion post(r:r==x&&r!=2)// a postcondition assertion; r names the result object of f { contract_assert(x!=3);// an assertion statement returnx; }
Uncaught exceptions
[edit ]Contemporary applications face many design challenges when considering exception handling strategies. Particularly in modern enterprise level applications, exceptions must often cross process boundaries and machine boundaries. Part of designing a solid exception handling strategy is recognizing when a process has failed to the point where it cannot be economically handled by the software portion of the process.[28]
If an exception is thrown and not caught (operationally, an exception is thrown when there is no applicable handler specified), the uncaught exception is handled by the runtime; the routine that does this is called the uncaught exception handler.[29] [30] The most common default behavior is to terminate the program and print an error message to the console, usually including debug information such as a string representation of the exception and the stack trace.[29] [31] [32] This is often avoided by having a top-level (application-level) handler (for example in an event loop) that catches exceptions before they reach the runtime.[29] [33]
Note that even though an uncaught exception may result in the program terminating abnormally (the program may not be correct if an exception is not caught, notably by not rolling back partially completed transactions, or not releasing resources), the process terminates normally (assuming the runtime works correctly), as the runtime (which is controlling execution of the program) can ensure orderly shutdown of the process.
In a multithreaded program, an uncaught exception in a thread may instead result in termination of just that thread, not the entire process (uncaught exceptions in the thread-level handler are caught by the top-level handler). This is particularly important for servers, where for example a servlet (running in its own thread) can be terminated without the server overall being affected.
This default uncaught exception handler may be overridden, either globally or per-thread, for example to provide alternative logging or end-user reporting of uncaught exceptions, or to restart threads that terminate due to an uncaught exception. For example, in Java this is done for a single thread via Thread.setUncaughtExceptionHandler
and globally via Thread.setDefaultUncaughtExceptionHandler
; in Python this is done by modifying sys.excepthook
.
Checked exceptions
[edit ]Java introduced the notion of checked exceptions,[34] [35] which are special classes of exceptions. In Java, a checked exception specifically is any Exception
that does not extend RuntimeException
. The checked exceptions that a method may raise must be part of the method's signature. For instance, if a method might throw a java.io.IOException
, it must declare this fact explicitly in its method signature. Failure to do so raises a compile-time error. This would be declared like so (also with java.util.zip.DataFormatException
):
importjava.io.IOException; importjava.util.zip.DataFormatException; // Indicates that IOException and DataFormatException may be thrown publicvoidoperateOnFile(Filef)throwsIOException,DataFormatException{ // ... }
According to Hanspeter Mössenböck, checked exceptions are less convenient but more robust.[36] Checked exceptions can, at compile time, reduce the incidence of unhandled exceptions surfacing at runtime in a given application.
Kiniry writes that "As any Java programmer knows, the volume of try catch
code in a typical Java application is sometimes larger than the comparable code necessary for explicit formal parameter and return value checking in other languages that do not have checked exceptions. In fact, the general consensus among in-the-trenches Java programmers is that dealing with checked exceptions is nearly as unpleasant a task as writing documentation. Thus, many programmers report that they "resent" checked exceptions.".[3] Martin Fowler has written "...on the whole I think that exceptions are good, but Java checked exceptions are more trouble than they are worth."[37] As of 2006 no major programming language has followed Java in adding checked exceptions.[37] For example, C# does not require or allow declaration of any exception specifications, with the following posted by Eric Gunnerson:[38] [3] [37]
"Examination of small programs leads to the conclusion that requiring exception specifications could both enhance developer productivity and enhance code quality, but experience with large software projects suggests a different result – decreased productivity and little or no increase in code quality."
Anders Hejlsberg describes two concerns with checked exceptions:[39]
- Versioning: A method may be declared to throw exceptions X and Y. In a later version of the code, one cannot throw exception Z from the method, because it would make the new code incompatible with the earlier uses. Checked exceptions require the method's callers to either add Z to their throws clause or handle the exception. Alternately, Z may be misrepresented as an X or a Y.
- Scalability: In a hierarchical design, each systems may have several subsystems. Each subsystem may throw several exceptions. Each parent system must deal with the exceptions of all subsystems below it, resulting in an exponential number of exceptions to be dealt with. Checked exceptions require all of these exceptions to be dealt with explicitly.
To work around these, Hejlsberg says programmers resort to circumventing the feature by using a throwsException
declaration. Another circumvention is to use a try{...}catch(Exceptione){...}
(or even a try{...}catch(Throwablet){...}
) handler.[39] This is referred to as catch-all exception handling or Pokémon exception handling after the show's catchphrase "Gotta Catch 'Em All!".[40] The Java Tutorials discourage catch-all exception handling as it may catch exceptions "for which the handler was not intended".[41] Still another discouraged circumvention is to make all exceptions subclass RuntimeException
,[42] thus making the exception unchecked. An encouraged solution is to use a catch-all handler or throws clause but with a specific superclass of all potentially thrown exceptions rather than the general superclass Exception
. Another encouraged solution is to define and declare exception types that are suitable for the level of abstraction of the called method[43] and map lower level exceptions to these types by using exception chaining.
Similar mechanisms
[edit ]The roots of checked exceptions go back to the CLU programming language's notion of exception specification.[44] A function could raise only exceptions listed in its type, but any leaking exceptions from called functions would automatically be turned into the sole runtime exception, failure
, instead of resulting in compile-time error.[45] Later, Modula-3 had a similar feature.[46] These features don't include the compile time checking that is central in the concept of checked exceptions.[44]
Early versions of the C++ programming language included an optional mechanism similar to checked exceptions, called exception specifications. By default any function could throw any exception, but this could be limited by a throw
clause (similar to the throws
clause in Java) added to the function signature, that specified which exceptions the function may throw.
voidperformSomeOperation(inta,intb)throw(std::invalid_argument,std::domain_error){ // ... }
C++ throw
clauses could specify any number of any types, even primitives and classes that did not extend std::exception
.
Exception specifications were not enforced at compile-time. Violations resulted in the global function std::unexpected
being called.[47] An empty exception specification could be given, which indicated that the function will throw no exception. This was not made the default when exception handling was added to the language because it would have required too much modification of existing code, would have impeded interaction with code written in other languages, and would have tempted programmers into writing too many handlers at the local level.[47] Explicit use of empty exception specifications could, however, allow C++ compilers to perform significant code and stack layout optimizations that are precluded when exception handling may take place in a function.[23] Some analysts viewed the proper use of exception specifications in C++ as difficult to achieve.[48] This use of exception specifications was included in C++98 and C++03, deprecated in the 2012 C++ language standard (C++11),[49] and was removed from the language in C++17. Throws clauses were replaced by noexcept
clauses. A function that will not throw any exceptions would now be denoted by the noexcept
keyword, and instead noexcept(false)
specified that a function will throw. Although throw
clauses are removed from the language, writing only throw()
in the signature is legal and is equivalent to noexcept
(no exception specified by the throw
clause denotes that it cannot throw). For transitioning a codebase that uses throw
clauses, they can be adapted by instead redefining them with a macro to quickly resolve rejection of the removed throw
clause by the compiler.
#define throw(...) noexcept(false)
One can also specify that a function is noexcept
conditionally on another function being noexcept
, like so:
voidmightThrow(); // The first noexcept is the noexcept clause, the second is the noexcept operator which evaluates to a Boolean value voidf()noexcept(noexcept(mightThrow()));
Though C++ has no checked exceptions, one can propagate the thrown object up the stack when inside a catch
block, by writing throw;
(without specifying an object). This re-throws the caught object. This allows operations to be done within the catch
block that catches it, before choosing to allow the object to continue propagating upwards.
An uncaught exceptions analyzer exists for the OCaml programming language.[50] The tool reports the set of raised exceptions as an extended type signature. But, unlike checked exceptions, the tool does not require any syntactic annotations and is external (i.e. it is possible to compile and run a program without having checked the exceptions).
In C++, one can also perform "Pokémon exception handling". Like catch(Throwablet)
in Java, C++ supports a
catch(...)
block, which will catch any thrown object. However, catch (...)
has the disadvantage of not naming the caught object, which means it cannot be referred to.
// Catching only exceptions: try{ // ... }catch(conststd::exception&e){ // Catching only exceptions: std::println("An exception was caught: {}",e.what()); }catch(...){ // Catching all thrown objects: std::println("An unknown error was caught"); }
The Rust language, instead of using exceptions altogether, represents recoverable exceptions as result types.[51] [52] This is represented as Result<T, E>
(or expected<T, E>
in C++). The advantage of result types over checked exceptions is that while both result types and checked exceptions force users to immediately handle errors, they can also be directly represented as a return type within the language's type system, unlike checked exceptions where the declared potentially thrown exception is part of the function signature but not directly part of its return type.
Dynamic checking of exceptions
[edit ]The point of exception handling routines is to ensure that the code can handle error conditions. In order to establish that exception handling routines are sufficiently robust, it is necessary to present the code with a wide spectrum of invalid or unexpected inputs, such as can be created via software fault injection and mutation testing (that is also sometimes referred to as fuzz testing). One of the most difficult types of software for which to write exception handling routines is protocol software, since a robust protocol implementation must be prepared to receive input that does not comply with the relevant specification(s).
In order to ensure that meaningful regression analysis can be conducted throughout a software development lifecycle process, any exception handling testing should be highly automated, and the test cases must be generated in a scientific, repeatable fashion. Several commercially available systems exist that perform such testing.
In runtime engine environments such as Java or .NET, there exist tools that attach to the runtime engine and every time that an exception of interest occurs, they record debugging information that existed in memory at the time the exception was thrown (call stack and heap values). These tools are called automated exception handling or error interception tools and provide 'root-cause' information for exceptions.
Asynchronous exceptions
[edit ]Asynchronous exceptions are events raised by a separate thread or external process, such as pressing Ctrl-C to interrupt a program, receiving a signal, or sending a disruptive message such as "stop" or "suspend" from another thread of execution.[53] [54] Whereas synchronous exceptions happen at a specific throw
statement, asynchronous exceptions can be raised at any time. It follows that asynchronous exception handling can't be optimized out by the compiler, as it cannot prove the absence of asynchronous exceptions. They are also difficult to program with correctly, as asynchronous exceptions must be blocked during cleanup operations to avoid resource leaks.
Programming languages typically avoid or restrict asynchronous exception handling, for example C++ forbids raising exceptions from signal handlers, and Java has deprecated the use of its ThreadDeath exception that was used to allow one thread to stop another one.[55] Another feature is a semi-asynchronous mechanism that raises an asynchronous exception only during certain operations of the program. For example, Java's Thread.interrupt()
only affects the thread when the thread calls an operation that throws InterruptedException
.[56] The similar POSIX pthread_cancel
API has race conditions which make it impossible to use safely.[57]
Condition systems
[edit ]Common Lisp, R,[58] Dylan and Smalltalk have a condition system [59] (see Common Lisp Condition System) that encompasses the aforementioned exception handling systems. In those languages or environments the advent of a condition (a "generalisation of an error" according to Kent Pitman) implies a function call, and only late in the exception handler the decision to unwind the stack may be taken.
Conditions are a generalization of exceptions. When a condition arises, an appropriate condition handler is searched for and selected, in stack order, to handle the condition. Conditions that do not represent errors may safely go unhandled entirely; their only purpose may be to propagate hints or warnings toward the user.[60]
Continuable exceptions
[edit ]This is related to the so-called resumption model of exception handling, in which some exceptions are said to be continuable: it is permitted to return to the expression that signaled an exception, after having taken corrective action in the handler. The condition system is generalized thus: within the handler of a non-serious condition (a.k.a. continuable exception), it is possible to jump to predefined restart points (a.k.a. restarts) that lie between the signaling expression and the condition handler. Restarts are functions closed over some lexical environment, allowing the programmer to repair this environment before exiting the condition handler completely or unwinding the stack even partially.
An example is the ENDPAGE condition in PL/I; the ON unit might write page trailer lines and header lines for the next page, then fall through to resume execution of the interrupted code.
Restarts separate mechanism from policy
[edit ]Condition handling moreover provides a separation of mechanism and policy. Restarts provide various possible mechanisms for recovering from error, but do not select which mechanism is appropriate in a given situation. That is the province of the condition handler, which (since it is located in higher-level code) has access to a broader view.
An example: Suppose there is a library function whose purpose is to parse a single syslog file entry. What should this function do if the entry is malformed? There is no one right answer, because the same library could be deployed in programs for many different purposes. In an interactive log-file browser, the right thing to do might be to return the entry unparsed, so the user can see it—but in an automated log-summarizing program, the right thing to do might be to supply null values for the unreadable fields, but abort with an error, if too many entries have been malformed.
That is to say, the question can only be answered in terms of the broader goals of the program, which are not known to the general-purpose library function. Nonetheless, exiting with an error message is only rarely the right answer. So instead of simply exiting with an error, the function may establish restarts offering various ways to continue—for instance, to skip the log entry, to supply default or null values for the unreadable fields, to ask the user for the missing values, or to unwind the stack and abort processing with an error message. The restarts offered constitute the mechanisms available for recovering from error; the selection of restart by the condition handler supplies the policy .
Criticism
[edit ]Exception handling is often not handled correctly in software, especially when there are multiple sources of exceptions; data flow analysis of 5 million lines of Java code found over 1300 exception handling defects.[13] Citing multiple prior studies by others (1999–2004) and their own results, Weimer and Necula wrote that a significant problem with exceptions is that they "create hidden control-flow paths that are difficult for programmers to reason about".[13] : 8:27 "While try-catch-finally is conceptually simple, it has the most complicated execution description in the language specification [Gosling et al. 1996] and requires four levels of nested "if"s in its official English description. In short, it contains a large number of corner cases that programmers often overlook."[13] : 8:13–8:14
Exceptions, as unstructured flow, increase the risk of resource leaks (such as escaping a section locked by a mutex, or one temporarily holding a file open) or inconsistent state. There are various techniques for resource management in the presence of exceptions, most commonly combining the dispose pattern with some form of unwind protection (like a finally
clause), which automatically releases the resource when control exits a section of code.
Tony Hoare in 1980 described the Ada programming language as having "...a plethora of features and notational conventions, many of them unnecessary and some of them, like exception handling, even dangerous. [...] Do not allow this language in its present state to be used in applications where reliability is critical [...]. The next rocket to go astray as a result of a programming language error may not be an exploratory space rocket on a harmless trip to Venus: It may be a nuclear warhead exploding over one of our own cities."[61]
The Go developers believe that the try-catch-finally idiom obfuscates control flow,[62] and introduced the exception-like panic
/recover
mechanism.[63] recover()
differs from catch
in that it can only be called from within a defer
code block in a function, so the handler can only do clean-up and change the function's return values, and cannot return control to an arbitrary point within the function.[64] The defer
block itself functions similarly to a finally
clause.
The Rust language does not have exceptions. It instead uses Result<T,E>
(a result type) for handling runtime errors, and for serious errors the panic!()
macro is used.
See also
[edit ]- Automated exception handling
- Continuation
- Defensive programming
- Exception safety
- Option types and Result types, alternative ways of handling errors in functional programming without exceptions
Notes
[edit ]- ^ In, e.g., PL/I, a normal exit from an exception handler unwinds the stack.
- ^ There is "zero [processing] cost" only if no exception is throw (although there will be a memory cost since memory is needed for the lookup table). There is a (potentially significant) cost if an exception is thrown (that is, if
throw
is executed). Implementing exception handling may also limit the possible compiler optimizations that may be performed.
References
[edit ]- ^ "Built-in Exceptions — Python 3.10.4 documentation". docs.python.org. Retrieved 17 May 2022.
- ^ Bloch, Joshua (2008). "Item 57: Use exceptions only for exceptional situations" . Effective Java (Second ed.). Addison-Wesley. p. 241. ISBN 978-0-321-35668-0.
- ^ a b c d e Kiniry, J. R. (2006). "Exceptions in Java and Eiffel: Two Extremes in Exception Design and Application". Advanced Topics in Exception Handling Techniques (PDF). Lecture Notes in Computer Science. Vol. 4119. pp. 288–300. doi:10.1007/11818502_16. ISBN 978-3-540-37443-5. S2CID 33283674.
- ^ "Stroustrup: C++ Style and Technique FAQ". www.stroustrup.com. Archived from the original on 2 February 2018. Retrieved 5 May 2018.
- ^ McCarthy, John (12 February 1979). "History of Lisp". www-formal.stanford.edu. Retrieved 13 January 2022.
- ^ McCarthy, John; Levin, Michael I.; Abrahams, Paul W.; Edwards, Daniel J.; Hart, Timothy P. (14 July 1961). LISP 1.5 programmer's manual (PDF). Retrieved 13 January 2022.
- ^ "The ON Statement" (PDF). IBM System/360 Operating System, PL/I Language Specifications (PDF). IBM. July 1966. p. 120. C28-6571-3.
- ^ Gabriel & Steele 2008, p. 3.
- ^ White 1979, p. 194.
- ^ a b Stroustrup 1994, p. 392.
- ^ "Exceptions - Documentation for exception handling in Perl". MetaCPAN.
- ^ Stroustrup, Bjarne. "C++ Style and Technique FAQ". www.stroustrup.com. Retrieved 12 January 2022.
- ^ a b c d Weimer, W; Necula, G.C. (2008). "Exceptional Situations and Program Reliability" (PDF). ACM Transactions on Programming Languages and Systems. Vol. 30, no. 2. Archived (PDF) from the original on 2015年09月23日.
- ^ Roberts, Eric S. (21 March 1989). Implementing Exceptions in C (PDF) (Technical report). DEC Systems Research Center. SRC-RR-40. Retrieved 4 January 2022.
- ^ Christiansen, Tom; Torkington, Nathan (2003). "10.12. Handling Exceptions". Perl cookbook (2nd ed.). Beijing: O'Reilly. ISBN 0-596-00313-7.
- ^ Stroustrup 1994, 16.6 Exception Handling: Resumption vs. Termination, pp. 390–393.
- ^ "R: Condition Handling and Recovery". search.r-project.org. Retrieved 2022年12月05日.
- ^ Scott Meyers, The Most Important C++ Software...Ever Archived 2011年04月28日 at the Wayback Machine, 2006
- ^ D. Cameron, P. Faust, D. Lenkov, M. Mehta, "A portable implementation of C++ exception handling", Proceedings of the C++ Conference (August 1992) USENIX.
- ^ Peter Kleissner (February 14, 2009). "Windows Exception Handling - Peter Kleissner". Archived from the original on October 14, 2013. Retrieved 2009年11月21日., Compiler based Structured Exception Handling section
- ^ Graham Hutton, Joel Wright, "Compiling Exceptions Correctly Archived 2014年09月11日 at the Wayback Machine". Proceedings of the 7th International Conference on Mathematics of Program Construction, 2004.
- ^ Lajoie, Josée (March–April 1994). "Exception handling – Supporting the runtime mechanism". C++ Report. 6 (3).
- ^ a b Schilling, Jonathan L. (August 1998). "Optimizing away C++ exception handling". SIGPLAN Notices . 33 (8): 40–47. doi:10.1145/286385.286390 . S2CID 1522664.
- ^ "Modern C++ best practices for exceptions and error handling". Microsoft. 8 March 2021. Retrieved 21 March 2022.
- ^ a b Stroustrup, Bjarne (18 November 2019). "C++ exceptions and alternatives" (PDF). Retrieved 23 March 2022.
- ^ M. Hof, H. Mössenböck, P. Pirkelbauer, "Zero-Overhead Exception Handling Using Metaprogramming Archived 2016年03月03日 at the Wayback Machine", Proceedings SOFSEM'97, November 1997, Lecture Notes in Computer Science 1338, pp. 423-431.
- ^ "Contracts for C++" (PDF). 13 February 2025.
- ^ All Exceptions Are Handled, Jim Wilcox, "All Exceptions Are Handled". 22 February 2008.
- ^ a b c Mac Developer Library, "Uncaught Exceptions Archived 2016年03月04日 at the Wayback Machine"
- ^ MSDN, AppDomain.UnhandledException Event Archived 2016年03月04日 at the Wayback Machine
- ^ The Python Tutorial, "8. Errors and Exceptions Archived 2015年09月01日 at the Wayback Machine"
- ^ "Java Practices -> Provide an uncaught exception handler". www.javapractices.com. Archived from the original on 9 September 2016. Retrieved 5 May 2018.
- ^ PyMOTW (Python Module Of The Week), "Exception Handling Archived 2015年09月15日 at the Wayback Machine"
- ^ "Google Answers: The origin of checked exceptions". Archived from the original on 2011年08月06日. Retrieved 2011年12月15日.
- ^ Java Language Specification, chapter 11.2. http://java.sun.com/docs/books/jls/third_edition/html/exceptions.html#11.2 Archived 2006年12月08日 at the Wayback Machine
- ^ Mössenböck, Hanspeter (2002年03月25日). "Advanced C#: Variable Number of Parameters" (PDF). Institut für Systemsoftware, Johannes Kepler Universität Linz, Fachbereich Informatik. p. 32. Archived (PDF) from the original on 2011年09月20日. Retrieved 2011年08月05日.
- ^ a b c Eckel, Bruce (2006). Thinking in Java (4th ed.). Upper Saddle River, NJ: Prentice Hall. pp. 347–348. ISBN 0-13-187248-6.
- ^ Gunnerson, Eric (9 November 2000). "C# and exception specifications". Archived from the original on 1 January 2006.
- ^ a b Bill Venners; Bruce Eckel (August 18, 2003). "The Trouble with Checked Exceptions: A Conversation with Anders Hejlsberg, Part II" . Retrieved 4 January 2022.
- ^ Juneau, Josh (31 May 2017). Java 9 Recipes: A Problem-Solution Approach. Apress. p. 226. ISBN 978-1-4842-1976-8.
- ^ "Advantages of Exceptions (The JavaTM Tutorials : Essential Classes : Exceptions)". Download.oracle.com. Archived from the original on 2011年10月26日. Retrieved 2011年12月15日.
- ^ "Unchecked Exceptions – The Controversy (The JavaTM Tutorials : Essential Classes : Exceptions)". Download.oracle.com. Archived from the original on 2011年11月17日. Retrieved 2011年12月15日.
- ^ Bloch 2001:178 Bloch, Joshua (2001). Effective Java Programming Language Guide . Addison-Wesley Professional. ISBN 978-0-201-31005-4.
- ^ a b "Bruce Eckel's MindView, Inc: Does Java need Checked Exceptions?". Mindview.net. Archived from the original on 2002年04月05日. Retrieved 2011年12月15日.
- ^ Liskov, B.H.; Snyder, A. (November 1979). "Exception Handling in CLU" (PDF). IEEE Transactions on Software Engineering. SE-5 (6): 546–558. Bibcode:1979ITSEn...5..546L. doi:10.1109/TSE.1979.230191. S2CID 15506879 . Retrieved 19 December 2021.
- ^ "Modula-3 - Procedure Types". .cs.columbia.edu. 1995年03月08日. Archived from the original on 2008年05月09日. Retrieved 2011年12月15日.
- ^ a b Bjarne Stroustrup, The C++ Programming Language Third Edition, Addison Wesley, 1997. ISBN 0-201-88954-4. pp. 375-380.
- ^ Reeves, J.W. (July 1996). "Ten Guidelines for Exception Specifications". C++ Report. 8 (7).
- ^ Sutter, Herb (3 March 2010). "Trip Report: March 2010 ISO C++ Standards Meeting". Archived from the original on 23 March 2010. Retrieved 24 March 2010.
- ^ "OcamlExc - An uncaught exceptions analyzer for Objective Caml". Caml.inria.fr. Archived from the original on 2011年08月06日. Retrieved 2011年12月15日.
- ^ "std::result - Rust". doc.rust-lang.org. Archived from the original on 2023年10月09日. Retrieved 2023年10月09日.
- ^ "stdlib: Add result module · rust-lang/rust@c1092fb". github.com. 2011年10月29日. Archived from the original on 2023年10月09日. Retrieved 2023年10月09日.
- ^ "Asynchronous Exceptions in Haskell - Marlow, Jones, Moran (ResearchIndex)". Citeseer.ist.psu.edu. Archived from the original on 2011年02月23日. Retrieved 2011年12月15日.
- ^ Freund, Stephen N.; Mitchell, Mark P. Safe Asynchronous Exceptions For Python (PDF) (Technical report). Retrieved 4 January 2022.
- ^ "Java Thread Primitive Deprecation". Java.sun.com. Archived from the original on 2009年04月26日. Retrieved 2011年12月15日.
- ^ "Interrupts (The JavaTM Tutorials > Essential Java Classes > Concurrency)". docs.oracle.com. Retrieved 5 January 2022.
- ^ Felker, Rich. "Thread cancellation and resource leaks". ewontfix.com. Retrieved 5 January 2022.
- ^ "R: Condition Handling and Recovery". search.r-project.org. Retrieved 2024年03月25日.
- ^ What Conditions (Exceptions) are Really About (2008年03月24日). "What Conditions (Exceptions) are Really About". Danweinreb.org. Archived from the original on February 1, 2013. Retrieved 2014年09月18日.
- ^ "9.1 Condition System Concepts". Franz.com. 2022年07月25日. Archived from the original on 2024年06月07日. Retrieved 2024年06月07日.
- ^ C.A.R. Hoare. "The Emperor's Old Clothes". 1980 Turing Award Lecture
- ^ "Frequently Asked Questions". Archived from the original on 2017年05月03日. Retrieved 2017年04月27日.
We believe that coupling exceptions to a control structure, as in the try-catch-finally idiom, results in convoluted code. It also tends to encourage programmers to label too many ordinary errors, such as failing to open a file, as exceptional.
- ^ Panic And Recover Archived 2013年10月24日 at the Wayback Machine, Go wiki
- ^ Bendersky, Eli (8 August 2018). "On the uses and misuses of panics in Go". Eli Bendersky's website. Retrieved 5 January 2022.
The specific limitation is that recover can only be called in a defer code block, which cannot return control to an arbitrary point, but can only do clean-ups and tweak the function's return values.
Works cited
[edit ]- Gabriel, Richard P.; Steele, Guy L. (2008). A Pattern of Language Evolution (PDF). LISP50: Celebrating the 50th Anniversary of Lisp. pp. 1–10. doi:10.1145/1529966.1529967. ISBN 978-1-60558-383-9.
- Goodenough, John B. (1975a). Structured exception handling. Proceedings of the 2nd ACM SIGACT-SIGPLAN symposium on Principles of programming languages - POPL '75. pp. 204–224. doi:10.1145/512976.512997.
- Goodenough, John B. (1975). "Exception handling: Issues and a proposed notation" (PDF). Communications of the ACM. 18 (12): 683–696. CiteSeerX 10.1.1.122.7791 . doi:10.1145/361227.361230. S2CID 12935051.
- Stroustrup, Bjarne (1994). The design and evolution of C++ (1st ed.). Reading, Mass.: Addison-Wesley. ISBN 0-201-54330-3.
- White, Jon L (May 1979). NIL - A Perspective (PDF). Proceedings of the 1979 Macsyma User's Conference.