Go語言設置JSON的默認值操作

給需要設置的JSON字段初試化你想設置的值就OK。

比如我想讓[]string類型的字段的默認值是[],而不是nil,那我就make([]string, 0)賦值給該字段。

轉成JSON輸出後,就是[]。

1. 示例代碼

這是沒有初始化的代碼。默認值是nil。

package main
import (
 "encoding/json"
 "fmt"
 "net"
 "net/http"
)
type JsonTest struct {
 Test1  string   `json:"test1"`
 Test2  []string  `json:"test2"`
}
//定義自己的路由器
type MyMux1 struct {
}
//實現http.Handler這個接口的唯一方法
func (mux *MyMux1) ServeHTTP(w http.ResponseWriter, r *http.Request) {
 urlPath := r.URL.Path
 switch urlPath {
 case "/test":
 mux.testJson(w, r)
 default:
 http.Error(w, "沒有此url路徑", http.StatusBadRequest)
 }
}
func (mux *MyMux1) testJson(w http.ResponseWriter, r *http.Request) {
 if r.Method != "GET" {
 http.Error(w, "the method is not allowed", http.StatusMethodNotAllowed)
 }
 jsontest := &JsonTest{}
 //隻初始化Test1字段
 jsontest.Test1 = "value1"
 
 jsondata,_ := json.Marshal(jsontest)
 w.Header().Set("Content-Type", "application/json")
 fmt.Fprintf(w, "%s", jsondata)
}
func main() {
 //實例化路由器Handler
 mymux := &MyMux1{}
 //基於TCP服務監聽8088端口
 ln, err := net.Listen("tcp", ":8089")
 if err != nil {
 fmt.Printf("設置監聽端口出錯...")
 }
 //調用http.Serve(l net.Listener, handler Handler)方法,啟動監聽
 err1 := http.Serve(ln, mymux)
 if err1 != nil {
 fmt.Printf("啟動監聽出錯")
 }
}

示例結果如下圖1所示,字段Test2的默認值是nil。

以下是對[]string字段初始化的代碼。默認輸出值是[]。

func (mux *MyMux1) testJson(w http.ResponseWriter, r *http.Request) {
 if r.Method != "GET" {
 http.Error(w, "the method is not allowed", http.StatusMethodNotAllowed)
 }
 jsontest := &JsonTest{}
 jsontest.Test1 = "value1"
 jsontest.Test2 = make([]string, 0)
 jsondata,_ := json.Marshal(jsontest)
 w.Header().Set("Content-Type", "application/json")
 fmt.Fprintf(w, "%s", jsondata)
}

示例結果如下圖2所示。

2. 示例結果

3. 總結

其他字段想要設置默認輸出值,隻需要對其進行相應的初始化即可。

補充:golang json Unmarshal的時候,在key為空的時候給予默認值

我就廢話不多說瞭,大傢還是直接看代碼吧~

package main
import (
 "fmt"
 "encoding/json"
)
type Test struct {
 A string
 B int
 C string
}
func (t *Test) UnmarshalJSON(data []byte) error {
 type testAlias Test
 test := &testAlias{
 A: "default A",
 B: -2,
 }
 _ = json.Unmarshal(data, test)
 *t = Test(*test)
 return nil
}
var example []byte = []byte(`[{"A": "1", "C": "3"}, {"A": "4", "B": 2}, {"C": "5"}]`)
func main() {
  out := &[]Test{}
  _ = json.Unmarshal(example, &out)
  fmt.Print(out)
}

結果

&[{1 -2 3} {4 2 } {default A -2 5}]

可以看到 在key沒有的情況下可以指定對應的值,這樣就可以瞭。

以上為個人經驗,希望能給大傢一個參考,也希望大傢多多支持WalkonNet。如有錯誤或未考慮完全的地方,望不吝賜教。

推薦閱讀: