逗号运算符含有两个运算对象,按照从左向右的顺序依次进行求值。和逻辑与、逻辑或以及条件运算符一样,逗号运算符也规定了运算对象求值的顺序。
对于逗号运算符来说,首先对左侧的表达式求值,然后将求值的结果丢弃掉,逗号运算符真正的结果是右值表达式的值。如果右侧运算对象是左值,那么最终的求值结果也是左值。
逗号运算符常被使用在for循环当中:
#include<iostream>
#include<vector>
using namespace std;
int main()
{
vector<int> ivec = { 1,2,3,4,5,6,7,8,9,0 };
vector<int>::size_type cnt = ivec.size();
for (vector<int>::size_type ix = 0; ix != ivec.size(); ix++,--cnt)
{
ivec[ix] = cnt;
}
for (int i : ivec )
{
cout << i << " ";
}
return 0;
}
这个循环在for语句的表达式中递增ix,递减cnt,每次循环迭代ix和cnt的值都想相应的改变。只要ix满足条件。我们就把当前元素设成cnt的值。
这里添加一个有意思的两段代码,大家可以比较理解一下:
一:
#include<iostream>
#include<vector>
using namespace std;
int main()
{
int x = 10, y = 0,result;
result = x > y ? x++, y++ : (++x, ++y);
cout << x << " " << y << " " << result;
return 0;
}
#include<iostream>
#include<vector>
using namespace std;
int main()
{
int x = 10, y = 0,result;
result = x > y ? x++, y++ : ++x, ++y;
cout << x << " " << y << " " << result;
return 0;
}
为何两个的输出会是不一样的?
提示:后面把x给当作一个值了。