我正在编写一些依靠用户输入来决定是否通过的测试。
我有此功能:
def viewable(actual_proj):
print("nCan you see %s projects named:n"%len(actual_proj))
for i in actual_proj:
print (i+"n")
return input("(y/n)? : ")
内部:
def is_present(pytestconfig, project_not_present = 0):
actual_projects = all_projects.copy()
if (project_not_present!=0):
del_file = all_ini_files[project_not_present-1]
os.rename(del_file, del_file +'_tst')
del actual_projects[project_not_present-1]
capmanager = pytestconfig.pluginmanager.getplugin('capturemanager')
subprocess.Popen('./MultiPRM.exe')
capmanager.suspendcapture(in_=True)
decision = viewable(actual_projects)
capmanager.resumecapture()
if (project_not_present!=0):
os.rename(del_file+'_tst', del_file)
if (decision =='y'):
return True
else:
return False
当我运行命令pytest name_of_test_file.py
时,它运行良好,并在每次测试后停止以获取用户输入。但是,我想使用一个为日志文件设置各种变量和标题的文件(称为run_tests.py
)
# start the report
print("Creating test report: " + os.path.abspath(report_filepath))
rep = open(report_filepath, "w")
rep.write(report_header)
rep.write("Test environment: n");
rep.write(" Username: " + os.environ['USERNAME'] + "n")
rep.write("Testing started at: " + get_time() + "nn")
rep.close()
# get application version
cmd = exe_under_test + " --help >> " + report_filepath
os.system(cmd)
# start the tests
cmd = "pytest >> " + report_filepath
os.system(cmd)
# finalise the report
rep = open(report_filepath, "a+")
rep.write("nTesting completed at: " + get_time() + "nn")
rep.close()
当我这样运行时,它不会停止或运行任何测试。
如果我可以写入日志文件,同时还将同样的内容写入终端(包括用户输入),那将是很棒的。否则,正确调用此功能的方式也将起作用。
您的测试应该尽可能容易地运行,以使其自由执行。如果它们将取决于外部(例如用户)的输入和其他一些技巧可以正确运行,那么从长远来看,没有人会执行它们。
如果您是项目中的唯一开发人员,您可能会忍受它,但是我想说这种方法是不正确的,而不是被认为是最佳实践。
首先,如果您只是在等待控制台中的用户输入(似乎是从您的代码段中),则只需模拟input
内置并设置其返回值,例如:
app.py
def my_input(prompt=''):
try:
return raw_input(prompt)
except NameError:
return input(prompt)
def my_great_func():
choice = my_input('y/n?: ')
return choice
test.py
import unittest.mock as mock
import pytest
from app import my_great_func
@pytest.yield_fixture
def fake_input():
with mock.patch('app.my_input') as m:
yield m
def test_my_great_func(fake_input):
fake_input.return_value = 'y'
assert my_great_func() == 'y'
测试执行:
$ pytest test.py -v
============================= test session starts ==============================
platform linux -- Python 3.5.2, pytest-3.2.1
cachedir: .cache
rootdir: /home/kris/projects/tmp, inifile:
collected 1 item
test.py::test_my_great_func PASSED
=========================== 1 passed in 0.01 seconds ===========================
,其次努力编写代码在您的应用程序逻辑和GUI松散耦合的位置 - 这样您就可以测试您的逻辑,无论GUI如何(无论是Web,桌面还是移动应用程序)。
单位测试不应需要输入,但是如果您需要暂时需要它,这是一种方式。如果使用标志-s
,它将随着它的进行而而不是捕获而仅显示故障。因此,如果您使用pytest -s
,则可以调用input()
,并且它将暂停并在处理之前等待输入。