我正在编写一个go计划(让我们称之为foo),它在标准输出上输出JSON。
$ ./foo
{"id":"uuid1","name":"John Smith"}{"id":"uuid2","name":"Jane Smith"}
为了使输出人类可读,我必须将其输入jq,如:
$ ./foo | jq .
{
"id":"uuid1",
"name": "John Smith"
}
{
"id":"uuid2"
"name": "Jane Smith"
}
有没有办法使用开源的jq包装器来实现相同的结果?我尝试找一些,但他们通常包含过滤JSON输入的功能,而不是美化JSON输出。
答案 0 :(得分:7)
encoding/json
包支持开箱即用的漂亮输出。您可以使用json.MarshalIndent()
。或者,如果您正在使用json.Encoder
,请在致电Encoder.SetIndent()
之前调用其Go 1.7(自Encoder.Encode()
以来的新方法)。
示例:
m := map[string]interface{}{"id": "uuid1", "name": "John Smith"}
data, err := json.MarshalIndent(m, "", " ")
if err != nil {
panic(err)
}
fmt.Println(string(data))
enc := json.NewEncoder(os.Stdout)
enc.SetIndent("", " ")
if err := enc.Encode(m); err != nil {
panic(err)
}
输出(在Go Playground上尝试):
{
"id": "uuid1",
"name": "John Smith"
}
{
"id": "uuid1",
"name": "John Smith"
}
如果您只想格式化" ready" JSON文本,您可以使用json.Indent()
函数:
src := `{"id":"uuid1","name":"John Smith"}`
dst := &bytes.Buffer{}
if err := json.Indent(dst, []byte(src), "", " "); err != nil {
panic(err)
}
fmt.Println(dst.String())
输出(在Go Playground上尝试):
{
"id": "uuid1",
"name": "John Smith"
}
这些string
函数的2个indent
参数是:
prefix, indent string
说明在文档中:
JSON对象或数组中的每个元素都从一个新的缩进行开始,该行以prefix开头,后跟一个或多个缩进副本,根据缩进嵌套。
因此,每个换行符都将以prefix
开头,后面会有0个或更多indent
个副本,具体取决于嵌套级别。
如果您为它们指定值,则会变得清晰明显:
json.Indent(dst, []byte(src), "+", "-")
使用嵌入对象测试它:
src := `{"id":"uuid1","name":"John Smith","embedded:":{"fieldx":"y"}}`
dst := &bytes.Buffer{}
if err := json.Indent(dst, []byte(src), "+", "-"); err != nil {
panic(err)
}
fmt.Println(dst.String())
输出(在Go Playground上尝试):
{
+-"id": "uuid1",
+-"name": "John Smith",
+-"embedded:": {
+--"fieldx": "y"
+-}
+}