-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathtodo.go
109 lines (83 loc) · 2.03 KB
/
todo.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
package main
import (
"log"
"net/http"
"github.com/labstack/echo/v4"
"gorm.io/gorm"
"github.com/shellbear/dokku-go-example/models"
)
// Create a new Todo.
func CreateNewTodo(db *gorm.DB) func(c echo.Context) error {
return func(c echo.Context) error {
var todo models.Todo
if err := c.Bind(&todo); err != nil {
return err
}
log.Println("Creating a new Todo.")
if err := db.Create(&todo).Error; err != nil {
return err
}
return c.JSON(http.StatusCreated, &todo)
}
}
// List all Todos.
func GetAllTodos(db *gorm.DB) func(c echo.Context) error {
return func(c echo.Context) error {
var todos []*models.Todo
log.Println("Fetching all Todos")
// Find all Todos in database.
if err := db.Find(&todos).Error; err != nil {
return err
}
// Return all the Todos as JSON.
return c.JSON(http.StatusOK, todos)
}
}
// Get Todo from ID.
func GetOneTodo(db *gorm.DB) func (c echo.Context) error {
return func (c echo.Context) error {
// Parse the ID url parameter.
var id uint
if err := echo.PathParamsBinder(c).
Uint("id", &id).
BindError(); err != nil {
return err
}
log.Println("Fetching one Todo:", id)
// Find the Todo from ID.
var todo models.Todo
if err := db.Find(&todo, "id = ?", id).Error; err != nil {
return err
}
return c.JSON(http.StatusOK, &todo)
}
}
// Update Todo from ID.
func UpdateOneTodo(db *gorm.DB) func (c echo.Context) error {
return func(c echo.Context) error {
var input models.Todo
// Get JSON input.
if err := c.Bind(&input); err != nil {
return err
}
// Parse the ID url parameter.
var id uint
if err := echo.PathParamsBinder(c).
Uint("id", &id).
BindError(); err != nil {
return err
}
log.Println("Updating one Todo:", id)
input.ID = id
// Update the Todo in database.
if err := db.Updates(&input).Error; err != nil {
return err
}
// Get the updated Todo.
if err := db.Find(&input, "id = ?", id).Error; err != nil {
return err
}
// Return the Todo as JSON.
return c.JSON(http.StatusOK, &input)
}
}