22 C++ 基础-返回 this 的成员函数

1. 返回 *this 的成员函数

返回 *this 成员的函数,mScreen.move(4).set(‘#’);

int main() {

    Screen mScreen("Hello World");
    mScreen.move(4).set('#');
    /*mScreen.move(4);
     mScreen.set('#');*/

    // Screen.contents = Hell# World
    cout << "Screen.contents = " << mScreen.contents << endl;
    return 0;
}

2. 完整实例

#include 
#include 
#include 

using namespace std;

// typedef 别名
// 类可以自定义某种类型的类中的别名
class Screen {

public:

    // 隐藏Screen实现的细节,用户不知道Screen使用了一个string对象存放数据
    typedef string::size_type pos;

    Screen(string c) :
            contents(c) {
    }

    Screen &move(int c);

    // 重载函数
    Screen &set(char);
    Screen &set(pos, pos, char);
    string contents;

private:
    int cursor, height, width;

};

// 内联函数,一般函数默认为内联函数,不需要显式声明
inline Screen &Screen::move(int c) {
    cursor = c;
    // 返回 *this 成员的函数
    return *this;
}

Screen &Screen::set(char c) {
    contents[cursor] = c;
    // 将 this 对象作为左值返回
    return *this;
}

int main() {

    Screen mScreen("Hello World");
    mScreen.move(4).set('#');
    /*mScreen.move(4);
     mScreen.set('#');*/

    // Screen.contents = Hell# World
    cout << "Screen.contents = " << mScreen.contents << endl;
    return 0;
}

你可能感兴趣的:(C语言基础)