Go常量实例

Go常量实例

Go语言支持字符,字符串,布尔和数值的常量。

所有的示例代码,都放在 F:\worksp\golang 目录下。安装Go编程环境请参考:/tutorial/detail-5562.html

const关键字用来声明一个常量值。const语句可以出现在var语句的任何地方。常量表达式以任意精度执行算术运算。数字常量在给定一个数字常量之前不指定类型,例如通过显式转换。

可以通过在需要一个数字的上下文中使用它来给予数字一个类型,例如,变量赋值或函数调用。 例如,这里math.Sin期望一个float64类型。

variables.go的完整代码如下所示 -

package main

import "fmt"
import "math"

// `const` declares a constant value.
const s string = "constant"

func main() {
    fmt.Println(s)

    // A `const` statement can appear anywhere a `var`
    // statement can.
    const n = 500000000

    // Constant expressions perform arithmetic with
    // arbitrary precision.
    const d = 3e20 / n
    fmt.Println(d)

    // A numeric constant has no type until it's given
    // one, such as by an explicit cast.
    fmt.Println(int64(d))

    // A number can be given a type by using it in a
    // context that requires one, such as a variable
    // assignment or function call. For example, here
    // `math.Sin` expects a `float64`.
    fmt.Println(math.Sin(n))
}

执行上面代码,将得到以下输出结果 -

F:\worksp\golang>go run constants.go
constant
6e+11

-0.28470407323754404

目录