以下这两种方法有什么区别

本文关键字:什么 区别 方法 两种 | 更新日期: 2023-09-27 18:23:58

我有以下代码片段。

bool b = false;
if (b) {}

但我看到很多人写过这样的东西:

if (true == b){}

对我来说,它们看起来都一样,这里有什么区别吗?

以下这两种方法有什么区别

bool b;
if (b) {}

不能使用它,因为 C# 编译器不允许使用未赋值的局部变量。

另一方面,两者之间没有区别

bool b = true;
if (b) {}

bool b = true;
if (true == b){}

它们也会生成相同的 MSIL 代码。但在我看来,第二个例子中的相等性检查是不必要的。这就是为什么if(b)看起来比if(true == b)更干净.

对我来说

if (true == b){}

相当不优雅。遵循该样式代替

if (a == b){}

你应该把

if ((a == b) == true){}

等等....

不,没有区别。(好吧,除了我想打字的字母数量(。

bool b = true; //ensure you initialise it though!! (if it was **C** you wouldn't think not to!)

所以;

if(b)
{
 //doSomthing...
} 

方法

if(true)
{
 //doSomething...
}

然而

如果将 b 赋值为 false,则将跳过 if 语句;如下所示:

bool b = false;
if(b)
{
//this won't be executed since b is false
}

至于你的问题,不过,你在开头初始化b,那么是的,它们是一样的

对于代码:

bool b = true;
if (b) 
    Console.WriteLine("b-ok");
if (b==true)
    Console.WriteLine("b-true");

如果我们检查 IL-CODE 的第一个如果

IL_000b:  ldloc.0
IL_000c:  ldc.i4.0
IL_000d:  ceq
IL_000f:  stloc.1
IL_0010:  ldloc.1            
IL_0011:  brtrue.s   IL_001e 
IL_0013:  ldstr      "b-ok"   
IL_0018:  call       void [mscorlib]System.Console::WriteLine(string)  
IL_001d:  nop

对于第二个如果

IL_001e:  ldloc.0
IL_001f:  ldc.i4.0
IL_0020:  ceq
IL_0022:  stloc.1
IL_0023:  ldloc.1
IL_0024:  brtrue.s   IL_0031
IL_0026:  ldstr      "b-true"
IL_002b:  call       void [mscorlib]System.Console::WriteLine(string)
IL_0031:  ....

我们可以清楚地看到,C# 编译器为这两个语句生成相同的 IL 代码。因此,这两种方法是完全相同的。

if语句需要true布尔表达式(条件(,以便执行其块内的指令。如果将一个布尔值与另一个布尔值进行比较,您仍然会得到布尔结果,但是,除非您将两个布尔变量与未知值进行比较,否则您可能正在编写一段无用的代码。为了更好地解释自己:

bool a, b;
// some computation
if(a == b)
{
    // do stuff
}

有道理,而

bool a;
// some computation
if(a == true)
{
    // do stuff
}

包含一些无用的代码(在我看来,它甚至失去了一些可读性(,因为它相当于:

bool a;
// some computation
if(a)
{
    // do stuff
}