Nevar pievienot vairāk kā 25 tēmas Tēmai ir jāsākas ar burtu vai ciparu, tā var saturēt domu zīmes ('-') un var būt līdz 35 simboliem gara.

248 rindas
10KB

  1. # encoding:utf-8
  2. """
  3. wechat channel
  4. """
  5. import io
  6. import json
  7. import os
  8. import threading
  9. import time
  10. import requests
  11. from bridge.context import *
  12. from bridge.reply import *
  13. from channel.chat_channel import ChatChannel
  14. from channel.wechat.wechat_message import *
  15. from common.expired_dict import ExpiredDict
  16. from common.log import logger
  17. from common.singleton import singleton
  18. from common.time_check import time_checker
  19. from config import conf, get_appdata_dir
  20. from lib import itchat
  21. from lib.itchat.content import *
  22. @itchat.msg_register([TEXT, VOICE, PICTURE, NOTE, ATTACHMENT, SHARING])
  23. def handler_single_msg(msg):
  24. try:
  25. cmsg = WechatMessage(msg, False)
  26. except NotImplementedError as e:
  27. logger.debug("[WX]single message {} skipped: {}".format(msg["MsgId"], e))
  28. return None
  29. WechatChannel().handle_single(cmsg)
  30. return None
  31. @itchat.msg_register([TEXT, VOICE, PICTURE, NOTE, ATTACHMENT, SHARING], isGroupChat=True)
  32. def handler_group_msg(msg):
  33. try:
  34. cmsg = WechatMessage(msg, True)
  35. except NotImplementedError as e:
  36. logger.debug("[WX]group message {} skipped: {}".format(msg["MsgId"], e))
  37. return None
  38. WechatChannel().handle_group(cmsg)
  39. return None
  40. def _check(func):
  41. def wrapper(self, cmsg: ChatMessage):
  42. msgId = cmsg.msg_id
  43. if msgId in self.receivedMsgs:
  44. logger.info("Wechat message {} already received, ignore".format(msgId))
  45. return
  46. self.receivedMsgs[msgId] = True
  47. create_time = cmsg.create_time # 消息时间戳
  48. if conf().get("hot_reload") == True and int(create_time) < int(time.time()) - 60: # 跳过1分钟前的历史消息
  49. logger.debug("[WX]history message {} skipped".format(msgId))
  50. return
  51. if cmsg.my_msg and not cmsg.is_group:
  52. logger.debug("[WX]my message {} skipped".format(msgId))
  53. return
  54. return func(self, cmsg)
  55. return wrapper
  56. # 可用的二维码生成接口
  57. # https://api.qrserver.com/v1/create-qr-code/?size=400×400&data=https://www.abc.com
  58. # https://api.isoyu.com/qr/?m=1&e=L&p=20&url=https://www.abc.com
  59. def qrCallback(uuid, status, qrcode):
  60. # logger.debug("qrCallback: {} {}".format(uuid,status))
  61. if status == "0":
  62. try:
  63. from PIL import Image
  64. img = Image.open(io.BytesIO(qrcode))
  65. _thread = threading.Thread(target=img.show, args=("QRCode",))
  66. _thread.setDaemon(True)
  67. _thread.start()
  68. except Exception as e:
  69. pass
  70. import qrcode
  71. url = f"https://login.weixin.qq.com/l/{uuid}"
  72. qr_api1 = "https://api.isoyu.com/qr/?m=1&e=L&p=20&url={}".format(url)
  73. qr_api2 = "https://api.qrserver.com/v1/create-qr-code/?size=400×400&data={}".format(url)
  74. qr_api3 = "https://api.pwmqr.com/qrcode/create/?url={}".format(url)
  75. qr_api4 = "https://my.tv.sohu.com/user/a/wvideo/getQRCode.do?text={}".format(url)
  76. print("You can also scan QRCode in any website below:")
  77. print(qr_api3)
  78. print(qr_api4)
  79. print(qr_api2)
  80. print(qr_api1)
  81. qr = qrcode.QRCode(border=1)
  82. qr.add_data(url)
  83. qr.make(fit=True)
  84. qr.print_ascii(invert=True)
  85. @singleton
  86. class WechatChannel(ChatChannel):
  87. NOT_SUPPORT_REPLYTYPE = []
  88. def __init__(self):
  89. super().__init__()
  90. self.receivedMsgs = ExpiredDict(60 * 60)
  91. self.auto_login_times = 0
  92. def startup(self):
  93. itchat.instance.receivingRetryCount = 600 # 修改断线超时时间
  94. # login by scan QRCode
  95. hotReload = conf().get("hot_reload", False)
  96. status_path = os.path.join(get_appdata_dir(), "itchat.pkl")
  97. itchat.auto_login(
  98. enableCmdQR=2,
  99. hotReload=hotReload,
  100. statusStorageDir=status_path,
  101. qrCallback=qrCallback,
  102. exitCallback=self.exitCallback,
  103. loginCallback=self.loginCallback
  104. )
  105. self.user_id = itchat.instance.storageClass.userName
  106. self.name = itchat.instance.storageClass.nickName
  107. logger.info("Wechat login success, user_id: {}, nickname: {}".format(self.user_id, self.name))
  108. # start message listener
  109. itchat.run()
  110. def exitCallback(self):
  111. self.auto_login_times += 1
  112. if self.auto_login_times < 100:
  113. self.startup()
  114. def loginCallback(self):
  115. pass
  116. # handle_* 系列函数处理收到的消息后构造Context,然后传入produce函数中处理Context和发送回复
  117. # Context包含了消息的所有信息,包括以下属性
  118. # type 消息类型, 包括TEXT、VOICE、IMAGE_CREATE
  119. # content 消息内容,如果是TEXT类型,content就是文本内容,如果是VOICE类型,content就是语音文件名,如果是IMAGE_CREATE类型,content就是图片生成命令
  120. # kwargs 附加参数字典,包含以下的key:
  121. # session_id: 会话id
  122. # isgroup: 是否是群聊
  123. # receiver: 需要回复的对象
  124. # msg: ChatMessage消息对象
  125. # origin_ctype: 原始消息类型,语音转文字后,私聊时如果匹配前缀失败,会根据初始消息是否是语音来放宽触发规则
  126. # desire_rtype: 希望回复类型,默认是文本回复,设置为ReplyType.VOICE是语音回复
  127. @time_checker
  128. @_check
  129. def handle_single(self, cmsg: ChatMessage):
  130. # filter system message
  131. if cmsg.other_user_id in ["weixin"]:
  132. return
  133. if cmsg.ctype == ContextType.VOICE:
  134. if conf().get("speech_recognition") != True:
  135. return
  136. logger.debug("[WX]receive voice msg: {}".format(cmsg.content))
  137. elif cmsg.ctype == ContextType.IMAGE:
  138. logger.debug("[WX]receive image msg: {}".format(cmsg.content))
  139. elif cmsg.ctype == ContextType.PATPAT:
  140. logger.debug("[WX]receive patpat msg: {}".format(cmsg.content))
  141. elif cmsg.ctype == ContextType.TEXT:
  142. logger.debug("[WX]receive text msg: {}, cmsg={}".format(json.dumps(cmsg._rawmsg, ensure_ascii=False), cmsg))
  143. else:
  144. logger.debug("[WX]receive msg: {}, cmsg={}".format(cmsg.content, cmsg))
  145. context = self._compose_context(cmsg.ctype, cmsg.content, isgroup=False, msg=cmsg)
  146. if context:
  147. self.produce(context)
  148. @time_checker
  149. @_check
  150. def handle_group(self, cmsg: ChatMessage):
  151. if cmsg.ctype == ContextType.VOICE:
  152. if conf().get("group_speech_recognition") != True:
  153. return
  154. logger.debug("[WX]receive voice for group msg: {}".format(cmsg.content))
  155. elif cmsg.ctype == ContextType.IMAGE:
  156. logger.debug("[WX]receive image for group msg: {}".format(cmsg.content))
  157. elif cmsg.ctype in [ContextType.JOIN_GROUP, ContextType.PATPAT, ContextType.ACCEPT_FRIEND, ContextType.EXIT_GROUP]:
  158. logger.debug("[WX]receive note msg: {}".format(cmsg.content))
  159. elif cmsg.ctype == ContextType.TEXT:
  160. # logger.debug("[WX]receive group msg: {}, cmsg={}".format(json.dumps(cmsg._rawmsg, ensure_ascii=False), cmsg))
  161. pass
  162. elif cmsg.ctype == ContextType.FILE:
  163. logger.debug(f"[WX]receive attachment msg, file_name={cmsg.content}")
  164. else:
  165. logger.debug("[WX]receive group msg: {}".format(cmsg.content))
  166. context = self._compose_context(cmsg.ctype, cmsg.content, isgroup=True, msg=cmsg)
  167. if context:
  168. self.produce(context)
  169. # 统一的发送函数,每个Channel自行实现,根据reply的type字段发送不同类型的消息
  170. def send(self, reply: Reply, context: Context):
  171. receiver = context["receiver"]
  172. if reply.type == ReplyType.TEXT:
  173. itchat.send(reply.content, toUserName=receiver)
  174. logger.info("[WX] sendMsg={}, receiver={}".format(reply, receiver))
  175. elif reply.type == ReplyType.ERROR or reply.type == ReplyType.INFO:
  176. itchat.send(reply.content, toUserName=receiver)
  177. logger.info("[WX] sendMsg={}, receiver={}".format(reply, receiver))
  178. elif reply.type == ReplyType.VOICE:
  179. itchat.send_file(reply.content, toUserName=receiver)
  180. logger.info("[WX] sendFile={}, receiver={}".format(reply.content, receiver))
  181. elif reply.type == ReplyType.IMAGE_URL: # 从网络下载图片
  182. img_url = reply.content
  183. logger.debug(f"[WX] start download image, img_url={img_url}")
  184. pic_res = requests.get(img_url, stream=True)
  185. image_storage = io.BytesIO()
  186. size = 0
  187. for block in pic_res.iter_content(1024):
  188. size += len(block)
  189. image_storage.write(block)
  190. logger.info(f"[WX] download image success, size={size}, img_url={img_url}")
  191. image_storage.seek(0)
  192. itchat.send_image(image_storage, toUserName=receiver)
  193. logger.info("[WX] sendImage url={}, receiver={}".format(img_url, receiver))
  194. elif reply.type == ReplyType.IMAGE: # 从文件读取图片
  195. image_storage = reply.content
  196. image_storage.seek(0)
  197. itchat.send_image(image_storage, toUserName=receiver)
  198. logger.info("[WX] sendImage, receiver={}".format(receiver))
  199. elif reply.type == ReplyType.FILE: # 新增文件回复类型
  200. file_storage = reply.content
  201. itchat.send_file(file_storage, toUserName=receiver)
  202. logger.info("[WX] sendFile, receiver={}".format(receiver))
  203. elif reply.type == ReplyType.VIDEO: # 新增视频回复类型
  204. video_storage = reply.content
  205. itchat.send_video(video_storage, toUserName=receiver)
  206. logger.info("[WX] sendFile, receiver={}".format(receiver))
  207. elif reply.type == ReplyType.VIDEO_URL: # 新增视频URL回复类型
  208. video_url = reply.content
  209. logger.debug(f"[WX] start download video, video_url={video_url}")
  210. video_res = requests.get(video_url, stream=True)
  211. video_storage = io.BytesIO()
  212. size = 0
  213. for block in video_res.iter_content(1024):
  214. size += len(block)
  215. video_storage.write(block)
  216. logger.info(f"[WX] download video success, size={size}, video_url={video_url}")
  217. video_storage.seek(0)
  218. itchat.send_video(video_storage, toUserName=receiver)
  219. logger.info("[WX] sendVideo url={}, receiver={}".format(video_url, receiver))