Thursday, 24 July 2014

Selenium WebDriver and TestNG: Running script in different browsers |Invoke different browsers

In this post will cover how to run a selenium script in different browsers.
To do so we will use TestNG and @Parameters annotation. Using TestNG we can directly pass parameter to test methods from testng.xml.  Below example makes it more clear

Prerequisites:


Java

  • Create a java class name BrowserContoller.java in your workspace.
  • Create a method setBrowser(String browser) to your class. This method takes a String as input parameter.
  • Add the annotation @Parameters ("browser") to this method. Value to the parameter will be passed from xml.

package com.example.tests;
import java.util.concurrent.TimeUnit;
import org.openqa.selenium.WebDriver;
import org.openqa.selenium.chrome.ChromeDriver;
import org.openqa.selenium.firefox.FirefoxDriver;
import org.openqa.selenium.ie.InternetExplorerDriver;
import org.testng.annotations.AfterTest;
import org.testng.annotations.BeforeTest;
import org.testng.annotations.Parameters;
import org.testng.annotations.Test;
public class BrowserController {
private WebDriver driver;
/**
* Invokes WebDriver instance for given browser.
* @method public void setBrowser(String browser)
* @param browser
*/
@BeforeTest
@Parameters("browser")
public void setBrowser(String browser) throws Exception
{
if(browser.equalsIgnoreCase("firefox")){
driver = new FirefoxDriver();
}
if(browser.equalsIgnoreCase("chrome")){
//path to Chrome driver
String path = "E:\\drivers\\chromedriver.exe";
System.setProperty("webdriver.chrome.driver",path);
driver = new ChromeDriver();
}
if(browser.equalsIgnoreCase("iexplore")){
//path to IE driver
String path = "E:\\drivers\\IEDriverServer.exe";
System.setProperty("webdriver.ie.driver",path);
driver = new InternetExplorerDriver();
}
driver.manage().timeouts().implicitlyWait(30, TimeUnit.SECONDS);
}
/**
* Launch the specified Application URL
* @throws Exception
*/
@Test
public void launchApplication() throws Exception
{
driver.get("http://www.google.com");
}
/**
* Stops the application by closing the WebDriver
* @method public void stopApplication()
*/
@AfterTest
public void stopApplication() throws Exception
{
driver.quit();
}
}

TestNG

  • Create a simple tesng.xml name say BrowserControllerTestng.xml
  • Define Test name, parameter and its value (firefox, chrome,  iexplore ) and class name.

<?xml version="1.0" encoding="UTF-8"?>
<!DOCTYPE suite SYSTEM "http://testng.org/testng-1.0.dtd" >
<suite name="Test Suite" verbose="1">
<test name="Browser Test">
<parameter name="browser" value="chrome"/>
<classes>
<class name="com.example.tests.BrowserController" />
</classes>
</test>
</suite>