在Go中,Python中是否有类似“ f-string”的功能?

时间:2019-11-28 06:35:40

标签: go

在Go中, Python中是否有类似“ f-string”的功能? 我找不到像f-string这样的简单解决方案。

#Python
name = 'AlphaGo'
print(f'I am {name}') ##I am AlphaGo

我在网上和评论中找到的最佳替代解决方案是

//Golang
package main

import (
    "fmt"
)

func main() {
    const name, age = "Kim", 22
    fmt.Println(name, "is", age, "years old.") // Kim is 22 years old.
}

但是,这仍然不像f弦那么简单...

1 个答案:

答案 0 :(得分:1)

  1. 只需使用:
fmt.Printf("I am %s\n", name) // I am AlphaGo

  1. 导出了Name,使用struct
    t := template.Must(template.New("my").Parse("I am {{.Name}}\n"))
    t.Execute(os.Stdout, struct{ Name string }{name}) // I am AlphaGo

  1. 小写的name,请使用map
    t2 := template.Must(template.New("my").Parse("I am {{.name}}\n"))
    t2.Execute(os.Stdout, map[string]string{"name": name}) // I am AlphaGo

  1. 使用.
    t3 := template.Must(template.New("my").Parse("I am {{.}}\n"))
    t3.Execute(os.Stdout, name) // I am AlphaGo

全部:

package main

import (
    "fmt"
    "os"
    "text/template"
)

func main() {
    name := "AlphaGo"

    fmt.Printf("I am %s\n", name)

    t := template.Must(template.New("my").Parse("I am {{.Name}}\n"))
    t.Execute(os.Stdout, struct{ Name string }{name}) // I am AlphaGo

    t2 := template.Must(template.New("my").Parse("I am {{.name}}\n"))
    t2.Execute(os.Stdout, map[string]string{"name": name}) // I am AlphaGo

    t3 := template.Must(template.New("my").Parse("I am {{.}}\n"))
    t3.Execute(os.Stdout, name) // I am AlphaGo
}