g.GET(\"/\", func(c echo.Context) error {
var users []models.User
err := db.Find(users).Error
if err != nil {
fmt.Println(err)
}
return c.JSO
Just to add clarification to S.Diego answers, changing this:
err := db.Find(users).Error
to this:
err := db.Find(&users).Error
the error says, the variable users is not addressable, because it is not a pointer.
You have to call Find with a pointer to the slice.
err := db.Find(&users).Error
relevant Gorm documentation: http://jinzhu.me/gorm/crud.html#query
In a very similar fashion to the accepted answer (but in a slightly different context), and an error that I keep making in different projects:
func migrate(db *gorm.DB) {
db.AutoMigrate(User{}, Activity{})
}
becomes
func migrate(db *gorm.DB) {
db.AutoMigrate(&User{}, &Activity{})
}
Notice the ampersands.