当前位置: 首页 > 文档资料 > Go 语言中文教程 >

Show 例子 1

优质
小牛编辑
126浏览
2023-12-01

下表显示了Go语言支持的所有算术运算符。 假设变量A保持10,变量B保持20,则:

操作者描述
+添加两个操作数A + B给出30
-从第一个减去第二个操作数A - B给-10
*将两个操作数相乘A * B给出200
/用分母除以分子。B/A给出2
%模数算子; 在整数除法后给出余数。B%A给出0
++增量运算符。 它将整数值增加1。A ++给出11
--递减运算符。 它将整数值减1。A-- gives 9

例子 (Example)

尝试以下示例来了解Go编程语言中可用的所有算术运算符 -

package main
import "fmt"
func main() {
   var a int = 21
   var b int = 10
   var c int
   c = a + b
   fmt.Printf("Line 1 - Value of c is %d\n", c )
   c = a - b
   fmt.Printf("Line 2 - Value of c is %d\n", c )
   c = a * b
   fmt.Printf("Line 3 - Value of c is %d\n", c )
   c = a/b
   fmt.Printf("Line 4 - Value of c is %d\n", c )
   c = a % b
   fmt.Printf("Line 5 - Value of c is %d\n", c )
   a++
   fmt.Printf("Line 6 - Value of a is %d\n", a )
   a--
   fmt.Printf("Line 7 - Value of a is %d\n", a )
}

编译并执行上述程序时,会产生以下结果 -

Line 1 - Value of c is 31
Line 2 - Value of c is 11
Line 3 - Value of c is 210
Line 4 - Value of c is 2
Line 5 - Value of c is 1
Line 6 - Value of a is 22
Line 7 - Value of a is 21