request_utils.py 13 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293
  1. #!/usr/bin/env python
  2. # -*- coding: utf-8 -*-
  3. """
  4. @Time : 2024/10/17 14:36
  5. @File : request_utils.py.py
  6. @Desc :
  7. """
  8. # import sys
  9. # sys.path.append("..")
  10. import re
  11. import os
  12. import shutil
  13. import json
  14. import time
  15. from datetime import datetime
  16. from config import get_logger
  17. import requests
  18. import base64
  19. from database import *
  20. from util import timetic, norm_community
  21. import uuid
  22. SERVE_HOST = os.environ.get("SERVE_HOST", "192.168.100.159")
  23. VOICE_DIR = os.environ.get("VOICE_DIR","/root/aibot/dm/voice")
  24. logger = get_logger()
  25. def nlg_service(uid, bid, node_name, choose_speech):
  26. return ''
  27. def get_voice(content, is_local, silence_duration):
  28. # appid = "1226203350"
  29. # access_token = "mMPNJ4WbSVL6NHQKvn4qllYfwv1G4X5w"
  30. # 企业
  31. appid = "8661018433"
  32. access_token ="KkTVKPD9kY-i27Hr9gXtFQ4zqY7nrhJl"
  33. cluster = "volcano_tts"
  34. voice_type = "BV700_V2_streaming"
  35. host = "openspeech.bytedance.com"
  36. api_url = f"https://{host}/api/v1/tts"
  37. header = {"Authorization": f"Bearer;{access_token}"}
  38. #DEFAULT_FILE_UPLOAD_URL = 'http://10.0.0.28:8080/qiniuyun/upLoadImage'
  39. DEFAULT_FILE_UPLOAD_URL = 'http://192.168.9.54:8080/qiniuyun/upLoadImage'
  40. rid = str(uuid.uuid4())
  41. request_json = {
  42. "app": {
  43. "appid": appid,
  44. "token": "access_token",
  45. "cluster": cluster
  46. },
  47. "user": {
  48. "uid": "388808087185088"
  49. },
  50. "audio": {
  51. "voice_type": voice_type,
  52. #"encoding": "mp3",
  53. "encoding": "wav",
  54. "rate": "16000",
  55. "speed_ratio": 0.9,
  56. "volume_ratio": 1.0,
  57. "pitch_ratio": 1.0,
  58. "emotion": "customer_service",
  59. "language": "zh"
  60. },
  61. "request": {
  62. "reqid": rid,
  63. "text": content,
  64. "text_type": "plain",
  65. "operation": "query",
  66. "with_frontend": 1,
  67. "frontend_type": "unitTson",
  68. "silence_duration":silence_duration
  69. }
  70. }
  71. try:
  72. resp = requests.post(api_url, json.dumps(request_json), headers=header)
  73. rfile = f"{rid}.wav"
  74. path, file = f"{VOICE_DIR}/{rfile}", f"../voice/{rfile}"
  75. if "data" in resp.json():
  76. data = resp.json()["data"]
  77. file_to_save = open(file, "wb")
  78. file_to_save.write(base64.b64decode(data))
  79. if is_local:
  80. if os.path.exists(file):
  81. logger.info(f"voice local file ::session_id={rid}, res={file}")
  82. return path
  83. else:
  84. files = {'file': open(file, 'rb')}
  85. response = requests.post(DEFAULT_FILE_UPLOAD_URL, files=files)
  86. if response.ok:
  87. result = json.loads(response.text)
  88. url = result.get('data')
  89. if os.path.exists(file):
  90. os.system(f"rm -fr {file}")
  91. logger.info(f"voice upload_plot::session_id={rid}, res={url}")
  92. return url
  93. except Exception as e:
  94. logger.info(f"voice generate 错误{e}")
  95. @timetic
  96. def voice_service(content, local=False, silence_duration="125"):
  97. encode_b = content.encode("utf-8")
  98. key = base64.b64encode(encode_b)
  99. name = "voice_url"
  100. retry,num = 3,1
  101. while num <= retry:
  102. try:
  103. url = r.hget(name, key)
  104. #url=''
  105. if url and os.path.exists(url):
  106. logger.info(f"获取voice url成功:{content}")
  107. return url
  108. else:
  109. url = get_voice(content, local, silence_duration)
  110. r.hset(name, key, url)
  111. r.expire(name, 3600 * 24*7)
  112. return url
  113. except Exception as e:
  114. time.sleep(2)
  115. logger.info(f"get voice url nums {num},缓存错误{e}")
  116. num +=1
  117. @timetic
  118. def intent_service(node_name, asr, bid, code, uid, sessionid):
  119. param = json.dumps(dict(nodeId=code,
  120. userId=uid,
  121. sessionId=sessionid,
  122. taskId=bid,
  123. query=asr,
  124. nodeName = node_name
  125. ), ensure_ascii=False)
  126. try:
  127. #ip= "10.0.0.24"
  128. res = requests.post(f"http://{SERVE_HOST}:50072/intention",
  129. param.encode("UTF-8"),
  130. headers={'Content-Type': 'application/json;charset=utf-8'},
  131. timeout=8)
  132. content = json.loads(res.text)
  133. logger.info(f"intent service:{content}")
  134. return [content]
  135. except Exception as e:
  136. logger.error(f"intent服务异常:query:{asr},uid:{uid},session:{sessionid}:{e}")
  137. return []
  138. @timetic
  139. def business_service(session_id, uid, code, tools, asr):
  140. def getContent(contents, tools):
  141. if tools in ["water_info", "water_loc_info"]:
  142. mess = '您查询的小区'
  143. neighbourhoodName = [item.get('neighbourhoodName') for item in contents]
  144. reason = ["因"+item.get('reason') for item in contents]
  145. timeBegin = ["于"+item.get('timeBegin') + "停水" for item in contents]
  146. timeEnd = [item.get('timeEnd') for item in contents]
  147. conclusions = [f"预计{time}恢复供水" if time is not None else "暂未确定恢复时间" for time in timeEnd]
  148. nums = len(neighbourhoodName)
  149. mess +=";".join([",".join(i) for i in zip(neighbourhoodName, reason, timeBegin, conclusions)])
  150. mess +=",是否已解决您的问题?"
  151. elif tools in ["fee_info", "fee_user_info"]:
  152. mess = "您账户截止"
  153. statisticsTime = [content.get("statisticsTime", '') for content in contents]
  154. waterFees = [round(float(content.get("waterFees", 0)), 2) for content in contents]
  155. meterAmount = [round(float(content.get("meterAmount", 0)), 2) for content in contents]
  156. mess = mess + statisticsTime[0] + "您的抄表表数为"+str(meterAmount[0]) +"欠费金额为" + str(waterFees[0])+ "元。如需详细查询缴费和水量情况可以登陆佳木斯供水公众号,如需人工查询请拨打824/--/777/--/6,还有什么可以帮你?."
  157. elif tools in ["user_info", "user_phone_info"]:
  158. neighbour, cardNo = [content.get("neighbourhoodName") for content in contents], [content.get("userNo") for content in contents]
  159. nums = len(neighbour)
  160. mess = f"根据您的手机号查询到{nums}个小区," + ";".join(map(lambda x: ",".join(x), zip(neighbour, ["户号是"]* nums, cardNo)))+ "。解决轻按1, 未解决请安2."
  161. elif tools in ["meter_owner_phone", "meter_owner_neighbour"]:
  162. loc_phone = [[content['neighbourhoodName'], content['meterReaderPhone']] for content in contents if len(content['meterReaderPhone']) >0]
  163. if len(loc_phone)==0:
  164. return ''
  165. loc_phone = [i for i in loc_phone]
  166. mess = f"您查询的小区{loc_phone[0][0]},抄表员电话是{loc_phone[0][1]};抄表员电话是{loc_phone[0][1]}, 重听请说再说一次,是否已解决您的问题?"
  167. else:
  168. mess = ''
  169. return mess
  170. def buildtools(code, uid, session_id, asr, tools):
  171. param = json.dumps(dict(nodeId=code,
  172. userId=uid,
  173. sessionId=session_id,
  174. asrText=asr,
  175. method=tools
  176. ), ensure_ascii=False)
  177. try:
  178. # 192.168.40.21
  179. res = requests.post(f"http://{SERVE_HOST}:8001/bigModel/queryBusinessInfo",
  180. param.encode("UTF-8"),
  181. headers={'Content-Type': 'application/json;charset=utf-8'},
  182. timeout=30)
  183. resp = json.loads(res.text)
  184. logger.info(f"bussiness:{resp}, tools:{tools}, session:{session_id},asr:{asr}")
  185. if resp['code'] == "0":
  186. content = resp['data'].get("contents")
  187. title = "NO" if content is None or len(content) == 0 else "YES"
  188. businessContent = getContent(content, tools) if title == "YES" else ''
  189. if len(businessContent)==0:
  190. title = "NO"
  191. opt = [
  192. {"title": title, "isFaq": False, "faqContent": '', "asr": asr, "businessContent": businessContent}]
  193. logger.info(f"session:{session_id},code:{code},uid:{uid}, tools:{tools},asr:{asr}, opt:{opt}")
  194. return opt
  195. else:
  196. return [{"title": "NO", "isFaq": False, "faqContent": '', "asr": asr, "businessContent": ''}]
  197. except Exception as e:
  198. logger.info(f"bussion service服务异常:session:{session_id}, tools:{tools},uid:{uid}:{e}")
  199. return [{"title": "NO", "isFaq": False, "faqContent": '', "asr": asr, "businessContent": ''}]
  200. pattern = r'DTMF(.*?)DTMF'
  201. matches = re.findall(pattern, asr, re.DOTALL)
  202. if matches:
  203. asr = re.sub("[()]", "", matches[-1])
  204. else:
  205. asr = asr.split("###")[-1]
  206. asr = asr.strip(r""""$%&'()*+,,-./:;<=>?@[\]^_`{|}~。??!""")
  207. if tools in ["water_loc_info", "fee_user_info", "user_phone_info", "meter_owner_neighbour"] and len(asr)==0:
  208. return [{"title": "NO", "isFaq": False, "faqContent": '', "asr": asr, "businessContent": ''}]
  209. # parse water_loc_info
  210. if tools in ["water_loc_info", "meter_owner_neighbour", "water_info", "meter_owner_phone"]:
  211. asr2 = norm_community(asr)
  212. logger.info(f"tools:{tools}, session:{session_id}, asr:{asr}, norm_asr:{asr2}")
  213. asr = asr2
  214. if tools in ["water_info", "meter_owner_phone"]:
  215. if tools == "water_info":
  216. newtools = "water_all"
  217. param = json.dumps(dict(nodeId=code,
  218. userId=uid,
  219. sessionId=session_id,
  220. asrText=asr,
  221. method=newtools
  222. ), ensure_ascii=False)
  223. try:
  224. res = requests.post(f"http://{SERVE_HOST}:8001/bigModel/queryBusinessInfo",
  225. param.encode("UTF-8"),
  226. headers={'Content-Type': 'application/json;charset=utf-8'},
  227. timeout=30)
  228. resp = json.loads(res.text)
  229. logger.info(f"bussiness:{resp}, tools:{newtools}, session:{session_id}, asr:{asr}")
  230. if resp['code'] == "0":
  231. content = resp['data'].get("contents")
  232. if content is None or len(content) == 0:
  233. opt = [
  234. {"title": "others", "isFaq": False, "faqContent": '', "asr": asr,
  235. "businessContent": "当前没有停水公告信息"}]
  236. logger.info(f"session:{session_id},code:{code},uid:{uid}, tools:{tools},asr:{asr}, opt:{opt}")
  237. return opt
  238. except Exception as e:
  239. logger.info(f"business service服务异常:session:{session_id}, tools:{newtools},uid:{uid}:{e}")
  240. newtools = "water_loc_info" if tools == "water_info" else "meter_owner_neighbour"
  241. res = buildtools(code, uid, session_id, asr, newtools)
  242. if res[0]['title']== "YES":
  243. return res
  244. return buildtools(code,uid, session_id, asr, tools)
  245. @timetic
  246. def aibot_service(ip ="192.168.100.159",port="40072", nodeId="start", userId='no', sessionId='1', taskId='10001', asrText='是', ext='', recordId=''):
  247. param = json.dumps(dict(nodeId=nodeId,
  248. userId=userId,
  249. sessionId=sessionId,
  250. taskId=taskId,
  251. asrText=asrText,
  252. ext=ext,
  253. recordId=recordId
  254. ), ensure_ascii=False)
  255. try:
  256. res = requests.post(f"http://{ip}:{port}/botservice",
  257. param.encode("UTF-8"),
  258. headers={'Content-Type': 'application/json;charset=utf-8'},
  259. timeout=30)
  260. resp = json.loads(res.text)
  261. if resp['code'] == 0:
  262. content = resp['data']
  263. logger.info(f"aibot: {resp}")
  264. return resp
  265. except Exception as e:
  266. logger.error(f"Ai bot服务异常:{nodeId}, {taskId},{ userId}:{e}")
  267. return
  268. if __name__ == "__main__":
  269. text="欢迎致电“佳木斯龙江环保供水服务热线”。我们最新推出智能语音服务,说话就能查询业务, 抢先体验请按1, 传统服务请按2"
  270. #print(voice_service(text))
  271. start = datetime.now()
  272. business_service('c1001000', '10001', "2.00", "water_info",
  273. "我们家没有水了,春天我回来就一直没有水,是不是你们那边把水给停了")
  274. cost = (datetime.now() - start).total_seconds()
  275. print(cost)
  276. #intent_service("1", "没听清", "2200", "1", "10", "1")
  277. #aibot_service()