在使用python执行Ant构建时遇到的问题:
使用os.system()调用Ant构建时,不论构建成功还是失败(BUILD SUCCESSFUL/BUILD FAILED),命令行的总是正常退出
要解决问题:
首先想到的是获取ant命令的返回值,根据返回值来决定命令行的退出状态(0或非0,0代表正常退出)
查阅相关资料,得知python调用系统命令的函数有:os.system、os.popen、commands.getstatusoutput/getstatus/getoutput、subprocess.Popen等。
- os.system()无法获得返回值和输出
- os.popen()返回的是file read的对象,对其进行读取read()操作可以看到执行的输出。
- commands.getstatusoutput()返回系统命令的退出状态和输出
- commands.getstatus()返回系统命令的退出状态
- commands.getoutput()返回系统命令的输出
在使用commands的相关函数执行Ant命令行时:
没有执行构建直接退出(退出状态为:
1,输出为:
不是内部或外部命令,也不是可运行的程序或批处理文件)
结论:可能是因为Ant命令不是系统命令的缘故
于是查找资料又得知了subprocess的相关函数,如subprocess.call、subprocess.check_call、subprocess.check_output
- subprocess.call (*popenargs , **kwargs )执行命令,并等待命令结束,再返回子进程的返回值
- subprocess.check_call (*popenargs , **kwargs )执行上面的call命令,并检查返回值,如果子进程返回非0,则会抛出CalledProcessError异常,这个异常会有个returncode 属性,记录子进程的返回值。
- subprocess.check_output()执行程序,并返回其标准输出
在使用subprocess.call命令执行Ant命令行时:
不论构建成功还是失败(BUILD SUCCESSFUL/BUILD FAILED),命令行总是正常退出(返回值为 0)
结论:命令行退出状态(即返回值)与Ant构建状态无关,只是表示Ant构建是否正常执行完毕的状态
既然命令行退出状态(即返回值)与Ant构建状态无关,
那么只有
解析命令行输出结果,根据构建成功或失败来决定命令行退出状态
于是,使用os.popen()命令获得输出结果并解析返回状态值
具体Python脚本DEMO如下:
#!Python.exe # python version 2.7.8 # -*- coding: utf-8 -*- "调用Ant执行构建,并返回构建结果" __author__ = "donhui" import os BUILD_SUCCESSFUL = "BUILD SUCCESSFUL" BUILD_FAILED = "BUILD FAILED" # 调用Ant执行构建,并返回构建结果 # def build(ant_target, build_file): ant_cmd = "ant -f {0} {1}".format(build_file, ant_target) logging.info(ant_cmd) status = 1 for line in os.popen(ant_cmd): print line, if BUILD_SUCCESSFUL in line: status = 0 if 1 == status: print BUILD_FAILED, return status if __name__ == "__main__": # 调用Ant执行构建 build_file = os.getcwd() + "/build.xml" ant_targets = "init" if 0 != build(ant_targets, build_file): exit(1)
参考:
- 【Python执行系统命令的方法 os.system(),os.popen(),commands】http://my.oschina.net/renwofei423/blog/17403
- 【python的subprocess模块用法】http://blog.csdn.net/g457499940/article/details/17068277
时间: 2024-11-08 00:34:08