tailly_back_v2/internal/repository/post_repository.go
madipo2611 a5a90bed7e v0.0.1
2025-04-28 15:14:02 +03:00

105 lines
2.0 KiB
Go

package repository
import (
"context"
"database/sql"
"errors"
"tailly_back_v2/internal/domain"
)
var (
ErrPostNotFound = errors.New("post not found")
)
type PostRepository interface {
Create(ctx context.Context, post *domain.Post) error
GetByID(ctx context.Context, id int) (*domain.Post, error)
GetAll(ctx context.Context) ([]*domain.Post, error)
GetByAuthorID(ctx context.Context, authorID int) ([]*domain.Post, error)
Update(ctx context.Context, post *domain.Post) error
Delete(ctx context.Context, id int) error
}
type postRepository struct {
db *sql.DB
}
func NewPostRepository(db *sql.DB) PostRepository {
return &postRepository{db: db}
}
func (r *postRepository) Create(ctx context.Context, post *domain.Post) error {
query := `
INSERT INTO posts (title, content, author_id, created_at, updated_at)
VALUES ($1, $2, $3, $4, $5)
RETURNING id
`
err := r.db.QueryRowContext(ctx, query,
post.Title,
post.Content,
post.AuthorID,
post.CreatedAt,
post.UpdatedAt,
).Scan(&post.ID)
return err
}
func (r *postRepository) GetByID(ctx context.Context, id int) (*domain.Post, error) {
query := `
SELECT id, title, content, author_id, created_at, updated_at
FROM posts
WHERE id = $1
`
post := &domain.Post{}
err := r.db.QueryRowContext(ctx, query, id).Scan(
&post.ID,
&post.Title,
&post.Content,
&post.AuthorID,
&post.CreatedAt,
&post.UpdatedAt,
)
if err == sql.ErrNoRows {
return nil, ErrPostNotFound
}
return post, err
}
func (r *postRepository) GetAll(ctx context.Context) ([]*domain.Post, error) {
query := `
SELECT id, title, content, author_id, created_at, updated_at
FROM posts
ORDER BY created_at DESC
`
rows, err := r.db.QueryContext(ctx, query)
if err != nil {
return nil, err
}
defer rows.Close()
var posts []*domain.Post
for rows.Next() {
post := &domain.Post{}
err := rows.Scan(
&post.ID,
&post.Title,
&post.Content,
&post.AuthorID,
&post.CreatedAt,
&post.UpdatedAt,
)
if err != nil {
return nil, err
}
posts = append(posts, post)
}
return posts, nil
}