1) What is Selenium Webdriver?

Selenium WebDriver is a browser automation framework that accepts commands and sends them to a browser. It is implemented through a browser-specific driver. It directly communicates with the browser and controls it. Selenium WebDriver supports various programming languages like – Java, C#, PHP, Python, Perl, Ruby. and Javascript.

2) What is Selenium Grid and when do we go for it?

Selenium Grid is used to run tests on different machines against different browsers in parallel. We use Selenium Grid in the following scenarios:

– Execute your test on different operating systems

  • Execute your tests on different versions of same browser
  • Execute your tests on multiple browsers
  • Execute your tests in parallel and multiple threads

3) What are the advantages of Selenium Grid?

Below are the benefits of Selenium Grid:

– Selenium Grid gives the flexibility to distribute your test cases for execution.

  • Reduces batch processing time.
  • Can perform multi-browser testing.
  • Can perform multi-OS testing.

4) What is a Hub in Selenium Grid?

Hub is the central point to the entire GRID Architecture which receives all requests. There is only one hub in the selenium grid. Hub distributes the test cases across each node.

5) What is a Node in Selenium Grid?

– Node is a remote device that consists of a native OS and a remote WebDriver. It receives requests from the hub in the form of JSON test commands and executes them using WebDriver.

– There can be one or more nodes in a grid.

– Nodes can be launched on multiple machines with different platforms and browsers.

– The machines running the nodes need not be the same platform as that of the hub.

6) What are the types of WebDriver API’s that are supported/available in Selenium?

Selenium Webdriver supports most of the browser driver APIs like Chrome, Firefox, Internet Explorer, Safari and PhantomJS

7) Which WebDriver implementation claims to be the fastest?

HTML UnitDriver is the most light weight and fastest implementation headless browser for of WebDriver. It is based on HtmlUnit. It is known as Headless Browser Driver. It is same as Chrome, IE, or FireFox driver, but it does not have GUI so one cannot see the test execution on screen.

8) What are the open source frameworks supported by Selenium WebDriver?

Some of the popular open source frameworks supported by Webdriver are:

  • TestNG
  • JUnit
  • Cucumber
  • Robot Framework
  • Appium
  • Protractor

9) What is the difference between Soft Assert and Hard Assert in Selenium?

Hard Assert throws an AssertException immediately when an assert statement fails and test suite continues with next @Test. It marks method as fail if assert condition gets failed and the remaining statements inside the method will be aborted.

Soft Assert collects errors during @Test. Soft Assert does not throw an exception when an assert fails and would continue with the next step after the assert statement.

10) What are the verification points available in Selenium?

Different types of verification points in Selenium are:

To check element is present

if(driver.findElements(By.Xpath(“value”)).size()!=0){

System.out.println(“Element is present”);

}else{

System.out.println(“Element is absent”);

}

 

To check element is visible

if(driver.findElement(By.Id(“submit”)).isDisplayed()){

System.out.println(“Element is visible”);

}else{

System.out.println(“Element is visible”);

}

To check element is enabled

if(driver.findElement(By.Id(“submit”)).isEnabled()){

System.out.println(“Element is enabled”);

}else{

System.out.println(“Element is disabled”);

}

To check text is present

if(driver.getPageSource().contains(“Text”)){

System.out.println(“Text is present”);

}else{

System.out.println(“Text is not present”);

}

For more clarity, check this video – Click here to for Video answer

11) Why do we create a reference variable ‘driver’ of type WebDriver and what is the purpose of its creation?

We create an instance of the WebDriver interface and cast it to different browser class using the reference variable ‘driver’. Then we can use different methods of the web driver interface like get(), getTitle(), close(), etc…to write automation code.

For more clarity, check this video – Click here to for Video answer

12) What are the different types of exceptions you have faced in Selenium WebDriver?

Different types of exceptions in Selenium are:

– NoSuchElementException

  • NoSuchWindowException
  • NoSuchFrameException
  • NoAlertPresentException
  • ElementNotVisibleException
  • ElementNotSelectableException
  • TimeoutException

For more clarity, check this video – Click here to for Video answer

13) How to login into any site if it is showing an authentication pop-up for Username and Password?

To work with Basic Authentication pop-up (which is a browser dialogue window), you just need to send the user name and password along with the application URL.

Syntax:

driver.get(“http://admin:[email protected]“);

For more clarity, check this video – Click here to for Video answer

14) What is implicit wait in Selenium WebDriver?

The implicit wait will tell the WebDriver to wait a certain amount of time before it throws a “No Such Element Exception.” The default setting of implicit wait is zero. Once you set the time, the web driver will wait for that particular amount of time before throwing an exception.

Syntax:

driver.manage().timeouts().implicitlyWait(30, TimeUnit.SECONDS);

For more clarity, check this video – Click here to for Video answer

15) What is Explicit Wait in Selenium WebDriver?

Explicit waits are a concept from the dynamic wait, which waits dynamically for specific conditions. It can be implemented by the WebDriverWait class.

Syntax:

WebDriverWait wait = new WebDriverWait(driver, 10);

WebElement element = wait.until(ExpectedConditions.elementToBeClickable(By.id(“button”)));

For more clarity, check this video – Click here to for Video answer

16) What is Fluent Wait in Selenium WebDriver?

Each FluentWait instance defines the maximum amount of time to wait for a condition, as well as the frequency with which to check the condition. Furthermore, the user may configure the wait to ignore specific types of exceptions whilst waiting, such as NoSuchElementExceptions when searching for an element on the page.

Syntax:

Wait<WebDriver> wait1 = new FluentWait<>(driver)

.withTimeout(Duration.ofSeconds(30))

.pollingEvery(Duration.ofSeconds(5))

.ignoring(NoSuchElementException.class);

WebElement element = wait1.until(new Function<WebDriver, WebElement>() {

@Override

public WebElement apply(WebDriver driver) {

return driver.findElement(By.id(“firstName”));

}

});

For more clarity, check this video – Click here to for Video answer

17) How to input text into the text box fields without calling the sendKeys()?

We can use Javascript action to enter the value in text box.

Syntax:

JavascriptExecutor executor = (JavascriptExecutor)driver;

executor.executeScript(“document.getElementById(“textbox_id”).value=’new value’”);

For more clarity, check this video – Click here to for Video answer

18) How to clear the text inside the text box fields using Selenium WebDriver?

Syntax:

driver.findElement(By.Id(“textbox_id”)).clear();

For more clarity, check this video – Click here to for Video answer

19) How to get an attribute value of an element using Selenium WebDriver?

driver.findElement(By.Id(“button_id”)).getAttribute(“text”);

For more clarity, check this video – Click here to for Video answer

20) How to press Enter key on text box in Selenium WebDriver?

driver.findElement(By.Id(“button_id”)).sendKeys(keys.ENTER);

For more clarity, check this video – Click here to for Video answer

21) How to pause a test execution for 5 seconds at a specific point?

We can pause test execution for 5 seconds by using the wait command.

Syntax:

driver.wait(5);

For more clarity, check this video – Click here to for Video answer

22) Is Selenium Server needed to run Selenium WebDriver scripts?

In case of Selenium WebDriver, it does not require to start Selenium Server for executing test scripts. Selenium WebDriver makes the calls between browser & automation script.

For more clarity, check this video – Click here to for Video answer

23) What happens if we run this command driver.get(“www.google.com”);?

It will load a new web page in the current browser window with the website url set to “www.google.com” . This is done using an http get operation, and the method will block until the load is complete.

For more clarity, check this video – Click here to for Video answer

24) What is an alternative to driver.get() method to open a URL using Selenium WebDriver?

We can use driver.navigate().To(“URL”) method to open a URL.

For more clarity, check this video – Click here to for Video answer

25) What is the difference between driver.get(“URL”) and driver.navigate().to(“URL”) commands?

driver.get() is used to navigate particular URL(website) and wait till page load.

driver.navigate() is used to navigate to particular URL and does not wait to page load. It maintains browser history or cookies to navigate back or forward.

6) What are the different types of navigation commands in Selenium?

Different navigation commands in selenium are:

– navigate().to();

  • navigate().forward();
  • navigate().back();
  • navigate().refresh();

For more clarity, check this video – Click here to for Video answer

27) How to fetch the current page URL in Selenium WebDriver?

We can use the getCurrentUrl() method to get the current page URL.

driver.getCurrentUrl();

For more clarity, check this video – Click here to for Video answer

28) How can we maximize browser window in Selenium WebDriver?

We can use the maximize() method to maximize browser window.

driver.manage().window().maximize();

For more clarity, check this video – Click here to for Video answer

29) How to delete cookies in Selenium?

We can use deleteAllCookies() method to delete cookies in selenium.

driver.manage().deleteAllCookies();

For more clarity, check this video – Click here to for Video answer

30) What are the different ways for refreshing the page using Selenium WebDriver?

Browser refresh operation can be performed using the following ways in Selenium:

– Refresh method

driver.manage().refresh();

– Get method

driver.get(“https://www.google.com”);

driver.get(driver.getCurrentUrl());

  • Navigate method

driver.get(“https://www.google.com”);

driver.navigate.to(driver.getCurrentUrl());

  • SendKeys method

driver. findElement(By.id(“username”)).sendKeys(Keys.F5);

For more clarity, check this video – Click here to for Video answer

31) What is the difference between driver.getWindowHandle() and driver.getWinowHandles() in Selenium WebDriver and their return type?

driver.getWindowHandle()  – To get the window handle of the current window. Returns a string of alphanumeric window handle

driver.getWinowHandles() – To get the window handle of all current windows. Return a set of window handles

For more clarity, check this video – Click here to for Video answer

32) How to handle hidden elements in Selenium WebDriver?

We can use the JavaScriptExecutor to handle hidden elements.

JavascriptExecutor js = (JavascriptExecutor)driver;

js.executeScript(“document.getElementById(‘displayed-text’).value=’text123′”);

For more clarity, check this video – Click here to for Video answer

33) How can you find broken links in a page using Selenium WebDriver?

List<WebElement> elements = driver.findElements(By.tagName(“a”));

List finalList = new ArrayList();

for (WebElement element : elementList){

if(element.getAttribute(“href”) != null){

finalList.add(element);

}

}

return finalList;

For more clarity, check this video – Click here to for Video answer

34) How to find more than one web element in the list?

We can find more than one web element by using the findElements() method in Selenium.

List<WebElement> elements = driver.findElements(By.tagName(“a”));

For more clarity, check this video – Click here to for Video answer

35) How to read a JavaScript variable in Selenium WebDriver?

 

//Creating the JavascriptExecutor interface object by Type casting

JavascriptExecutor js = (JavascriptExecutor)driver;

 

//Perform Click on LOGIN button using JavascriptExecutor

js.executeScript(“arguments[0].click();”, button);

For more clarity, check this video – Click here to for Video answer

36) What is JavascriptExecutor and in which case JavascriptExecutor will help in Selenium automation?

JavaScriptExecutor is an Interface that helps to execute JavaScript through Selenium Webdriver.

