You can not select more than 25 topics Topics must start with a letter or number, can include dashes ('-') and can be up to 35 characters long.

271 lines
12KB

  1. # encoding:utf-8
  2. """
  3. wechat channel
  4. """
  5. import os
  6. import itchat
  7. import json
  8. from itchat.content import *
  9. from bridge.reply import *
  10. from bridge.context import *
  11. from channel.channel import Channel
  12. from concurrent.futures import ThreadPoolExecutor
  13. from common.log import logger
  14. from common.tmp_dir import TmpDir
  15. from config import conf
  16. from common.time_check import time_checker
  17. from plugins import *
  18. import requests
  19. import io
  20. import time
  21. thread_pool = ThreadPoolExecutor(max_workers=8)
  22. def thread_pool_callback(worker):
  23. worker_exception = worker.exception()
  24. if worker_exception:
  25. logger.exception("Worker return exception: {}".format(worker_exception))
  26. @itchat.msg_register(TEXT)
  27. def handler_single_msg(msg):
  28. WechatChannel().handle_text(msg)
  29. return None
  30. @itchat.msg_register(TEXT, isGroupChat=True)
  31. def handler_group_msg(msg):
  32. WechatChannel().handle_group(msg)
  33. return None
  34. @itchat.msg_register(VOICE)
  35. def handler_single_voice(msg):
  36. WechatChannel().handle_voice(msg)
  37. return None
  38. class WechatChannel(Channel):
  39. def __init__(self):
  40. pass
  41. def startup(self):
  42. # login by scan QRCode
  43. hotReload = conf().get('hot_reload', False)
  44. try:
  45. itchat.auto_login(enableCmdQR=2, hotReload=hotReload)
  46. except Exception as e:
  47. if hotReload:
  48. logger.error("Hot reload failed, try to login without hot reload")
  49. itchat.logout()
  50. os.remove("itchat.pkl")
  51. itchat.auto_login(enableCmdQR=2, hotReload=hotReload)
  52. else:
  53. raise e
  54. # start message listener
  55. itchat.run()
  56. # handle_* 系列函数处理收到的消息后构造Context,然后传入handle函数中处理Context和发送回复
  57. # Context包含了消息的所有信息,包括以下属性
  58. # type 消息类型, 包括TEXT、VOICE、IMAGE_CREATE
  59. # content 消息内容,如果是TEXT类型,content就是文本内容,如果是VOICE类型,content就是语音文件名,如果是IMAGE_CREATE类型,content就是图片生成命令
  60. # kwargs 附加参数字典,包含以下的key:
  61. # session_id: 会话id
  62. # isgroup: 是否是群聊
  63. # receiver: 需要回复的对象
  64. # msg: itchat的原始消息对象
  65. def handle_voice(self, msg):
  66. if conf().get('speech_recognition') != True:
  67. return
  68. logger.debug("[WX]receive voice msg: " + msg['FileName'])
  69. from_user_id = msg['FromUserName']
  70. other_user_id = msg['User']['UserName']
  71. if from_user_id == other_user_id:
  72. context = Context(ContextType.VOICE,msg['FileName'])
  73. context.kwargs = {'isgroup': False, 'msg': msg, 'receiver': other_user_id, 'session_id': other_user_id}
  74. thread_pool.submit(self.handle, context).add_done_callback(thread_pool_callback)
  75. @time_checker
  76. def handle_text(self, msg):
  77. logger.debug("[WX]receive text msg: " + json.dumps(msg, ensure_ascii=False))
  78. content = msg['Text']
  79. from_user_id = msg['FromUserName']
  80. to_user_id = msg['ToUserName'] # 接收人id
  81. other_user_id = msg['User']['UserName'] # 对手方id
  82. create_time = msg['CreateTime'] # 消息时间
  83. match_prefix = check_prefix(content, conf().get('single_chat_prefix'))
  84. if conf().get('hot_reload') == True and int(create_time) < int(time.time()) - 60: #跳过1分钟前的历史消息
  85. logger.debug("[WX]history message skipped")
  86. return
  87. if "」\n- - - - - - - - - - - - - - -" in content:
  88. logger.debug("[WX]reference query skipped")
  89. return
  90. if match_prefix:
  91. content = content.replace(match_prefix, '', 1).strip()
  92. else:
  93. return
  94. context = Context()
  95. context.kwargs = {'isgroup': False, 'msg': msg, 'receiver': other_user_id, 'session_id': other_user_id}
  96. img_match_prefix = check_prefix(content, conf().get('image_create_prefix'))
  97. if img_match_prefix:
  98. content = content.replace(img_match_prefix, '', 1).strip()
  99. context.type = ContextType.IMAGE_CREATE
  100. else:
  101. context.type = ContextType.TEXT
  102. context.content = content
  103. thread_pool.submit(self.handle, context).add_done_callback(thread_pool_callback)
  104. @time_checker
  105. def handle_group(self, msg):
  106. logger.debug("[WX]receive group msg: " + json.dumps(msg, ensure_ascii=False))
  107. group_name = msg['User'].get('NickName', None)
  108. group_id = msg['User'].get('UserName', None)
  109. create_time = msg['CreateTime'] # 消息时间
  110. if conf().get('hot_reload') == True and int(create_time) < int(time.time()) - 60: #跳过1分钟前的历史消息
  111. logger.debug("[WX]history group message skipped")
  112. return
  113. if not group_name:
  114. return ""
  115. origin_content = msg['Content']
  116. content = msg['Content']
  117. content_list = content.split(' ', 1)
  118. context_special_list = content.split('\u2005', 1)
  119. if len(context_special_list) == 2:
  120. content = context_special_list[1]
  121. elif len(content_list) == 2:
  122. content = content_list[1]
  123. if "」\n- - - - - - - - - - - - - - -" in content:
  124. logger.debug("[WX]reference query skipped")
  125. return ""
  126. config = conf()
  127. match_prefix = (msg['IsAt'] and not config.get("group_at_off", False)) or check_prefix(origin_content, config.get('group_chat_prefix')) \
  128. or check_contain(origin_content, config.get('group_chat_keyword'))
  129. if ('ALL_GROUP' in config.get('group_name_white_list') or group_name in config.get('group_name_white_list') or check_contain(group_name, config.get('group_name_keyword_white_list'))) and match_prefix:
  130. context = Context()
  131. context.kwargs = { 'isgroup': True, 'msg': msg, 'receiver': group_id}
  132. img_match_prefix = check_prefix(content, conf().get('image_create_prefix'))
  133. if img_match_prefix:
  134. content = content.replace(img_match_prefix, '', 1).strip()
  135. context.type = ContextType.IMAGE_CREATE
  136. else:
  137. context.type = ContextType.TEXT
  138. context.content = content
  139. group_chat_in_one_session = conf().get('group_chat_in_one_session', [])
  140. if ('ALL_GROUP' in group_chat_in_one_session or
  141. group_name in group_chat_in_one_session or
  142. check_contain(group_name, group_chat_in_one_session)):
  143. context['session_id'] = group_id
  144. else:
  145. context['session_id'] = msg['ActualUserName']
  146. thread_pool.submit(self.handle, context).add_done_callback(thread_pool_callback)
  147. # 统一的发送函数,每个Channel自行实现,根据reply的type字段发送不同类型的消息
  148. def send(self, reply : Reply, receiver):
  149. if reply.type == ReplyType.TEXT:
  150. itchat.send(reply.content, toUserName=receiver)
  151. logger.info('[WX] sendMsg={}, receiver={}'.format(reply, receiver))
  152. elif reply.type == ReplyType.ERROR or reply.type == ReplyType.INFO:
  153. itchat.send(reply.content, toUserName=receiver)
  154. logger.info('[WX] sendMsg={}, receiver={}'.format(reply, receiver))
  155. elif reply.type == ReplyType.VOICE:
  156. itchat.send_file(reply.content, toUserName=receiver)
  157. logger.info('[WX] sendFile={}, receiver={}'.format(reply.content, receiver))
  158. elif reply.type == ReplyType.IMAGE_URL: # 从网络下载图片
  159. img_url = reply.content
  160. pic_res = requests.get(img_url, stream=True)
  161. image_storage = io.BytesIO()
  162. for block in pic_res.iter_content(1024):
  163. image_storage.write(block)
  164. image_storage.seek(0)
  165. itchat.send_image(image_storage, toUserName=receiver)
  166. logger.info('[WX] sendImage url={}, receiver={}'.format(img_url,receiver))
  167. elif reply.type == ReplyType.IMAGE: # 从文件读取图片
  168. image_storage = reply.content
  169. image_storage.seek(0)
  170. itchat.send_image(image_storage, toUserName=receiver)
  171. logger.info('[WX] sendImage, receiver={}'.format(receiver))
  172. # 处理消息 TODO: 如果wechaty解耦,此处逻辑可以放置到父类
  173. def handle(self, context):
  174. reply = Reply()
  175. logger.debug('[WX] ready to handle context: {}'.format(context))
  176. # reply的构建步骤
  177. e_context = PluginManager().emit_event(EventContext(Event.ON_HANDLE_CONTEXT, {'channel' : self, 'context': context, 'reply': reply}))
  178. reply = e_context['reply']
  179. if not e_context.is_pass():
  180. logger.debug('[WX] ready to handle context: type={}, content={}'.format(context.type, context.content))
  181. if context.type == ContextType.TEXT or context.type == ContextType.IMAGE_CREATE:
  182. reply = super().build_reply_content(context.content, context)
  183. elif context.type == ContextType.VOICE:
  184. msg = context['msg']
  185. file_name = TmpDir().path() + context.content
  186. msg.download(file_name)
  187. reply = super().build_voice_to_text(file_name)
  188. if reply.type != ReplyType.ERROR and reply.type != ReplyType.INFO:
  189. context.content = reply.content # 语音转文字后,将文字内容作为新的context
  190. context.type = ContextType.TEXT
  191. reply = super().build_reply_content(context.content, context)
  192. if reply.type == ReplyType.TEXT:
  193. if conf().get('voice_reply_voice'):
  194. reply = super().build_text_to_voice(reply.content)
  195. else:
  196. logger.error('[WX] unknown context type: {}'.format(context.type))
  197. return
  198. logger.debug('[WX] ready to decorate reply: {}'.format(reply))
  199. # reply的包装步骤
  200. if reply and reply.type:
  201. e_context = PluginManager().emit_event(EventContext(Event.ON_DECORATE_REPLY, {'channel' : self, 'context': context, 'reply': reply}))
  202. reply=e_context['reply']
  203. if not e_context.is_pass() and reply and reply.type:
  204. if reply.type == ReplyType.TEXT:
  205. reply_text = reply.content
  206. if context['isgroup']:
  207. reply_text = '@' + context['msg']['ActualNickName'] + ' ' + reply_text.strip()
  208. reply_text = conf().get("group_chat_reply_prefix", "")+reply_text
  209. else:
  210. reply_text = conf().get("single_chat_reply_prefix", "")+reply_text
  211. reply.content = reply_text
  212. elif reply.type == ReplyType.ERROR or reply.type == ReplyType.INFO:
  213. reply.content = str(reply.type)+":\n" + reply.content
  214. elif reply.type == ReplyType.IMAGE_URL or reply.type == ReplyType.VOICE or reply.type == ReplyType.IMAGE:
  215. pass
  216. else:
  217. logger.error('[WX] unknown reply type: {}'.format(reply.type))
  218. return
  219. # reply的发送步骤
  220. if reply and reply.type:
  221. e_context = PluginManager().emit_event(EventContext(Event.ON_SEND_REPLY, {'channel' : self, 'context': context, 'reply': reply}))
  222. reply=e_context['reply']
  223. if not e_context.is_pass() and reply and reply.type:
  224. logger.debug('[WX] ready to send reply: {} to {}'.format(reply, context['receiver']))
  225. self.send(reply, context['receiver'])
  226. def check_prefix(content, prefix_list):
  227. for prefix in prefix_list:
  228. if content.startswith(prefix):
  229. return prefix
  230. return None
  231. def check_contain(content, keyword_list):
  232. if not keyword_list:
  233. return None
  234. for ky in keyword_list:
  235. if content.find(ky) != -1:
  236. return True
  237. return None