Go基礎編-変数

1859 ワード

一、Go内蔵変数タイプ
bool
string
(u)int、(u)int8、(u)int16、(u)int32、(u)int64
uintptr   
byte
rune    ,32  ,   char
float32、float64
complex32、complex64    

タイプ変換type(varName)
func typeConversion () {
    var int a = 5
    var b = "str"
    c := 3
    var int d
    d = int(a / c) 
    fmt.Println(d, b)
}

二、変数定義
  • 4変数定義タイプ:
  •       :var name type = value
          :var name = value //name  value         
          :name := value //        ,name  value         
             : var (name1 = value1 name2 = value2 ...)
    

    変数の定義
    func definedVariable() {
        var a int = 5
        var b = "str"
        c, d := 3, "string"
        var e int   //        0
        var f string //         ""
        var g bool  //bool      false
    }
    //    
    var {
        name1 = 100
        name2 = "abc"
        ...
    }
    

    三、変数と列挙タイプ
  • 定数定義:定数定義には
  • を割り当てる必要があります.
          :const name type = value 
          :const name = value //name  value         
    

    定数の定義
    func definedConst () {
        const fileName string = "readme.txt"
        const a, b = 12, 5
        var c int
        c = int(math.Sqrt(a*a + b*b)) //       ,         ,      const a, b int = 3, 4,     
        fmt.Println(fileName, a, b, c)
    }
    
  • 列挙タイプ:Go言語に列挙タイプはなく、
  • の代わりにconstを使用します.
       
    const(
    name1 = value1
    name2 = value2
     ...
    )
    iota       
    iota      :const ( name1=iota    name2 )
    

    列挙の定義
    func dedinedEnmu () {
        const (
            doctor_type = 0
            nurse_type = 1
            pharmacist_type = 2
        )
    fmt.Println(dcotor_type, nurse_type, pharmacist_type) // 0,1,2
    
    const (
            doctor_type = iota
            nurse_type
            pharmacist_type 
        )
    fmt.Println(dcotor_type, nurse_type, pharmacist_type) // 0,1,2
    }