How to get an element by tag name or id in Python and Selenium

Question:

I am trying to get input using Python and Selenium, but it is showing me an error. How can I solve this error?

inputElement.send_keys(getStock.getStocklFunc()[0])

Error

inputElement = driver.find_element(by=By.CLASS_NAME, value='su-input-group')
NameError: name 'By' is not defined. Did you mean: 'py'?

I have tried with this line too, but it is showing a deprecation error:

find_element_by_tag_name
Asked By: Lokesh thakur

||

Answers:

Use this when you want to locate an element by class name. With this strategy, the first element with the matching class name attribute will be returned. If no element has a matching class name attribute, a NoSuchElementException will be raised.

For instance, consider this page source:

<html>
  <body>
    <p class="content">Site content goes here.</p>
  </body>
</html>

The ā€œpā€ element can be located like this:

content = driver.find_element_by_class_name('content')

https://selenium-python.readthedocs.io/locating-elements.html

Make sure you have Selenium.By imported:

from selenium.webdriver.common.by import By

Do not add the "by=" and "value=" portion to the code.

WebDriverWait

It is also a better idea to locate your elements using the WebDriverWait method. Run the following command:

inputElement = WebDriverWait(driver, 20).until(EC.visibility_of_all_elements_located((By.CLASS_NAME, 'su-input-group')))

Make sure you also have these imports:

from selenium.webdriver.support.ui import WebDriverWait
from selenium.webdriver.support import expected_conditions as EC
Answered By: Luke Hamilton