1. Changelog
1.1. Revision 5 - October 17th, 2025
- 
     Add "attribute-specifier-sequenceopt" to the grammar in 6.8.1 Statement’s "General", to allow for an attribute sequence like every other kind of non-expression statement. 
- 
     NOT ADDED TO THIS PAPER, BUT TO THE TECHNICAL SPECIFICATION: - 
       Add an alternative spelling for defer _Defer 
- 
       Add a compatibility header for < stddefer . h > _Defer 
- 
       Explained in § 3.9 Back-Porting. 
 
- 
       
1.2. Revision 4 - September 24th, 2025
- 
     Change from using the "Enclosing Scope" as the scope for defer, and instead use the point of the execution of defer until the end of its lifetime as the "scope" (similar to how every other ordinary identifier / declaration in C works). 
- 
     Add examples r s t u v 
- 
     Change the wording from using "jump over" (ambiguous in the backwards sense) to instead be precise about jumping into the scope of a defer statement (illegal), jumping out of it (legal, consistent with existing practice, triggers the defer), or jumping from before it to beyond it (legal, consistent with existing practice, nothing happens). 
1.3. Revision 3 - June 15th, 2025
- 
     Switch to using unlabeled - statement 
- 
     Switch back to being undefined behavior. There’s no guidelines we can offer for unspecified behavior so it makes no sense. 
- 
     Additional minor wording tweaks. 
- 
     Additional examples in wording about for 
- 
     Change printf fputs \is not present.n 
- 
     Prepare for final publication of the actual Technical Specification and synchronize (Latest Committee Version: n3589). 
- 
     Add one new example to emphasize safety. 
1.4. Revision 2 - February 25th, 2025
- 
     Revert to disallowing goto return 
- 
     Document existing practice for attribute cleanup and try/finally around the ability to goto 
1.5. Revision 1 - December 23rd, 2024
- 
     Include discussion of Linux kernel-based attempts at defer __attribute__ (( cleanup ( …))) 
- 
     Previously, in the § 4 C++ Compatibility: Why Not Member Functions + Constructors/Destructors? section, this paper mentioned a vendor who supports C and C++ that has a demangler that outstrips their C implementation in engineering effort. The vendor in question clarified that a pure C17 compiler given the burden of attempting to mangle C++ would result in a significant engineering effort that could outstrip such, and that currently — for their implementation — that burden has already been surpassed. 
- 
     Document that destructors need mangling in § 4 C++ Compatibility: Why Not Member Functions + Constructors/Destructors?. 
- 
     Discuss the __try __finally 
- 
     Improve the wording: - 
       remove weasel-y words like "such as" and similar from the wording; 
- 
       ensure that goto defer defer 
- 
       add switch 
- 
       and, remove switch 
 
- 
       
- 
     Add new examples for defer if defer 
1.6. Revision 0 - December 10th, 2023
- 
     Initial release. ✨ 
2. Introduction, Motivation, and Prior Art
in C would have avoided probably half of the issues ever caught by the Clang Static Analyzer’s malloc/free and retain/release checking, at least ten years ago when I worked on it.defer — Jordan Rose, Formerly Swift @ Apple, Currently Signal, December 1st, 2023
The need to clean up resources, undo partially-successful function invocations, and perform actions upon early return has been a computing need since we started having computers that were capable of calculation. This need intensified with the introduction of resources that work with the boundaries of a system, from sockets and files to memory allocations and parallelism primitives.
We have also had a large variety of failures related to 
So this isn’t as ... "nice" ... as those "...goto err1 ; " style solutions, this is my own little piece of hell :)goto err2 ; It’s the result of retrofitting freeing memory in error situations to an application which used to not care about that because it was a one-shot thing.
— Martin Dørum, with code from: Housecat
As stated by the code author, this is not more robust code. In fact, this sort of idiom — while explicit — has the user repeating themselves multiple times over and over again. Each nested scope, each conditional, is a chance to potentially forget to free an element, or free too many elements too many times.
Conversely, there is the opposite idiom where — in an attempt to reduce the sort of code as shown above — the author deploys a series of outside-in, inside-out 
2.1. Language-based Solutions
Language-based solutions are far superior to library-based solutions for this problem. They provide a level of guarantees to make code a lot cleaner than normal.
- 
     GCC/Clang attribute __attribute__((cleanup(…))), which takes a function with a single void * 
- 
     GTK’s glib g_autoptr, which works only on Clang/GCC using the language-based __attribute__ (( cleanup ( …))) 
- 
     qemu’s Lockable, which uses the above g_autoptr 
- 
     an ObjC defer based on __attribute__ (( cleanup ( …))) 
- 
     an Apple Open Source auto-cleanup, based still on __attribute__ (( cleanup ( …))) 
- 
     and, MSVC’s try-finally blocks, which offer a more imperative way of doing things rather than the declaration-based attribute. 
Even individuals with legitimate technical grievances against C++ speak highly of things such as 
It takes about 10 minutes to get used to the “
” stuff, and then its not a big deal.g_autoptr ( foo ) I’ve basically removed all of my “
” handling.goto error ; If you need MSVC support, clearly you shouldn’t be using this yet. My hope is that the clang interop with MSVC will help make that a non-issue before long.
XlC might actually support it with recent versions. They are pretty good about tracking GCC frontend features. I doubt suncc will get to it though.
This is not the first time programmers have moved towards this sort of solution. However, doing so often came at the cost of needing to leave the C language, or — as done above — embracing a potentially high degree of non-portability to achieve the goals. As a Standards Committee, it would seem prudent to produce a viable implementation of this that is capable of satisfying all of C’s stakeholders without adding undue burden to the language.
The only drawback of 
Still, its benefits clearly outweigh its drawbacks, enough at least to warrant it being added to the Linux Kernel recently[linux-cleanup]. It has begun to see use for the typical cases that were outlined above:
- 
     automatic free 
