61 lines
2.5 KiB
Python
61 lines
2.5 KiB
Python
from sqlalchemy import Column, Integer, String, DateTime, ForeignKey, Text
|
|
from sqlalchemy.orm import relationship
|
|
from datetime import datetime
|
|
from config.database import Base
|
|
|
|
class Post(Base):
|
|
__tablename__ = "posts"
|
|
|
|
id = Column(Integer, primary_key=True, index=True)
|
|
author_id = Column(Integer, ForeignKey("users.id"), nullable=False)
|
|
content = Column(Text, nullable=False)
|
|
image_url = Column(String)
|
|
likes_count = Column(Integer, default=0)
|
|
comments_count = Column(Integer, default=0)
|
|
created_at = Column(DateTime, default=datetime.utcnow)
|
|
updated_at = Column(DateTime, default=datetime.utcnow, onupdate=datetime.utcnow)
|
|
|
|
# Relationships
|
|
author = relationship("User", back_populates="posts")
|
|
mentions = relationship("PostMention", back_populates="post", cascade="all, delete-orphan")
|
|
likes = relationship("PostLike", back_populates="post", cascade="all, delete-orphan")
|
|
comments = relationship("PostComment", back_populates="post", cascade="all, delete-orphan")
|
|
|
|
class PostMention(Base):
|
|
__tablename__ = "post_mentions"
|
|
|
|
id = Column(Integer, primary_key=True, index=True)
|
|
post_id = Column(Integer, ForeignKey("posts.id"), nullable=False)
|
|
mentioned_user_id = Column(Integer, ForeignKey("users.id"), nullable=False)
|
|
created_at = Column(DateTime, default=datetime.utcnow)
|
|
|
|
# Relationships
|
|
post = relationship("Post", back_populates="mentions")
|
|
mentioned_user = relationship("User", back_populates="mentions")
|
|
|
|
class PostLike(Base):
|
|
__tablename__ = "post_likes"
|
|
|
|
id = Column(Integer, primary_key=True, index=True)
|
|
post_id = Column(Integer, ForeignKey("posts.id"), nullable=False)
|
|
user_id = Column(Integer, ForeignKey("users.id"), nullable=False)
|
|
created_at = Column(DateTime, default=datetime.utcnow)
|
|
|
|
# Relationships
|
|
post = relationship("Post", back_populates="likes")
|
|
user = relationship("User", back_populates="post_likes")
|
|
|
|
class PostComment(Base):
|
|
__tablename__ = "post_comments"
|
|
|
|
id = Column(Integer, primary_key=True, index=True)
|
|
post_id = Column(Integer, ForeignKey("posts.id"), nullable=False)
|
|
author_id = Column(Integer, ForeignKey("users.id"), nullable=False)
|
|
content = Column(Text, nullable=False)
|
|
created_at = Column(DateTime, default=datetime.utcnow)
|
|
updated_at = Column(DateTime, default=datetime.utcnow, onupdate=datetime.utcnow)
|
|
|
|
# Relationships
|
|
post = relationship("Post", back_populates="comments")
|
|
author = relationship("User", back_populates="post_comments")
|