Open WebUI 集成企业微信认证开发文档

打印 上一主题 下一主题

主题 947|帖子 947|积分 2841

Open WebUI 集成企业微信认证开发文档

1. 体系架构

1.1 技术栈



  • 前端: Vue3 + TypeScript
  • 后端: FastAPI
  • 数据库: PostgreSQL
  • 缓存: Redis
  • 认证: 企业微信 OAuth2.0
1.2 体系模块

     2. 数据库设计

  1. -- 用户表
  2. CREATE TABLE users (
  3.     id SERIAL PRIMARY KEY,
  4.     wecom_userid VARCHAR(64) UNIQUE NOT NULL,
  5.     name VARCHAR(100) NOT NULL,
  6.     avatar_url TEXT,
  7.     department JSON,
  8.     created_at TIMESTAMP WITH TIME ZONE DEFAULT CURRENT_TIMESTAMP,
  9.     last_login_at TIMESTAMP WITH TIME ZONE
  10. );
  11. -- 会话表
  12. CREATE TABLE chat_sessions (
  13.     id SERIAL PRIMARY KEY,
  14.     user_id INTEGER REFERENCES users(id),
  15.     title VARCHAR(200),
  16.     model VARCHAR(50),
  17.     created_at TIMESTAMP WITH TIME ZONE DEFAULT CURRENT_TIMESTAMP,
  18.     updated_at TIMESTAMP WITH TIME ZONE DEFAULT CURRENT_TIMESTAMP
  19. );
  20. -- 消息表
  21. CREATE TABLE messages (
  22.     id SERIAL PRIMARY KEY,
  23.     session_id INTEGER REFERENCES chat_sessions(id),
  24.     role VARCHAR(20) CHECK (role IN ('user', 'assistant', 'system')),
  25.     content TEXT,
  26.     created_at TIMESTAMP WITH TIME ZONE DEFAULT CURRENT_TIMESTAMP
  27. );
复制代码
3. 后端实现

3.1 配置文件

  1. from pydantic_settings import BaseSettings
  2. class Settings(BaseSettings):
  3.     # 数据库配置
  4.     DATABASE_URL: str = "postgresql://user:password@localhost:5432/openwebui"
  5.    
  6.     # Redis配置
  7.     REDIS_URL: str = "redis://localhost:6379"
  8.    
  9.     # 企业微信配置
  10.     WECOM_CORPID: str
  11.     WECOM_CORPSECRET: str
  12.     WECOM_AGENT_ID: int
  13.     WECOM_REDIRECT_URI: str
  14.    
  15.     # JWT配置
  16.     JWT_SECRET_KEY: str
  17.     JWT_ALGORITHM: str = "HS256"
  18.     ACCESS_TOKEN_EXPIRE_MINUTES: int = 60 * 24
  19.     class Config:
  20.         env_file = ".env"
复制代码
3.2 认证服务

  1. from fastapi import HTTPException
  2. import httpx
  3. from typing import Dict
  4. class WecomAuthService:
  5.     def __init__(self, settings):
  6.         self.settings = settings
  7.         self.access_token = None
  8.         
  9.     async def get_access_token(self) -> str:
  10.         async with httpx.AsyncClient() as client:
  11.             response = await client.get(
  12.                 "https://qyapi.weixin.qq.com/cgi-bin/gettoken",
  13.                 params={
  14.                     "corpid": self.settings.WECOM_CORPID,
  15.                     "corpsecret": self.settings.WECOM_CORPSECRET
  16.                 }
  17.             )
  18.             data = response.json()
  19.             if data.get("errcode") != 0:
  20.                 raise HTTPException(status_code=401, detail="获取access_token失败")
  21.             return data["access_token"]
  22.    
  23.     async def get_user_info(self, code: str) -> Dict:
  24.         token = await self.get_access_token()
  25.         async with httpx.AsyncClient() as client:
  26.             response = await client.get(
  27.                 "https://qyapi.weixin.qq.com/cgi-bin/user/getuserinfo",
  28.                 params={
  29.                     "access_token": token,
  30.                     "code": code
  31.                 }
  32.             )
  33.             return response.json()
复制代码
3.3 数据模型

  1. from sqlalchemy import Column, Integer, String, DateTime
  2. from sqlalchemy.sql import func
  3. from .database import Base
  4. class User(Base):
  5.     __tablename__ = "users"
  6.    
  7.     id = Column(Integer, primary_key=True, index=True)
  8.     wecom_userid = Column(String, unique=True, index=True)
  9.     name = Column(String)
  10.     avatar_url = Column(String)
  11.     created_at = Column(DateTime(timezone=True), server_default=func.now())
  12.     last_login_at = Column(DateTime(timezone=True), onupdate=func.now())
