参数
C++规定标准main函数的返回类型为int型,所以我们最后要写return 0;表示程序正常退出。 很多人写main函数都没有参数,就觉得它没有参数,其实不是的。
main函数原型:
int main(int argc,char* argv[]);
int main(int argc,char** argv);
看见其实main函数有两个参数, 第一个参数表示传入数组的个数。至少为1. 第二个参数表示传入的指针数组。数组中每个元素保存命令参数的字符串。这个数组argv[0]保存着函数名和路径,即我们后面说到的main.out。
#include <iostream>
using namespace std;
int main(int argc,char* argv[])
{
if(argc>1)
{
cout<<"Hello "<<argv[1]<<endl;
}
return 0;
}
以上代码,我们编译之后生成main.out文件,不运行,控制台输入main.out abcd,然后我们在运行: 因为第一个参数默认为argv[0]保存了main.out 我们又输入了abcd,所以这里argc为2. 运行结果为:
Hello abcd
main函数不是程序中第一个运行的函数
1.首先很好想,比如我们有一个类A,先写这个类,然后初始化了这个类,再到main函数:
#include <iostream>
using namespace std;
class A
{
public:
A()
{
cout<<"In default A's constructor"<<endl;
}
};
A b;
int main()
{
cout<<"In main()"<<endl;
return 0;
}
输出:
In default A's constructor
In main()
可见main不是第一个被运行的;
2.其次在gcc中 可以用attribute关键字,声明constructor和destructor 写一个void类型的before_main
__attribute((constructor))void before()
{
printf("before main\n");
}
__attribute((constructor)) void before_main()
{
printf("%s/n",__FUNCTION__);
}
同样也可写aftermain
__attribute((destructor)) void after_main()
{
printf("%s/n",__FUNCTION__);
}
|