下面的代码有一个类 Screen。成员:光标位置、屏幕宽度、屏幕高度和屏幕内容。它有另一个类 Window_mgr,它的列表是屏幕的集合。每个屏幕在 vector 中都有一个特定的位置。我将用箭头标出代码中的行,因此您无需浏览完整的代码。

我的问题是,当我们列出初始化 vector (假设为 int)时,我们只需通过以下方式执行此操作:
std::vector<int> ivec{1, 2, 3, 4};
但是在下面的代码中,我正在初始化对象类型 Screen 的 vector 。这是什么意思:
VECTOR screens = VECTOR{ {Screen(24, 80, ' '), Screen(32, 56, 'r') }};
我只谈论列表初始化中的成员。即 Screen(24, 80, ' ') 和 Screen(32, 56, 'r')。他们是否调用 Screen 类的构造函数版本?如何在不创建对象的情况下调用构造函数。在我看来,它应该是:
{Screen sr1(24, 80, ' '), Screen sr2(32, 56, 'r')}
要不就
{(24, 80, ' '), (32, 56, 'r')}
我在互联网上进行了搜索,但无法理解这个概念。谢谢

#include <iostream>
#include <string>
#include <vector>

class Screen{
public:
    using pos = std::string::size_type;

    Screen() = default;
    Screen(pos ht, pos wd, char c) :
        height(ht), width(wd), contents(ht *wd, c)  //in-class initializer
    {}

    char get() const { return contents[cursor]; }
    inline char get(pos ht, pos wd) const;

    Screen &set(char);
    Screen &set(pos, pos, char);

    Screen &move(pos r, pos c);

    void some_member() const;

private:
    pos cursor = 0;
    pos height = 0, width = 0;
    std::string contents;
    mutable size_t access_ctr;
};


inline Screen &Screen::set(char c)
{
    contents[cursor] = c;
    return *this;
}

inline Screen &Screen::set(pos r, pos c, char ch)
{
    contents[r*width + c] = ch;
    *this;
}


void Screen::some_member() const
{
    ++access_ctr;
}

inline Screen &Screen::move(pos r, pos c)
{
    pos row = r *width;
    cursor = row + c;
    return *this;
}

char Screen::get(pos r, pos c) const
{
    pos row = r * width;
    return contents[row + c];
}

//---------------------------------
class Window_mgr{
private:
    using VECTOR = std::vector<Screen> ;
    // A Window Manager has has one standard sized blank Screen
    VECTOR screens = VECTOR{ {Screen(24, 80, ' '), Screen(32, 56, 'r') }};  // <-----------------

};
//---------------------------------

int main()
{
    Screen scr{13, 33, 'c'};

    std::cout << scr.get(3, 1);

    Window_mgr win{};


    return 0;
}

最佳答案

在 C++ 中,使用方法调用内联构造类的实例是完全有效的(本质上是创建类的匿名实例)。所以语法

VECTOR{ {Screen(24, 80, ' '), Screen(32, 56, 'r') }}

正在使用 VECTOR 的两个实例初始化 Screen 。它还将它们的生命周期绑定(bind)到 VECTOR 的生命周期而无需复制;它们可以是 move 安全的,因为它们的作用域只是构造函数调用。

关于c++ - 类对象的 vector 如何初始化,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28727302/

10-14 05:22