Golang has formatted I/O functions about printf where in package fmt.They support the format ‘verbs’ which are derived from C’ but are simpler.

Example

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
package main

import (
"fmt"
"os"
)

type point struct {
x, y int
}

func main() {

p := point{1, 2}
fmt.Printf("%v\n", p) // {1 2}

fmt.Printf("%+v\n", p) // {x:1 y:2}

fmt.Printf("%#v\n", p) // main.point{x:1, y:2}

fmt.Printf("%T\n", p) // main.point

fmt.Printf("%t\n", true) // true

fmt.Printf("%d\n", 123) // 123

fmt.Printf("%b\n", 14) // 1110

fmt.Printf("%c\n", 33) // !

fmt.Printf("%x\n", 456) // 1c8

fmt.Printf("%f\n", 78.9) // 78.900000

fmt.Printf("%e\n", 123400000.0) // 1.234000e+08
fmt.Printf("%E\n", 123400000.0) // 1.234000E+08

fmt.Printf("%s\n", "\"string\"") // "string"

fmt.Printf("%q\n", "\"string\"") // "\"string\""

fmt.Printf("%x\n", "hex this") // 6865782074686973

fmt.Printf("%p\n", &p) // 0x42135100

fmt.Printf("|%6d|%6d|\n", 12, 345) // | 12| 345|

fmt.Printf("|%6.2f|%6.2f|\n", 1.2, 3.45) // | 1.20| 3.45|

fmt.Printf("|%-6.2f|%-6.2f|\n", 1.2, 3.45) // |1.20 |3.45 |

fmt.Printf("|%6s|%6s|\n", "foo", "b") // | foo| b|

fmt.Printf("|%-6s|%-6s|\n", "foo", "b") // |foo |b |

s := fmt.Sprintf("a %s", "string")
fmt.Println(s) // a string

fmt.Fprintf(os.Stderr, "an %s\n", "error") // an error
}

References

go dev
go by example
Using ‘%q’ inside fmt.Printf in Go (instead of ‘%s’)