Golang 支持的基本类型:
- bool
- Numeric Types
- int8, int16, int32, int64, int
- uint8, uint16, uint32, uint64, uint
- float32, float64
- complex64, complex128
- byte
- rune
- string
布尔类型
bool 类型表示真假值,只能为 true
或 false
。
有符号整型
int8: 表示 8 位有符号整型
size: 8 bits
range: -128 to 127
int16: 表示 16 位有符号整型
size: 16 bits
range: -32768 to 32767
int32: 表示 32 位有符号整型
size: 32 bits
range: -2147483648 to 2147483647
int64: 表示 64 位有符号整型
size: 64 bits
range: -9223372036854775808 to 9223372036854775807
int: 根据底层平台不同,表示 32 或 64 位有符号整型。在实际编程中,除非对大小有明确的要求,否则一般使用 int 表示整数
size: 在 32 位系统下为 32 bits,在 64 位系统下为 64 bits
range: 在 32 位系统下为 -2147483648 ~ 2147483647,在 64 位系统下为 -9223372036854775808 ~ 9223372036854775807
变量的类型可以在 Printf()
函数中通过 %T 来打印。Golang 的 unsafe 包中提供了一个名为 Sizeof
的方法,该方法接收一个变量并返回它的大小(bytes)。使用 unsafe 包可能会带来移植性问题,需小心使用。
package main
import (
"fmt"
"unsafe"
)
func main() {
var a int = 89
b := 95
fmt.Println("value of a is", a, "and b is", b)
fmt.Printf("type of a is %T, size of a is %d", a, unsafe.Sizeof(a)) //type and size of a
fmt.Printf("\ntype of b is %T, size of b is %d", b, unsafe.Sizeof(b)) //type and size of b
}
输出结果:
value of a is 89 and b is 95
type of a is int, size of a is 4
type of b is int, size of b is 4
从上面的输出结果可以推断 a 和 b 是 int 类型,大小为 32 bits (4bytes)。如果在 64 位系统上运行上面的程序,输出会变得不同。在 64 位系统上,a 和 b 占 64 bits(8bytes)。
无符号整型
uint8: 表示 8 位无符号整型
size: 8 bits
range: 0 to 255
uint16: 表示 16 位无符号整型
size: 16 bits
range: 0 to 65535
uint32: 表示 32 位无符号整型
size: 32 bits
range: 0 to 4294967295
uint64: 表示 64 位无符号整型
size: 64 bits
range: 0 to 18446744073709551615
uint : 根据底层平台不同表示 32 或 64 位无符号整型
size : 32 位系统下为 32 bits,64 位系统为 64 bits
range : 32 位系统下为 0 ~ 4294967295,64 位系统下为 0 ~ 18446744073709551615
浮点类型
float32:32位浮点型
float64:64位浮点型,浮点数的默认类型
复数类型
complex64:实部和虚部都是 float32
complex128:实部和虚部都是 float64
通过内置函数 complex 来构造一个包含实部和虚部的复数。它的原型为:
func complex(r, i FloatType) ComplexType
它接收一个实部和一个虚部为参数并返回一个复数类型。实部和虚部应该为同一类型(float32
或 float64
)。如果实部和虚部都是 float32
,该函数返回一个类型为 complex64
的复数。如果实部和虚部都是 float64
,该函数返回一个类型为 complex128
的复数。
复数也可以通过简短声明语法来创建:
c := 6 + 7i
其他数字类型
byte
是 uint8
的别称
rune
是 int32
的别称
网友评论