Golang : On enumeration
In Golang, it is fairly simple to declare enumeration. Just group the similar items into a const
group and use the iota
keyword.
For example, to declares constants :
const Monday = 1
const Tuesday = 2
Enumeration is formed by putting constants into parentheses. For example :
const (
Monday = 1
Tuesday = 2
Wednesday = 3
)
Golang has one keyword iota
that make the consts into enum.
const (
Monday = iota
Tuesday
Wednesday
)
and let say you want to explicit declare the constants type. You can do something like :
type Day int
const (
Monday Day = iota
Tuesday
Wednesday
)
and this code will test out the enumeration :
package main
import (
"fmt"
)
type Day int
const (
Monday Day = iota // starts from 0
Tuesday
Wednesday
Thursday
Friday
)
func main() {
fmt.Println(Monday) // should return 0
fmt.Println(Friday) // should print 4
}
Output :
0
4
add a variable and a method to print out the string value instead of iota.
// [...] is to tell the Go intrepreter/compiler to figure out the array size
var days = [...]string {"Monday","Tuesday","Wednesday","Thursday","Friday",}
func (day Day) String() string {
return days[day]
}
and the codes below will printout the enumeration in string.
package main
import (
"fmt"
)
type Day int
const (
Monday Day = iota // starts from 0
Tuesday
Wednesday
Thursday
Friday
)
// [...] is to tell the Go intrepreter/compiler to figure out the array size
var days = [...]string {"Monday","Tuesday","Wednesday","Thursday","Friday",}
func (day Day) String() string {
return days[day]
}
func main() {
fmt.Println(Monday) // should return Monday
fmt.Println(Friday) // should print Friday
}
Output :
Monday
Friday
By Adam Ng
IF you gain some knowledge or the information here solved your programming problem. Please consider donating to the less fortunate or some charities that you like. Apart from donation, planting trees, volunteering or reducing your carbon footprint will be great too.
Advertisement
Tutorials
+13.2k Golang : Get user input until a command or receive a word to stop
+15.1k Golang : invalid character ',' looking for beginning of value
+22.2k Golang : Set and Get HTTP request headers example
+5.6k Golang : Denco multiplexer example
+11.3k Golang : Simple file scaning and remove virus example
+7.2k Golang : Gorrila set route name and get the current route name
+4.6k Golang : A program that contain another program and executes it during run-time
+14.7k Golang : Save(pipe) HTTP response into a file
+5.3k Clean up Visual Studio For Mac installation failed disk full problem
+26.8k Golang : Find files by name - cross platform example
+7.6k Swift : Convert (cast) String to Double
+5.2k Golang : fmt.Println prints out empty data from struct