Skip to main content

pytest plugin for building a test suite, using YAML files to extend pytest parameterize functionality.

Project description

Pytest Automation

image

For automating test creation. This plugin lets you send a list of tests (arguments defined in yaml's), to python methods. For creating an agile test suite.

This plugin is compatible to run alongside vanilla pytest tests, without interfering with them. The custom CLI arguments for this plugin won't affect those tests (Including --skip-all).



How to setup the Test Suite

1) Install the plugin

Run the following:

python3 -m pip install pytest-automation

2) Add both required files

It doesn't matter where in your project these exist, but names are case-sensitive, and exactly one of each can exist.

  • pytest_config.yml

    This file defines where each individual yml test gets sent. You can choose based things like what dict keys are inside the test.

    This allows you to have multiple types of tests in the same file. (Useful for example, having a test_known_bugs.yml you can exclude from pipelines).

    This file is required to have one test_types key. This holds a list, of each type of test (or test type) you'd like in your suite. Each element in the list, is in the format {"test title": {all_test_info}} (Shown in this example below).

    pytest_config.yml example:

    # Contents of pytest_config.yml
    
    test_types:
    
    - For running addition tests:
        required_keys: ["x_add", "y_add"]
        method: test_PythonsAddition
    
    - For running factorial tests:
        required_keys: factor_num
        required_file: test_factorials.yml
        method: test_NumpysFactor
        variables:
            throw_on_negative: False
    

    Each yml test will go through this list in order, and the following things will happen:

    • The required_keys is compared against the keys inside the test, IF the required_keys is declared in that element. Same happens for required_files at the same time. BOTH have to hold true for the test to run

      • Note: This means if it has neither key, ALL tests will match it, so no tests will continue pass that test type.
    • The test is matched to that type, so the function under method will be looked for in pytest_managers.py and called.

    • If NO test type is found, that test will fail, and the next will run.

    In the pytest_config example above, the test_PythonsAddition will only be called, if that yml test contains both the x_add and y_add keys. With the test_NumpysFactor, it'll only be called if that yml test has the factor_num key, AND it's in the test_factorials.yml file.

    Test Type Variables:

    In the pytest_config example above, you can see the following key in the second test type:

    variables:
        throw_on_negative: False
    

    This variables key is optional. It'll pass it's contents onto each yml test, under the test_type_vars param. This is useful for declaring url's, endpoints, etc. More info on what arguments get passed to the method here.

  • pytest_managers.py

    When a yml test is matched with test type, that method is imported from this file, and ran.

    pytest_managers.py example

    # Contents of pytest_managers.py
    from custom_math import run_add_test, run_fact_test
    
    # The methods here matchs the 'method' key in 'pytest_config.yml' example. (Required)
    
    def test_PythonsAddition(**args):
        run_add_test(**args)
        # Or just run test here:
        test_info = args["test_info"]
        assert test_info["x_add"] + test_info["y_add"] == test_info["answer"]
    
    def test_NumpysFactor(**args):
    	run_fact_test(**args)
        # Or just run test here:
        test_factor = args["test_info"]["factor_num"]
        assert factor(test_factor) == args["test_info"]["answer"]
    

    Like with this example, it's recommended to have the testing code in another file, and call it from this one. This helps keeps the suite organized for larger tests. Even if you import other methods, ONLY the methods defined in this file can be loaded from the method key in pytest_config.yml

    Args passed into each Test

    Each test in pytest_managers.py should only accept **args as their one param. That'll allow the plugin to add extra keys in the future, without breaking older tests. The following keys are currently guaranteed:

    • config: A pytest config (ext link) object. For interacting with pytest (i.e getting cli options used when running suite)

    • test_info: The parameters from the yml file. This is passed into the python manager, and what makes each test unique. More info here.

    • test_type_vars: How to declare variables for a test type, and not have to hard code them. More info here.

3) Write the yaml tests

This is where you define each individual test. Each test is matched to a test type, then ran.

yaml requirements:

  • All yaml names must start with "test_", and end with either ".yml" or ".yaml".

  • The list of tests, must be under a SINGLE tests key, inside the file. If more than one key exists, they'll override each other, and you won't run all your tests.

  • Each item in the list, is a single dict of the format {"test title": {ALL_TEST_INFO}}

writing yaml tests example:

# Contents of test_MyCustomMath.yml
# These examples match the "pytest_config.yml" example, with required_keys above. 

tests:
- Basic addition test:
    x_add: 5
    y_add: 7
    answer: 12

