Imported Upstream version 1.72.0
[platform/upstream/boost.git] / libs / contract / doc / contract_programming_overview.qbk
1
2 [/ Copyright (C) 2008-2018 Lorenzo Caminiti]
3 [/ Distributed under the Boost Software License, Version 1.0 (see accompanying]
4 [/ file LICENSE_1_0.txt or a copy at http://www.boost.org/LICENSE_1_0.txt).]
5 [/ See: http://www.boost.org/doc/libs/release/libs/contract/doc/html/index.html]
6
7 [section Contract Programming Overview]
8
9 [:['["It is absurd to make elaborate security checks on debugging runs, when no trust is put in the results, and then remove them in production runs, when an erroneous result could be expensive or disastrous. What would we think of a sailing enthusiast who wears his life-jacket when training on dry land but takes it off as soon as he goes to sea?]]]
10 [:['-- Charles Antony Richard Hoare (see __Hoare73__)]]
11
12 This section gives an overview of contract programming (see __Meyer97__, __Mitchell02__, and __N1613__ for more extensive introductions to contract programming).
13 Readers that already have a basic understanding of contract programming can skip this section and maybe come back to it after reading the __Tutorial__.
14
15 [note
16 The objective of this library is not to convince programmers to use contract programming.
17 It is assumed that programmes understand the benefits and trade-offs associated with contract programming and they have already decided to use this methodology in their code.
18 Then, this library aims to be the best and more complete contract programming library for C++ (without using programs and tools external to the C++ language and its preprocessor).
19 ]
20
21 [section Assertions]
22
23 Contract programming is characterized by the following assertion mechanisms:
24
25 * /Preconditions/: These are logical conditions that programmers expect to be true when a function is called (e.g., to check constraints on function arguments).
26 Operations that logically have no preconditions (i.e., that are always well-defined for the entire domain of their inputs) are also referred to as having a /wide contract/.
27 This is in contrast to operations that have preconditions which are also referred to as having a /narrow contract/ (note that operations with truly narrow contracts are also expected to never throw exceptions because the implementation body of these operations is always expected to succeed after its preconditions are checked to be true).
28 [footnote
29 The nomenclature of wide and narrow contracts has gained some popularity in recent years in the C++ community (appearing in a number of more recent proposals to add contract programming to the C++ standard, see __Bibliography__).
30 This nomenclature is perfectly reasonable but it is not often used in this document just because the authors usually prefer to explicitly say "this operation has no preconditions..." or "this operation has preconditions..." (this is just a matter of taste).
31 ]
32 * /Postconditions/: These are logical conditions that programmers expect to be true when a function exits without throwing an exception (e.g., to check the result and any side effect that a function might have).
33 Postconditions can access the function return value (for non-void functions) and also /old values/ (which are the values that expressions had before the function implementation was executed).
34 * /Exception guarantees/: These are logical conditions that programmers except to be true when a function exits throwing an exception.
35 Exception guarantees can access old values (but not the function return value).
36 [footnote
37 *Rationale:*
38 Contract assertions for exception guarantees were first introduced by this library, they are not part of __N1962__ or other references listed in the __Bibliography__ (even if exception safety guarantees have long been part of C++ STL documentation).
39 ]
40 * /Class invariants/: These are logical conditions that programmers expect to be true after a constructor exits without throwing an exception, before and after the execution of every non-static public function (even if they throw exceptions), before the destructor is executed (and also after the destructor is executed but only when the destructor throws an exception).
41 Class invariants define valid states for all objects of a given class.
42 It is possible to specify a different set of class invariants for volatile public functions, namely /volatile class invariants/.
43 It is also possible to specify /static class invariants/ which are excepted to be true before and after the execution of any constructor, destructor (even if it does not throw an exception), and public function (even if static).
44 [footnote
45 *Rationale:*
46 Static and volatile class invariants were first introduced by this library (simply to reflect the fact that C++ supports also static and volatile public functions), they are not part of __N1962__ or other references listed in the __Bibliography__.
47 ]
48 * /Subcontracting/: This indicates that preconditions cannot be strengthen, while postconditions and class invariants cannot be weaken when a public function in a derived class overrides public functions in one or more of its base classes (this is formally defined according to the __substitution_principle__).
49
50 The actual function implementation code, that remains outside of these contract assertions, is often referred to as the /function body/ in contract programming.
51
52 Class invariants can also be used to specify /basic/ exception safety guarantees for an object (because they are checked at exit of public functions even when those throw exceptions).
53 Contract assertions for exception guarantees can be used to specify /strong/ exception safety guarantees for a given operation on the same object.
54
55 It is also a common requirement for contract programming to automatically disable contract checking while already checking assertions from another contract (in order to avoid infinite recursion while checking contract assertions).
56
57 [note
58 This library implements this requirement but in order to globally disable assertions while checking another assertion some kind of global arbitrating variable needs to be used by this library implementation.
59 This library will automatically protect such a global variable from race conditions in multi-threated programs, but this will effectively introduce a global lock in the program (the [macroref BOOST_CONTRACT_DISABLE_THREADS] macro can be defined to disable this global lock but at the risk of incurring in race conditions).
60 [footnote
61 *Rationale:*
62 [macroref BOOST_CONTRACT_DISABLE_THREADS] is named after `BOOST_DISABLE_THREADS`.
63 ]
64 ]
65
66 In general, it is recommended to specify different contract conditions using separate assertion statements and not to group them together into a single condition using logical operators (`&&`, `||`, etc.).
67 This is because when contract conditions are programmed together in a single assertion using logical operators, it might not be clear which condition actually failed in case the entire assertion fails at run-time.
68
69 [heading C-Style Assertions]
70
71 A limited form of contract programming (typically some form of precondition and basic postcondition checking) can be achieved using the C-style `assert` macro.
72 Using `assert` is common practice for many programmers but it suffers of the following limitations:
73
74 * `assert` does not distinguish between preconditions and postconditions.
75 In well-tested production code, postconditions can usually be disabled trusting the correctness of the implementation while preconditions might still need to remain enabled because of possible changes in the calling code (e.g., postconditions of a given library could be disabled after testing while keeping the library preconditions enabled given that future changes in the user code that calls the library cannot be anticipated).
76 Using `assert` it is not possible to selectively disable only postconditions and all assertions must be disabled at once.
77 * `assert` requires to manually program extra code to correctly check postconditions (specifically to handle functions with multiple return statements, to not check postconditions when functions throw exceptions, and to implement old values).
78 * `assert` requires to manually program extra code to check class invariants (extra member functions, try blocks, etc.).
79 * `assert` does not support subcontracting.
80 * `assert` calls are usually scattered within function implementations thus the asserted conditions are not immediately visible in their entirety by programmers (as they are instead when the assertions appear in the function declaration or at least at the very top of the function definition).
81
82 Contract programming does not suffer of these limitations.
83
84 [endsect]
85
86 [section Benefits and Costs]
87
88 [heading Benefits]
89
90 The main use of contract programming is to improve software quality.
91 __Meyer97__ discusses how contract programming can be used as the basic tool to write ["correct] software.
92 __Stroustrup94__ discusses the key importance of class invariants plus advantages and disadvantages of preconditions and postconditions.
93
94 The following is a short summary of benefits associated with contract programming inspired mainly by __N1613__:
95
96 * Preconditions and postconditions:
97 Using function preconditions and postconditions, programmers can give a precise semantic description of what a function requires at its entry and what it ensures at its exit (if it does not throw an exception).
98 In particular, using postcondition old values, contract programming provides a mechanism that allows programmers to compare values of an expression before and after the function body execution.
99 This mechanism is powerful enough to enable programmers to express many correctness constraints within the code itself, constraints that would otherwise have to be captured at best only informally by documentation.
100 * Class invariants:
101 Using class invariants, programmers can describe what to expect from a class and the logic dependencies between the class members.
102 It is the job of the constructor to ensure that the class invariants are satisfied when the object is first created.
103 Then the implementation of the member functions can be largely simplified as they can be written knowing that the class invariants are satisfied because contract programming checks them before and after the execution of every public function. 
104 Finally, the destructor makes sure that the class invariants held for the entire life of the object checking the class invariants one last time before the object is destructed.
105 Class invariants can also be used as a criteria for good abstractions: If it is not possible to specify an invariant, it might be an indication that the design abstraction maybe be poor and it should not have been made into a class (maybe a namespace would have sufficed instead).
106 * Self-documenting code:
107 Contracts are part of the source code, they are checked at run-time so they are always up-to-date with the code itself.
108 Therefore program specifications, as documented by the contracts, can be trusted to always be up-to-date with the implementation.
109 * Easier debugging:
110 Contract programming can provide a powerful debugging facility because, if contracts are well-written, bugs will cause contract assertions to fail exactly where the problem first occurs instead than at some later stage of the program execution in an apparently unrelated (and often hard to debug) manner.
111 Note that a precondition failure points to a bug in the function caller, a postcondition failure points instead to a bug in the function implementation. 
112 [footnote
113 Of course, if contracts are ill-written then contract programming is of little use.
114 However, it is less likely to have a bug in both the function body and the contract than in the function body alone.
115 For example, consider the validation of a result in postconditions.
116 Validating the return value might seem redundant, but in this case we actually want that redundancy.
117 When programmers write a function, there is a certain probability that they make a mistake in implementing the function body.
118 When programmers specify the result of the function in the postconditions, there is also a certain probability that they make a mistake in writing the contract. 
119 However, the probability that programmers make a mistake twice (in both the body /and/ the contract) is in general lower than the probability that the mistake is made only once (in either the body /or/ the contract).
120 ]
121 * Easier testing:
122 Contract programming facilitates testing because a contract naturally specifies what a test should check.
123 For example, preconditions of a function state which inputs cause the function to fail and postconditions state which outputs are produced by the function on successful exit (contract programming should be seen as a tool to complement and guide, but obviously not to replace, testing).
124 * Formal design:
125 Contract programming can serve to reduce the gap between designers and programmers by providing a precise and unambiguous specification language in terms of contract assertions.
126 Moreover, contracts can make code reviews easier by clarifying some of the semantics and usage of the code.
127 * Formalize inheritance:
128 Contract programming formalizes the virtual function overriding mechanism using subcontracting as justified by the __substitution_principle__.
129 This keeps the base class programmers in control as overriding functions always have to fully satisfy the contracts of their base classes.
130 * Replace defensive programming:
131 Contract programming assertions can replace [@http://en.wikipedia.org/wiki/Defensive_programming defensive programming] checks localizing these checks within the contracts and making the code more readable.
132
133 Of course, not all formal contract specifications can be asserted in C++.
134 For example, in C++ is it not possible to assert the validity of an iterator range in the general case (because the only way to check if two iterators form a valid range is to keep incrementing the first iterator until it reaches the second iterator, but if the iterator range is invalid then such a code would render undefined behaviour or run forever instead of failing an assertion).
135 Nevertheless, a large amount of contract assertions can be successfully programmed in C++ as illustrated by the numerous examples in this documentation and from the literature (for example see how much of STL [link N1962_vector_anchor `vector`] contract assertions can actually be programmed in C++ using this library).
136
137 [heading Costs]
138
139 In general, contract programming benefits come at the cost of performance as discussed in detail by both __Stroustrup94__ and __Meyer97__.
140 While performance trade-offs should be carefully considered depending on the specific application domain, software quality cannot be sacrificed: It is difficult to see value in software that quickly and efficiently provides incorrect results.
141
142 The run-time performances are negatively impacted by contract programming mainly because of extra time require to:
143
144 * Check the asserted conditions.
145 * Copy old values when these are used in postconditions or exception guarantees.
146 * Call additional functors that check preconditions, postconditions, exception guarantees, class invariants, etc. (these can add up to many extra calls especially when using subcontracting).
147
148 [note
149 In general, contracts introduce at least three extra functor calls to check preconditions, postconditions, and exception guarantees for any given non-member function call.
150 Public functions introduce also two more function calls to check class invariants (at entry and at exit).
151 For subcontracting, these extra calls (some of which become virtual calls) are repeated for the number of functions being overridden from the base classes (possibly deep in the inheritance tree).
152 In addition to that, this library introduces a number of function calls internal to its implementation in order to properly check the contracts.
153 ]
154
155 To mitigate the run-time performance impact, programmers can selectively disable run-time checking of some of the contract assertions.
156 Programmers will have to decide based on the performance trade-offs required by their specific applications, but a reasonable approach often is to (see __Disable_Contract_Checking__):
157
158 * Always write contracts to clarify the semantics of the design embedding the specifications directly in the code and making the code self-documenting.
159 * Check preconditions, postconditions, class invariants, and maybe even exception guarantees during initial testing.
160 * Check only preconditions (and maybe class invariants, but not postconditions and exception guarantees) during release testing and for the final release.
161
162 This approach is usually reasonable because in well-tested production code, validating the function body implementation using postconditions is rarely needed since the function has shown itself to be ["correct] during testing.
163 On the other hand, checking function arguments using preconditions is always needed because of changes that can be made to the calling code (without having to necessarily re-test and re-release the called code).
164 Furthermore, postconditions and also exception guarantees, with related old value copies, are often computationally more expensive to check than preconditions and class invariants.
165
166 [endsect]
167
168 [section Function Calls]
169
170 [heading Non-Member Functions]
171
172 A call to a non-member function with a contract executes the following steps (see [funcref boost::contract::function]):
173
174 # Check function preconditions.
175 # Execute the function body.
176 # If the body did not throw an exception, check function postconditions.
177 # Else, check function exception guarantees.
178
179 [heading Private and Protected Functions]
180
181 Private and protected functions do not have to satisfy class invariants because these functions are part of the class implementation and not of the class public interface.
182 Furthermore, the __substitution_principle__ does not apply to private and protected functions because these functions are not accessible to the user at the calling site where the __substitution_principle__ applies.
183
184 Therefore, calls to private and protected functions with contracts execute the same steps as the ones indicated above for non-member functions (checking only preconditions and postconditions, without checking class invariants and without subcontracting).
185
186 [endsect]
187
188 [section Public Function Calls]
189
190 [heading Overriding Public Functions]
191
192 Let's consider a public function in a derived class that overrides public virtual functions declared by its public base classes (because of C++ multiple inheritance, the function could override from more than one of its base classes).
193 We refer to the function in the derived class as the /overriding function/, and to the set of base classes containing all the /overridden functions/ as /overridden bases/.
194
195 When subcontracting, overridden functions are searched (at compile-time) deeply in all public branches of the inheritance tree (i.e., not just the derived class' direct public parents are inspected, but also all its public grandparents, etc.).
196 In case of multiple inheritance, this search also extends (at compile-time) widely to all public trees of the multiple inheritance forest (multiple public base classes are searched following their order of declaration in the derived class' inheritance list).
197 As usual with C++ multiple inheritance, this search could result in multiple overridden functions and therefore in subcontracting from multiple public base classes.
198 Note that only public base classes are considered for subcontracting because private and protected base classes are not accessible to the user at the calling site where the __substitution_principle__ applies.
199
200 A call to the overriding public function with a contract executes the following steps (see [funcref boost::contract::public_function]):
201
202 # Check static class invariants __AND__ non-static class invariants for all overridden bases, __AND__ then check the derived class static __AND__ non-static invariants.
203 # Check preconditions of overridden public functions from all overridden bases in __OR__ with each other, __OR__ else check the overriding function preconditions in the derived class.
204 # Execute the overriding function body.
205 # Check static class invariants __AND__ non-static class invariants for all overridden bases, __AND__ then check the derived class static __AND__ non-static invariants (even if the body threw an exception).
206 # If the body did not throw an exception, check postconditions of overridden public functions from all overridden bases in __AND__ with each other, __AND__ then check the overriding function postconditions in the derived class.
207 # Else, check exception guarantees of overridden public functions from all overridden bases in __AND__ with each other, __AND__ then check the overriding function exception guarantees in the derived class.
208
209 Volatile public functions check static class invariants __AND__ volatile class invariants instead.
210 Preconditions and postconditions of volatile public functions and volatile class invariants access the object as `volatile`.
211
212 Class invariants are checked before preconditions and postconditions so programming precondition and postcondition assertions can be simplified assuming that class invariants are satisfied already (e.g., if class invariants assert that a pointer cannot be null then preconditions and postconditions can safety dereference that pointer without additional checking).
213 Similarly, static class invariants are checked before non-static class invariants so programming non-static class invariant (volatile and non) can be simplified assuming that static class invariants are satisfied already.
214 Furthermore, subcontracting checks contracts of public base classes before checking the derived class contracts so programming derived class contract assertions can be simplified by assuming that public base class contracts are satisfied already.
215
216 [note
217 [#and_anchor] [#or_anchor]
218 In this documentation __AND__ and __OR__ indicate the logic /and/ and /or/ operations evaluated in /short-circuit/.
219 For example: `p` __AND__ `q` is true if and only if both `p` and `q` are true, but `q` is never evaluated when `p` is false; `p` __OR__ `q` is true if and only if either `p` or `q` are true, but `q` is never evaluated when `p` is true.
220
221 As indicated by the steps above and in accordance with the __substitution_principle__, subcontracting checks preconditions in __OR__ while class invariants, postconditions, and exceptions guarantees are checked in __AND__ with preconditions, class invariants, postconditions, and exceptions guarantees of base classes respectively.
222 ]
223
224 [heading Non-Overriding Public Functions]
225
226 A call to a non-static public function with a contract (that does not override functions from any of its public base classes) executes the following steps (see [funcref boost::contract::public_function]):
227
228 # Check class static __AND__ non-static invariants (but none of the invariants from base classes).
229 # Check function preconditions (but none of the preconditions from functions in base classes).
230 # Execute the function body.
231 # Check the class static __AND__ non-static invariants (even if the body threw an exception, but none of the invariants from base classes).
232 # If the body did not throw an exception, check function postconditions (but none of the postconditions from functions in base classes).
233 # Else, check function exception guarantees (but none of the exception guarantees from functions in base classes).
234
235 Volatile public functions check static class invariants __AND__ volatile class invariants instead.
236 Preconditions and postconditions of volatile functions and volatile class invariants access the object as `volatile`.
237
238 Class invariants are checked because this function is part of the class public interface.
239 However, none of the contracts of the base classes are checked because this function does not override any functions from any of the public base classes (so the __substitution_principle__ does not require to subcontract in this case).
240
241 [heading Static Public Functions]
242
243 A call to a static public function with a contract executes the following steps (see [funcref boost::contract::public_function]):
244
245 # Check static class invariants (but not the non-static invariants and none of the invariants from base classes).
246 # Check function preconditions (but none of the preconditions from functions in base classes).
247 # Execute the function body.
248 # Check static class invariants (even if the body threw an exception, but not the non-static invariants and none of the invariants from base classes).
249 # If the body did not throw an exception, check function postconditions (but none of the postconditions from functions in base classes).
250 # Else, check function exception guarantees (but none of the exception guarantees from functions in base classes).
251
252 Class invariants are checked because this function is part of the class public interface, but only static class invariants can be checked (because this is a static function so it cannot access the object that would instead be required to check non-static class invariants, volatile or not).
253 Furthermore, static functions cannot override any function so the __substitution_principle__ does not apply and they do not subcontract.
254
255 Preconditions and postconditions of static functions and static class invariants cannot access the object (because they are checked from `static` member functions).
256
257 [endsect]
258
259 [section Constructor Calls]
260
261 A call to a constructor with a contract executes the following steps (see [classref boost::contract::constructor_precondition] and [funcref boost::contract::constructor]):
262
263 # Check constructor preconditions (but these cannot access the object because the object is not constructed yet).
264 # Execute the constructor member initialization list (if present).
265     # Construct any base class (public or not) according with C++ construction mechanism and also check the contracts of these base constructors (according with steps similar to the ones listed here).
266 # Check static class invariants (but not the non-static or volatile class invariants, because the object is not constructed yet).
267 # Execute the constructor body.
268 # Check static class invariants (even if the body threw an exception).
269 # If the body did not throw an exception:
270     # Check non-static __AND__ volatile class invariants (because the object is now successfully constructed).
271     # Check constructor postconditions (but these cannot access the object old value [^['oldof]]`(*this)` because the object was not constructed before the execution of the constructor body).
272 # Else, check constructor exception guarantees (but these cannot access the object old value [^['oldof]]`(*this)` because the object was not constructed before the execution of the constructor body, plus they can only access class' static members because the object has not been successfully constructed given the constructor body threw an exception in this case).
273
274 Constructor preconditions are checked before executing the member initialization list so programming these initializations can be simplified assuming the constructor preconditions are satisfied (e.g., constructor arguments can be validated by the constructor preconditions before they are used to initialize base classes and data members).
275
276 As indicated in step 2.a. above, C++ object construction mechanism will automatically check base class contracts when these bases are initialized (no explicit subcontracting behaviour is required here).
277
278 [endsect]
279
280 [section Destructor Calls]
281
282 A call to a destructor with a contract executes the following steps (see [funcref boost::contract::destructor]):
283
284 # Check static class invariants __AND__ non-static __AND__ volatile class invariants.
285 # Execute the destructor body (destructors have no parameters and they can be called at any time after object construction so they have no preconditions).
286 # Check static class invariants (even if the body threw an exception).
287 # If the body did not throw an exception:
288     # Check destructor postconditions (but these can only access class' static members and the object old value [^['oldof]]`(*this)` because the object has been destroyed after successful execution of the destructor body).
289 [footnote
290 *Rationale:*
291 Postconditions for destructors are not part of __N1962__ or other references listed in the __Bibliography__ (but with respect to __Meyer97__ it should be noted that Eiffel does not support static data members and that might by why destructors do not have postconditions in Eiffel).
292 However, in principle there could be uses for destructor postconditions so this library supports postconditions for destructors (e.g., a class that counts object instances could use destructor postconditions to assert that an instance counter stored in a static data member is decreased by `1` because the object has been destructed).
293 ]
294     # Destroy any base class (public or not) according with C++ destruction mechanism and also check the contracts of these base destructors (according with steps similar to the ones listed here).
295 # Else (even if destructors should rarely, if ever, be allowed to throw exceptions in C++):
296     # Check non-static __AND__ volatile class invariants (because the object was not successfully destructed so it still exists and should satisfy its invariants).
297     # Check destructor exception guarantees.
298
299 As indicated in step 4.b. above, C++ object destruction mechanism will automatically check base class contracts when the destructor exits without throwing an exception (no explicit subcontracting behaviour is required here).
300
301 [note
302 Given that C++ allows destructors to throw, this library handles the case when the destructor body throws an exception as indicated above.
303 However, in order to comply with STL exception safety guarantees and good C++ programming practices, programmers should implement destructor bodies to rarely, if ever, throw exceptions (in fact destructors are implicitly declared `noexcept` in C++11).
304 ]
305
306 [endsect]
307
308 [section Constant-Correctness]
309
310 Contracts should not be allowed to modify the program state because they are only responsible to check (and not to change) the program state in order to verify its compliance with the specifications.
311 Therefore, contracts should only access objects, function arguments, function return values, old values, and all other program variables in `const` context (via `const&`, `const* const`, `const volatile`, etc.).
312
313 Whenever possible (e.g., class invariants and postcondition old values), this library automatically enforces this /constant-correctness constraint/ at compile-time using `const`.
314 However, this library cannot automatically enforce this constraint in all cases (for preconditions and postconditions of mutable member functions, for global variables, etc.).
315 See __No_Lambda_Functions__ for ways of using this library that enforce the constant-correctness constraint at compile-time (but at the cost of significant boiler-plate code to be programmed manually so not recommended in general).
316
317 [note
318 In general, it is the responsibility of the programmers to code assertions that only check, and do not change, program variables.
319 [footnote
320 Note that this is true when using C-style `assert` as well.
321 ]
322 ]
323
324 [endsect]
325
326 [section Specifications vs. Implementation]
327
328 Contracts are part of the program specification and not of its implementation.
329 Therefore, contracts should ideally be programmed within C++ declarations, and not within definitions.
330
331 In general, this library cannot satisfy this requirement.
332 However, even when contracts are programmed together with the body in the function definition, it is still fairly easy for users to identify and read just the contract portion of the function definition (because the contract code must always be programmed at the very top of the function definition).
333 See __Separate_Body_Implementation__ for ways of using this library to program contract specifications outside of the body implementation (but at the cost of writing one extra function for any given function so not recommended in general).
334
335 Furthermore, contracts are most useful when they assert conditions only using public members (in most cases, the need for using non-public members to check contracts, especially in preconditions, indicates an error in the class design).
336 For example, the caller of a public function cannot in general make sure that the function preconditions are satisfied if the precondition assertions use private members that are not callable by the caller (therefore, a failure in the preconditions will not necessarily indicate a bug in the caller given that the caller was made unable to fully check the preconditions in the first place).
337 However, given that C++ provides programmers ways around access level restrictions (`friend`, function pointers, etc.), this library leaves it up to programmers to make sure that only public members are used in contract assertions (especially in preconditions). (__N1962__ follows the same approach not restricting contracts to only use public members, Eiffel instead generates a compile-time error if preconditions are asserted using non-public members.)
338 [footnote
339 *Rationale:*
340 Out of curiosity, if C++ [@http://www.open-std.org/jtc1/sc22/wg21/docs/cwg_defects.html#45 defect 45] had not been fixed, this library could have been implemented to generate a compile-time error when precondition assertions use non-public members more similarly to Eiffel's implementation (but still, not necessary the best approach for C++).
341 ]
342
343 [endsect]
344
345 [section On Contract Failures]
346
347 If preconditions, postconditions, exception guarantees, or class invariants are either checked to be false or their evaluation throws an exception at run-time then this library will call specific /failure handler functions/.
348 [footnote
349 *Rationale:*
350 If the evaluation of a contract assertion throws an exception, the assertion cannot be checked to be true so the only safe thing to assume is that the assertion failed (indeed the contract assertion checking failed) and call the contract failure handler in this case also.
351 ]
352
353 By default, these failure handler functions print a message to the standard error `std::cerr` (with detailed information about the failure) and then terminate the program calling `std::terminate`.
354 However, using [funcref boost::contract::set_precondition_failure], [funcref boost::contract::set_postcondition_failure], [funcref boost::contract::set_except_failure], [funcref boost::contract::set_invariant_failure], etc. programmers can define their own failure handler functions that can take any user-specified action (throw an exception, exit the program with an error code, etc., see __Throw_on_Failures__).
355 [footnote
356 *Rationale:*
357 This customizable failure handling mechanism is similar to the one used by C++ `std::terminate` and also to the one proposed in __N1962__.
358 ]
359
360 [note
361 In C++ there are a number of issues with programming contract failure handlers that throw exceptions instead of terminating the program.
362 Specifically, destructors check class invariants so they will throw if programmers change class invariant failure handlers to throw instead of terminating the program, but in general destructors should not throw in C++ (to comply with STL exception safety, C++11 implicit `noexcept` declarations for destructors, etc.).
363 Furthermore, programming a failure handler that throws on exception guarantee failures results in throwing an exception (the one reporting the contract failure) while there is already an active exception (the one that caused the exception guarantees to be checked in the first place), and this will force C++ to terminate the program anyway.
364 ]
365
366 Therefore, it is recommended to terminate the program at least for contract failures from destructors and exception guarantees (if not in all other cases of contract failures as it is done by default by this library).
367 The contract failure handler functions programmed using this library have information about the failed contract (preconditions, postconditions, etc.) and the operation that was checking the contract (constructor, destructor, etc.) so programmers can granularly distinguish all cases and decide when it is appropriate to terminate, throw, or take some other user-specific action.
368
369 [endsect]
370
371 [section Feature Summary]
372
373 The contract programming features supported by this library are largely based on __N1962__ and on the Eiffel programming language.
374
375 The following table compares contract programming features among this library, __N1962__ (unfortunately the C++ standard committee rejected this proposal commenting on a lack of interest in adding contract programming to C++ at that time, even if __N1962__ itself is sound), a more recent proposal __P0380__ (which was accepted in the C++20 standard but unfortunately only supports preconditions and postconditions, while does not support class invariants, old values, and subcontracting), the Eiffel and D programming languages.
376 Some of the items listed in this summary table will become clear in detail after reading the remaining sections of this documentation.
377
378 [table
379 [
380     [Feature]
381     [This Library]
382     [__N1962__ Proposal (not accepted in C++)]
383     [C++20 (see __P0380__)]
384     [ISE Eiffel 5.4 (see __Meyer97__)]
385     [D (see __Bright04__)]
386 ][
387     [['Keywords and specifiers]]
388     [
389 Specifiers: `precondition`, `postcondition`, `invariant`, `static_invariant`, and `base_types`.
390 The last three specifiers appear in user code so their names can be referred to or changed using [macroref BOOST_CONTRACT_INVARIANT], [macroref BOOST_CONTRACT_STATIC_INVARIANT], and [macroref BOOST_CONTRACT_BASES_TYPEDEF] macros respectively to avoid name clashes.
391     ]
392     [Keywords: `precondition`, `postcondition`, `oldof`, and `invariant`.]
393     [Attributes: `[[expects]]` and `[[ensures]]`.]
394     [Keywords: =require=, =require else=, =ensure=, =ensure then=, =old=, =result=, =do=, and =invariant=.]
395     [Keywords: =in=, =out=, =do=, =assert=, and =invariant=.]
396 ][
397     [['On contract failures]]
398     [Print an error to `std::cerr` and call `std::terminate` (but can be customized to throw exceptions, exit with an error code, etc.).]
399     [Call `std::terminate` (but can be customized to throw exceptions, exit with an error code, etc.).]
400     [Call `std::abort` (but can be customized to throw exceptions, exit with an error code, etc.).]
401     [Throw exceptions.]
402     [Throw exceptions.]
403 ][
404     [['Return values in postconditions]]
405     [Yes, captured by or passed as a parameter to (for virtual functions) the postcondition functor.]
406     [Yes, `postcondition(`[^['result-variable-name]]`)`.]
407     [Yes, `[[ensures `[^['result-variable-name]]`: ...]]`.]
408     [Yes, =result= keyword.]
409     [Yes, `out(`[^['result-variable-name]]`)`.]
410 ][
411     [['Old values in postconditions]]
412     [
413 Yes, [macroref BOOST_CONTRACT_OLDOF] macro and [classref boost::contract::old_ptr] (but copied before preconditions unless `.old(...)` is used as shown in __Old_Values_Copied_at_Body__).
414 For templates, [classref boost::contract::old_ptr_if_copyable] skips old value copies for non-copyable types and [funcref boost::contract::condition_if] skips old value copies selectively based on old expression type requirements (on compilers that do not support `if constexpr`).
415     ]
416     [
417 Yes, `oldof` keyword (copied right after preconditions).
418 (Never skipped, not even in templates for non-copyable types.)
419 ]
420     [No.]
421     [
422 Yes, =old= keyword (copied right after preconditions).
423 (Never skipped, but all types are copyable in Eiffel.)
424 ]
425     [No.]
426 ][
427     [['Class invariants]]
428     [
429 Yes, checked at constructor exit, at destructor entry and throw, and at public function entry, exit, and throw.
430 Same for volatile class invariants.
431 Static class invariants checked at entry, exit, and throw for constructors, destructors, and any (also `static`) public function.
432     ]
433     [
434 Yes, checked at constructor exit, at destructor entry and throw, and at public function entry, exit, and throw.
435 (Volatile and static class invariants not supported.)
436 ]
437     [No.]
438     [
439 Yes, checked at constructor exit, and around public functions.
440 (Volatile and static class invariants do not apply to Eiffel.)
441     ]
442     [
443 Yes, checked at constructor exit, at destructor entry, and around public functions.
444 However, invariants cannot call public functions (to avoid infinite recursion because D does not disable contracts while checking other contracts).
445 (Volatile and static class invariants not supported, `volatile` was deprecated all together in D.)
446     ]
447 ][
448     [['Subcontracting]]
449     [
450 Yes, also supports subcontracting for multiple inheritance ([macroref BOOST_CONTRACT_BASE_TYPES], [macroref BOOST_CONTRACT_OVERRIDE], and [classref boost::contract::virtual_] are used to declare base classes, overrides and virtual public functions respectively).
451 ]
452     [
453 Yes, also supports subcontracting for multiple inheritance, but preconditions cannot be subcontracted.
454 [footnote
455 *Rationale:*
456 The authors of __N1962__ decided to forbid derived classes from subcontracting preconditions because they found that such a feature was rarely, if ever, used (see [@http://lists.boost.org/Archives/boost/2010/04/164862.php Re: \[boost\] \[contract\] diff n1962]).
457 Still, it should be noted that even in __N1962__ if a derived class overrides two functions with preconditions coming from two different base classes via multiple inheritance, the overriding function contract will check preconditions from its two base class functions in __OR__ (so even in __N1962__ preconditions can indirectly subcontract when multiple inheritance is used).
458 Furthermore, subcontracting preconditions is soundly defined by the __substitution_principle__ so this library allows to subcontract preconditions as Eiffel does (users can always avoid using this feature if they have no need for it).
459 (This is essentially the only feature on which this library deliberately differs from __N1962__.)
460 ]
461     ]
462     [No.]
463     [Yes.]
464     [Yes.]
465 ][
466     [['Contracts for pure virtual functions]]
467     [Yes (programmed via out-of-line functions as always in C++ with pure virtual function definitions).]
468     [Yes.]
469     [No (because no subcontracting).]
470     [Yes (contracts for abstract functions).]
471     [No.]
472 ][
473     [['Arbitrary code in contracts]]
474     [Yes (but users are generally recommended to only program assertions using [macroref BOOST_CONTRACT_ASSERT] and if-guard statements within contracts to avoid introducing bugs and expensive code in contracts, and also to only use public functions to program preconditions).]
475     [No, assertions only (use of only public functions to program preconditions is recommended but not prescribed).]
476     [No, assertions only (in addition contracts of public, protected, and private members can only use other public, public/protected, and public/protected/private members respectively).]
477     [No, assertions only (in addition only public members can be used in preconditions).]
478     [Yes.]
479 ][
480     [['Constant-correctness]]
481     [No, enforced only for class invariants and old values (making also preconditions and postconditions constant-correct is possible but requires users to program a fare amount of boiler-plate code).]
482     [Yes.]
483     [Yes (side effects in contracts lead to undefined behaviour).]
484     [Yes.]
485     [No, enforced only for class invariants.]
486 ][
487     [['Contracts in specifications]]
488     [No, in function definitions instead (unless programmers manually write an extra function for any given function).]
489     [Yes (in function declarations).]
490     [Yes (in function declarations).]
491     [Yes.]
492     [Yes.]
493 ][
494     [['Function code ordering]]
495     [Preconditions, postconditions, exception guarantees, body.]
496     [Preconditions, postconditions, body.]
497     [Preconditions, postconditions, body.]
498     [Preconditions, body, postconditions.]
499     [Preconditions, postconditions, body.]
500 ][
501     [['Disable assertion checking within assertions checking (to avoid infinite recursion when checking contracts)]]
502     [
503 Yes, but use [macroref BOOST_CONTRACT_PRECONDITIONS_DISABLE_NO_ASSERTION] to disable no assertion while checking preconditions (see also [macroref BOOST_CONTRACT_ALL_DISABLE_NO_ASSERTION]).
504 [footnote
505 *Rationale:*
506 Technically, it can be shown that an invalid argument can reach the function body when assertion checking is disabled while checking preconditions (that is why __N1962__ does not disable any assertion while checking preconditions, see [@http://lists.boost.org/Archives/boost/2010/04/164862.php Re: \[boost\] \[contract\] diff n1962]).
507 However, this can only happen while checking contracts when an invalid argument passed to the body, which should results in the body either throwing an exception or returning an incorrect result, will in turn fail the contract assertion being checked by the caller of the body and invoke the related contract failure handler as desired in the first place.
508 Furthermore, not disabling assertions while checking preconditions (like __N1962__ does) makes it possible to have infinite recursion while checking preconditions.
509 Therefore, this library by default disables assertion checking also while checking preconditions (like Eiffel does), but it also provides the [macroref BOOST_CONTRACT_PRECONDITIONS_DISABLE_NO_ASSERTION] configuration macro so users can change this behaviour to match __N1962__ if needed.
510 ]
511 (In multi-threaded programs this introduces a global lock, see [macroref BOOST_CONTRACT_DISABLE_THREADS].)
512     ]
513     [Yes for class invariants and postconditions, but preconditions disable no assertion.]
514     [No.]
515     [Yes.]
516     [No.]
517 ][
518     [['Nested member function calls]]
519     [
520 Disable nothing.
521 [footnote
522 *Rationale:*
523 Older versions of this library defined a data member in the user class that was automatically used to disable checking of class invariants within nested member function calls (similarly to Eiffel).
524 This feature was required by older revisions of __N1962__ but it is no longer required by __N1962__ (because it seems to be motivated purely by optimization reasons while similar performances can be achieved by disabling invariants for release builds).
525 Furthermore, in multi-threaded programs this feature would introduce a lock that synchronizes all member functions calls for a given object.
526 Therefore, this feature was removed in the current revision of this library.
527 ]
528     ]
529     [Disable nothing.]
530     [Disable nothing.]
531     [Disable all contract assertions.]
532     [Disable nothing.]
533 ][
534     [['Disable contract checking]]
535     [Yes, contract checking can be skipped at run-time by defining combinations of the [macroref BOOST_CONTRACT_NO_PRECONDITIONS], [macroref BOOST_CONTRACT_NO_POSTCONDITIONS], [macroref BOOST_CONTRACT_NO_INVARIANTS], [macroref BOOST_CONTRACT_NO_ENTRY_INVARIANTS], and [macroref BOOST_CONTRACT_NO_EXIT_INVARIANTS] macros (completely removing contract code from compiled object code is also possible but requires using macros as shown in __Disable_Contract_Compilation__).]
536     [Yes (contract code also removed from compiled object code, but details are compiler-implementation specific).]
537     [Yes (contract code also removed from compiled object code, but details are compiler-implementation specific).]
538     [Yes, but only predefined combinations of preconditions, postconditions, and class invariants can be disabled (contract code also removed from compiled object code).]
539     [Yes.]
540 ][
541     [['Assertion levels]]
542     [Yes, predefined default, audit, and axiom, in addition programmers can also define their own levels.]
543     [No (but a previous revision of this proposal considered adding assertion levels under the name of "assertion ordering").]
544     [Yes, predefined default, audit, and axiom.]
545     [No.]
546     [No.]
547 ]
548 ]
549
550 The authors of this library consulted the following references that implement contract programming for C++ (but usually for only a limited set of features, or using preprocessing tools other than the C++ preprocessor and external to the language itself) and for other languages (see __Bibliography__ for a complete list of all references consulted during the design and development of this library):
551
552 [table
553 [ [Reference] [Language] [Notes] ]
554 [ [__Bright04b__] [Digital Mars C++] [
555 The Digital Mars C++ compiler extends C++ adding contract programming language support (among many other features).
556 ] ]
557 [ [__Maley99__] [C++] [
558 This supports contract programming including subcontracting but with limitations (e.g., programmers need to manually build an inheritance tree using artificial template parameters), it does not use macros but programmers are required to write by hand a significant amount of boiler-plate code.
559 (The authors have found this work very inspiring when developing initial revisions of this library especially for its attempt to support subcontracting.)
560 ] ]
561 [ [__Lindrud04__] [C++] [
562 This supports class invariants and old values but it does not support subcontracting (contracts are specified within definitions instead of declarations and assertions are not constant-correct).
563 ] ]
564 [ [__Tandin04__] [C++] [
565 Interestingly, these contract macros automatically generate Doxygen documentation
566 [footnote
567 *Rationale:*
568 Older versions of this library also automatically generated Doxygen documentation from contract definition macros.
569 This functionality was abandoned for a number of reasons: This library no longer uses macros to program contracts; even before that, the implementation of this library macros became too complex and the Doxygen preprocessor was no longer able to expand them; the Doxygen documentation was just a repeat of the contract code (so programmers could directly look at contracts in the source code); Doxygen might not necessarily be the documentation tool used by all C++ programmers.
570 ]
571 but old values, class invariants, and subcontracting are not supported (plus contracts are specified within definitions instead of declarations and assertions are not constant-correct).
572 ] ]
573 [ [__Nana__] [GCC C++] [
574 This uses macros but it only works on GCC (and maybe Clang, but it does not work on MSVC, etc.).
575 It does not support subcontracting.
576 It requires extra care to program postconditions for functions with multiple return statements.
577 It seems that it might not check class invariants when functions throw exceptions (unless the `END` macro does that...).
578 (In addition, it provides tools for logging and integration with GDB.)
579 ] ]
580 [ [__C2__] [C++] [
581 This uses an external preprocessing tool (the authors could no longer find this project's code to evaluate it).
582 ] ]
583 [ [__iContract__] [Java] [
584 This uses an external preprocessing tool.
585 ] ]
586 [ [__Jcontract__] [Java] [
587 This uses an external preprocessing tool.
588 ] ]
589 [ [__CodeContracts__] [.NET] [
590 Microsoft contract programming for .NET programming languages.
591 ] ]
592 [ [__SpecSharp__] [C#] [
593 This is a C# extension with contract programming language support.
594 ] ]
595 [ [__Chrome__] [Object Pascal] [
596 This is the .NET version of Object Pascal and it has language support for contract programming.
597 ] ]
598 [ [__SPARKAda__] [Ada] [
599 This is an Ada-like programming language with support for contract programming.
600 ] ]
601 ]
602
603 To the best knowledge of the authors, this the only library that fully supports all contract programming features for C++ (without using preprocessing tools external to the language itself).
604 In general:
605
606 * Implementing preconditions and postconditions in C++ is not difficult (e.g., using some kind of RAII object).
607 * Implementing postcondition old values is also not too difficult (usually requiring programmers to copy old values into local variables), but it is already somewhat more difficult to ensure such copies are not performed when postconditions are disabled.
608 [footnote
609 For example, the following pseudocode attempts to emulate old values in __P0380__:
610 ``
611     struct scope_exit { // RAII.
612         template<typename F>
613         explicit scope_exit(F f) : f_(f) {}
614         ~scope_exit() { f_(); }
615
616         scope_exit(scope_exit const&) = delete;
617         scope_exit& operator=(scope_exit const&) = delete;
618     private:
619         std::function<void ()> f_;
620     };
621
622     void fswap(file& x, file& y)
623         [[expects: x.closed()]]
624         [[expects: y.closed()]]
625         // Cannot use [[ensures]] for postconditions so to emulate old values.
626     {
627         file old_x = x; // Emulate old values with local copies (not disabled).
628         file old_y = y;
629         scope_exit ensures([&] { // Check after local objects destroyed.
630             if(std::uncaught_exceptions() == 0) { // Check only if no throw.
631                 [[assert: x.closed()]]
632                 [[assert: y.closed()]]
633                 [[assert: x == old_y]]
634                 [[assert: y == old_x]]
635             }
636         });
637
638         x.open();
639         scope_exit close_x([&] { x.close(); });
640         y.open();
641         scope_exit close_y([&] { y.close(); });
642         file z = file::temp();
643         z.open;
644         scope_exit close_z([&] { z.close(); });
645
646         x.mv(z);
647         y.mv(x);
648         z.mv(y);
649     }
650 ``
651 This requires boiler-plate code to make sure postconditions are correctly checked only if the function did not throw an exception and in a `scope_exit` RAII object after all other local objects have been destroyed (because some of these destructors contribute to establishing the postconditions).
652 Still, it never disables old value copies (not even if postconditions are disabled in release builds, this would require adding even more boiler-plate code using `#ifdef`, etc.).
653 ]
654
655 * Implementing class invariants is more involved (especially if done automatically, without requiring programmers to manually invoke extra functions to check the invariants).
656 [footnote
657 For example, the following pseudocode attempts to emulation of class invariants in __P0380__:
658 ``    
659     template<typename T>
660     class vector {
661         bool invariant() const {        // Check invariants at...
662             [[assert: empty() == (size() == 0)]]
663             [[assert: size() <= capacity()]]
664             return true;
665         }
666
667     public:
668         vector()
669             [[ensures: invariant()]]    // ...constructor exit (only if no throw).
670         { ... }
671
672         ~vector() noexcept
673             [[expects: invariant()]]    // ...destructor entry.
674         { ... }
675
676         void push_back(T const& value)
677             [[expects: invariant()]]    // ...public function entry.
678             [[ensures: invariant()]]    // ...public function exit (if no throw).
679         try {
680             ... // Function body.
681         } catch(...) {
682             invariant();                // ...public function exit (if throw).
683             throw;
684         }
685
686         ...
687     };
688 ``
689 This requires boiler-plate code to manually invoke the function that checks the invariants (note that invariants are checked at public function exit regardless of exceptions being thrown while postconditions are not).
690 In case the destructor can throw (e.g., it is declared `noexcept(false)`), the destructor also requires a `try-catch` statement similar to the one programmed for `push_back` to check class invariants at destructor exit when it throws exceptions.
691 Still, an outstanding issue remains to avoid infinite recursion if also `empty` and `size` are public functions programmed to check class invariants (because __P0380__ does not automatically disable assertions while checking other assertions).
692 ]
693 In addition, all references reviewed by the authors seem to not consider static and volatile functions not supporting static and volatile invariants respectively.
694
695 * Implementing subcontracting involves a significant amount of complexity and it seems to not be properly supported by any C++ library other than this one (especially when handling multiple inheritance, correctly copying postcondition old values across all overridden contracts deep in the inheritance tree, and correctly reporting the return value to the postconditions of overridden virtual functions in base classes).
696 [footnote
697 For example, it is not really possible to sketch pseudocode based on __P0380__ that emulates subcontracting in the general case.
698 ]
699
700 [endsect]
701
702 [endsect]
703