美文网首页python我用 LinuxLinux学习之路
仅78行代码实现微信撤回消息查看 | Python itchat

仅78行代码实现微信撤回消息查看 | Python itchat

作者: AlicFeng | 来源:发表于2017-04-21 23:31 被阅读5372次

    前言
    今天一大早奔来图书馆,想想了微信很简洁也很强大的一个工具,最近微信的新闻还是比较多的, 比如:小程序时间轴等,这不是重点,重点是看到了一个基于python的微信开源库:itchat,玩了一天。Python曾经对我说:"时日不多,赶紧用Python"。

    下面就使用itchat做一个这样的程序:
    私聊撤回的信息可以收集起来并发送到个人微信的文件助手,包括:
    (1) who :谁发送的
    (2) when :什么时候发送的消息
    (3) what:什么信息
    (4) which:哪一类信息,包括:文本、图片、语音、视频、分享、位置、附件
    ...


    代码实现

    # -*-encoding:utf-8-*-
    import os
    import re
    import shutil
    import time
    import itchat
    from itchat.content import *
    
    # 说明:可以撤回的有文本文字、语音、视频、图片、位置、名片、分享、附件
    
    # {msg_id:(msg_from,msg_to,msg_time,msg_time_rec,msg_type,msg_content,msg_share_url)}
    msg_dict = {}
    
    # 文件存储临时目录
    rev_tmp_dir = "/home/alic/RevDir/"
    if not os.path.exists(rev_tmp_dir): os.mkdir(rev_tmp_dir)
    
    # 表情有一个问题 | 接受信息和接受note的msg_id不一致 巧合解决方案
    face_bug = None
    
    
    # 将接收到的消息存放在字典中,当接收到新消息时对字典中超时的消息进行清理 | 不接受不具有撤回功能的信息
    # [TEXT, PICTURE, MAP, CARD, SHARING, RECORDING, ATTACHMENT, VIDEO, FRIENDS, NOTE]
    @itchat.msg_register([TEXT, PICTURE, MAP, CARD, SHARING, RECORDING, ATTACHMENT, VIDEO])
    def handler_receive_msg(msg):
        global face_bug
        # 获取的是本地时间戳并格式化本地时间戳 e: 2017-04-21 21:30:08
        msg_time_rec = time.strftime("%Y-%m-%d %H:%M:%S", time.localtime())
        # 消息ID
        msg_id = msg['MsgId']
        # 消息时间
        msg_time = msg['CreateTime']
        # 消息发送人昵称 | 这里也可以使用RemarkName备注 但是自己或者没有备注的人为None
        msg_from = (itchat.search_friends(userName=msg['FromUserName']))["NickName"]
        # 消息内容
        msg_content = None
        # 分享的链接
        msg_share_url = None
        if msg['Type'] == 'Text' \
                or msg['Type'] == 'Friends':
            msg_content = msg['Text']
        elif msg['Type'] == 'Recording' \
                or msg['Type'] == 'Attachment' \
                or msg['Type'] == 'Video' \
                or msg['Type'] == 'Picture':
            msg_content = r"" + msg['FileName']
            # 保存文件
            msg['Text'](rev_tmp_dir + msg['FileName'])
        elif msg['Type'] == 'Card':
            msg_content = msg['RecommendInfo']['NickName'] + r" 的名片"
        elif msg['Type'] == 'Map':
            x, y, location = re.search(
                "<location x=\"(.*?)\" y=\"(.*?)\".*label=\"(.*?)\".*", msg['OriContent']).group(1, 2, 3)
            if location is None:
                msg_content = r"纬度->" + x.__str__() + " 经度->" + y.__str__()
            else:
                msg_content = r"" + location
        elif msg['Type'] == 'Sharing':
            msg_content = msg['Text']
            msg_share_url = msg['Url']
        face_bug = msg_content
        # 更新字典
        msg_dict.update(
            {
                msg_id: {
                    "msg_from": msg_from, "msg_time": msg_time, "msg_time_rec": msg_time_rec,
                    "msg_type": msg["Type"],
                    "msg_content": msg_content, "msg_share_url": msg_share_url
                }
            }
        )
    
    
    # 收到note通知类消息,判断是不是撤回并进行相应操作
    @itchat.msg_register([NOTE])
    def send_msg_helper(msg):
        global face_bug
        if re.search(r"\<\!\[CDATA\[.*撤回了一条消息\]\]\>", msg['Content']) is not None:
            # 获取消息的id
            old_msg_id = re.search("\<msgid\>(.*?)\<\/msgid\>", msg['Content']).group(1)
            old_msg = msg_dict.get(old_msg_id, {})
            if len(old_msg_id) < 11:
                itchat.send_file(rev_tmp_dir + face_bug, toUserName='filehelper')
                os.remove(rev_tmp_dir + face_bug)
            else:
                msg_body = "告诉你一个秘密~" + "\n" \
                           + old_msg.get('msg_from') + " 撤回了 " + old_msg.get("msg_type") + " 消息" + "\n" \
                           + old_msg.get('msg_time_rec') + "\n" \
                           + "撤回了什么 ⇣" + "\n" \
                           + r"" + old_msg.get('msg_content')
                # 如果是分享存在链接
                if old_msg['msg_type'] == "Sharing": msg_body += "\n就是这个链接➣ " + old_msg.get('msg_share_url')
    
                # 将撤回消息发送到文件助手
                itchat.send(msg_body, toUserName='filehelper')
                # 有文件的话也要将文件发送回去
                if old_msg["msg_type"] == "Picture" \
                        or old_msg["msg_type"] == "Recording" \
                        or old_msg["msg_type"] == "Video" \
                        or old_msg["msg_type"] == "Attachment":
                    file = '@fil@%s' % (rev_tmp_dir + old_msg['msg_content'])
                    itchat.send(msg=file, toUserName='filehelper')
                    os.remove(rev_tmp_dir + old_msg['msg_content'])
                # 删除字典旧消息
                msg_dict.pop(old_msg_id)
    
    
    if __name__ == '__main__':
        itchat.auto_login(hotReload=True,enableCmdQR=2)
        itchat.run()
    

    该程序可以直接在终端运行,在终端扫码成功够即可登录成功,同时也可以打包在window系统运行(注意修改一下路径,推荐使用相对路径)。

    ➜  ~ python wx.py
    Getting uuid of QR code.
    Downloading QR code.
    Please scan the QR code to log in.
    Please press confirm on your phone.
    Loading the contact, this may take a little while.
    �[3;J
    Login successfully as AlicFeng
    Start auto replying.
    

    效果图

    itchat

    itchat
    上面都是编程逻辑的小事,我还是记录一下itchat微信这个开源库。

    • 简介
      itchat是一个开源的微信个人号接口,使用python调用微信变得非常简单。简单是用itchat代码即可构建一个基于微信的即时通讯,更不错的体现在于方便扩展个人微信的在其他平台的更多通讯功能。

    • 安装

    pip3 install itchat
    
    • itchat - Helloworld
      仅仅三行代码发送一条信息给文件助手
    import itchat
    itchat.auto_login(hotReload=True)
    itchat.send('Hello AlicFeng', toUserName='filehelper')
    
    • 查看客户端
    Result

    学习最重要的还是API说明手册
    Github for itchat

    中文API


    Alic say :****价值源于技术,贡献源于分享****

    相关文章

      网友评论

      • 8ece854180a6:为什么我在pucharm中运行后出来二维码扫的没反应,也没出现错误
        无罪的坏人:二维码你要用鼠标给他整个选中,会从黑色变成蓝色,你再扫描蓝色的二维码即可,亲测可用
      • fdb94e7ebfbe:文章求转载!
      • 葉大大大月亮月亮:樓主您好,請問報cannot import name 'html5lib' error while installing packages
        是什麽問題?
      • 4968c40c7417:弄了好久才发现是背景的问题,我用的是xshell,目前为白色背景,所以最后要改为itchat.auto_login(hotReload=True,enableCmdQR=-2),纠结了好久。
        还需要请教一下,这个登入的方式显示是网页版登录,但是打开浏览器,在网页版扫码登录之后又会出现,log out的现象,所以说它是一个独立于PC微信、web微信的另外一个登录端咯,不知道我这样理解对不对。害我遇到一个问题就是我的:表情包、MP3,MP4我这边撤回以后,文件助手里面只会显示一个名字,并不会出现我需要的,例如:180703-235844.mp4 180703-235614.gif 180703-235645.mp3,请问有人和我一样遇到这样的问题吗?
        葉大大大月亮月亮:你好,请问你log out解决了吗?
      • c6f04f90d254:你好,这篇文章可以转载到微信公众号 Python那些事 吗?
        AlicFeng:@lansebolang 嗯嗯。可以的
      • ea10e31f9899:广从南路548号😀
        AlicFeng:@Reds_4bd0 哈哈:smile:
      • 29739ad8e7f7:Traceback (most recent call last):
        File "F:/program/微信/wx.py", line 111, in <module>
        itchat.auto_login(hotReload=True)
        File "D:\Anaconda3\lib\site-packages\itchat\components\register.py", line 27, in auto_login
        loginCallback=loginCallback, exitCallback=exitCallback):
        File "D:\Anaconda3\lib\site-packages\itchat\components\hotreload.py", line 55, in load_login_status
        msgList, contactList = self.get_msg()
        File "D:\Anaconda3\lib\site-packages\itchat\components\login.py", line 293, in get_msg
        self.loginInfo['url'], self.loginInfo['wxsid'],
        KeyError: 'url'

        博主请问这是什么原因啊?谢谢
      • bingo居然被占了:私聊的可以 群聊的不行
        bingo居然被占了:@AlicFeng 大神有啥办法么 能获取群聊的撤回消息
        AlicFeng:@帅气的昵称被占了是的
      • 0b7d12740df9:帅哥,手机登录上了但是检测不到撤回的日志呀
      • 36ba3578815c:Please scan the QR code to log in.
        Please press confirm on your phone.
        Loading the contact, this may take a little while.

        Login successfully as 有人
        Start auto replying.
        Traceback (most recent call last):
        File "/usr/lib/python2.7/site-packages/itchat/components/login.py", line 253, in maintain_loop
        msgList, contactList = self.get_msg()
        File "/usr/lib/python2.7/site-packages/itchat/components/login.py", line 334, in get_msg
        r = self.s.post(url, data=json.dumps(data), headers=headers, timeout=config.TIMEOUT)
        File "/usr/lib/python2.7/site-packages/requests/sessions.py", line 555, in post
        return self.request('POST', url, data=data, json=json, **kwargs)
        File "/usr/lib/python2.7/site-packages/requests/sessions.py", line 508, in request
        resp = self.send(prep, **send_kwargs)
        File "/usr/lib/python2.7/site-packages/requests/sessions.py", line 618, in send
        r = adapter.send(request, **kwargs)
        File "/usr/lib/python2.7/site-packages/requests/adapters.py", line 490, in send
        raise ConnectionError(err, request=request)
        ConnectionError: ('Connection aborted.', BadStatusLine("''",))

        撤回的时候报错了,Python2
        AlicFeng:@t41_ 登陆成功
      • 4e211f38d76a:安装好itchat命令行中能够成功弹出二维码,写成Python脚本文件再从命令行执行就报错,是怎么回事?
        4e211f38d76a:@AlicFeng AttributeError:module 'itchat' has no attribute 'auto_login'
        4e211f38d76a:@AlicFeng 报错内容是,itchat中没有auto.login()这个东西。翻译过来大概是这个样子
        AlicFeng:@__winter__ 具体报错?
      • 36ba3578815c:109行 itchat.auto_login(hotReload=True,enableCmdQR=2)
        在我这边 enableCmdQR=2 cmd中现实的二维码是乱码,起初以为是itchat的问题。。排查了好久。
        itchat.auto_login(hotReload=True) 正常。
        然后 enableCmdQR=1 显示就正常了。我是新手,您好~
        AlicFeng:@t41_ cmd不支持二维码
        36ba3578815c:我在Winwows 7 上跑的
      • 江湖_人士:撤回的消息不显示,可以检测到撤回的操作,但就是不向文件助手发送撤回的内容,怎么解决啊?
      • 一只小铅笔吖:很厉害的样子
        AlicFeng: @一只小铅笔吖 AlicFeng: @zl啊 价值源于技术,贡献源于分享!
      • git_zw:生成的二维码是乱的,全是MMMMM:sleepy:
        AlicFeng: @张大锤的锤 看控制台的log
        git_zw:@AlicFeng 扫描二维码后,显示,微信网页登录,暂时无法登录,请尝试重新登录
        怎么回事呀
        AlicFeng: @张大锤的锤 在终端生成二维码?将登录的第二个参数去掉即可生成一张png二维码图片,扫描即可登录
      • 醒着z:博主你好,测试之后本地保存了,但通知执行的函数一直没起作用,不知道是怎么回事,我是小白
        AlicFeng: @醒着z debug调试一下,将note通知获取的信息打印出来,然后在这些json数据找出你要的数据,这里还包含了个人的大部分信息的
        醒着z:@AlicFeng 调试之后发现寻找撤回消息的条件语句判断结果一直为否,每次都跳过
        AlicFeng: @醒着z 终端运行之后有没有输出error?
      • J书越来越垃圾了:厉害,学习
        AlicFeng:@zl啊 价值源于技术,贡献源于分享!共同学习^_^

      本文标题:仅78行代码实现微信撤回消息查看 | Python itchat

      本文链接:https://www.haomeiwen.com/subject/mldjzttx.html