Back to Resources

Blog

Posted October 12, 2021

How To Upgrade to Selenium 4

The Selenium team has spent a good amount of time making the upgrade process as painless as possible. A few things have been deprecated, so you might hit a couple of issues while upgrading, especially if you have built custom functionalities in your testing framework. This guide will show you how to move from Selenium 3 to Selenium 4.

quote

Upgrading to Selenium 4 should be a painless process if you are using one of the officially supported languages (Ruby, JavaScript, C#, Python, and Java). There might be some cases where a few issues can happen, and this guide will help you to sort them out. We will go through the steps to upgrade your project dependencies and understand the major deprecations and changes the new version upgrade brings.

Note: while Selenium 3.x versions were being developed, support for the W3C WebDriver standard was implemented. Both this new protocol and the legacy JSON Wire Protocol was supported. Around version 3.11, Selenium code became compliant with the Level 1 W3C Recommendation. W3C compliant code in the latest version of Selenium 3 will work as expected in Selenium 4.

Preparing our test code

Selenium 4 removes support for the legacy protocol and uses the W3C WebDriver standard by default under the hood. For most things, this implementation will not affect end users. The major exceptions are Capabilities and the Actions class.

Capabilities

If the test capabilities are not structured to be W3C compliant, may cause a session to not be started. Here is the list of W3C WebDriver standard capabilities:

browserName browserVersion (replaces version) platformName (replaces platform) acceptInsecureCerts pageLoadStrategy proxy timeouts unhandledPromptBehavior

An up-to-date list of standard capabilities can be found at W3C WebDriver.

Any capability that is not contained in the list above, needs to include a vendor prefix. This applies to browser specific capabilities as well as Sauce Labs specific capabilities. For example, if we use the build and name capabilities in our tests, we need to wrap them in a sauce:options block (a complete example is shown below).

From DesiredCapabilities to Browser Options

The use of browser Options instead of static browser methods of DesiredCapabilities has been suggested since Selenium 3.8. Those static methods have been removed in Selenium 4. This means that DesiredCapabilities.chrome() or DesiredCapabilities.firefox() and similar are not present anymore. See the examples below to migrate from those static methods to browser Options.

For example:

1
DesiredCapabilities caps = DesiredCapabilities.chrome();
2
DesiredCapabilities caps = DesiredCapabilities.edge();
3
DesiredCapabilities caps = DesiredCapabilities.firefox();
4
DesiredCapabilities caps = DesiredCapabilities.internetExplorer();
5
DesiredCapabilities caps = DesiredCapabilities.safari();
6
7
// Are replaced by:
8
9
ChromeOptions browserOptions = new ChromeOptions();
10
EdgeOptions browserOptions = new EdgeOptions();
11
FirefoxOptions browserOptions = new FirefoxOptions();
12
InternetExplorerOptions browserOptions = new InternetExplorerOptions();
13
SafariOptions browserOptions = new SafariOptions();
14

Using browser Options simplifies the configuration needed to start a new session, allows setting browser-specific settings (like headless in Chrome), and reduces the chances of browser misconfiguration.

A complete example

Following, we can see a code block with the old usage of capability names and DesiredCapabilities. Followed by a block that shows how the code needs to be updated.

The example is shown in the different official languages supported by Selenium. When browser Options are preferred when available, platform and version are replaced by platformName and browserVersion, and Sauce Labs specific capabilities are placed inside a sauce:options block.

Java

1
DesiredCapabilities caps = DesiredCapabilities.chrome();
2
DesiredCapabilities caps = DesiredCapabilities.edge();
3
DesiredCapabilities caps = DesiredCapabilities.firefox();
4
DesiredCapabilities caps = DesiredCapabilities.internetExplorer();
5
DesiredCapabilities caps = DesiredCapabilities.safari();
6
7
// Are replaced by:
8
9
ChromeOptions browserOptions = new ChromeOptions();
10
EdgeOptions browserOptions = new EdgeOptions();
11
FirefoxOptions browserOptions = new FirefoxOptions();
12
InternetExplorerOptions browserOptions = new InternetExplorerOptions();
13
SafariOptions browserOptions = new SafariOptions();
14

JavaScript

1
// Before:
2
3
caps = {};
4
caps['browserName'] = 'Firefox';
5
caps['platform'] = 'Windows 10';
6
caps['version'] = '92';
7
caps['build'] = myTestBuild;
8
caps['name'] = myTestName;
9
10
//After:
11
12
capabilities = {
13
browserName: 'firefox',
14
browserVersion: '92',
15
platformName: 'Windows 10',
16
'sauce:options': {
17
build: myTestBuild,
18
name: myTestName,
19
}
20
}
21

C#

1
// Before:
2
3
DesiredCapabilities caps = new DesiredCapabilities();
4
caps.SetCapability("browserName", "firefox");
5
caps.SetCapability("platform", "Windows 10");
6
caps.SetCapability("version", "92");
7
caps.SetCapability("build", myTestBuild);
8
caps.SetCapability("name", myTestName);
9
var driver = new RemoteWebDriver(new Uri(SauceURL), capabilities);
10
11
// After:
12
13
var browserOptions = new FirefoxOptions();
14
browserOptions.PlatformName = "Windows 10";
15
browserOptions.BrowserVersion = "92";
16
var sauceOptions = new Dictionary<string, object>();
17
sauceOptions.Add("build", myTestBuild);
18
sauceOptions.Add("name", myTestName);
19
browserOptions.AddAdditionalOption("sauce:options", sauceOptions);
20
var driver = ​​new RemoteWebDriver(new Uri(SauceURL), options);
21

Ruby

1
// Before:
2
3
caps = Selenium::WebDriver::Remote::Capabilities.firefox
4
caps[:platform] = 'Windows 10'
5
caps[:version] = '92'
6
caps[:build] = my_test_build
7
caps[:name] = my_test_name
8
driver = Selenium::WebDriver.for :remote, url: sauce_url, desired_capabilities: caps
9
10
// After:
11
12
options = Selenium::WebDriver::Options.firefox
13
options.browser_version = 'latest'
14
options.platform_name = 'Windows 10'
15
sauce_options = {}
16
sauce_options[:build] = my_test_build
17
sauce_options[:name] = my_test_name
18
options.add_option('sauce:options', sauce_options)
19
driver = Selenium::WebDriver.for :remote, url: sauce_url, capabilities: options
20

Python

1
// Before:
2
3
caps = {}
4
caps['browserName'] = 'firefox'
5
caps['platform'] = 'Windows 10'
6
caps['version'] = '92'
7
caps['build'] = my_test_build
8
caps['name'] = my_test_name
9
driver = webdriver.Remote(sauce_url, desired_capabilities=caps)
10
11
// After:
12
13
from selenium.webdriver.firefox.options import Options as FirefoxOptions
14
options = FirefoxOptions()
15
options.browser_version = '92'
16
options.platform_name = 'Windows 10'
17
sauce_options = {}
18
sauce_options['build'] = my_test_build
19
sauce_options['name'] = my_test_name
20
options.set_capability('sauce:options', sauce_options)
21
driver = webdriver.Remote(sauce_url, options=options)
22

For more combinations and examples, check the Sauce Labs platform configurator.

Find element(s) utility methods in Java

The utility methods to find elements in the Java bindings (FindsBy interfaces) have been removed as they were meant for internal use only. The following code samples explain this better.

1
// Before:
2
3
driver.findElementByClassName("className");
4
driver.findElementByCssSelector(".className");
5
driver.findElementById("elementId");
6
driver.findElementByLinkText("linkText");
7
driver.findElementByName("elementName");
8
driver.findElementByPartialLinkText("partialText");
9
driver.findElementByTagName("elementTagName");
10
driver.findElementByXPath("xPath");
11
12
// After:
13
14
driver.findElement(By.className("className"));
15
driver.findElement(By.cssSelector(".className"));
16
driver.findElement(By.id("elementId"));
17
driver.findElement(By.linkText("linkText"));
18
driver.findElement(By.name("elementName"));
19
driver.findElement(By.partialLinkText("partialText"));
20
driver.findElement(By.tagName("elementTagName"));
21
driver.findElement(By.xpath("xPath"));
22
23
// All the findElements* have been removed as well.
24
25
//Before:
26
27
driver.findElementsByClassName("className");
28
driver.findElementsByCssSelector(".className");
29
driver.findElementsById("elementId");
30
driver.findElementsByLinkText("linkText");
31
driver.findElementsByName("elementName");
32
driver.findElementsByPartialLinkText("partialText");
33
driver.findElementsByTagName("elementTagName");
34
driver.findElementsByXPath("xPath");
35
36
// After:
37
38
driver.findElements(By.className("className"));
39
driver.findElements(By.cssSelector(".className"));
40
driver.findElements(By.id("elementId"));
41
driver.findElements(By.linkText("linkText"));
42
driver.findElements(By.name("elementName"));
43
driver.findElements(By.partialLinkText("partialText"));
44
driver.findElements(By.tagName("elementTagName"));
45
driver.findElements(By.xpath("xPath"));
46

Upgrading dependencies

Check the subsections below to install Selenium 4 and have your project dependencies upgraded.

Java

The process of upgrading Selenium depends on which build tool is being used. We will cover the most common ones for Java, which are Maven and Gradle. The minimum Java version required is still 8.

Maven

1
// Before:
2
3
<dependencies>
4
<!-- more dependencies ... -->
5
<dependency>
6
<groupId>org.seleniumhq.selenium</groupId>
7
<artifactId>selenium-java</artifactId>
8
<version>3.141.59</version>
9
</dependency>
10
<!-- more dependencies ... -->
11
</dependencies>
12
13
// After:
14
15
<dependencies>
16
<!-- more dependencies ... -->
17
<dependency>
18
<groupId>org.seleniumhq.selenium</groupId>
19
<artifactId>selenium-java</artifactId>
20
<version>4.0.0</version>
21
</dependency>
22
<!-- more dependencies ... -->
23
</dependencies>
24

After making the change, you could execute mvn clean compile on the same directory where the pom.xml file is.

Gradle

1
// Before:
2
3
plugins {
4
id 'java'
5
}
6
7
group 'org.example'
8
version '1.0-SNAPSHOT'
9
10
repositories {
11
mavenCentral()
12
}
13
14
dependencies {
15
testImplementation 'org.junit.jupiter:junit-jupiter-api:5.7.0'
16
testRuntimeOnly 'org.junit.jupiter:junit-jupiter-engine:5.7.0'
17
implementation group: 'org.seleniumhq.selenium', name: 'selenium-java', version: '3.141.59'
18
}
19
20
test {
21
useJUnitPlatform()
22
23
}
24
25
// After:
26
27
plugins {
28
id 'java'
29
}
30
31
group 'org.example'
32
version '1.0-SNAPSHOT'
33
34
repositories {
35
mavenCentral()
36
}
37
38
dependencies {
39
testImplementation 'org.junit.jupiter:junit-jupiter-api:5.7.0'
40
testRuntimeOnly 'org.junit.jupiter:junit-jupiter-engine:5.7.0'
41
implementation group: 'org.seleniumhq.selenium', name: 'selenium-java', version: '4.0.0'
42
}
43
44
test {
45
useJUnitPlatform()
46
}
47

After making the change, you could execute ./gradlew clean build on the same directory where the build.gradle file is.

To check all the Java releases, you can head to MVNRepository.

C#

The place to get updates for Selenium 4 in C# is NuGet. Under the Selenium.WebDriver package you can get the instructions to update to the latest version. Inside of Visual Studio, through the NuGet Package Manager you can execute:

PM> Install-Package Selenium.WebDriver -Version 4.0.0

Python

The most important change to use Python is the minimum required version. Selenium 4 will require a minimum Python 3.7 or higher. More details can be found at the Python Package Index. To upgrade from the command line, you can execute:

pip install selenium==4.0.0

Ruby

The update details for Selenium 4 can be seen at the selenium-webdriver gem in RubyGems. To install the latest version, you can execute:

gem install selenium-webdriver

To add it to your Gemfile:

gem 'selenium-webdriver', '~> 4.0.0'

JavaScript

The selenium-webdriver package can be found at the Node package manager, npmjs. Selenium 4 can be found here. To install it, you could either execute: npm install selenium-webdriver

Or, update your package. json and run npm install:

{ "name": "selenium-tests", "version": "1.0.0", "dependencies": { "selenium-webdriver": "^4.0.0" } }

Potential Errors and Deprecation Messages

Here is a set of code examples that will help to overcome the deprecation messages you might encounter after upgrading to Selenium 4.

Java

Waits and Timeout

The parameters received in Timeout have switched from expecting (long time, TimeUnit unit) to expect (Duration duration).

1
// Before:
2
3
driver.manage().timeouts().implicitlyWait(10, TimeUnit.SECONDS);
4
driver.manage().timeouts().setScriptTimeout(2, TimeUnit.MINUTES);
5
driver.manage().timeouts().pageLoadTimeout(10, TimeUnit.SECONDS);
6
7
// After:
8
9
driver.manage().timeouts().implicitlyWait(Duration.ofSeconds(10));
10
driver.manage().timeouts().scriptTimeout(Duration.ofMinutes(2));
11
driver.manage().timeouts().pageLoadTimeout(Duration.ofSeconds(10));
12

Waits are also expecting different parameters now. WebDriverWait is now expecting a Duration instead of a long for timeout in seconds and milliseconds. The withTimeout and pollingEvery utility methods from FluentWait have switched from expecting (long time, TimeUnit unit) to expect (Duration duration).

1
// Before:
2
3
new WebDriverWait(driver, 3)
4
.until(ExpectedConditions.elementToBeClickable(By.cssSelector("#id")));
5
6
Wait<WebDriver> wait = new FluentWait<WebDriver>(driver)
7
.withTimeout(30, TimeUnit.SECONDS)
8
.pollingEvery(5, TimeUnit.SECONDS)
9
.ignoring(NoSuchElementException.class);
10
11
// After:
12
13
new WebDriverWait(driver, Duration.ofSeconds(3))
14
.until(ExpectedConditions.elementToBeClickable(By.cssSelector("#id")));
15
16
Wait<WebDriver> wait = new FluentWait<WebDriver>(driver)
17
.withTimeout(Duration.ofSeconds(30))
18
.pollingEvery(Duration.ofSeconds(5))
19
.ignoring(NoSuchElementException.class);
20

Merging Capabilities is No Longer Changing the Calling Object

It was possible to merge a different set of capabilities into another set, and it was mutating the calling object. Now, the result of the merge operation needs to be assigned.

1
// Before:
2
3
MutableCapabilities capabilities = new MutableCapabilities();
4
capabilities.setCapability("platformVersion", "Windows 10");
5
FirefoxOptions options = new FirefoxOptions();
6
options.setHeadless(true);
7
options.merge(capabilities);
8
9
// As a result, the options object was getting modified.
10
// After:
11
12
MutableCapabilities capabilities = new MutableCapabilities();
13
capabilities.setCapability("platformVersion", "Windows 10");
14
FirefoxOptions options = new FirefoxOptions();
15
options.setHeadless(true);
16
options = options.merge(capabilities);
17

The result of the merge call needs to be assigned to an object.

Firefox Legacy

Before GeckoDriver was around, the Selenium project had a driver implementation to automate Firefox (version <48). However, this implementation is not needed anymore as it does not work in recent versions of Firefox. To avoid major issues when upgrading to Selenium 4, the setLegacy option will be shown as deprecated. The recommendation is to stop using the old implementation and rely only on GeckoDriver. The following code will show the setLegacy line deprecated after upgrading.

FirefoxOptions options = new FirefoxOptions(); options.setLegacy(true);

BrowserType

The BrowserType interface has been around for a long time, however it is getting deprecated in favor of the new Browser interface.

1
// Before:
2
3
MutableCapabilities capabilities = new MutableCapabilities();
4
capabilities.setCapability("browserVersion", "92");
5
capabilities.setCapability("browserName", BrowserType.FIREFOX);
6
7
// After:
8
9
MutableCapabilities capabilities = new MutableCapabilities();
10
capabilities.setCapability("browserVersion", "92");
11
capabilities.setCapability("browserName", Browser.FIREFOX);
12

C#

AddAdditionalCapability is deprecated. Instead, AddAdditionalOption is recommended. Here is an example showing this:

1
// Before:
2
3
var browserOptions = new ChromeOptions();
4
browserOptions.PlatformName = "Windows 10";
5
browserOptions.BrowserVersion = "latest";
6
var sauceOptions = new Dictionary<string, object>();
7
browserOptions.AddAdditionalCapability("sauce:options", sauceOptions, true);
8
9
// After:
10
11
var browserOptions = new ChromeOptions();
12
browserOptions.PlatformName = "Windows 10";
13
browserOptions.BrowserVersion = "latest";
14
var sauceOptions = new Dictionary<string, object>();
15
browserOptions.AddAdditionalOption("sauce:options", sauceOptions);
16

Summary

We went through the major changes to be taken into consideration when upgrading to Selenium 4. Covering the different aspects to cover when test code is prepared for the upgrade, including suggestions on how to prevent potential issues that can show up when using the new version of Selenium. To finalize, we also covered a set of possible issues that you can bump into after upgrading, and we shared potential fixes for those issues.

Titus Fortner
Sr. Developer Experience Engineer, Sauce Labs
Diego Molina
Staff Software Engineer at Sauce Labs
Published:
Oct 12, 2021
Share this post
Copy Share Link
© 2023 Sauce Labs Inc., all rights reserved. SAUCE and SAUCE LABS are registered trademarks owned by Sauce Labs Inc. in the United States, EU, and may be registered in other jurisdictions.