如何用 Python 子进程关闭 Excel 自动化中的弹窗


Posted in Python onMay 07, 2021

利用Python进行Excel自动化操作的过程中,尤其是涉及VBA时,可能遇到消息框/弹窗(MsgBox)。此时需要人为响应,否则代码卡死直至超时 [^1] [^2]。根本的解决方法是VBA代码中不要出现类似弹窗,但有时我们无权修改被操作的Excel文件,例如这是我们进行自动化测试的对象。所以本文记录从代码角度解决此类问题的方法。

假想场景

使用xlwings(或者其他自动化库)打开Excel文件test.xlsm,读取Sheet1!A1单元格内容。很简单的一个操作:

import xlwings as xw

wb = xw.Book('test.xlsm')
msg = wb.sheets('Sheet1').range('A1').value
print(msg)
wb.close()

然而不幸的是,打开工作簿时进行了热情的欢迎仪式:

Private Sub Workbook_Open()
    MsgBox "Welcome"
    MsgBox "to open"
    MsgBox "this file."
End Sub

第一个弹窗Welcome就卡住了Excel,Python代码相应卡死在第一行。

如何用 Python 子进程关闭 Excel 自动化中的弹窗

基本思路

主程序中不可能直接处理或者绕过此类问题,也不能奢望有人随时蹲守点击下一步——那就开启一个子线程来护航吧。因此,解决方案是利用子线程监听并随时关闭弹窗,直到主程序圆满结束。
解决这个问题,需要以下两个知识点(基础知识请课外学习):

  • Python多线程(本文采用threading.Thread)
  • Python界面自动化库(本文涉及pywinauto和pywin32)

pywinauto方案

pywinauto顾名思义是Windows界面自动化库,模拟鼠标和键盘操作窗体和控件 [^3]。不同于先获取句柄再获取属性的传统方式,pywinauto的API更加友好和pythonic。例如,两行代码搞定窗口捕捉和点击:

from pywinauto.application import Application

win = Application(backend="win32").connect(title='Microsoft Excel')
win.Dialog.Button.click()

本文采用自定义线程类的方式,启动线程后自动执行run()函数来完成上述操作。具体代码如下,注意构造函数中的两个参数:

  • title 需要捕捉的弹窗的标题,例如Excel默认弹窗的标题为Microsoft Excel
  • interval 监听的频率,即每隔多少秒检查一次
# listener.py

import time
from threading import Thread, Event
from pywinauto.application import Application


class MsgBoxListener(Thread):

    def __init__(self, title:str, interval:int):
        Thread.__init__(self)
        self._title = title 
        self._interval = interval 
        self._stop_event = Event()   

    def stop(self): self._stop_event.set()

    @property
    def is_running(self): return not self._stop_event.is_set()

    def run(self):
        while self.is_running:
            try:
                time.sleep(self._interval)
                self._close_msgbox()
            except Exception as e:
                print(e, flush=True)


    def _close_msgbox(self):
        '''Close the default Excel MsgBox with title "Microsoft Excel".'''        
        win = Application(backend="win32").connect(title=self._title)
        win.Dialog.Button.click()


if __name__=='__main__':
    t = MsgBoxListener('Microsoft Excel', 3)
    t.start()
    time.sleep(10)
    t.stop()

于是,整个过程分为三步:

  • 启动子线程监听弹窗
  • 主线程中打开Excel开始自动化操作
  • 关闭子线程
import xlwings as xw
from listener import MsgBoxListener

# start listen thread
listener = MsgBoxListener('Microsoft Excel', 3)
listener.start()

# main process as before
wb = xw.Book('test.xlsm')
msg = wb.sheets('Sheet1').range('A1').value
print(msg)
wb.close()

# stop listener thread
listener.stop()

到此问题基本解决,本地运行效果完全达到预期。但我的真实需求是以系统服务方式在服务器上进行Excel文件自动化测试,后续发现,当以系统服务方式运行时,pywinauto竟然捕捉不到弹窗!这或许是pywinauto一个潜在的问题 [^4]。

win32gui方案

那就只好转向相对底层的win32gui,所幸完美解决了上述问题。
win32gui是pywin32库的一部分,所以实际安装命令是:

pip install pywin32

整个方案和前文描述完全一致,只是替换MsgBoxListener类中关闭弹窗的方法:

import win32gui, win32con

def _close_msgbox(self):
    # find the top window by title
    hwnd = win32gui.FindWindow(None, self._title)
    if not hwnd: return

    # find child button
    h_btn = win32gui.FindWindowEx(hwnd, None,'Button', None)
    if not h_btn: return

    # show text
    text = win32gui.GetWindowText(h_btn)
    print(text)

    # click button        
    win32gui.PostMessage(h_btn, win32con.WM_LBUTTONDOWN, None, None)
    time.sleep(0.2)
    win32gui.PostMessage(h_btn, win32con.WM_LBUTTONUP, None, None)
    time.sleep(0.2)

更一般的方案

更一般地,当同时存在默认标题和自定义标题的弹窗时,就不便于采用标题方式进行捕捉了。例如

MsgBox "Message with default title.", vbInformation, 
MsgBox "Message with title My App 1", vbInformation, "My App 1"
MsgBox "Message with title My App 2", vbInformation, "My App 2"

