Go基本程序结构

2020-05-11  本文已影响0人  gaobinzhan

编写测试程序

测试程序:

package test

import "testing"

func TestFirstTry(t *testing.T) {
    t.Log("My first try!")
}

实现Fibonacci数列

package test

import (
    "testing"
)

func TestFibonacciList(t *testing.T) {
    //var a int = 1 // 定义变量
    //var b int = 1
    var (
        a int = 1
        b int = 1
    ) // 这样也可以定义变量
    // a := 1 直接赋值
    // b := 1
    t.Log(a)
    for i := 0; i < 5; i++ {
        t.Log(" ", b)
        tmp := a
        a = b
        b = tmp + a
    }
}

变量及常量

变量

func TestExchange(t *testing.T) {
    a := 1
    b := 2
    //tmp := a
    //a = b
    //b = tmp
    a, b = b, a // 变量交换
    t.Log(a, b)
}

常量 进行快速 设置连续值

const (
    Monday = iota + 1
    Tuesday // 2
    Wednesday // 3
    Thursday // 4
    Friday // 5
    Saturday // 6
    Sunday // 7
)

const (
    Readable = 1 << iota
    Writable
    Executable
)

func TestConstantTry(t *testing.T) {
    t.Log(Monday, Tuesday, Wednesday, Thursday, Friday, Saturday, Sunday) // 1 2 3 4 5 6 7
}

func TestConstantTry1(t *testing.T) {
    a := 7 // 1111
    t.Log(a&Readable == Readable, a&Writable == Writable, a&Executable == Executable) // true true true
}

数据类型

所有类型:

与其它主要编程语言的差异:

类型的预定义值:

指针类型:

运算符

算术运算符

运算符 描述
+ 相加
- 相减
* 相乘
/ 相除
% 求余
++ 自增
-- 自减

Go语言没有前置的 ++和--

比较运算符

运算符 描述
== 检查两个值是否相等
!= 检查两个值是否不相等
> 检查左边值是否大于右边值
< 检查左边值是否小于右边值
>= 检查左边值是否大于等于右边值
<= 检查左边值是否小于等于右边值

用 == 比较数组:

func TestCompareArray(t *testing.T) {
    a := [...]int{1, 2, 3, 4}
    b := [...]int{1, 2, 3, 5}
    c := [...]int{1, 2, 3, 4}
    t.Log(a == b) // false
    t.Log(a == c) // true
}

逻辑运算符

运算符 描述
&& 逻辑AND运算符
|| 逻辑OR运算符
! 逻辑NOT运算符

位运算符

运算符 描述
& 参与运算两数各对应的二进位相与
| 参与运算两数各对应的二进位相或
^ 参与运算两数各对应的二进位相异或
<< 左移运算符
>> 右移运算符

&^按位置零

1 &^ 0 -- 1

1 &^ 1 -- 0

0 &^ 1 -- 0

0 &^ 0 -- 0

条件和循环

循环

Go语言仅支持循环关键字 for

循环:for (j := 7; j<=9; i++)

条件循环 while(n<5)

n := 0
    for n < 5 {
        t.Log(n)
        n++
    }

无限循环 while(true)

n := 0
    for {
        t.Log(n)
        n++
    }

条件

if条件:

func TestIfMultiSec(t *testing.T) {
    if a := 1 == 1; a {
        t.Log(a)
    }
}

switch条件:

func TestSwitchMultiCase(t *testing.T) {
    for i := 0; i < 5; i++ {
        switch i {
        case 0, 2:
            t.Log("even")
        case 1, 3:
            t.Log("odd")
        default:
            t.Log("it is not 0-3")
        }
    }
}

func TestSwitchCaseCondition(t *testing.T) {
    for i := 0; i < 5; i++ {
        switch {
        case i%2 == 0:
            t.Log("even")
        case i%2 == 1:
            t.Log("odd")
        default:
            t.Log("it is not 0-3")
        }
    }
}
上一篇下一篇

猜你喜欢

热点阅读