32 lines
844 B
Python
32 lines
844 B
Python
from sqlalchemy.orm import Session
|
|
|
|
from models import Video
|
|
from schemas import VideoCreate
|
|
|
|
|
|
def create_video(db: Session, video_data: VideoCreate) -> Video:
|
|
video = Video(**video_data.model_dump())
|
|
db.add(video)
|
|
db.commit()
|
|
db.refresh(video)
|
|
return video
|
|
|
|
|
|
def get_all_videos(db: Session) -> list[Video]:
|
|
return db.query(Video).order_by(Video.created_at.desc()).all()
|
|
|
|
|
|
def get_downloaded_videos(db: Session) -> list[Video]:
|
|
return db.query(Video).filter(Video.file_path.isnot(None)).order_by(Video.created_at.desc()).all()
|
|
|
|
|
|
def get_video(db: Session, video_id: int) -> Video | None:
|
|
return db.query(Video).filter(Video.id == video_id).first()
|
|
|
|
|
|
def update_file_path(db: Session, video_id: int, path: str):
|
|
video = get_video(db, video_id)
|
|
if video:
|
|
video.file_path = path
|
|
db.commit()
|