DZone
Thanks for visiting DZone today,
Edit Profile
  • Manage Email Subscriptions
  • How to Post to DZone
  • Article Submission Guidelines
Sign Out View Profile
  • Post an Article
  • Manage My Drafts
Over 2 million developers have joined DZone.
Log In / Join
Refcards Trend Reports
Events Video Library
Refcards
Trend Reports

Events

View Events Video Library

Zones

Culture and Methodologies Agile Career Development Methodologies Team Management
Data Engineering AI/ML Big Data Data Databases IoT
Software Design and Architecture Cloud Architecture Containers Integration Microservices Performance Security
Coding Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks
Culture and Methodologies
Agile Career Development Methodologies Team Management
Data Engineering
AI/ML Big Data Data Databases IoT
Software Design and Architecture
Cloud Architecture Containers Integration Microservices Performance Security
Coding
Frameworks Java JavaScript Languages Tools
Testing, Deployment, and Maintenance
Deployment DevOps and CI/CD Maintenance Monitoring and Observability Testing, Tools, and Frameworks

How does AI transform chaos engineering from an experiment into a critical capability? Learn how to effectively operationalize the chaos.

Data quality isn't just a technical issue: It impacts an organization's compliance, operational efficiency, and customer satisfaction.

Are you a front-end or full-stack developer frustrated by front-end distractions? Learn to move forward with tooling and clear boundaries.

Developer Experience: Demand to support engineering teams has risen, and there is a shift from traditional DevOps to workflow improvements.

Related

  • Setting Up a Local Development Environment With IntelliJ, DevContainers, and Amazon Linux 2023
  • Leveraging Test Containers With Docker for Efficient Unit Testing
  • Fast Deployments of Microservices Using Ansible and Kubernetes
  • Navigating the Testing Waters With Docker: A Personal Journey

Trending

  • Before You Microservice Everything, Read This
  • Mastering Kubernetes Observability: Boost Performance, Security, and Stability With Tracestore, OPA, Flagger, and Custom Metrics
  • Understanding the Circuit Breaker: A Key Design Pattern for Resilient Systems
  • Understanding the 5 Levels of LeetCode to Crack Coding Interview
  1. DZone
  2. Testing, Deployment, and Maintenance
  3. Testing, Tools, and Frameworks
  4. How to Run a Selenium Test with TestNG

How to Run a Selenium Test with TestNG

Learn to execute a Selenium test using TestNG on Java with this step-by-step tutorial to develop a test with Maven and IntelliJ IDEA.

By 
Dzmitry Ihnatsyeu user avatar
Dzmitry Ihnatsyeu
·
Mar. 20, 18 · Tutorial
Likes (1)
Comment
Save
Tweet
Share
16.0K Views

Join the DZone community and get the full member experience.

Join For Free

If you are reading this article, you are probably at a point where you need discover how to execute Selenium tests on Java using the TestNG framework. But why TestNG and what differentiates it from other similar tools? TestNG is a powerful framework inspired by unit-based frameworks' features, but not limited to them. TestNG takes the advantages of unit frameworks, like simplicity and clear syntax, and extends them with the functionality to create any type of test: unit, functional, integration, etc. The range of features is wide and is a topic for a separate blog post.

When used with Selenium, TestNG makes it easy to control Selenium sessions, create and shutdown browsers and run tests in parallel with any configuration. In addition, if you need to log any Selenium event while running your tests, no problem, TestNG will handle it for you! Here, we will learn how simple it is to create a single Selenium test in TestNG. Let's start practicing!

To create a test you will need to have the following installed:

1. Java version 1.7 or above. You can download it from the official site.

2. Maven as a build tool. To download follow this link. Maven is a project management tool that helps you build your project and manage documentation and resources. In terms of this blog we will use maven to compile the Java code, download libraries like TestNG and Selenium and run tests.

3. IntelliJ IDEA as Java IDE. The Community version will work. (Intellij IDEA is used as an IDE in this blog post to demonstrate the power of TestNG with Selenium, however you can use any IDE you are familiar with or are used to working with).

Creating a Project with IntelliJ IDEA

To create a project in IntelliJ IDEA select: File -> New -> Project. Select maven. Click on Next.

