static
1.修饰变量
静态全局变量,作用于仅限于变量被定义的文件中,其中文件即使使用extern声明也没有办法使用他。准确地说作用于是从定于之处开始,到文件尾处结束,在定于之处前面的那些代码也不能使用它。想要使用就得在前面再加extern ***。所以一般在文件顶处直接定义。
void fun1()
{
extern int i;
i++;
cout<<i<<endl;
2.修饰函数。函数前加static使得函数成为静态函数。但此处的含义不是指存储方式,而是指对函数的作用域仅局限于本文件(所以又称内部函数)。使用内部函数的好处是:不同的人编写不同函数时,不用担心自己定义的函数,是否会与其它文件中的函数同名。
//main.cpp
#include<iostream>
#include "test2.h"
using namespace std;
void fun1()
{
int i = 0;
i++;
cout<<i<<endl;
}
int main()
{
fun1();
fun2();
#include <iostream>
#include "test2.h"
using namespace std;
static void fun1()
{
cout<<"the func with the same name"<<endl;
}
void fun2()
{
fun1();
}
//test.h
void fun2();
output:
1
the func with the same name
关键字static有着不寻常的历史。起初,在C中引入关键字static是为了表示退出一个块后仍然存在的局部变量,随后,static在C中有了第二种含义:用来表示不能被其它文件访问的全局变量和函数。为了避免引入新的关键字,所以仍然使用static关键字来表示这第二种含义。
1.修饰变量
静态全局变量,作用于仅限于变量被定义的文件中,其中文件即使使用extern声明也没有办法使用他。准确地说作用于是从定于之处开始,到文件尾处结束,在定于之处前面的那些代码也不能使用它。想要使用就得在前面再加extern ***。所以一般在文件顶处直接定义。
void fun1()
{
extern int i;
i++;
cout<<i<<endl;
}
static int i;
不过奇怪,用DEVCPP可以,用VS2010不行,如果把static去掉,那vs2010就能编译通过了。2.修饰函数。函数前加static使得函数成为静态函数。但此处的含义不是指存储方式,而是指对函数的作用域仅局限于本文件(所以又称内部函数)。使用内部函数的好处是:不同的人编写不同函数时,不用担心自己定义的函数,是否会与其它文件中的函数同名。
//main.cpp
#include<iostream>
#include "test2.h"
using namespace std;
void fun1()
{
int i = 0;
i++;
cout<<i<<endl;
}
int main()
{
fun1();
fun2();
}
//test2.cpp#include <iostream>
#include "test2.h"
using namespace std;
static void fun1()
{
cout<<"the func with the same name"<<endl;
}
void fun2()
{
fun1();
}
//test.h
void fun2();
output:
1
the func with the same name
关键字static有着不寻常的历史。起初,在C中引入关键字static是为了表示退出一个块后仍然存在的局部变量,随后,static在C中有了第二种含义:用来表示不能被其它文件访问的全局变量和函数。为了避免引入新的关键字,所以仍然使用static关键字来表示这第二种含义。