Skip to main content

unittest → Vedro Cheatsheet

Transitioning from unittest to Vedro can improve test structure, readability, and maintainability. This cheatsheet highlights key differences in running tests, command-line options, test structure, assertions, and parameterization.

Running Tests: Basic Commands

ActionunittestVedro
Run all tests in a directorypython3 -m unittest discover -s tests/vedro run tests/
Run a specific test filepython3 -m unittest tests/test_smth.pyvedro run tests/test_smth.py

Command-Line Options & Flags

FeatureunittestVedro
Verbose output
Displays more detailed test execution logs
-v, --verbose-v, --verbose
Quiet mode
Suppresses output
-q, --quiet-r silent
Show locals on failure
Displays local variables when a test fails
--locals--tb-show-locals
Fail fast
Stops execution after the first failure
-f, --failfast-f, --fail-fast
Set project directory
Defines the root directory of the project
-t, --top-level-directory--project-dir

Test Structure & Syntax

import unittest

class TestProcessOrder(unittest.TestCase):
def test_order_total(self):
order = {"price": 10, "quantity": 3}

result = process(order)

self.assertEqual(result["total"], 30)

Assertions

Assertion TypeunittestVedro
Check equalityself.assertEqual(a, b)assert a == b
Check inequalityself.assertNotEqual(a, b)assert a != b
Check truthyself.assertTrue(x)assert x
Check falsyself.assertFalse(x)assert not x
Check exception raisedwith self.assertRaises(Exception): ...with catched(Exception): ...

Parameterized Tests

import unittest

class TestProcessOrder(unittest.TestCase):

def test_order_total(self):
test_cases = [
({"price": 10, "quantity": 3}, 30),
({"price": 0, "quantity": 3}, 0),
({"price": 10, "quantity": 0}, 0),
]
for order, total in test_cases:
with self.subTest(order=order):
result = process(order)
self.assertEqual(result["total"], total)

Skipping & Conditional Execution

Skipping TypeunittestVedro
Skip a test@unittest.skip("reason")@vedro.skip("reason")
Skip conditionally@unittest.skipIf(cond, "reason")@vedro.skip_if(cond, "reason")

Async Testing

import unittest

class TestProcessOrder(unittest.IsolatedAsyncioTestCase):

async def test_order_total_async(self):
order = {"price": 10, "quantity": 3}

result = await process(order)

self.assertEqual(result["total"], 30)