本文主要是介绍用atexit()处理C/C++程序的退出,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!
很多时候我们需要在程序退出的时候做一些诸如释放资源的操作,但程序退出的方式有很多种,比如main()函数运行结束、在程序的某个地方用exit()结束程序、用户通过Ctrl+C或Ctrl+break操作来终止程序等等,因此需要有一种与程序退出方式无关的方法来进行程序退出时的必要处理。方法就是用atexit()函数来注册程序正常终止时要被调用的函数。
atexit()函数的参数是一个函数指针,函数指针指向一个没有参数也没有返回值的函数。atexit()的函数原型是:int atexit (void (*)(void));
在一个程序中最多可以用atexit()注册32个处理函数,这些处理函数的调用顺序与其注册的顺序相反,也即最先注册的最后调用,最后注册的最先调用。
下面是一段代码示例:
程序的运行结果为:
- #include <stdlib.h> // 使用atexit()函数所必须包含的头文件stdlib.h
- #include <iostream.h>
- void terminate()
- {
- cout<<"program is terminating now..."<<endl;
- }
- int main(void)
- {
- // 注册退出处理函数
- atexit(terminate);
- cout<<"the end of main()"<<endl;
- return 0;
- }
程序的运行结果为:
the end of main()
program is terminating now...
原文:http://blog.csdn.net/abcwangdragon/archive/2006/10/24/1349203.aspx
msdn上的例子:
- // crt_atexit.c
- #include <stdlib.h>
- #include <stdio.h>
- void fn1( void ), fn2( void ), fn3( void ), fn4( void );
- int main( void )
- {
- atexit( fn1 );
- atexit( fn2 );
- atexit( fn3 );
- atexit( fn4 );
- printf( "This is executed first./n" );
- }
- void fn1()
- {
- printf( "next./n" );
- }
- void fn2()
- {
- printf( "executed " );
- }
- void fn3()
- {
- printf( "is " );
- }
- void fn4()
- {
- printf( "This " );
- }
Output
This is executed first. This is executed next.
出自:http://msdn.microsoft.com/zh-cn/asp.net/tze57ck3(VS.80).aspx
这篇关于用atexit()处理C/C++程序的退出的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!