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 Over 2 million developers have joined DZone. Join Today! Thanks for visiting DZone today,
Edit Profile Manage Email Subscriptions Moderation Admin Console How to Post to DZone Article Submission Guidelines
View Profile
Sign Out
Refcards
Trend Reports
Events
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
Partner Zones AWS Cloud
by AWS Developer Relations
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
Partner Zones
AWS Cloud
by AWS Developer Relations
  1. DZone
  2. Coding
  3. Frameworks
  4. Spring Testing Support with TestNG

Spring Testing Support with TestNG

Eren Avsarogullari user avatar by
Eren Avsarogullari
·
May. 29, 12 · Interview
Like (0)
Save
Tweet
Share
28.96K Views

Join the DZone community and get the full member experience.

Join For Free

TestNG is a test framework which is designed to cover all categories of tests: unit, functional, end-to-end, integration, (etc). It includes a lot of features such as flexible test configuration, support for data-driven testing (with @DataProvider), powerful execution model (no more TestSuite) (etc).

Spring testing support covers very useful and important features for unit and integration testing of spring based applications. The org.springframework.test.context.testng package provides support classes for TestNG based test cases. This article shows how to test Spring Service layer components by using Spring and TestNG integration. Also next article will show how to test Spring Data Access layer components by using same integration.

Used Technologies :

JDK 1.6.0_31
Spring 3.1.1
TestNG 6.4
Maven 3.0.2


STEP 1 : CREATE MAVEN PROJECT

A maven project is created as follows. (It can be created by using Maven or IDE Plug-in).

STEP 2 : LIBRARIES

Spring dependencies are added to Maven’ s pom.xml.

<properties>
    <spring.version>3.1.1.RELEASE</spring.version>
</properties>

<dependencies>
    <!-- Spring 3 dependencies -->
    <dependency>
        <groupId>org.springframework</groupId>
        <artifactId>spring-core</artifactId>
        <version>${spring.version}</version>
    </dependency>

    <dependency>
        <groupId>org.springframework</groupId>
        <artifactId>spring-context</artifactId>
        <version>${spring.version}</version>
    </dependency>

    <dependency>
        <groupId>org.springframework</groupId>
        <artifactId>spring-test</artifactId>
        <version>${spring.version}</version>
    </dependency>

    <!-- TestNG dependency -->
    <dependency>
        <groupId>org.testng</groupId>
        <artifactId>testng</artifactId>
        <version>6.4</version>
    </dependency>

    <!-- Log4j dependency -->
    <dependency>
        <groupId>log4j</groupId>
        <artifactId>log4j</artifactId>
        <version>1.2.16</version>
    </dependency>

</dependencies>

STEP 3 : CREATE USER CLASS

A new User Class is created.

package com.otv.user;

/**
 * User Bean
 *
 * @author  onlinetechvision.com
 * @since   19 May 2012
 * @version 1.0.0
 *
 */
public class User {

    private String id;
    private String name;
    private String surname;

    /**
     * Gets User Id
     *
     * @return String id
     */
    public String getId() {
        return id;
    }

    /**
     * Sets User Id
     *
     * @param String id
     */
    public void setId(String id) {
        this.id = id;
    }

    /**
     * Gets User Name
     *
     * @return String name
     */
    public String getName() {
        return name;
    }

    /**
     * Sets User Name
     *
     * @param String name
     */
    public void setName(String name) {
        this.name = name;
    }

    /**
     * Gets User Surname
     *
     * @return String Surname
     */
    public String getSurname() {
        return surname;
    }

    /**
     * Sets User Surname
     *
     * @param String surname
     */
    public void setSurname(String surname) {
        this.surname = surname;
    }

    @Override
    public String toString() {
        StringBuilder strBuilder = new StringBuilder();
        strBuilder.append("Id : ").append(getId());
        strBuilder.append(", Name : ").append(getName());
        strBuilder.append(", Surname : ").append(getSurname());
        return strBuilder.toString();
    }

    @Override
    public int hashCode() {
        final int prime = 31;
        int result = 1;
        result = prime * result + ((id == null) ? 0 : id.hashCode());
        result = prime * result + ((name == null) ? 0 : name.hashCode());
        result = prime * result + ((surname == null) ? 0 : surname.hashCode());
        return result;
    }

