c ++数组设置器和getter

问题描述 投票:-3回答:1

我需要帮助用c ++为这些变量制作setter和getter。

char name[20];
    double homeworkGrades[6];
    double quizGrades[6];
    double examGrades[4];
c++ arrays setter getter
1个回答
-1
投票

请求setter和getter意味着你有一个包含要封装的数据成员的类。这是一个例子:

class Student
{
public:
    explicit Student( std::string name )
        : _name{ std::move( name ) }
    {}

    std::string GetName() const { return _name; } // Getter only; set at construction time

    double GetHomework( int index ) const
    {
        return _homework.at( index ); // Throws if out of range
    }

    void SetHomework( int index, double grade )
    {
        _homework.at( index ) = grade;
    }

    // ...

private:
    const std::string     _name;
    std::array<double, 6> _homework;
    // ... etc.
};

Student类的属性包含getter和setter。优点是你可以进行错误检查(这里使用std::array::at()函数进行范围检查),线程保护,文件/网络I / O,缓存等。

© www.soinside.com 2019 - 2024. All rights reserved.