-
Notifications
You must be signed in to change notification settings - Fork 1
/
Copy pathstudent_data.go
91 lines (81 loc) · 2.09 KB
/
student_data.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
package db
import (
"errors"
"github.com/ishtiaqhimel/go-api-server/model"
)
// StudentRepo In memory Database for student
type StudentRepo struct {
Students []model.Student
}
func NewStudent() *StudentRepo {
return &StudentRepo{
Students: []model.Student{
{
Id: "1604099",
FirstName: "Ishtiaq",
LastName: "Islam",
Subjects: []model.Subject{
{Id: "103", Title: "Data Structure", Code: "CSE-103"},
{Id: "104", Title: "Algorithm", Code: "CSE-104"},
},
},
{
Id: "1604098",
FirstName: "ABC",
LastName: "DEF",
Subjects: []model.Subject{
{Id: "103", Title: "Data Structure", Code: "CSE-103"},
{Id: "105", Title: "Computer Network", Code: "CSE-105"},
},
},
{
Id: "1604097",
FirstName: "XYZ",
LastName: "PQR",
Subjects: []model.Subject{
{Id: "104", Title: "Algorithm", Code: "CSE-104"},
{Id: "106", Title: "Image Processing", Code: "CSE-106"},
},
},
},
}
}
type StudentService interface {
GetAll() []model.Student
Add(student model.Student) error
DeleteById(id string) error
UpdateById(id string, student model.Student) error
}
func (r *StudentRepo) Add(student model.Student) error {
for _, stud := range r.Students {
if stud.Id == student.Id {
return errors.New("student with id " + student.Id + " already exists")
}
}
r.Students = append(r.Students, student)
return nil
}
func (r *StudentRepo) GetAll() []model.Student {
return r.Students
}
func (r *StudentRepo) DeleteById(id string) error {
for i, student := range r.Students {
if id == student.Id {
// Do we need the ordered value? - No
r.Students[i] = r.Students[len(r.Students)-1]
r.Students[len(r.Students)-1] = model.Student{}
r.Students = r.Students[:len(r.Students)-1]
return nil
}
}
return errors.New("student with id " + id + " does not exist")
}
func (r *StudentRepo) UpdateById(id string, stud model.Student) error {
for i, student := range r.Students {
if id == student.Id {
r.Students[i] = stud
return nil
}
}
return errors.New("student with id " + id + " does not exist")
}