我对以下来自cplusplus.com的示例感到困惑

// pointer to classes example
#include <iostream>
using namespace std;

class CRectangle {
    int width, height;
  public:
    void set_values (int, int);
    int area (void) {return (width * height);}
};

void CRectangle::set_values (int a, int b) {
  width = a;
  height = b;
}

int main () {
  CRectangle a, *b, *c;
  CRectangle * d = new CRectangle[2];
  b= new CRectangle;
  c= &a;
  a.set_values (1,2);
  b->set_values (3,4);
  d->set_values (5,6);
  d[1].set_values (7,8);
  cout << "a area: " << a.area() << endl;
  cout << "*b area: " << b->area() << endl;
  cout << "*c area: " << c->area() << endl;
  cout << "d[0] area: " << d[0].area() << endl;
  cout << "d[1] area: " << d[1].area() << endl;
  delete[] d;
  delete b;
  return 0;
}

我在考虑为什么d[0].area()相对于d[0]->area()合法,这导致我对d进行减速,其中CRectangle * d = new CRectangle[2];。是否存在两个间接级别,所以不应该用d声明CRectangle ** d,因为new返回一个指针,并且因为它是一个数组,所以它是指向指针的指针(因此为[])。换句话说**=*[]吗?

最佳答案

CRectangle * d = new CRectangle[2];声明d作为CRectangle的指针,并将其初始化为指向包含两个CRectangle对象的数组的第一个对象。因此,d[0]的类型为CRectangle,而不是CRectangle的指针。这就是使用点运算符(.)合法的原因。

10-06 01:30