当我突然注意到时,我刚刚输出了文字。
#include <iostream>
int main()
{
int array[] = {1,2,3,4};
int *p = array;
std::cout << *p << "___" << *(p++) << "\n";
// output is 1__1. Strange, but I used brackets! it should be at
// first incremented, not clear.
p = array;
std::cout << *p << "___" << *(++p) << "\n";
// output is 2_2 fine, why first number was affected? I didn't intend
// to increment it, but it was incremented
p=array;
std::cout << *p << "___" << *(p + 1) << "\n";
// output is 1_2 - as it was expected
p = array;
return 0;
}
这种行为对我来说很奇怪,为什么会这样?
答案 0 :(得分:15)
你正在造成undefined behaviour,所以任何事情都可能发生,并且没有必要猜测原因。
表达式
std::cout<<*p<<"___"<<*(p++)<<"\n"
是一个例子:<<
之间所有事物的评估顺序是未指定的,因此*p
和*(p++)
相互之间没有排序(即编译器不是必需的)先做任何一个)。 You are not allowed to modify a variable and then use it without the modification and usage being sequenced,这会导致未定义的行为。
同样的事情适用于该程序中的所有其他地方,其中变量被修改并在同一表达式中单独使用。