public boolean isValidDateFormat(String format, String value) {
Date date = null;
try {
SimpleDateFormat sdf = new SimpleDateFormat(format);
date = sdf.parse(value);
if (!value.equals(sdf.format(date))) {
date = null;
}
} catch (ParseException e) {
e.printStackTrace();
}
return date != null;
}
PSS Automation
The desire to create this blog to share my knowledge to others.
Tuesday, April 1, 2025
Check the date format of value
Monday, March 24, 2025
JSON Using Jackson API
Maven Dependency:
<!-- jackson-databind jar -->
<dependency>
<groupId>com.fasterxml.jackson.core</groupId>
<artifactId>jackson-databind</artifactId>
<version>2.18.3</version>
</dependency>
Class ObjectMapper:
// Create an object to ObjectMapper ObjectMapper objectMapper = new ObjectMapper();
Create a JSON Object or Object Node:
It is similar to map put method. put method is overloaded to accept different types of data
// Creating Node that maps to JSON Object structures in JSON content ObjectNode bookingDetails = objectMapper.createObjectNode();
// String as field value bookingDetails.put("firstname", "Jim"); bookingDetails.put("lastname", "Brown"); // integer as field value bookingDetails.put("totalprice", 111); // boolean as field value bookingDetails.put("depositpaid", true); bookingDetails.put("additionalneeds", "Breakfast");
Note: Duplicate field name. Will override the value.
bookingDetails.put("additionalneeds", "Lunch");
// To print created json object String createdPlainJsonObject = objectMapper.writerWithDefaultPrettyPrinter().writeValueAsString(bookingDetails); System.out.println("Created plain JSON Object is : \n"+ createdPlainJsonObject);
Output :–
Created plain JSON Object is : { "firstname" : "Jim", "lastname" : "Brown", "totalprice" : 111, "depositpaid" : true, "additionalneeds" : "Lunch" }
Create a nested JSON Object or Object Node:
// Since requirement is to create a nested JSON Object ObjectNode bookingDateDetails = objectMapper.createObjectNode(); bookingDateDetails.put("checkin", "2021-07-01"); bookingDateDetails.put("checkout", "2021-07-01");
We use set(String fieldName, JsonNode fieldValue) or replace(String fieldName, JsonNode fieldValue)
bookingDetails.set("bookingdates", bookingDateDetails);
// To get the created json object as string. Use writerWithDefaultPrettyPrinter() for proper formatting String createdNestedJsonObject = objectMapper.writerWithDefaultPrettyPrinter().writeValueAsString(bookingDetails); System.out.println("Created nested JSON Object is : \n"+ createdNestedJsonObject);
Output:
Created nested JSON Object is : { "firstname" : "Jim", "lastname" : "Brown", "totalprice" : 111, "depositpaid" : true, "additionalneeds" : "Lunch", "bookingdates" : { "checkin" : "2021-07-01", "checkout" : "2021-07-01" } }
Retrieve a field value from JSON Object or ObjectNode:
We can retrieve field value by passing field name. Since it is string, use asText(). String firstName = bookingDetails.get("firstname").asText(); System.out.println("First name is : "+firstName); // We can use asText() as well but return type will be string boolean depositpaid = bookingDetails.get("depositpaid").asBoolean(); System.out.println("deposit paid is : "+depositpaid); // To retrieve value of nested ObjectNode bookingDetails.get("bookingdates").get("checkin").asText(); System.out.println("Checkin date is : "+depositpaid);
Output:
First name is : Jim deposit paid is : true Checkin date is : 2021-07-01
Retrieve all field names from JSON Object or Object Node:
To retrieve all field names from a ObjectNode, we need to use fieldNames() methods which returns an Iterator<String>.
// To get all field names System.out.println("Count of fields in ObjectNode : "+ bookingDetails.size()); Iterator allFieldNames = bookingDetails.fieldNames(); System.out.println("Fields are : "); while(allFieldNames.hasNext()) { System.out.println(allFieldNames.next()); }
Output:
Count of fields in ObjectNode : 6 Fields are : firstname lastname totalprice depositpaid additionalneeds bookingdates
Retrieve all field values from from JSON Object or ObjectNode:
To retrieve all field values from an ObjectNode, use elements() method which returns an Iterator of JsonNode.
// To get all field values Iterator allFieldValues = bookingDetails.elements(); System.out.println("Fields values are : "); while(allFieldValues.hasNext()) { System.out.println(allFieldValues.next()); }
Output:
Fields values are : "Jim" "Brown" 111 true "Lunch" {"checkin":"2021-07-01","checkout":"2021-07-01"}
Retrieve all key-value pair from JSON Object or ObjectNod:
We can use fields() method to get all fields (with both names and values) of a JSON Object. It returns an Iterator<Entry<String,JsonNode>>.
// To get all key-value pair Iterator> allFieldsAndValues = bookingDetails.fields(); System.out.println("All fields and their values are : "); while(allFieldsAndValues.hasNext()) { Entry node = allFieldsAndValues.next(); System.out.println("Key is : "+node.getKey()+" and its value is : "+node.getValue()); }
Output:
All fields and their values are : Key is : firstname and its value is : "Jim" Key is : lastname and its value is : "Brown" Key is : totalprice and its value is : 111 Key is : depositpaid and its value is : true Key is : additionalneeds and its value is : "Lunch" Key is : bookingdates and its value is : {"checkin":"2021-07-01","checkout":"2021-07-01"}
Remove a field from JSON Object or ObjectNode:
Use remove(String fieldName) method to remove a field from ObjectNode. It will return value of the field, if such field existed; null if not.
// To remove a field String removedFieldValue = bookingDetails.remove("firstname").asText(); System.out.println("Value of Removed field is " + removedFieldValue); String removedJsonObject = objectMapper.writerWithDefaultPrettyPrinter().writeValueAsString(bookingDetails); System.out.println("After removing field , JSON Object is : \n"+ removedJsonObject);
Output:
Value of Removed field is Jim After removing field , JSON Object is : { "lastname" : "Brown", "totalprice" : 111, "depositpaid" : true, "additionalneeds" : "Lunch", "bookingdates" : { "checkin" : "2021-07-01", "checkout" : "2021-07-01" } }
Update a field from JSON Object or ObjectNode:
We need to use put() method to update a field value if fieldValue is not another ObjectNode. If fieldValue is an ObjectNode use set() or replace() method.
// To replace a field value, use put() method for non ObjectNode type and replace() or set() for ObjectNode bookingDetails.put("firstname", "Amod"); bookingDetails.put("firstname", "Aaditya"); String updatedJsonObject = objectMapper.writerWithDefaultPrettyPrinter().writeValueAsString(bookingDetails); System.out.println("After updating field , JSON Object is : \n"+ updatedJsonObject);
Output:
After updating field , JSON Object is : { "lastname" : "Brown", "totalprice" : 111, "depositpaid" : true, "additionalneeds" : "Lunch", "bookingdates" : { "checkin" : "2021-07-01", "checkout" : "2021-07-01" }, "firstname" : "Aaditya" }
JSON Array:
create JSON Array we use createArrayNode() method of ObjectMapper class. createArrayNode() will return reference of ArrayNode class.
- Create an empty JSON Array.
- Create first JSON Object
- Create second JSON Object
- Add created JSON Objects to JSON Array
// Create an array Node
ArrayNode arrayNode =
objectMapper.createArrayNode();
//add our elements directly to array
arrayNode.add("Apple").add("Banana").add("Cherry");
// Update an array Node
ArrayNode arrayNode = (ArrayNode)
objectMapper
.readTree(
arrayNode
);
arrayNode.set(1, "Blueberry");
This test demonstrates reading a JSON array into an ArrayNode and updating the value at index one from “Banana” to “Blueberry“.
Finally, we use the set() method to directly replace the value with a String, and Jackson automatically handles the conversion to a TextNode internally.
// Create an array ArrayNode parentArray = objectMapper.createArrayNode();
Add created JSON Objects to JSON Array:
Class ArrayNode provides a method add() which can add one JSON Object to array at a time.
parentArray.add(firstBookingDetails); parentArray.add(secondBookingDetails);
To add multiple Object Nodes to array at a time we can use addAll() method which accepts a Collection<? extends JsonNode> . We can create a List (because List extends Collection)of all JSON Objects and add.
parentArray.addAll(Arrays.asList(firstBookingDetails,secondBookingDetails));
String jsonArrayAsString = objectMapper.writerWithDefaultPrettyPrinter().writeValueAsString(parentArray); System.out.println(jsonArrayAsString);
Note:- If you try to add duplicate Object Nodes, it will be added to array.
Retrieving JSON Object from JSON array using index:
// To get json array element using index JsonNode firstElement = parentArray.get(0); System.out.println(objectMapper.writerWithDefaultPrettyPrinter().writeValueAsString(firstElement));
Get size of JSON Array:
size() method can be used to get size of JSON Array.
int sizeOfArray = parentArray.size(); System.out.println("Size of array is "+sizeOfArray);
Iterate JSON Array:
iterator() method can be used to iterate through a JSON Array.
// To iterate JSON Array Iterator iteraor = parentArray.iterator(); System.out.println("Prining Json Node using iterator : "); while(iteraor.hasNext()) { JsonNode currentJsonNode = iteraor.next(); System.out.println(objectMapper.writerWithDefaultPrettyPrinter().writeValueAsString(currentJsonNode)); }
Remove a JSON Object from JSON Array:
We can remove a JSON object from JSON Array using its index.
// To remove an element from array parentArray.remove(0); System.out.println("After removing first element from array : "+ objectMapper.writerWithDefaultPrettyPrinter().writeValueAsString(parentArray));
Empty JSON Array:
// To empty JSON Array parentArray.removeAll(); System.out.println("After removing all elements from array : "+ objectMapper.writerWithDefaultPrettyPrinter().writeValueAsString(parentArray));
Friday, August 26, 2022
Parallel testing with DataProviders in TestNG
Create a class for the DataProvider method.
DataProvider Class:
import org.testng.annotations.DataProvider;
public class DataProviderDemo {
@DataProvider(name = "testData", parallel=true)
public Object[][] dataProvFunc() {
return new Object[][] {
{"","","Username cannot be empty"},
{"","Test","Username cannot be empty"},
{"$%1234","2345%$","Invalid credentials"}
};
}
}
An extra parameter “parallel” is required to initiate parallel execution in TestNG using the data provider.
A new ThreadLocal is instantiated for each test class since it’s in the BeforeClass annotation.
private static final ThreadLocal<WebDriver> WEB_DRIVER_THREAD_LOCAL = new ThreadLocal<WebDriver>();
Below is the complete test code:
import org.openqa.selenium.By;
import org.openqa.selenium.WebDriver;
import org.openqa.selenium.chrome.ChromeDriver;
import org.testng.Assert;
import org.testng.annotations.AfterMethod;
import org.testng.annotations.BeforeMethod;
import org.testng.annotations.Test;
public class DataProviderParallelTests {
public WebDriver driver;
private static final ThreadLocal<WebDriver> WEBDRIVER_THREADLOCAL = new ThreadLocal<WebDriver>();
@BeforeMethod
public void setUp(){
System.setProperty("webdriver.chrome.driver",
"C:\\Users\\Vibha\\Software\\chromedriver\\chromedriver.exe");
driver = new ChromeDriver();
WEBDRIVER_THREADLOCAL.set(driver);
System.out.println("Before method Thread Id:" + Thread.currentThread().getId());
}
@Test(dataProvider = "testData", dataProviderClass = DataProviderDemo.class)
public void invalidLoginTest(String username, String password, String errorMessage) throws InterruptedException {
driver = WEBDRIVER_THREADLOCAL.get();
driver.manage().window().maximize();
driver.get("https://opensource-demo.orangehrmlive.com/");
Thread.sleep(2000);
driver.findElement(By.name("txtUsername")).sendKeys(username);
System.out.println("Username :" + username);
Thread.sleep(2000);
driver.findElement(By.name("txtPassword")).sendKeys(password);
System.out.println("password :" + password);
Thread.sleep(2000);
String expectedError = driver.findElement(By.id("spanMessage")).getText();
System.out.println("Error Message :" + expectedError);
Assert.assertTrue(expectedError.contains(errorMessage));
}
@AfterMethod
public void tear_down() {
WebDriver driver = WEBDRIVER_THREADLOCAL.get();
System.out.println("After method Thread Id:" + Thread.currentThread().getId());
if (driver != null) {
driver.quit();
}
}
}
testng.xml:
<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE suite SYSTEM "https://testng.org/testng-1.0.dtd">
<suite name="Suite" thread-count="2" data-provider-thread-count="2">
<test name="Test">
<classes>
<class name="DataProvider.DataProviderParallelTests"/>
</classes>
</test> <!-- Test -->
</suite> <!-- Suite -->
In this file, data-provider-thread-count is set to 2, then two browsers will be opened, and the first two tests will run from the list.
Thursday, August 4, 2022
TestNG Assertions
The Testng assertions would be the primary source of highlighting whether the automated test case is passed or failed.
TestNG provides an Assert class that has multiple methods to raise asserts. To use TestNG assertions, it is important to import required package in your java class : org.testng.Assert
Syntax of Assertion in TestNG :
Below is the generic syntax of testng assertion:
Assert.methodName(actual, expected);
- Assert : This is the class inbuilt in TestNG framework
- methodName : This is the name of the Assert class method
- actual : This is the first parameter of the assert method in which the value is passed that the user gets from application under test
- expected : This is the second parameter of the assert method in which the user passes the expected value
Types of Assertions:
- Hard Assertion
- Soft Assertions
Hard Assertion:– Whenever a hard assertion is applied and an assertion statement fails, the assertion in testng throws an exception immediately and terminates the further execution of the same test case and simply continues with the execution of the next test case in the test suite. As soon as the hard assertion condition fails, the test case is marked as failed
EX:Assert.assertEquals(actualValue,expectedValue);
Soft Assertions:– To implement soft assertion in testng, we use a SoftAssert class and it’s method assertAll() to throw all the exceptions collected during the test case execution. The soft assert basically performs assertion and if a condition fails to meet, it doesn’t throw an exception immediately, instead it continues with the next statement of the same test case until the method assertAll() gets called to throw all the caught exceptions.
EX:
SoftAssert softassert = new SoftAssert();
softassert.assertEquals(actualValue,expectedValue);
softassert.assertAll();
When to use Hard and Soft Assertion
Hard Assertions |
Soft Assertions |
Use case: Terminates the test case execution with exception as soon as the assertion condition doesn’t meet. |
Use case: Validates all the assertion conditions, collects exceptions in case the assertion condition doesn’t meet and throws all exceptions when assertAll() method is called. |
When to use: The scenario in which hard assertion is used best would be the login test scenario where if the login test fails, the test case execution must be terminated with an exception as there is no point of moving further without logging into the system. |
When to use: Soft Assertion is best used in cases where the test statements of a test case are not dependent on each other. For example, if you are validating a form in which there are multiple fields to be validated, hence it is recommended to soft assert all the fields and then call assertAll() to throw all exceptions at the end of the test case. |
TestNG Assert Methods
- Assert.assertEqual(String actual, String expected): This assertion method accepts two parameters i.e. the actual value and expected value to validate if the actual string is equal to the expected string or not. The assertion exception is thrown if both the strings are not equal.
- Assert.assertEqual(String actual, String expected, String message): This assertion method is similar to the assertion method discussed above, the only difference is that this method can accept one more string parameter as a message. In case the assertion condition is not met, the assertion error is thrown along with a message passed here.
- Assert.assertEquals(boolean actual, boolean expected): This assertion method accepts two boolean values and validates if both are equal or not.
- Assert.assertTrue(condition): This assertion method is used to assert whether the condition passed in a parameter returns true or not. If the condition returns false, the assertion error is thrown.
- Assert.assertTrue(condition, message): This assertion method is similar to the assertion method discussed in previous one, the only difference is that this method can accept one more string parameter as a message. In case the assertion condition is passed as false, the assertion error is thrown along with a message passed here.
- Assert.assertFalse(condition): This assertion method is used to assert whether the condition passed in a parameter returns false or not. If the condition returns true, the assertion error is thrown.
- Assert.assertFalse(condition, message): This assertion method is similar to the assertion method discussed in the previous one, the only difference is that this method can accept one more string parameter as a message. In case the assertion condition is passed as true, the assertion error is thrown along with a message passed here.
- Assert.assertNull(condition): This assertion method is used to assert whether the condition passed in a parameter returns null or not. If the condition doesn’t return null, the assertion error is thrown.
- Assert.assertNotNull(condition): This assertion method is used to assert whether the condition passed in a parameter returns value except null or not. If the condition returns null, the assertion error is thrown.
Thursday, July 7, 2022
Automation Code Review Checklist
Automation Code Review Check List | ||
#No | Item | Comments |
1 | Duplication | To avoid code redundancy and to save the development time |
2 | Exceptions Handling | All exceptions handled properly, even unexpected ones. |
3 | Framework Hacks | Test automation projects need a strong overall design strategy to make use of framework desired feature. |
4 | Bad Config Changes | configuration changes can have huge impacts |
5 | Poor Code | Organized structure is necessary for project scalability and teamwork |
6 | Documentation | Documentation is vital for good testing and good maintenance. When a test fails, the doc it provides significantly assist triage |
7 | Test Coverage | Keep the original test procedure handy, and watch out for missing coverage. |
8 | Hard-Coded Values | Hard-coded values often indicate hasty development |
9 | Typos and Bad Formatting | Typos and bad formatting reflect carelessness, cause frustration, and damage reputation. |
10 | Proof of Success | Tests need to run successfully in order to pass review, and proof of success (such as a log or a screen shot) must be attached to the review. |
Wednesday, March 23, 2022
Automate and Validate QR Code Details
I have achieved this with help of the following two libraries from Google,
Google zxing – core
Google zxing – javase
Validate QR code from the web application directly:
String QRCodeImage=”//img[@src=’https://assets.outlook.com/qrprod/-1603550372.png ‘] “;
String urlOfQRCode = driver.findElement(By.xpath(QRCodeImage)).getAttribute(“src”);
// Create an object of URL Class
URL url = new URL(urlOfQRCode);
// Pass the URL class object to store the file as image
BufferedImage bufferedimage = ImageIO.read(url);
// Process the image
LuminanceSource luminanceSource = new BufferedImageLuminanceSource(bufferedimage);
BinaryBitmap binaryBitmap = new BinaryBitmap(new HybridBinarizer(luminanceSource));
// To Capture details of QR code
Result result = new MultiFormatReader().decode(binaryBitmap);
Assert.assertEquals(“Expected_Result”, result.getText());
Validate QR code from the local system:
// Pass the QR code object to store the file as image
BufferedImage bufferedimage = ImageIO.read(new File(“your_QR_code_image_path”));
// Process the image
LuminanceSource luminanceSource = new BufferedImageLuminanceSource(bufferedimage);
BinaryBitmap binaryBitmap = new BinaryBitmap(new HybridBinarizer(luminanceSource));
// To Capture details of QR code
Result result = new MultiFormatReader().decode(binaryBitmap);
Assert.assertEquals(“Expected_Result”, result.getText());
Monday, March 14, 2022
Credit card number validation
package com.gabrielbauman.gist;
import java.util.regex.Pattern;
public enum CardType {
UNKNOWN,
VISA("^4[0-9]{12}(?:[0-9]{3}){0,2}$"),
MASTERCARD("^(?:5[1-5]|2(?!2([01]|20)|7(2[1-9]|3))[2-7])\\d{14}$"),
AMERICAN_EXPRESS("^3[47][0-9]{13}$"),
DINERS_CLUB("^3(?:0[0-5]\\d|095|6\\d{0,2}|[89]\\d{2})\\d{12,15}$"),
DISCOVER("^6(?:011|[45][0-9]{2})[0-9]{12}$"),
JCB("^(?:2131|1800|35\\d{3})\\d{11}$"),
CHINA_UNION_PAY("^62[0-9]{14,17}$");
private Pattern pattern;
CardType() {
this.pattern = null;
}
CardType(String pattern) {
this.pattern = Pattern.compile(pattern);
}
public static CardType detect(String cardNumber) {
for (CardType cardType : CardType.values()) {
if (null == cardType.pattern) continue;
if (cardType.pattern.matcher(cardNumber).matches()) return cardType;
}
return UNKNOWN;
}
}
package com.gabrielbauman.gist;
import org.junit.Test;
import static org.junit.Assert.assertEquals;
public class CardTypeTest {
@Test
public void testDetection() {
assertEquals(CardType.VISA, CardType.detect("4000056655665556"));
assertEquals(CardType.MASTERCARD, CardType.detect("5105105105105100"));
assertEquals(CardType.AMERICAN_EXPRESS, CardType.detect("371449635398431"));
assertEquals(CardType.DISCOVER, CardType.detect("6011000990139424"));
assertEquals(CardType.DINERS_CLUB, CardType.detect("30569309025904"));
assertEquals(CardType.JCB, CardType.detect("3530111333300000"));
assertEquals(CardType.UNKNOWN, CardType.detect("0000000000000000"));
}
}