question: How use golang Copy one struct to another where structs have same members and different types
此时需要的库
github.com/ulule/deepcopiergithub.com/jinzhu/copierE.g.
package main
import (
   "fmt"
   "github.com/ulule/deepcopier"
)
// Model
type User struct {
    // Basic string field
    Name  string
    // Deepcopier supports https://golang.org/pkg/database/sql/driver/#Valuer
    Email sql.NullString
}
func (u *User) MethodThatTakesContext(ctx map[string]interface{}) string {
    // do whatever you want
    return"hello from this method"
}
// Resource
type UserResource struct {
    //copy from field"Name"
    DisplayName            string `deepcopier:"field:Name"`
    //this will be skipped in copy
    SkipMe                 string `deepcopier:"skip"`
    //this should call method named MethodThatTakesContext
    MethodThatTakesContext string `deepcopier:"context"`
    Email                  string `deepcopier:"force"`
}
func main() {
    user := &User{
        Name:"gilles",
        Email: sql.NullString{
            Valid: true,
            String:"gilles@example.com",
        },
    }
    resource := &UserResource{}
    deepcopier.Copy(user).To(resource)
    //copied from User's Name field
    fmt.Println(resource.DisplayName)//output: gilles
    fmt.Println(resource.Email) //output: gilles@example.com
    fmt.Println(resource.MethodThatTakesContext) //output: hello from this method
}