In case, when selenium locators do not work you can use JavaScriptExecutor. You can use JavaScriptExecutor to perform a desired operation on a web element.

For more clarity, check this video – Click here to for Video answer

37) How to handle Ajax calls in Selenium WebDriver?

The best approach would be to wait for the required element in a dynamic period and then continue the test execution as soon as the element is found/visible. This can be achieved with WebDriverWait in combination with ExpectedCondition , the best way to wait for an element dynamically, checking for the condition every second and continuing to the next command in the script as soon as the condition is met.

WebDriverWait wait = new WebDriverWait(driver, waitTime);

wait.until(ExpectedConditions.visibilityOfElementLocated(locator));

For more clarity, check this video – Click here to for Video answer

38) List some scenarios which we cannot automate using Selenium WebDriver?

  • Bitmap comparison is not possible using Selenium WebDriver.
  • Automating Captcha is not possible using Selenium WebDriver.
  • We can not read bar code using Selenium WebDriver.
  • We can not automate OTP submission.

For more clarity, check this video – Click here to for Video answer

39) How you build object repository in your project framework?

We can build object repository using Page Object Model or Page Factory.

For more clarity, check this video – Click here to for Video answer

40) What is Page Object Model (POM) and its advantages?

Page Object Model is a design pattern for creating an object repository for web UI elements. Each web page in the application is required to have its own corresponding page class. The page class is thus responsible for finding the WebElements in that page and then perform operations on those web elements.

The advantages of using POM are:

  • Allow us to separate operations and flows in the UI from verification – improves code readability
  • Since the Object Repository is independent of test cases, multiple tests can use the same object repository
  • Reusability of code

For more clarity, check this video – Click here to for Video answer

41) What is Page Factory?

Page Factory class in Selenium is an extension to the Page Object Design pattern. It is used to initialize the elements of the page object or instantiate the page objects itself.

Annotations in Page Factory are like this:

@FindBy(id = “userName”)

WebElement txt_UserName;

OR

@FindBy(how = How.ID, using = “userName”)

WebElement txt_UserName;

We need to initialize the page object like this:

PageFactory.initElements(driver, Login.class);

For more clarity, check this video – Click here to for Video answer

42) What is the difference between Page Object Model and Page Factory?

Page Object Model is a design pattern to create an Object Repository for web UI elements. However, Page Factory is a built-in class in Selenium for maintaining object repository.

For more clarity, check this video – Click here to for Video answer

43) What are the advantages of Page Object Model?

The advantages of using Page Object Model are:

  • Allow us to separate operations and flows in the UI from verification – improves code readability
  • Since the Object Repository is independent of test cases, multiple tests can use the same object repository
  • Re-usability of code

For more clarity, check this video – Click here to for Video answer

44) How can we use Recovery Scenario in Selenium WebDriver?

We can develop Recovery scenarios using exception handling i.e. By using “Try Catch Block” within your Selenium WebDriver Java tests

For more clarity, check this video – Click here to for Video answer

45) How to upload a file in Selenium WebDriver?

Uploading files in WebDriver is done by simply using the sendKeys() method on the file-select input field to enter the path to the file to be uploaded.

driver.get(baseUrl);

WebElement uploadElement = driver.findElement(By.id(“uploadfile_0”));

// enter the file path onto the file-selection input field

uploadElement.sendKeys(“C:\\newhtml.html”);

For more clarity, check this video – Click here to for Video answer

46) How to download a file in Selenium WebDriver?

Step 1- Create a firefox Profile.

Step 2- set Preferences as per requirement.

Step 3- Open Firefox with firefox profile.

public class DownloadFiles {

public static void main(String[] args) {

// Create a profile FirefoxProfile profile=new FirefoxProfile();

// Set preferences for file type profile.setPreference(“browser.helperApps.neverAsk.openFile”, “application/octet-stream”);

// Open browser with profile

WebDriver driver=new FirefoxDriver(profile);

// Set implicit wait driver.manage().timeouts().implicitlyWait(30, TimeUnit.SECONDS);

// Maximize window driver.manage().window().maximize();

// Open APP to download application driver.get(“http://www.file.com/download_file”);

// Click on download driver.findElement(By.xpath(“path”)).click();

}

}

For more clarity, check this video – Click here to for Video answer

47) How to run Selenium WebDriver tests from command line?

java -jar selenium-server.jar -htmlSuite “*firefox” “http://10.8.100.106” “C:\mytestsuite\mytestsuite.html” “C:\mytestsuite\results.html”

For more clarity, check this video – Click here to for Video answer

48) How to switch to frames in Selenium WebDriver?

For switching between frames, use driver.switchTo().frame(). First locate the frame id and define it in a WebElement.

Ex:

WebElement fr = driver.findElementById(“theIframe”);

driver.switchTo().frame(fr);

For more clarity, check this video – Click here to for Video answer

49) How to connect to a database in Selenium?

Connection con = DriverManager.getConnection(dbUrl,username,password);

For more clarity, check this video – Click here to for Video answer

50) How to resize browser window using Selenium WebDriver?

driver.manage().window().maximize();

51) How to scroll web page up and down using Selenium WebDriver?

To scroll using Selenium, you can use JavaScriptExecutor interface that helps to execute JavaScript methods through Selenium Webdriver.

JavascriptExecutor js = (JavascriptExecutor) driver;

//This will scroll the page till the element is found

js.executeScript(“arguments[0].scrollIntoView();”, Element);

For more clarity, check this video – Click here to for Video answer

52) How to perform right click (Context Click) action in Selenium WebDriver?

We can use Action class to provide various important methods to simulate user actions

//Instantiate Action Class

Actions actions = new Actions(driver);

//Retrieve WebElement to perform right click

WebElement btnElement = driver.findElement(By.id(“rightClickBtn”));

//Right Click the button to display Context Menu

actions.contextClick(btnElement).perform();

For more clarity, check this video – Click here to for Video answer

53) How to perform double click action in Selenium WebDriver?

Action class method doubleClick(WebElement) is required to be used to perform this user action.

//Instantiate Action Class

Actions actions = new Actions(driver);

//Retrieve WebElement to perform double click WebElement

btnElement = driver.findElement(By.id(“doubleClickBtn”));

//Double Click the button

actions.doubleClick(btnElement).perform();

For more clarity, check this video – Click here to for Video answer

54) How to perform drag and drop action in Selenium WebDriver?

//Actions class method to drag and drop

Actions builder = new Actions(driver);

WebElement from = driver.findElement(By.id(“draggable”));

WebElement to = driver.findElement(By.id(“droppable”));

//Perform drag and drop

builder.dragAndDrop(from, to).perform();

For more clarity, check this video – Click here to for Video answer

55) How to highlight elements using Selenium WebDriver?

// Create the JavascriptExecutor object

JavascriptExecutor js=(JavascriptExecutor)driver;

// find element using id attribute

WebElement username= driver.findElement(By.id(“email”));

// call the executeScript method

js.executeScript(“arguments[0].setAttribute(‘style,’border: solid 2px red”);”, username);

For more clarity, check this video – Click here to for Video answer

56) Have you used any cross browser testing tool to run Selenium Scripts on cloud?

Below tools can be used to run selenium scripts on cloud:

  • SauceLabs
  • CrossBrowserTesting

For more clarity, check this video – Click here to for Video answer

57) What are the DesiredCapabitlies in Selenium WebDriver and their use?

The Desired Capabilities Class helps us to tell the webdriver, which environment we are going to use in our test script.

The setCapability method of the DesiredCapabilities Class, can be used in Selenium Grid. It is used to perform a parallel execution on different machine configurations. It is used to set the browser properties (Ex. Chrome, IE), Platform Name (Ex. Linux, Windows) that are used while executing the test cases.

For more clarity, check this video – Click here to for Video answer

58) What is Continuous Integration?

Continuous Integration (CI) is a development practice that requires developers to integrate code into a shared repository several times a day. Each check-in is then verified by an automated build, allowing teams to detect problems early.

For more clarity, check this video – Click here to for Video answer

59) How to achieve database testing in Selenium?

//Make a connection to the database

Connection con = DriverManager.getConnection(dbUrl,username,password);

//load the JDBC Driver using the code

Class.forName(“com.mysql.jdbc.Driver”);

//send queries to the database

Statement stmt = con.createStatement();

//Once the statement object is created use the executeQuery method to execute the SQL queries

stmt.executeQuery(select * from employee;);

//Results from the executed query are stored in the ResultSet Object. While loop to iterate through all data

while(rs.next()){

String myName = rs.getString(1);

}

//close the db connection

con.close();

For more clarity, check this video – Click here to for Video answer

60) What is TestNG?

TestNG is a testing framework inspired from JUnit and NUnit, but introducing some new functionalities that make it more powerful and easier to use. TestNG is an open source automated testing framework; where NG means NextGeneration.

For more clarity, check this video – Click here to for Video answer

61) What are Annotations and what are the different annotations available in TestNG?

Annotations in TestNG are lines of code that can control how the method below them will be executed. They are always preceded by the @ symbol.

Here is the list of annotations that TestNG supports −

  • @BeforeSuite: The annotated method will be run only once before all tests in this suite have run.
  • @AfterSuite: The annotated method will be run only once after all tests in this suite have run.
  • @BeforeClass: The annotated method will be run only once before the first test method in the current class is invoked.
  • @AfterClass: The annotated method will be run only once after all the test methods in the current class have run.
  • @BeforeTest: The annotated method will be run before any test method belonging to the classes inside the <test> tag is run.
  • @AfterTest: The annotated method will be run after all the test methods belonging to the classes inside the <test> tag have run.
  • @BeforeGroups: The list of groups that this configuration method will run before. This method is guaranteed to run shortly before the first test method that belongs to any of these groups is invoked.
  • @AfterGroups: The list of groups that this configuration method will run after. This method is guaranteed to run shortly after the last test method that belongs to any of these groups is invoked.
  • @BeforeMethod: The annotated method will be run before each test method.
  • @AfterMethod: The annotated method will be run after each test method.
  • @DataProvider: Marks a method as supplying data for a test method. The annotated method must return an Object[ ][ ], where each Objectcan be assigned the parameter list of the test method. The @Test method that wants to receive data from this DataProvider needs to use a dataProvider name equals to the name of this annotation.
  • @Factory: Marks a method as a factory that returns objects that will be used by TestNG as Test classes. The method must return Object[ ].
  • @Listeners: Defines listeners on a test class.
  • @Parameters: Describes how to pass parameters to a @Test method.
  • @Test: Marks a class or a method as a part of the test

For more clarity, check this video – Click here to for Video answer

62) What is TestNG Assert and list out some common assertions supported by TestNG?

Asserts helps us to verify the conditions of the test and decide whether test has failed or passed. A test is considered successful ONLY if it is completed without throwing any exception.

Some of the common assertions are:

  • assertEqual
  • assertTrue
  • assertFalse

For more clarity, check this video – Click here to for Video answer

63) How to create and run TestNG.xml?

Step 1: Add a new file to the project with name as testng.xml

Step 2: Add below given code in testng.xml

<suite name=“TestSuite”>

<test name=“Test1”>

<classes>

<class name=“TestClass” />

</classes>

</test>

</suite>

Step 3: Run the test by right click on the testng xml file and select Run As > TestNG Suite

For more clarity, check this video – Click here to for Video answer

64) How to set test case priority in TestNG?

We need to use the ‘priority‘ parameter, if we want the methods to be executed in specific order. TestNG will execute the @Test annotation with the lowest priority value up to the largest.

@Test(priority = 0)

public void One() {

System.out.println(“This is the Test Case number One”);

}

@Test(priority = 1)

public void Two() {

System.out.println(“This is the Test Case number Two”);

}

For more clarity, check this video – Click here to for Video answer

65) What is parameterized testing in TestNG?

To pass multiple data to the application at runtime, we need to parameterize our test scripts.

There are two ways by which we can achieve parameterization in TestNG:

  • With the help of Parameters annotation and TestNG XML file.

@Parameters({“name”,”searchKey”})

  • With the help of DataProvider annotation.

@DataProvider(name=“SearchProvider”)

For more clarity, check this video – Click here to for Video answer

66) How to run a group of test cases using TestNG?

Groups is one more annotation of TestNG which can be used in the execution of multiple tests.

public class Grouping{

@Test (groups = { “g1” })

public void test1() {

System.out.println(“This is group 1”);

}

@Test (groups = { “g2” })

public void test2() {

System.out.println(“This is group 2“);

}}

Create a testing xml file like this:

<suite name =“Suite”>

<test name = “Grouping”>

<groups>

<run>

<include name=“g1”>

</run>

</groups>

<classes>

<class name=“Grouping”>

</classes>

</test>

</suite>

For more clarity, check this video – Click here to for Video answer

67) What is the use of @Listener annotation in TestNG?

Listener is defined as interface that modifies the default TestNG’s behaviour. As the name suggests Listeners “listen” to the event defined in the selenium script and behave accordingly. It is used in selenium by implementing Listeners Interface. It allows customizing TestNG reports or logs. There are many types of TestNG listeners available:

  • IAnnotationTransformer
  • IAnnotationTransformer2
  • IConfigurable
  • IConfigurationListener
  • IExecutionListener
  • IHookable
  • IInvokedMethodListener
  • IInvokedMethodListener2
  • IMethodInterceptor
  • IReporter
  • ISuiteListener
  • ITestListener

For more clarity, check this video – Click here to for Video answer

68) How can we create a data driven framework using TestNG?

We can create data driven tests by using the DataProvider feature.

public class DataProviderTest {

private static WebDriver driver;

@DataProvider(name = “Authentication”)

public static Object[][] credentials() {

return new Object[][] { { “testuser_1”, “Test@123” }, { “testuser_2”, “Test@123” }};

}

// Here we are calling the Data Provider object with its Name

@Test(dataProvider = “Authentication”)

public void test(String sUsername, String sPassword) {

driver = new FirefoxDriver(); driver.manage().timeouts().implicitlyWait(10, TimeUnit.SECONDS);

driver.get(“http://www.testqa.com“);

driver.findElement(By.xpath(“.//*[@id=’account’]/a”)).click();

driver.findElement(By.id(“log”)).sendKeys(sUsername);

driver.findElement(By.id(“pwd”)).sendKeys(sPassword);

driver.findElement(By.id(“login”)).click();

driver.findElement(By.xpath(“.//*[@id=’account_logout’]/a”)).click();

driver.quit();

}

}

For more clarity, check this video – Click here to for Video answer

69) Where you have applied OOPS in Automation Framework?

Abstraction – In Page Object Model design pattern, we write locators (such as id, name, xpath etc.,) in a Page Class. We utilize these locators in tests but we can’t see these locators in the tests. Literally we hide the locators from the tests.

Interface – WebDriver itself is an Interface. So based on the above statement WebDriver driver = new FirefoxDriver(); we are initializing Firefox browser using Selenium WebDriver. It means we are creating a reference variable (driver) of the interface (WebDriver) and creating an Object.

Inheritance – We create a Base Class in the Framework to initialize WebDriver interface, WebDriver waits, Property files, Excels, etc. We extend the Base Class in other classes such as Tests and Utility Class. Extending one class into other class is known as Inheritance.

Polymorphism – We use implicit wait in Selenium. Implicit wait is an example of overloading. In Implicit wait we use different time stamps such as SECONDS, MINUTES, HOURS etc.

Encapsulation – All the classes in a framework are an example of Encapsulation. In POM classes, we declare the data members using @FindBy and initialization of data members will be done using Constructor to utilize those in methods.

For more clarity, check this video – Click here to for Video answer

70) How to handle Chrome Browser notifications in Selenium?

// Create object of HashMap Class

Map<String, Object> prefs = new HashMap<String, Object>();

// Set the notification setting it will override the default setting

prefs.put(“profile.default_content_setting_values.notifications”, 2);

// Create object of ChromeOption class

ChromeOptions options = new ChromeOptions();

// Set the experimental option

options.setExperimentalOption(“prefs”, prefs);

// pass the options object in Chrome driver

WebDriver driver = new ChromeDriver(options);

For more clarity, check this video – Click here to for Video answer

71) Explain any Test Automation Framework?

Testing frameworks are an essential part of any successful automated testing process. They can reduce maintenance costs and testing efforts and will provide a higher return on investment (ROI) for QA teams looking to optimize their agile processes. A testing framework is a set of guidelines or rules used for creating and designing test cases. A framework is comprised of a combination of practices and tools that are designed to help QA professionals test more efficiently. These guidelines could include coding standards, test-data handling methods, object repositories, processes for storing test results, or information on how to access external resources.

For more clarity, check this video – Click here to for Video answer

72) Tell some popular Test Automation Frameworks?

Some of the popular test automation frameworks are:

  • DataDriven
  • KeywordDriven
  • Hybrid
  • Page Object Model

For more clarity, check this video – Click here to for Video answer

73) Why Framework?

Below are advantages of using an automation framework:

  • Ease of scripting: With multiple Testers in a team, having an automation framework in place ensures consistent coding and that best practices are followed to a certain level. Standard scripting will result in team consistency during test library design and prevent individuals from following their own coding standards, thus avoiding duplicate coding.
  • Scalable: Whether multiple web pages are being added or Objects or data, a good automation framework design is scalable when the need arises. A framework should be much easier to extend to larger projects.
  • Modularity: Modularity allows testers to re-use common modules in different scripts to avoid unnecessary & redundant tasks.
  • Easy to understand: Having an automation framework in place it is quick to transition (or understand) the overall architecture & bring people up-to-speed.
  • Reusability: Common library files can be reused when required, no need to develop them every time.
  • Cost & Maintenance: A well designed automation framework helps in maintaining the code in light of common changes like Test data, Page Objects, Reporting structure, etc.
  • Maximum Coverage: A framework allows us to maintain a good range of Test data, i.e. coverage in turn.
  • Better error handling: A good automation framework helps us catch different recovery scenarios and handle them properly.
  • Minimal manual intervention: You need not input test data or run test scripts manually and then keep monitoring the execution.
  • Easy Reporting: The reporting module within framework can handle all the report requirements.
  • Segregation: A framework helps segregate the test script logic and the corresponding test data. The Test data can be stored into an external database like property files, xml files, excel files, text files, CSV files, ODBC repositories etc.
  • Test configuration: Test suites covering different application modules can be configured easily using an automation framework.
  • Continuous integration: An automation framework helps in integration of automation code with different CI tools.
  • Debugging: Easy to debug errors

For more clarity, check this video – Click here to for Video answer

74) Which Test Automation Framework you are using and why?

Cucumber Selenium Framework has now a days become very popular test automation framework in the industry and many companies are using it because its easy to involve business stakeholders and easy to maintain.

For more clarity, check this video – Click here to for Video answer

75) Mention the name of the Framework which you are using currently in your project, explain it in details along with its benefits?

Framework consists of the following tools:

Selenium, Eclipse IDE,Junit, Maven, Cucumber

File Formats Used in the Framework:

  • Properties file: We use properties file to store and retrieve different application and framework related configuration
  • Excel files: Excel files are used to pass multiple sets of data to the application.

Following are the key components of the framework:

  • PageObject : It consists of all different page classes with their objects and methods
  • TestData: It stores the data files, Script reads test data from external data sources and executes test based on it
  • Features: It consists of functional test cases in the form of cucumber feature files written in gherkin format
  • StepDefinitions: It consists of different methods to implement each step of your feature files
  • TestRunner: It is the starting point for Junit to start executing your tests
  • Utilities: It consists of different reusable framework methods to perform different operations
  • Reports: It consists of different test reports in different formats along with screenshots
  • Pom xml: It consists of all different project dependencies and plugins

1) Explain how you can insert a break point in Selenium IDE?

There are two methods to set breakpoints:

– In the first method,

Right click on the command and select the ‘Toggle Breakpoint’. You can also use shortcut key “B” from the keyboard.

You can set a breakpoint just before the Test Case you want to examine.

After setting breakpoints, click on the Run button to run the test case from the start to the breakpoint.

Repeat the same step to deselect the Breakpoint.

– In the second method,

Select Menu Bar -> ‘Actions’ -> select the Toggle Breakpoint. To deselect repeat the same step.

2) Explain how you can debug the tests in Selenium IDE?

Tests could be debugged by following below steps:

– insert a break point from the location from where you want to execute test step by step

– run the test case

– test case execution will be paused at the given break point

– click on the blue button to continue with the next statement

– to continue executing all the commands at a time click on the “Run” button

3) What are the limitations of Selenium IDE?

– Not suitable for testing extensive data.

– Incapable of handling multiple windows.

– Connections with the database can not be tested.

– Cannot handle the dynamic part of web-based applications.

– Does not support capturing of screenshots on test failures.

– No feature available for generating result reports.

4) What are the two modes of views in Selenium IDE?

Either Selenium IDE can be opened as a pop up window or in side bar

5) In Selenium IDE, what are the element locators that can be used to locate the elements on web page?

– ID

– Name

– Link Text

– CSS Selector

– DOM

– XPATH

6) How can you convert any Selenium IDE tests from Selenese to other other language?

Script can be exported to other programming languages. To change the script format, open “Options” menu, select “Format” command, and then choose one of these programming languages from the menu.

7) Using Selenium IDE, is it possible to get data from a particular HTML table cell?

Verifytext can be used to verify text exist within the table.

8) In Selenium IDE, explain how you can execute a single line?

It can be executed in 2 ways:

– Right click on the command in Selenium IDE and select “Execute This Command”.

– Select the command in Selenium IDE and press “X” key on the keyboard.

9) In which format does the source view show the script in Selenium IDE?

Script is displayed in HTML format

10) Explain, how you can insert a start point in Selenium IDE?

We can insert a start point in the following ways:

– Right click on the command where the start point has to be set and select ‘Set/Clear Start Point’.