那就扩大搜索范围,依次点击所有包含确定性描述的按钮(例如OK,Yes,Confirm)来关闭弹窗。同理替换MsgBoxListener类的_close_msgbox()方法(同时构造函数中不再需要title参数):

def _close_msgbox(self):
    '''Click any button ("OK", "Yes" or "Confirm") to close message box.'''
    # get handles of all top windows
    h_windows = []
    win32gui.EnumWindows(lambda hWnd, param: param.append(hWnd), h_windows) 

    # check each window    
    for h_window in h_windows:            
        # get child button with text OK, Yes or Confirm of given window
        h_btn = win32gui.FindWindowEx(h_window, None,'Button', None)
        if not h_btn: continue

        # check button text
        text = win32gui.GetWindowText(h_btn)
        if not text.lower() in ('ok', 'yes', 'confirm'): continue

        # click button
        win32gui.PostMessage(h_btn, win32con.WM_LBUTTONDOWN, None, None)
        time.sleep(0.2)
        win32gui.PostMessage(h_btn, win32con.WM_LBUTTONUP, None, None)
        time.sleep(0.2)

最后,实例演示结束全文,以后再也不用担心意外弹窗了。

如何用 Python 子进程关闭 Excel 自动化中的弹窗

以上就是如何用 Python 子进程关闭 Excel 自动化中的弹窗的详细内容,更多关于Python 子进程关闭 Excel 弹窗的资料请关注三水点靠木其它相关文章!

Python 相关文章推荐
详解Python中with语句的用法
Apr 15 Python
详解Python读取配置文件模块ConfigParser
May 11 Python
Python迭代器和生成器定义与用法示例
Feb 10 Python
numpy 进行数组拼接,分别在行和列上合并的实例
May 08 Python
Python+Pandas 获取数据库并加入DataFrame的实例
Jul 25 Python
使用Python机器学习降低静态日志噪声
Sep 29 Python
Python Pillow Image Invert
Jan 22 Python
python实现集中式的病毒扫描功能详解
Jul 09 Python
Python自动化完成tb喵币任务的操作方法
Oct 30 Python
Python如何使用OS模块调用cmd
Feb 27 Python
解决python3输入的坑——input()
Dec 05 Python
python 中[0]*2与0*2的区别说明
May 10 Python
PyTorch的Debug指南
May 07 #Python
基于Python的EasyGUI学习实践
Python列表删除重复元素与图像相似度判断及删除实例代码
使用python如何删除同一文件夹下相似的图片
May 07 #Python
python学习之panda数据分析核心支持库
Python基于Tkinter开发一个爬取B站直播弹幕的工具
May 06 #Python
Python爬虫之爬取最新更新的小说网站
May 06 #Python
You might like
php INI配置文件的解析实现分析
2011/01/04 PHP
PHP中魔术变量__METHOD__与__FUNCTION__的区别
2014/09/29 PHP
浅谈使用 Yii2 AssetBundle 中 $publishOptions 的正确姿势
2017/11/08 PHP
PHP 数组操作详解【遍历、指针、函数等】
2020/05/13 PHP
解决AJAX中跨域访问出现'没有权限'的错误
2008/08/20 Javascript
关于取不到由location.href提交而来的上级页面地址的解决办法
2009/07/30 Javascript
jquery 可拖拽的窗体控件实现代码
2010/03/21 Javascript
JQuery结合CSS操作打印样式的方法
2013/12/24 Javascript
jQuery操作元素css样式的三种方法
2014/06/04 Javascript
深入理解JavaScript系列(49):Function模式(上篇)
2015/03/04 Javascript
jQuery实现带滑动条的菜单效果代码
2015/08/26 Javascript
javascript实现网站加入收藏功能
2015/12/16 Javascript
JS判断鼠标进入容器的方向与window.open新窗口被拦截的问题
2016/12/23 Javascript
微信小程序后台解密用户数据实例详解
2017/06/28 Javascript
五分钟搞懂Vuex实用知识(小结)
2019/08/12 Javascript
[01:18]PWL开团时刻DAY10——一拳超人
2020/11/11 DOTA
深入解析Python中的线程同步方法
2016/06/14 Python
python中的break、continue、exit()、pass全面解析
2017/08/05 Python
python实现K最近邻算法
2018/01/29 Python
python 接口测试response返回数据对比的方法
2018/02/11 Python
python设置代理和添加镜像源的方法
2020/02/14 Python
python中用ggplot绘制画图实例讲解
2021/01/26 Python
CSS3中的Media Queries学习笔记
2016/05/23 HTML / CSS
德国著名廉价网上药店:Shop-Apotheke
2017/07/23 全球购物
加拿大约会网站:EliteSingles.ca
2018/01/12 全球购物
屈臣氏越南官网:Watsons越南
2021/01/14 全球购物
物业工作计划书
2014/01/10 职场文书
不假外出检讨书
2014/01/27 职场文书
法英专业大学生职业生涯规划范文:衡外情,量己力!
2014/09/23 职场文书
2014年乡镇人大工作总结
2014/11/25 职场文书
2014幼儿园卫生保健工作总结
2014/12/05 职场文书
2015年教师党员承诺书
2015/04/27 职场文书
2015年挂职干部工作总结
2015/05/14 职场文书
2015最新婚礼主持词
2015/06/30 职场文书
Python网络编程之ZeroMQ知识总结
2021/04/25 Python
mybatis调用sqlserver存储过程返回结果集的方法
2021/05/08 SQL Server