0

有人可以告诉,在这段代码中如何声明构造函数,以便在实例化对象时,使用传递的值初始化高度,而宽度始终是默认值(在下面的情况下为 2)。

class rectangle{
    int width, height;
public:
    //  rectangle(int w = 1, int h = 1): width(w), height(h){}
    rectangle(int w = 2, int h=1): width(w) {height = h;}
    int getW(){return width;}
    int getH(){return height;}
};
int main()
{
    rectangle r1(1);
    rectangle r2(2);
    rectangle r3(4);
    rectangle r4(5);
    cout << "w = " << r1.getW() <<" h = " << r1.getH() << endl;
    cout << "w = " << r2.getW() <<" h = " << r2.getH() << endl;
    cout << "w = " << r3.getW() <<" h = " << r3.getH() << endl;
    cout << "w = " << r4.getW() <<" h = " << r4.getH() << endl;
}
Output with above code:
w = 1 h = 1
w = 2 h = 1
w = 4 h = 1
w = 5 h = 1

有人可以告诉我如何声明构造函数以使输出如下所示(我想声明只有一个参数的对象)?

w = 1 h = 1
w = 1 h = 2
w = 1 h = 4
w = 1 h = 5
4

1 回答 1

3

您问题中的措辞有点不清楚。听起来您想完全忽略宽度参数,只将宽度设为 2,而高度是可选的,默认为 1。如果是这种情况,那么您可以简单地执行以下操作:

rectangle(int, int h=1) :width(2), height(h) {}

但我的读心技巧告诉我,这并不是你真正想要的(主要是因为这样做很愚蠢)。我有一种预感,您只是将您的问题措辞错误,并且您实际上想要这样的东西:

rectangle(int w, int h) :width(w), height(h) {} // handles 2 arguments
rectangle(int h=1) :width(2), height(h) {}      // handles 0 or 1 arguments

此配置允许三个呼叫签名。

  • 2 个参数,第一个参数是宽度,第二个参数是高度。
  • 1 个参数,它变为高度,宽度变为 2
  • 0 个参数,宽度变为 2,高度变为 1
于 2014-02-09T00:17:34.807 回答