Photo by Mateus Campos Felipe on Unsplash
The scarlet ibis, sometimes called red ibis (Eudocimus ruber), is a species of ibis in the bird family Threskiornithidae. It inhabits tropical South America and part of the Caribbean. In form, it resembles most of the other twenty-seven extant species of ibis, but its remarkably brilliant scarlet coloration makes it unmistakable. It is one of the two national birds of Trinidad and Tobago, and its Tupi–Guarani name, guará, is part of the name of several municipalities along the coast of Brazil.
Syntax
Application.at(apage.DoSomething, with_a_parameter=a_value).asserts(it.Matches, ACondition)
Guará is an implementation of the Page Transactions
pattern. The intent of this pattern is to simplify UI test automation. It was inspired by Page Objects, App Actions, and Screenplay. Page Transactions
focus on the operations (transactions) a user can perform on a web page, such as Login, Logout, or Submit Forms. The idea is to group blocks of interactions into classes. These classes inherit from AbstractTransaction
and override the do
method.
Each transaction is passed to the Application
instance, which provides the methods at
and asserts
. These are the only two methods necessary to orchestrate the automation. While it is primarily bound to Selenium WebDriver
, experience shows that it can also be used to test REST APIs and unit tests, for example (check the tests
folder).
Here is the base implementation of the framework:
from typing import Any, NoReturn
from selenium.webdriver.remote.webdriver import WebDriver
from guara.it import IAssertion
class AbstractTransaction:
def __init__(self, driver: WebDriver):
self._driver = driver
def do(self, **kwargs) -> Any | NoReturn:
raise NotImplementedError
class Application:
def __init__(self, driver):
self._driver = driver
@property
def result(self):
return self._result
def at(self, transaction: AbstractTransaction, **kwargs):
self._result = transaction(self._driver).do(**kwargs)
return self
def asserts(self, it: IAssertion, expected):
it().asserts(self._result, expected)
return self
-
AbstractTransaction
: This is the class from which all transactions inherit. Thedo
method is implemented by each transaction. In this method, calls to WebDriver are placed. If the method returns something, like a string, the automation can use it for assertions. -
Application
: This is the runner of the automation. It executes thedo
method of each transaction and validates the result using theasserts
method.- The
asserts
method receives a reference to anIAssertion
instance. It implements theStrategy Pattern
to allow its behavior to change at runtime. - Another important component of the
Application
is theresult
property. It holds the result of the transaction, which can be used byasserts
or inspected by the test using the native built-inassert
method.
- The
-
IAssertion
: This is the interface implemented by all assertion classes.- The
asserts
method of each subclass contains the logic to perform validations. For example, theIsEqualTo
subclass compares theresult
with the expected value provided by the tester. - Testers can extend this interface to add new validations that the framework does not natively support.
- The
When the framework is in action, it follows a highly repetitive pattern. Notice the use of the at
method to invoke transactions and the asserts
method to apply assertion strategies. Also, the automation is describe in plain English improving the comprehention of the code.
def test_sample_web_page():
# Instantiates the Application with a driver
app = Application(webdriver.Chrome())
# At setup opens the web application
app.at(setup.OpenApp, url="https://anyhost.com/",)
# At Home page changes the language to Portuguese and asserts its content
app.at(home.ChangeToPortuguese).asserts(it.IsEqualTo, content_in_portuguese)
# Still at Home page changes the language
# to English and uses native assertion to validate the `result`
assert app.at(home.ChangeToEnglish).result == content_in_english
# At Info page asserts the text is present
app.at(info.NavigateTo).asserts(
it.Contains, "This project was born"
)
# At setup closes the web application
app.at(setup.CloseApp)
setup.OpenApp
andsetup.CloseApp
are part of the framework and provide basic implementation to open and close the web application using Selenium Webdriver.
The ugly code which calls the webdriver is like this:
class ChangeToPortuguese(AbstractTransaction):
def __init__(self, driver):
super().__init__(driver)
# Implements the `do` method and returns the `result`
def do(self, **kwargs):
self._driver.find_element(
By.CSS_SELECTOR, ".btn:nth-child(3) > button:nth-child(1) > img"
).click()
self._driver.find_element(By.CSS_SELECTOR, ".col-md-10").click()
return self._driver.find_element(By.CSS_SELECTOR, "label:nth-child(1)").text
Again, it is a very repetivite activity:
- Create a class representing the transaction, in this case, the transaction changes the language to Portuguese
- Inherits from
AbstractTransaction
- Implementes the
do
method- Optinonal: Returns the result of the transaction
Read more in Tutorial
This framework can be installed by
pip install guara
It is recommended to use pytest
# Executes reporting the complete log
python -m pytest -o log_cli=1 --log-cli-level=INFO
Outputs
tests/web_ui_local/test_local_page.py::TestLocalTransaction::test_local_page
--------------------------------------------------------------- live log setup ---------------------------------------------------------------
INFO guara.transaction:transaction.py:26 Transaction 'OpenApp'
INFO guara.transaction:transaction.py:28 url: file:////sample.html
INFO guara.transaction:transaction.py:28 window_width: 1094
INFO guara.transaction:transaction.py:28 window_hight: 765
INFO guara.transaction:transaction.py:28 implicitly_wait: 0.5
--------------------------------------------------------------- live log call ----------------------------------------------------------------
INFO guara.transaction:transaction.py:26 Transaction 'SubmitText'
INFO guara.transaction:transaction.py:28 text: bla
INFO guara.transaction:transaction.py:34 Assertion 'IsEqualTo'
INFO guara.transaction:transaction.py:35 actual: 'It works! bla!'
INFO guara.transaction:transaction.py:36 expected: 'It works! bla!'
INFO guara.transaction:transaction.py:37 ---
INFO guara.transaction:transaction.py:26 Transaction 'SubmitText'
INFO guara.transaction:transaction.py:28 text: bla
INFO guara.transaction:transaction.py:34 Assertion 'IsNotEqualTo'
INFO guara.transaction:transaction.py:35 actual: 'It works! blabla!'
INFO guara.transaction:transaction.py:36 expected: 'Any'
INFO guara.transaction:transaction.py:37 ---
PASSED
Read the step-by-step to build your first automation with this framework.
Read the Code of Conduct before push new Merge Requests. Now, follow the steps in Contributing session.