Tracks
/
Go
Go
/
Syllabus
/
Numbers
Nu

Numbers in Go

1 exercise

About Numbers

Go contains basic numeric types that can represent sets of either integer or floating-point values. There a different types depending on the size of value you require and the architecture of the computer where the application is running (e.g. 32-bit and 64-bit).

This concept will concentrate on two number types:

  • int: e.g. 0, 255, 2147483647. A signed integer that is at least 32 bits in size (value range of: -2147483648 through 2147483647). But this will depend on the systems architecture. Most modern computers are 64 bit, therefore int will be 64 bits in size (value rate of: -9223372036854775808 through 9223372036854775807).

  • float64: e.g. 0.0, 3.14. Contains the set of all 64-bit floating-point numbers.

For a full list of the available numeric types and more detail see the following resources:

Go supports the standard set of arithmetic operators of +, -, *, / and % (remainder not modulo).

In Go, assignment of a value between different types requires explicit conversion. For example, to convert an int to a float64 you would need to do the following:

var x int = 42
f := float64(x)

fmt.Printf("x is of type: %s\n", reflect.TypeOf(x))
// Output: x is of type: int

fmt.Printf("f is of type: %s\n", reflect.TypeOf(f))
// Output: f is of type: float64

For more information on Type Conversion please see A Tour of Go: Type Conversions

Edit via GitHub The link opens in a new window or tab

Learn Numbers