使用C++构造函数初始化类的状态

一、初始化列表

C++中,构造函数是一种在对象被创建时执行的方法,它的主要任务是初始化类的状态。为了在构造函数中初始化成员变量,我们可以使用初始化列表(Initialization List),它是一种特殊的语法形式,可以在构造函数声明的括号后的冒号后面加上成员变量的初始化表达式。

class Person {
private:
    string name;
    int age;

public:
    Person(string _name, int _age) : name(_name), age(_age) {}
};

在上面的代码中,我们使用初始化列表来初始化name和age成员变量。初始化列表的语法形式是: 成员变量名1(初始化表达式1), 成员变量名2(初始化表达式2), ...

在使用初始化列表的时候,不仅可以初始化成员变量,还可以初始化常量成员和通过引用和指针引用的成员变量,这大大增强了C++语言初始化的灵活性。

二、默认参数

如果程序员在编写构造函数的时候没有为所有参数提供默认值,则在使用构造函数创建对象时必须为该构造函数的每个参数提供值。C++提供了一种将某些参数设为默认参数(Default Parameters)的方法。

class Rectangle {
private:
    double length;
    double breadth;

public:
    Rectangle(double _length = 1.0, double _breadth = 1.0) : length(_length), breadth(_breadth) {}
};

在上面的代码中,我们在构造函数中为length和breadth成员变量提供了默认值,这意味着我们可以用以下方式创建对象,而不必提供参数:

Rectangle r1; //创建一个长和宽都为1.0的矩形
Rectangle r2(3.0); //创建一个长为3.0,宽为1.0的矩形
Rectangle r3(4.0, 5.0); //创建一个长为4.0,宽为5.0的矩形

三、委托构造函数

C++11引入了一种委托构造函数(Delegating Constructor)的语法形式,它可以在一个构造函数中调用另一个构造函数,使得构造函数代码更加简洁。

class Person {
private:
    string name;
    int age;
    string address;

public:
    Person(string _name, int _age, string _address) : name(_name), age(_age), address(_address) {}
    Person(string _name, int _age) : Person(_name, _age, "") {} //调用有三个参数的构造函数,在address上提供默认值
};

在上面的代码中,我们使用委托构造函数将Person类的三个参数的构造函数委托给了两个参数的构造函数。由于两个构造函数都使用初始化列表,因此两个构造函数最终都会将参数传递给同一个构造函数。

四、继承构造函数

C++11还引入了继承构造函数(Inheriting Constructor)的语法形式,可以从基类中继承构造函数,这样可以了简化子类的代码。

class Animal {
protected:
  string type;
  int age;

public:
  Animal(string _type, int _age) : type(_type), age(_age) {}
};

class Cat : public Animal {
public:
  using Animal::Animal;  //继承Animal类的构造函数,将其暴露给子类
  void Meow() { cout << "Meow..." << endl; } //添加自己的函数
};

在上面的代码中,我们使用using关键字继承了父类Animal的构造函数,但是在子类Cat中我们也添加了自己的函数Meow()。这样,我们可以通过一个简单的语法来创建Cat对象并调用父类构造函数。

五、总结

在C++中,构造函数是一种初始化类状态的重要方法。我们可以使用初始化列表来初始化成员变量、使用默认参数来简化构造函数的调用、使用委托构造函数来简化构造函数代码、使用继承构造函数来减少代码重复量。

完整代码示例:

#include 
#include 
using namespace std;

class Person {
private:
    string name;
    int age;
    string address;

public:
    Person(string _name, int _age, string _address) : name(_name), age(_age), address(_address) {}
    Person(string _name, int _age) : Person(_name, _age, "") {} //调用有三个参数的构造函数,在address上提供默认值
};

class Rectangle {
private:
    double length;
    double breadth;

public:
    Rectangle(double _length = 1.0, double _breadth = 1.0) : length(_length), breadth(_breadth) {}
};

class Animal {
protected:
  string type;
  int age;

public:
  Animal(string _type, int _age) : type(_type), age(_age) {}
};

class Cat : public Animal {
public:
  using Animal::Animal;  //继承Animal类的构造函数,将其暴露给子类
  void Meow() { cout << "Meow..." << endl; } //添加自己的函数
};

int main() {
    Person p1("Bob", 30, "Beijing");
    Rectangle r1;
    Rectangle r2(3.0);
    Rectangle r3(4.0, 5.0);
    Cat c1("Tom", 2);
    c1.Meow();

    return 0;
}

本文链接:https://my.lmcjl.com/post/11333.html

展开阅读全文

4 评论

留下您的评论.