In the next step, specify a unique group id (consider a group as a tree of folders for your project), an artifactId (project name) and version.

Let's review the created project tree:

At the project root directory there is a "pom.xml" file, which is the configuration file of the project.

First, the dependencies from TestNG and Selenium are declared:

<dependencies>
    <dependency>
        <groupId>org.testng</groupId>
        <artifactId>testng</artifactId>
        <version>6.11</version>
        <scope>test</scope>
    </dependency>
    <dependency>
        <groupId>org.seleniumhq.selenium</groupId>
        <artifactId>selenium-java</artifactId>
        <version>3.9.0</version>
    </dependency>
</dependencies>


Deploying the Selenium Testing Environment

The next step is to deploy an environment to run the tests on. For this, you can use Docker. Docker is a tool that helps you virtually build your environment on one or several physical machines. Moreover, Docker allows you to build a complete infrastructure that is embedded or detached from the physical network. The only thing you need is to provide a configuration file for the Docker machine and that's it - you have a ready to use environment to run your tests without spending time on installing and configuring nodes! Really great, isn't it?

Below is the configuration of the Selenium remote hub declared in the 'docker-compose.yml' file that is located in project root.

selenium-hub:
  image: selenium/hub
  ports:
  - 4444:4444

chrome:
  image: selenium/node-chrome
  links:
  - selenium-hub:hub
  volumes:
  - /dev/shm:/dev/shm

firefox:
  image: selenium/node-firefox
  environment:
    HUB_PORT_4444_TCP_ADDR: hub
  links:
  - selenium-hub:hub


The configuration file is self-explanatory: we have a hub node that is binded to the 4444 port (this is the default port to start the remote server on. If the physical machine where you intend to deploy the environment is busy, feel free to use any other), with two nodes with Chrome and Firefox browsers.

We don't need to care about what exists under those image files like selenium/hub. It can be any OS with the installed browsers or anything else you just need.

To deploy the environment, install docker-compose tool following these instructions. Once installed, execute 'docker-compose up -d' in the command line against the directory file that 'docker-compose.yml' is located at.

And done! Your environment is up with the help of Docker containers. In the example there are 3 containers deployed: selenium-hub, chrome and firefox.

If you would like to know more about Docker, refer to the official website.

Create Your TestNG Test

Now it's time to create a simple test within the TestNG framework.

Below is the test that goes to https://www.blazemeter.com/selenium and verifies if the link to the home page is correct. The test is created in test\java\tests\DemoTest.java.

package tests;

import environment.EnvironmentManager;
import environment.RunEnvironment;
import org.openqa.selenium.By;
import org.openqa.selenium.WebDriver;
import org.testng.annotations.AfterTest;
import org.testng.annotations.BeforeTest;
import org.testng.annotations.Test;

import java.net.MalformedURLException;

public class DemoTest {

    @BeforeTest
    public void startDriver() throws MalformedURLException {
        EnvironmentManager.initDriver();
    }

    @Test
    public void NGDemoTest() {
        WebDriver driver = RunEnvironment.getWebDriver();
        driver.get("https://www.blazemeter.com/selenium");
        String homeUrl = driver.findElement(By.cssSelector("div#logo>   a#logo_image ")).getAttribute("href");
        assert homeUrl.equals("https://www.blazemeter.com/");
    }

    @AfterTest
    public void shutDownDriver() {
        EnvironmentManager.shutDownDriver();
    }
}


To identify a method as a test annotation, @Test is used. There can be multiple tests within a single class. There are 2 useful annotations used here: @BeforeTest and @AfterTest. The methods marked with these annotations are executed before and after any method (respectively) with the @Test annotation within this class (it worth mentioning that if you are extending from a class that has methods with @BeforeTest and @AfterTest annotations, they will be executed too).

TestNG offers great flexibility by introducing annotations such as @BeforeClass or @AfterClass to run methods before all tests in the class. To get the full list refer to the TestNG documentation.

In the example, the method annotated with @BeforeTest initializes the remote webdriver and the method @AfterClass shuts it down.

The WebDriver is initialized in the way defined below in test/java/environment/EnvironmentManager.java

