在 Go 中为导入的结构设置标签

Set tags for imported struct in Go

我正在使用 gorm (go orm) 从我的数据库中检索数据,这些数据将被编码为JSON。 Gorm 为主键和时间跟踪提供了一个默认结构,其 DeletedAt 属性不应在 JSON 中编码。

我写了一个小例子,不会输出密码,但 DeletedAt 属性仍然可见。

package main

import (
    "encoding/json"
    "fmt"
    "os"

    "github.com/jinzhu/gorm"
    _ "github.com/lib/pq"
    _ "github.com/mattn/go-sqlite3"
)

// Struct from the gorm package:
//
// type Model struct {
//     ID        uint `gorm:"primary_key"`
//     CreatedAt time.Time
//     UpdatedAt time.Time
//     DeletedAt *time.Time
// }

// Defines the database model for gorn
type User struct {
    gorm.Model
    Username string `json:"username" sql:"size:32; not null; unique"`
    Password string `json:"password" sql:"not null"`
    Locale   string `json:"locale"   sql:"not null"`
}

// Public JSON version of database model
type PublicUser struct {
    *User
    DeletedAt bool `json:"deletedAt,omitempty"`
    Password  bool `json:"password,omitempty"`
}

func main() {
    db, err := gorm.Open("sqlite3", "storage.db")

    if err != nil {
        fmt.Println(err)
    }

    u := &User{}
    db.Where("id = ?", 3).Find(&u)

    json.NewEncoder(os.Stdout).Encode(PublicUser{
        User: u,
    })
}

这是我 运行 我的脚本得到的输出:

{
    "ID":3,
    "CreatedAt":"2015-05-13T14:54:23.5577227Z",
    "UpdatedAt":"2015-05-13T14:54:23.5577227Z",
    "DeletedAt":null,
    "username":"dan",
    "locale":"en_US"
}

我修改了 Alfred Rossi 的 example 来模仿行为,我得到了相同的结果。

您可以将布尔值设置为 false 并用 omitempty

标记该字段

例如

type User struct {
    Username  string `json:"username"`
    DeletedAt int    `json:"deleted_at"`
}

type PublicUser struct {
    *User
    DeletedAt bool `json:"deleted_at,omitempty"`
}

欢迎使用它 here. Also see this blog post of Attila Oláh。