简写 C++ if else 语句

2021-12-12 00:00:00 if-statement c++

所以我很好奇是否有一个简短的声明:

So I'm just curious if there is a short hand statement to this:

if(number < 0 )
  bigInt.sign = 0;
else
  bigInt.sign = 1;

我看到了所有这些关于 if a < 的简短陈述.b 等等.

I see all these short hand statements for if a < b and such.

我不确定如何正确执行此操作,并希望对此提供一些意见.

I'm not sure on how to do it properly and would like some input on this.

谢谢!

其实我刚在你们回答之前就想通了.

I actually just figured it out right before you guys had answered.

最短的解决方案是 bigInt.sign = (number <0) ?0 : 1

推荐答案

是:

bigInt.sign = !(number < 0);

! 运算符的计算结果始终为 truefalse.当转换为 int 时,它们分别变为 10.

The ! operator always evaluates to true or false. When converted to int, these become 1 and 0 respectively.

当然这相当于:

bigInt.sign = (number >= 0);

这里的括号是多余的,但为了清楚起见,我添加了它们.所有比较和关系运算符的计算结果为 truefalse.

Here the parentheses are redundant but I add them for clarity. All of the comparison and relational operator evaluate to true or false.

相关文章