Spaces:
Sleeping
Sleeping
File size: 8,467 Bytes
bd161ec d7ed1ea bd161ec d7ed1ea bd161ec d7ed1ea bd161ec |
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 |
"""
Phase service for managing the 14-phase workflow system.
"""
from typing import Tuple, List
from sqlalchemy.ext.asyncio import AsyncSession
from sqlalchemy import select, update
from datetime import datetime, timezone
import logging
from models import Phase, PhaseDraft, PhaseStatus
from services.openai_service import openai_service
from services.rag_service import RAGService
logger = logging.getLogger(__name__)
class PhaseService:
"""Service for phase management and content generation."""
@staticmethod
async def generate_content(
db: AsyncSession,
phase: Phase,
user_input: str,
use_rag: bool = True,
temperature: float = 0.7
) -> Tuple[str, List[str]]:
"""Generate AI content for a phase with context."""
try:
# Build context using RAG if enabled
context = ""
context_sources = []
if use_rag:
context, context_sources = await RAGService.get_context_for_phase(
db, phase.project_id, phase.phase_number, user_input
)
# Build prompt
prompt = await PhaseService._build_prompt(phase, user_input, context)
# Generate content
ai_response = await openai_service.generate_content(
prompt=prompt,
context=context,
temperature=temperature
)
logger.info(f"Generated content for phase {phase.phase_number} in project {phase.project_id}")
return ai_response, context_sources
except Exception as e:
logger.error(f"Content generation error: {e}")
raise Exception(f"Failed to generate content: {str(e)}")
@staticmethod
async def _build_prompt(phase: Phase, user_input: str, context: str) -> str:
"""Build prompt for content generation."""
# Base prompt template
if phase.prompt_template:
prompt = phase.prompt_template
else:
prompt = f"""
Phase {phase.phase_number}: {phase.title}
{phase.description or ""}
Please provide a comprehensive response based on the user's input.
"""
# Add user input
prompt += "\n\nUser Input:\n" + user_input
# Add context if available
if context:
prompt += "\n\nRelevant Context from Previous Phases:\n" + context
prompt += "\n\nPlease provide a detailed, professional response that builds upon the context and addresses the user's input:"
return prompt
@staticmethod
async def save_draft(
db: AsyncSession,
phase_id: str,
user_input: str,
ai_response: str
) -> PhaseDraft:
"""Save a draft version of phase content."""
try:
# Get current highest version number
version_result = await db.execute(
select(PhaseDraft.version)
.where(PhaseDraft.phase_id == phase_id)
.order_by(PhaseDraft.version.desc())
.limit(1)
)
current_version = version_result.scalar_one_or_none()
next_version = (current_version or 0) + 1
# Create draft
draft = PhaseDraft(
phase_id=phase_id,
version=next_version,
content="User Input: " + user_input + "\n\nAI Response: " + ai_response,
user_input=user_input,
ai_response=ai_response
)
db.add(draft)
await db.commit()
await db.refresh(draft)
logger.info(f"Saved draft version {next_version} for phase {phase_id}")
return draft
except Exception as e:
logger.error(f"Failed to save draft: {e}")
raise Exception(f"Failed to save draft: {str(e)}")
@staticmethod
async def mark_subsequent_phases_stale(
db: AsyncSession,
project_id: str,
current_phase_number: int
):
"""Mark all subsequent phases as stale when a phase is updated."""
try:
await db.execute(
update(Phase)
.where(
Phase.project_id == project_id,
Phase.phase_number > current_phase_number,
Phase.status == PhaseStatus.COMPLETED
)
.values(status=PhaseStatus.STALE)
)
logger.info(f"Marked phases {current_phase_number + 1}+ as stale in project {project_id}")
except Exception as e:
logger.error(f"Failed to mark phases as stale: {e}")
raise Exception(f"Failed to mark phases as stale: {str(e)}")
@staticmethod
async def get_phase_dependencies(
db: AsyncSession,
project_id: str,
phase_number: int
) -> List[Phase]:
"""Get phases that the current phase depends on."""
try:
# For now, assume linear dependency (each phase depends on all previous phases)
# This can be enhanced with more complex dependency mapping
result = await db.execute(
select(Phase)
.where(
Phase.project_id == project_id,
Phase.phase_number < phase_number,
Phase.status == PhaseStatus.COMPLETED
)
.order_by(Phase.phase_number)
)
return list(result.scalars().all())
except Exception as e:
logger.error(f"Failed to get phase dependencies: {e}")
return []
@staticmethod
async def validate_phase_progression(
db: AsyncSession,
project_id: str,
phase_number: int
) -> bool:
"""Validate that prerequisites for a phase are met."""
try:
# Check if previous phase is completed (simple linear validation)
if phase_number > 1:
prev_phase_result = await db.execute(
select(Phase)
.where(
Phase.project_id == project_id,
Phase.phase_number == phase_number - 1
)
)
prev_phase = prev_phase_result.scalar_one_or_none()
if not prev_phase or prev_phase.status != PhaseStatus.COMPLETED:
return False
return True
except Exception as e:
logger.error(f"Phase validation error: {e}")
return False
@staticmethod
async def get_project_progress(db: AsyncSession, project_id: str) -> dict:
"""Get overall project progress statistics."""
try:
# Get all phases for the project
phases_result = await db.execute(
select(Phase).where(Phase.project_id == project_id)
)
phases = phases_result.scalars().all()
# Calculate statistics
total_phases = len(phases)
completed_phases = len([p for p in phases if p.status == PhaseStatus.COMPLETED])
stale_phases = len([p for p in phases if p.status == PhaseStatus.STALE])
in_progress_phases = len([p for p in phases if p.status == PhaseStatus.IN_PROGRESS])
progress_percentage = (completed_phases / total_phases * 100) if total_phases > 0 else 0
return {
"total_phases": total_phases,
"completed_phases": completed_phases,
"stale_phases": stale_phases,
"in_progress_phases": in_progress_phases,
"progress_percentage": round(progress_percentage, 2),
"current_phase": completed_phases + 1 if completed_phases < total_phases else total_phases
}
except Exception as e:
logger.error(f"Failed to get project progress: {e}")
return {
"total_phases": 0,
"completed_phases": 0,
"stale_phases": 0,
"in_progress_phases": 0,
"progress_percentage": 0,
"current_phase": 1
}
|