– Select the particular command and press ‘s’ or ‘S’ (shortcut key) for the same.

11) What are regular expressions and how you can use them in Selenium IDE?

A regular expression is a sequence of characters that define a search pattern. Usually such patterns are used by string searching algorithms for “find” or “find and replace” operations on strings, or for input validation.

Regular expressions can be used to match different content types on a web page – Links, elements and text.

12) What are core extensions in Selenium IDE?

There are 3 core extensions in Selenium IDE:

– Action: It commands Selenium IDE to perform an action i.e. accessing UI (User Interface) on the web page.

– Assertion: It defines the verifications to be done on the data received from UI after running some commands.

– Location Strategy: It defines a strategy to locate a web element on the Web Page. It could be by name, ID, CSS, tag, XPath, etc.

13) How you will handle switching between multiple windows in Selenium IDE?

The selectWindow | tab=x and selectWindow | title=y commands switch between browser tabs. You can use it with title=(title of tab to be selected) or, often easier, use tab= with number of the tab (e. g 0,1,2,…).

selectWindow | TAB=OPEN | https://newwebsiteURL.com  – this opens a new tab and loads the website with the given URL.

14) How you will verify the specific position of an Web Element in Selenium IDE?

Selenium IDE indicates the position of an element by measuring (in pixels) how far it is from the left or top edge of the browser window using the below commands:

verifyElementPositionLeft – verifies if the specified number of pixels match the distance of the element from the left edge of the page.

verifyElementPositionTop – verifies if the specified number of pixels match the distance of the element from the top edge of the page.

15) How you will retrieve the message in an Alert box in Selenium IDE?

We can use the storeAlert command to retrieve the alert message and store it in a variable.

16) Why Selenium RC is preferred over Selenium IDE?

Selenium RC can run tests on multiple browsers but IDE can run tests only in Firefox browser.

17) What is the difference between Selenium RC and Selenium WebDriver?

– WebDriver’s architecture is simpler than Selenium RC’s.

– WebDriver is faster than Selenium RC since it speaks directly to the browser and uses the browser’s own engine to control it.

– WebDriver interacts with page elements in a more realistic way when compared to RC.

– WebDriver’s API is simpler than Selenium RC’s. It does not contain redundant and confusing commands.

– WebDriver can support the headless HtmlUnit browser but RC does not support it.

18) Which language is used in Selenium IDE?

Selenese is the language used to write Selenium Commands.

19) What are Accessors in Selenium IDE?

Accessors are the selenium commands that examine the state of the application and store the results in variables. They are also used to automatically generate Assertions.

Some of the most commonly used Accessors commands include:

– storeTitle: This command gets the title of the current page

– storeText: This command gets the text of an element

– storeValue: This command gets the (whitespace-trimmed) value of an input field

– storeTable: This command gets the text from a cell of a table

– storeLocation: This command gets the absolute URL of the current page

– storeElementIndex: This command gets the relative index of an element to its parent

– storeBodyText: This command gets the entire text of the page

– storeAllButtons: It returns the IDs of all buttons on the page

– storeAllFields: It returns the IDs of all input fields on the page

– storeAllLinks: It returns the IDs of all links on the page

20) Can I control the speed and pause the test executed in Selenium IDE?

We can control the speed of the test by using the set speed command. The pause command is a simple wait command and useful to delay the execution of the automated testing for the specified time.

21) Where do I see the results of Test Execution in Selenium IDE?

Select File -> Export test case results to save result in html report

22) Where do I see the description of commands used in Selenium IDE?

The Reference Pane shows a concise description of the currently selected Selenese command in the Editor. It also shows the description about the locator and value to be used on that command.

23) Can I build test suite using Selenium IDE?

Yes. Selenium IDE can be used to build test suites.

24) What verification points are available in Selenium IDE?

Given below are the mostly used verification commands that help us check if a particular step has passed or failed.

– verifyElementPresent

– assertElementPresent

– verifyElementNotPresent

– assertElementNotPresent

– verifyText

– assertText

– verifyAttribute

– assertAttribute

– verifyChecked

– assertChecked

– verifyAlert

– assertAlert

– verifyTitle

– assertTitle

25) How to set a global base URL for every test case of one test suite file in Selenium IDE?

Set an Environment variable to store the base URL and use it in every test case.

1) Define Selenium?

SELENIUM is a free (open-source) automated testing framework used to validate web applications across different browsers and platforms.

You can use multiple programming languages like Java, C#, Python etc to create Selenium Test Scripts.

2) What are the top Selenium alternatives available for free?

– Robot Framework

– Ranorex

– TestComplete

– Tricentis Tosca

– Soap UI

3) What are different versions of Selenium available you have used and what are the additional features you have seen from the previous versions?

Mostly worked with version 3 but now version 4 is going to be released. Following are additional features which are expected in new version:

– Selenium 4 WebDriver is completely W3C Standardized

– The Selenium IDE support for Chrome is available now

– Improved Selenium Grid

– Better Debugging

– Better Documentation

4) What is the principle difference between a Data-driven framework and a Keyword Driven Framework?

Data driven framework includes different test data sources like flat files, databases or XML but Keyword Driven Framework involves business keywords which represent a feature or user actions.

5) What are the two most common practices for automation testing?

– Identify which test cases can be automated and which cannot be automated.

– Do not rely completely on UI Automation.

6) What is Test Driven Development (TDD) Framework?

Test-driven development (TDD) is a software development process that relies on the repetition of a very short development cycle: requirements are turned into very specific test cases, then the code is improved so that the tests pass.

The following is an sequence of steps which are followed:

– Add a test

– Run all tests and see if it fails

– Write the code

– Run Tests

– Refactor code

– Repeat

7) What is Behavior Driven Development (BDD) Framework?

BDD is a software development process for teams to create simple scenarios on how an application should behave from the end user’s perspective. The goal of implementing BDD testing is to improve collaboration between stakeholders, such as developers, testers, product managers, and business analysts.

8) What are the main traits of a good Software Test Automation framework?

Maintainability, Reliability, Flexibility, Efficiency, Portability, Robustness, and Usability are main attributes of a good automation framework.

9) What are the challenges have you faced with Selenium and how did you overcome them?

– Handling dynamic content: We can use Implicit Wait or Explicit Wait to overcome this challenge

– Handling popup up windows: We can use getWindowHandle and getWindowHandles methods to handle popups.

– Handling alerts: We can use methods provided by Alert interface to handle an alert.

– Handling false positives: We can use different Assertions to look out for false positives.

– Synchronization issues: We can use different wait methods provided by selenium.

– Window based dialogs: We can use AutoIt tool to automate window based dialogs

10) What are the different components of Test Automation Framework?

– Object Repository

– Driver Script

– Test Scripts

– Function Library

– Test data resources

11) What are the benefits does WebDriver have over Selenium RC?

– Webdriver architecture is simpler than RC

– Webdriver is also faster than RC

– WebDriver interacts with page elements in a more realistic way

– WebDriver’s API is simpler than Selenium RC’s

– WebDriver can support the headless HtmlUnit browser but RC cannot

12) Which of the WebDriver APIs is the fastest and why?

HTML Unit Driver is the fastest because it works on a simple HTTP request-response mechanism and doesn’t interact with the browser UI for execution.

13) What is the command to bind a node to Selenium Grid?

driver = new RemoteWebDriver(new URL(nodeURL),capability);

14) Which of Java. C-Sharp or Ruby can we use with Selenium Grid?

All the languages can be used with Selenium Grid.

15) What are Selenium Grid Extras and the additional features does it add to Selenium Grid?

Selenium Grid Extras is a project that helps you set up and manage your local Selenium Grid. Below are the additional features:

– Killing any browser instance by name

– Stopping any Process by PID

– Moving mouse to specific location

– Get Memory usage and disk statistics

– Automatically upgrade WebDriver binaries

– Restart node after a set number of test executions

– Central storage of configurations for all nodes on the HUB server

– Screenshots at the OS level

16) Explain the concept of Object Repository?

An Object Repository is a map between UI element and its locator. It can also be written as an Object Map between UI element and the way to find it.

17) What is the difference between findElement() and findElements(), its return type and few examples of where you have used in Selenium Projects?

findElement returns only first matching element but findElements returns a list of all matching elements.

Return type for findElement is WebElement while for findElements is List<WebElements>

findElements can be used in a scenario where we want to find all broken links in a webpage.

18) Which method can be used to get the text of an element?

We can use getText() method to get text of any element.

19) How to check which check-box from multiple check-box options is selected previously using Selenium?

isSelected() method is used to know whether the Checkbox is toggled on or off.

20) What is the return type of isSelected() method in Selenium?

Return type is boolean.

21) What are the different methods which can be used to verify the existence of an element on a web page?

– driver.findElements(By.xpath(“value”)).size() != 0

– driver.findElement(By.id(id)).isDisplayed()

– driver.findElement(By.id(id)).isEnabled()

22) What is XPath Axes and what are the different Axes available?

XPath axes search different nodes in XML document from current context node. XPath Axes are the methods used to find dynamic elements.

– following: Selects all elements in the document of the current node

– ancestor: The ancestor axis selects all ancestors element (grandparent, parent, etc.) of the current node

– child: Selects all children elements of the current node

– preceding: Select all nodes that come before the current node

– following-sibling: Select the following siblings of the context node.

– parent: Selects the parent of the current node

– descendant: Selects the descendants of the current node

23) How to fetch an element when its attributes are changing frequently?

We can use different XPath methods like contains(), using or/and, starts-with, text(),ends-with

24) What are the different ways to click on a button using Selenium?

– using click() method

– using return key: sendKeys(Keys.Return)

– using JavaScriptExecutor

JavascriptExecutor js = (JavascriptExecutor) driver;

js.executeScript(“document.getElementsByName(‘login’)[0].click()”);

– using Actions class

Actions actions = new Actions(driver);

actions.moveToElement(button).click().perform();

25) What are the different types of Exceptions in Selenium?

– NoSuchElementException

– NoSuchWindowException

– NoSuchFrameException

– NoAlertPresentException

– InvalidSelectorException

– ElementNotVisibleException

– ElementNotSelectableException

– TimeoutException

– NoSuchSessionException

– StaleElementReferenceException

1) How to handle Selenium WebDriver Exceptions?

We can handle selenium exceptions by using try catch block methods of Java.

try{

driver.findElement(by.id(“button”)).click();

}

catch(NoSuchElementException e){

System.out.println(“Element not present”);

}

2) There are four browser windows opened and you don’t have any idea where the required element is present. What will be your approach to find that element?

– use getWindowHandles() method to get Window handles of all browser windows

– use switchTo() method to switch to each browser window using the handle id

– Find the element in each browser window and close the window if not present

3) How do you handle an alert pop-up in Selenium?

We can use the following methods to handle an alert in Selenium:

  • dismiss()

driver.switchTo().alert().dismiss();

  • accept()

driver.switchTo().alert().accept();

4) How do you retrieve the text displayed on an Alert?

