C#運算符優先級
運算符優先級決定術語的表達分組。這會影響一個表達式是如何進行評估計算。某些運算符的優先級高於其他;例如,乘法運算符的優先級比所述加法運算高:
例如X =7 + 3* 2;這裡,x被賦值13,而不是20,因為操作員*具有優先級高於+,所以它首先被乘以3 * 2,然後相加上7。
這裡,具有最高優先級的操作出現在表的頂部,那些具有最低出現在底部。在一個表達式,更高的優先級運算符將首先評估計算。
分類 | 操作符 | 關聯 |
---|---|---|
後綴 | () [] -> . ++ - - | 從左到右 |
一元 | + - ! ~ ++ - - (type)* & sizeof | 從右到左 |
乘法 | * / % | 從左到右 |
相加 | + - | 從左到右 |
移位 | << >> | 從左到右 |
關係 | < <= > >= | 從左到右 |
相等 | == != | 從左到右 |
按位與 | & | 從左到右 |
按位異或 | ^ | 從左到右 |
按位或 | | | 從左到右 |
邏輯AND | && | 從左到右 |
邏輯OR | || | 從左到右 |
條件 | ?: | 從右到左 |
賦值 | = += -= *= /= %=>>= <<= &= ^= |= | 從右到左 |
逗號 | , | 從左到右 |
例子
using System; namespace OperatorsAppl { class Program { static void Main(string[] args) { int a = 20; int b = 10; int c = 15; int d = 5; int e; e = (a + b) * c / d; // ( 30 * 15 ) / 5 Console.WriteLine("Value of (a + b) * c / d is : {0}", e); e = ((a + b) * c) / d; // (30 * 15 ) / 5 Console.WriteLine("Value of ((a + b) * c) / d is : {0}", e); e = (a + b) * (c / d); // (30) * (15/5) Console.WriteLine("Value of (a + b) * (c / d) is : {0}", e); e = a + (b * c) / d; // 20 + (150/5) Console.WriteLine("Value of a + (b * c) / d is : {0}", e); Console.ReadLine(); } } }
讓我們編譯和運行上麵的程序,這將產生以下結果:
Value of (a + b) * c / d is : 90 Value of ((a + b) * c) / d is : 90 Value of (a + b) * (c / d) is : 90 Value of a + (b * c) / d is : 50