复制代码
4. 前端实现

4.1 登录组件

  1. <!-- filepath: /frontend/src/components/WecomLogin.vue -->
  2. <template>
  3.   <div class="login-container">
  4.     <a-button type="primary" @click="handleLogin">
  5.       企业微信登录
  6.     </a-button>
  7.   </div>
  8. </template>
  9. <script setup lang="ts">
  10. import { useAuth } from '@/composables/useAuth'
  11. const { loginWithWecom } = useAuth()
  12. const handleLogin = () => {
  13.   const redirect_uri = encodeURIComponent(window.location.origin + '/auth/callback')
  14.   const url = `https://open.work.weixin.qq.com/wwopen/sso/qrConnect?appid=${import.meta.env.VITE_WECOM_CORPID}&agentid=${import.meta.env.VITE_WECOM_AGENT_ID}&redirect_uri=${redirect_uri}`
  15.   window.location.href = url
  16. }
  17. </script>
复制代码
4.2 用户状态管理

  1. import { defineStore } from 'pinia'
  2. export const useAuthStore = defineStore('auth', {
  3.   state: () => ({
  4.     user: null,
  5.     token: null,
  6.   }),
  7.   
  8.   actions: {
  9.     async login(code: string) {
  10.       try {
  11.         const response = await fetch('/api/auth/wecom/login', {
  12.           method: 'POST',
  13.           headers: {
  14.             'Content-Type': 'application/json',
  15.           },
  16.           body: JSON.stringify({ code }),
  17.         })
  18.         const data = await response.json()
  19.         this.token = data.token
  20.         this.user = data.user
  21.         localStorage.setItem('token', data.token)
  22.       } catch (error) {
  23.         console.error('登录失败:', error)
  24.         throw error
  25.       }
  26.     },
  27.   },
  28. })
复制代码
5. 部署说明

5.1 环境要求



  • Python 3.8+
  • Node.js 16+
  • PostgreSQL 13+
  • Redis 6+
5.2 安装步调


  • 克隆项目并安装依靠
  1. git clone https://github.com/open-webui/open-webui.git
  2. cd open-webui
  3. # 后端依赖
  4. cd backend
  5. pip install -r requirements.txt
  6. # 前端依赖
  7. cd ../frontend
  8. npm install
复制代码

  • 配置环境变量
  1. DATABASE_URL=postgresql://user:password@localhost:5432/openwebui
  2. REDIS_URL=redis://localhost:6379
  3. WECOM_CORPID=your_corpid
  4. WECOM_CORPSECRET=your_secret
  5. WECOM_AGENT_ID=your_agent_id
  6. JWT_SECRET_KEY=your_secret_key
复制代码

  • 初始化数据库
  1. cd backend
  2. alembic upgrade head
复制代码

  • 启动服务
  1. # 后端服务
  2. uvicorn main:app --host 0.0.0.0 --port 8000
  3. # 前端服务
  4. cd ../frontend
  5. npm run dev
复制代码
6. 测试计划

6.1 单位测试

  1. import pytest
  2. from services.auth import WecomAuthService
  3. async def test_wecom_auth():
  4.     service = WecomAuthService(settings)
  5.     token = await service.get_access_token()
  6.     assert token is not None
复制代码
6.2 集成测试查抄清单



  • 企业微信扫码登录流程
  • 用户信息同步
  • 会话持久化
  • Token 过期处置处罚
  • 并发会话管理
7. 安全考虑


  • 所有API请求需要JWT认证
  • 使用HTTPS进行传输加密
  • 实现请求频率限定
  • 定期清理过期会话
  • 敏感信息加密存储
8. 维护建议


  • 定期备份数据库
  • 监控体系资源使用
  • 纪录详细的操纵日志
  • 定期更新依靠包
  • 制定故障规复方案

免责声明:如果侵犯了您的权益,请联系站长,我们会及时删除侵权内容,谢谢合作!更多信息从访问主页:qidao123.com:ToB企服之家,中国第一个企服评测及商务社交产业平台。
回复

使用道具 举报

0 个回复

倒序浏览

快速回复

您需要登录后才可以回帖 登录 or 立即注册

本版积分规则

美丽的神话

金牌会员
这个人很懒什么都没写!
快速回复 返回顶部 返回列表