String text = driver.switchTo().alert().getText();

5) How do you type text into the text box on an Alert?

driver.switchTo().alert().sendKeys(“Text”);

6) Is Alert in Selenium an Interface or Class?

Alert is an interface in Selenium.

7) How do you handle frames in Selenium?

We can switch to frames by following methods:

– By Index

driver.switchTo().frame(0);

– By Name or Id

driver.switchTo().frame(“id of the element”);

– By Web Element

driver.switchTo().frame(WebElement);

8) Give an example for method overloading concept that you have used in Selenium?

Implicit Wait in Selenium use method overloading as we can provide different Timestamp or TimeUnit like SECONDS, MINUTES, etc.

9) How do you select a value from a drop-down field and what are the different methods available?

We can select value from drop-down using methods of Select class. Following are the methods:

– selectByVisibleText

– selectByValue

– selectByIndex

Select elements = new Select(driver.findElement(By.id(“button”));

elements.selectByVisibleText(“Selenium”);

elements.selectByIndex(1);

10) When your XPath is matching more than one element, how do you handle it to locate the required element?

We can use index of the element to locate it or we can use different Xpath axes methods to locate the element like Following, Ancestor, Child, Preceding or Following-sibling

11) How do you capture screen-shots in Selenium and what is the best place to have the screen-shot code?

//Convert web driver object to TakeScreenshot

TakesScreenshot scrShot =((TakesScreenshot)webdriver);

//Call getScreenshotAs method to create image file

File SrcFile=scrShot.getScreenshotAs(OutputType.FILE);

//Move image file to new destination

File DestFile=new File(fileWithPath);

//Copy file at destination

FileUtils.copyFile(SrcFile, DestFile);

12) Write the code for connecting to Excel files and other operations?

XSSFWorkbook srcBook = new XSSFWorkbook(“Demo.xlsx”);

XSSFSheet sourceSheet = srcBook.getSheetAt(0);

int rownum=rowcounter;

XSSFRow sourceRow = sourceSheet.getRow(rownum);

XSSFCell cell1=sourceRow.getCell(0);

13) How do you read and write into a PDF file?

BufferedInputStream file = new BufferedInputStream(“Path of PDF file”);

PDFParser pdf = new PDFParser(file);

pdf.parse();

String text = new PDFTestStripper().getText(pdf.getPDDocument());

14) What are the disadvantages of Selenium?

– It supports only web applications and cannot automate desktop applications

– No default reporting mechanism

– No default object repository

– Cannot automate captcha

15) How do you debug your automation code when it is not working as expected?

– Add breakpoints on the lines of code where it is not working

– Run code in debugging mode

– Use different actions like F7(Step Into), F8(Step Over), F9(Step Out) to debug the problem

16) What are the end methods you use for verifying whether the end result is achieved by our Selenium automation scripts?

We can use different assertion methods available in different test frameworks like TestNG or Junit.

17) How do you clear the cookies of a browser using Selenium, before starting the execution?

driver.manage().deleteAllCookies();

18) How do you implement collections in your framework?

Collections can be used in framework in situations where you have to store large number of objects. For example, findElements() method returns a list of all matching elements.

19) Give a scenario where inheritance is used in your framework?

We create a Base Class in the Framework to initialize WebDriver interface, WebDriver waits, Property files, Excels, etc., in the Base Class. We extend the Base Class in other classes such as Tests and Utility Class.

20) Give a scenario where interface is used in your framework?

WebDriver is an interface and when we create an instance of the driver object to use its different methods.

21) Write a code using JavascriptExecutor to scroll the web page?

//This will scroll the web page till end.

js.executeScript(“window.scrollTo(0, document.body.scrollHeight)”);

22) What is the use of property file in Selenium?

Property file can be used to store the different web elements of an application or to store all the different application, framework configurations.

23) How do you handle multiple browsers selection in Selenium?

We can select different browsers in Selenium using TestNG framework.

24) What do you use for reporting in your Selenium Project?

We can use the default TestNG or Cucumber report. We can also use different reporting libraries like Extent reports.

25) How Cross Browser testing is handled in Selenium?

@BeforeTest

@Parameters(“browser”)

public void setup(String browser) throws Exception{

//Check if parameter passed from TestNG is ‘firefox’

if(browser.equalsIgnoreCase(“firefox”)){

//create firefox instance

System.setProperty(“webdriver.gecko.driver”, “.\\geckodriver.exe”);

driver = new FirefoxDriver();

}

//Check if parameter passed as ‘chrome’

else if(browser.equalsIgnoreCase(“chrome”)){

//set path to chromedriver.exe

System.setProperty(“webdriver.chrome.driver”,”.\\chromedriver.exe”);

//create chrome instance

driver = new ChromeDriver();

}

testng.xml:

<?xml version=”1.0″ encoding=”UTF-8″?>

<!DOCTYPE suite SYSTEM “http://testng.org/testng-1.0.dtd“>

<suite name=”TestSuite” thread-count=”2″ parallel=”tests” >

<test name=”ChromeTest”>

<parameter name=”browser” value=”Chrome” />

<classes>

<class name=”com.qascript.crossbrowsertests”>

</class>

</classes>

</test>

<test name=”FirefoxTest”>

<parameter name=”browser” value=”Firefox” />

<classes>

<class name=”com.qascript.crossbrowsertests”>

</class>

</classes>

</test>

</suite>

1) Can Selenium automate Client Server applications?

No Selenium cannot automate Client Server applications but there are other tools like Winium and AutoIt which can be used

to automate desktop applications.

2) What are the limitations of Selenium WebDriver?

– It supports Web based applications only

– Limited reporting capabilities

– Handling captcha

3) Tell me about the Selenium WebDriver architecture?

WebDriver is made of following components:

– Language Bindings

– JSON Wire Protocol

– Browser Drivers

– Real Browsers

When a test script is executed with the help of WebDriver, the following tasks are performed in the background:

– An HTTP request is generated and it is delivered to the browser driver for every Selenium Command.

– The HTTP request is received by the driver through an HTTP server.

– All the steps/instructions to be executed on the browser is decided by an HTTP server.

– The HTTP server then receives the execution status and in turn sends it back to the automation scripts.

Read more about this topic: Click here

4) How to identify the web elements?

In order to identify WebElements accurately and precisely, Selenium makes use of following locators:

  • ID
  • Name
  • CSS
  • LinkText
  • XPath

5) When do you go for an XPath?

Although XPath can be used as a locator for any webelement, it is particularly useful when elements are dynamically changing or

don’t have any unique properties.

6) How to execute the tests on Firefox Browser in Selenium?

System.setProperty(“webdriver.gecko.driver”,Path_of_Firefox_Driver”);

WebDriver driver = new FirefoxDriver(); //Creating an object of FirefoxDriver

driver.get(“https://qascript.com)

7) What is the difference between id and name?

id is used to identify the HTML eleemnt through the DOM and is expected to unique within the page

name correspons to the form element and identified what is posted back to server

8) How to handle dynamic web elements in Selenium?

Dynamic web elements can be handled in the following ways:

– By starting text

– containing text

– By index

– By following-sibling

– By preceding text

9) What is the default timeout of Selenium WebDriver?

Default timeout is 30 seconds

10) When do we use implicit and explicit waits in Selenium?

– The implicit wait will tell to the web driver to wait for certain amount of time before it throws a “No Such Element Exception”.

Once we set the time, web driver will wait for that time before throwing an exception.

– The explicit wait is used to tell the Web Driver to wait for certain conditions (Expected Conditions) or the maximum time exceeded

before throwing an “ElementNotVisibleException” exception.

11) How to select a date in a Calendar on a web page using Selenium?

public class DatePicker

{

public static void main(String[] args) throws InterruptedException

{

String dot=”9/October/2018″;

String date,month,year;

String caldt,calmonth,calyear;

/*

  • Split the String into String Array
  • /

String dateArray[]= dot.split(“/”);

date=dateArray[0];

month=dateArray[1];

year=dateArray[2];

ChromeDriver driver=new ChromeDriver();

driver.get(“http://cleartrip.com“);

driver.findElement(By.id(“DepartDate”)).click();

WebElement cal;

cal=driver.findElement(By.className(“calendar”));

calyear=driver.findElement(By.className(“ui-datepicker-year”)).getText();

/**

  • Select the year
  • /

while (!calyear.equals(year))

{

driver.findElement(By.className(“nextMonth”)).click();

calyear=driver.findElement(By.className(“ui-datepicker-year”)).getText();

System.out.println(“Displayed Year::” + calyear);

}

calmonth=driver.findElement(By.className(“ui-datepicker-month”)).getText();

/**

  • Select the Month
  • /

while (!calmonth.equalsIgnoreCase(month))

{

driver.findElement(By.className(“nextMonth “)).click();

calmonth=driver.findElement(By.className(“ui-datepicker-month”)).getText();

}

cal=driver.findElement(By.className(“calendar”));

/**

  • Select the Date
  • /

List<WebElement> rows,cols;

rows=cal.findElements(By.tagName(“tr”));

for (int i = 1; i < rows.size(); i++)

{

cols=rows.get(i).findElements(By.tagName(“td”));

for (int j = 0; j < cols.size(); j++)

{

caldt=cols.get(j).getText();

if (caldt.equals(date))

{

cols.get(j).click();

break;

}

}

}

}

}

12) Can I navigate back and forth in a browser using Selenium WebDriver?

Yes. We can use Navigate method to move back and forth in a browser.

driver.navigate().forward();

driver.navigate().back();

13) How to execute the Selenium scripts on different browsers?

We can use a framework like TestNg or Junit and configure them to run Selenium Scripts on multiple browsers.

14) What is the purpose of isDisplayed() function in Selenium WebDriver?

The isDisplayed method in Selenium verifies if a certain element is present and displayed.

If the element is displayed, then the value returned is true.If not, then the value returned is false.

15) What is the difference between isDisplayed() and isEnabled() functions in Selenium WebDriver?

isDisplayed() is capable to check for the presence of all kinds of web elements available.

isEnabled() is the method used to verify if the web element is enabled or disabled within the webpage.

16) Can you test flash images in Selenium?

You can also automate the flash using Selenium web driver through the Flashwebdriver object and

then call a method to operate flash object. You need to download flashwebdriver jar files

17) What is a Framework?

A framework defines a set of rules or best practices which we can follow in a systematic way to achieve the desired results.

Read more about this topic : Click here

18) How to select a third value from a drop-down field?

Select select = new Select(listFrameworks);

select.selectByIndex(2);

19) How to get columns from a table?

WebElement table = driver.findElement(By.xpath(“WebTableXPath”));

List<WebElement> totalRows = table.findElements(By.tagName(“tr”));

for(int i=0;i<totalRows.size-1;i++){

List<WebElement> totalColumns = totalRows[i].findElements(By.tagName(“td”));

}

20) How many scripts are you writing and executing per a day?

It is all dependent on the automation framework and the application under test.

21) Which driver implementation will allow headless mode?

HtmlUnit driver can be used to run tests in headless mode.

22) Which reporting mechanism you have used in your Selenium projects?

We used the Maven Cucumber Reporting plugin to generate detailed html reports.

23) Why did you choose Selenium in your project, when there are so many tools?

We chose Selenium because of the following reasons:

– It is open source and free

– It is easy to learn and setup

– It is the most widely used and popular automation tool

– All the web applications in our project are compatible with Selenium

– Multi-browser and parallel testing is possible with Selenium

24) How do you make use of JSON files in Selenium Grid?

We can configure our hub and nodes using Json file in Selenium Grid.

25) How to pause a test execution for 5 seconds at a specific point ?

We can put a breakpoint on the line where we want to pause the test execution.

1) How to get the html source code of a particular web element using Selenium WebDriver?

We can get the html source code of an element using getAttribute method.

driver.getAttribute(“innerhtml”);

2) What are the different driver classes available in Selenium WebDriver API?

Selenium WebDriver API consists of different types of Browser driver classes like ChromeDriver,IEDriver, FirefoxDriver, etc…

3) What automation tools could be used for post-release validation with continuous intergration?

We can use continuous monitoring tools such as Nagios and Splunk to perform post release validation.

4) Does the latest version of Selenium WebDriver support Mobile Testing?

Selenium directly doesn’t support Mobile testing but it is possible by the help of other tools like Appium.

5) What is the major differences between XPath Expressions and CSS Selectors?

Using XPath we can traverse both forward and backward whereas CSS selector only moves forward in HTML DOM.

6) How to select a check box in Selenium?

We can select a checkbox by clicking on it.

driver.findElement(By.id(“chkbox”)).click();

7) How to verify whether the checkbox option or radio button is selected or not?

By using isSelected() method.

driver.findElement(By.id(“chkbox”)).isSelected();

8) What is the alternative way to click on login button?

We can use JavaScriptExecutor to click on login button.

JavascriptExecutor js = (JavascriptExecutor)driver;

js.executeScript(“arguments[0].click();”, button);

9) How can you find the value of different attributes like name, class, value of an element?

By using the getAttribute() method.

String name = driver.findElement(By.id(“login”)).getAttribute(“name”);

10) How to verify whether a button is enabled on the page?

We can verify by using isEnabled() method.

driver.findElement(By.id(“btn”)).isEnabled();

11) What kind of mouse actions can be performed using Selenium?

Following mouse actions can be performed:

– doubleClick(): Performs double click on the element

– clickAndHold(): Performs long click on the mouse without releasing it

– dragAndDrop(): Drags the element from one point and drops to another

– moveToElement(): Shifts the mouse pointer to the center of the element

– contextClick(): Performs right-click on the mouse

12) What kind of keyboard operations can be performed in Selenium?

Following keyboard actions can be performed:

– sendKeys(): Sends a series of keys to the element

– keyUp(): Performs key release

– keyDown(): Performs keypress without release

13) Can Bar Code Reader be automated using Selenium?

It is not possible to automate bar code reader in Selenium.

14) How to locate a link using its text in Selenium?

We can use By.linkText() to locate a link using text in Selenium.

15) Write the program to locate/fetch all the links on a specific web page?

List<WebElements> allLinks = driver.findElements(By.tagName(“a”));

16) How can we run test cases in parallel using TestNG?

By using the parallel attribute in testng.xml. The parallel attribute of suite tag can accept four values:

– tests: All the test cases inside <test> tag of Testing xml file will run parallel.

– classes: All the test cases inside a Java class will run parallel

– methods: All the methods with @Test annotation will execute parallel.

– instances: Test cases in same instance will execute parall

17) How do you get the height and width of a text box field using Selenium?

We can get the height and width of a text box using getSize() method.

WebElement element = driver.findElement(By.id(“txt”));

System.out.println(element.size());

18) Which package can be imported while working with WebDriver?

Following package can be imported: org.openqa.selenium.WebDriver

19) What is the purpose of deselectAll() method?

Clears all selected entries. This is only valid when the SELECT supports multiple selections.

20) What is the purpose of getOptions() method?

It Returns all the option elements displayed in the select tag for dropdown list.

21) How to handle alerts in Selenium WebDriver?

We can use switchTo().Alert() method to switch to the alert dialog and perform the below actions:

driver.switchTo.Alert().accept(); //To click on Ok button of alert

driver.switchTo().Alert().dismiss(); //To click on Cancel button of alert

22) What is hybrid framework?

Hybrid Framework is a combination two or more frameworks like Data-Driven, Modular or Keyword-Driven. It uses the best features of each framework to build a highly reusable and maintainable framework.

23) Can you explain the line of code WebDriver driver = new FirefoxDriver();?

It starts a new Firefox browser driver instance.

24) What could be the cause for Selenium WebDriver test to fail?

There could be many reasons for test failure. Some of them are listed below:

– Driver is null or not found

– Element is not found on the page

– Element is present but not interactable

– Page Synchronization issues

25) What is the difference between @Factory and @DataProvider annotation?

@DataProvider – A test method that uses @DataProvider will be executed multiple number of times based on the configuration provided in it.

The test method will be executed using the same instance of the test class to which the test method belongs.

@Factory – A factory will execute all the test methods present inside a test class using separate instances of the class.

1**) Can we test APIs or web services using Selenium WebDriver?**

Selenium directly cannot test APIs or web services but we can use Java libraries like Rest Assured to do the same.

2) How can we locate an element by only partially matching its attributes value in XPath?

We can use contains() method in Xpath to partially match attribute value.

WebElement element = driver.findElement(By.xpath(“//*[contains(@id,’sub’)]”));

3) How can we locate elements using their text in XPath?

We can use the text() method in XPath to locate elements.

WebElement element = driver.findElement(By.xpath(“//*[text(),’Selenium’]));

4) How can we move to parent of an element using XPath?

We can use ancestor in Xpath to move to parent node of an element.

WebElement element = driver.findElement(By.xpath(“//*[@id=’login’]/ancestor::div[@class=’button’]));

5) How can we move to nth child element using XPath?

We can use child axis in Selenium to find all the children of the current node and

then use index method to move to nth child element.

WebElement element = driver.findElements(By.xpath(“//[@id=’login’]/child::“)[2]);

6) What is the syntax of finding elements by class using CSS Selectors?

In Css Selector . represents a class identifier.

WebElement element = driver.findElement(By.CssSelector(“.button”));

For a detailed view on all different locators in Selenium refer the following page – https://qascript.com/selenium-locators/

7) What is the syntax of finding elements by id using CSS Selectors?

In Css Selector # represents a class identifier.

WebElement element = driver.findElement(By.CssSelector(“#login”));

For a detailed view on all different locators in Selenium refer the following page – https://qascript.com/selenium-locators/

8) How can we select elements by their attribute value using CSS Selector?

We need to provide the identifier type followed by the value in Css Selector to select an element.

9) How can we move to nth child element using CSS Selector?

driver.findElement(By.cssSelector(“ul > li:nth-child(1)”));

10) How can we submit a form in Selenium?

We can submit a form using the submit() method in selenium.

driver.findElement(By.id(“Login”)).submit();

11) How can we fetch a text written over an element?

We can fetch text using the getText() method.

String text = driver.findElement(By.id(“Login”)).getText();

12) What are some expected conditions that can be used in Explicit Waits?

– elementToBeClickable()

– elementToBeSelected()

– presenceOfElementLocated()

– visiblityOfElementLocated()

13) How can we fetch the title of the page in Selenium?

Using getTitle() method.

String title = driver.getTitle();

For a detailed view on all Selenium methods refer the following page – https://qascript.com/selenium-webdriver-commands-cheat-sheet/

14) How can we fetch the page source in Selenium?

Using getPageSource() method.

String source = driver.getPageSource();

15) What are some randomly encountered exceptions in Selenium ?

– NoSuchElementException

– NoSuchWindowException

– NoSuchFrameException

– NoAlertPresentException

– InvalidSelectorException

– ElementNotVisibleException

– ElementNotSelectableException

– TimeoutException

– NoSuchSessionException

– StaleElementReferenceException

16) How to check which option in the drop-down is selected?

Using getFirstSelectedOption() method.

Select select = new Select(driver.findElement(By.xpath(“//select”)));

WebElement option = select.getFirstSelectedOption();

String defaultItem = option.getText();

System.out.println(defaultItem );

17) How to handle HTTPS websites in Selenium? Does Selenium support them?

You can handle HTTPS websites by handling SSL certificates in each browser using DesiredCapabilities.

18) How to accept the SSL untrusted connection?

For handling SSL error in Chrome, we need to use desired capabilities of Selenium Webdriver.

The below code will help to accept all the SSL certificate in chrome, and the user will not

receive any SSL certificate related error using this code.

// Create object of DesiredCapabilities class

DesiredCapabilities cap=DesiredCapabilities.chrome();

// Set ACCEPT_SSL_CERTS variable to true

cap.setCapability(CapabilityType.ACCEPT_SSL_CERTS, true);

// Set the driver path

System.setProperty(“webdriver.chrome.driver”,”Chrome driver path”);

// Open browser with capability

WebDriver driver=new ChromeDriver(cap);

19) What is HtmlUnitDriver?

HTML UnitDriver is the most light weight and fastest implementation headless browser for of WebDriver.

It is based on HtmlUnit. It is known as Headless Browser Driver. It is same as Chrome, IE, or FireFox driver,

but it does not have GUI so one cannot see the test execution on screen.

20) What is the use of @Factory annotation in TestNG?

A factory will execute all the test methods present inside a test class using separate instances of the class.

It is used to create instances of test classes dynamically. This is useful if you want to run the test class any number of times.

21) What are some common assertions provided by TestNG?

– AssertTrue

– AssertEqual

– AssertFalse

22) Name an API used for logging in Java?

Log4J api is used for logging in Java.

23) What is the use of logging in Automation?

Logging helps in debugging errors and reporting purposes.

24) Can Selenium Test an application on Android Browser?

We have to use Appium to automate an application on Android browser.

25) How to select a radio button in Selenium WebDriver?

We can select a radio button using click() method.

driver.findElement(By.id(“checkbox”)).click();

1) Explain how will automate drop down list ? How will you get size ? and text present in it?

We can use the Select class and methods to automate drop down list. We will get the size of the

items by using getOptions() method. We can iterate through each item and get its text by using getText() method.

WebElement ddElement = driver.findElement(By.id(“country”));

Select select = new Select(ddElement);

List<WebElement> items = select.getOptions();

for(WebElement element: items){

System.out.println(element.getText());

}

2) Give me another way u can send values other than sendkeys?

We can use JavaScript Executor to send values.

JavascriptExecutor JS = (JavascriptExecutor)webdriver;

JS.executeScript(“document.getElementById(‘User’).value=’QAScript'”);

3) What is regular expression? Where will we use it?

A regular expression is a sequence of characters that define a search pattern. Usually such patterns are used by string searching algorithms for “find” or “find and replace” operations on strings, or for input validation.

They can be used for:

– extracting text from the value of a webelement

– validating if a value matches a specific pattern

– validating if a url matches a pattern

4) How do you start selenium server?

We can start the selenium server using the below command:

java -jar selenium-server-standalone-3.11.0.jar

5) How do you download and use selenium?

We can download Selenium by using Maven dependencies and import the Selenium packages in our classes.

6) How do you differentiate check box if more than one check box is existed in your application?

We can first get the list of all check-boxes and then use index to perform operation on a particular check-box.

List<WebElement> elements = driver.findElement(By.id(“check”));

elements.get(1).click();

7) How to get the href of a link?

We can use the getAttribute method to get href of a link.

String str = driver.findElement(By.id(“Submit”)).getAttribute(“href”);

8) How to get the source of image?

We can use the getAttribute method to get source of image.

String source = driver.findElement(By.id(“img”)).getAttribute(“src”));

9) Write a program to count the number of links in a page?

List<WebElement> allLinks = driver.findElement(By.tagName(“a”));

int count = allLinks.size();

10) How to check all check-boxes in a page?

List<WebElement> checkboxes = driver.findElement(By.xpath(“//input[@type=’checkbox’]”));

for(WebElement element: checkboxes){

element.click();

}

11) What is the output of the below code? driver.findElements(By.tagName(“img”));?

It will return all the elements from the page which have tagname as img.

12) How do you handle JavaScript alert/confirmation popup?

Using Alert class and its different methods.

Alert alert = driver.switchTo().alert();

//Click on OK button

alert.accept();

//Click on close button

alert.dismiss();

//Get text present on Alert

alert.getText();

13) How do you launch IE?

System.setProperty(“webdriver.ie.driver”,”//path of IE Driver”);

WebDriver driver = new InternetExplorerDriver();

14) How do you launch Chrome browser?

System.setProperty(“webdriver.chrome.driver”,”//path of Chrome Driver”);

WebDriver driver = new ChromeDriver();

15) How do you click on a menu item in a drop down menu?

WebElement element = driver.findElement(By.id(“menu”));

Select dropdown = new Select(element);

dropdown.selectByValue(“1”);

16) How do you work with page onload authentication popup?

driver.get(“http://UserName:[email protected]“);

17) How do you handle untrusted certificates?

DesiredCapabilities certificate = DesiredCapabilities.chrome();

certificate.setCapability (CapabilityType.ACCEPT_SSL_CERTS, true);

WebDriver driver = new ChromeDriver (certificate);

18) How to verify that the font-size of a text is 12px?

driver.findelement(By.xpath(“xpath_element”).getcssvalue(“font-size);

19) How to get typed text from a textbox?

String text = driver.findElement(By.id(“textbox”)).getAttribute(“value”);

20) What is the use of following-sibling ?

It selects all the siblings after the current node.

driver.findElement(By.xpath(“//*[@name=’username’]//following-sibling::input[@name=’password’]”).sendKeys(“password”);

21) What is StaleElementException? When does it occur? How do you handle it?

This Exception occurs when driver is trying to perform action on the element which is no longer exists or not valid. Try to get around this by first using an explicit wait on the element to ensure the ajax call is complete, then get a reference to the element again.

By byPageLoc = By.id(“element”);

wait.until(ExpectedConditions.elementToBeClickable(byPageLoc));

driver.findElement(By.id(“element”)).click();

22) How to get the number of frames on a page?

List<WebElement> frames = driver.findElement(“By.id(“frame-id”));

int count = frames.getSize();

23) How to verify that an element is not present on a page?

boolean isElementDisplayed = driver.findElement(By.id(“login”)).isDisplayed();

if(!isElementDisplayed)

System.out.println(“Element is not present”);

24) What is the use of getPageSource()?

It returns the complete html source code of the page.

25) What is the difference between dragAndDrop() and dragAndDropBy()?

Difference between dragAndDrop and dragAndDropBy is that, dragAndDropBy moves the source element not to the target element but to the offsets.

1) What are the different ways to customize TestNG report?

We can customize TestNG reports in 2 ways:

– Using ITestListener Interface

– Using IReporter Interface

2) What is required to generated the PDF reports?

To create pdf report we need a Java API called IText.

3) What are Selenium WebDriver Listeners?

The WebDriverEventListener interface can implement classes and methods like EventFiringWebDriver and WebDriverEventListener. It can also track events like “beforeNavigateTo” , “afterNavigateTo”, “BeforeClickOn”, “AfterClickOn” and more.

4) What are the different types of Listeners in TestNG?

Below are different types of listeners in TestNG:

– IAnnotationTransformer

– IConfigurable

– IConfigurationListener

– IExecutionListener

– IHookable

– IInvokedMethodListener

– IMethodInterceptor

– IReporter

– ISuiteListener

– ITestListener

5) What is the API that is required for implementing Database Testing using Selenium WebDriver?

JDBC api is required for Database testing.

6) When to use AutoIt?

AutoIt is a freeware BASIC-like scripting language designed for automating the Windows GUI and general purpose scripting. It should be used to automate window based popups and dialog boxes.

7) Why do we need Session Handling while using Selenium WebDriver?

During test execution, the Selenium WebDriver has to interact with the browser all the time to execute given commands. At the time of execution, it is also possible that, before current execution completes, someone else starts execution of another script, in the same machine and in the same type of browser. In such situation, we need a mechanism by which our two different executions should not overlap with each other.

8) What is the advantage of using GitHub for Selenium?

Github can be used for the following:

– Effective Source Code Management

– Collaboration among team members

– Versioning of Selenium code

9) What are the advantages and disadvantages of Selenium over other testing tools like QTP and TestComplete?

Advantages:

– Selenium is open source and free automation tool

– Selenium supports multiple languages and platforms

– Selenium can be easily integrated with CI/CD tools

Disadvantages:

– Selenium can only automate Web Applications

– Selenium doesn’t have reporting capabilities

– Selenium doesn’t have a object repository

10) What is exception test in Selenium?

In TestNG we use expectedException with @Test annotation and we need to specify the type of exceptions that are expected to be thrown when executing the test methods.

11) Why and how will you use an Excel sheet in your Selenium project?

Excel sheet can be used as a data source from which we can read test data. We can also use it for reporting.

12) How can you redirect browsing from a browser through some proxy?

Selenium provides a PROXY class to redirect browsing from a proxy.

String PROXY = “199.200.124.130:8080”;

org.openqa.selenium.Proxy proxy = new.org.openqa.selenium.Proxy();

proxy.setHTTPProxy(Proxy)

.setFtpProxy(Proxy)

.setSslProxy(Proxy)

DesiredCapabilities cap = new DesiredCapabilities();

cap.setCapability(CapabilityType.PROXY, proxy);

WebDriver driver = new FirefoxDriver(cap);

13) How do you achieve synchronization in WebDriver?

Synchronization can be achieved by using the following wait commands in WebDriver:

– ImplicitWait

– ExplicitWait

– FluentWait

14) Write a code to wait for a particular element to be visible on a page.

WebElement element = driver.findElement(By.id(“button”));

WebDriverWait wait = new WebDriverWait(driver,30);

wait.until(ExpectedConditions.visibilityOfElementLocated(element));

15) Write a code to wait for an alert to appear.

WebDriverWait wait = new WebDriverWait(driver, 30);

wait.until(ExpectedConditions.alertIsPresent());

16) How to scroll down a page using JavaScript in Selenium?

JavaScriptExecutor js = (JavaScriptExecutor)driver;

js.executeScript(“window.scrollBy(0,1000)”);

17) How to scroll down to a particular element?

JavaScriptExecutor js = (JavaScriptExecutor)driver;

js.executeScript(“arguments[0].scrollIntoView();”, Element);

18) How to handle keyboard and mouse actions using Selenium?

Keboard and mouse actions can be handled by using Actions class in Selenium.

19) Which files can be used as data source for different frameworks?

Text, Excel, XML and JSON can be used as data source files.

20) How can you fetch an attribute from an element?

We can fetch an attribute using getAttribute() method in Selenium.

21) How to retrieve typed text from a text box?

String text = driver.findElement(By.id(“textBox”)).getText();

22) How to send alt or shift or control or enter or tab key in Selenium WebDriver?

We can use sendKeys() method to send any key.

driver.findElement(element).sendKeys(Keys.TAB);

23) How to set the size of browser window using Selenium?

Dimension d = new Dimension(300,1080);

driver.manage().window().setSize(d);

24) How to switch to a new window (new tab) which opens up after you click on a link?

String currentWindowHandle = driver.getWindowHandle();

ArrayList<String> windowHandles = new ArrayList<String>(driver.getWindowHandles());

for (String window:windowHandles){

if (window != currentWindowHandle){

driver.switchTo().window(window);

}

}

25) Can I call a single data provider method for multiple functions and classes?

Yes. We can use a single data provider method for multiple functions.

1**) Why do you get NoSuchElementException ?**

NoSuchElementException is thrown when the element is not present in the page.

2) Write syntax for switching to default content after switching to any frame?

driver.switchTo().defaultContent();

3) Write syntax for actions class?

Actions actions = new Actions(driver);

actions.moveToElement(element).click().build().perform();

4) Write syntax for drag & drop?

WebElement toElement = driver.findElement(by.id(“area1”));

WebElement fromElement = driver.findElement(by.id(“area2”));

Actions actions = new Actions(driver);

actions.dragAndDrop(fromElement,toElement).build().perform();

5) Can we use implicitly wait() and explicitly wait() together in the test case?

Yes we can use implicitly and explicitly wait together in the same test.

6) What Is the syntax to get value from text box and store It In variable.?

String text = driver.findElement(by.id(“textbox”)).getAttribute(“value”);

7) How to shoot the snapshot using selenium?

TakeScreenshot screenshot = ((TakeScreenshot)driver);

File src = screenshot.getScreenshotAs(OutputType.FILE);

File dest = new File(file1);

FileUtils.copyFile(src,dest);

8) How to handle Confirmation Pop-Up?

We can use different methods of Alert interface in WebDriver:

//To click on the cancel button

driver.switchTo().alert().dismiss();

//To click on OK button

driver.switchTo().alert().accept();

9) How do you handle untrusted SSL certificate in Selenium WebDriver?

DesiredCapabilities capability = DesiredCapabilities.chrome();

capability.setCapability(CapabilityType.ACCEPT_SSL_CERTS, true);

WebDriver driver = new ChromeDriver(capability);

10) What is Select Class in Selenium WebDriver and how to use it?

Select class is used to interact with select dropdowns on the webpage.

WebElement element = driver.findElement(by.id(“country”));

Select select = new Select(driver);

select.selectByVisibleText(element);

11) What is Alert interface and how to use it?

Alert interface is used to handle alert dialog boxes in Selenium WebDriver.

It provides the folowing methods:

– accept(): To click on the OK button

– dismiss(): To click on the CANCEL button

– getText(): To capture alert message

– sendKeys(): To send data to alert box

12) What is click() command in Selenium WebDriver?

click() command is used to click on any web element of the page.

13) What is sendKeys() command in Selenium WebDriver?

sendKeys() command is used to type a key sequence in DOM element.

15) How to read data from properties file in Selenium?

FileReader file = new FileReader(“app.properties”);

Properties props = new Properties();

String url = props.load(file).getProperty(“baseURL”);

16) How to automate a scroll bar?

JavaScriptExecutor js = (JavaScriptExecutor)driver;

js.executeScript(“window.scrollBy(0,200)”);

17) If an explicit wait is 10 sec and the condition is met in 5 sec, will

driver move to execute next statement after 5 sec or it will wait for complete 10 sec then move?

Driver will move to next statement if the condition is met within 5 seconds and will not wait

for 10 seconds.

18) If element is loaded by taking much time, how to handle this situation in selenium?

We can use explicit or fluent wait methods to explicitly wait for the element.

19) What is the problem with Thread.Sleep in code?

Thread.Sleep will always wait for the defined amount of time and increases the overall execution time.

20) How to verify whether the background color of a paragraph is green or not?

WebElement element = driver.findElement(By.id(“para”));

element.getCssValue(“background-color”);

21) How to change the URL on a webpage using selenium web driver?

We can use the navigate method to change the URL.

driver.navigateTo().url(“https://qascript.com“);

22) Write a program to return the number of rows and columns in a webtable?

List<WebElement> rows = driver.findElements(By.xpath(“//*[@class=’table’]/tbody/tr”));

System.out.println(rows.size());

List<WebElement> cols = driver.findElements(By.xpath(“//*[@class=’table’]/tbody/tr[1]/td”));

System.out.println(cols.size());

23) Write a program to return the row and column value like(3,4) for a given data in web table?

String val = driver.findElement(by.xpath(“//*[@id=’table’]/tbody/tr[3]/td[4]”)).getText();

24) Action is class or interface?

Action is an interface which represents a single user interaction action.

25) How do you handle exception handling in selenium?

We can handle exceptions using try catch blocks.

1) How to select an option in list box?

We can use the select class and methods to select an option in list box.

Select select = new Select(element);

select.selectByVisibleText(“QA”);

2) What is an iframe and how to handle it using Selenium WebDriver?

An iframe is an HTML element which allows an external webpage to be embedded in another HTML document. An iframe can be handled in Selenium using the switchTo() methods.

driver.switchTo().frame(element);

3) How do you count the total number of rows in a web table?

List<WebElement> rows = driver.findElements(By.xpath(“//table[@id=webtable]/tbody/tr”));

int count = rows.size();

4) Write an xpath to find all the hyperlinks on a web page?

List<WebElement> links = driver.findElements(By.tagName(“a”));

5) What are the different XPath types and which XPath type you have used in your projects?

There are 2 types of XPath:

– Absolute XPath: It starts with a single slash(/). It traverses from the root node till the element in the HTML DOM

– Relative XPath: It starts with a double slash(//). It can search element anywhere on the HTML DOM

6) An element has an id “bng_123” but its number is changing. How to handle it?

We can handle the dynamic elements using different xpath functions.

driver.findElement(By.xpath(“//input[starts-with(@id,’bng_’)]));

7) How to get text from hidden elements?

We can get the innerHTML value of the hidden element using the getAttribute() method.

String text = driver.findElement(element).getAttribute(“innerHTML”);

8) What is the return type of driver.getWindowHandles() in Selenium?

Return type for getWindowHandles is a Set<String>

9) In a web page, how will you ensure that the page has been loaded completely?

We can wait for a particular webelement on the page to become clickable by using explicit wait.

10) What is the difference between build and perform methods in Actions Class?

– build() method in Actions class is use to create chain of action or operation you want to perform.

– perform() method in Actions Class is use to execute chain of action which are build using Action build method.

11) What is the use of sleep() ?

Selenium Webdriver waits for the specified amount of time, whether the element is present or not.

12) What is the difference between Selenium Grid and Selenium WebDriver?

Selenium WebDriver allows us to directly interact with different browsers by using different client libraries. Selenium Grid allows us to execute webdriver scripts on remote machines.

13) How to select a checkbox present in a grid?

We can select a checkbox using the click operation.

14) While using click() command, can you use screen coordinates?

Actions action = new Actions(driver);

action.moveByOffset(X,Y).click().perform();

15) Explain how you can switch back from a frame?

We can switch back to main frame by using the following methods:

– driver.switchTo().parentFrame();

– driver.switchTo().defaultContent();

16) How to close browser popup window in Selenium WebDriver?

We can use the following methods of Alert interface to close popup windows:

– To click on the cancel button of the alert

driver.switchTo().alert().dismiss();

– To click on the OK button of the alert

driver.switchTo().alert().accept();

17) Give the example for method overload in Selenium?

In Selenium, Implicit wait is an example of Method Overloading. In Implicit wait we use different time stamps such as SECONDS, MINUTES, HOURS, etc…

18) How to invoke an application in Selenium WebDriver?

Runtime runtime = Runtime.getRuntime();

runtime.exec(“Notepad.exe”);

19) How to change the URL on a web page using Selenium WebDriver?

We can use the navigate.to() method to change the URL of a page.

driver.navigate.to(“https://qascript.com“);

20) What is the use of contextClick()?

ContextClick() is used to perform the right click operation on an element.

21) Count the number of links in a page?

List<WebElement> links = driver.findElements(By.tagName(“a”));

int count = links.size();

22) How to select all the check boxes in a page?

List<WebElement> cb = driver.findElements(By.xpath(“//input[@type=’checkbox’]”));

for(WebElement element: cb){

element.click();

}

23) What is Actions class in WebDriver and its methods?

Actions class enables us to handle different mouse and keyboard events. Some of the methods are:

doubleClick(): Performs double click on the element

clickAndHold(): Performs click on the mouse without releasing it

dragAndDrop(): Drags the element from one point and drops to another

moveToElement(): Moves the mouse pointer to the center of the element

contextClick(): Performs right-click on the mouse

sendKeys(): Sends a series of keys to the element

keyUp(): Performs key release

keyDown(): Performs key press without release

24) How to switch to another window using Selenium?

We can use the switchTo().window(windowHandle) to switch to another window.

25) What does Thread.sleep() method does?

Thread.sleep() is a static Java method that suspends the code execution for a specific amount of time.

1) What is a headless browser?

Headless browsers provide automated control of a web page in an environment similar to popular web browsers, but they are executed via a command-line interface. Some of the headless browsers are Chrome Headless, PhantomJS, HTMLUnit etc…

2) How frequently do you use Thread.Sleep()?

Thread.Sleep() shouldn’t be used frequently in scripts as it will slow down the execution speed. It stops the execution of the execution of the script for the specified time

3) How does Selenium interact with the Web browser?

When we execute any script in Selenium, every statement is converted as a URL with the help of JSON Wire Protocol over HTTP. The URL is passed over to the browser driver and then that request is passed over to the real browser over HTTP. Finally the commands in the scripts will be executed in the browser.

4) How to click a button without using click() and without using CSS & XPath selectors?

We can click on a button using the JavaScript Executor.

JavaScriptExecutor js = (JavaScriptExecutor)driver;

js.executeScript(“arguments[0].click()”,button);

5) How do you check whether the field is editable or not in selenium?

WebElement element = driver.findElement(By.id(“field”));

String val = element.getAttribute(“readonly”);

Assert.assertNotNull(val);

6) How webdriver works?

When a test script is executed with the help of WebDriver, the following tasks are performed in the background:

– An HTTP request is generated and it is delivered to the browser driver for every Selenium Command.

– The HTTP request is received by the driver through an HTTP server.

– All the steps/instructions to be executed on the browser is decided by an HTTP server.

– The HTTP server then receives the execution status and in turn sends it back to the automation scripts.

7) What is By class?

By class is a mechanism used to locate elements within a document. We can create our own locating mechanisms by overriding the protected methods. We can use different nested classes like By.Name, By.Id, By.TagName, etc…

8) Why do we use // for writing xpath?

// represents relative xpath. It can search elements anywhere on the webpage.

9) Write Xpath by using contains?

WebElement element = driver.findElement(By.xpath(“//*[contains(@class,’alert’)]”));

System.out.println(element.getText());

10) What is the difference between thread.Sleep() and selenium.SetSpeed (“2000”)?

setSpeed : Set execution speed (i.e., set the millisecond length of a delay which will follow each selenium operation)

Thread.sleep : It causes the current thread to suspend execution for a specified period.

11) In what situation selenium finding element get fails?

Selenium find element can fail in many situations:

– Element is not present on the page

– Element is not visible on the page

– Element locator has changed

– Operation timed out

12) How we can retrieve the dynamically changing Ids?

We can use different XPATH methods to identify dynamic elements in the webpage.

driver.findElement(By.xpath(“//*[starts-with(@id,’qascript’)]”));

13) How to refresh a page without using context click?

driver.navigate().refresh();

14) How to get the name of browser using Web Driver?

Capabilities cap = ((RemoteWebDriver) driver).getCapabilities();

String browserName = cap.getBrowserName();

15) How to disable cookies in browser.?

Map prefs = new HashMap();

prefs.put(“profile.default_content_settings.cookies”, 2);

ChromeOptions options = new ChromeOptions();

options.setExperimentalOptions(“prefs”, prefs);

driver = new ChromeDriver(options);

16) How to work with radio button in web driver?

We can click on the radio button in webdriver.

driver.findElement(By.id(“rb”)).click();

17) Explain Assert.assertEquals()?

We can use assertEquals method to compare 2 objects.

18) What are the most common pre define functions of xpath?

Some of the common pre-defined functions of xpath are starts-with, text() and contains.

19) How to get the snapshot using selenium?

File scrFile = ((TakeScreenshot)driver).getScreenshotAs(ouputType.FILE);

File DestFile=new File(filePath);

FileUtils.copyFile(SrcFile, DestFile);

20) How to verify the text inside the text box is present or not?

String text = driver.findElement(By.id(“username”)).getAttribute(“value”);

Assert.assertTrue(text!=null);

21) What are ancestors & siblings tell me the syntax?

ancestors syntax:

driver.findElement(By.xpath(“//a[contains(text(),’Sign’)]//ancestor::div[2]”));

siblings syntax:

driver.findElement(By.xpath(“//p[text()=’Already have account ? ‘]//following-sibling::a”)).click();

22) How will you open the URL using IE Browser in Selenium?

System.setProperty(“webdriver.ie.driver”, “driverPath”);

WebDriver driver=new InternetExplorerDriver();

driver.get(“https://www.google.com/“);

23) How to switch from frame to main window? With syntax.

driver.switchTo().defaultContent();

24) What is the difference between “type” and “typeAndWait” command?

Type: When the user needs to enter the text into a text field, type command is used.

TypeAndWait: This command is generally used to reload the web page as soon as the typing of the text is completed.

25) How to invoke an application in webdriver?

Runtime.getRuntime().exec(“notepad.exe”);