写python工具遇到的坑

    • 获取当前脚本路径问题
    • pyinstaller打包exe报错UnicodeDecodeError:’ascii’ codec can’t decode
    • pyinstaller打包exe时subprocess无效
    • pyinstaller打包exe隐藏subprocess时的console窗口
    • pyInstall打包exe运行出现 ”[Error 6] The handle is invalid” 异常


获取当前脚本路径问题

# determine if application is a script file or frozen exe
if getattr(sys, 'frozen', False):
    PATH_CUR = os.path.dirname(sys.executable)
elif __file__:
    PATH_CUR = os.path.dirname(__file__)

pyinstaller打包exe报错UnicodeDecodeError:’ascii’ codec can’t decode

因为pyinstaller打包的文件路劲中带有中文。
pyInstall仅支持ascii编码方式,打包后可执行文件路径中不能有中文。

pyinstaller打包exe时subprocess无效

打包包含subprocess.Popen时发现,加上参数-w/—noconsole时产生的exe文件在运行的时候,进程并没有运行。
解决方法:
在创建进程时,加上startupinfo参数,如下

si = subprocess.STARTUPINFO()
si.dwFlags |= subprocess.STARTF_USESHOWWINDOW
si.wShowWindow = subprocess.SW_HIDE  # 隐藏console窗口
returncode=subprocess.call(cmd,startupinfo=si)

si = subprocess.STARTUPINFO()
si.dwFlags |= subprocess.STARTF_USESHOWWINDOW
si.wShowWindow = subprocess.SW_HIDE
output = subprocess.check_output(cmd,stdin=subprocess.PIPE, stderr=subprocess.PIPE,startupinfo=si)

pyinstaller打包exe隐藏subprocess时的console窗口

解决方法:
设置si.wShowWindow = subprocess.SW_HIDE
如果设置了dwFlags的值为STARTF_USESHOWWINDOW ,才可以设置wShowWindow,否则,值将会被忽略了。
代码同上

pyInstall打包exe运行出现 ”[Error 6] The handle is invalid” 异常

在脚本状态下stdout=None, stderr=None时运行不会有任何问题,但经过pyInstall打包成exe后,运行时会出现 ”[Error 6] The handle is invalid” 异常

脚本原始调用方法:

Import subprocess
p = subprocess.Popen(cmd, stdin=subprocess.PIPE, stdout=None, stderr=None)
p.stdin.write('xxx')

适配pyInstaller的写法:

Import subprocess

p = subprocess.Popen(cmd, stdin=subprocess.PIPE, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
p.stdin.write('xxx')
p.stdout.close()
p.stderr.close()

参考文档:
https://www.cnblogs.com/zhoug2020/p/5079407.html
https://blog.csdn.net/djstavav/article/details/61629851
https://blog.csdn.net/DexterChen/article/details/37727539

你可能感兴趣的:(python)