|| 運算子 (C# 參考)
OR 條件運算子 (||) 會對其 bool 運算元執行 OR 邏輯運算,但只有在需要時才會評估第二個運算元。
備註
運算
x || y
對應到這項運算
x | y
不同在於當 x 為 true 時,y 不會被評估 (因為不論 y 值為何,OR 運算的結果皆為 true)。 這就是所謂的「最少運算」(Short-Circuit) 評估。
OR 條件運算子無法多載,但是在特定限制下,標準邏輯運算子與 true 和 false 運算子的多載,也視為條件邏輯運算子的多載。
範例
在下列範例中,可觀察到使用 || 的運算式只評估第一個運算元。
class ConditionalOr
{
static bool Method1()
{
Console.WriteLine("Method1 called");
return true;
}
static bool Method2()
{
Console.WriteLine("Method2 called");
return false;
}
static void Main()
{
Console.WriteLine("regular OR:");
Console.WriteLine("result is {0}", Method1() | Method2());
Console.WriteLine("short-circuit OR:");
Console.WriteLine("result is {0}", Method1() || Method2());
}
}
/*
Output:
regular OR:
Method1 called
Method2 called
result is True
short-circuit OR:
Method1 called
result is True
*/