3

我正在编写一个用于持续集成和测试的 python 脚本,它将被 bitten 调用。我们的单元测试使用 google 测试框架。每个软件组件都有一个运行配置和其他所需服务并运行 gtest 可执行文件的 bash 脚本。python 脚本遍历存储库以查找 bash 脚本,并使用 os.popen() 命令调用每个脚本。

Python 脚本 (UnitTest.py)

#!/usr/bin/python

import os
import fnmatch
import sys
import subprocess

repository_location = '/home/actuv/workspace/eclipse/iccs/'
unit_test_script_name = 'RunUnitTests.sh'

def file_locator(repo, script_name):
    # Function for determining all unit test scripts
    test_location = []
    for root, dirnames, filenames in os.walk(repo):
        for filename in fnmatch.filter(filenames, script_name):
            test_location.append(os.path.join(root))
    return test_location

def run_tests(test_locations, script_name):
    # Runs test scripts located at each test location
    for tests in test_locations:
        cmd = 'cd ' + tests + ';./' + script_name
        print 'Running Unit Test at: ' + tests
        os.popen(cmd)

################    MAIN    ################
# Find Test Locations
script_locations = file_locator(repository_location, unit_test_script_name)

# Run tests located at each location
run_tests(script_locations)

# End of tests
sys.exit(0)

Bash 脚本

#!/bin/sh

echo "Running unit tests..."

# update the LD_LIBRARY_PATH to include paths to our shared libraries

# start the test server

# Run the tests

# wait to allow all processes to end before terminating the server
sleep 10s

当我从终端窗口手动运行 bash 脚本时,它运行良好。当我让 python 脚本调用 bash 脚本时,我在 bash 脚本的 TestSingleClient 和 TestMultiClientLA 行上遇到分段错误。

4

2 回答 2

2

尝试更换

os.popen(cmd)

proc = subprocess.Popen('./scriptname', shell = True, 
                       cwd = tests)
proc.communicate()
于 2012-10-23T00:37:46.663 回答
1

一定要查看subprocess模块——特别是查看subprocess.call()便捷方法。我进行了 os.path 检查以确保您的测试目录也存在。

def run_tests(test_locations, script_name):
    # Runs test scripts located at each test location
    for tests in test_locations:
        #  Make sure tests directory exists and is a dir
        if os.path.isdir(tests):
            print 'Running Unit Test at: ' + tests
            subprocess.call(script_name, shell=True, cwd=tests)

另外-您对 stdout 和 stderr 导致问题的观察是正确的,尤其是在有大量数据的情况下。当输出量很大或未知时,我将临时文件用于 stdout/stderr。
前任。

def execute_some_command(cmd="arbitrary_exe"):
    """ Execute some command using subprocess.call()"""
    #  open/create temportary file for stdout    
    tmp_out=file('.tmp','w+')

    #  Run command, pushing stdout to tmp_out file handle
    retcode = subprocess.call(cmd, stdout=tmp_out, shell=True)

    if retcode != 0:
        # do something useful (like bailout) based on the OS return code
        print "FAILED"

    #  Flush any queued data
    tmp_out.flush()
    #  Jump to the beginning
    tmp_out.seek(0)
    #  Parse output
    for line in tmp_out.readlines():
        # do something useful with output

    # cleanup 
    tmp_out.close()
    os.remove(_out.name)
return     

查看 python文件对象上的方法,了解如何处理来自_out文件句柄的标准输出数据。

很好的狩猎。

于 2012-11-09T22:28:23.783 回答