123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339 |
- #!/usr/bin/env python
- # -*- coding: utf-8 -*-
- """
- -----------------File Info-----------------------
- Name: web.py
- Description: web api support
- Author: GentleCP
- Email: me@gentlecp.com
- Create Date: 2021/6/19
- -----------------End-----------------------------
- """
- import json
- import re
- import sys
- import threading
- import time
- import uuid
- from concurrent.futures import ThreadPoolExecutor
- from xml.etree.ElementTree import fromstring
- import requests
- import uvicorn
- from fastapi import FastAPI, Response, Request, BackgroundTasks, Body
- from WXBizMsgCrypt3 import WXBizMsgCrypt
- from commom import get_logger, request_id_context
- logger = get_logger()
- # 加载配置文件
- with open('config.json', 'r') as f:
- config = json.load(f)
- # 从配置文件中提取参数
- token = config['token']
- aeskey = config['aeskey']
- corpid = config['corpid']
- corpsecret = config['corpsecret']
- coze_access_token = config['coze_access_token']
- # bot_id = config['bot_id']
- # port = config['port']
- # token = "EcSp"#企业微信应用api信息
- # aeskey = "OTZoY8N67kOnGosEpS3jw4Rsjea0Gu6D7X4IWxoYKtY"#企业微信应用api信息
- # corpid = "ww5541cfeea51e3188"#企业id
- # corpsecret = "SbyG25s1LsMsW0nAMiaNprrQIHYrWKQP4f2mNLLDnwE"##api成功后的secret
- # coze_access_token = "pat_HNBYQOWE5h4r1tzXi8S2PuY4ddoVRH3DpTbE3NsYBjtcWHTYw5ffrVmKPh26hSLW"#豆包access_token
- # bot_id="7397619068440182793"#豆包机器人id
- # port = 18090#服务器端口
- wxcpt = WXBizMsgCrypt(token, aeskey, corpid)
- app = FastAPI()
- # def call_llm(prompt: str, bot_id: str,coze_access_token:str):
- # req_head = {
- # "Authorization":f"Bearer {coze_access_token}",
- # "Content-Type": "application/json",
- # }
- # req_data = {
- # "conversation_id": "123",
- # "bot_id": bot_id,
- # "user": "test",
- # "query": prompt,
- # "stream": False
- # }
- # res = requests.post("https://api.coze.cn/open_api/v2/chat", headers=req_head, json=req_data)
- # res.raise_for_status() # 检查响应状态码是否为200
- # return res.json()
- def call_llm(prompt: str, bot_id: str, coze_access_token: str):
- req_head = {
- "Authorization": f"Bearer {coze_access_token}",
- "Content-Type": "application/json",
- }
- req_data = {
- "bot_id": bot_id,
- "user_id": "123456789",
- "stream": False,
- "auto_save_history": True,
- "additional_messages": [
- {
- "role": "user",
- "content": prompt,
- "content_type": "object_string"
- }
- ]
- }
- res_create = requests.post(" https://api.coze.cn/v1/conversation/create", headers=req_head)
- conversation_id = res_create.json()["data"]["id"]
- res_chat = requests.post(f" https://api.coze.cn/v3/chat?conversation_id={conversation_id}", headers=req_head,
- json=req_data)
- chat_id = res_chat.json()["data"]["id"]
- while True:
- res_retrieve = requests.get(
- f" https://api.coze.cn/v3/chat/retrieve?chat_id={chat_id}&conversation_id={conversation_id}",
- headers=req_head)
- res_json = res_retrieve.json()
- # 首先判断网络状态是否为200
- if res_retrieve.status_code != 200:
- logger.error(f"网络状态码失败,错误码:{res_retrieve.status_code}")
- coze_response = f"网络状态码失败,错误码:{res_retrieve.status_code}"
- return coze_response
- # 判断状态码是否为0
- if res_json["code"] != 0:
- logger.error(f"API调用失败,错误码:{res_json['code']}")
- coze_response = f"API调用失败,错误码:{res_json['code']}"
- return coze_response
- # 打印并记录状态
- logger.info(res_json["data"]["status"])
- status = res_json["data"]["status"]
- # 检查是否为错误状态
- error_statuses = {"failed", "requires_action", "canceled"}
- if status in error_statuses:
- error_message = res_json["data"]["last_error"]
- logger.error(f"对话错误,状态:{status},错误信息:{error_message}")
- coze_response = f"对话错误,状态:{status},错误信息:{error_message}"
- return coze_response
- # 如果状态为completed,则获取消息
- if status == "completed":
- res_message = requests.get(
- f"https://api.coze.cn/v3/chat/message/list?chat_id={chat_id}&conversation_id={conversation_id}",
- headers=req_head)
- coze_response = res_message.json()['data'][1]['content'].replace(" ", "") # v3 删除图片url中的空格
- # coze_response = coze_response['data'][1]['content'].replace(" ", "") # v3 删除图片url中的空格
- return coze_response
- time.sleep(1)
- def qiwei_get():
- res = requests.get(f"https://qyapi.weixin.qq.com/cgi-bin/gettoken?corpid={corpid}&corpsecret={corpsecret}")
- qw_access_token = res.json()["access_token"]
- return qw_access_token
- def qiwei_post(username: str, answer: str, agentid: str):
- req_data = {
- "touser": username,
- "toparty": "",
- "totag": "",
- "msgtype": "text",
- "agentid": agentid,
- "text": {"content": answer},
- "image": {
- "media_id": "MEDIA_ID"
- },
- "safe": 0,
- "enable_id_trans": 0,
- "enable_duplicate_check": 0,
- "duplicate_check_interval": 1800
- }
- res = requests.post(f"https://qyapi.weixin.qq.com/cgi-bin/message/send?access_token={qiwei_get()}", json=req_data)
- # print(res.json())
- logger.info(res.json())
- # return res.json()
- # 问题传入字节服务器进行回答后发送给企业微信,行内服务器只进行接收然后发给字节,防止网络延迟
- def post_consumer_api(user_query, decrypt_data, request_id, bot_id):
- data = {
- "user_query": user_query,
- "decrypt_data": decrypt_data,
- "request_id": request_id,
- "bot_id": bot_id,
- }
- request_id_context.set(request_id)
- url = "https://101.126.81.2:18090/consumer"
- try:
- logger.info(f"post_consumer_api 被执行{user_query}")
- t1 = threading.Thread(target=requests.post, kwargs={"url": url, "json": data, "verify": False})
- t1.start()
- # response = requests.post(url, json=data, verify=False) # 忽略SSL证书验证
- # response.raise_for_status() # 检查响应状态码是否为200
- # logger.info(f"post_consumer_api 请求成功: {response.json()}")
- except requests.exceptions.RequestException as e:
- logger.error(f"post_consumer_api 请求失败: {e}")
- @app.post("/consumer")
- def consumer(
- request_id: str = Body(...),
- user_query: str = Body(...),
- decrypt_data: dict = Body(...),
- bot_id: str = Body(...),
- ):
- # print(f"请求:{user_query}")
- # body = body.decode()
- # body = json.loads(body)
- # request_id = body["request_id"]
- request_id_context.set(request_id)
- # user_query = body["user_query"] if body["user_query"] else "回答图片中的问题"
- # user_query = "回答图片中的问题"
- # decrypt_data = body["decrypt_data"]
- # bot_id = body["bot_id"]
- # decrypt_data = json.loads(decrypt_data)
- username = decrypt_data.get('FromUserName', '')
- agentid = decrypt_data.get('AgentID', '')
- msgtype = decrypt_data.get('MsgType', '')
- picurl = decrypt_data.get('PicUrl', '')
- qiwei_post(username, "正在加载,请稍后...", agentid)
- logger.info("正在加载,请稍后...")
- logger.info(f"consumer 请求:{user_query}")
- multimodal_content = [
- {"type": "text", "text": user_query},
- {"type": msgtype, "file_url": picurl},
- # {"type": "file", "file_id": "fileid2"},
- # {"type": "file", "file_url": "fileurl1"}
- ]
- user_query = json.dumps(multimodal_content, ensure_ascii=False)
- # 返回coze结果
- coze_response = call_llm(prompt=user_query, bot_id=bot_id, coze_access_token=coze_access_token)
- # answer = coze_response['messages'][1]['content']#v2
- # answer = coze_response['data'][1]['content'].replace(" ","") #v3 删除图片url中的空格
- ##处理图片链接
- image_counter = 1
- # 定义一个替换函数,用于在替换时添加序号
- def replace_with_counter(match):
- nonlocal image_counter
- alt_text = match.group(1) or f"示例图片{image_counter}"
- url = match.group(2)
- replacement = f'<a href="{url}">{alt_text}</a>'
- image_counter += 1
- return replacement
- # 将Markdown格式的图片链接转换为HTML格式的文字链接,并添加序号
- answer = re.sub(r'!\[(.*?)\]\((https?://[^)]+)\)', replace_with_counter, coze_response)
- # print(f"结果:{answer}")
- logger.info(f"结果:{answer}")
- # 主动发结果给qiwei
- qiwei_post(username, answer, agentid)
- # choice_answer = "若需要切换产品助手请输入产品名称(渝快振兴贷、房快贷),无需切换请忽略"
- # qiwei_post(username, choice_answer, agentid)
- @app.get("/ok")
- async def ok():
- return "ok"
- @app.get("/bot")
- async def verify(msg_signature: str, timestamp: str, nonce: str, echostr: str):
- ret, sEchoStr = wxcpt.VerifyURL(msg_signature, timestamp, nonce, echostr)
- if ret == 0:
- return Response(content=sEchoStr.decode('utf-8'))
- else:
- # print(sEchoStr)
- logger.info(sEchoStr)
- # 创建一个字典来存储用户的bot_id状态
- user_bot_id_mapping = {}
- #
- @app.post("/bot")
- async def recv(msg_signature: str, timestamp: str, nonce: str, request: Request, background_tasks: BackgroundTasks):
- # start_time = time.time()
- body = await request.body()
- request_id = str(uuid.uuid4())
- request_id_context.set(request_id)
- ret, sMsg = wxcpt.DecryptMsg(body.decode('utf-8'), msg_signature, timestamp, nonce)
- decrypt_data = {}
- for node in list(fromstring(sMsg.decode('utf-8'))):
- decrypt_data[node.tag] = node.text
- # 获取用户发送的消息内容
- user_query = decrypt_data.get('Content', '')
- # logger.info(f"start: {user_query}")
- username = decrypt_data.get('FromUserName', '')
- agentid = decrypt_data.get('AgentID', '')
- event = decrypt_data.get('Event')
- msg_type = decrypt_data.get('MsgType')
- event_key = decrypt_data.get('EventKey')
- # print(event_key)
- # # 如果是用户进入对话,则发送欢迎消息
- if msg_type == 'event' and event == 'enter_agent':
- # welcome_message = "您好,请点击下方菜单栏选择您需要的产品助手?"
- # qiwei_post(username, welcome_message, agentid)
- return Response(content="")
- # 根据用户发送的消息内容切换bot_id
- if msg_type == 'event' and event == 'click' and event_key == '#sendmsg#_0_0#7599824797208680':
- bot_id = "7456977536891846697" # 当用户发送渝快振兴贷时使用的bot_id
- # change_message = "您好,已切换为渝快振兴贷产品助手,请输入问题。"
- # qiwei_post(username, change_message, agentid)
- user_bot_id_mapping[username] = bot_id # 更新用户的bot_id状态
- return Response(content="")
- elif msg_type == 'event' and event == 'click' and event_key == '#sendmsg#_0_1#7599824797208679':
- bot_id = "7445101065005154313" # 当用户发送房快贷时使用的bot_id
- # change_message = "您好,已切换为房快贷产品助手,请输入问题。"
- # qiwei_post(username, change_message, agentid)
- user_bot_id_mapping[username] = bot_id # 更新用户的bot_id状态
- return Response(content="")
- else:
- # 如果用户之前已经选择了bot_id,则使用之前的bot_id
- bot_id = user_bot_id_mapping.get(username, "7456977536891846697") # 默认bot_id
- # 处理其他类型的消息
- logger.info(f"start: {user_query}")
- # background_tasks.add_task(post_consumer_api, user_query, decrypt_data, request_id, bot_id)
- post_consumer_api(user_query, decrypt_data, request_id, bot_id)
- return Response(content="")
- # user_query = decrypt_data.get('Content', '')
- # logger.info(f"start: {user_query}")
- # background_tasks.add_task(post_consumer_api, user_query, decrypt_data, request_id)
- # data = {
- # "user_query":user_query,
- # "decrypt_data":decrypt_data
- # }
- # requests.post(
- # f"https://101.126.81.2:18066/consumer",
- # data=data)
- # return Response(content="")
- if __name__ == "__main__":
- # coze_response = call_llm(prompt="房快贷是什么",bot_id=bot_id,coze_access_token = coze_access_token)
- # print(coze_response)
- try:
- port = sys.argv[1]
- int(port)
- except:
- port = 18090
- request_id_context.set("app start")
- logger.info(f'{port=}')
- print(f'{port=}')
- uvicorn.run("coze_bot_api_test:app", port=int(port), host='0.0.0.0', reload=False, ssl_keyfile="./key.pem",
- ssl_certfile="./cert.pem")
|