Spaces:
Running
Running
File size: 7,620 Bytes
0cde401 6a91b07 0cde401 6a91b07 0cde401 6a91b07 0cde401 6a91b07 0cde401 6a91b07 0cde401 6a91b07 0cde401 6a91b07 0cde401 6a91b07 0cde401 6a91b07 0cde401 6a91b07 0cde401 | 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 | # api/routes_courseware.py
"""AI Teacher Assistant Agent(Courseware)API:课程愿景、活动设计、课堂助教、QA 优化、教案与 PPT 数据。"""
from typing import Optional, List, Any
from fastapi import APIRouter, HTTPException
from pydantic import BaseModel, Field
from api.config import USE_WEAVIATE
from api.courseware import (
build_course_vision,
design_activities_and_assignments,
teaching_copilot,
optimize_from_quiz_data,
generate_lesson_plan_and_ppt_data,
)
router = APIRouter(prefix="/api/courseware", tags=["courseware"])
# ------------------------- Course Vision & Structure Builder -------------------------
class VisionRequest(BaseModel):
course_info: str = Field(..., min_length=1, description="课程基本信息")
syllabus: str = Field(..., min_length=1, description="教学大纲或要点")
history: Optional[list] = Field(None, description="对话历史:[(user_msg, assistant_msg), ...]")
class VisionResponse(BaseModel):
ok: bool = True
content: str = Field(..., description="课程定位、学习目标、知识树(含 References)")
weaviate_used: bool = False
@router.post("/vision", response_model=VisionResponse)
def post_vision(req: VisionRequest):
"""课程愿景与结构:输出课程定位、学习目标、层级化知识树。"""
try:
content = build_course_vision(
course_info=req.course_info.strip(),
syllabus=req.syllabus.strip(),
history=req.history,
)
return VisionResponse(content=content, weaviate_used=USE_WEAVIATE)
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
# ------------------------- Activity & Assignment Designer -------------------------
class ActivitiesRequest(BaseModel):
topic: str = Field(..., min_length=1, description="主题/模块")
learning_objectives: Optional[str] = Field(None, description="学习目标(可选)")
rag_context_override: Optional[str] = Field(None, description="覆盖 RAG 上下文(如上传资料摘要)")
history: Optional[list] = Field(None, description="对话历史:[(user_msg, assistant_msg), ...]")
class ActivitiesResponse(BaseModel):
ok: bool = True
content: str = Field(..., description="课堂活动、作业、Rubric(含 References)")
weaviate_used: bool = False
@router.post("/activities", response_model=ActivitiesResponse)
def post_activities(req: ActivitiesRequest):
"""活动与作业设计:课堂活动、作业、评分标准;支持从上传资料提取知识点。"""
try:
content = design_activities_and_assignments(
topic=req.topic.strip(),
learning_objectives=req.learning_objectives.strip() if req.learning_objectives else None,
rag_context_override=req.rag_context_override.strip() if req.rag_context_override else None,
history=req.history,
)
return ActivitiesResponse(content=content, weaviate_used=USE_WEAVIATE)
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
# ------------------------- Teaching Copilot & Student Adaptation -------------------------
class StudentProfile(BaseModel):
name: Optional[str] = None
progress: Optional[str] = None
behavior: Optional[str] = None
class CopilotRequest(BaseModel):
current_content: str = Field(..., min_length=1, description="当前授课内容/问题")
student_profiles: Optional[List[StudentProfile]] = Field(None, description="学生画像 Name, Progress, Behavior")
history: Optional[list] = Field(None, description="对话历史:[(user_msg, assistant_msg), ...]")
class CopilotResponse(BaseModel):
ok: bool = True
content: str = Field(..., description="实时建议(含 References)")
weaviate_used: bool = False
@router.post("/copilot", response_model=CopilotResponse)
def post_copilot(req: CopilotRequest):
"""课堂实时助教:根据当前内容与学生画像给出即时建议。"""
try:
profiles = [p.model_dump() for p in (req.student_profiles or [])]
content = teaching_copilot(
current_content=req.current_content.strip(),
student_profiles=profiles,
history=req.history,
)
return CopilotResponse(content=content, weaviate_used=USE_WEAVIATE)
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
# ------------------------- Course QA Optimizer -------------------------
class QAOptimizeRequest(BaseModel):
quiz_summary: str = Field(..., min_length=1, description="学生答题数据摘要(Smart Quiz)")
course_topic: Optional[str] = Field(None, description="相关课程主题/章节")
history: Optional[list] = Field(None, description="对话历史:[(user_msg, assistant_msg), ...]")
class QAOptimizeResponse(BaseModel):
ok: bool = True
content: str = Field(..., description="薄弱点分析与教学建议(含 References)")
weaviate_used: bool = False
@router.post("/qa-optimize", response_model=QAOptimizeResponse)
def post_qa_optimize(req: QAOptimizeRequest):
"""基于 Smart Quiz 答题数据分析弱点并给出教学优化建议。"""
try:
content = optimize_from_quiz_data(
quiz_summary=req.quiz_summary.strip(),
course_topic=req.course_topic.strip() if req.course_topic else None,
history=req.history,
)
return QAOptimizeResponse(content=content, weaviate_used=USE_WEAVIATE)
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
# ------------------------- Content Generator (Lesson Plan & PPT) -------------------------
class ContentRequest(BaseModel):
topic: str = Field(..., min_length=1, description="主题/章节")
duration: Optional[str] = Field(None, description="课时/时长建议")
outline_points: Optional[str] = Field(None, description="大纲要点")
history: Optional[list] = Field(None, description="对话历史:[(user_msg, assistant_msg), ...]")
class ContentResponse(BaseModel):
ok: bool = True
content: str = Field(..., description="Markdown 教案 + PPT 结构化数据(含 References)")
weaviate_used: bool = False
@router.post("/content", response_model=ContentResponse)
def post_content(req: ContentRequest):
"""生成详细教案(Markdown)与可用于 PPT 的结构化数据。"""
try:
content = generate_lesson_plan_and_ppt_data(
topic=req.topic.strip(),
duration=req.duration.strip() if req.duration else None,
outline_points=req.outline_points.strip() if req.outline_points else None,
history=req.history,
)
return ContentResponse(content=content, weaviate_used=USE_WEAVIATE)
except Exception as e:
raise HTTPException(status_code=500, detail=str(e))
# ------------------------- Status -------------------------
@router.get("/status")
def get_courseware_status():
"""Courseware Agent 状态与能力列表。"""
return {
"weaviate_configured": USE_WEAVIATE,
"reference_policy": "All outputs include References: [Source: Filename/Page] or [Source: URL]",
"modules": [
"vision", # Course Vision & Structure Builder
"activities", # Activity & Assignment Designer
"copilot", # Teaching Copilot & Student Adaptation
"qa-optimize", # Course QA Optimizer
"content", # Content Generator (Lesson Plan & PPT)
],
}
|