Open In App

exit() vs _Exit() in C/C++

exit() and _Exit() in C/C++ are very similar in functionality. However, there is one difference between exit() and _Exit() and it is that exit() function performs some cleaning before the termination of the program like connection termination, buffer flushes, etc.

exit()

In C, exit() terminates the calling process without executing the rest code which is after the exit() function call. It is defined in the <stdlib.h> header file.



Syntax of exit()

void exit(int exit_code);

Parameters

Return Value



Example of exit()




// C program to illustrate exit() function.
#include <stdio.h>
#include <stdlib.h>
 
// Driver Code
int main(void)
{
    printf("START");
 
    exit(0);
    // The program is terminated here
 
    // This line is not printed
    printf("End of program");
}

Output
START

Explanation

In the above program, first, the printf statement is called and the value is printed. After that, the exit() function is called and it exits the execution immediately and it does not print the statement in the printf().

_Exit()

The _Exit() function in C/C++ gives normal termination of a program without performing any cleanup tasks. For example, it does not execute functions registered with atexit() function.

It is defined in the <stdlib.h> header file, which is part of the C Standard Library.

Syntax of _Exit()

void _Exit(int exit_code);

Parameters

Return Value

Example




// A C++ program to demonstrate the difference between
// exit() and _Exit()
#include <bits/stdc++.h>
using namespace std;
 
// Function registered with atexit()
void fun(void) { cout << "Exiting"; }
 
int main()
{
    // Register fun() to be called at program termination
    atexit(fun);
 
    // Terminate the program immediately using _Exit()
    // function with exit code 10
    _Exit(10);
 
    // The code after _Exit() will not be executed
 
    return 0;
}

No output

Difference between exit() and _Exit()

Let’s understand the difference through an example.

Here, in the following program, we have used exit(),





Output
Exiting

The code is immediately terminated after exit() is encountered. Now, if we replace exit with _Exit()




// A C++ program to demonstrate the difference between
// exit() and _Exit()
#include <bits/stdc++.h>
using namespace std;
 
// Function registered with atexit()
void fun(void) { cout << "Exiting"; }
 
int main()
{
    // Register fun() to be called at program termination
    atexit(fun);
 
    // Terminate the program immediately using _Exit()
    // function with exit code 10
    _Exit(10);
 
    // The code after _Exit() will not be executed
 
    return 0;
}

No output

Article Tags :