Page Objects are a good way to produce a maintainable and reusable codebase to implement automated ui tests with selenium. Nevertheless those page objects can contain a lot of (selenium related) boilerplate code that is mostly reused via copy and paste. This project provides processors to generate page object implementations by processing annotations placed on interfaces. By doing that it drastically increases readability of page objects and reduces time for development.
- generates page object class implementations based on annotated interfaces
- page objects support mixins - interfaces can extend multiple other interfaces and will inherit all of their elements and methods
- generates extraction data class implementations base on annotated interfaces.
- actions like clicking of elements or writing to input fields can be configured via annotations
- the api enforces creation of a fluent api that improves writing of tests. Doing assertions or executing of custom code is also embedded into this fluent api
The project is still in development, so it currently just supports a few Actions like clicking or writing to input fields. Other Actions will be added in the near future or can be easily integrated via an SPI.
Please create an issue, if you need specific action to be implemented. Usually it will be included shortly after ;)
The api lib must be bound as a dependency - for example in maven:
<dependencies>
<dependency>
<groupId>io.toolisticon.pogen4selenium</groupId>
<artifactId>pogen4selenium-api</artifactId>
<version>0.5.0</version>
<scope>provided</scope>
</dependency>
</dependencies>
Additionally, you need to declare the annotation processor path in your compiler plugin:
<plugin>
<artifactId>maven-compiler-plugin</artifactId>
<configuration>
<annotationProcessorPaths>
<path>
<groupId>io.toolisticon.pogen4selenium</groupId>
<artifactId>pogen4selenium-processor</artifactId>
<version>0.1.0</version>
</path>
</annotationProcessorPaths>
</configuration>
</plugin>
The page object interfaces must be annotated with the PageObject annotation and must extend the PageObjectParent interface.
There are basically two ways to reference elements. The first is to use element fields in the generated classes that will internally be initialized via Selniums PageFactory.
To achieve that it's necessary to add String constants annotated with the PageObjectElement annotation for all web elements which are related with the page object. The constant values must be unique inside the interface and will be used in the generated class as variable names for the corresponding elements. The constant names must have "_ID" as suffix.
The other way is to use By locators on the fly by configuring them directly in the action annotations.
Those action annotations must be placed on PageObject interface methods or method parameters. Those methods must return another page object interface.
It's also possible to add methods to extract data. Those methods must be annotated with the ExtractData annotation and must return an instance or List of a data extraction type (see next section)
You are able to use default methods to use custom code.
Our example website is just a simple html file. This example demonstrates how to setup the page object:
@PageObject
public interface TestPagePageObject extends PageObjectParent<TestPagePageObject>{
static final String DATA_EXTRACTION_FROM_TABLE_XPATH = "//table//tr[contains(@class,'data')]";
TestPagePageObject writeToInputField(@ActionWrite(by=_By.ID, value="input_field") String value);
@ExtractDataValue(by=_By.ID, value = "input_field", kind=Kind.ATTRIBUTE, name="value")
String readInputFieldValue();
@ActionMoveToAndClick(by=_By.XPATH, value = "//fieldset[@name='counter']/input[@type='button']")
@Pause(value = 500L)
TestPagePageObject clickCounterIncrementButton();
@ExtractData(by = io.toolisticon.pogen4selenium.api._By.XPATH, value = DATA_EXTRACTION_FROM_TABLE_XPATH)
List<TestPageTableEntry> getTableEntries();
@ExtractData(by = io.toolisticon.pogen4selenium.api._By.XPATH, value = DATA_EXTRACTION_FROM_TABLE_XPATH)
TestPageTableEntry getFirstTableEntry();
@ExtractDataValue(by = _By.XPATH, value="//fieldset[@name='counter']/span[@id='counter']")
String getCounter();
// you can always provide your own methods and logic
default String providedGetCounter() {
return getDriver().findElement(org.openqa.selenium.By.xpath("//fieldset[@name='counter']/span[@id='counter']")).getText();
}
// Custom entry point for starting your tests
public static TestPagePageObject init(WebDriver driver) {
driver.get("http://localhost:9090/start");
return new TestPagePageObjectImpl(driver);
}
}
Interfaces for data extraction must be annotated with the DataToExtract annotation. The methods for reading extracted data values must be annotated with the DataToExtractValue annotation. Like with selenium it's possible to use different mechanics to locate the web elements to read the values from. Please make sure to use to prefix xpath expressions with "./" to locate elements relative to the Root element for extraction defined in the page objects extraction method.
Extracting table data for our small example:
@DataObject
public interface TestPageTableEntry {
// will use XPATH locator by default if by attribute isn't set explicitly
@ExtractDataValue(by = _By.XPATH, value = "./td[1]")
String name();
@ExtractDataValue( value = "./td[2]")
String age();
@ExtractDataValue( value = "./td[3]/a", kind = Kind.ATTRIBUTE, name = "href")
String link();
@ExtractDataValue(, value = "./td[3]/a", kind = Kind.TEXT)
String linkText();
}
Writing tests is easy. The fluent api provides a doAssertions method that allows you to inline custom assertions done with your favorite unit testing tool.
public class TestPageTest {
private WebDriver webDriver;
private JettyServer jettyServer;
@Before
public void init() throws Exception{
jettyServer = new JettyServer();
jettyServer.start();
webDriver = new EdgeDriver();
webDriver.manage().timeouts().implicitlyWait(Duration.ofSeconds(10));
}
@After
public void cleanup() throws Exception{
webDriver.quit();
jettyServer.stop();
}
@Test
public void extractDatasetsTest() {
TestPagePageObject.init(webDriver)
.doAssertions(e -> {
// Do assertions here
List<TestPageTableEntry> results = e.getTableEntries();
MatcherAssert.assertThat(results, Matchers.hasSize(2));
MatcherAssert.assertThat(results.getFirst().name(), Matchers.is("Max"));
MatcherAssert.assertThat(results.getFirst().age(), Matchers.is("9"));
MatcherAssert.assertThat(results.getFirst().link(), Matchers.is("https://de.wikipedia.org/wiki/Max_und_Moritz"));
MatcherAssert.assertThat(results.getFirst().linkText(), Matchers.is("Max und Moritz Wikipedia"));
MatcherAssert.assertThat(results.get(1).name(), Matchers.is("Moritz"));
MatcherAssert.assertThat(results.get(1).age(), Matchers.is("10"));
MatcherAssert.assertThat(results.get(1).link(), Matchers.is("https://de.wikipedia.org/wiki/Wilhelm_Busch"));
MatcherAssert.assertThat(results.get(1).linkText(), Matchers.is("Wilhelm Busch Wikipedia"));
});
}
@Test
public void extractFirstDatasetTest() {
TestPagePageObject.init(webDriver)
.doAssertions(e -> {
// Do assertions here
TestPageTableEntry result = e.getFirstTableEntry();
MatcherAssert.assertThat(result.name(), Matchers.is("Max"));
MatcherAssert.assertThat(result.age(), Matchers.is("9"));
MatcherAssert.assertThat(result.link(), Matchers.is("https://de.wikipedia.org/wiki/Max_und_Moritz"));
MatcherAssert.assertThat(result.linkText(), Matchers.is("Max und Moritz Wikipedia"));
});
}
@Test
public void incrementCounterTest() {
TestPagePageObject.init(webDriver)
.doAssertions(e -> {
MatcherAssert.assertThat(e.getCounter(), Matchers.is("1"));
})
.clickCounterIncrementButton()
.doAssertions(e -> {
MatcherAssert.assertThat(e.getCounter(), Matchers.is("2"));
})
.clickCounterIncrementButton()
.clickCounterIncrementButton()
.doAssertions(e -> {
MatcherAssert.assertThat(e.getCounter(), Matchers.is("4"));
});
}
}
There are some default methods provided by the fluent api:
By using the verify methods it's possible to do check state of elements, i.e. if url matches a regular expression or if elements are present or clickable. Expected state is configured in PageObjectElement annotation. If not set explicitly all elements are expected to be present by default.
It's possible to inline assertions done via your favorite testing tools. By providing this method it's not necessary to hassle with local variables anymore.
The execute method allows you to do test steps dynamically, like reading data from the web page and doing things based on the extracted data. It can also be used to switch to another page object type. This can be useful if input data is expected to be validated and should stay on the same page and show an error message.
It's possible to enforce an explicit pause time by using this method
Change the page objects type if expected behavior leaves the 'happy path' - for example if you expect to encounter a failing form validation or similar things.
New action annotations can added by providing an action annotation annotated itself with the Action meta annotation. Annotations must either be applicable to methods or method parameters.
The corresponding code can be provided by implementing the ActionHandler interface:
/**
* Service provider interface to bind implementations for actions.
*/
@Spi
public interface ActionHandler {
/**
* The fully qualified name of the related annotation type.
* @return the fqn of the supported annotation type
*/
String getSupportedActionAnnotationClassFqn();
/**
* Method that is called to generate the code necessary to fulfill the action.
* @param element The annotated element
* @return The code that must be added to the annotated method or an empty String(must not be null !!!)
*/
public String generateCode(Element element);
/**
* Gets all import needed by the generated code to be compiled and executed correctly
* @param element the annotated element
* @return a set containing all imports or an empty list (must not be null !!!)
*/
public Set<String> getImports(Element element);
}
There are a few things you should consider as best practices
- Naming convention: Please use specific prefixes for you page object methods. This can be 'do' for all actions and 'get' for reading data.
- Page objects should define just the happy path. Special cases like failing validations can be handled in the unit tests via the execute method(you can map to another page object type in it).
Please check the our example submodule: example
It contains a basic example page demonstrating the usage of all available actions and data extraction. A second example shows how to test the google search page.
We welcome any kind of suggestions and pull requests.
The pogen4selenium is built using Maven.
A simple import of the pom in your IDE should get you up and running. To build the pogen4selenium on the commandline, just run mvn
or mvn clean install
The likelihood of a pull request being used rises with the following properties:
- You have used a feature branch.
- You have included a test that demonstrates the functionality added or fixed.
- You adhered to the code conventions.
This project is released under the revised MIT License.
This project includes and repackages the Annotation-Processor-Toolkit released under the MIT License.