32 lines
1.2 KiB
Python
32 lines
1.2 KiB
Python
"""Account ORM model."""
|
||
|
||
import uuid
|
||
|
||
from sqlalchemy import Column, DateTime, ForeignKey, JSON, String, Text
|
||
from sqlalchemy.orm import relationship
|
||
from sqlalchemy.sql import func
|
||
|
||
from .base import Base
|
||
|
||
|
||
class Account(Base):
|
||
__tablename__ = "accounts"
|
||
|
||
id = Column(String(36), primary_key=True, default=lambda: str(uuid.uuid4()))
|
||
user_id = Column(String(36), ForeignKey("users.id", ondelete="CASCADE"), nullable=False)
|
||
weibo_user_id = Column(String(20), nullable=False)
|
||
remark = Column(String(100))
|
||
encrypted_cookies = Column(Text, nullable=False)
|
||
iv = Column(String(32), nullable=False)
|
||
status = Column(String(20), default="pending")
|
||
selected_topics = Column(JSON, nullable=True) # 用户选择的签到超话列表,null=全部
|
||
last_checked_at = Column(DateTime, nullable=True)
|
||
created_at = Column(DateTime, server_default=func.now())
|
||
|
||
user = relationship("User", back_populates="accounts")
|
||
tasks = relationship("Task", back_populates="account", cascade="all, delete-orphan")
|
||
signin_logs = relationship("SigninLog", back_populates="account", cascade="all, delete-orphan", passive_deletes=True)
|
||
|
||
def __repr__(self):
|
||
return f"<Account(id={self.id}, weibo_user_id='{self.weibo_user_id}')>"
|