0

我是新的类我创建了一个新类来跟踪帐户的不同详细信息,但是我被告知我的类的成员应该是私有的并使用 getter 和 setter 函数。我看了很多例子,但我似乎无法弄清楚如何从我的主程序访问私人成员。如果我将成员公开,我希望用户为帐户输入不同的参数,它工作得很好我如何添加 getter 和 setter。我班级的私人成员和主要内容是我唯一需要我添加的所有其他内容来使其工作的东西,但我真的迷路了。我使用向量,因为一旦我让它工作,我将编写一个循环来获取多个帐户的数据,但现在我只是试图获取存储的输入

class account

{  public            
       friend void getter(int x);

   private:
       int a;
       char b;
       int c;
       int d;
};

using namespace std;

void  getter (int x)
{

}

int main()
{
  vector <account> data1 (0);
  account temp;

  cin>>temp.a>>temp.b>>temp.c>>temp.d;
  data1.push_back(temp);

  return 0;
}
4

2 回答 2

4

您应该有一个友元运算符重载:

class account
{
    friend std::istream& operator>> (std::istream &, account &);
public:
    // ...
};

std::istream& operator>> (std::istream& is, account& ac)
{
    return is >> ac.a >> ac.b >> ac.c >> ac.d;
}

int main()
{
    account temp;

    std::cin >> temp;
}
于 2013-09-24T14:17:41.263 回答
1

以下是 get/set 方法的示例:

class account

{  public            
       int getA() const { return a; }
       void setA(int new_value) { a = new_value; }
       int getB() const { return b; }
       void setB(int new_value) { b = new_value; }
       int getC() const { return c; }
       void setC(int new_value) { c = new_value; }
       int getD() const { return d; }
       void setD(int new_value) { d = new_value; }

   private:
       int a;
       char b;
       int c;
       int d;
};

从您将使用的主要内容:

int main()
{
  vector <account> data1 (0);
  account temp;
  int a,b,c,d;

  cin >> a >> b >> c >> d;
  temp.setA(a);
  temp.setB(b);
  temp.setC(c);
  temp.setD(d);
  data1.push_back(temp);

  return 0;
}

注意:在这种情况下使用 get/set 方法是否是一个好主意是另一个问题。

于 2013-09-24T14:16:41.117 回答