feat: 迁移群聊助手到Matrix

This commit is contained in:
zhaoyingbo 2024-12-19 07:08:18 +00:00
parent ea65fc6ec8
commit 33f6e5f00d
34 changed files with 555 additions and 379 deletions

View File

@ -30,8 +30,7 @@
"humao.rest-client", "humao.rest-client",
"GitHub.copilot", "GitHub.copilot",
"GitHub.copilot-chat", "GitHub.copilot-chat",
"oven.bun-vscode", "oven.bun-vscode"
"Prisma.prisma"
] ]
} }
}, },

View File

@ -1,8 +1,6 @@
# Node Environment: dev, production # Node Environment: dev, production
NODE_ENV=dev NODE_ENV=dev
DATABASE_URL=
# PocketBase Auth # PocketBase Auth
PB_USER= PB_USER=
PB_PASS= PB_PASS=

BIN
bun.lockb

Binary file not shown.

View File

@ -3,41 +3,37 @@ import { RecordModel } from "pocketbase"
import pbClient from "../db/pbClient" import pbClient from "../db/pbClient"
interface Config extends RecordModel { interface ConfigModel extends RecordModel {
key: string key: string
value: string value: string
desc: string desc: string
} }
export interface AppInfo extends RecordModel { export interface AppInfoModel extends RecordModel {
name: string name: string
app_id: string appId: string
app_secret: string appSecret: string
app_name: string appName: string
} }
export const APP_CONFIG: Record<string, string> = {} export const APP_CONFIG: Record<string, string> = {}
export const APP_MAP: Record<string, Omit<AppInfo, "name">> = {} export const APP_MAP: Record<string, AppInfoModel> = {}
/** /**
* *
*/ */
const initAppConfig = async () => { const initAppConfig = async () => {
// 获取所有环境变量 // 获取所有环境变量
const envList = await pbClient.collection<Config>("env").getFullList() const envList = await pbClient.collection<ConfigModel>("env").getFullList()
for (const env of envList) { for (const env of envList) {
APP_CONFIG[env.key] = env.value APP_CONFIG[env.key] = env.value
} }
logger.info(`Get env list: ${JSON.stringify(APP_CONFIG)}`) logger.info(`Get env list: ${JSON.stringify(APP_CONFIG)}`)
// 获取所有应用信息 // 获取所有应用信息
const appList = await pbClient.collection<AppInfo>("app").getFullList() const appList = await pbClient.collection<AppInfoModel>("app").getFullList()
for (const app of appList) { for (const app of appList) {
APP_MAP[app.name] = { APP_MAP[app.name] = app
app_id: app.app_id,
app_secret: app.app_secret,
app_name: app.app_name,
}
} }
logger.info(`Get app list: ${JSON.stringify(APP_MAP)}`) logger.info(`Get app list: ${JSON.stringify(APP_MAP)}`)
} }

View File

@ -1,5 +1,10 @@
export enum RespMessage { export enum RespMessage {
hasRegistered = "本群已订阅日报,周报", hasRegisteredDaily = "本群已订阅日报",
registerSuccess = "周报、日报订阅成功", hasRegisteredWeekly = "本群已订阅周报",
cancelSuccess = "周报、日报订阅取消成功", registerDailySuccess = "日报订阅成功",
registerWeeklySuccess = "周报订阅成功",
cancelDailySuccess = "日报订阅取消成功",
cancelWeeklySuccess = "周报订阅取消成功",
registerFailed = "订阅失败",
cancelFailed = "取消订阅失败",
} }

View File

