How to find the type of the variable by different ways in Golang?
The following source code snippet shows an abbreviated program with several variables initialized with different data types.
The Go
reflection
package has methods for inspecting the type of variables.The following snippet will print out the reflection type of a string, integer, slice, map and float of a variable.Also, in other way using
%T
with Printf
is a Go-syntax representation to find the type of the variable or value.
Example
package main
import (
"fmt"
"reflect"
)
func main() {
tst1 := "string"
tst2 := 10
tst3 := 1.2
tst4 := true
tst5 := []string{"foo", "bar", "baz"}
tst6 := map[string]int{"apple": 23, "tomato": 13}
fmt.Println("\n######################################\n")
fmt.Println(reflect.TypeOf(tst1))
fmt.Println(reflect.TypeOf(tst2))
fmt.Println(reflect.TypeOf(tst3))
fmt.Println(reflect.TypeOf(tst4))
fmt.Println(reflect.TypeOf(tst5))
fmt.Println(reflect.TypeOf(tst6))
fmt.Println("\n######################################\n")
fmt.Println(reflect.ValueOf(tst1).Kind())
fmt.Println(reflect.ValueOf(tst2).Kind())
fmt.Println(reflect.ValueOf(tst3).Kind())
fmt.Println(reflect.ValueOf(tst4).Kind())
fmt.Println(reflect.ValueOf(tst5).Kind())
fmt.Println(reflect.ValueOf(tst6).Kind())
fmt.Println("\n######################################\n")
fmt.Printf("%T\n", tst1)
fmt.Printf("%T\n", tst2)
fmt.Printf("%T\n", tst3)
fmt.Printf("%T\n", tst4)
fmt.Printf("%T\n", tst5)
fmt.Printf("%T\n", tst6)
}
Output
######################################
string
int
float64
bool
[]string
map[string]int
######################################
string
int
float64
bool
slice
map
######################################
string
int
float64
bool
[]string
map[string]int
Most Helpful This Week
Example to handle GET and POST request in Golang
Passing multiple string arguments to a variadic function
How to write backslash in Golang string?
How to fix race condition using Atomic Functions in Golang?
Example: Split, Join, and Equal from BYTES Package
Find out how many logical processors used by current process