为什么下面的代码只返回a = 1?
main(){ int a = 10; if (true == a) cout<<"Why am I not getting executed"; }
paradoja.. 37
当Bool true转换为int时,它总是转换为1.因此,您的代码相当于:
main(){ int a = 10; if (1 == a) cout<<"y i am not getting executed"; }
这是C++标准的一部分,因此每个符合C++标准的编译器都会发生这种情况.
当Bool true转换为int时,它总是转换为1.因此,您的代码相当于:
main(){ int a = 10; if (1 == a) cout<<"y i am not getting executed"; }
这是C++标准的一部分,因此每个符合C++标准的编译器都会发生这种情况.
您的print语句未执行的原因是因为您的布尔值被隐式转换为数字而不是相反.即你的if语句等同于:if(1 == a)
你可以通过首先明确地将它转换为布尔值来解决这个问题:
main(){ int a = 10; if (((bool)a) == true) cout<<"I am definitely getting executed"; }
在C/C++中,false表示为0.
其他一切都表示为非零.这有时是1,有时是其他任何东西.所以你永远不应该测试相等(==)到真实的东西.
相反,你应该测试相等的错误.因为false只有1个有效值.
这里我们测试所有非假值,其中任何一个都没问题:
main(){ int a = 10; if (a) cout<<"I am definitely getting executed"; }
第三个例子只是为了证明将任何被认为是false的整数与false(仅为0)进行比较是安全的:
main(){ int a = 0; if (0 == false) cout<<"I am definitely getting executed"; }
您的布尔值被提升为整数,并变为1.