    @Override
    public boolean equals(Object obj) {
        if (this == obj)
            return true;
        if (obj == null)
            return false;
        if (getClass() != obj.getClass())
            return false;
        User other = (User) obj;
        if (id == null) {
            if (other.id != null)
                return false;
        } else if (!id.equals(other.id))
            return false;
        if (name == null) {
            if (other.name != null)
                return false;
        } else if (!name.equals(other.name))
            return false;
        if (surname == null) {
            if (other.surname != null)
                return false;
        } else if (!surname.equals(other.surname))
            return false;
        return true;
    }
}

STEP 4 : CREATE NonExistentUserException CLASS

NonExistentUserException Class is created.

package com.otv.common.exceptions;

/**
 * Non Existent User Exception
 *
 * @author  onlinetechvision.com
 * @since   19 May 2012
 * @version 1.0.0
 *
 */
public class NonExistentUserException extends Exception {

    private static final long serialVersionUID = 1L;

    public NonExistentUserException(String message) {
        super(message);
    }
}

STEP 5 : CREATE ICacheService INTERFACE

ICacheService Interface representing a cache service interface, is created.

package com.otv.cache.service;

import java.util.concurrent.ConcurrentHashMap;

import com.otv.user.User;

/**
 * Cache Service Interface
 *
 * @author  onlinetechvision.com
 * @since   19 May 2012
 * @version 1.0.0
 *
 */
public interface ICacheService {

   /**
     * Gets User Map
     *
     * @return ConcurrentHashMap User Map
     */
    ConcurrentHashMap<String, User> getUserMap();

}

STEP 6 : CREATE CacheService CLASS

CacheService Class is created by implementing ICacheService Interface. It provides access to the remote cache…

package com.otv.cache.service;

import java.util.concurrent.ConcurrentHashMap;

import com.otv.user.User;

/**
 * Cache Service Implementation
 *
 * @author  onlinetechvision.com
 * @since   19 May 2012
 * @version 1.0.0
 *
 */
public class CacheService implements ICacheService {

    //User Map is injected...
    private ConcurrentHashMap<String, User> userMap;

    /**
     * Gets User Map
     *
     * @return ConcurrentHashMap User Map
     */
    public ConcurrentHashMap<String, User> getUserMap() {
        return userMap;
    }

    /**
     * Sets User Map
     *
     * @param ConcurrentHashMap User Map
     */
    public void setUserMap(ConcurrentHashMap<String, User> userMap) {
        this.userMap = userMap;
    }

}

 

STEP 7 : CREATE IUserService INTERFACE

IUserService Interface representing User Service interface is created.

package com.otv.user.service;

import java.util.Collection;

import com.otv.common.exceptions.NonExistentUserException;
import com.otv.user.User;

/**
 *
 * User Service Interface
 *
 * @author  onlinetechvision.com
 * @since   19 May 2012
 * @version 1.0.0
 *
 */
public interface IUserService {

    /**
     * Adds User
     *
     * @param  User user
     * @return boolean whether delete operation is success or not.
     */
    boolean addUser(User user);

    /**
     * Deletes User
     *
     * @param  User user
     * @return boolean whether delete operation is success or not.
     */
    boolean deleteUser(User user);

    /**
     * Updates User
     *
     * @param  User user
     * @throws NonExistentUserException
     */
    void updateUser(User user) throws NonExistentUserException;

    /**
     * Gets User
     *
     * @param  String User Id
     * @return User
     */
    User getUserById(String id);

    /**
     * Gets User Collection
     *
     * @return List - User list
     */
    Collection<User> getUsers();
}

STEP 8 : CREATE UserService CLASS

UserService Class is created by implementing IUserService Interface.

package com.otv.user.service;

import java.util.Collection;
import com.otv.cache.service.ICacheService;
import com.otv.common.exceptions.NonExistentUserException;
import com.otv.user.User;

/**
 *
 * User Service
 *
 * @author  onlinetechvision.com
 * @since   19 May 2012
 * @version 1.0.0
 *
 */
public class UserService implements IUserService {

    //CacheService is injected...
    private ICacheService cacheService;

    /**
     * Adds User
     *
     * @param  User user
     * @return boolean whether delete operation is success or not.
     */
    public boolean addUser(User user) {

        getCacheService().getUserMap().put(user.getId(), user);
        if(getCacheService().getUserMap().get(user.getId()).equals(user)) {
            return true;
        }

        return false;
    }

