La fonction strings.Join
Prend uniquement des tranches de chaînes:
s := []string{"foo", "bar", "baz"}
fmt.Println(strings.Join(s, ", "))
Mais il serait bien de pouvoir passer des objets arbitraires qui implémentent une fonction ToString()
.
type ToStringConverter interface {
ToString() string
}
Y a-t-il quelque chose comme ceci dans Go ou dois-je décorer des types existants comme int
avec les méthodes ToString et écrire un wrapper autour de strings.Join
?
func Join(a []ToStringConverter, sep string) string
Associez une méthode String() string
à un type nommé et profitez de toutes les fonctionnalités personnalisées "ToString":
package main
import "fmt"
type bin int
func (b bin) String() string {
return fmt.Sprintf("%b", b)
}
func main() {
fmt.Println(bin(42))
}
Aire de jeux: http://play.golang.org/p/Azql7_pDAA
Sortie
101010
Lorsque vous avez propre struct
, vous pouvez avoir sa propre fonction convert-to-string.
package main
import (
"fmt"
)
type Color struct {
Red int `json:"red"`
Green int `json:"green"`
Blue int `json:"blue"`
}
func (c Color) String() string {
return fmt.Sprintf("[%d, %d, %d]", c.Red, c.Green, c.Blue)
}
func main() {
c := Color{Red: 123, Green: 11, Blue: 34}
fmt.Println(c) //[123, 11, 34]
}
Un autre exemple avec une structure:
package types
import "fmt"
type MyType struct {
Id int
Name string
}
func (t MyType) String() string {
return fmt.Sprintf(
"[%d : %s]",
t.Id,
t.Name)
}
Soyez prudent lorsque vous l'utilisez,
la concaténation avec '+' ne compile pas:
t := types.MyType{ 12, "Blabla" }
fmt.Println(t) // OK
fmt.Printf("t : %s \n", t) // OK
//fmt.Println("t : " + t) // Compiler error !!!
fmt.Println("t : " + t.String()) // OK if calling the function explicitly