Skip to content

Result Manager module

Result Manager definition

UML Diagram

ResultManager

ResultManager()

Helper to manage Test Results and generate reports.

Examples
Create Inventory:

    inventory_anta = AntaInventory.parse(
        filename='examples/inventory.yml',
        username='ansible',
        password='ansible',
    )

Create Result Manager:

    manager = ResultManager()

Run tests for all connected devices:

    for device in inventory_anta.get_inventory().devices:
        manager.add(
            VerifyNTP(device=device).test()
        )
        manager.add(
            VerifyEOSVersion(device=device).test(version='4.28.3M')
        )

Print result in native format:

    manager.results
    [
        TestResult(
            host=IPv4Address('192.168.0.10'),
            test='VerifyNTP',
            result='failure',
            message="device is not running NTP correctly"
        ),
        TestResult(
            host=IPv4Address('192.168.0.10'),
            test='VerifyEOSVersion',
            result='success',
            message=None
        ),
    ]

The status of the class is initialized to “unset”

Then when adding a test with a status that is NOT ‘error’ the following table shows the updated status:

Current Status Added test Status Updated Status
unset Any Any
skipped unset, skipped skipped
skipped success success
skipped failure failure
success unset, skipped, success success
success failure failure
failure unset, skipped success, failure failure

If the status of the added test is error, the status is untouched and the error_status is set to True.

Source code in anta/result_manager/__init__.py
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
def __init__(self) -> None:
    """Class constructor.

    The status of the class is initialized to "unset"

    Then when adding a test with a status that is NOT 'error' the following
    table shows the updated status:

    | Current Status |         Added test Status       | Updated Status |
    | -------------- | ------------------------------- | -------------- |
    |      unset     |              Any                |       Any      |
    |     skipped    |         unset, skipped          |     skipped    |
    |     skipped    |            success              |     success    |
    |     skipped    |            failure              |     failure    |
    |     success    |     unset, skipped, success     |     success    |
    |     success    |            failure              |     failure    |
    |     failure    | unset, skipped success, failure |     failure    |

    If the status of the added test is error, the status is untouched and the
    error_status is set to True.
    """
    self._result_entries: list[TestResult] = []
    self.status: TestStatus = "unset"
    self.error_status = False

json property

json: str

Get a JSON representation of the results.

results property writable

results: list[TestResult]

Get the list of TestResult.

add

add(result: TestResult) -> None

Add a result to the ResultManager instance.

Args:
result: TestResult to add to the ResultManager instance.
Source code in anta/result_manager/__init__.py
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
def add(self, result: TestResult) -> None:
    """Add a result to the ResultManager instance.

    Args:
    ----
        result: TestResult to add to the ResultManager instance.
    """

    def _update_status(test_status: TestStatus) -> None:
        result_validator = TypeAdapter(TestStatus)
        result_validator.validate_python(test_status)
        if test_status == "error":
            self.error_status = True
            return
        if self.status == "unset" or self.status == "skipped" and test_status in {"success", "failure"}:
            self.status = test_status
        elif self.status == "success" and test_status == "failure":
            self.status = "failure"

    self._result_entries.append(result)
    _update_status(result.result)

filter

filter(hide: set[TestStatus]) -> ResultManager

Get a filtered ResultManager based on test status.

Args:
hide: set of TestStatus literals to select tests to hide based on their status.

Returns:

Type Description
A filtered `ResultManager`.
Source code in anta/result_manager/__init__.py
139
140
141
142
143
144
145
146
147
148
149
150
151
152
def filter(self, hide: set[TestStatus]) -> ResultManager:
    """Get a filtered ResultManager based on test status.

    Args:
    ----
        hide: set of TestStatus literals to select tests to hide based on their status.

    Returns
    -------
        A filtered `ResultManager`.
    """
    manager = ResultManager()
    manager.results = [test for test in self._result_entries if test.result not in hide]
    return manager

filter_by_devices

filter_by_devices(devices: set[str]) -> ResultManager

Get a filtered ResultManager that only contains specific devices.

Args:
devices: Set of device names to filter the results.

Returns:

Type Description
A filtered `ResultManager`.
Source code in anta/result_manager/__init__.py
169
170
171
172
173
174
175
176
177
178
179
180
181
182
def filter_by_devices(self, devices: set[str]) -> ResultManager:
    """Get a filtered ResultManager that only contains specific devices.

    Args:
    ----
        devices: Set of device names to filter the results.

    Returns
    -------
        A filtered `ResultManager`.
    """
    manager = ResultManager()
    manager.results = [result for result in self._result_entries if result.name in devices]
    return manager

filter_by_tests

filter_by_tests(tests: set[str]) -> ResultManager

Get a filtered ResultManager that only contains specific tests.

Args:
tests: Set of test names to filter the results.

Returns:

Type Description
A filtered `ResultManager`.
Source code in anta/result_manager/__init__.py
154
155
156
157
158
159
160
161
162
163
164
165
166
167
def filter_by_tests(self, tests: set[str]) -> ResultManager:
    """Get a filtered ResultManager that only contains specific tests.

    Args:
    ----
        tests: Set of test names to filter the results.

    Returns
    -------
        A filtered `ResultManager`.
    """
    manager = ResultManager()
    manager.results = [result for result in self._result_entries if result.test in tests]
    return manager

get_devices

get_devices() -> set[str]

Get the set of all the device names.

Returns:

Type Description
Set of device names.
Source code in anta/result_manager/__init__.py
193
194
195
196
197
198
199
200
def get_devices(self) -> set[str]:
    """Get the set of all the device names.

    Returns
    -------
        Set of device names.
    """
    return {str(result.name) for result in self._result_entries}

get_status

get_status(*, ignore_error: bool = False) -> str

Return the current status including error_status if ignore_error is False.

Source code in anta/result_manager/__init__.py
135
136
137
def get_status(self, *, ignore_error: bool = False) -> str:
    """Return the current status including error_status if ignore_error is False."""
    return "error" if self.error_status and not ignore_error else self.status

get_tests

get_tests() -> set[str]

Get the set of all the test names.

Returns:

Type Description
Set of test names.
Source code in anta/result_manager/__init__.py
184
185
186
187
188
189
190
191
def get_tests(self) -> set[str]:
    """Get the set of all the test names.

    Returns
    -------
        Set of test names.
    """
    return {str(result.test) for result in self._result_entries}