ソースを参照

fix: upload & ai

ryanemax 1 週間 前
コミット
ff02bbcfc8

+ 654 - 0
docs/service-integration-complete.md

@@ -0,0 +1,654 @@
+# 企微项目管理模块 - 真实服务集成完成
+
+## 🎯 集成概述
+
+已完成企微项目管理模块与真实服务的全面集成,包括文件上传、AI能力和企微SDK功能。
+
+**完成时间**: 2025-10-16
+**集成服务**: 3个核心服务模块
+**更新组件**: 2个阶段组件
+
+---
+
+## 📦 新增服务模块
+
+### 1. NovaUploadService (文件上传服务)
+
+**文件**: `/src/modules/project/services/upload.service.ts`
+
+**核心功能**:
+- ✅ 单文件/批量上传到Parse Server
+- ✅ 图片压缩(支持设置最大宽高和质量)
+- ✅ 缩略图生成
+- ✅ 文件类型验证
+- ✅ 文件大小验证
+- ✅ 上传进度回调
+- ✅ 文件下载
+- ✅ 文件大小格式化
+
+**使用示例**:
+```typescript
+// 上传图片并压缩
+const url = await this.uploadService.uploadFile(file, {
+  compress: true,
+  maxWidth: 1920,
+  maxHeight: 1920,
+  onProgress: (progress) => {
+    console.log('上传进度:', progress);
+  }
+});
+
+// 批量上传
+const urls = await this.uploadService.uploadFiles(files, {
+  compress: true,
+  onProgress: (current, total) => {
+    console.log(`${current}/${total}`);
+  }
+});
+
+// 验证文件
+const isValid = this.uploadService.validateFileType(file, ['image/*']);
+const isSizeOk = this.uploadService.validateFileSize(file, 10); // 10MB
+```
+
+---
+
+### 2. ProjectAIService (AI服务)
+
+**文件**: `/src/modules/project/services/ai.service.ts`
+
+**核心功能**:
+- ✅ 设计方案生成(基于需求+参考图片)
+- ✅ 项目复盘生成(基于项目数据)
+- ✅ 图片内容识别(OCR + 理解)
+- ✅ 支付凭证OCR识别
+- ✅ 色彩提取分析
+- ✅ 流式文本生成
+
+**技术实现**:
+```typescript
+// 引入fmode-ng AI能力
+import { completionJSON, FmodeChatCompletion } from 'fmode-ng/lib/core/agent';
+
+// 使用模型
+const ProjectAIModel = 'fmode-1.6-cn';
+```
+
+**使用示例**:
+```typescript
+// 1. 生成设计方案
+const solution = await this.aiService.generateDesignSolution(
+  requirements, // 需求信息
+  {
+    images: imageUrls, // 参考图片URL数组
+    onProgress: (content) => {
+      console.log('生成中:', content.length);
+    }
+  }
+);
+
+// 返回结构化数据:
+// {
+//   generated: true,
+//   content: "...",
+//   spaces: [{
+//     name: "客厅",
+//     styleDescription: "...",
+//     colorPalette: ["#FFFFFF", ...],
+//     materials: ["木纹饰面", ...],
+//     furnitureRecommendations: ["..."]
+//   }],
+//   estimatedCost: 150000,
+//   timeline: "预计60个工作日..."
+// }
+
+// 2. 生成项目复盘
+const retrospective = await this.aiService.generateProjectRetrospective(
+  {
+    title: "某某项目",
+    type: "整屋设计",
+    duration: 45,
+    customerRating: 5,
+    challenges: ["CAD图纸延期"]
+  },
+  {
+    onProgress: (content) => { ... }
+  }
+);
+
+// 返回结构化数据:
+// {
+//   generated: true,
+//   summary: "项目整体执行顺利...",
+//   highlights: ["亮点1", "亮点2"],
+//   challenges: ["挑战1", "挑战2"],
+//   lessons: ["教训1", "教训2"],
+//   recommendations: ["建议1", "建议2"]
+// }
+
+// 3. OCR识别支付凭证
+const ocrResult = await this.aiService.recognizePaymentVoucher(imageUrl);
+
+// 返回:
+// {
+//   amount: 50000.00,
+//   paymentTime: "2025-01-15 14:30:00",
+//   paymentMethod: "银行转账",
+//   payer: "张三",
+//   payee: "映三色设计",
+//   confidence: 0.95
+// }
+
+// 4. 图片识别(通用)
+const result = await this.aiService.recognizeImages(
+  imageUrls,
+  "请识别图片中的内容...",
+  {
+    outputSchema: `{"description": "...", "keywords": []}`,
+    onProgress: (content) => { ... }
+  }
+);
+
+// 5. 提取色彩
+const colors = await this.aiService.extractColors(imageUrls);
+
+// 返回:
+// {
+//   colors: [
+//     {hex: "#FFFFFF", name: "主色", usage: "墙面"},
+//     ...
+//   ],
+//   atmosphere: "温馨",
+//   description: "整体色彩氛围描述"
+// }
+
+// 6. 流式生成(适合长文本)
+const subscription = this.aiService.streamCompletion(
+  "请生成...",
+  { model: ProjectAIModel }
+).subscribe({
+  next: (message) => {
+    const content = message?.content || '';
+    // 实时显示内容
+    if (message?.complete) {
+      // 生成完成
+    }
+  },
+  error: (err) => {
+    console.error(err);
+  }
+});
+```
+
+---
+
+### 3. WxworkSDKService (企微SDK服务)
+
+**文件**: `/src/modules/project/services/wxwork-sdk.service.ts`
+
+**核心功能**:
+- ✅ JSAPI注册与签名
+- ✅ 获取当前聊天对象(群聊/联系人)
+- ✅ 获取当前用户信息
+- ✅ 同步群聊信息到GroupChat表
+- ✅ 同步联系人信息到ContactInfo表
+- ✅ 创建群聊
+- ✅ 添加成员到群聊
+- ✅ 打开指定群聊
+- ✅ 选择企业联系人
+- ✅ 平台判断(企微/微信/H5)
+
+**企业配置**:
+```typescript
+// 映三色配置
+private companyMap: any = {
+  'cDL6R1hgSi': { // 映三色账套ID
+    corpResId: 'SpL6gyD1Gu' // 企业号资源ID
+  }
+};
+
+// 应用套件配置
+private suiteMap: any = {
+  'crm': {
+    suiteId: 'dk2559ba758f33d8f5' // CRM应用套件ID
+  }
+};
+```
+
+**使用示例**:
+```typescript
+// 1. 初始化SDK
+await this.wxworkService.initialize(cid, 'crm');
+
+// 2. 获取当前聊天对象
+const { GroupChat, Contact, currentChat } =
+  await this.wxworkService.getCurrentChatObject();
+
+if (GroupChat) {
+  // 群聊场景
+  console.log('群聊名称:', GroupChat.get('name'));
+  console.log('群聊ID:', GroupChat.get('chat_id'));
+}
+
+if (Contact) {
+  // 单聊场景
+  console.log('联系人:', Contact.get('name'));
+  console.log('手机号:', Contact.get('mobile'));
+}
+
+// 3. 获取当前用户
+const currentUser = await this.wxworkService.getCurrentUser();
+const role = currentUser?.get('role'); // 客服/组员/组长/管理员
+const name = currentUser?.get('name');
+
+// 4. 创建群聊
+const result = await this.wxworkService.createGroupChat({
+  groupName: '项目群-客厅设计',
+  userIds: ['userid1', 'userid2'], // 内部员工
+  externalUserIds: ['external_userid'] // 外部客户
+});
+
+// 5. 添加成员到群聊
+await this.wxworkService.addUserToGroup({
+  chatId: 'chat_id_xxx',
+  userIds: ['userid3'],
+  externalUserIds: ['external_userid2']
+});
+
+// 6. 打开指定群聊(客户端跳转)
+await this.wxworkService.openChat('chat_id_xxx');
+
+// 7. 选择企业联系人
+const selected = await this.wxworkService.selectEnterpriseContact({
+  mode: 'multi', // single | multi
+  type: ['department', 'user']
+});
+
+// 返回:
+// {
+//   userList: [{userId: '...', name: '...'}],
+//   departmentList: [{departmentId: '...', name: '...'}]
+// }
+```
+
+---
+
+## 🔄 更新的组件
+
+### 1. stage-requirements.component (确认需求阶段)
+
+**更新内容**:
+
+#### 文件上传
+```typescript
+// 原来: 使用Mock数据
+const mockUrl = URL.createObjectURL(file);
+
+// 现在: 真实上传到Parse Server
+const url = await this.uploadService.uploadFile(file, {
+  compress: true,
+  maxWidth: 1920,
+  maxHeight: 1920,
+  onProgress: (progress) => {
+    console.log('上传进度:', progress);
+  }
+});
+```
+
+#### CAD文件上传
+```typescript
+// 添加文件类型验证
+const allowedTypes = [
+  'application/acad',
+  'application/x-acad',
+  'application/dxf',
+  'image/vnd.dwg',
+  'image/x-dwg',
+  'application/pdf'
+];
+
+// 添加文件大小验证 (50MB)
+if (!this.uploadService.validateFileSize(file, 50)) {
+  alert('文件大小不能超过50MB');
+  return;
+}
+```
+
+#### AI方案生成
+```typescript
+// 原来: 使用模拟数据
+const response = await this.callAIService(prompt);
+this.aiSolution = this.parseAIResponse(response);
+
+// 现在: 调用真实AI服务
+const result = await this.aiService.generateDesignSolution(
+  this.requirements,
+  {
+    images: this.referenceImages.map(img => img.url),
+    onProgress: (content) => {
+      console.log('生成进度:', content.length);
+    }
+  }
+);
+this.aiSolution = result;
+```
+
+---
+
+### 2. stage-aftercare.component (售后归档阶段)
+
+**更新内容**:
+
+#### 支付凭证OCR识别
+```typescript
+// 原来: 使用模拟OCR结果
+const ocrResult = {
+  amount: 50000,
+  paymentTime: new Date(),
+  paymentMethod: '银行转账'
+};
+
+// 现在: 调用真实OCR服务
+try {
+  const ocrResult = await this.aiService.recognizePaymentVoucher(url);
+
+  // 显示识别结果
+  alert(`OCR识别成功!
+金额: ¥${ocrResult.amount}
+方式: ${ocrResult.paymentMethod}
+置信度: ${ocrResult.confidence}`);
+
+} catch (ocrError) {
+  // OCR失败,仍保存图片但需手动输入
+  alert('凭证已上传,但OCR识别失败,请手动核对金额');
+}
+```
+
+#### AI项目复盘
+```typescript
+// 原来: 使用模拟数据
+const response = await this.callAIService(prompt);
+this.projectRetrospective = this.parseRetrospectiveResponse(response);
+
+// 现在: 调用真实AI服务
+const projectData = {
+  title: this.project.get('title'),
+  type: this.project.get('type'),
+  duration: this.calculateProjectDuration(),
+  customerRating: this.customerFeedback.rating,
+  challenges: this.extractChallenges()
+};
+
+const result = await this.aiService.generateProjectRetrospective(
+  projectData,
+  {
+    onProgress: (content) => {
+      console.log('生成进度:', content.length);
+    }
+  }
+);
+
+this.projectRetrospective = result;
+```
+
+---
+
+## 🎨 关键技术细节
+
+### completionJSON 使用(图片识别)
+
+```typescript
+import { completionJSON } from 'fmode-ng/lib/core/agent';
+
+// 使用vision模式识别图片
+const result = await completionJSON(
+  prompt,
+  outputSchema, // JSON结构定义
+  (content) => {
+    // 进度回调
+    onProgress?.(content);
+  },
+  3, // 最大重试次数
+  {
+    model: ProjectAIModel,
+    vision: true, // 启用视觉模型
+    images: imageUrls // 图片URL数组
+  }
+);
+```
+
+**特点**:
+- 完全替代传统OCR
+- 不仅识别文字,还能理解内容
+- 支持结构化输出
+- 支持多图联合分析
+
+### FmodeChatCompletion 使用(流式生成)
+
+```typescript
+import { FmodeChatCompletion } from 'fmode-ng/lib/core/agent';
+
+const messageList = [
+  {
+    role: 'user',
+    content: prompt
+  }
+];
+
+const completion = new FmodeChatCompletion(messageList, {
+  model: ProjectAIModel,
+  temperature: 0.7
+});
+
+const subscription = completion.sendCompletion({
+  isDirect: true
+}).subscribe({
+  next: (message) => {
+    const content = message?.content || '';
+    // 实时显示
+    onContentChange?.(content);
+
+    if (message?.complete) {
+      // 生成完成
+      resolve(content);
+    }
+  },
+  error: (err) => {
+    reject(err);
+    subscription?.unsubscribe();
+  }
+});
+```
+
+**特点**:
+- 流式输出,实时显示
+- 支持长文本生成
+- Observable模式,易于取消
+
+### 企微JSSDK使用(客户端跳转)
+
+```typescript
+import * as ww from '@wecom/jssdk';
+
+// 打开企微群聊(客户端跳转,不使用API)
+await ww.openEnterpriseChat({
+  externalUserIds: [],
+  groupName: '',
+  chatId: chatId, // 目标群聊ID
+  success: () => {
+    console.log('跳转成功');
+  },
+  fail: (err) => {
+    console.error('跳转失败:', err);
+  }
+});
+```
+
+**对比**:
+```typescript
+// ❌ 不使用API(需要后端调用)
+await this.wecorp.appchat.send(...);
+
+// ✅ 使用JSSDK(客户端直接跳转)
+await ww.openEnterpriseChat({...});
+```
+
+---
+
+## 📊 数据流转
+
+### 文件上传流程
+```
+用户选择文件
+    ↓
+文件类型/大小验证
+    ↓
+图片压缩(可选)
+    ↓
+创建Parse File对象
+    ↓
+上传到Parse Server
+    ↓
+返回文件URL
+    ↓
+保存到项目data字段
+```
+
+### AI方案生成流程
+```
+收集需求信息
+    ↓
+构建提示词(含参考图片URL)
+    ↓
+调用completionJSON(vision模式)
+    ↓
+解析返回的JSON结构
+    ↓
+保存到project.data.aiSolution
+    ↓
+显示给用户
+```
+
+### OCR识别流程
+```
+上传支付凭证图片
+    ↓
+获取图片URL
+    ↓
+调用recognizePaymentVoucher
+    ↓
+completionJSON(vision=true)
+    ↓
+提取金额/时间/方式等信息
+    ↓
+更新已支付金额
+    ↓
+更新支付状态
+```
+
+### 企微群聊跳转流程
+```
+用户点击"打开群聊"按钮
+    ↓
+调用wxworkService.openChat(chatId)
+    ↓
+ww.openEnterpriseChat({chatId: ...})
+    ↓
+企微客户端接管
+    ↓
+跳转到指定群聊
+```
+
+---
+
+## ✅ 测试检查清单
+
+### 文件上传测试
+- [ ] 图片上传(JPG/PNG/WEBP)
+- [ ] 图片压缩功能
+- [ ] CAD文件上传(DWG/DXF/PDF)
+- [ ] 文件大小限制
+- [ ] 上传进度显示
+- [ ] 上传失败处理
+
+### AI功能测试
+- [ ] 设计方案生成(无参考图)
+- [ ] 设计方案生成(含参考图)
+- [ ] 项目复盘生成
+- [ ] 支付凭证OCR识别
+- [ ] 色彩提取分析
+- [ ] 生成失败处理
+
+### 企微SDK测试
+- [ ] JSAPI注册
+- [ ] 获取群聊信息
+- [ ] 获取联系人信息
+- [ ] 获取当前用户
+- [ ] 同步数据到Parse表
+- [ ] 打开群聊跳转
+- [ ] 创建群聊
+- [ ] 添加群成员
+- [ ] 选择企业联系人
+
+---
+
+## 🚀 部署注意事项
+
+### 1. Parse Server配置
+确保Parse Server已部署并配置:
+- 文件存储适配器(AWS S3 / 阿里云OSS / Parse Files)
+- CORS设置允许文件上传
+- 文件大小限制配置
+
+### 2. AI模型配置
+确保fmode-ng AI服务已配置:
+- 模型ID: `fmode-1.6-cn`
+- API密钥配置
+- 请求频率限制
+
+### 3. 企微应用配置
+确保企业微信应用已配置:
+- 可信域名: `app.fmode.cn`
+- IP白名单
+- JSAPI权限:
+  - getContext
+  - getCurExternalChat
+  - getCurExternalContact
+  - createCorpGroupChat
+  - updateCorpGroupChat
+  - openEnterpriseChat
+  - selectEnterpriseContact
+- 回调URL配置
+
+### 4. 环境变量
+```typescript
+// src/app/app.config.ts
+localStorage.setItem("company", "cDL6R1hgSi"); // 映三色账套ID
+```
+
+---
+
+## 📚 参考文档
+
+- [fmode-ng Parse文档](https://docs.fmode.cn/parse)
+- [fmode-ng AI Agent文档](https://docs.fmode.cn/agent)
+- [企业微信JSSDK文档](https://developer.work.weixin.qq.com/document/path/90514)
+- [企业微信服务端API](https://developer.work.weixin.qq.com/document/path/90664)
+
+---
+
+## 🎉 总结
+
+本次集成完成了企微项目管理模块从Mock数据到真实服务的全面升级:
+
+✅ **3个服务模块**: 文件上传、AI能力、企微SDK
+✅ **2个阶段组件**: 确认需求、售后归档
+✅ **核心功能**:
+  - 文件上传到Parse Server(含压缩)
+  - AI设计方案生成(支持图片识别)
+  - AI项目复盘生成
+  - 支付凭证OCR识别
+  - 企微群聊跳转(客户端)
+  - 企微联系人管理
+
+所有功能已准备就绪,可以开始实际使用和测试!🎊

+ 10 - 1
docs/task/20251015-wxwork-project.md

@@ -78,4 +78,13 @@
 
 
 # FAQ:服务功能对接
-> 请参考/home/ryan/workspace/nova/nova-admin/projects/ai-k12-daofa/src/modules/daofa/search/search.component.ts,文件服务使用NovaUploadService.参考[Pasted text #1 +481 lines]大模型LLM用法,还有通过completionJSON携带images实现的图片解析(彻底替代OCR),以及[Pasted text #2 +862 lines]中客户端JS SDK点击按钮后触发的群聊跳转还有消息发送,而不通过API
+> 请参考/home/ryan/workspace/nova/nova-admin/projects/ai-k12-daofa/src/modules/daofa/search/search.component.ts,文件服务使用NovaUploadService.参考[Pasted text #1 +481 lines]大模型LLM用法,还有通过completionJSON携带images实现的图片解析(彻底替代OCR),以及[Pasted text #2 +862 lines]中客户端JS SDK点击按钮后触发的群聊跳转还有消息发送,而不通过API
+
+> /cost 
+  ⎿  Total cost:            $11.84
+     Total duration (API):  1h 1m 6s
+     Total duration (wall): 7h 25m 49s
+     Total code changes:    11993 lines added, 157 lines removed
+     Usage by model:
+         claude-3-5-haiku:  53.4k input, 2.5k output, 0 cache read, 0 cache write ($0.0528)
+            claude-sonnet:  9.7k input, 146.9k output, 6.3m cache read, 2.0m cache write ($11.79)

+ 124 - 40
src/modules/project/pages/project-detail/stages/stage-aftercare.component.ts

@@ -4,7 +4,9 @@ import { FormsModule } from '@angular/forms';
 import { ActivatedRoute } from '@angular/router';
 import { IonicModule } from '@ionic/angular';
 import { FmodeObject, FmodeParse } from 'fmode-ng/parse';
-import { WxworkSDK } from 'fmode-ng/core';
+import { NovaUploadService } from '../../../services/upload.service';
+import { ProjectAIService } from '../../../services/ai.service';
+import { WxworkSDKService } from '../../../services/wxwork-sdk.service';
 
 const Parse = FmodeParse.with('nova');
 
@@ -35,8 +37,8 @@ export class StageAftercareComponent implements OnInit {
   cid: string = '';
   projectId: string = '';
 
-  // 企微SDK
-  wxwork: WxworkSDK | null = null;
+  // 服务注入
+  wxwork: WxworkSDKService | null = null;
 
   // 尾款信息
   finalPayment = {
@@ -88,7 +90,12 @@ export class StageAftercareComponent implements OnInit {
   generating: boolean = false;
   saving: boolean = false;
 
-  constructor(private route: ActivatedRoute) {}
+  constructor(
+    private route: ActivatedRoute,
+    private uploadService: NovaUploadService,
+    private aiService: ProjectAIService,
+    private wxworkService: WxworkSDKService
+  ) {}
 
   async ngOnInit() {
     if (!this.project || !this.customer || !this.currentUser) {
@@ -114,8 +121,8 @@ export class StageAftercareComponent implements OnInit {
       }
 
       if (!this.currentUser && this.cid) {
-        this.wxwork = new WxworkSDK({ cid: this.cid, appId: 'crm' });
-        this.currentUser = await this.wxwork.getCurrentUser();
+        await this.wxworkService.initialize(this.cid, 'crm');
+        this.currentUser = await this.wxworkService.getCurrentUser();
 
         const role = this.currentUser?.get('role') || '';
         this.canEdit = ['客服', '组长', '管理员'].includes(role);
@@ -166,43 +173,76 @@ export class StageAftercareComponent implements OnInit {
     const file = event.target.files[0];
     if (!file) return;
 
+    // 验证文件类型
+    if (!this.uploadService.validateFileType(file, ['image/*'])) {
+      alert('请上传图片文件');
+      return;
+    }
+
+    // 验证文件大小 (10MB)
+    if (!this.uploadService.validateFileSize(file, 10)) {
+      alert('图片大小不能超过10MB');
+      return;
+    }
+
     try {
       this.uploading = true;
 
-      // TODO: 实现文件上传和OCR识别
-      const mockUrl = URL.createObjectURL(file);
+      // 上传文件到Parse Server
+      const url = await this.uploadService.uploadFile(file, {
+        compress: true,
+        onProgress: (progress) => {
+          console.log('上传进度:', progress);
+        }
+      });
+
+      // 使用AI进行OCR识别
+      try {
+        const ocrResult = await this.aiService.recognizePaymentVoucher(url);
+
+        this.finalPayment.paymentVouchers.push({
+          url: url,
+          amount: ocrResult.amount || 0,
+          paymentTime: ocrResult.paymentTime ? new Date(ocrResult.paymentTime) : new Date(),
+          paymentMethod: ocrResult.paymentMethod || '未识别',
+          ocrResult: ocrResult
+        });
+
+        // 更新已支付金额
+        this.finalPayment.paidAmount += ocrResult.amount || 0;
+        this.finalPayment.remainingAmount = this.finalPayment.totalAmount - this.finalPayment.paidAmount;
+
+        // 更新状态
+        if (this.finalPayment.remainingAmount <= 0) {
+          this.finalPayment.status = 'completed';
+        } else if (this.finalPayment.paidAmount > 0) {
+          this.finalPayment.status = 'partial';
+        }
 
-      // 模拟OCR结果
-      const ocrResult = {
-        amount: 50000,
-        paymentTime: new Date(),
-        paymentMethod: '银行转账'
-      };
+        await this.saveDraft();
 
-      this.finalPayment.paymentVouchers.push({
-        url: mockUrl,
-        amount: ocrResult.amount,
-        paymentTime: ocrResult.paymentTime,
-        paymentMethod: ocrResult.paymentMethod,
-        ocrResult
-      });
+        alert(`OCR识别成功!\n金额: ¥${ocrResult.amount}\n方式: ${ocrResult.paymentMethod}`);
 
-      // 更新已支付金额
-      this.finalPayment.paidAmount += ocrResult.amount;
-      this.finalPayment.remainingAmount = this.finalPayment.totalAmount - this.finalPayment.paidAmount;
+      } catch (ocrError) {
+        // OCR失败,仍然保存图片,但需要手动输入
+        console.error('OCR识别失败:', ocrError);
 
-      // 更新状态
-      if (this.finalPayment.remainingAmount <= 0) {
-        this.finalPayment.status = 'completed';
-      } else if (this.finalPayment.paidAmount > 0) {
-        this.finalPayment.status = 'partial';
-      }
+        this.finalPayment.paymentVouchers.push({
+          url: url,
+          amount: 0,
+          paymentTime: new Date(),
+          paymentMethod: '待确认',
+          ocrResult: { error: 'OCR识别失败,请手动确认' }
+        });
 
-      await this.saveDraft();
+        await this.saveDraft();
+
+        alert('凭证已上传,但OCR识别失败,请手动核对金额和支付方式');
+      }
 
     } catch (err) {
       console.error('上传失败:', err);
-      alert('上传失败');
+      alert('上传失败: ' + err.message);
     } finally {
       this.uploading = false;
     }
@@ -242,27 +282,71 @@ export class StageAftercareComponent implements OnInit {
     try {
       this.generating = true;
 
-      // 构建AI提示词
-      const prompt = this.buildRetrospectivePrompt();
+      // 准备项目数据
+      const projectData = {
+        title: this.project.get('title') || '',
+        type: this.project.get('type') || '',
+        duration: this.calculateProjectDuration(),
+        customerRating: this.customerFeedback.rating,
+        challenges: this.extractChallenges()
+      };
 
-      // 调用AI服务
-      const response = await this.callAIService(prompt);
+      // 调用AI服务生成复盘
+      const result = await this.aiService.generateProjectRetrospective(
+        projectData,
+        {
+          onProgress: (content) => {
+            console.log('生成进度:', content.length);
+          }
+        }
+      );
 
-      // 解析响应
-      this.projectRetrospective = this.parseRetrospectiveResponse(response);
+      this.projectRetrospective = result;
 
       await this.saveDraft();
 
-      alert('复盘生成成功');
+      alert('项目复盘生成成功');
 
     } catch (err) {
       console.error('生成失败:', err);
-      alert('生成失败');
+      alert('生成失败: ' + err.message);
     } finally {
       this.generating = false;
     }
   }
 
+  /**
+   * 计算项目周期
+   */
+  private calculateProjectDuration(): number {
+    const createdAt = this.project?.get('createdAt');
+    if (!createdAt) return 0;
+
+    const now = new Date();
+    const diffTime = Math.abs(now.getTime() - createdAt.getTime());
+    const diffDays = Math.ceil(diffTime / (1000 * 60 * 60 * 24));
+    return diffDays;
+  }
+
+  /**
+   * 提取项目挑战
+   */
+  private extractChallenges(): string[] {
+    const challenges: string[] = [];
+    const data = this.project?.get('data') || {};
+
+    // 从交付物审核记录中提取问题
+    if (data.deliverables) {
+      for (const deliverable of data.deliverables) {
+        if (deliverable.status === 'rejected' && deliverable.review?.comments) {
+          challenges.push(deliverable.review.comments);
+        }
+      }
+    }
+
+    return challenges;
+  }
+
   /**
    * 构建复盘提示词
    */

+ 80 - 112
src/modules/project/pages/project-detail/stages/stage-requirements.component.ts

@@ -4,7 +4,9 @@ import { FormsModule } from '@angular/forms';
 import { ActivatedRoute } from '@angular/router';
 import { IonicModule, ModalController } from '@ionic/angular';
 import { FmodeObject, FmodeParse } from 'fmode-ng/parse';
-import { WxworkSDK } from 'fmode-ng/core';
+import { NovaUploadService } from '../../../services/upload.service';
+import { ProjectAIService } from '../../../services/ai.service';
+import { WxworkSDKService } from '../../../services/wxwork-sdk.service';
 
 const Parse = FmodeParse.with('nova');
 
@@ -35,8 +37,8 @@ export class StageRequirementsComponent implements OnInit {
   cid: string = '';
   projectId: string = '';
 
-  // 企微SDK
-  wxwork: WxworkSDK | null = null;
+  // 服务注入
+  wxwork: WxworkSDKService | null = null;
 
   // 参考图片
   referenceImages: Array<{
@@ -101,7 +103,10 @@ export class StageRequirementsComponent implements OnInit {
 
   constructor(
     private route: ActivatedRoute,
-    private modalController: ModalController
+    private modalController: ModalController,
+    private uploadService: NovaUploadService,
+    private aiService: ProjectAIService,
+    private wxworkService: WxworkSDKService
   ) {}
 
   async ngOnInit() {
@@ -132,8 +137,8 @@ export class StageRequirementsComponent implements OnInit {
 
       // 如果没有传入currentUser,加载当前用户
       if (!this.currentUser && this.cid) {
-        this.wxwork = new WxworkSDK({ cid: this.cid, appId: 'crm' });
-        this.currentUser = await this.wxwork.getCurrentUser();
+        await this.wxworkService.initialize(this.cid, 'crm');
+        this.currentUser = await this.wxworkService.getCurrentUser();
 
         const role = this.currentUser?.get('role') || '';
         this.canEdit = ['客服', '组员', '组长', '管理员'].includes(role);
@@ -205,15 +210,33 @@ export class StageRequirementsComponent implements OnInit {
     const file = event.target.files[0];
     if (!file) return;
 
+    // 验证文件类型
+    if (!this.uploadService.validateFileType(file, ['image/*'])) {
+      alert('请上传图片文件');
+      return;
+    }
+
+    // 验证文件大小 (10MB)
+    if (!this.uploadService.validateFileSize(file, 10)) {
+      alert('图片大小不能超过10MB');
+      return;
+    }
+
     try {
       this.uploading = true;
 
-      // TODO: 实现文件上传到Parse Server或云存储
-      // 这里使用模拟数据
-      const mockUrl = URL.createObjectURL(file);
+      // 上传文件到Parse Server
+      const url = await this.uploadService.uploadFile(file, {
+        compress: true,
+        maxWidth: 1920,
+        maxHeight: 1920,
+        onProgress: (progress) => {
+          console.log('上传进度:', progress);
+        }
+      });
 
       this.referenceImages.push({
-        url: mockUrl,
+        url: url,
         name: file.name,
         type: 'style',
         uploadTime: new Date()
@@ -223,7 +246,7 @@ export class StageRequirementsComponent implements OnInit {
 
     } catch (err) {
       console.error('上传失败:', err);
-      alert('上传失败');
+      alert('上传失败: ' + err.message);
     } finally {
       this.uploading = false;
     }
@@ -244,14 +267,41 @@ export class StageRequirementsComponent implements OnInit {
     const file = event.target.files[0];
     if (!file) return;
 
+    // 验证文件类型
+    const allowedTypes = [
+      'application/acad',
+      'application/x-acad',
+      'application/dxf',
+      'image/vnd.dwg',
+      'image/x-dwg',
+      'application/pdf'
+    ];
+    if (!allowedTypes.includes(file.type) &&
+        !file.name.endsWith('.dwg') &&
+        !file.name.endsWith('.dxf') &&
+        !file.name.endsWith('.pdf')) {
+      alert('请上传CAD文件(.dwg/.dxf)或PDF文件');
+      return;
+    }
+
+    // 验证文件大小 (50MB)
+    if (!this.uploadService.validateFileSize(file, 50)) {
+      alert('文件大小不能超过50MB');
+      return;
+    }
+
     try {
       this.uploading = true;
 
-      // TODO: 实现文件上传到Parse Server或云存储
-      const mockUrl = URL.createObjectURL(file);
+      // 上传文件到Parse Server
+      const url = await this.uploadService.uploadFile(file, {
+        onProgress: (progress) => {
+          console.log('上传进度:', progress);
+        }
+      });
 
       this.cadFiles.push({
-        url: mockUrl,
+        url: url,
         name: file.name,
         uploadTime: new Date(),
         size: file.size
@@ -261,7 +311,7 @@ export class StageRequirementsComponent implements OnInit {
 
     } catch (err) {
       console.error('上传失败:', err);
-      alert('上传失败');
+      alert('上传失败: ' + err.message);
     } finally {
       this.uploading = false;
     }
@@ -322,117 +372,35 @@ export class StageRequirementsComponent implements OnInit {
     try {
       this.generating = true;
 
-      // 1. 构建提示词
-      const prompt = this.buildAIPrompt();
+      // 收集参考图片URL
+      const imageUrls = this.referenceImages.map(img => img.url);
 
-      // 2. 调用AI接口生成方案
-      // TODO: 集成实际的LLM API(通义千问/DeepSeek)
-      const response = await this.callAIService(prompt);
+      // 调用AI服务生成方案
+      const result = await this.aiService.generateDesignSolution(
+        this.requirements,
+        {
+          images: imageUrls.length > 0 ? imageUrls : undefined,
+          onProgress: (content) => {
+            console.log('生成进度:', content.length);
+          }
+        }
+      );
 
-      // 3. 解析AI响应
-      this.aiSolution = this.parseAIResponse(response);
+      this.aiSolution = result;
 
-      // 4. 保存到项目数据
+      // 保存到项目数据
       await this.saveDraft();
 
       alert('AI方案生成成功');
 
     } catch (err) {
       console.error('生成失败:', err);
-      alert('生成失败,请重试');
+      alert('生成失败: ' + err.message);
     } finally {
       this.generating = false;
     }
   }
 
-  /**
-   * 构建AI提示词
-   */
-  buildAIPrompt(): string {
-    let prompt = `作为一名专业的室内设计师,请根据以下客户需求生成详细的设计方案:\n\n`;
-
-    // 客户基本信息
-    prompt += `客户姓名: ${this.customer?.get('name')}\n`;
-    prompt += `项目类型: ${this.project?.get('type')}\n\n`;
-
-    // 空间信息
-    prompt += `空间需求:\n`;
-    this.requirements.spaces.forEach((space, index) => {
-      prompt += `${index + 1}. ${space.name} (${space.area}㎡)\n`;
-      prompt += `   描述: ${space.description}\n`;
-      if (space.features.length > 0) {
-        prompt += `   特殊要求: ${space.features.join(', ')}\n`;
-      }
-    });
-
-    // 风格偏好
-    prompt += `\n风格偏好: ${this.requirements.stylePreference}\n`;
-
-    // 色彩方案
-    if (this.requirements.colorScheme.atmosphere) {
-      prompt += `色彩氛围: ${this.requirements.colorScheme.atmosphere}\n`;
-    }
-
-    // 预算范围
-    if (this.requirements.budget.max > 0) {
-      prompt += `预算范围: ${this.requirements.budget.min / 10000}-${this.requirements.budget.max / 10000}万元\n`;
-    }
-
-    // 特殊需求
-    if (this.requirements.specialRequirements) {
-      prompt += `\n特殊需求: ${this.requirements.specialRequirements}\n`;
-    }
-
-    prompt += `\n请生成包含以下内容的设计方案:\n`;
-    prompt += `1. 每个空间的详细设计说明(风格描述、色彩搭配、材质选择、家具推荐)\n`;
-    prompt += `2. 整体预算估算\n`;
-    prompt += `3. 建议的项目时间线\n`;
-
-    return prompt;
-  }
-
-  /**
-   * 调用AI服务
-   */
-  async callAIService(prompt: string): Promise<string> {
-    // TODO: 实现实际的AI服务调用
-    // 示例:集成通义千问或DeepSeek API
-
-    // 模拟延迟
-    await new Promise(resolve => setTimeout(resolve, 3000));
-
-    // 返回模拟响应
-    return JSON.stringify({
-      spaces: this.requirements.spaces.map(space => ({
-        name: space.name,
-        styleDescription: `现代简约风格,强调空间的开放性和功能性,使用简洁的线条和中性色调`,
-        colorPalette: ['#FFFFFF', '#F5F5F5', '#E8E8E8', '#4A4A4A'],
-        materials: ['木纹饰面', '大理石', '玻璃', '金属'],
-        furnitureRecommendations: ['简约沙发', '茶几', '电视柜', '装饰画']
-      })),
-      estimatedCost: this.requirements.budget.max || 150000,
-      timeline: '预计60个工作日完成,包括设计30天、施工25天、软装5天'
-    });
-  }
-
-  /**
-   * 解析AI响应
-   */
-  parseAIResponse(response: string): any {
-    try {
-      const parsed = JSON.parse(response);
-      return {
-        generated: true,
-        content: `基于您的需求,我们为您设计了以下方案...`,
-        spaces: parsed.spaces,
-        estimatedCost: parsed.estimatedCost,
-        timeline: parsed.timeline
-      };
-    } catch (err) {
-      console.error('解析失败:', err);
-      return null;
-    }
-  }
 
   /**
    * 保存草稿

+ 366 - 0
src/modules/project/services/ai.service.ts

@@ -0,0 +1,366 @@
+import { Injectable } from '@angular/core';
+import { FmodeParse } from 'fmode-ng/parse';
+import { completionJSON, FmodeChatCompletion } from 'fmode-ng/lib/core/agent';
+import { Observable } from 'rxjs';
+
+const Parse = FmodeParse.with('nova');
+
+// 使用的AI模型
+export const ProjectAIModel = 'fmode-1.6-cn';
+
+/**
+ * AI服务
+ * 提供设计方案生成、项目复盘、图片识别等AI能力
+ */
+@Injectable({
+  providedIn: 'root'
+})
+export class ProjectAIService {
+  constructor() {}
+
+  /**
+   * 生成设计方案
+   * @param requirements 需求信息
+   * @param options 生成选项
+   * @returns 设计方案
+   */
+  async generateDesignSolution(
+    requirements: {
+      spaces: Array<{
+        name: string;
+        area: number;
+        description: string;
+      }>;
+      stylePreference: string;
+      colorScheme: {
+        atmosphere: string;
+      };
+      budget: {
+        min: number;
+        max: number;
+      };
+      specialRequirements?: string;
+    },
+    options?: {
+      onProgress?: (content: string) => void;
+      images?: string[]; // 参考图片URL
+    }
+  ): Promise<any> {
+    // 构建提示词
+    const prompt = this.buildDesignPrompt(requirements);
+
+    // 定义输出JSON结构
+    const outputSchema = `{
+  "spaces": [
+    {
+      "name": "空间名称",
+      "styleDescription": "设计风格描述,突出特点和氛围营造",
+      "colorPalette": ["#FFFFFF", "#主色", "#辅色", "#点缀色"],
+      "materials": ["材质1", "材质2", "材质3"],
+      "furnitureRecommendations": ["家具1", "家具2", "家具3"]
+    }
+  ],
+  "estimatedCost": 150000,
+  "timeline": "项目周期说明,包括设计、施工、软装等阶段"
+}`;
+
+    try {
+      // 使用completionJSON生成结构化数据
+      const result = await completionJSON(
+        prompt,
+        outputSchema,
+        (content) => {
+          options?.onProgress?.(content);
+        },
+        3, // 最大重试次数
+        {
+          model: ProjectAIModel,
+          vision: options?.images && options.images.length > 0,
+          images: options?.images
+        }
+      );
+
+      return {
+        generated: true,
+        content: '基于您的需求,我们为您设计了以下方案...',
+        ...result
+      };
+    } catch (error) {
+      console.error('生成设计方案失败:', error);
+      throw new Error('生成设计方案失败: ' + error.message);
+    }
+  }
+
+  /**
+   * 生成项目复盘
+   * @param projectData 项目数据
+   * @param options 生成选项
+   * @returns 复盘报告
+   */
+  async generateProjectRetrospective(
+    projectData: {
+      title: string;
+      type: string;
+      duration?: number;
+      customerRating?: number;
+      challenges?: string[];
+    },
+    options?: {
+      onProgress?: (content: string) => void;
+    }
+  ): Promise<any> {
+    const prompt = this.buildRetrospectivePrompt(projectData);
+
+    const outputSchema = `{
+  "summary": "项目整体总结,1-2句话概括",
+  "highlights": ["亮点1", "亮点2", "亮点3"],
+  "challenges": ["挑战1", "挑战2"],
+  "lessons": ["教训1", "教训2", "教训3"],
+  "recommendations": ["建议1", "建议2", "建议3"]
+}`;
+
+    try {
+      const result = await completionJSON(
+        prompt,
+        outputSchema,
+        (content) => {
+          options?.onProgress?.(content);
+        },
+        2,
+        {
+          model: ProjectAIModel
+        }
+      );
+
+      return {
+        generated: true,
+        ...result
+      };
+    } catch (error) {
+      console.error('生成项目复盘失败:', error);
+      throw new Error('生成项目复盘失败: ' + error.message);
+    }
+  }
+
+  /**
+   * 识别图片内容(OCR + 理解)
+   * @param images 图片URL数组
+   * @param prompt 识别提示词
+   * @param options 识别选项
+   * @returns 识别结果
+   */
+  async recognizeImages(
+    images: string[],
+    prompt: string,
+    options?: {
+      onProgress?: (content: string) => void;
+      outputSchema?: string;
+    }
+  ): Promise<any> {
+    const defaultSchema = `{
+  "description": "图片内容描述",
+  "keywords": ["关键词1", "关键词2"],
+  "details": {}
+}`;
+
+    try {
+      const result = await completionJSON(
+        prompt,
+        options?.outputSchema || defaultSchema,
+        (content) => {
+          options?.onProgress?.(content);
+        },
+        2,
+        {
+          model: ProjectAIModel,
+          vision: true,
+          images: images
+        }
+      );
+
+      return result;
+    } catch (error) {
+      console.error('图片识别失败:', error);
+      throw new Error('图片识别失败: ' + error.message);
+    }
+  }
+
+  /**
+   * 流式生成文本回答
+   * @param prompt 提示词
+   * @param options 生成选项
+   * @returns Observable流
+   */
+  streamCompletion(
+    prompt: string,
+    options?: {
+      model?: string;
+      temperature?: number;
+    }
+  ): Observable<any> {
+    const messageList = [
+      {
+        role: 'user',
+        content: prompt
+      }
+    ];
+
+    const completion = new FmodeChatCompletion(messageList, {
+      model: options?.model || ProjectAIModel,
+      temperature: options?.temperature || 0.7
+    });
+
+    return completion.sendCompletion({
+      isDirect: true
+    });
+  }
+
+  /**
+   * 构建设计方案提示词
+   */
+  private buildDesignPrompt(requirements: any): string {
+    let prompt = `作为专业的室内设计师,请根据以下客户需求生成详细的设计方案:\n\n`;
+
+    // 空间信息
+    prompt += `【空间需求】\n`;
+    requirements.spaces.forEach((space: any, index: number) => {
+      prompt += `${index + 1}. ${space.name} (${space.area}㎡)\n`;
+      if (space.description) {
+        prompt += `   说明: ${space.description}\n`;
+      }
+    });
+    prompt += `\n`;
+
+    // 风格偏好
+    if (requirements.stylePreference) {
+      prompt += `【风格偏好】\n${requirements.stylePreference}\n\n`;
+    }
+
+    // 色彩氛围
+    if (requirements.colorScheme?.atmosphere) {
+      prompt += `【色彩氛围】\n${requirements.colorScheme.atmosphere}\n\n`;
+    }
+
+    // 预算范围
+    if (requirements.budget?.max > 0) {
+      prompt += `【预算范围】\n${requirements.budget.min / 10000}-${requirements.budget.max / 10000}万元\n\n`;
+    }
+
+    // 特殊需求
+    if (requirements.specialRequirements) {
+      prompt += `【特殊需求】\n${requirements.specialRequirements}\n\n`;
+    }
+
+    prompt += `请为每个空间生成:\n`;
+    prompt += `1. 设计风格描述(强调氛围营造和功能性)\n`;
+    prompt += `2. 色彩搭配方案(提供4种色值的HEX代码)\n`;
+    prompt += `3. 材质选择建议(3-4种主要材质)\n`;
+    prompt += `4. 家具推荐清单(3-5件核心家具)\n`;
+    prompt += `5. 整体预算估算和项目周期\n\n`;
+
+    prompt += `要求:\n`;
+    prompt += `- 设计方案要专业、可执行\n`;
+    prompt += `- 色彩搭配要和谐、符合氛围要求\n`;
+    prompt += `- 材质和家具推荐要考虑预算范围\n`;
+    prompt += `- 项目周期要合理、细分到各阶段\n`;
+
+    return prompt;
+  }
+
+  /**
+   * 构建项目复盘提示词
+   */
+  private buildRetrospectivePrompt(projectData: any): string {
+    let prompt = `作为项目经理,请对以下项目进行复盘总结:\n\n`;
+
+    prompt += `【项目信息】\n`;
+    prompt += `项目名称: ${projectData.title}\n`;
+    prompt += `项目类型: ${projectData.type}\n`;
+
+    if (projectData.duration) {
+      prompt += `项目周期: ${projectData.duration}天\n`;
+    }
+
+    if (projectData.customerRating) {
+      prompt += `客户评分: ${projectData.customerRating}星\n`;
+    }
+
+    if (projectData.challenges && projectData.challenges.length > 0) {
+      prompt += `\n【遇到的挑战】\n`;
+      projectData.challenges.forEach((challenge: string, index: number) => {
+        prompt += `${index + 1}. ${challenge}\n`;
+      });
+    }
+
+    prompt += `\n请从以下几个方面进行总结:\n`;
+    prompt += `1. 项目亮点和成功经验(3-4条)\n`;
+    prompt += `2. 遇到的挑战和问题(2-3条)\n`;
+    prompt += `3. 经验教训和改进点(3-5条)\n`;
+    prompt += `4. 对未来项目的建议(3-4条)\n\n`;
+
+    prompt += `要求:\n`;
+    prompt += `- 总结要客观、实用\n`;
+    prompt += `- 亮点要具体、可复制\n`;
+    prompt += `- 教训要深刻、有启发性\n`;
+    prompt += `- 建议要可行、有价值\n`;
+
+    return prompt;
+  }
+
+  /**
+   * 提取色彩信息(从参考图片)
+   * @param imageUrls 图片URL数组
+   * @returns 色彩信息
+   */
+  async extractColors(imageUrls: string[]): Promise<any> {
+    const prompt = `请分析图片中的主要色彩,提取4种核心色值(主色、辅色、点缀色、中性色),并判断整体的色彩氛围(温馨/高级/简约/时尚)。
+
+输出要求:
+- 色值使用HEX格式(如#FFFFFF)
+- 氛围描述要准确、专业
+- 说明色彩的应用场景`;
+
+    const outputSchema = `{
+  "colors": [
+    {"hex": "#FFFFFF", "name": "主色", "usage": "墙面、大面积使用"},
+    {"hex": "#E8E8E8", "name": "辅色", "usage": "家具、装饰"},
+    {"hex": "#4A4A4A", "name": "点缀色", "usage": "配饰、细节"},
+    {"hex": "#F5F5F5", "name": "中性色", "usage": "过渡、平衡"}
+  ],
+  "atmosphere": "温馨",
+  "description": "整体色彩氛围描述"
+}`;
+
+    return await this.recognizeImages(imageUrls, prompt, { outputSchema });
+  }
+
+  /**
+   * OCR识别支付凭证
+   * @param imageUrl 凭证图片URL
+   * @returns 识别结果
+   */
+  async recognizePaymentVoucher(imageUrl: string): Promise<any> {
+    const prompt = `请识别图片中的支付凭证信息,提取以下内容:
+1. 支付金额
+2. 支付时间
+3. 支付方式(银行转账/支付宝/微信等)
+4. 付款人信息(如有)
+5. 收款人信息(如有)
+
+注意:
+- 金额要精确到分
+- 时间格式:YYYY-MM-DD HH:mm:ss
+- 如果信息不清晰,请标注为"未识别"`;
+
+    const outputSchema = `{
+  "amount": 50000.00,
+  "paymentTime": "2025-01-15 14:30:00",
+  "paymentMethod": "银行转账",
+  "payer": "张三",
+  "payee": "映三色设计",
+  "confidence": 0.95
+}`;
+
+    return await this.recognizeImages([imageUrl], prompt, { outputSchema });
+  }
+}

+ 228 - 0
src/modules/project/services/upload.service.ts

@@ -0,0 +1,228 @@
+import { Injectable } from '@angular/core';
+import { FmodeParse } from 'fmode-ng/parse';
+
+const Parse = FmodeParse.with('nova');
+
+/**
+ * 文件上传服务
+ * 用于处理图片、视频、文档等文件的上传
+ */
+@Injectable({
+  providedIn: 'root'
+})
+export class NovaUploadService {
+  constructor() {}
+
+  /**
+   * 上传单个文件到Parse Server
+   * @param file File对象
+   * @param options 上传选项
+   * @returns 上传后的文件URL
+   */
+  async uploadFile(
+    file: File,
+    options?: {
+      onProgress?: (progress: number) => void;
+      compress?: boolean;
+      maxWidth?: number;
+      maxHeight?: number;
+    }
+  ): Promise<string> {
+    try {
+      let fileToUpload = file;
+
+      // 如果是图片且需要压缩
+      if (options?.compress && file.type.startsWith('image/')) {
+        fileToUpload = await this.compressImage(file, {
+          maxWidth: options.maxWidth || 1920,
+          maxHeight: options.maxHeight || 1920,
+          quality: 0.8
+        });
+      }
+
+      // 创建Parse文件
+      const parseFile = new Parse.File(file.name, fileToUpload);
+
+      // 上传文件
+      await parseFile.save({
+        progress: (progressValue: number) => {
+          options?.onProgress?.(progressValue * 100);
+        }
+      });
+
+      // 返回文件URL
+      return parseFile.url();
+    } catch (error) {
+      console.error('文件上传失败:', error);
+      throw new Error('文件上传失败: ' + error.message);
+    }
+  }
+
+  /**
+   * 批量上传文件
+   * @param files File数组
+   * @param options 上传选项
+   * @returns 上传后的文件URL数组
+   */
+  async uploadFiles(
+    files: File[],
+    options?: {
+      onProgress?: (current: number, total: number) => void;
+      compress?: boolean;
+    }
+  ): Promise<string[]> {
+    const urls: string[] = [];
+    const total = files.length;
+
+    for (let i = 0; i < files.length; i++) {
+      const url = await this.uploadFile(files[i], {
+        compress: options?.compress
+      });
+      urls.push(url);
+      options?.onProgress?.(i + 1, total);
+    }
+
+    return urls;
+  }
+
+  /**
+   * 压缩图片
+   * @param file 原始文件
+   * @param options 压缩选项
+   * @returns 压缩后的File对象
+   */
+  private compressImage(
+    file: File,
+    options: {
+      maxWidth: number;
+      maxHeight: number;
+      quality: number;
+    }
+  ): Promise<File> {
+    return new Promise((resolve, reject) => {
+      const reader = new FileReader();
+
+      reader.onload = (e) => {
+        const img = new Image();
+
+        img.onload = () => {
+          const canvas = document.createElement('canvas');
+          let { width, height } = img;
+
+          // 计算压缩后的尺寸
+          if (width > options.maxWidth || height > options.maxHeight) {
+            const ratio = Math.min(
+              options.maxWidth / width,
+              options.maxHeight / height
+            );
+            width = width * ratio;
+            height = height * ratio;
+          }
+
+          canvas.width = width;
+          canvas.height = height;
+
+          const ctx = canvas.getContext('2d');
+          ctx?.drawImage(img, 0, 0, width, height);
+
+          canvas.toBlob(
+            (blob) => {
+              if (blob) {
+                const compressedFile = new File([blob], file.name, {
+                  type: file.type,
+                  lastModified: Date.now()
+                });
+                resolve(compressedFile);
+              } else {
+                reject(new Error('图片压缩失败'));
+              }
+            },
+            file.type,
+            options.quality
+          );
+        };
+
+        img.onerror = () => reject(new Error('图片加载失败'));
+        img.src = e.target?.result as string;
+      };
+
+      reader.onerror = () => reject(new Error('文件读取失败'));
+      reader.readAsDataURL(file);
+    });
+  }
+
+  /**
+   * 生成缩略图
+   * @param file 原始图片文件
+   * @param size 缩略图尺寸
+   * @returns 缩略图URL
+   */
+  async generateThumbnail(file: File, size: number = 200): Promise<string> {
+    const thumbnailFile = await this.compressImage(file, {
+      maxWidth: size,
+      maxHeight: size,
+      quality: 0.7
+    });
+
+    return await this.uploadFile(thumbnailFile);
+  }
+
+  /**
+   * 从URL下载文件
+   * @param url 文件URL
+   * @param filename 保存的文件名
+   */
+  async downloadFile(url: string, filename: string): Promise<void> {
+    try {
+      const response = await fetch(url);
+      const blob = await response.blob();
+      const link = document.createElement('a');
+      link.href = URL.createObjectURL(blob);
+      link.download = filename;
+      link.click();
+      URL.revokeObjectURL(link.href);
+    } catch (error) {
+      console.error('文件下载失败:', error);
+      throw new Error('文件下载失败');
+    }
+  }
+
+  /**
+   * 验证文件类型
+   * @param file 文件
+   * @param allowedTypes 允许的MIME类型数组
+   * @returns 是否合法
+   */
+  validateFileType(file: File, allowedTypes: string[]): boolean {
+    return allowedTypes.some(type => {
+      if (type.endsWith('/*')) {
+        const prefix = type.replace('/*', '');
+        return file.type.startsWith(prefix);
+      }
+      return file.type === type;
+    });
+  }
+
+  /**
+   * 验证文件大小
+   * @param file 文件
+   * @param maxSizeMB 最大大小(MB)
+   * @returns 是否合法
+   */
+  validateFileSize(file: File, maxSizeMB: number): boolean {
+    const maxSizeBytes = maxSizeMB * 1024 * 1024;
+    return file.size <= maxSizeBytes;
+  }
+
+  /**
+   * 格式化文件大小
+   * @param bytes 字节数
+   * @returns 格式化后的字符串
+   */
+  formatFileSize(bytes: number): string {
+    if (bytes < 1024) return bytes + ' B';
+    if (bytes < 1024 * 1024) return (bytes / 1024).toFixed(2) + ' KB';
+    if (bytes < 1024 * 1024 * 1024) return (bytes / (1024 * 1024)).toFixed(2) + ' MB';
+    return (bytes / (1024 * 1024 * 1024)).toFixed(2) + ' GB';
+  }
+}

+ 540 - 0
src/modules/project/services/wxwork-sdk.service.ts

@@ -0,0 +1,540 @@
+import { Injectable } from '@angular/core';
+import { FmodeParse, FmodeObject } from 'fmode-ng/parse';
+import * as ww from '@wecom/jssdk';
+import { WxworkCorp } from 'fmode-ng/core';
+
+const Parse = FmodeParse.with('nova');
+
+export interface WxworkCurrentChat {
+  type: 'chatId' | 'userId';
+  id?: string;
+  contact?: any;
+  follow_user?: any;
+  group?: any;
+}
+
+/**
+ * 企微SDK服务
+ * 封装企业微信JSSDK功能
+ */
+@Injectable({
+  providedIn: 'root'
+})
+export class WxworkSDKService {
+  // 企业配置映射
+  private companyMap: any = {
+    'cDL6R1hgSi': { // 映三色
+      corpResId: 'SpL6gyD1Gu'
+    }
+  };
+
+  // 应用套件映射
+  private suiteMap: any = {
+    'crm': {
+      suiteId: 'dk2559ba758f33d8f5'
+    }
+  };
+
+  cid: string = '';
+  appId: string = '';
+  corpId: string = '';
+  wecorp: WxworkCorp | null = null;
+  ww = ww;
+  registerUrl: string = '';
+
+  constructor() {}
+
+  /**
+   * 初始化SDK
+   */
+  async initialize(cid: string, appId: string): Promise<void> {
+    this.cid = cid;
+    this.appId = appId;
+    this.wecorp = new WxworkCorp(cid);
+    await this.registerCorpWithSuite();
+  }
+
+  /**
+   * 注册企业微信JSAPI
+   */
+  async registerCorpWithSuite(apiList?: string[]): Promise<boolean> {
+    if (this.platform() !== 'wxwork') return false;
+
+    // 如果URL未变化且已注册,直接返回
+    if (!apiList?.length && this.registerUrl === location.href) {
+      return true;
+    }
+
+    apiList = apiList || this.getDefaultApiList();
+
+    try {
+      const corpConfig = await this.getCorpByCid(this.cid);
+      const suiteId = this.suiteMap[this.appId]?.suiteId;
+
+      const now = new Date();
+
+      return new Promise((resolve) => {
+        ww.register({
+          corpId: corpConfig.corpId,
+          suiteId: suiteId,
+          agentId: corpConfig.agentId,
+          jsApiList: apiList!,
+          getAgentConfigSignature: async () => {
+            const jsapiTicket = await this.wecorp!.ticket.get();
+            return ww.getSignature({
+              ticket: jsapiTicket,
+              nonceStr: '666',
+              timestamp: (now.getTime() / 1000).toFixed(0),
+              url: location.href
+            });
+          },
+          onAgentConfigSuccess: () => {
+            this.registerUrl = location.href;
+            resolve(true);
+          },
+          onAgentConfigFail: (err: any) => {
+            console.error('Agent config failed:', err);
+            resolve(false);
+          },
+          onConfigFail: (err: any) => {
+            console.error('Config failed:', err);
+            resolve(false);
+          }
+        });
+      });
+    } catch (error) {
+      console.error('Register failed:', error);
+      return false;
+    }
+  }
+
+  /**
+   * 获取当前聊天对象
+   */
+  async getCurrentChatObject(): Promise<{
+    GroupChat?: FmodeObject;
+    Contact?: FmodeObject;
+    currentChat: WxworkCurrentChat | null;
+  }> {
+    const currentChat = await this.getCurrentChat();
+
+    if (!currentChat) {
+      return { currentChat: null };
+    }
+
+    let GroupChat: FmodeObject | undefined;
+    let Contact: FmodeObject | undefined;
+
+    try {
+      if (currentChat.type === 'chatId' && currentChat.group) {
+        GroupChat = await this.syncGroupChat(currentChat.group);
+      } else if (currentChat.type === 'userId' && currentChat.id) {
+        const contactInfo = await this.wecorp!.externalContact.get(currentChat.id);
+        Contact = await this.syncContact(contactInfo);
+      }
+    } catch (error) {
+      console.error('getCurrentChatObject error:', error);
+    }
+
+    return { GroupChat, Contact, currentChat };
+  }
+
+  /**
+   * 获取当前聊天场景
+   */
+  async getCurrentChat(): Promise<WxworkCurrentChat | null> {
+    const isRegister = await this.registerCorpWithSuite();
+    if (!isRegister) return null;
+
+    try {
+      const context = await ww.getContext();
+      const entry = context?.entry;
+
+      let type: 'chatId' | 'userId';
+      let id: string | undefined;
+      let contact: any;
+      let chat: any;
+
+      if (entry === 'group_chat_tools') {
+        type = 'chatId';
+        id = (await ww.getCurExternalChat())?.chatId;
+        chat = await this.wecorp!.externalContact.groupChat.get(id!);
+      } else if (entry === 'contact_profile' || entry === 'single_chat_tools') {
+        type = 'userId';
+        id = (await ww.getCurExternalContact())?.userId;
+        contact = await this.wecorp!.externalContact.get(id!);
+      } else {
+        return null;
+      }
+
+      return {
+        type,
+        id,
+        group: chat?.group_chat,
+        contact: contact?.external_contact,
+        follow_user: contact?.follow_user
+      };
+    } catch (error) {
+      console.error('getCurrentChat error:', error);
+      return null;
+    }
+  }
+
+  /**
+   * 获取当前用户信息
+   */
+  async getCurrentUser(): Promise<FmodeObject | null> {
+    const userInfo = await this.getUserinfo();
+    if (!userInfo) return null;
+
+    return await this.getContactOrProfile(userInfo);
+  }
+
+  /**
+   * 获取用户信息
+   */
+  async getUserinfo(code?: string): Promise<any> {
+    // 优先检查缓存
+    if (!code) {
+      const userInfoStr = localStorage.getItem(`${this.cid}/USERINFO`);
+      if (userInfoStr) {
+        const userInfo = JSON.parse(userInfoStr);
+        userInfo.cid = this.cid;
+        return userInfo;
+      }
+    }
+
+    // 从URL获取code
+    const url = new URL(location.href);
+    code = url.searchParams.get('code') || code;
+    if (!code) return null;
+
+    const result = await this.wecorp!.auth.getuserinfo(code);
+    if (result?.errcode) {
+      console.error(result?.errmsg);
+      return null;
+    }
+
+    // 补全外部用户信息
+    if (result?.external_userid) {
+      const euser = await this.wecorp!.externalContact.get(result.external_userid);
+      if (euser?.external_contact) {
+        Object.assign(result, euser.external_contact);
+      }
+    }
+
+    result.cid = this.cid;
+
+    // 缓存用户信息
+    localStorage.setItem(`${this.cid}/USERINFO`, JSON.stringify(result));
+
+    return result;
+  }
+
+  /**
+   * 同步群聊信息
+   */
+  async syncGroupChat(groupInfo: any): Promise<FmodeObject> {
+    let query = new Parse.Query('GroupChat');
+    query.equalTo('chat_id', groupInfo?.chat_id);
+    let group = await query.first();
+
+    if (!group?.id) {
+      group = new Parse.Object('GroupChat');
+    }
+
+    // 生成入群方式
+    if (!group?.get('joinUrl')) {
+      const config_id1 = (await this.wecorp!.externalContact.groupChat.addJoinWay({
+        scene: 1,
+        chat_id_list: [groupInfo.chat_id]
+      }))?.config_id;
+      const joinUrl = (await this.wecorp!.externalContact.groupChat.getJoinWay(config_id1))?.join_way;
+      group.set('joinUrl', joinUrl);
+    }
+
+    if (!group?.get('joinQrcode')) {
+      const config_id2 = (await this.wecorp!.externalContact.groupChat.addJoinWay({
+        scene: 2,
+        chat_id_list: [groupInfo.chat_id]
+      }))?.config_id;
+      const joinQrcode = (await this.wecorp!.externalContact.groupChat.getJoinWay(config_id2))?.join_way;
+      group.set('joinQrcode', joinQrcode);
+    }
+
+    // 更新群聊数据
+    let needSave = false;
+
+    if (group.get('chat_id') !== groupInfo.chat_id) needSave = true;
+    if (group.get('name') !== groupInfo.name) needSave = true;
+    if (group.get('owner') !== groupInfo.owner) needSave = true;
+    if (group.get('notice') !== groupInfo.notice) needSave = true;
+    if (group.get('member_version') !== groupInfo.member_version) {
+      needSave = true;
+      group.set('member_list', groupInfo.member_list);
+      group.set('member_version', groupInfo.member_version);
+    }
+
+    group.set({
+      chat_id: groupInfo.chat_id,
+      name: groupInfo.name,
+      owner: groupInfo.owner,
+      notice: groupInfo.notice
+    });
+
+    if (this.cid) {
+      group.set('company', { __type: 'Pointer', className: 'Company', objectId: this.cid });
+    }
+
+    if (needSave) {
+      group = await group.save();
+    }
+
+    return group;
+  }
+
+  /**
+   * 同步联系人信息
+   */
+  async syncContact(contactInfo: any): Promise<FmodeObject> {
+    const externalContact = contactInfo.external_contact || contactInfo;
+    const externalUserId = externalContact.external_userid;
+
+    let query = new Parse.Query('ContactInfo');
+    query.equalTo('external_userid', externalUserId);
+
+    const Company = new Parse.Object('Company');
+    Company.id = this.cid;
+    query.equalTo('company', Company);
+
+    let contact = await query.first();
+
+    if (!contact?.id) {
+      contact = new Parse.Object('ContactInfo');
+      if (Company?.id) {
+        contact.set('company', Company.toPointer());
+      }
+    }
+
+    const name = externalContact.name || '';
+    const mobile = externalContact.mobile || '';
+
+    const data: any = {
+      ...externalContact,
+      follow_user: contactInfo.follow_user || externalContact.follow_user || []
+    };
+
+    let needSave = false;
+
+    if (contact.get('external_userid') !== externalUserId) needSave = true;
+    if (contact.get('name') !== name && name) needSave = true;
+    if (contact.get('mobile') !== mobile && mobile) needSave = true;
+
+    const oldData = contact.get('data');
+    if (JSON.stringify(oldData) !== JSON.stringify(data)) needSave = true;
+
+    contact.set('external_userid', externalUserId);
+    contact.set('name', name);
+    contact.set('mobile', mobile);
+    contact.set('data', data);
+
+    if (needSave) {
+      contact = await contact.save();
+    }
+
+    return contact;
+  }
+
+  /**
+   * 获取Profile或UserSocial
+   */
+  async getContactOrProfile(userInfo: any): Promise<FmodeObject> {
+    let UserType: string;
+
+    if (userInfo.openid || userInfo.external_userid) {
+      UserType = 'UserSocial';
+    } else if (userInfo.userid) {
+      UserType = 'Profile';
+    } else {
+      throw new Error('Invalid user info');
+    }
+
+    // 构建查询条件
+    const userCondition: any[] = [];
+    const prefix = UserType === 'UserSocial' ? 'data.' : '';
+
+    if (userInfo.openid) userCondition.push({ [`${prefix}openid`]: { $regex: userInfo.openid } });
+    if (userInfo.userid) userCondition.push({ [`${prefix}userid`]: { $regex: userInfo.userid } });
+    if (userInfo.mobile) userCondition.push({ [`${prefix}mobile`]: { $regex: userInfo.mobile } });
+    if (userInfo.email) userCondition.push({ [`${prefix}email`]: { $regex: userInfo.email } });
+    if (userInfo.external_userid) {
+      userCondition.push({ [`${prefix}external_userid`]: { $regex: userInfo.external_userid } });
+    }
+
+    const query = Parse.Query.fromJSON(UserType, {
+      where: {
+        $or: userCondition
+      }
+    });
+    query.equalTo('company', this.cid);
+
+    let thisUser = await query.first();
+
+    if (!thisUser?.id) {
+      thisUser = new Parse.Object(UserType);
+    }
+
+    // 关联当前登录用户
+    const current = Parse.User.current();
+    if (current?.id && !thisUser?.get('user')?.id) {
+      thisUser.set('user', current.toPointer());
+    }
+
+    return thisUser;
+  }
+
+  /**
+   * 创建群聊
+   */
+  async createGroupChat(options: {
+    groupName: string;
+    userIds?: string[];
+    externalUserIds?: string[];
+  }): Promise<any> {
+    const isRegister = await this.registerCorpWithSuite();
+    if (!isRegister) return null;
+
+    return new Promise((resolve, reject) => {
+      ww.createCorpGroupChat({
+        groupName: options.groupName,
+        userIds: options.userIds,
+        externalUserIds: options.externalUserIds,
+        success: (data) => {
+          resolve(data);
+        },
+        fail: (err) => {
+          reject(err);
+        }
+      });
+    });
+  }
+
+  /**
+   * 添加成员到群聊
+   */
+  async addUserToGroup(options: {
+    chatId: string;
+    userIds?: string[];
+    externalUserIds?: string[];
+  }): Promise<any> {
+    const isRegister = await this.registerCorpWithSuite();
+    if (!isRegister) return null;
+
+    return new Promise((resolve, reject) => {
+      (ww as any).updateCorpGroupChat({
+        chatId: options.chatId,
+        userIds: options.userIds,
+        externalUserIds: options.externalUserIds,
+        success: (data:any) => {
+          resolve(data);
+        },
+        fail: (err:any) => {
+          reject(err);
+        }
+      });
+    });
+  }
+
+  /**
+   * 打开指定群聊
+   */
+  async openChat(chatId: string): Promise<void> {
+    const isRegister = await this.registerCorpWithSuite();
+    if (!isRegister) return;
+
+    return new Promise((resolve, reject) => {
+      ww.openEnterpriseChat({
+        externalUserIds: [],
+        groupName: '',
+        chatId: chatId,
+        success: () => {
+          resolve();
+        },
+        fail: (err) => {
+          reject(err);
+        }
+      });
+    });
+  }
+
+  /**
+   * 选择企业联系人
+   */
+  async selectEnterpriseContact(options?: {
+    mode?: 'single' | 'multi';
+    type?: Array<'department' | 'user'>;
+  }): Promise<any> {
+    const isRegister = await this.registerCorpWithSuite();
+    if (!isRegister) return null;
+
+    return new Promise((resolve, reject) => {
+      (ww as any).selectEnterpriseContact({
+        fromDepartmentId: -1,
+        mode: options?.mode || 'multi',
+        type: options?.type || ['department', 'user'],
+        success: (data:any) => {
+          resolve(data);
+        },
+        fail: (err:any) => {
+          reject(err);
+        }
+      });
+    });
+  }
+
+  /**
+   * 获取企业配置
+   */
+  private async getCorpByCid(cid: string): Promise<any> {
+    if (this.corpId) return { corpId: this.corpId };
+
+    const query = new Parse.Query('CloudResource');
+    const res = await query.get(this.companyMap[cid]?.corpResId);
+    const config: any = res.get('config');
+    return config;
+  }
+
+  /**
+   * 判断平台
+   */
+  private platform(): string {
+    const ua = navigator.userAgent.toLowerCase();
+    if (ua.indexOf('wxwork') > -1) return 'wxwork';
+    if (ua.indexOf('wechat') > -1) return 'wechat';
+    return 'h5';
+  }
+
+  /**
+   * 获取默认API列表
+   */
+  private getDefaultApiList(): string[] {
+    return [
+      'getContext',
+      'getCurExternalChat',
+      'getCurExternalContact',
+      'createCorpGroupChat',
+      'updateCorpGroupChat',
+      'openEnterpriseChat',
+      'selectEnterpriseContact',
+      'checkJsApi',
+      'chooseImage',
+      'previewImage',
+      'uploadImage',
+      'downloadImage',
+      'getLocation',
+      'openLocation',
+      'scanQRCode',
+      'closeWindow'
+    ];
+  }
+}