68 lines
1.4 KiB
Go
68 lines
1.4 KiB
Go
// tutor
|
|
package repositories
|
|
|
|
import (
|
|
"database/sql"
|
|
"sprechstundentool/models"
|
|
)
|
|
|
|
type TutorRepo struct {
|
|
db *sql.DB
|
|
}
|
|
|
|
func NewTutorRepo(db *sql.DB) *TutorRepo {
|
|
return &TutorRepo{
|
|
db: db,
|
|
}
|
|
}
|
|
|
|
func (r *TutorRepo) FindByEmail(email string) ([]models.Tutor, error) {
|
|
rows, err := r.db.Query("SELECT * FROM tutor WHERE email=?", email)
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
defer rows.Close()
|
|
|
|
var tutors []models.Tutor
|
|
for rows.Next() {
|
|
var tutor models.Tutor
|
|
if err := rows.Scan(&tutor.Id, &tutor.Name, &tutor.Email); err != nil {
|
|
return tutors, err
|
|
}
|
|
tutors = append(tutors, tutor)
|
|
}
|
|
return tutors, nil
|
|
}
|
|
|
|
func (r *TutorRepo) FindById(id int) (models.Tutor, error) {
|
|
row := r.db.QueryRow("SELECT * FROM tutor WHERE id=?", id)
|
|
var tutor models.Tutor
|
|
if err := row.Scan(&tutor.Id, &tutor.Name, &tutor.Email); err != nil {
|
|
return models.Tutor{}, err
|
|
}
|
|
return tutor, nil
|
|
}
|
|
|
|
func (r *TutorRepo) GetAll() ([]models.Tutor, error) {
|
|
rows, err := r.db.Query("SELECT * FROM tutor")
|
|
if err != nil {
|
|
return nil, err
|
|
}
|
|
defer rows.Close()
|
|
|
|
var tutors []models.Tutor
|
|
for rows.Next() {
|
|
var tutor models.Tutor
|
|
if err := rows.Scan(&tutor.Id, &tutor.Name, &tutor.Email); err != nil {
|
|
return tutors, err
|
|
}
|
|
tutors = append(tutors, tutor)
|
|
}
|
|
return tutors, nil
|
|
}
|
|
func (r *TutorRepo) Save(tutor models.Tutor) error {
|
|
return nil
|
|
}
|
|
func (r *TutorRepo) Add(tutor models.Tutor) error {
|
|
return nil
|
|
}
|