2

我使用以下程序来交换矩形结构的长度和宽度

typedef struct rectangle
{
  int len;
  int wid;
} rect;

void swap(int* a, int * b)
{
  int temp;
  temp= *a;     
  *a=*b;
  *b=temp;
}

int main()
{
  rect rect1;
  rect *r1;
  r1= &rect1;
  r1->len=10;
  r1->wid=5;

  cout<< "area of rect " << r1->len * r1->wid<<endl;
  swap(&r1->len,&r1->wid);

  cout<< "length=" << rect1.len<<endl;
  cout<<"width=" <<rect1.wid;
}

但是,当我使用以下内容时:

swap(r1->len,r1->wid);

代替:

swap(&r1->len,&r1->wid);

我仍然得到正确的结果,但我不确定它是如何工作的。根据我的理解,我应该使用(&r1->)将成员变量的地址传递给函数。有人可以解释一下吗?

4

1 回答 1

8

你是using namespace std;

在标准 c++ 库中存在这个版本的交换函数,它接受两个引用并驻留在std命名空间中。

发生的情况是,当您使用 时&,您的函数将被调用。如果不是,它是来自标准库的那个。实际上,使用该using指令,您不需要std::在函数名称前添加。因此,在您的情况下,您的swap函数作为标准库中的函数的重载存在。

于 2013-08-05T07:56:08.440 回答