How to Convert Float to String type in Go?
Like most modern languages, Golang includes Float as a built-in type. Let's take an example, you may have a variable that contains a Float value. In order to convert Float value into string type in Golang, you can use the following methods.
FormatFloat method
You can use the strconv package's FormatFloat() function to convert the float into an string value. FormatFloat converts the floating-point number f to a string, according to the format fmt and precision prec. It rounds the result assuming that the original was obtained from a floating-point value of bitSize bits (32 for float32, 64 for float64).
Syntax
func FormatFloat(f float64, fmt byte, prec, bitSize int) string
Example
package main
import (
"fmt"
"reflect"
"strconv"
)
func main() {
var f float64 = 3.1415926535
fmt.Println(reflect.TypeOf(f))
fmt.Println(f)
var s string = strconv.FormatFloat(f, 'E', -1, 32)
fmt.Println(reflect.TypeOf(s))
fmt.Println(s)
}
Output
float64
3.1415926535
string
3.1415927E+00
fmt.Sprintf() method
Sprintf formats according to a format specifier and returns the resulting string. Here, a is of Interface type hence you can use this method to convert any type to string.
Syntax
func Sprintf(format string, a ...interface{}) string
Example
package main
import (
"fmt"
"reflect"
)
func main() {
b := 12.454
fmt.Println(reflect.TypeOf(b))
s := fmt.Sprintf("%v", b)
fmt.Println(s)
fmt.Println(reflect.TypeOf(s))
}
Output
float64
12.454
string
Most Helpful This Week
How to use function from another file golang?How to set, get, and list environment variables?Find out how many logical processors used by current processHow to fix race condition using Atomic Functions in Golang?How to get the current date and time with timestamp in local and other timezones ?Golang Slice vs Map Benchmark TestingHow to read names of all files and folders in current directory?Get Year, Month, Day, Hour, Min and Second from a specified dateHow to play and pause execution of goroutine?How to get Dimensions of an image type jpg jpeg png or gif ?