C# 中的数字

C# 中的数字

对于 C# 中的数字,请使用 int 类型。它表示一个整数,可以是正整数或负整数。

让我们看看如何在 C# 中使用数学运算符 + - 将两个整数相加

using System; using System.Linq; class Program {    static void Main() {       int x = 20;       int y = 30;       int sum = 0;       sum = x + y;       Console.WriteLine(sum);    } }登录后复制

运算符优先级决定表达式中术语的分组。这会影响表达式的求值。某些运算符的优先级高于其他运算符;例如,乘法运算符的优先级高于加法运算符。

例如 x = 9 + 2 * 5;此处,x 被分配为 19,而不是 55,因为运算符 * 的优先级高于 +,因此首先对 2*5 进行计算,然后将 9 添加到其中。

以下示例显示了运算符的顺序 -

示例

using System; namespace Demo {    class Program {       static void Main(string[] args) {          int a = 200;          int b = 100;          int c = 150;          int d = 50;          int res;          res = (a + b) * c / d;          Console.WriteLine("Value of (a + b) * c / d is : {0}", res);          res = ((a + b) * c) / d;          Console.WriteLine("Value of ((a + b) * c) / d is : {0}", res);          res = (a + b) * (c / d);          Console.WriteLine("Value of (a + b) * (c / d) : {0}",res);          res = a + (b * c) / d;          Console.WriteLine("Value of a + (b * c) / d : {0}",res);          Console.ReadLine();       }    } }登录后复制