मैं एक का उपयोग करके ( या ) को bool
बुलाया कन्वर्ट करने की कोशिश कर रहा हूँ, लेकिन यह काम नहीं करता है। गो में ऐसा करने का मुहावरेदार तरीका क्या है?isExist
string
true
false
string(isExist)
जवाबों:
दो मुख्य विकल्प हैं:
strconv.FormatBool(bool) string
fmt.Sprintf(string, bool) string
साथ "%t"
या "%v"
formatters।ध्यान दें कि strconv.FormatBool(...)
है काफी की तुलना में तेजी fmt.Sprintf(...)
निम्नलिखित बेंचमार्क द्वारा प्रदर्शित होता है:
func Benchmark_StrconvFormatBool(b *testing.B) {
for i := 0; i < b.N; i++ {
strconv.FormatBool(true) // => "true"
strconv.FormatBool(false) // => "false"
}
}
func Benchmark_FmtSprintfT(b *testing.B) {
for i := 0; i < b.N; i++ {
fmt.Sprintf("%t", true) // => "true"
fmt.Sprintf("%t", false) // => "false"
}
}
func Benchmark_FmtSprintfV(b *testing.B) {
for i := 0; i < b.N; i++ {
fmt.Sprintf("%v", true) // => "true"
fmt.Sprintf("%v", false) // => "false"
}
}
ऐसे दोड़ो:
$ go test -bench=. ./boolstr_test.go
goos: darwin
goarch: amd64
Benchmark_StrconvFormatBool-8 2000000000 0.30 ns/op
Benchmark_FmtSprintfT-8 10000000 130 ns/op
Benchmark_FmtSprintfV-8 10000000 130 ns/op
PASS
ok command-line-arguments 3.531s
आप strconv.FormatBool
इस तरह का उपयोग कर सकते हैं :
package main
import "fmt"
import "strconv"
func main() {
isExist := true
str := strconv.FormatBool(isExist)
fmt.Println(str) //true
fmt.Printf("%q\n", str) //"true"
}
या आप fmt.Sprint
इस तरह का उपयोग कर सकते हैं :
package main
import "fmt"
func main() {
isExist := true
str := fmt.Sprint(isExist)
fmt.Println(str) //true
fmt.Printf("%q\n", str) //"true"
}
या लिखें strconv.FormatBool
:
// FormatBool returns "true" or "false" according to the value of b
func FormatBool(b bool) string {
if b {
return "true"
}
return "false"
}
strconv.FormatBool(t)
true
"सच" पर सेट करें।strconv.ParseBool("true")
"सच" सेट करने के लिएtrue
। Stackoverflow.com/a/62740786/12817546 देखें ।