Q:下面程序类的定义是否合法?

#include <iostream>
using namespace std;
class Test
{
	private:
		const int ci;
	public:
		Test()
		{
			ci=10;
		}
		int getCi()
		{
			return ci;
		}
};

int main()
{
	Test t;
	cout<<"t="<<t<<endl;
}

结果 可以看出错误是const定义的是只读并且没有进行初始化,对其进行修改后正确的初始化程序与结果如图所示 类成员的初始化: 1.C++中提供了初始化列表对成员变量进行初始化 2.语法规则 注意事项 1.成员的初始化顺序与成员的声明顺序相同 2.成员的初始化顺序与初始化列表中的位置无关 3.初始化列表先于构造函数的函数体执行 代码示例及结果

#include <iostream>
using namespace std;

class Value
{
private:
    int mi;
public:
    Value(int i)
    {
        cout<<"i="<<i<<endl;;
        mi = i;
    }
    int getI()
    {
        return mi;
    }
};

class Test
{
private:
    Value m2;
    Value m3;
    Value m1;
public:
    Test() : m1(1), m2(2), m3(3)
    {
        cout<<"Test()"<<endl;
    }
};


int main()
{
    Test t;
    
    return 0;
}

类中的const成员 1.类中的const成员会被分配空间 2.类中的const成员的本质是只读变量 3.类中的const成员只能在初始化列表中指定初始值 代码示例及结果

#include <iostream>
using namespace std;

class Value
{
private:
    int mi;
public:
    Value(int i)
    {
        cout<<"i="<<i<<endl;
        mi = i;
    }
    int getI()
    {
        return mi;
    }
};
class Test
{
private:
    const int ci;
    Value m2;
    Value m3;
    Value m1;
public:
    Test() : m1(1), m2(2), m3(3), ci(100)
    {
        cout<<"Test()"<<endl;
    }
    int getCi()
    {
        return ci;
    }
    int setCi(int v)
    {
        int* p = const_cast<int*>(&ci);
        
        *p = v;
    }
};
int main()
{
    Test t; 
    cout<<"t.getCi()"<<t.getCi()<<endl;  
    t.setCi(10);
    cout<<"t.getCi()"<<t.getCi()<<endl;
    return 0;
}

我们要知道初始化与赋值不同 1.初始化:对正在创建的对象进行初值设置 2.赋值:对已经存在的对象进行值设置 小结 1.类中可以使用初始化列表对成员进行初始化 2.初始化列表先于构造函数体执行 3.类中可以定义const成员变量 4.const成员变量必须在初始化列表中指定初值 5.const成员变量为只读变量