    /**
     * Deletes User
     *
     * @param  User user
     * @return boolean whether delete operation is success or not.
     */
    public boolean deleteUser(User user) {
        User removedUser = getCacheService().getUserMap().remove(user.getId());
        if(removedUser != null) {
            return true;
        }
        return false;
    }

    /**
     * Updates User
     *
     * @param  User user
     * @throws NonExistentUserException
     */
    public void updateUser(User user) throws NonExistentUserException {
        if(getCacheService().getUserMap().containsKey(user.getId())) {
            getCacheService().getUserMap().put(user.getId(), user);
        } else {
            throw new NonExistentUserException("Non Existent User can not update! User : "+user);
        }
    }

    /**
     * Gets User
     *
     * @param  String User Id
     * @return User
     */
    public User getUserById(String id) {
        return getCacheService().getUserMap().get(id);
    }

    /**
     * Gets User List
     *
     * @return Collection - Collection of Users
     */
    public Collection<User> getUsers() {
        return (Collection<User>) getCacheService().getUserMap().values();
    }

    /**
     * Gets Cache Service
     *
     * @return ICacheService - Cache Service
     */
    public ICacheService getCacheService() {
        return cacheService;
    }

    /**
     * Sets Cache Service
     *
     * @param ICacheService - Cache Service
     */
    public void setCacheService(ICacheService cacheService) {
        this.cacheService = cacheService;
    }

}

STEP 9 : CREATE UserServiceTester CLASS

User Service Tester Class is created by extending AbstractTestNGSpringContextTests.

package com.otv.user.service.test;

import junit.framework.Assert;

import org.apache.log4j.Logger;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.test.context.ContextConfiguration;
import org.springframework.test.context.testng.AbstractTestNGSpringContextTests;
import org.testng.annotations.AfterClass;
import org.testng.annotations.AfterMethod;
import org.testng.annotations.AfterTest;
import org.testng.annotations.BeforeClass;
import org.testng.annotations.BeforeMethod;
import org.testng.annotations.BeforeTest;
import org.testng.annotations.Test;

import com.otv.common.exceptions.NonExistentUserException;
import com.otv.user.User;
import com.otv.user.service.IUserService;

/**
 * User Service Tester Class
 *
 * @author  onlinetechvision.com
 * @since   19 May 2012
 * @version 1.0.0
 *
 */
@ContextConfiguration(locations={"classpath:applicationContext.xml"})
public class UserServiceTester extends AbstractTestNGSpringContextTests {

    private static Logger logger = Logger.getLogger(UserServiceTester.class);

    @Autowired
    private IUserService userService;

    private User firstUser;
    private User secondUser;
    private User thirdUser;

    /**
     * Creates Test Users
     *
     */
    private void createUsers() {
        firstUser = new User();
        firstUser.setId("1");
        firstUser.setName("Lionel");
        firstUser.setSurname("Messi");

        secondUser = new User();
        secondUser.setId("2");
        secondUser.setName("David");
        secondUser.setSurname("Villa");

        thirdUser = new User();
        thirdUser.setId("3");
        thirdUser.setName("Andres");
        thirdUser.setSurname("Iniesta");
    }

    /**
     * Asserts that User Properties are not null.
     *
     * @param User
     */
    private void assertNotNullUserProperties(User user) {
        Assert.assertNotNull("User must not be null!", user);
        Assert.assertNotNull("Id must not be null!", user.getId());
        Assert.assertNotNull("Name must not be null!", user.getName());
        Assert.assertNotNull("Surname must not be null!", user.getSurname());
    }

    /**
     * The annotated method will be run before any test method belonging to the classes
     * inside the <test> tag is run.
     *
     */
    @BeforeTest
    public void beforeTest() {
        logger.debug("BeforeTest method is run...");
    }

    /**
     * The annotated method will be run before the first test method in the current class
     * is invoked.
     *
     */
    @BeforeClass
    public void beforeClass() {
        logger.debug("BeforeClass method is run...");
        createUsers();
    }

    /**
     * The annotated method will be run before each test method.
     *
     */
    @BeforeMethod
    public void beforeMethod() {
        logger.debug("BeforeMethod method is run...");
    }  

