Converting a string variable into Boolean, Integer or Float type in Golang
A guide on how to convert a string into Boolean, Integer, or Float types in Golang. This article will help you understand how to use Go's built-in functions to work with different data types.
In Go, we can use functions like strconv.ParseBool
, strconv.Atoi
, and strconv.ParseFloat
to convert strings into different types such as Boolean, Integer, and Float. These are common and efficient methods to handle string input data.
Golang Code
package main
import (
"fmt"
"strconv"
)
func main() {
// String variables to be converted
strBool := "true"
strInt := "123"
strFloat := "123.45"
// Convert to Boolean
boolValue, err := strconv.ParseBool(strBool)
if err != nil {
fmt.Println("Error parsing boolean:", err)
} else {
fmt.Println("Boolean value:", boolValue)
}
// Convert to Integer
intValue, err := strconv.Atoi(strInt)
if err != nil {
fmt.Println("Error parsing integer:", err)
} else {
fmt.Println("Integer value:", intValue)
}
// Convert to Float
floatValue, err := strconv.ParseFloat(strFloat, 64)
if err != nil {
fmt.Println("Error parsing float:", err)
} else {
fmt.Println("Float value:", floatValue)
}
}
Detailed explanation:
-
import "strconv"
: Imports thestrconv
package to use its string conversion functions. -
strBool := "true"
,strInt := "123"
,strFloat := "123.45"
: Creates string variables with Boolean, Integer, and Float values. -
strconv.ParseBool(strBool)
: Converts the string to a Boolean value. -
strconv.Atoi(strInt)
: Converts the string to an Integer value. -
strconv.ParseFloat(strFloat, 64)
: Converts the string to a Float value with 64-bit precision. - Error handling with
err != nil
: Prints an error message if the conversion fails.
Tips:
- Always check for errors after every conversion to ensure valid input data.
- Use appropriate precision for floating-point numbers (
float32
orfloat64
) to save resources.