-
Notifications
You must be signed in to change notification settings - Fork 4
/
model.go
94 lines (72 loc) · 2.12 KB
/
model.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
// model.go
package main
import (
"context"
"database/sql"
// tom: errors is removed once functions are implemented
// "errors"
)
// tom: add backticks to json
type product struct {
ID int `json:"id"`
Name string `json:"name"`
Price float64 `json:"price"`
}
// tom: these are initial empty definitions
// func (p *product) getProduct(db *sql.DB) error {
// return errors.New("Not implemented")
// }
// func (p *product) updateProduct(db *sql.DB) error {
// return errors.New("Not implemented")
// }
// func (p *product) deleteProduct(db *sql.DB) error {
// return errors.New("Not implemented")
// }
// func (p *product) createProduct(db *sql.DB) error {
// return errors.New("Not implemented")
// }
// func getProducts(db *sql.DB, start, count int) ([]product, error) {
// return nil, errors.New("Not implemented")
// }
// tom: these are added after tdd tests
func (p *product) getProduct(ctx context.Context, db *sql.DB) error {
return db.QueryRowContext(ctx, "SELECT name, price FROM products WHERE id=$1",
p.ID).Scan(&p.Name, &p.Price)
}
func (p *product) updateProduct(ctx context.Context, db *sql.DB) error {
_, err :=
db.ExecContext(ctx, "UPDATE products SET name=$1, price=$2 WHERE id=$3",
p.Name, p.Price, p.ID)
return err
}
func (p *product) deleteProduct(ctx context.Context, db *sql.DB) error {
_, err := db.ExecContext(ctx, "DELETE FROM products WHERE id=$1", p.ID)
return err
}
func (p *product) createProduct(ctx context.Context, db *sql.DB) error {
err := db.QueryRowContext(ctx,
"INSERT INTO products(name, price) VALUES($1, $2) RETURNING id",
p.Name, p.Price).Scan(&p.ID)
if err != nil {
return err
}
return nil
}
func getProducts(ctx context.Context, db *sql.DB, start, count int) ([]product, error) {
rows, err := db.QueryContext(ctx,
"SELECT id, name, price FROM products LIMIT $1 OFFSET $2",
count, start)
if err != nil {
return nil, err
}
defer rows.Close()
products := []product{}
for rows.Next() {
var p product
if err := rows.Scan(&p.ID, &p.Name, &p.Price); err != nil {
return nil, err
}
products = append(products, p)
}
return products, nil
}