如何保存与 Gorm 的一对一关系?

How to save one to one relations with Gorm?

如何保存用户与 Gorm 和 Postgres 的地址关系?

package main

import (
    "fmt"
    "log"

    "github.com/jinzhu/gorm"
    _ "github.com/jinzhu/gorm/dialects/postgres"
)

var (
    pgUri = "postgres://postgres@127.0.0.1:5432/postgres?sslmode=disable"
)

type User struct {
    gorm.Model
    Email   string
    Address Address
}

type Address struct {
    gorm.Model
    Street  string
    City    string
    Country string
}

func main() {
    db, err := gorm.Open("postgres", pgUri)
    if err != nil {
        log.Fatalf("Failed to connect Postgres: %v\n", err)
    }

    // Checked two tables (user, address) created in database
    db.AutoMigrate(&User{}, &Address{})
    defer db.Close()

    u := User{
        Email: "some@one.com",
        Address: Address{
            Street:  "One street",
            City:    "Two city",
            Country: "Three country",
        },
    }

    fmt.Println(u)

    if err := db.Create(&u).Error; err != nil {
        panic(err)
    }

    if err := db.Save(&u).Error; err != nil {
        panic(err)
    }
}

在我运行之后用go run main.go:

{{0 0001-01-01 00:00:00 +0000 UTC 0001-01-01 00:00:00 +0000 UTC <nil>} some@one.com {{0 0001-01-01 00:00:00 +0000 UTC 0001-01-01 00:00:00 +0000 UTC <nil>} One street Two city Three country}}

它创建了一个新用户但是没有创建任何地址

您在 Address 关联中缺少外键。对于 has one 关系,外键字段必须存在,owned 会将属于它的模型的主键保存到这个字段中。

Doc

type User struct {
    gorm.Model
    Email   string
    Address Address // One-To-One relationship (has one - use Address's UserID as foreign key)
}

type Address struct {
    gorm.Model
    UserID  uint
    Street  string
    City    string
    Country string
}