這是一個建立於 的文章,其中的資訊可能已經有所發展或是發生改變。
我們用golang的json來marshal一個結構體的時候,結構體的未匯出的成員將無法被json訪問,也就是不會出現json編碼的結果裡(也就是小寫成員沒法匯出)
這個是由於技術的上問題引起的:golang的結構體裡的成員的名字如果以小寫字母開頭,那麼其他的包是無法訪問的,也就是json無法訪問我們的結構體裡小寫字母開頭的成員
這個可以有兩種方法解決
1. struct的成員用大寫開頭,然後加tag
2. 實現json.Marshaler介面
第一種方法比較常見這兒就不詳細展開了
第二種方法如下
http://play.golang.org/p/AiTwUOWkiT
package mainimport "fmt"import "encoding/json"func main() {var s Ss.a = 5s.b[0] = 3.123s.b[1] = 111.11s.b[2] = 1234.123s.c = "hello"s.d[0] = 0x55j, _ := json.Marshal(s)fmt.Println(string(j))}type S struct {a intb [4]float32c stringd [12]byte}func (this S) MarshalJSON() ([]byte, error) {return json.Marshal(map[string]interface{}{"a": this.a,"b": this.b,"c": this.c,"d": this.d,})}
輸出:
{"a":5,"b":[3.123,111.11,1234.123,0],"c":"hello","d":[85,0,0,0,0,0,0,0,0,0,0,0]}
也就是結構體實現MarshalJSON() ([]byte, error)函數即可,在這個函數裡匯出你想要匯出的成員就可以了。
這樣就可以正常的使用json.Marshal之類的函數了