C++类有三种数据成员,由声明数据成员时修饰数据成员的关键字决定:static就是静态数据成员,const就是常量数据成员,既没有static也没有const那就是普通数据成员啦!←_←
相信很多同学都为三种数据成员的赋值感到头晕脑胀,下面就来讲一下这三种数据成员通过哪些方式赋值是可行的,通过哪些方式赋值又是不可行的。
Talk is cheap, show me the code!
#include<iostream>
#include<string.h>
using namespace std;
// 三种数据成员:1.常量数据成员const 2.静态数据成员static 3.普通数据成员(normal)
// 四种赋值方式:1.直接初始化(在声明时就赋值) 2.先声明再通过初始化列表赋初值 3.先声明再在构造函数体里赋初值 4.先声明再在类外赋初值
class Example{
public:
const int i_const_1 = 10;
const int i_const_2;
const int i_const_3;
const int i_const_4;
//static int i_static_1 = 10;// Error:带有类内初始值设定项的成员必须为常量
static int i_static_2;
static int i_static_3;
static int i_static_4;
int i_normal_1 = 10;
int i_normal_2;
int i_normal_3;
int i_normal_4;
Example(int t)
: i_const_2(t)
//, i_static_2(t)// Error:不是类"Example"的非静态数据成员或基类
, i_normal_2(t)
// /* // Error:"Example::Example(int t)"未提供初始值设定项:常量 成员"Example::i_const_3" 常量 成员"Example::i_const_4"
, i_const_3(t)
, i_const_4(t)
// */
{
// i_const_3 = 10;// Error:表达式必须是可修改的左值
// i_static_3 = 10; // error LNK2001: 无法解析的外部符号
i_normal_3 = 10;
}
};
//int example::i_const_4 = 10;// Error:非静态的类数据成员不能在其类的外部定义
int Example::i_static_4 = 10;
//int example::i_normal_4 = 10;// Error:非静态的类数据成员不能在其类的外部定义
int main()
{
Example e(10);
cout << "i_const_1: " << e.i_const_1 << endl;
cout << "i_const_2: " << e.i_const_2 << endl;
cout << "i_static_4: " << e.i_const_4 << endl;
cout << "i_normal_1: " << e.i_normal_1 << endl;
cout << "i_normal_2: " << e.i_normal_2 << endl;
cout << "i_normal_3: " << e.i_normal_3 << endl;
}
运行结果
i_const_1: 10
i_const_2: 10
i_static_4: 10
i_normal_1: 10
i_normal_2: 10
i_normal_3: 10
可以看到,不同类型的数据成员有不同的赋值方式,要记住了哦!
数据成员类型 | const | static | normal |
---|
直接初始化(在声明时就赋值) | √ | × | √ |
先声明再通过初始化列表赋初值 | √ | × | √ |
先声明再在构造函数体里赋初值 | × | × | √ |
先声明再在类外赋初值 | × | √ | × |