public static void initDriver() throws MalformedURLException {
    DesiredCapabilities desiredCapabilities = new DesiredCapabilities();
    desiredCapabilities.setBrowserName(ExecutionProperties.getBrowser());
    RemoteWebDriver driver = new RemoteWebDriver(new URL(String.format("%s/wd/hub", ExecutionProperties.getHost())), desiredCapabilities);
    RunEnvironment.setWebDriver(driver);
}
 
And shutting down:
 
public static void shutDownDriver() {
    RunEnvironment.getWebDriver().quit();
}


And shutting down:

public static void shutDownDriver() {
    RunEnvironment.getWebDriver().quit();
}


You may notice that the EnvironmentManager doesn't manipulate the web driver directly. Instead, the virtual container RunEnvironment ( in package test/java/environment) is used. This structure is defined to split the responsibilities of defining the way the driver is initialized and managing the webdriver instance.

The required browser name is loaded from the system property "browser" or the default value "chrome" is used.

The same goes for the host of the RemoteWebDriver. It should be the same where Docker containers are deployed. The default value is http://localhost:4444.

Now the test needs to be included into a suite file, which is basically a single file in xml format. A Suite file is useful to execute tests grouped together logically and it's also a convenient way to execute tests via maven.

suites/demo.xml
<!DOCTYPE suite SYSTEM "http://testng.org/testng-1.0.dtd">
<suite name="Demo Suite">
 <test name="demo test">
     <classes>
         <class name="tests.DemoTest"></class>
     </classes>
 </test>
</suite>


Running Your Tests

To run all tests in suite, the maven-surefire-plugin is used.


<plugin>
    <groupId>org.apache.maven.plugins</groupId>
    <artifactId>maven-surefire-plugin</artifactId>
    <version>2.20.1</version>
    <configuration>
        <suiteXmlFiles>
            <suiteXmlFile>suites/demo.xml</suiteXmlFile>
        </suiteXmlFiles>
    </configuration>
</plugin>


The suiteXmlFile is the path to the required suite file. In the example, the hard-coded path is used, however in the real world it is advised to pass it as an environment variable to execute required suite. This rule will keep your code flexible enough to switch to different suites without modifying the code.

Now you can run tests with maven by running 'mvn install' or 'mvn test' in the command line. There is also an option to run a single test with the command ' mvn -Dtest=DemoTest test ', where 'DemoTest' is the name of the test to run.

You can also skip all these steps and upload your script (in java and yaml) to BlazeMeter, and easily run it.

By default, TestNG produces xml and html reports. The HTML report of the executed test:

The default report is not informative enough, but there is an option to provide your own Reporter by implementing interface org.testng.IReporter and including it into the surefire-plugin configuration in maven pom.xml:

<property>
              <name>reporter</name>
              <value>listenReport.Reporter</value>
            </property>


That's it! Following this guide you can create and execute tests using TestNG, Selenium and maven. You might say that in the real world, tests are much more complex than in the example, and you are right. Therefore, we recommend going deeper into TestNG features by browsing its official documentation. TestNG offers many more features than just @Test and the @Before and @Ater annotations. You can provide data providers to implement Data-Driven testing, you can specify custom listeners and reporters, run tests in parallel on any level and so on. So start testing now.

Testing TestNG intellij Docker (software) Apache Maven

Published at DZone with permission of Dzmitry Ihnatsyeu, DZone MVB. See the original article here.

Opinions expressed by DZone contributors are their own.

Related

  • Setting Up a Local Development Environment With IntelliJ, DevContainers, and Amazon Linux 2023
  • Leveraging Test Containers With Docker for Efficient Unit Testing
  • Fast Deployments of Microservices Using Ansible and Kubernetes
  • Navigating the Testing Waters With Docker: A Personal Journey

Partner Resources

×

Comments

The likes didn't load as expected. Please refresh the page and try again.

ABOUT US

  • About DZone
  • Support and feedback
  • Community research
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

  • Article Submission Guidelines
  • Become a Contributor
  • Core Program
  • Visit the Writers' Zone

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 3343 Perimeter Hill Drive
  • Suite 100
  • Nashville, TN 37211
  • [email protected]

Let's be friends: