// 初始化列表的基本使用
#include <iostream>
using namespace std;
class Person {
public:
Person() {
}
//Person(int a, int b, int c) {
// this->myA = a;
// this->myB = b;
// this->myC = c;
//}
// 利用初始化列表 初始化数据
Person(int a, int b, int c): myA(a), myB(b), myC(c) {
}
int myA;
int myB;
int myC;
};
void test01() {
Person person(1, 2, 3);
cout << "person myA: " << person.myA << endl;
}
int main() {
test01();
return EXIT_SUCCESS;
}
// 静态成员变量、静态成员函数
#include <iostream>
using namespace std;
class Person {
public:
Person() {
}
static void func() {
myAge = 20;
cout << "func 调用 " << endl;
};
// static 是 静态成员变量, 会共享数据;
static int myAge; // 静态成员变量, 在类内声明, 类外进行初始化;
};
int Person::myAge = 10;
void test01() {
Person person;
cout << "person age1: " << person.myAge << endl; // 10
person.myAge = 20;
cout << "person age2: " << person.myAge << endl; // 20
cout << "Person::myAge: " << Person::myAge << endl; // 20
person.myAge = 30;
cout << "Person::myAge: " << Person::myAge << endl; // 30
}
void test02() {
// 静态成员函数的两种调用方式
Person::func();
Person person;
person.func();
}
int main() {
//test01();
test02();
return EXIT_SUCCESS;
}