- Factorial Basic test:
    factor_num: 4
    answer: 24

- Factorial special case zero:
    factor_num: 0
    answer: 1

- Negative addition test:
    x_add: 5
    y_add: -7
    answer: -2

The first test gets matched to the addition test type in the pytest_config example, containing the two required keys. The second and third tests would get matched to the factorial test, except they're not in the file named "test_factorials.yml", so they just fail when you run the suite. The fourth test gets matched to the addition test type, so it runs with that method in the pytest_config.yml.

IMPORTANT NOTE: Before passing each yml test to their method, the plugin will move the title into the info, with title becoming key. So the title key is reserved:

# Before passing into the test, this test info:
- Negative addition test:
    x_add: 5
    y_add: -7
    answer: -2
# Will automatically become:
- title: Negative addition test
  x_add: 5
  y_add: -7
  answer: -2
# To make accessing each item easier to access.

(Example on how to access the test_info values here).

4) Using conftest.py for extra Flexibility

You're able to use pytest hooks (ext link) to run commands before the suite, add CLI options, etc; by declaring them in a conftest.py file inside your project.

(NOTE: Fixtures not currently supported, but hopefully coming soon!)

Adding CLI Options

Add the pytest_addoption (ext link) hook for declaring CLI arguments.

# Contents of conftest.py

def pytest_addoption(parser):
    # addoption is built on top of argparse, same syntax:
    parser.addoption("--api", action="store", default="local",
        help = "Which API to hit when running tests (LOCAL/DEV/TEST/PROD, or url).")

    # Add other 'parser.addoption' calls here for each argument

Then each tests can look at what was the user passed in, through the config.

# Contents of some test file, called by pytest_managers.py

def test_CheckQueries(**args):
    api = args["config"].getoption("--api")

    # ... Continue to run whatever checks after this ...

Running scripts before/after the Suite

Add the pytest_sessionstart (ext link) or pytest_sessionfinish (ext link) hooks for adding startup/tear down logic.

# Contents of conftest.py

def pytest_sessionstart(session):
    # If you have a directory for dumping temp files:
    temp_dir = "some/tmp/dir"
    if os.path.isdir(temp_dir):
        shutil.rmtree(temp_dir)
    os.mkdir(temp_dir)

def pytest_sessionfinish(session, exitstatus):
    # Maybe send a email if the suite fails
    pass

Full list of Hooks

You can find the full list here (ext link).


How to run tests

Running the Tests:

pytest <pytest and plugin args here> <PATH> <custom args here>
# Example:
pytest -n auto -s -tb short . --api devel
  • Common pytest CLI args:

    • '-n INT' => The number of threads to use. Make sure tests are thread-safe. (Default = 1, install pytest-xdist to use).

    • '-s' => If python prints anything, show it to your console.

    • '-x' => Quit as soon as the first test fails

    • (-v|-vv|-vvv) => How much info to print for each test

    • --tb ("short" | "long" | ...) => How much error to print, when a test fails. (Other options available, more info here (ext link))

  • Plugin CLI args (Filter what tests to run):

    • '--only-run-name, --dont-run-name' (--on/--dn) => (Can use multiple times) Looks at the name of each test to determine if it needs to run.

    • '--only-run-file', '--dont-run-file' (--of/--df) => (Can use multiple times) Determines if ALL tests in a file gets skipped, based on name of file. (Full name of file, but not the path).

    • '--only-run-type', '--dont-run-type' (--ot/--dt) => (Can use multiple times) Looks at the title in pytest_config.yml. Tries to see if what is passed to these, is within the title.

    • 'skip-all': Skips all pytest-automation yaml tests. (Doesn't skip vanilla pytest methods).

  • PATH:

    • The path to start collecting tests / conftest.py files from.

    • Normally just "." for current dir. (i.e. 'pyest . ')

  • Custom CLI args:

    Any arguments you define in your projects conftest.py file. More info here.


Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

pytest-automation-0.0.3.tar.gz (11.2 kB view hashes)

Uploaded Source

Built Distribution

pytest_automation-0.0.3-py3-none-any.whl (12.6 kB view hashes)

Uploaded Python 3

Supported by

AWS AWS Cloud computing and Security Sponsor Datadog Datadog Monitoring Fastly Fastly CDN Google Google Download Analytics Microsoft Microsoft PSF Sponsor Pingdom Pingdom Monitoring Sentry Sentry Error logging StatusPage StatusPage Status page