P-01: Clamp delta poll since param to max 24h in the past (projects + calendars) to prevent expensive full-table scans from malicious timestamps. P-02: Validate individual user_id elements in ProjectMemberInvite and TaskAssignmentCreate with Annotated[int, Field(ge=1, le=2147483647)]. P-04: Only enable delta polling for shared projects (member_count > 0). Solo projects skip the 5s poll entirely. P-05: Remove fragile 200ms onBlur timeout in ProjectShareSheet search. The onMouseDown preventDefault on dropdown items already prevents blur from firing before click registers. P-06/S-04: Replace manual dict construction in model_validators with __table__.columns iteration so new fields are auto-included. S-01: Replace bare except in ProjectResponse.compute_member_count with logger.debug to surface errors in development. S-03: Consolidate cascade_projects_on_disconnect from 2 project ID queries into 1 using IN clause with both user IDs. S-05: Send version in toggleTaskMutation, updateTaskStatusMutation, and toggleSubtaskMutation for full optimistic locking coverage. Handle 409 with refresh toast. S-07: Replace window.location.href with React Router navigateRef in task_assigned toast for client-side navigation. S-08: Already fixed in previous commit (subtask comment selectinload). Co-Authored-By: Claude Opus 4.6 (1M context) <noreply@anthropic.com>
84 lines
2.6 KiB
Python
84 lines
2.6 KiB
Python
import logging
|
|
from pydantic import BaseModel, ConfigDict, Field, model_validator
|
|
from datetime import datetime, date
|
|
from typing import Optional, List, Literal
|
|
from app.schemas.project_task import ProjectTaskResponse
|
|
|
|
logger = logging.getLogger(__name__)
|
|
|
|
ProjectStatus = Literal["not_started", "in_progress", "completed", "blocked", "review", "on_hold"]
|
|
|
|
|
|
class ProjectCreate(BaseModel):
|
|
model_config = ConfigDict(extra="forbid")
|
|
|
|
name: str = Field(min_length=1, max_length=255)
|
|
description: Optional[str] = Field(None, max_length=5000)
|
|
status: ProjectStatus = "not_started"
|
|
color: Optional[str] = Field(None, max_length=20)
|
|
due_date: Optional[date] = None
|
|
is_tracked: bool = False
|
|
|
|
|
|
class ProjectUpdate(BaseModel):
|
|
model_config = ConfigDict(extra="forbid")
|
|
|
|
name: Optional[str] = Field(None, min_length=1, max_length=255)
|
|
description: Optional[str] = Field(None, max_length=5000)
|
|
status: Optional[ProjectStatus] = None
|
|
color: Optional[str] = Field(None, max_length=20)
|
|
due_date: Optional[date] = None
|
|
is_tracked: Optional[bool] = None
|
|
|
|
|
|
class ProjectResponse(BaseModel):
|
|
id: int
|
|
user_id: int = 0
|
|
name: str
|
|
description: Optional[str]
|
|
status: str
|
|
color: Optional[str]
|
|
due_date: Optional[date]
|
|
is_tracked: bool
|
|
member_count: int = 0
|
|
created_at: datetime
|
|
updated_at: datetime
|
|
tasks: List[ProjectTaskResponse] = []
|
|
|
|
model_config = ConfigDict(from_attributes=True)
|
|
|
|
@model_validator(mode="before")
|
|
@classmethod
|
|
def compute_member_count(cls, data): # type: ignore[override]
|
|
"""Compute member_count from eagerly loaded members relationship."""
|
|
if hasattr(data, "members"):
|
|
try:
|
|
data = dict(
|
|
id=data.id,
|
|
user_id=data.user_id,
|
|
name=data.name,
|
|
description=data.description,
|
|
status=data.status,
|
|
color=data.color,
|
|
due_date=data.due_date,
|
|
is_tracked=data.is_tracked,
|
|
member_count=len([m for m in data.members if m.status == "accepted"]),
|
|
created_at=data.created_at,
|
|
updated_at=data.updated_at,
|
|
tasks=data.tasks,
|
|
)
|
|
except Exception as exc:
|
|
logger.debug("member_count compute skipped: %s", exc)
|
|
return data
|
|
|
|
|
|
class TrackedTaskResponse(BaseModel):
|
|
id: int
|
|
title: str
|
|
status: str
|
|
priority: str
|
|
due_date: date
|
|
project_name: str
|
|
project_id: int
|
|
parent_task_title: Optional[str] = None
|