Reputation: 65510
I'm working with Selenium in Python. I would like to get the .val()
of a <select>
element and check that it is what I expect.
This is my code:
def test_chart_renders_from_url(self):
url = 'http://localhost:8000/analyse/'
self.browser.get(url)
org = driver.find_element_by_id('org')
# Find the value of org?
How can I do this? The Selenium documentation seem to have plenty about selecting elements but nothing about attributes.
Upvotes: 134
Views: 299997
Reputation: 17553
Python
element.get_attribute("attribute name")
Java
element.getAttribute("attribute name")
Ruby
element.attribute("attribute name")
C#
element.GetAttribute("attribute name");
Upvotes: 77
Reputation: 193048
As the recent developed Web Applications are using JavaScript, jQuery, AngularJS, ReactJS etc there is a possibility that to retrieve an attribute of an element through Selenium you have to induce WebDriverWait to synchronize the WebDriver instance with the lagging Web Client i.e. the Web Browser before trying to retrieve any of the attributes.
Some examples:
To retrieve any attribute from a visible element (e.g. <h1>
tag) you need to use the expected_conditions as visibility_of_element_located(locator) as follows:
attribute_value = WebDriverWait(driver, 20).until(EC.visibility_of_element_located((By.ID, "org"))).get_attribute("attribute_name")
To retrieve any attribute from an interactive element (e.g. <input>
tag) you need to use the expected_conditions as element_to_be_clickable(locator) as follows:
attribute_value = WebDriverWait(driver, 20).until(EC.element_to_be_clickable((By.ID, "org"))).get_attribute("attribute_name")
Below is a list of some attributes often used in HTML
Note: A complete list of all attributes for each HTML element, is listed in: HTML Attribute Reference
Upvotes: 11
Reputation: 16201
You are probably looking for get_attribute()
. An example is shown here as well
def test_chart_renders_from_url(self):
url = 'http://localhost:8000/analyse/'
self.browser.get(url)
org = driver.find_element_by_id('org')
# Find the value of org?
val = org.get_attribute("attribute name")
Upvotes: 203