@ -2,7 +2,7 @@ import { Context } from "../../types"
import llm from "../../utils/llm" import llm from "../../utils/llm"
import getChatHistory from "./chatHistory" import getChatHistory from "./chatHistory"
const agent = async (ctx: Context.Data) => { const agent = async (ctx: Context) => {
const { const {
logger, logger,
requestId, requestId,
@ -26,7 +26,7 @@ const agent = async (ctx: Context.Data) => {
const { startTime, endTime } = await llm.timeParser(msgText, requestId) const { startTime, endTime } = await llm.timeParser(msgText, requestId)
logger.info(`Parsed time: startTime: ${startTime}, endTime: ${endTime}`) logger.info(`Parsed time: startTime: ${startTime}, endTime: ${endTime}`)
// 更新卡片 // 更新卡片
updateCard(cardGender.genPendingCard("正在爬楼中,请稍等...")) await updateCard(cardGender.genPendingCard("正在爬楼中,请稍等..."))
// 获取聊天记录 // 获取聊天记录
const { messages: chatHistory, mentions: historyMentions } = const { messages: chatHistory, mentions: historyMentions } =
await getChatHistory(ctx, { await getChatHistory(ctx, {
@ -36,7 +36,7 @@ const agent = async (ctx: Context.Data) => {
mentions, mentions,
senderOpenId: openId, senderOpenId: openId,
excludedMessageIds: [message_id, messageId], excludedMessageIds: [message_id, messageId],
excludeMentions: [appInfo.app_name], excludeMentions: [appInfo.appName],
}) })
// 如果没有聊天记录,返回错误信息 // 如果没有聊天记录,返回错误信息
if (chatHistory.length === 0) { if (chatHistory.length === 0) {
@ -48,7 +48,7 @@ const agent = async (ctx: Context.Data) => {
// 根据Mention拼装原始消息 // 根据Mention拼装原始消息
let userInput = rawMsgText.trim() let userInput = rawMsgText.trim()
for (const mention of mentions ?? []) { for (const mention of mentions ?? []) {
if (mention.name !== appInfo.app_name) { if (mention.name !== appInfo.appName) {
userInput = userInput.replace(mention.key, `@${mention.name}`) userInput = userInput.replace(mention.key, `@${mention.name}`)
} else { } else {
userInput = userInput.replace(mention.key, "") userInput = userInput.replace(mention.key, "")

View File

@ -43,7 +43,7 @@ const extractTextFromJson = (data: any): string => {
* @returns * @returns
*/ */
const getChatHistory = async ( const getChatHistory = async (
{ larkService, logger }: Context.Data, { larkService, logger }: Context,
{ {
chatId, chatId,
startTime, startTime,
@ -86,7 +86,7 @@ const getChatHistory = async (
String(endTimeTimestamp) String(endTimeTimestamp)
) )
if (chatHistory.length === 0) if (!chatHistory?.length)
return { return {
messages: [], messages: [],
mentions: new Map(), mentions: new Map(),
@ -169,12 +169,17 @@ const getChatHistory = async (
// 从接口获取用户名 // 从接口获取用户名
if (noMentionSenders.size !== 0) { if (noMentionSenders.size !== 0) {
const { try {
data: { items }, const {
} = await larkService.user.batchGet([...noMentionSenders]) data: { items },
logger.debug(`Get user info: ${JSON.stringify(items)}`) } = await larkService.user.batchGet([...noMentionSenders])
for (const item of items) { logger.debug(`Get user info: ${JSON.stringify(items)}`)
mentions.set(item.open_id, item.name) for (const item of items) {
mentions.set(item.open_id, item.name)
}
} catch (error) {
// 报错了可以不处理,只是没有名字而已
logger.error(`Failed to get user info: ${error}`)
} }
} }

View File

@ -2,7 +2,8 @@ import { LarkService } from "@egg/net-tool"
import { APP_MAP } from "../../constant/config" import { APP_MAP } from "../../constant/config"
import { RespMessage } from "../../constant/message" import { RespMessage } from "../../constant/message"
import prisma from "../../prisma" import db from "../../db"
import { GrpSumSubWithApp } from "../../db/grpSumSub"
import { Context } from "../../types" import { Context } from "../../types"
import genContext from "../../utils/genContext" import genContext from "../../utils/genContext"
import llm from "../../utils/llm" import llm from "../../utils/llm"
@ -11,35 +12,29 @@ import getChatHistory from "./chatHistory"
/** /**
* *
* @param {Context.Data} ctx - * @param {Context} ctx -
* @param {string} timeScope - * @param {string} timeScope -
* @param {any} subscription - * @param {any} subscription -
* @returns {Promise<void>} * @returns {Promise<void>}
*/ */
const genReport = async ( const genReport = async (
ctx: Context.Data, ctx: Context,
timeScope: "daily" | "weekly", timeScope: "daily" | "weekly",
subscription: { subscription: GrpSumSubWithApp
id: bigint
chat_id: string
robot_id: string
initiator: string
}
) => { ) => {
const { logger, requestId, larkCard } = ctx const { logger, requestId, larkCard } = ctx
const cardGender = larkCard.child("groupAgent") const cardGender = larkCard.child("groupAgent")
try { try {
const { chat_id: chatId, robot_id: robotId } = subscription const {
// 获取接口信息 chatId,
const appInfo = APP_MAP[robotId] expand: {
if (!appInfo) { app: { appId, appSecret, appName },
logger.error(`Failed to get app info for ${robotId}`) },
return } = subscription
}
// 组织接口 // 组织接口
const larkService = new LarkService({ const larkService = new LarkService({
appId: appInfo.app_id, appId,
appSecret: appInfo.app_secret, appSecret,
requestId, requestId,
}) })
// 获取时间范围 // 获取时间范围
@ -50,12 +45,12 @@ const genReport = async (
// 获取聊天记录 // 获取聊天记录
const { messages: chatHistory } = await getChatHistory( const { messages: chatHistory } = await getChatHistory(
{ larkService, logger } as Context.Data, { larkService, logger } as Context,
{ {
chatId, chatId,
startTime, startTime,
endTime, endTime,
excludeMentions: [appInfo.app_name], excludeMentions: [appName],
} }
) )
if (chatHistory.length === 0) { if (chatHistory.length === 0) {
@ -80,21 +75,18 @@ const genReport = async (
logger.info( logger.info(
`LLM takes time: ${processingTime}s, see detail: http://langfuse.ai.srv/project/cm1j2tkj9001gukrgdvc1swuw/sessions/${requestId}` `LLM takes time: ${processingTime}s, see detail: http://langfuse.ai.srv/project/cm1j2tkj9001gukrgdvc1swuw/sessions/${requestId}`
) )
// 生成卡片内容
const cardContent = cardGender.genCard("autoReport", {
llmRes,
timeScope: timeScope === "daily" ? "今日日报" : "本周周报",
})
// 发送卡片消息 // 发送卡片消息
await larkService.message.sendCard2Chat( await larkService.message.sendCard2Chat(chatId, cardContent)
chatId, // 记录总结日志
cardGender.genCard("autoReport", { await db.grpSumLog.create({
llmRes, subscription: subscription.id,
timeScope: timeScope === "daily" ? "今日日报" : "本周周报", content: JSON.stringify(cardContent),
}) langfuseLink: `http://langfuse.ai.srv/project/cm1j2tkj9001gukrgdvc1swuw/sessions/${requestId}`,
)
// 记录发送的卡片
await prisma.chat_agent_message_log.create({
data: {
subscription_id: subscription.id,
initiator: subscription.initiator,
langfuse_link: `http://langfuse.ai.srv/project/cm1j2tkj9001gukrgdvc1swuw/sessions/${requestId}`,
},
}) })
} catch (error: any) { } catch (error: any) {
logger.error( logger.error(
@ -113,21 +105,34 @@ const genAllReport = async (timeScope: "daily" | "weekly" = "daily") => {
try { try {
// 获取全部需要自动总结的群组 // 获取全部需要自动总结的群组
const subscriptionList = let subList = await db.grpSumSub.getAll(
await prisma.chat_agent_summary_subscription.findMany({ `terminator = ""${timeScope === "daily" ? ' && timeScope = "daily"' : ""}`
where: { )
terminator: "",
},
})
if (subscriptionList.length === 0) { // 没有需要总结的群组
if (!subList || subList.length === 0) {
logger.info("No group needs to be summarized") logger.info("No group needs to be summarized")
return return
} }
// 如果是周五获取了需要日报和周报的订阅根据chatId过滤掉需要周报的日报订阅
if (timeScope === "weekly") {
const dailySubList = subList.filter((sub) => sub.timeScope === "daily")
const weeklySubList = subList.filter((sub) => sub.timeScope === "weekly")
// 过滤掉需要周报的日报订阅
subList = dailySubList
.filter(
(dailySub) =>
!weeklySubList.find(
(weeklySub) => weeklySub.chatId === dailySub.chatId
)
)
.concat(weeklySubList)
}
// 一个一个群组的总结,避免触发频率限制 // 一个一个群组的总结,避免触发频率限制
for (const subscription of subscriptionList) { for (const sub of subList) {
await genReport(ctx, timeScope, subscription) await genReport(ctx, sub.timeScope, sub)
} }
} catch (e: any) { } catch (e: any) {
logger.error(`Auto summary error: ${e.message}`) logger.error(`Auto summary error: ${e.message}`)
@ -136,10 +141,10 @@ const genAllReport = async (timeScope: "daily" | "weekly" = "daily") => {
/** /**
* *
* @param {Context.Data} ctx - * @param {Context} ctx -
* @returns {Promise<void>} * @returns {Promise<void>}
*/ */
const gen4Test = async (ctx: Context.Data, timeScope: "daily" | "weekly") => { const gen4Test = async (ctx: Context, timeScope: "daily" | "weekly") => {
const { const {
logger, logger,
larkCard, larkCard,
@ -153,26 +158,24 @@ const gen4Test = async (ctx: Context.Data, timeScope: "daily" | "weekly") => {
logger.error("Invalid request body") logger.error("Invalid request body")
return return
} }
// 获取订阅信息 // 获取订阅信息
const subscription = await prisma.chat_agent_summary_subscription.findFirst( const sub = await db.grpSumSub.getByFilter(
{ `terminator = "" && chatId = "${chatId}" && timeScope = "${timeScope}"`
where: {
chat_id: chatId,
terminator: "",
},
}
) )
// 没有订阅信息 // 没有订阅信息
if (!subscription) { if (!sub) {
logger.error(`No subscription found for chat ${chatId}`) logger.error(`No subscription found for chat ${chatId}`)
await larkService.message.sendCard2Chat( await larkService.message.sendCard2Chat(
chatId, chatId,
larkCard.genErrorCard("本群未订阅日报、周报") larkCard.genErrorCard(
`本群未订阅${timeScope === "daily" ? "日报" : "周报"}`
)
) )
return return
} }
// 总结 // 总结
await genReport(ctx, timeScope, subscription) await genReport(ctx, timeScope, sub)
} catch (error: any) { } catch (error: any) {
logger.error(`Failed to summarize chat ${chatId}: ${error.message}`) logger.error(`Failed to summarize chat ${chatId}: ${error.message}`)
} }
@ -182,54 +185,77 @@ const gen4Test = async (ctx: Context.Data, timeScope: "daily" | "weekly") => {
* *
* @returns * @returns
*/ */
const subscribe = async ({ const subscribe = async (
app, { app, larkService, logger, larkBody, larkCard }: Context,
larkService, timeScope: "daily" | "weekly"
logger, ) => {
larkBody, const cardGender = larkCard.child("groupAgent")
larkCard, const sendErrorMsg = () =>
}: Context.Data) => { larkService.message.sendCard2Chat(
larkBody.chatId,
cardGender.genErrorCard(RespMessage.registerFailed)
)
try { try {
const cardGender = larkCard.child("groupAgent")
// 判断是否有 chatId 和 userId // 判断是否有 chatId 和 userId
if (!larkBody.chatId || !larkBody.userId) { if (!larkBody.chatId || !larkBody.userId) {
logger.error(`chatId or userId is empty`) logger.error(`chatId or userId is empty`)
return return
} }
// 获取用户信息
const user = await db.user.getByCtx({ larkBody, larkService } as Context)
if (!user) {
logger.error(`Failed to get user info`)
await sendErrorMsg()
return
}
// 先查询是否已经存在订阅 // 先查询是否已经存在订阅
const subscription = await prisma.chat_agent_summary_subscription.findFirst( const sub = await db.grpSumSub.getByFilter(
{ `terminator = "" && chatId = "${larkBody.chatId} && timeScope = "${timeScope}"`
where: {
chat_id: larkBody.chatId,
terminator: "",
},
}
) )
// 如果已经存在订阅,则返回已经注册过了 if (sub) {
if (subscription) { logger.info(
logger.info(`chatId: ${larkBody.chatId} has been registered`) `chatId: ${larkBody.chatId} has been registered, timeScope: ${timeScope}`
// 发送已经注册过的消息 )
// 发送已经注册过了的消息
await larkService.message.sendCard2Chat( await larkService.message.sendCard2Chat(
larkBody.chatId, larkBody.chatId,
cardGender.genSuccessCard(RespMessage.hasRegistered) cardGender.genSuccessCard(
timeScope === "daily"
? RespMessage.hasRegisteredDaily
: RespMessage.hasRegisteredWeekly
)
) )
return return
} }
// 注册订阅 // 注册订阅
await prisma.chat_agent_summary_subscription.create({ const createRes = await db.grpSumSub.create({
data: { app: APP_MAP[app].id,
chat_id: larkBody.chatId, initiator: user.id,
robot_id: app, terminator: "",
initiator: larkBody.userId, chatId: larkBody.chatId,
}, timeScope,
}) })
if (!createRes) {
logger.error(
`Failed to register chatId: ${larkBody.chatId}, timeScope: ${timeScope}`
)
await sendErrorMsg()
return
}
// 发送成功消息 // 发送成功消息
await larkService.message.sendCard2Chat( await larkService.message.sendCard2Chat(
larkBody.chatId, larkBody.chatId,
cardGender.genSuccessCard(RespMessage.registerSuccess) cardGender.genSuccessCard(
timeScope === "daily"
? RespMessage.registerDailySuccess
: RespMessage.registerWeeklySuccess
)
) )
} catch (e: any) { } catch (e: any) {
logger.error(`Subscribe error: ${e.message}`) logger.error(`Subscribe error: ${e.message}`)
await sendErrorMsg()
} }
} }
@ -237,54 +263,75 @@ const subscribe = async ({
* *
* @returns * @returns
*/ */
const unsubscribe = async ({ const unsubscribe = async (
logger, { logger, larkBody, larkService, larkCard }: Context,
larkBody, timeScope: "daily" | "weekly"
larkService, ) => {
larkCard, const cardGender = larkCard.child("groupAgent")
}: Context.Data) => { const sendErrorMsg = () =>
larkService.message.sendCard2Chat(
larkBody.chatId,
cardGender.genErrorCard(RespMessage.cancelFailed)
)
try { try {
const cardGender = larkCard.child("groupAgent")
// 判断是否有 chatId 和 userId // 判断是否有 chatId 和 userId
if (!larkBody.chatId || !larkBody.userId) { if (!larkBody.chatId || !larkBody.userId) {
logger.error(`chatId or userId is empty`) logger.error(`chatId or userId is empty`)
return return
} }
// 查找现有的订阅
const subscription = await prisma.chat_agent_summary_subscription.findFirst( // 获取用户信息
{ const user = await db.user.getByCtx({ larkBody, larkService } as Context)
where: { if (!user) {
chat_id: larkBody.chatId, logger.error(`Failed to get user info`)
terminator: "", await sendErrorMsg()
}, return
} }
// 先查询是否已经存在订阅
const sub = await db.grpSumSub.getByFilter(
`terminator = "" && chatId = "${larkBody.chatId} && timeScope = "${timeScope}"`
) )
// 如果没有找到订阅,则返回错误
if (!subscription) { if (!sub) {
logger.info(`chatId: ${larkBody.chatId} has not been registered`) logger.info(
// 发送已经取消订阅的消息 `chatId: ${larkBody.chatId} has not been registered, timeScope: ${timeScope}`
)
// 发送未注册的消息
await larkService.message.sendCard2Chat( await larkService.message.sendCard2Chat(
larkBody.chatId, larkBody.chatId,
cardGender.genSuccessCard(RespMessage.cancelSuccess) cardGender.genSuccessCard(
timeScope === "daily"
? RespMessage.cancelDailySuccess
: RespMessage.cancelWeeklySuccess
)
) )
return return
} }
// 更新订阅,设置终止者和终止时间 // 更新订阅
await prisma.chat_agent_summary_subscription.update({ const updateRes = await db.grpSumSub.update(sub.id, {
where: { terminator: user.id,
id: subscription.id,
},
data: {
terminator: larkBody.userId,
},
}) })
if (!updateRes) {
logger.error(
`Failed to cancel chatId: ${larkBody.chatId}, timeScope: ${timeScope}`
)
await sendErrorMsg()
return
}
// 发送成功消息 // 发送成功消息
await larkService.message.sendCard2Chat( await larkService.message.sendCard2Chat(
larkBody.chatId, larkBody.chatId,
cardGender.genSuccessCard(RespMessage.cancelSuccess) cardGender.genSuccessCard(
timeScope === "daily"
? RespMessage.cancelDailySuccess
: RespMessage.cancelWeeklySuccess
)
) )
} catch (e: any) { } catch (e: any) {
logger.error(`Unsubscribe error: ${e.message}`) logger.error(`Unsubscribe error: ${e.message}`)
await sendErrorMsg()
} }
} }

View File

@ -8,7 +8,7 @@ import { Context, LarkServer } from "../../types"
const create = async ({ const create = async ({
larkService, larkService,
logger, logger,
}: Context.Data): Promise<LarkServer.BaseRes> => { }: Context): Promise<LarkServer.BaseRes> => {
const copyRes = await larkService.drive.copyFile( const copyRes = await larkService.drive.copyFile(
"D6ETfzaU9lN08adVDz3kjLey4Bx", "D6ETfzaU9lN08adVDz3kjLey4Bx",
"bask4drDOy7zc3nDVyZb5RYDzOe", "bask4drDOy7zc3nDVyZb5RYDzOe",
@ -51,7 +51,7 @@ const create = async ({
* *
* @param ctx - Context * @param ctx - Context
*/ */
const createFromEvent = async (ctx: Context.Data) => { const createFromEvent = async (ctx: Context) => {
const { const {
larkBody: { chatId, chatType, userId }, larkBody: { chatId, chatType, userId },
larkService, larkService,

View File

@ -3,11 +3,11 @@ import { SheetProxy } from "../../types/sheetProxy"
/** /**
* *
* @param {Context.Data} ctx - * @param {Context} ctx -
* @param {string} appName - * @param {string} appName -
* @returns {Promise<Response>} * @returns {Promise<Response>}
*/ */
const insertSheet = async (ctx: Context.Data) => { const insertSheet = async (ctx: Context) => {
const { genResp, larkService } = ctx const { genResp, larkService } = ctx
const body = ctx.body as SheetProxy.InsertData const body = ctx.body as SheetProxy.InsertData

View File

@ -1,10 +1,10 @@
import { RecordModel } from "pocketbase" import { RecordModel } from "pocketbase"
import { AppInfo } from "../../constant/config" import { AppInfoModel } from "../../constant/config"
import { managePbError } from "../../utils/pbTools" import { managePbError } from "../../utils/pbTools"
import pbClient from "../pbClient" import pbClient from "../pbClient"
const DB_NAME = "api_key" const DB_NAME = "apiKey"
export interface ApiKey { export interface ApiKey {
name: string name: string
@ -16,7 +16,7 @@ export type ApiKeyModel = ApiKey & RecordModel
export interface ApiKeyModelWithApp extends ApiKeyModel { export interface ApiKeyModelWithApp extends ApiKeyModel {
expand: { expand: {
app: AppInfo app: AppInfoModel
} }
} }

28
db/grpSumLog/index.ts Normal file
View File

@ -0,0 +1,28 @@
import { RecordModel } from "pocketbase"
import { managePbError } from "../../utils/pbTools"
import pbClient from "../pbClient"
export interface GroupSummaryLog {
subscription: string
content: string
langfuseLink: string
}
export type GroupSummaryLogModel = GroupSummaryLog & RecordModel
/**
*
* @param log
* @returns
*/
const create = async (log: GroupSummaryLog) =>
managePbError<GroupSummaryLogModel>(() =>
pbClient.collection("groupSummaryLog").create(log)
)
const grpSumLog = {
create,
}
export default grpSumLog

59
db/grpSumSub/index.ts Normal file
View File

@ -0,0 +1,59 @@
import { RecordModel } from "pocketbase"
import { AppInfoModel } from "../../constant/config"
import { managePbError } from "../../utils/pbTools"
import pbClient from "../pbClient"
export interface GroupSummarySubscription {
app: string
initiator: string
terminator: string
chatId: string
timeScope: "daily" | "weekly"
}
export type GroupSummarySubscriptionModel = GroupSummarySubscription &
RecordModel
export interface GrpSumSubWithApp extends GroupSummarySubscriptionModel {
expand: {
app: AppInfoModel
}
}
const create = async (subscription: GroupSummarySubscription) =>
managePbError<GroupSummarySubscriptionModel>(() =>
pbClient.collection("groupSummarySubscription").create(subscription)
)
const update = async (
id: string,
subscription: Partial<GroupSummarySubscription>
) =>
managePbError<GroupSummarySubscriptionModel>(() =>
pbClient.collection("groupSummarySubscription").update(id, subscription)
)
const getAll = async (filter: string = "") =>
managePbError<GrpSumSubWithApp[]>(() =>
pbClient.collection("groupSummarySubscription").getFullList({
filter,
expand: "app",
})
)
const getByFilter = async (filter: string) =>
managePbError<GrpSumSubWithApp>(() =>
pbClient
.collection("groupSummarySubscription")
.getFirstListItem(filter, { expand: "app" })
)
const grpSumSub = {
create,
update,
getAll,
getByFilter,
}
export default grpSumSub

View File

@ -1,11 +1,17 @@
import apiKey from "./apiKey" import apiKey from "./apiKey"
import grpSumLog from "./grpSumLog"
import grpSumSub from "./grpSumSub"
import log from "./log" import log from "./log"
import receiveGroup from "./receiveGroup" import receiveGroup from "./receiveGroup"
import user from "./user"
const db = { const db = {
apiKey, apiKey,
receiveGroup, receiveGroup,
log, log,
user,
grpSumLog,
grpSumSub,
} }
export default db export default db

View File

@ -3,17 +3,17 @@ import { RecordModel } from "pocketbase"
import { managePbError } from "../../utils/pbTools" import { managePbError } from "../../utils/pbTools"
import pbClient from "../pbClient" import pbClient from "../pbClient"
const DB_NAME = "message_log" const DB_NAME = "messageLog"
export interface Log { export interface Log {
api_key: string apiKey: string
group_id?: string groupId?: string
receive_id?: string receiveId?: string
receive_id_type?: string receiveIdType?: string
msg_type: string msgType: string
content: string content: string
final_content?: string finalContent?: string
send_result?: any sendResult?: any
error?: string error?: string
} }

View File

@ -1,11 +1,11 @@
import PocketBase from "pocketbase" import PocketBase from "pocketbase"
const pbClient = new PocketBase("https://lark-egg-preview.ai.xiaomi.com") const pbClient = new PocketBase(Bun.env.PB_URL)
pbClient.autoCancellation(false) pbClient.autoCancellation(false)
await pbClient await pbClient
.collection("_superusers") .collection("_superusers")
.authWithPassword(Bun.env.PB_USER!, Bun.env.PB_PASS!) .authWithPassword(Bun.env.PB_USER, Bun.env.PB_PASS)
export default pbClient export default pbClient

View File

@ -8,10 +8,10 @@ const DB_NAME = "message_group"
export interface ReceiveGroup { export interface ReceiveGroup {
name: string name: string
email?: string[] email?: string[]
chat_id?: string[] chatId?: string[]
open_id?: string[] openId?: string[]
union_id?: string[] unionId?: string[]
user_id?: string[] userId?: string[]
} }
export type ReceiveGroupModel = ReceiveGroup & RecordModel export type ReceiveGroupModel = ReceiveGroup & RecordModel

81
db/user/index.ts Normal file
View File

@ -0,0 +1,81 @@
import { RecordModel } from "pocketbase"
import { Context } from "../../types"
import { managePbError } from "../../utils/pbTools"
import pbClient from "../pbClient"
// 用户接口定义
interface User {
email: string
name: string
openId: string
userId: string
avatar: string
password: string
emailVisibility: boolean
verified: boolean
}
// 用户模型类型
export type UserModel = User & RecordModel
/**
*
* @param {User} user -
* @returns {Promise<UserModel>} -
*/
const create = async (user: User) =>
managePbError<UserModel>(() => pbClient.collection("user").create(user))
/**
* ID获取用户
* @param {string} userId - ID
* @returns {Promise<UserModel | null>} - null
*/
const getByUserId = async (userId: string) =>
managePbError<UserModel>(() =>
pbClient.collection("user").getFirstListItem(`user_id = "${userId}"`)
)
/**
*
* @param {Context} context -
* @returns {Promise<UserModel | null>} - null
*/
const getByCtx = async ({ larkBody, larkService }: Context) => {
if (!larkBody.userId) return null
// 先从数据库获取用户信息
const user = await getByUserId(larkBody.userId)
if (user) return user
// 如果数据库中没有用户信息从larkService获取用户信息
const userInfo = await larkService.user.getOne(larkBody.userId, "user_id")
if (userInfo.code !== 0) return null
// 解构用户信息
const {
user_id,
open_id,
avatar: { avatar_origin },
email,
name,
} = userInfo.data.user
const newUser = {
userId: user_id,
openId: open_id,
avatar: avatar_origin,
email,
name,
emailVisibility: false,
verified: false,
password: email,
}
// 创建新用户
const finalUser = await create(newUser)
return finalUser
}
// 用户对象
const user = {
getByCtx,
}
export default user

View File

@ -12,8 +12,6 @@ RUN bun install
COPY . . COPY . .
RUN bunx prisma generate
EXPOSE 3000 EXPOSE 3000
CMD ["bun", "start"] CMD ["bun", "start"]

View File

@ -1,7 +1,6 @@
import logger from "@egg/logger" import logger from "@egg/logger"
import initAppConfig from "./constant/config" import initAppConfig from "./constant/config"
import prisma from "./prisma"
import { manageBotReq } from "./routes/bot" import { manageBotReq } from "./routes/bot"
import { manageMessageReq } from "./routes/message" import { manageMessageReq } from "./routes/message"
import { manageMicroAppReq } from "./routes/microApp" import { manageMicroAppReq } from "./routes/microApp"
@ -56,9 +55,3 @@ const server = Bun.serve({
}) })
logger.info(`Listening on ${server.hostname}:${server.port}`) logger.info(`Listening on ${server.hostname}:${server.port}`)
// 关闭数据库连接
process.on("SIGINT", async () => {
await prisma.$disconnect()
process.exit(0)
})

View File

@ -30,7 +30,6 @@
"lint-staged": "^15.2.11", "lint-staged": "^15.2.11",
"oxlint": "^0.13.2", "oxlint": "^0.13.2",
"prettier": "^3.4.2", "prettier": "^3.4.2",
"prisma": "5.22.0",
"typescript-eslint": "^8.18.1" "typescript-eslint": "^8.18.1"
}, },
"peerDependencies": { "peerDependencies": {
@ -44,7 +43,6 @@
"@egg/path-tool": "^1.4.1", "@egg/path-tool": "^1.4.1",
"@langchain/core": "^0.3.24", "@langchain/core": "^0.3.24",
"@langchain/openai": "^0.3.14", "@langchain/openai": "^0.3.14",
"@prisma/client": "5.22.0",
"joi": "^17.13.3", "joi": "^17.13.3",
"langfuse-langchain": "^3.32.0", "langfuse-langchain": "^3.32.0",
"node-schedule": "^2.1.1", "node-schedule": "^2.1.1",

View File

@ -1,5 +0,0 @@
import { PrismaClient } from "@prisma/client"
const prisma = new PrismaClient()
export default prisma

View File

@ -1,31 +0,0 @@
// This is your Prisma schema file,
// learn more about it in the docs: https://pris.ly/d/prisma-schema
// Looking for ways to speed up your queries, or scale easily with your serverless or edge functions?
// Try Prisma Accelerate: https://pris.ly/cli/accelerate-init
generator client {
provider = "prisma-client-js"
}
datasource db {
provider = "mysql"
url = env("DATABASE_URL")
}
model chat_agent_summary_subscription {
id BigInt @id @default(autoincrement()) // 摘要订阅 ID
chat_id String @default("") // 关联的聊天 ID
robot_id String @default("") // 机器人 ID
initiator String @default("") // 发起者 ID
terminator String @default("") // 终止者 ID
created_at DateTime @default(now()) // 创建时间
updated_at DateTime @updatedAt // 更新时间
}
model chat_agent_message_log {
id BigInt @id @default(autoincrement()) // 消息日志 ID
subscription_id BigInt @default(0) // 关联的摘要订阅 ID
initiator String @default("") // 发起者 ID
langfuse_link String @default("") // Langfuse 日志
}

View File

@ -4,9 +4,9 @@ const GROUP_MAP = {}
/** /**
* *
* @param {Context.Data} ctx - body, larkService和logger * @param {Context} ctx - body, larkService和logger
*/ */
const manageAction = async (ctx: Context.Data) => { const manageAction = async (ctx: Context) => {
const { const {
larkBody: { actionValue }, larkBody: { actionValue },
logger, logger,
@ -16,16 +16,16 @@ const manageAction = async (ctx: Context.Data) => {
} }
logger.info(`Got lark action cardGroup: ${cardGroup}`) logger.info(`Got lark action cardGroup: ${cardGroup}`)
if (!cardGroup) return if (!cardGroup) return
const func = GROUP_MAP[cardGroup] as (ctx: Context.Data) => Promise<any> const func = GROUP_MAP[cardGroup] as (ctx: Context) => Promise<any>
if (!func) return if (!func) return
return func(ctx) return func(ctx)
} }
/** /**
* Action消息 * Action消息
* @param {Context.Data} ctx - * @param {Context} ctx -
*/ */
export const manageActionMsg = async (ctx: Context.Data) => { export const manageActionMsg = async (ctx: Context) => {
const { const {
larkBody: { actionType }, larkBody: { actionType },
} = ctx } = ctx

View File

@ -5,7 +5,7 @@ import { Context } from "../../types"
/** /**
* *
* @param {Context.Data} ctx - body, logger和larkService * @param {Context} ctx - body, logger和larkService
* @returns {boolean} * @returns {boolean}
*/ */
const filterIllegalMsg = async ({ const filterIllegalMsg = async ({
@ -14,14 +14,14 @@ const filterIllegalMsg = async ({
larkService, larkService,
larkBody, larkBody,
appInfo, appInfo,
}: Context.Data): Promise<boolean> => { }: Context): Promise<boolean> => {
const { chatId, msgType, msgText } = larkBody const { chatId, msgType, msgText } = larkBody
// 没有chatId的消息不处理 // 没有chatId的消息不处理
logger.info(`bot req chatId: ${chatId}`) logger.info(`bot req chatId: ${chatId}`)
if (!chatId) return true if (!chatId) return true
// 非私聊和群聊中艾特机器人的消息不处理 // 非私聊和群聊中艾特机器人的消息不处理
if (!larkBody.isP2P && !larkBody.isAtBot(appInfo.app_name)) { if (!larkBody.isP2P && !larkBody.isAtBot(appInfo.appName)) {
return true return true
} }
@ -59,40 +59,37 @@ const filterIllegalMsg = async ({
/** /**
* ID消息 * ID消息
* @param {Context.Data} ctx - * @param {Context} ctx -
*/ */
const manageIdMsg = ({ const manageIdMsg = ({
larkBody: { chatId }, larkBody: { chatId },
larkCard, larkCard,
larkService, larkService,
}: Context.Data): void => { }: Context) =>
larkService.message.sendCard2Chat( larkService.message.sendCard2Chat(
chatId, chatId,
larkCard.genTempCard("chatId", { chat_id: chatId }) larkCard.genTempCard("chatId", { chat_id: chatId })
) )
}
/** /**
* *
* @param {Context.Data} ctx - * @param {Context} ctx -
*/ */
const manageHelpMsg = ( const manageHelpMsg = (
{ larkBody: { chatId }, larkCard, larkService }: Context.Data, { larkBody: { chatId }, larkCard, larkService }: Context,
tempKey: keyof typeof tempMap tempKey: keyof typeof tempMap
): void => { ) =>
larkService.message.sendCard2Chat( larkService.message.sendCard2Chat(
chatId, chatId,
larkCard.genTempCard(tempKey, { chat_id: chatId }) as string larkCard.genTempCard(tempKey, { chat_id: chatId }) as string
) )
}
/** /**
* *
* @param {Context.Data} ctx - * @param {Context} ctx -
*/ */
const manageCMDMsg = (ctx: Context.Data) => { const manageCMDMsg = async (ctx: Context) => {
const { const {
app,
body, body,
logger, logger,
larkService, larkService,
@ -104,66 +101,75 @@ const manageCMDMsg = (ctx: Context.Data) => {
// 处理命令消息 // 处理命令消息
if (msgText === "/id") { if (msgText === "/id") {
logger.info(`bot command is /id, chatId: ${chatId}`) logger.info(`bot command is /id, chatId: ${chatId}`)
manageIdMsg(ctx) await manageIdMsg(ctx)
return return
} }
// 小煎蛋专属功能 // CI监控
if (app === "egg") { if (msgText === "/ci") {
// CI监控 logger.info(`bot command is /ci, chatId: ${chatId}`)
if (msgText === "/ci") { await attachService.ciMonitor(chatId)
logger.info(`bot command is /ci, chatId: ${chatId}`) return
attachService.ciMonitor(chatId) }
return // 简报
} if (msgText.includes("share") && msgText.includes("简报")) {
// 简报 logger.info(`bot command is share report, chatId: ${chatId}`)
if (msgText.includes("share") && msgText.includes("简报")) { // 这个用时比较久,先发一条提醒用户收到了请求
logger.info(`bot command is share report, chatId: ${chatId}`) // TODO: 迁移到简报服务中
// 这个用时比较久,先发一条提醒用户收到了请求 await larkService.message.sendText2Chat(
// TODO: 迁移到简报服务中 chatId,
larkService.message.send( "正在为您收集简报,请稍等片刻~"
"chat_id", )
chatId, await attachService.reportCollector(body)
"text", return
"正在为您收集简报,请稍等片刻~" }
) // 创建Sheet DB
attachService.reportCollector(body) if (msgText === "/gen db") {
return logger.info(`bot command is /gen db, chatId: ${chatId}`)
} await createKVTemp.createFromEvent(ctx)
// 创建Sheet DB return
if (msgText === "/gen db") {
logger.info(`bot command is /gen db, chatId: ${chatId}`)
createKVTemp.createFromEvent(ctx)
return
}
// 私聊场景下或者/help命令
if (msgText === "/help" || isP2P) {
logger.info(`bot command is /help, chatId: ${chatId}`)
manageHelpMsg(ctx, "eggGuide")
return
}
} }
// michat私聊场景下先回复提示消息 // 私聊场景下或者/help命令
if (isP2P && app === "michat") { if (msgText === "/help" || isP2P) {
logger.info(`bot command is /help, chatId: ${chatId}`) logger.info(`bot command is /help, chatId: ${chatId}`)
manageHelpMsg(ctx, "miChatGuide") await manageHelpMsg(ctx, "eggGuide")
return return
} }
// 仅限群组功能 // 仅限群组功能
if (isInGroup) { if (isInGroup) {
// 注册群组 // 注册群组日报
if (msgText === "开启日报、周报") { if (msgText === "开启日报") {
logger.info(`bot command is register, chatId: ${chatId}`) logger.info(
groupAgent.report.subscribe(ctx) `bot command is register, chatId: ${chatId}, timeScope: daily`
)
groupAgent.report.subscribe(ctx, "daily")
return return
} }
// 注销群组 // 注册群组周报
if (msgText === "关闭日报、周报") { if (msgText === "开启周报") {
logger.info(`bot command is unregister, chatId: ${chatId}`) logger.info(
groupAgent.report.unsubscribe(ctx) `bot command is register, chatId: ${chatId}, timeScope: weekly`
)
groupAgent.report.subscribe(ctx, "weekly")
return
}
// 注销群组日报
if (msgText === "关闭日报") {
logger.info(
`bot command is unregister, chatId: ${chatId}, timeScope: daily`
)
groupAgent.report.unsubscribe(ctx, "daily")
return
}
// 注销群组周报
if (msgText === "关闭周报") {
logger.info(
`bot command is unregister, chatId: ${chatId}, timeScope: weekly`
)
groupAgent.report.unsubscribe(ctx, "weekly")
return return
} }
// 立即发送日简报 // 立即发送日简报
@ -187,11 +193,11 @@ const manageCMDMsg = (ctx: Context.Data) => {
/** /**
* Event消息 * Event消息
* @param {Context.Data} ctx - * @param {Context} ctx -
*/ */
export const manageEventMsg = async (ctx: Context.Data) => { export const manageEventMsg = async (ctx: Context) => {
// 过滤非法消息 // 过滤非法消息
if (await filterIllegalMsg(ctx)) return if (await filterIllegalMsg(ctx)) return
// 处理命令消息 // 处理命令消息
manageCMDMsg(ctx) await manageCMDMsg(ctx)
} }

View File

@ -4,11 +4,11 @@ import { manageEventMsg } from "./eventMsg"
/** /**
* *
* @param {Context.Data} ctx - * @param {Context} ctx -
* @returns {Promise<Response>} * @returns {Promise<Response>}
*/ */
export const manageBotReq = async (ctx: Context.Data): Promise<Response> => { export const manageBotReq = async (ctx: Context): Promise<Response> => {
const { body, larkBody, app, attachService } = ctx const { body, larkBody } = ctx
// 检查请求体是否为空 // 检查请求体是否为空
if (!body) { if (!body) {
@ -21,11 +21,6 @@ export const manageBotReq = async (ctx: Context.Data): Promise<Response> => {
return Response.json({ challenge: body.challenge }) return Response.json({ challenge: body.challenge })
} }
// 如果是michat的Event转发给MiChatServer
if (app === "michat" && larkBody.isEvent && !larkBody.isMessageEvent) {
attachService.proxyMiChatEvent(body)
}
// 处理消息事件 // 处理消息事件
if (larkBody.isMessageEvent) manageEventMsg(ctx) if (larkBody.isMessageEvent) manageEventMsg(ctx)
// 处理Action消息 // 处理Action消息

View File

@ -1,20 +1,24 @@
import { stringifyJson } from "@egg/hooks" import { stringifyJson } from "@egg/hooks"
import { LarkService } from "@egg/net-tool"
import { APP_MAP } from "../../constant/config"
import db from "../../db" import db from "../../db"
import { Log } from "../../db/log" import { Log } from "../../db/log"
import { Context, LarkServer, MsgProxy } from "../../types" import { Context, LarkServer, MsgProxy } from "../../types"
import genLarkService from "../../utils/genLarkService"
const ID_TYPE_MAP = {
chat_id: "chatId",
open_id: "openId",
union_id: "unionId",
user_id: "userId",
email: "email",
}
/** /**
* *
* @param {Context.Data} ctx - * @param {Context} ctx -
* @returns {false | Response} false * @returns {false | Response} false
*/ */
const validateMessageReq = ({ const validateMessageReq = ({ body, genResp }: Context): false | Response => {
body,
genResp,
}: Context.Data): false | Response => {
if (!body.api_key) { if (!body.api_key) {
return genResp.badRequest("api_key is required") return genResp.badRequest("api_key is required")
} }
@ -35,12 +39,10 @@ const validateMessageReq = ({
/** /**
* *
* @param {Context.Data} ctx - Lark * @param {Context} ctx - Lark
* @returns {Promise<Response>} * @returns {Promise<Response>}
*/ */
export const manageMessageReq = async ( export const manageMessageReq = async (ctx: Context): Promise<Response> => {
ctx: Context.Data
): Promise<Response> => {
const { body: rawBody, genResp, requestId } = ctx const { body: rawBody, genResp, requestId } = ctx
const body = rawBody as MsgProxy.Body const body = rawBody as MsgProxy.Body
@ -55,12 +57,12 @@ export const manageMessageReq = async (
: body.content : body.content
// 初始化发送结果对象 // 初始化发送结果对象
const sendRes = { const sendResult: Record<string, Record<string, any>> = {
chat_id: {} as Record<string, any>, chatId: {},
open_id: {} as Record<string, any>, openId: {},
union_id: {} as Record<string, any>, unionId: {},
user_id: {} as Record<string, any>, userId: {},
email: {} as Record<string, any>, email: {},
} }
// 发送消息列表 // 发送消息列表
@ -68,39 +70,25 @@ export const manageMessageReq = async (
// 构造消息记录 // 构造消息记录
const baseLog: Log = { const baseLog: Log = {
...body, apiKey: body.api_key,
final_content: finalContent, groupId: body.group_id,
receiveId: body.receive_id,
receiveIdType: body.receive_id_type,
msgType: body.msg_type,
content: body.content,
finalContent,
} }
// 校验 api_key // 校验 api_key
const apiKeyInfo = await db.apiKey.getOne(body.api_key) const apiKeyInfo = await db.apiKey.getOne(body.api_key)
if (!apiKeyInfo) { if (!apiKeyInfo) {
const error = "api key not found" const error = "api key not found"
db.log.create({ ...baseLog, error }) await db.log.create({ ...baseLog, error })
return genResp.notFound(error) return genResp.notFound(error)
} }
// 获取 app name // 生成 Lark 服务
const appName = apiKeyInfo.expand?.app?.name const larkService = genLarkService(apiKeyInfo.expand.app.name, requestId)
if (!appName) {
const error = "app name not found"
db.log.create({ ...baseLog, error })
return genResp.notFound(error)
}
// 获取 app info
const appInfo = APP_MAP[appName]
if (!appInfo) {
const error = "app not found"
db.log.create({ ...baseLog, error })
return genResp.notFound(error)
}
const larkService = new LarkService({
appId: appInfo.app_id,
appSecret: appInfo.app_secret,
requestId,
})
// 如果有 group_id则发送给所有 group_id 中的人 // 如果有 group_id则发送给所有 group_id 中的人
if (body.group_id) { if (body.group_id) {
@ -108,11 +96,11 @@ export const manageMessageReq = async (
const group = await db.receiveGroup.getOne(body.group_id!) const group = await db.receiveGroup.getOne(body.group_id!)
if (!group) { if (!group) {
const error = "message group not found" const error = "message group not found"
db.log.create({ ...baseLog, error }) await db.log.create({ ...baseLog, error })
return genResp.notFound(error) return genResp.notFound(error)
} }
const { chat_id, open_id, union_id, user_id, email } = group const { chatId, openId, unionId, userId, email } = group
// 构造发送消息函数 // 构造发送消息函数
const makeSendFunc = (receive_id_type: LarkServer.ReceiveIDType) => { const makeSendFunc = (receive_id_type: LarkServer.ReceiveIDType) => {
@ -121,17 +109,17 @@ export const manageMessageReq = async (
larkService.message larkService.message
.send(receive_id_type, receive_id, body.msg_type, finalContent) .send(receive_id_type, receive_id, body.msg_type, finalContent)
.then((res) => { .then((res) => {
sendRes[receive_id_type][receive_id] = res sendResult[ID_TYPE_MAP[receive_id_type]][receive_id] = res
}) })
) )
} }
} }
// 创建消息列表 // 创建消息列表
if (chat_id) chat_id.map(makeSendFunc("chat_id")) if (chatId) chatId.map(makeSendFunc("chat_id"))
if (open_id) open_id.map(makeSendFunc("open_id")) if (openId) openId.map(makeSendFunc("open_id"))
if (union_id) union_id.map(makeSendFunc("union_id")) if (unionId) unionId.map(makeSendFunc("union_id"))
if (user_id) user_id.map(makeSendFunc("user_id")) if (userId) userId.map(makeSendFunc("user_id"))
if (email) email.map(makeSendFunc("email")) if (email) email.map(makeSendFunc("email"))
} }
@ -142,7 +130,7 @@ export const manageMessageReq = async (
larkService.message larkService.message
.send(body.receive_id_type, receive_id, body.msg_type, finalContent) .send(body.receive_id_type, receive_id, body.msg_type, finalContent)
.then((res) => { .then((res) => {
sendRes[body.receive_id_type][receive_id] = res sendResult[ID_TYPE_MAP[body.receive_id_type]][receive_id] = res
}) })
) )
}) })
@ -152,11 +140,11 @@ export const manageMessageReq = async (
// 发送消息 // 发送消息
await Promise.allSettled(sendList) await Promise.allSettled(sendList)
// 保存消息记录 // 保存消息记录
db.log.create({ ...baseLog, send_result: sendRes }) await db.log.create({ ...baseLog, sendResult })
return genResp.ok(sendRes) return genResp.ok(sendResult)
} catch { } catch {
const error = "send msg failed" const error = "send msg failed"
db.log.create({ ...baseLog, error }) await db.log.create({ ...baseLog, error })
return genResp.serverError(error, sendRes) return genResp.serverError(error, sendResult)
} }
} }

View File

@ -8,7 +8,7 @@ import { Context } from "../../types"
* @param req * @param req
* @returns * @returns
*/ */
const manageLogin = async (ctx: Context.Data) => { const manageLogin = async (ctx: Context) => {
const { req, genResp, logger, requestId } = ctx const { req, genResp, logger, requestId } = ctx
logger.info("micro app login") logger.info("micro app login")
const url = new URL(req.url) const url = new URL(req.url)
@ -27,8 +27,8 @@ const manageLogin = async (ctx: Context.Data) => {
} }
const larkService = new LarkService({ const larkService = new LarkService({
appId: appInfo.app_id, appId: appInfo.appId,
appSecret: appInfo.app_secret, appSecret: appInfo.appSecret,
requestId, requestId,
}) })
@ -52,7 +52,7 @@ const manageLogin = async (ctx: Context.Data) => {
* @param req * @param req
* @returns * @returns
*/ */
const manageBatchUser = async (ctx: Context.Data) => { const manageBatchUser = async (ctx: Context) => {
const { body, genResp, logger, requestId } = ctx const { body, genResp, logger, requestId } = ctx
logger.info("batch get user info") logger.info("batch get user info")
if (!body) return genResp.badRequest("req body is empty") if (!body) return genResp.badRequest("req body is empty")
@ -73,8 +73,8 @@ const manageBatchUser = async (ctx: Context.Data) => {
} }
const larkService = new LarkService({ const larkService = new LarkService({
appId: appInfo.app_id, appId: appInfo.appId,
appSecret: appInfo.app_secret, appSecret: appInfo.appSecret,
requestId, requestId,
}) })
@ -97,7 +97,7 @@ const manageBatchUser = async (ctx: Context.Data) => {
* @param req * @param req
* @returns * @returns
*/ */
export const manageMicroAppReq = async (ctx: Context.Data) => { export const manageMicroAppReq = async (ctx: Context) => {
const path = ctx.path.child("/micro_app") const path = ctx.path.child("/micro_app")
// 处理登录请求 // 处理登录请求
if (path.exact("/login")) { if (path.exact("/login")) {

View File

@ -9,13 +9,13 @@ import { SheetProxy } from "../../types/sheetProxy"
/** /**
* *
* @param {Context.Data} ctx - * @param {Context} ctx -
* @returns {Promise<false | Response>} false * @returns {Promise<false | Response>} false
*/ */
const validateSheetReq = async ({ const validateSheetReq = async ({
body, body,
genResp, genResp,
}: Context.Data): Promise<false | Response> => { }: Context): Promise<false | Response> => {
// 定义基础的Schema // 定义基础的Schema
let schema = Joi.object({ let schema = Joi.object({
api_key: Joi.string() api_key: Joi.string()
@ -61,10 +61,10 @@ const validateSheetReq = async ({
/** /**
* *
* @param {Context.Data} ctx - Lark * @param {Context} ctx - Lark
* @returns {Promise<Response>} * @returns {Promise<Response>}
*/ */
export const manageSheetReq = async (ctx: Context.Data): Promise<Response> => { export const manageSheetReq = async (ctx: Context): Promise<Response> => {
const { body: rawBody, genResp, requestId } = ctx const { body: rawBody, genResp, requestId } = ctx
const body = rawBody as SheetProxy.InsertData const body = rawBody as SheetProxy.InsertData
@ -92,8 +92,8 @@ export const manageSheetReq = async (ctx: Context.Data): Promise<Response> => {
// 组织新的LarkService // 组织新的LarkService
ctx.larkService = new LarkService({ ctx.larkService = new LarkService({
appId: appInfo.app_id, appId: appInfo.appId,
appSecret: appInfo.app_secret, appSecret: appInfo.appSecret,
requestId, requestId,
}) })

View File

@ -13,9 +13,13 @@ const chatHistory = [
}, },
] ]
const res = await llm.invoke("summary-qwen-72b-instruct-int4", { const res = await llm.invoke(
chatHistory: JSON.stringify(chatHistory), "summary-qwen-72b-instruct-int4",
time: new Date().toLocaleString("zh-CN", { timeZone: "Asia/Shanghai" }), {
}) chatHistory: JSON.stringify(chatHistory),
time: new Date().toLocaleString("zh-CN", { timeZone: "Asia/Shanghai" }),
},
"123456"
)
console.log(res) console.log(res)

View File

@ -3,27 +3,25 @@ import { LarkService, NetTool } from "@egg/net-tool"
import { PathCheckTool } from "@egg/path-tool" import { PathCheckTool } from "@egg/path-tool"
import { Logger } from "winston" import { Logger } from "winston"
import { AppInfo } from "../constant/appMap"
import cardMap from "../constant/card" import cardMap from "../constant/card"
import { AppInfoModel } from "../constant/config"
import functionMap from "../constant/function" import functionMap from "../constant/function"
import tempMap from "../constant/template" import tempMap from "../constant/template"
import { AttachService } from "../services" import { AttachService } from "../services"
export namespace Context { export interface Context {
export interface Data { req: Request
req: Request requestId: string
requestId: string logger: Logger
logger: Logger genResp: NetTool
genResp: NetTool body: any
body: any text: string
text: string larkService: LarkService
larkService: LarkService larkBody: LarkBody
larkBody: LarkBody larkCard: LarkCard<typeof cardMap, typeof tempMap, typeof functionMap>
larkCard: LarkCard<typeof cardMap, typeof tempMap, typeof functionMap> attachService: AttachService
attachService: AttachService path: PathCheckTool
path: PathCheckTool searchParams: URLSearchParams
searchParams: URLSearchParams app: "michat" | "egg" | string
app: "michat" | "egg" | string appInfo: AppInfoModel
appInfo: AppInfo
}
} }

View File

@ -3,3 +3,11 @@ import type { LarkServer } from "./larkServer"
import type { MsgProxy } from "./msgProxy" import type { MsgProxy } from "./msgProxy"
export { Context, LarkServer, MsgProxy } export { Context, LarkServer, MsgProxy }
declare module "bun" {
interface Env {
PB_USER: string
PB_PASS: string
PB_URL: string
}
}

View File

@ -29,7 +29,7 @@ const getPreRequestId = (larkBody: LarkBody) => {
* *
* *
* @param {Request} req - * @param {Request} req -
* @returns {Promise<Context.Data>} * @returns {Promise<Context>}
*/ */
const genContext = async (req: Request) => { const genContext = async (req: Request) => {
let body: any = null let body: any = null
@ -74,7 +74,7 @@ const genContext = async (req: Request) => {
searchParams, searchParams,
app, app,
appInfo, appInfo,
} as Context.Data } as Context
} }
export default genContext export default genContext

View File

@ -5,8 +5,8 @@ import { APP_MAP } from "../constant/config"
const genLarkService = (app: string, requestId: string) => { const genLarkService = (app: string, requestId: string) => {
const appInfo = APP_MAP[app] const appInfo = APP_MAP[app]
return new LarkService({ return new LarkService({
appId: appInfo.app_id, appId: appInfo.appId,
appSecret: appInfo.app_secret, appSecret: appInfo.appSecret,
requestId, requestId,
}) })
} }