- 
     automatic lock/release of a mutex 
- 
     and other resource management. 
This points to sign of the ecosystem at-large beginning to mature in a direction towards 
2.2. Library-based Solutions
Just because there are language solutions to the library that others have built on top of, it has not stopped others from creating their own solutions produced entirely within library-based code. There are both simple and robust examples of this sort of code in the wild, with some of the most readily available being:
- 
     moonchilled’s Defer/Deferrable macros (requires top-of-scope declarations); 
- 
     and, Jens Gustedt’s guard and defer macros (an incredibly robust implementation using all sorts of tricks to provide the right behavior). 
The details of these libraries — both the simple version in moonchilled’s rendition and the more robust version in Jens Gustedt’s offering — are testaments to the ability of a dedicated individual to work through the conditions of their language to produce remarkable code to solve the engineering problems they are facing. Unfortunately, each has a has a wide variety of implementation drawbacks:
- 
     adds execution overhead to register each Defer ( …) 
- 
     generally requires a change in the way the program is written (e.g., using defer_return return defer_break break 
- 
     and, typically has a maximum number of registrations (as the storage has be be pre-allocated at the start of the scope to hold deferral registrations). 
Even when the final code compiles down to something fairly efficient, these macros still tend to cost extra stack space or take up additional binary size through (potential) dynamic allocations to hold defers that go beyond a certain limit and need extra space to hold certain kinds of callbacks. This means that most code written using library solutions end up fairly suboptimal to the language based or preprocessor-based solutions.
2.3. 2008 Proposal: A Brief Overview of __try __finally 
   Previously, WG14 indicated some support for Microsoft’s 
However, there is additional practice here with 
We do not take the path of 
int main () { int foo = 0 ; __try { int x = 4 ; } __finally { foo += x ; // (MSVC) error C2065: 'x': undeclared identifier } return foo ; } 
This means one has to move all variable declarations out of the 
At the moment, 
3. Design
The design of this feature chooses 4 core tenets upon which it is based:
- 
     compile-time available (no run-time construction or space needed, do not pay for what you do not use); 
- 
     binds to the innermost scope (closest); 
- 
     can only appear as part of a statement (e.g., at block scope); 
- 
     is not a full call stack-unwinding mechanism. 
These four tenets are important to cleave close to existing practice and avoid any potential run-time overhead.
By making it a locally-scoped entity, we can have many more statements and much more data accessible to what is the effective equivalent of the 
Notably, this is not similar to C++'s "RAII" (Resource Acquisition is Initialization) idiom in the specific area that 
We explain these tenets and our design choices in the following subsections.
3.1. Defer Binding: Scope-Based
To give an example of how quickly this behavior unravels itself, consider the following Go code:
for i:= 0 ; i< 100000 ; i++ { mutex. Lock() defer mutex. Unlock() * counter+= 1 } 
This code immediately deadlocks. The fix to this in Go is to write the loop like this:
for i:= 0 ; i< 100000 ; i++ { func () { mutex. Lock() defer mutex. Unlock() * counter+= 1 }() } 
This is just an extremely long-winded way of having a scope-based 
We know for a fact that many C compilers are averse to taking control of hidden dynamically-sized (not necessarily heap) allocations. It can often result in issues in the portability of code to smaller platforms. We also know for a fact that memory is neither free nor cheap in the C programming language; Go can pull this off because it has a run-time that can manage its garbage collector and is generally geared towards high-resource environments (even if it uses those resources efficiently). As a language feature, we cannot prioritize a design which may require an unbounded amount of code to be (potentially) stored in heap space so that it can be run as a callback, with potentially-saved data from each iteration of a loop stored in that construct as well.
3.2. defer 
   The syntax of a 
defer-statement:
- 
     defer deferred-block 
A deferred-block is just an unlabeled-statement. Notably, this is NOT the same grammar term that comes after 
if ( 1 ) meow1 : f (); // perfectly fine defer meow2 : g (); // constraint violation; illegal grammar 
We don’t think anyone will miss this, but it is different.
We also chose the all-lowercase name 
3.3. Reference Captures "by Default"
This proposal does not tie the acceptance of the proposal to the presence of an explicit capturing clause, as was the case in other versions[N2895][N2542]. It simply allows for any variables that are visible in the scope of the 
The reason this is critically important is due to the potential to double-free. For example, consider the following function call:
void f () { void * p = malloc ( meow ); defer free ( p ); /* … */ if ( some_important_condition ) { take_ownership_and_use ( p ); p = NULL; } /* … */ } 
If captures are done by-value (the pointer’s value is copied and held onto for the duration of the code until the function is exited by some means), then this example is a potential double-free. This is an enormous footgun. Copying by-value also introduces a (hidden, semi-uncontrolled) state that will exist on all implementations until optimizers can potentially get rid of the extra copies stored in the 
Copying by-value for 
For these reasons, 
3.4. "Why Does This Not Unwind The Whole Call Stack??"
No C implementation provides a compiler-driven unwinding that we could find, even with 
- 
     exit 
- 
     _Exit 
- 
     quick_exit 
- 
     thrd_exit 
- 
     or, abort 
did not produce any code that called either the cleanup-annotated variables, or other code. 
Note: This is compatible with C++ semantics for a similar C++ feature: constructors and destructors.
It is noteworthy that not even C++ destructors run on the invocation of any of these functions, either. (You can test that assumption here.) They have to use the C++-specific function 
The one place this does not hold up is 
#include <stdlib.h>#include <stdio.h>#include <threads.h>extern void * ep ; extern void * ep2 ; extern int alternate ; void cfree ( void * userdata ) { void ** pp = ( void ** ) userdata ; printf ( "freeing %p !! \n " , * pp ); free ( * pp ); } [[ gnu :: noinline ]] void use ( void * p ) { if (( ++ alternate % 2 ) == 0 ) ep = p ; else ep2 = p ; } int thread ([[ maybe_unused ]] void * arg ) { __attribute__ (( cleanup ( cfree ))) void * p = malloc ( 1 ); printf ( "allocating %p !! \n " , p ); use ( p ); thrd_exit ( 1 ); return 1 ; } int main () { __attribute__ (( cleanup ( cfree ))) void * p = malloc ( 1 ); printf ( "allocating %p !! \n " , p ); int r = 0 ; thrd_t th0 = {}; thrd_create ( & th0 , thread , NULL); thrd_join ( th0 , & r ); use ( p ); exit ( 0 ); return 0 ; } void * ep = 0 ; void * ep2 = 0 ; int alternate = 0 ; 
As of December 1st, 2023 on GCC trunk with the latest libpthreads, this code will print:
allocating 0xa072a0 !! allocating 0x7f8034000b70 !! freeing 0x7f8034000b70 !!
with 
allocating 0x47e2a0 !! allocating 0x7f7e14000b70 !!
with 
However, note that even in this example, the memory from 
Finally, we note that pretty much everything in MSVC is done by doing stack unwinding with their Structured Exception Handling (SEH) or similar techniques, so for the macros we provide almost every single one will be defined and have the value of 
3.4.1. What about thread static storage destructors, atexit 
   These features require explicitly opt-in from the user in order to do program-specific and thread-specific cleanup in C. (C++, for threads, just relies on its RAII primitives in conjunction with parallelism language features and parallelism primitives). They can be hooked into while writing 
This proposal does not change anything about the semantics of these functions in any way.
3.4.2. So how does this proposal handle it??
We leave room for a future paper adding conditionally supported, compile-time checkable unwinding semantics to C. That is, we say that any 
To prepare for such a future, this paper was written to eventually cover such behaviors and document them in a way that a program can react to the presence of unwinding reliably. That paper is here: https://thephd.dev/_vendor/future_cxx/papers/C%20-%20Unwinding.html.
3.5. Compile-time Construct
Due to the nature of the design, all 
h_err * h_build_plugins ( const char * rootdir , h_build_outfiles outfiles , const h_conf * conf ) { char * pluginsdir = h_util_path_join ( rootdir , H_FILE_PLUGINS ); if ( pluginsdir == NULL) return h_err_create ( H_ERR_ALLOC , NULL); char * outpluginsdirphp = h_util_path_join ( rootdir , H_FILE_OUTPUT "/" H_FILE_OUT_META "/" H_FILE_OUT_PHP ); if ( outpluginsdirphp == NULL) { free ( pluginsdir ); return h_err_create ( H_ERR_ALLOC , NULL); } char * outpluginsdirmisc = h_util_path_join ( rootdir , H_FILE_OUTPUT "/" H_FILE_OUT_META "/" H_FILE_OUT_MISC ); if ( outpluginsdirmisc == NULL) { free ( pluginsdir ); free ( outpluginsdirphp ); return h_err_create ( H_ERR_ALLOC , NULL); } //Check status of rootdir/plugins, returning if it doesn't exist { int err = h_util_file_err ( pluginsdir ); if ( err == ENOENT ) { free ( outpluginsdirphp ); free ( outpluginsdirmisc ); free ( pluginsdir ); return NULL; } if ( err && err != EEXIST ) { free ( outpluginsdirphp ); free ( outpluginsdirmisc ); free ( pluginsdir ); return h_err_from_errno ( err , pluginsdir ); } } //Create dirs if they don't exist if ( mkdir ( outpluginsdirphp , 0777 ) == -1 && errno != EEXIST ) { free ( outpluginsdirphp ); free ( outpluginsdirmisc ); free ( pluginsdir ); return h_err_from_errno ( errno , outpluginsdirphp ); } if ( mkdir ( outpluginsdirmisc , 0777 ) == -1 && errno != EEXIST ) { free ( outpluginsdirphp ); free ( outpluginsdirmisc ); free ( pluginsdir ); return h_err_from_errno ( errno , outpluginsdirmisc ); } //Loop through plugins, building them struct dirent ** namelist ; int n = scandir ( pluginsdir , & namelist , NULL, alphasort ); int i ; for ( i = 0 ; i < n ; ++ i ) { struct dirent * ent = namelist [ i ]; if ( ent -> d_name [ 0 ] == '.' ) { free ( ent ); continue ; } char * dirpath = h_util_path_join ( pluginsdir , ent -> d_name ); if ( dirpath == NULL) { free ( outpluginsdirphp ); free ( outpluginsdirmisc ); free ( pluginsdir ); return h_err_create ( H_ERR_ALLOC , NULL); } char * outdirphp = h_util_path_join ( outpluginsdirphp , ent -> d_name ); if ( outdirphp == NULL) { free ( dirpath ); free ( outpluginsdirphp ); free ( outpluginsdirmisc ); free ( pluginsdir ); return h_err_create ( H_ERR_ALLOC , NULL); } char * outdirmisc = h_util_path_join ( outpluginsdirmisc , ent -> d_name ); if ( outdirmisc == NULL) { free ( dirpath ); free ( outdirphp ); free ( outpluginsdirphp ); free ( outpluginsdirmisc ); free ( pluginsdir ); return h_err_create ( H_ERR_ALLOC , NULL); } h_err * err ; err = build_plugin ( dirpath , outdirphp , outdirmisc , outfiles , conf ); if ( err ) { free ( dirpath ); free ( outdirphp ); free ( outdirmisc ); free ( outpluginsdirphp ); free ( outpluginsdirmisc ); free ( pluginsdir ); return err ; } free ( dirpath ); free ( outdirphp ); free ( outdirmisc ); free ( ent ); } free ( pluginsdir ); free ( outpluginsdirphp ); free ( outpluginsdirmisc ); free ( namelist ); return NULL; } 
This is a fairly small function, clocking in at some 130 lines long. There are, as far as most reviewers can tell, no errors in the creation or deletion of the various kinds of resources (particularly, repeated memory allocations). The exact same code can be restructured as follows.
h_err * h_build_plugins ( const char * rootdir , h_build_outfiles outfiles , const h_conf * conf ) { char * pluginsdir = h_util_path_join ( rootdir , H_FILE_PLUGINS ); if ( pluginsdir == NULL) return h_err_create ( H_ERR_ALLOC , NULL); defer free ( pluginsdir ); char * outpluginsdirphp = h_util_path_join ( rootdir , H_FILE_OUTPUT "/" H_FILE_OUT_META "/" H_FILE_OUT_PHP ); if ( outpluginsdirphp == NULL) { return h_err_create ( H_ERR_ALLOC , NULL); } defer free ( outpluginsdirphp ); char * outpluginsdirmisc = h_util_path_join ( rootdir , H_FILE_OUTPUT "/" H_FILE_OUT_META "/" H_FILE_OUT_MISC ); if ( outpluginsdirmisc == NULL) { return h_err_create ( H_ERR_ALLOC , NULL); } defer free ( outpluginsdirmisc ); //Check status of rootdir/plugins, returning if it doesn't exist { int err = h_util_file_err ( pluginsdir ); if ( err == ENOENT ) { return NULL; } if ( err && err != EEXIST ) { return h_err_from_errno ( err , pluginsdir ); } } //Create dirs if they don't exist if ( mkdir ( outpluginsdirphp , 0777 ) == -1 && errno != EEXIST ) { return h_err_from_errno ( errno , outpluginsdirphp ); } if ( mkdir ( outpluginsdirmisc , 0777 ) == -1 && errno != EEXIST ) { return h_err_from_errno ( errno , outpluginsdirmisc ); } //Loop through plugins, building them struct dirent ** namelist ; int n = scandir ( pluginsdir , & namelist , NULL, alphasort ); if ( n == -1 ) { return h_err_from_errno ( errno , namelist ); } defer { for ( int i = 0 ; i < n ; ++ i ) { free ( namelist [ i ]); } free ( namelist ); } for ( int i = 0 ; i < n ; ++ i ) { struct dirent * ent = namelist [ i ]; if ( ent -> d_name [ 0 ] == '.' ) { continue ; } char * dirpath = h_util_path_join ( pluginsdir , ent -> d_name ); if ( dirpath == NULL) { return h_err_create ( H_ERR_ALLOC , NULL); } defer free ( dirpath ); char * outdirphp = h_util_path_join ( outpluginsdirphp , ent -> d_name ); if ( outdirphp == NULL) { return h_err_create ( H_ERR_ALLOC , NULL); } defer free ( outdirphp ); char * outdirmisc = h_util_path_join ( outpluginsdirmisc , ent -> d_name ); if ( outdirmisc == NULL) { return h_err_create ( H_ERR_ALLOC , NULL); } defer free ( outdirmisc ); h_err * err ; err = build_plugin ( dirpath , outdirphp , outdirmisc , outfiles , conf ); if ( err ) { return err ; } } return NULL; } 
All of the special resource cleanup along certain branches are now completely gone. We have shrunk this function by around 14 lines of code. There are no resource leaks in this code. There was a potential resource leak in the first bit of the code, where if 
- 
     shrink code by 18% of its original size (when including the differential for the additional checks added here and the free 
- 
     guarantee that further error checks and error handling do not introduce new forms of vulnerabilities/leaks; 
- 
     keeps resources in their scope and does not require refactoring nested if 
is a fairly good yield for a standard C feature. This sort of high-impact, high-quality refactoring enables better cleanup (as realized by GTK in its earliest iterations of 
3.6. Visibility & Clarity of Code
This feature also achieves something that C users have frequently requested for functionality of this caliber. While C++ destructors "hide" the code behind the destruction of an object, 
This is also a bit harder to achieve with 
int main () { __attribute__ (( cleanup ( free ))) void * p = malloc ( 1 ); return 0 ; } 
is incorrect, because it will pass 
It is not an ideal interface.
3.7. Safety & defer 
   One of the most important tenets of this feature is resistance to human fallibility. There is a lot of ways in which a human being who deals with resource handling and required calls may fail to do such explicitly paired calls for creating a resource/entity and releasing a resource/entity. Many vulnerabilities happen because restructuring to 
 [cve-2021-3744] is not a vulnerability where they forget to free the data in totality: it was that the data for 
Adding a NULL along specific paths where the data was transferred off or taken ownership of).
Note: This is not an indictment of the quality of Linux Kernel source code, but — as this sort of vulnerability has been repeated time and time again over the last two decades — a cautionary tale of how human beings are allowed to be fallible.
To quote Daniel Stenberg, maintainer of curl:
It burns in my soul
Reading the code now it is impossible not to see the bug. Yes, it truly aches having to accept the fact that I did this mistake without noticing and that the flaw then remained undiscovered in code for 1315 days. I apologize. I am but a human.
(Emphasis mine.) We are all human. One of the takeaways that people usually have from this is that we need to put "more eyeballs" or "do better teaching", but this is — again — not the first time this sort of vulnerability happened. For example, the same kind of bug also came from the GnuTLS implementation back in 2014[gnu-tls-bug-analysis]. The moral of the story is not to beat human beings up for their fallibility or mistakes, but to turn around to the language designers and actually ask them why this sort of problem can go on for nearly 40 years of C programming and nobody actually bring a solution to the problem.
It is time to start acknowledging that our lack of built-in tools in C is not doing the job quite right. The fact that titans in our industry over 30, 40 years can have even the tiniest slip-up or slightest indentation mistake used against them and their code, points to a fundamental issue in the way the language interacts with and works with its user base. Requiring perfect, 24/7 vigilance from people who support trillion-USD market cap industries and billion-USD quarterly budget businesses across the entire globe — and in space itself — while only earning a fraction of that while sometimes unable to support themselves is quite frankly bonkers. Our users have faithfully served the C language for decades.
They deserve tools and features that can cover their fallibility and make it difficult for them to forget to handle certain cases of bugs, whether it’s heap overflow, use-after-free/double-free, integer overflow or otherwise. It is time we recognize that, in some ways, we made it error-prone and wrong, and that we can do small, simple things to make it better.
3.8. defer 
   The code in a 
3.8.1. defer return 
   A 
int woof (); int bark (); int use ( int x ){ defer { woof (); } return bark (); } 
The order of execution is 
int use ( int x ){ int * p = & x ; * p = 400 ; defer { * p = 500 ; } return * p ; } 
The return value of the 
Note: This is compatible with C++ semantics for a similar C++ feature: constructors and destructors. See this live code snippet:
struct destroy_me { int & r ; ~ destroy_me () { r = 5 ; } }; int main () { int r = 4 ; destroy_me dm { r }; return r ; } 
3.8.2. Flow Control / Jumps out of defer 
   
#include <opt.h>int get_work_order (); void rollback ( int handle ); opt ( int ) attempt_transaction ( int handle0 , int handle1 ); int main () { int very_important_handle = get_work_order (); defer { rollback ( very_important_handle ); } int very_important_handle2 = get_work_order (); defer { rollback ( very_important_handle2 ); // !!! goto try_attempt ; } try_attempt : opt ( int ) result = attempt_transaction ( very_important_handle , very_important_handle2 ); return 0 ; } 
That 
This technically breaks with existing practice. GCC and MSVC both allow forms of this using nested functions with the 
#include <stdio.h>#include <stdlib.h>int main () { __label__ loop_endlessly_and_crash ; loop_endlessly_and_crash :; void horrible_crimes ( void * pp ) { void * p = * ( void ** ) pp ; printf ( "before goto... \n " ); goto loop_endlessly_and_crash ; printf ( "after goto... \n " ); printf ( "deallocating... \n " ); free ( p ); } [[ gnu :: cleanup ( horrible_crimes )]] void * p = malloc ( 1 ); printf ( "allocated... \n " ); printf ( "before label... \n " ); printf ( "after label... \n " ); return 0 ; } 
#include <stdio.h>#include <stdlib.h>int main ( void ) { loop_endlessly_and_crash :; void * p ; __try { p = malloc ( 1 ); } __finally { goto loop_endlessly_and_crash ; free ( p ); } return 0 ; } int main2 ( void ) { __try { return 1 ; } __finally { return 5 ; } } 
Nevertheless, we think it’s better to break with this existing practice, for now.
3.8.3. goto defer 
   Much like the previous section, this code is also banned:
#include <stdio.h>int main () { goto target ; defer { fputs ( " meow \n " , stdout ); } target : fputs ( "cat says" , stdout ); } 
Ostensibly, one could justify the way this works. "The 
#include <stdio.h>int main () { fputs ( "cat says" , stdout ); return 0 ; defer { fputs ( " meow \n " , stdout ); } } 
Do we still print 
For this case specifically, 
3.8.4. goto defer 
   This case has to be banned. Under no circumstances can we allow 
int main ( int argc , char * argv []) { void * p = malloc ( 1 ); defer { my_label : free ( p ); } goto my_label ; if ( argc < 2 ) { return 1 ; } /* … */ return 0 ; } 
If the 
3.8.5. What about longjmp 
   Unfortunately, 
3.9. Back-Porting
To allow for back porting to older versions of C, the defer TS is going to provide for a 
4. C++ Compatibility: Why Not Member Functions + Constructors/Destructors?
As will be asked one hundred thousand times throughout the course of this proposal’s life:
4.1. Why Not Just Put Member Functions And Constructors/Destructors Into C? RAII Is Powerful And Solves This Problem?
There are several purely technical reasons for not pursuing a constructor/destructor-alike solution that is fully compatible with C and C++ member declarations. Briefly, they can be categorized as follows.
- 
     Function overloading required for constructor syntax, even without other member function syntax. 
- 
     Name mangling required for constructor syntax, even without other member function syntax. 
- 
     And, interoperability with older C code that will suddenly be imbued with the potential for constructor/destructor semantics and may not produce binary-compatible construction representations (implementation-specific). 
The first two are interconnected and also simply part of the bargain. If any of GCC, Clang, or MSVC wanted to adopt a proposal for C that would inject member functions into the language, they would — naturally and correctly — do so with the implementation that has served C++ well over the last few decades, by using name mangling. But, implementation-controlled name mangling is abhorrent to C developers for a wide variety of reasons, least of all being they have less control over their Application Binary Interfaces than they have already been deprived of. While C mangling is fairly consistent across most platforms (in that there is either little or none at all), C++ name mangling implementations can outstrip the implementation of many C17 frontends in their entirety in complexity and effort.
Function overloading — and the requisite name mangling schemes that would come with it — are very much not feasible for C implementations or the C language.
 Even destructors need overloading (https://godbolt.org/z/W4jxqPxx9), as this example code shows for the differences in the way the destructor name is mangled versus the way a plain 
Furthermore, 
Sommerlad’s efforts ultimately failed in C++ because C++ has a rule that objects created and owned by the C++ Standard Library must never have a non-
 Thusly, C++'s own rules about destructors — that they refused to break in this one case — makes it impossible to create an RAII object that fulfills one of the primary uses of 
4.2. Signaling Failure in Destructors
Destructors also present another serious problem in that the only way to communicate things out of them is to either:
- 
     capture specific information in the constructor and then propagate it out of the defer call in some fashion (antithetical to the design of both destructors or defer 
- 
     or, throw an exception. 
Asides from the general issues of how palatable exceptions may or may not be for C, destructors with unwinding and exceptions prove to be truly untenable in many cases. For example, for file-type resources in C++ or thread-type resources in C++, the standard mandates that any errors or exceptions generated are just completely consumed and swallowed and never communicated outside of their destructor. This presents a greater issue for the degree of resource safety, and often users have had to manually flush 
virtual ~ basic_filebuf (); Effects: Calls
.close () If an exception occurs during the destruction of the object, including the call to
, the exception is caught but not rethrown (see [res.on.exception.handling]).close () — C++ Standard, 31.10.3.2 [filebuf.cons], December 10th, 2023
This happens in numerous other places in the C++ standard library. It is sufficient to state that this is very undesirable for C; swallowing exceptions -- or any other failure -- in a destructor-like design is not a good design for C. It is analogous to having error codes set on 
Note: Having cleanup behavior completely devoid of context and potential failures, trapped in its own function scope, removes the ability to react to important context related to the success or failure of certain complex hardware and operating system resources.
4.3. The Ideal World
Speaking briefly from a language design standpoint: in an ideal world, both of these solutions would be present side by side to offer the user a maximally flexible choice of error handling, automated cleanup, general-purpose undo power, and freedom to choose context (or not have any contextual information at all). Unfortunately, due to the technical challenges of name mangling from member functions (destructors and constructors) it may be some time before C sees a solution where an object contains its own clean up code and that clean up code follows an object through the system (e.g., by using types).
Despite the advances that 
4.4. The Polyfill/C++ Fix
In either case, for the above stated reasons, we will not be pursuing providing member functions (constructors/destructors) for C. We also do not anticipate C++ being thrilled about that, and may see us asking for 
Note: We do invite C++ users, for the sake of interoperation, to create their own using a structure/class with Class Template Argument Deduction (CTAD) and lambdas, as that can cover the space fairly nicely with (effectively, needs an extra 
#include <type_traits>#include <utility>template < typename _Fx > struct __defer_t { _Fx __fx ; __defer_t ( _Fx && __arg_fx ) noexcept ( :: std :: is_nothrow_move_constructible_v < _Fx > ) : __fx ( :: std :: move ( __arg_fx )) {} ~ __defer_t () noexcept ( :: std :: is_nothrow_invocable_v < _Fx > ) { __fx (); } }; template < typename _Fx > __defer_t ( _Fx __fx ) -> __defer_t <:: std :: decay_t < _Fx >> ; #define __DEFER_TOK_CONCAT(X, Y) X ## Y #define __DEFER_TOK_PASTE(X, Y) __DEFER_TOK_CONCAT(X, Y) #define defer __defer_t \ __DEFER_TOK_PASTE(__scoped_defer_obj, __COUNTER__) = \ [&]() #include <stdio.h>int main () { defer { defer { fputs ( " :3 \n " , stdout ); }; fputs ( " meow" , stdout ); }; fputs ( "cat says" , stdout ); return 0 ; } 
5. Implementation Experience
This proposal is modeled after existing practice, but is not directly provided in a C compiler in C mode. It can be approximated (as shown above) using C++, but C++ does not have a language feature for this form that isn’t just a stripped-down form of RAII.
This leaves both Microsoft’s 
- 
     ignorable by the wording for attributes (and their expected behavior); 
- 
     tied too strongly to a declaration (and may fall off in an unwarranted fashion); 
- 
     and, in the existing practice, does not have support for single fields in a structure or similar without writing an extended function to pick out specific pieces of a structure to cleanup. 
In contrast 
In the future, we expect that — should someone solve the tension between name mangling, member functions, constructors/destructors, and more — we could consider moving into a destructor-based solution that is tied to the type system and objects. We view that as better to solve the problem for individual member fields and larger objects, while reducing the amount of times that the cleanup code may need to be written. However, C users have expressed a deep tie to having code that will run be visible in the scope. Macros violate this rule (e.g. 
5.1. slimcc
An implementation of 
5.2. onramp
An implementation of 
5.3. GCC (Patched)
An implementation of 
The continued patch is available on the GCC Patches mailing list: https://gcc.gnu.org/pipermail/gcc-patches/2025-August/693318.html.
5.4. eĿlipsis
An implementation of 
5.5. Clang patches
A Clang patch is available and under review.
6. Wording
Wording is relative to the latest draft revision of the C Standard.
6.1. Modify §5.1.2.2.3 Program termination to ensure defers in main 
   5.1.2.2.3 Program terminationIf the return type of the
function is a type compatible withmain , a return from the initial call to the main function is equivalent to calling theint function with the value returned by theexit function as its argument after allmain statements that are in scope for thedefer function have been executed ; …main 
6.2. Modify 6.4.2 Keywords to include defer 
   6.4.2 KeywordsSyntaxkeyword: one of
…
default
deferdo
…
6.3. Modify §6.8.1 General’s (for "Statements and Blocks") unlabeled-statement grammar production to include a new defer-statement
6.8 Statements6.8.1 GeneralSyntaxstatement:
labeled-statement
unlabeled-statement
unlabeled-statement:
expression-statement
attribute-specifier-sequenceopt primary-block
attribute-specifier-sequenceopt jump-statement
- attribute-specifier-sequenceopt defer-statement
primary-block:
compound-statement
selection-statement
iteration-statement
secondary-block:
statement
deferred-block:
unlabeled-statement
…A block is either a primary block, a secondary block, a deferred block, or the block associated with a function definition; …
6.4. Add a new §6.8.✨ "Defer statements" section describing the new defer-statement
6.8.✨ Defer statementsSyntaxdefer-statement:
defer deferred-block
DescriptionLet D be a defer statement, S be the deferred block of D, and E be the enclosing block of D.
ConstraintsJumps by means of:
orgoto shall not jump into any defer statement;switch 
orgoto shall not jump from outside the scope of a defer statement D to inside that scope;switch 
and,
,goto ,break , orcontinue shall not exit S.return SemanticsWhen execution reaches a defer statement D, its S is not immediately executed during sequential execution of the program. Instead, for the duration of the scope of D, S is executed upon:
the termination of the block E and/or the scope of D (such as reaching its end);
or, any exit from E and/or the scope of D through
,return ,goto , orbreak .continue The execution is done just before leaving the enclosing block E and/or the scope of D. In particular
expressions (and conversion to return values) are evaluated before executing S.return Multiple defer statements execute their S in the reverse order they appeared in E. Within a single defer statement D, if D contains one or more defer statements Dsub of its own, then the Ssub of the Dsub are also executed in reverse order at the termination and/or exit of the scope of Dsub, recursively, according to the rules of this subclause.
If a non-local jump (e.g.
) is used in D's scope but before the execution of the S of D:longjmp 
if execution leaves D's scope, S is not executed;
otherwise, if control returns to a point in E and causes D to be reached more than once, the effect is the same as reaching D only once.
NOTE This is because the "execution" of a defer statement only ensures that S is run on any exit from D's scope. There is no observable side effect to repeat from reaching D, as the manifestation of any of the effects of S happen if and only if the scope of D is exited or terminated after reaching D, as previously specified. "Tracking" of reached defer statements at execution time is not necessary: if the non-local jump leaves the scope it is not executed (forgotten); and, if its reached again it behaves as it would during normal execution.
If a non-local jump (e.g.
) is executed from S and control leaves S, the behavior is undefined.longjmp If a non-local jump (e.g.
) is executed outside of any D and:longjmp 
it jumps into any S;
or, it jumps outside any D's scope to inside that D's scope;
the behavior is undefined.
If some E has any defer statements D that have been reached and their S have not yet executed, but the program is terminated or leaves the scope of D through any means not specified previously, including but not limited to:
a function with the
function specifier, or a function annotated with the_Noreturn /noreturn attribute, is called;_Noreturn 
or, any signal
,SIGABRT , orSIGINT occurs;SIGTERM then any such S are not run, unless otherwise specified by the implementation. Any other D that have not been reached do not have their S run.
NOTE The execution of deferred statements upon non-local jumps or program termination is a technique sometimes known as "unwinding" or "stack unwinding", and some implementations perform it. See also ISO/IEC 14882 Programming languages — C++ [except.ctor].
EXAMPLE Defer statements cannot be jumped over or jumped out of.
#include <stdio.h>int f () { goto target ; // constraint violation defer { fputs ( " meow \n " , stdout ); } target : fputs ( "cat says" , stdout ); return 1 ; } int g () { return fputs ( "cat says" , stdout ); defer { fputs ( " meow \n " , stdout ); } // okay: no constraint violation, not executed // print "cat says" to standard output } int h () { goto target ; { // okay: no constraint violation defer { fputs ( " meow \n " , stdout ); } } target : fputs ( "cat says" , stdout ); return 1 ; // prints "cat says" to standard output } int i () { { defer { fputs ( "cat says" , stdout ); } // okay: no constraint violation goto target ; } target : fputs ( " meow \n " , stdout ); return 1 ; // prints "cat says meow" to standard output } int j () { defer { goto target ; // constraint violation fputs ( " meow \n " , stdout ); } target : fputs ( "cat says" , stdout ); return 1 ; } int k () { defer { return 5 ; // constraint violation fputs ( " meow \n " , stdout ); } fputs ( "cat says" , stdout ); return 1 ; } int l () { defer { target : fputs ( " meow \n " , stdout ); } goto target ; // constraint violation fputs ( "cat says" , stdout ); return 1 ; } int m () { goto target ; // okay: no constraint violation { target : defer { fputs ( "cat says" , stdout ); } } fputs ( " meow \n " , stdout ); return 1 ; // prints "cat says meow" to standard output } int n () { goto target ; // constraint violation { defer { fputs ( " meow \n " , stdout ); } target : } fputs ( "cat says" , stdout ); return 1 ; } int o () { { defer fputs ( "cat says" , stdout ); goto target ; } target :; fputs ( " meow \n " , stdout ); return 1 ; // prints "cat says meow" } int p () { { goto target ; defer fputs ( " meow \n " , stdout ); } target :; fputs ( "cat says" , stdout ); return 1 ; // prints "cat says" } int q () { { defer { fputs ( " meow \n " , stdout ); } target : } goto target ; // constraint violation fputs ( "cat says" , stdout ); return 1 ; } int r () { { target : defer { fputs ( "cat says" , stdout ); } } goto target ; // ok: prints "cat says" repeatedly // never reached fputs ( " meow \n " , stdout ); return 1 ; } int s () { { target : defer { fputs ( "cat says" , stdout ); } goto target ; // ok // prints "cat says" repeatedly } // never reached fputs ( " meow" , stdout ); return 1 ; } int t () { int count = 0 ; { target : defer { fputs ( "cat says " , stdout ); } ++ count ; if ( count <= 2 ) { goto target ; // ok } } fputs ( "meow" , stdout ); return 1 ; // prints "cat says cat says cat says meow" } int u () { int count = 0 ; { defer { fputs ( "cat says" , stdout ); } target : if ( count < 5 ) { ++ count ; goto target ; // ok } } fputs ( " meow" , stdout ); return 1 ; // prints "cat says meow" } int v () { int count = 0 ; target : if ( count >= 2 ) { fputs ( "meow" , stdout ); return 1 ; // prints "cat says cat says meow" } defer { fputs ( "cat says " , stdout ); } count ++ ; goto target ; return 0 ; // never reached } EXAMPLE All the expressions and statements of an enclosing block are evaluated before executing defer statements, including any conversions. After all defer statements are executed, the block is then exited.
int main () { int r = 4 ; int * p = & r ; defer { * p = 5 ; } return * p ; // return 4; } This is important for proper resource management in conjunction with potentially complex return expressions.
#include <stdlib.h>#include <stddef.h>int f ( size_t n , void * buf ) { /* ... */ return 0 ; } int main () { const int size = 20 ; void * buf = malloc ( size ); defer { free ( buf ); } // buffer is not freed until AFTER use_buffer returns return use_buffer ( size , buf ); } Conversions for the purposes of
are also computed beforereturn is entered.defer #include <float.h>#include <assert.h>bool f () { double x = DBL_SNAN ; defer { // fetestexcept(FE_INVALID) is nonzero because of the // comparison during the conversion to bool assert ( fetestexcept ( FE_INVALID ) != 0 ); } return x ; } EXAMPLE It is not defined if defer statements execute their deferred block if the exiting / non-returning functions detailed previously are called.
#include <stdio.h>#include <stdlib.h>int main () { void * p = malloc ( 1 ); if ( p == NULL) { return 0 ; } defer free ( p ); exit ( 1 ); // "p" may be leaked } EXAMPLE Defer statements, when execution reaches them, are tied to the scope of the defer statement within their enclosing block, even if it is a secondary block without braces.
#include <stdio.h>#include <stdlib.h>int main () { { defer { fputs ( " meow \n " , stdout ); } if ( true) defer fputs ( "cat" , stdout ); fputs ( " says" , stdout ); } // "cat says meow" is printed to standard output exit ( 0 ); } This applies to any enclosing block, even
loops without braces around its body.c for #include <stdio.h>#include <stdlib.h>int main () { const char * arr [] = { "cat" , "kitty" , "ferocious little baby" }; defer { fputs ( " meow \n " , stdout ); } for ( unsigned int i = 0 ; i < 3 ; ++ i ) defer printf ( "my %s, \n " , arr [ i ]); fputs ( "says" , stdout ); // "my cat, // my kitty, // my ferocious little baby, // says meow" // is printed to standard output return 0 ; } EXAMPLE Defer statements deferred blocks execute in reverse order, and nested defer statements execute in reverse order but at the end of the defer statement they were invoked within. The following program:
int main () { int r = 0 ; { defer { defer r *= 4 ; r *= 2 ; defer { r += 3 ; } } defer r += 1 ; } return r ; // return 20; } is equivalent to:
int main () { int r = 0 ; r += 1 ; r *= 2 ; r += 3 ; r *= 4 ; return r ; // return 20; } EXAMPLE Defer statements can be executed within a
, but aswitch cannot be used to jump into the scope of a defer statement.switch #include <stdlib.h>int main () { void * p = malloc ( 1 ); switch ( 1 ) { defer free ( p ); // constraint violation default : defer free ( p ); break ; } return 2 ; } EXAMPLE Defer statements can not be exited by means of
orbreak .continue int main () { switch ( 1 ) { default : defer { break ; // constraint violation } } for (;;) { defer { break ; // constraint violation } } for (;;) { defer { continue ; // constraint violation } } return 0 ; } EXAMPLE Defer statements that are not reached do not have their deferred block executed.
#include <stdlib.h>int main () { void * p = malloc ( 1 ); return 0 ; defer free ( p ); // not executed, p is leaked } EXAMPLE Defer statements can contain other compound statements.
typedef struct meow * handle ; extern int purr ( handle * h ); extern void un_purr ( handle h ); int main () { handle h ; int err = purr ( & h ); defer if ( ! err ) un_purr ( h ); return 0 ; } EXAMPLE Non-local jumps do not execute defer statements, and jumping backwards to reach the same defer statement does not accumulate defer statements.
#include <stdio.h>#include <setjmp.h>#include <stdlib.h>static jmp_buf jbuf ; int f ( int count ) { defer { fputs ( "cat says meow" , stdout ); } if ( count == 2 ) { return 1 ; } longjmp ( jbuf , count + 1 ); return 0 ; } int main ( void ) { volatile int count = 0 ; if ( setjmp ( jbuf ) == 2 ) { // prints "cat says meow" return 1 ; } f ( count ); return 0 ; } 
6.5. Modify §7.29.5.1 The thrd_create defer 
   7.29.5.1 Thefunctionthrd_create ...DescriptionThe
function creates a new thread executingthrd_create . If thefunc ( arg ) function succeeds, it sets the object pointed to bythrd_create to the identifier of the newly created thread. (A thread’s identifier can be reused for a different thread once the original thread has exited and either been detached or joined to another thread.) The completion of thethr function synchronizes with the beginning of the execution of the new thread.thrd_create Returning from
has the same behavior as invokingfunc with the value returned fromthrd_exit after running all defer statements (6.8.✨) that are in scope forfunc .func ...
6.6. Modify Annex J’s list of undefined behaviors with non-local jump undefined behavior (e.g. longjmp 
   Note: 📝 For the editor to do within the Annex J undefined behavior list.