명령행별 pytest에서 인수를 전달하는 방법
나는 코드가 있고 단말기에서 이름과 같은 인수를 전달해야 합니다.여기 제 코드와 인수를 전달하는 방법이 있습니다.이해할 수 없는 "File not found(파일을 찾을 수 없음)" 오류가 발생합니다.
터미널에서 명령어를 사용해 보았습니다.pytest <filename>.py -almonds
저는 그 이름을 "아몬드"로 인쇄해야 합니다.
@pytest.mark.parametrize("name")
def print_name(name):
print ("Displaying name: %s" % name)
파이테스트 테스트에서 사용 안 함@pytest.mark.parametrize
:
def test_print_name(name):
print ("Displaying name: %s" % name)
인conftest.py
:
def pytest_addoption(parser):
parser.addoption("--name", action="store", default="default name")
def pytest_generate_tests(metafunc):
# This is called for every test. Only get/set command line arguments
# if the argument is specified in the list of test "fixturenames".
option_value = metafunc.config.option.name
if 'name' in metafunc.fixturenames and option_value is not None:
metafunc.parametrize("name", [option_value])
그런 다음 명령줄 인수를 사용하여 명령줄에서 실행할 수 있습니다.
pytest -s tests/my_test_module.py --name abc
사용pytest_addoption
후크 기능conftest.py
새 옵션을 정의합니다.
사용할 경우pytestconfig
이름을 잡기 위해 자신만의 고정 장치에 고정합니다.
사용할 수도 있습니다.pytestconfig
자신만의 고정 장치를 작성하지 않아도 되도록 테스트에서 시작하지만, 옵션에 자신의 이름이 있는 것이 좀 더 깨끗하다고 생각합니다.
# conftest.py
def pytest_addoption(parser):
parser.addoption("--name", action="store", default="default name")
# test_param.py
import pytest
@pytest.fixture(scope="session")
def name(pytestconfig):
return pytestconfig.getoption("name")
def test_print_name(name):
print(f"\ncommand line param (name): {name}")
def test_print_name_2(pytestconfig):
print(f"test_print_name_2(name): {pytestconfig.getoption('name')}")
# in action
$ pytest -q -s --name Brian test_param.py
test_print_name(name): Brian
.test_print_name_2(name): Brian
.
저는 논쟁을 통과하는 방법을 찾기 위해 여기서 비틀거렸지만, 저는 테스트를 매개변수화하는 것을 피하고 싶었습니다.@clay의 최고 답변은 명령행에서 테스트를 매개 변수화하는 정확한 질문을 완벽하게 잘 처리하지만, 특정 테스트에 명령줄 인수를 전달할 수 있는 대체 방법을 제공하고자 합니다.아래 방법은 고정 장치를 사용하며 고정 장치가 지정되었지만 인수가 지정되지 않은 경우 테스트를 건너뜁니다.
test.py :
def test_name(name):
assert name == 'almond'
콩프테스트py:
import pytest
def pytest_addoption(parser):
parser.addoption("--name", action="store")
@pytest.fixture(scope='session')
def name(request):
name_value = request.config.option.name
if name_value is None:
pytest.skip()
return name_value
예:
$ py.test tests/test.py
=========================== test session starts ============================
platform linux -- Python 3.7.1, pytest-4.0.0, py-1.7.0, pluggy-0.8.0
rootdir: /home/ipetrik/dev/pytest_test, inifile:
collected 1 item
tests/test.py s [100%]
======================== 1 skipped in 0.06 seconds =========================
$ py.test tests/test.py --name notalmond
=========================== test session starts ============================
platform linux -- Python 3.7.1, pytest-4.0.0, py-1.7.0, pluggy-0.8.0
rootdir: /home/ipetrik/dev/pytest_test, inifile:
collected 1 item
tests/test.py F [100%]
================================= FAILURES =================================
________________________________ test_name _________________________________
name = 'notalmond'
def test_name(name):
> assert name == 'almond'
E AssertionError: assert 'notalmond' == 'almond'
E - notalmond
E ? ---
E + almond
tests/test.py:5: AssertionError
========================= 1 failed in 0.28 seconds =========================
$ py.test tests/test.py --name almond
=========================== test session starts ============================
platform linux -- Python 3.7.1, pytest-4.0.0, py-1.7.0, pluggy-0.8.0
rootdir: /home/ipetrik/dev/pytest_test, inifile:
collected 1 item
tests/test.py . [100%]
========================= 1 passed in 0.03 seconds =========================
사용하기만 하면 됩니다.pytest_addoption()
안에conftest.py
그리고 마지막으로 사용합니다.request
고정 장치:
# conftest.py
from pytest import fixture
def pytest_addoption(parser):
parser.addoption(
"--name",
action="store"
)
@fixture()
def name(request):
return request.config.getoption("--name")
이제 테스트를 실행할 수 있습니다.
def my_test(name):
assert name == 'myName'
사용:
pytest --name myName
약간의 해결 방법이지만 매개 변수를 테스트에 포함시킵니다.요구 사항에 따라 충분할 수 있습니다.
def print_name():
import os
print(os.environ['FILENAME'])
pass
그런 다음 명령줄에서 테스트를 실행합니다.
FILENAME=/home/username/decoded.txt python3 setup.py test --addopts "-svk print_name"
명령줄 옵션에 따라 테스트 기능에 다른 값 전달
명령줄 옵션에 따라 검정을 작성하려고 합니다.이를 위한 기본 패턴은 다음과 같습니다.
# content of test_sample.py
def test_answer(cmdopt):
if cmdopt == "type1":
print("first")
elif cmdopt == "type2":
print("second")
assert 0 # to see what was printed
For this to work we need to add a command line option and provide the cmdopt through a fixture function:
# content of conftest.py
import pytest
def pytest_addoption(parser):
parser.addoption(
"--cmdopt", action="store", default="type1", help="my option: type1 or type2"
)
@pytest.fixture
def cmdopt(request):
return request.config.getoption("--cmdopt")
참조: https://docs.pytest.org/en/latest/example/simple.html#pass-different-values-to-a-test-function-depending-on-command-line-options
그러면 다음과 같이 호출할 수 있습니다.
pytest --cmdopt type1
공식 문서에 따르면 마크 데코레이터는 아래와 같아야 합니다.
@pytest.mark.parametrize("arg1", ["StackOverflow"])
def test_mark_arg1(arg1):
assert arg1 == "StackOverflow" #Success
assert arg1 == "ServerFault" #Failed
달려.
python -m pytest <filename>.py
- 참고 1: 함수 이름은 다음으로 시작해야 합니다.
test_
- 참고 2: 파이 테스트는 리디렉션됩니다.
stdout (print)
따라서 stdout을 직접 실행하면 화면에 결과를 표시할 수 없습니다.또한 테스트 사례에서 사용자의 기능에 결과를 인쇄할 필요가 없습니다. - 참고 3: pytest는 python이 실행하는 모듈로, sys.argv를 직접 가져올 수 없습니다.
구성 가능한 외부 인수를 얻으려면 스크립트 내에서 해당 인수를 구현해야 합니다(예: 파일 내용 로드).
with open("arguments.txt") as f:
args = f.read().splitlines()
...
@pytest.mark.parametrize("arg1", args)
...
클래스와 함께 이 작업을 수행할 수 있습니다.unittest.TestCase
여기 및 https://docs.pytest.org/en/6.2.x/unittest.html 의 답변을 사용
콩프테스트py:
import pytest
my_params = {
"name": "MyName",
"foo": "Bar",
}
def pytest_addoption(parser):
for my_param_name, my_param_default in my_params.items():
parser.addoption(f"--{my_param_name}", action="store", default=my_param_default)
@pytest.fixture()
def pass_parameters(request):
for my_param in my_params:
setattr(request.cls, my_param, request.config.getoption(f"--{my_param}"))
test_param.py
import unittest
import pytest
@pytest.mark.usefixtures("pass_parameters")
class TestParam(unittest.TestCase):
def test_it(self):
self.assertEqual(self.name, "MyName")
사용:
pytest --name MyName
저는 이것에 대해 많이 읽었고 정말 혼란스러웠습니다.저는 마침내 그것을 알아냈고, 여기 제가 한 일이 있습니다.
이름을 .conftest.py
, 추가합니다.
# this is a function to add new parameters to pytest
def pytest_addoption(parser):
parser.addoption(
"--MyParamName", action="store", default="defaultParam", help="This is a help section for the new param you are creating"
)
# this method here makes your configuration global
option = None
def pytest_configure(config):
global option
option = config.option
마지막으로 픽스처를 사용하여 새로 생성한 파라미터에 액세스하여 원하는 코드의 파라미터를 노출합니다.
@pytest.fixture
def myParam(request):
return request.config.getoption('--MyParamName')
다음은 파이 테스트 실행에서 전달되는 새로 생성 매개 변수를 사용하는 방법입니다.
# command to run pytest with newly created param
$ pytest --MyParamName=myParamValue
새로 매개변수 고정장치가 사용될 위치: 매개변수가 사용될 python 테스트 예제:
Test_MyFucntion(myParam)
Argarse에 익숙하다면 Arparse에서 일반적인 방법으로 준비할 수 있습니다.
import argparse
import sys
DEFAULT_HOST = test99
#### for --host parameter ###
def pytest_addoption(parser):
parser.addoption("--host") # needed otherwhise --host will fail pytest
parser = argparse.ArgumentParser(description="run test on --host")
parser.add_argument('--host', help='host to run tests on (default: %(default)s)', default=DEFAULT_HOST)
args, notknownargs = parser.parse_known_args()
if notknownargs:
print("pytest arguments? : {}".format(notknownargs))
sys.argv[1:] = notknownargs
#
then args.hosts holds you variable, while sys.args is parsed further with pytest.
언급URL : https://stackoverflow.com/questions/40880259/how-to-pass-arguments-in-pytest-by-command-line
'programing' 카테고리의 다른 글
JQuery를 사용하여 입력 필드에 포커스를 설정하는 방법 (0) | 2023.08.10 |
---|---|
도커 파일에서 도커 이미지로 폴더를 복사하는 방법은 무엇입니까? (0) | 2023.08.05 |
UIView의 사용자 지정 테두리 색을 프로그래밍 방식으로 설정하는 방법은 무엇입니까? (0) | 2023.08.05 |
요청이 실패했거나 서비스가 적시에 응답하지 않았습니까? (0) | 2023.08.05 |
RAW(16) 열에 UUID를 삽입하는 방법 (0) | 2023.08.05 |