Golang 变量的花式写法

golang也就是我们常说的go语言。以c++的高效和python,ruby的书写便捷闻名。此外,go的核心函数库非常丰富,天生支持并发,非常有利于我们编写处理高并发的网络应用。

变量的定义

hello world

hello.go

package main
import "fmt"
func main(){
  fmt.Println("hello world")
}

运行方式:

go run hello.go
hello world

构建方式:

go build hello.go
./hello
hello world
go build

变量

golang中定义变量的方式有很多,可以说是花式写法了。

  • 完整写法
var number int = 1
var str string = "hello go"
var decimal float32 = 2.2
同时var相应类型的表示数据类型关键字
  • 类型推导

所谓的类型推导,就是我们在不指定类型时,编译器也能感知到我们想要表达的类型时什么。

var count = 2
var data = "golang"
var score = 95.5
fmt.Printf("count type is %T, data type is %T, score type is %T",
           count,data,score)

count type is int, data type is string, score type is float64
%Tvar赋值
  • 短声明

短声明这个概念,在其他语言中好像是没有的,但是使用起来也没有难度,我们看下面的例子:

x := 10
y := "learn golang"
z := 0.01
fmt.Printf("x type is %T, y type is %T, z type is %T",
           x,y,z)

x type is int, y type is string, z type is float64
varintstringfloat64:=
  • 小括号写法

在介绍大括号写法之前,我们先能介绍一次定义多个变量。

var a,b int = 1,2
var a,b = 1,2
a,b := 1,2

以上写法都是正确的,a为1,b为2。

小括号写法
var (
  a = 1
  b = 2
  c = "string"
  d = 3.14
  e int = 666
)
var()
四种写法

常量

const
const no_change = 6
fmt.Println(no_change)
no_change = 5  // cannot assign to no_change
常量不能使用短声明的方式

类型别名

go允许我们为类型关键字取一个别名:

type bigint int64
var z bigint = 100000000000
fmt.Printf("z=%d n",z)
type

其它

我们注意到,go的书写规则有如下几条:

main;分号一定要使用
// bad 
// syntax error: unexpected semicolon or newline before
func main()
{
  fmt.Println("hello world")
}