    /**
     * Tests the process of adding user
     *
     */
    @Test
    public void addUser() {
        assertNotNullUserProperties(firstUser);
        Assert.assertTrue("User can not be added! User : " + firstUser, getUserService().addUser(firstUser));
    }

    /**
     * Tests the process of querying user
     *
     */
    @Test
    public void getUserById() {
        User tempUser = getUserService().getUserById(firstUser.getId());
        assertNotNullUserProperties(tempUser);
        Assert.assertEquals("Id is wrong!", "1", tempUser.getId());
        Assert.assertEquals("Name is wrong!", "Lionel", tempUser.getName());
        Assert.assertEquals("Surname is wrong!", "Messi", tempUser.getSurname());
    }

    /**
     * Tests the process of deleting user
     *
     */
    @Test
    public void deleteUser() {
        assertNotNullUserProperties(secondUser);
        Assert.assertTrue("User can not be added! User : " + secondUser, getUserService().addUser(secondUser));
        Assert.assertTrue("User can not be deleted! User : " + secondUser, getUserService().deleteUser(secondUser));
    }

    /**
     * Tests the process of updating user
     * @throws NonExistentUserException
     *
     */
    @Test(expectedExceptions = NonExistentUserException.class)
    public void updateUser() throws NonExistentUserException {
        getUserService().updateUser(thirdUser);
    }

    /**
     * Test user count
     *
     */
    @Test
    public void getUserCount() {
        Assert.assertEquals(1, getUserService().getUsers().size());
    }

    /**
     * The annotated method will be run after all the test methods in the current class have been run.
     *
     */
    @AfterClass
    public void afterClass() {
        logger.debug("AfterClass method is run...");
    }

    /**
     * The annotated method will be run after all the test methods belonging to the classes inside the <test> tag have run.
     *
     */
    @AfterTest
    public void afterTest() {
        logger.debug("AfterTest method is run...");
    }

    /**
     * The annotated method will be run after each test method.
     *
     */
    @AfterMethod
    public void afterMethod() {
        logger.debug("AfterMethod method is run...");
    }

    /**
     * Gets User Service
     *
     * @return IUserService User Service
     */
    public IUserService getUserService() {
        return userService;
    }

    /**
     * Sets User Service
     *
     * @param IUserService User Service
     */
    public void setUserService(IUserService userService) {
        this.userService = userService;
    }

}

STEP 10 : CREATE applicationContext.xml

Application Context is created as follows :

<beans xmlns="http://www.springframework.org/schema/beans"
       xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"
       xsi:schemaLocation="http://www.springframework.org/schema/beans

http://www.springframework.org/schema/beans/spring-beans-3.0.xsd">

    <!-- User Map Declaration -->
    <bean id="UserMap" class="java.util.concurrent.ConcurrentHashMap" />

    <!-- Cache Service Declaration -->
    <bean id="CacheService" class="com.otv.cache.service.CacheService">
        <property name="userMap" ref="UserMap"/>
    </bean>

    <!-- User Service Declaration -->
    <bean id="UserService" class="com.otv.user.service.UserService">
        <property name="cacheService" ref="CacheService"/>
    </bean>
</beans>

STEP 11 : RUN PROJECT

In this article, TestNG Eclipse Plugin has been used. If you use Eclipse, it can be downloaded via TestNG download page

If UserServiceTester is run, results of the test cases are shown as follows :

STEP 12 : DOWNLOAD

OTV_SpringTestNG

REFERENCES :
Spring Testing Support
TestNG Reference

 

 

 

 

 

 

 

 

 

 

 

 

Spring Framework TestNG

Published at DZone with permission of Eren Avsarogullari, DZone MVB. See the original article here.

Opinions expressed by DZone contributors are their own.

Popular on DZone

  • How To Build an Effective CI/CD Pipeline
  • Microservices Testing
  • A Beginner's Guide to Infrastructure as Code
  • DeveloperWeek 2023: The Enterprise Community Sharing Security Best Practices

Comments

Partner Resources

X

ABOUT US

  • About DZone
  • Send feedback
  • Careers
  • Sitemap

ADVERTISE

  • Advertise with DZone

CONTRIBUTE ON DZONE

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

LEGAL

  • Terms of Service
  • Privacy Policy

CONTACT US

  • 600 Park Offices Drive
  • Suite 300
  • Durham, NC 27709
  • support@dzone.com
  • +1 (919) 678-0300

Let's be friends: