How to make Selenium driver private in selenium webDriver
- Dev Raj Sinha
- Nov 2, 2023
- 1 min read
To make the Selenium WebDriver instance private, you can encapsulate it within a class and provide public methods to interact with the WebDriver. By doing this, you control the access to the WebDriver instance and encapsulate its behavior. Here's an example of how you can achieve this in Java:
public class CustomWebDriver {
private WebDriver driver;
// Constructor to initialize the WebDriver instance
public CustomWebDriver() {
// You can initialize any WebDriver instance here (ChromeDriver, FirefoxDriver, etc.)
driver = new ChromeDriver();
}
// Public method to perform actions using WebDriver
public void performAction() {
// Example: navigating to a URL
driver.get("https://example.com");
}
// Public method to close the WebDriver
public void closeBrowser() {
driver.quit();
}
}
In this example, the `WebDriver` instance is private and can only be accessed within the `CustomWebDriver` class. You can provide public methods like `performAction()` and `closeBrowser()` to perform actions using the WebDriver. Users of this class will only be able to interact with the WebDriver through these public methods, ensuring that the WebDriver itself is encapsulated and private.
Usage example:
public class Main {
public static void main(String[] args) {
CustomWebDriver customDriver = new CustomWebDriver();
customDriver.performAction(); // Accessing WebDriver through the public method
customDriver.closeBrowser(); // Closing the browser using the public method
}
}
In this way, the WebDriver instance is encapsulated within the `CustomWebDriver` class, and its access is controlled through public methods.
Comments