c++中static关键字的用法
时间: 2024-03-15 09:38:51 浏览: 79
详解c++中的 static 关键字及作用
在C++中,static关键字有多种用法,下面是两个常见的用法示例:
1. 在函数内部使用static修饰局部变量:
```cpp
#include <iostream>
using namespace std;
void increment() {
static int count = 0; // 使用static修饰局部变量
count++;
cout << "Count: " << count << endl;
}
int main() {
increment(); // 输出:Count: 1
increment(); // 输出:Count: 2
increment(); // 输出:Count: 3
return 0;
}
```
在上面的示例中,使用static修饰的局部变量count在函数调用之间保持其值,而不会被重置为初始值。
2. 在类中使用static修饰成员变量:
```cpp
#include <iostream>
using namespace std;
class MyClass {
public:
static int count; // 使用static修饰成员变量
};
int MyClass::count = 0; // 静态成员变量需要在类外进行初始化
int main() {
MyClass obj1;
MyClass obj2;
obj1.count = 5;
cout << "obj1.count: " << obj1.count << endl; // 输出:obj1.count: 5
cout << "obj2.count: " << obj2.count << endl; // 输出:obj2.count: 5
obj2.count = 10;
cout << "obj1.count: " << obj1.count << endl; // 输出:obj1.count: 10
cout << "obj2.count: " << obj2.count << endl; // 输出:obj2.count: 10
return 0;
}
```
在上面的示例中,使用static修饰的成员变量count是类的所有对象共享的,它的值在所有对象之间保持一致。
阅读全文