我试图使用指针交换一些整数,由于某些原因我还没有完全理解发生了什么。
cout<< "x: " << x <<endl;
cout<< "y: " << y <<endl;
temp = *p2;
*p2 = *p1;
*p1 = temp;
cout<< "x: " << x <<endl;
cout<< "y: " << y <<endl;
我得到的输出是: x:0 y:99 x:0 y:0
由于
编辑:那就是我认为有问题的领域。整个代码是一系列指针任务。
#include <iostream>
using namespace std;
void swap(int *x, int *y);
void noNegatives(int *x);
int main ()
{
int x,y,temp;
int *p1, *p2;
p1 = &x;
*p1 = 99;
cout << "x: " << x << endl;
cout << "p1: " << *p1 << endl;
p1 = &y;
*p1 = -300;
p2 = &x;
temp = *p1;
*p1 = *p2;
*p2 = temp;
noNegatives(&x);
noNegatives(&y);
p2=&x;
cout<< "x: "<<*p2<<endl;
p2=&y;
cout<< "y: "<<*p2<<endl;
int a[1];
p2 = &a[0];
*p2 = x;
cout << "First Element: " << p2<< endl;
p2 = &a[1];
*p2 = y;
cout << "Second Element: " << p2<< endl;
p1 = &a[0];
p2 = &a[1];
cout<< "x: " << x <<endl;
cout<< "y: " << y <<endl;
temp = *p2;
*p2 = *p1;
*p1 = temp;
cout<< "x: " << x <<endl;
cout<< "y: " << y <<endl;
cout << "First Element: " << a[0]<< endl;
cout << "Second Element: " << a[1]<< endl;
swap(&x,&y);
cout<< "x: " << x <<endl;
cout<< "y: " << y <<endl;
swap(&a[0], &a[1]);
cout<< "a[0]: " << a[0] <<endl;
cout<< "a[1]: " << a[1] <<endl;
}
void noNegatives(int *x)
{
if(*x<0)
*x=0;
}
void swap(int *p1, int *p2)
{
int temp;
temp = *p1;
*p1 = *p2;
*p2 = temp;
}
我的目标是最后的x和y为x:99和y:0。 其他一切都按预期工作。
噢,我的上帝没关系,这是阵列。非常感谢你抓住那个骨头错误。答案 0 :(得分:3)
这是个坏消息:
int a[1];
您需要2个元素,而不是1.正如您当前定义的那样,在a[1]
处的读取或写入超出了数组的末尾,并且将具有未定义的行为。
这样做:
int a[2];
// etc...
p1 = &a[0];
p2 = &a[1];
答案 1 :(得分:2)
假设p1
和p2
指向x
和y
你可以将其可视化
temp [ ]
*p1 [ x ] *p2 [ y ]
我们希望首先切换*p1
和*p2
temp = *p2
temp [ y ]
^
|________
\
*p1 [ x ] *p2 [ y ]
然后
*p2 = *p1
temp [ y ]
*p1 [ x ] ----------> *p2 [ x ]
然后
*p1 = temp
temp [ y ]
/
/----------
V
*p1 [ y ] *p2 [ x ]
现在你看到*p1
和*p2
已切换。