You can not select more than 25 topics
Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.
54 lines
2.1 KiB
54 lines
2.1 KiB
from datetime import datetime |
|
|
|
from sqlalchemy import Boolean, DateTime, ForeignKey, Integer, String, Text |
|
from sqlalchemy.orm import Mapped, mapped_column, relationship |
|
from sqlalchemy.sql import func |
|
|
|
from app.database import Base |
|
|
|
|
|
class Test(Base): |
|
__tablename__ = "tests" |
|
|
|
id: Mapped[int] = mapped_column(Integer, primary_key=True) |
|
title: Mapped[str] = mapped_column(String(255), nullable=False) |
|
description: Mapped[str | None] = mapped_column(Text, nullable=True) |
|
passing_score: Mapped[int] = mapped_column(Integer, nullable=False) |
|
time_limit: Mapped[int | None] = mapped_column(Integer, nullable=True) # минуты |
|
allow_navigation_back: Mapped[bool] = mapped_column(Boolean, default=True, nullable=False) |
|
is_active: Mapped[bool] = mapped_column(Boolean, default=True, nullable=False) |
|
version: Mapped[int] = mapped_column(Integer, default=1, nullable=False) |
|
created_at: Mapped[datetime] = mapped_column( |
|
DateTime(timezone=True), server_default=func.now() |
|
) |
|
|
|
questions: Mapped[list["Question"]] = relationship( |
|
"Question", back_populates="test", cascade="all, delete-orphan" |
|
) |
|
|
|
|
|
class Question(Base): |
|
__tablename__ = "questions" |
|
|
|
id: Mapped[int] = mapped_column(Integer, primary_key=True) |
|
test_id: Mapped[int] = mapped_column(Integer, ForeignKey("tests.id"), nullable=False) |
|
text: Mapped[str] = mapped_column(Text, nullable=False) |
|
order: Mapped[int] = mapped_column(Integer, nullable=False) |
|
|
|
test: Mapped["Test"] = relationship("Test", back_populates="questions") |
|
answers: Mapped[list["Answer"]] = relationship( |
|
"Answer", back_populates="question", cascade="all, delete-orphan" |
|
) |
|
|
|
|
|
class Answer(Base): |
|
__tablename__ = "answers" |
|
|
|
id: Mapped[int] = mapped_column(Integer, primary_key=True) |
|
question_id: Mapped[int] = mapped_column( |
|
Integer, ForeignKey("questions.id"), nullable=False |
|
) |
|
text: Mapped[str] = mapped_column(Text, nullable=False) |
|
is_correct: Mapped[bool] = mapped_column(Boolean, nullable=False) |
|
|
|
question: Mapped["Question"] = relationship("Question", back_populates="answers")
|
|
|