Giter Club home page Giter Club logo

seleniumbase / seleniumbase Goto Github PK

View Code? Open in Web Editor NEW
4.3K 135.0 891.0 11.95 MB

📊 Python's all-in-one framework for web crawling, scraping, testing, and reporting. Supports pytest. UC Mode provides stealth. Includes many tools.

Home Page: https://seleniumbase.io

License: MIT License

Shell 0.50% Python 98.73% Batchfile 0.06% HTML 0.36% JavaScript 0.05% Dockerfile 0.11% Gherkin 0.19%
python selenium webdriver selenium-python e2e-testing seleniumbase pytest-plugin web-automation pytest behave

seleniumbase's Introduction

SeleniumBase

SeleniumBase

All-in-one Browser Automation Framework:
Web Crawling / Testing / Scraping / Stealth

PyPI version GitHub version SeleniumBase Docs SeleniumBase GitHub Actions Gitter chat

🚀 Start | 🏰 Features | 📚 Examples | 🎛️ Options | 🌠 Scripts | 📱 Mobile
📘 APIs | 🔡 Formats | 📊 Dashboard | 🔴 Recorder | 🗾 Locales | 🌐 Grid
🎖️ GUI | 📰 TestPage | 🗂️ CasePlans | 👤 UC Mode | 🧬 Hybrid | 💻 Farm
👁️ How | 🚝 Migrate | ♻️ Templates | 🚉 NodeGUI | 📶 Charts | 🚎 Tours
🤖 CI/CD | 🕹️ JSMgr | 🌏 Translator | 🎞️ Presenter | 🛂 Dialog | 🖼️ Visual


📚 Learn from over 200 examples in the SeleniumBase/examples/ folder.

👤 Note that SeleniumBase UC Mode / Stealth Mode has its own ReadMe.

ℹ️ Scripts can be called via python, although some Syntax Formats expect pytest (a Python unit-testing framework included with SeleniumBase that can discover & collect tests automatically).

📗 Here's my_first_test.py, which tests login, shopping, and checkout:

pytest my_first_test.py

SeleniumBase Test

pytest uses --chrome by default unless set differently.


📗 Here's test_coffee_cart.py, which verifies an e-commerce site:

pytest test_coffee_cart.py --demo

SeleniumBase Coffee Cart Test

(--demo mode slows down tests and highlights actions)


📗 Here's test_demo_site.py, which covers several actions:

pytest test_demo_site.py

SeleniumBase Example

Easy to type, click, select, toggle, drag & drop, and more.

(For more examples, see the SeleniumBase/examples/ folder.)


SeleniumBase

Explore the README:


▶️ How is SeleniumBase different from raw Selenium? (click to expand)

💡 SeleniumBase is a Python framework for browser automation and testing. SeleniumBase uses Selenium/WebDriver APIs and incorporates test-runners such as pytest, pynose, and behave to provide organized structure, test discovery, test execution, test state (eg. passed, failed, or skipped), and command-line options for changing default settings (eg. browser selection). With raw Selenium, you would need to set up your own options-parser for configuring tests from the command-line.

💡 SeleniumBase's driver manager gives you more control over automatic driver downloads. (Use --driver-version=VER with your pytest run command to specify the version.) By default, SeleniumBase will download a driver version that matches your major browser version if not set.

💡 SeleniumBase automatically detects between CSS Selectors and XPath, which means you don't need to specify the type of selector in your commands (but optionally you could).

💡 SeleniumBase methods often perform multiple actions in a single method call. For example, self.type(selector, text) does the following:
1. Waits for the element to be visible.
2. Waits for the element to be interactive.
3. Clears the text field.
4. Types in the new text.
5. Presses Enter/Submit if the text ends in "\n".
With raw Selenium, those actions require multiple method calls.

💡 SeleniumBase uses default timeout values when not set:
self.click("button")
With raw Selenium, methods would fail instantly (by default) if an element needed more time to load:
self.driver.find_element(by="css selector", value="button").click()
(Reliable code is better than unreliable code.)

💡 SeleniumBase lets you change the explicit timeout values of methods:
self.click("button", timeout=10)
With raw Selenium, that requires more code:
WebDriverWait(driver, 10).until(EC.element_to_be_clickable("css selector", "button")).click()
(Simple code is better than complex code.)

💡 SeleniumBase gives you clean error output when a test fails. With raw Selenium, error messages can get very messy.

💡 SeleniumBase gives you the option to generate a dashboard and reports for tests. It also saves screenshots from failing tests to the ./latest_logs/ folder. Raw Selenium does not have these options out-of-the-box.

💡 SeleniumBase includes desktop GUI apps for running tests, such as SeleniumBase Commander for pytest and SeleniumBase Behave GUI for behave.

💡 SeleniumBase has its own Recorder / Test Generator for creating tests from manual browser actions.

💡 SeleniumBase comes with test case management software, ("CasePlans"), for organizing tests and step descriptions.

💡 SeleniumBase includes tools for building data apps, ("ChartMaker"), which can generate JavaScript from Python.


📚 Learn about different ways of writing tests:

📘📝 Here's test_simple_login.py, which uses BaseCase class inheritance, and runs with pytest or pynose. (Use self.driver to access Selenium's raw driver.)

from seleniumbase import BaseCase
BaseCase.main(__name__, __file__)

class TestSimpleLogin(BaseCase):
    def test_simple_login(self):
        self.open("seleniumbase.io/simple/login")
        self.type("#username", "demo_user")
        self.type("#password", "secret_pass")
        self.click('a:contains("Sign in")')
        self.assert_exact_text("Welcome!", "h1")
        self.assert_element("img#image1")
        self.highlight("#image1")
        self.click_link("Sign out")
        self.assert_text("signed out", "#top_message")

📗📝 Here's a test from sb_fixture_tests.py, which uses the sb pytest fixture. Runs with pytest. (Use sb.driver to access Selenium's raw driver.)

def test_sb_fixture_with_no_class(sb):
    sb.open("seleniumbase.io/simple/login")
    sb.type("#username", "demo_user")
    sb.type("#password", "secret_pass")
    sb.click('a:contains("Sign in")')
    sb.assert_exact_text("Welcome!", "h1")
    sb.assert_element("img#image1")
    sb.highlight("#image1")
    sb.click_link("Sign out")
    sb.assert_text("signed out", "#top_message")

📙📝 Here's raw_login_sb.py, which uses the SB Context Manager. Runs with pure python. (Use sb.driver to access Selenium's raw driver.)

from seleniumbase import SB

with SB() as sb:
    sb.open("seleniumbase.io/simple/login")
    sb.type("#username", "demo_user")
    sb.type("#password", "secret_pass")
    sb.click('a:contains("Sign in")')
    sb.assert_exact_text("Welcome!", "h1")
    sb.assert_element("img#image1")
    sb.highlight("#image1")
    sb.click_link("Sign out")
    sb.assert_text("signed out", "#top_message")

📔📝 Here's raw_login_context.py, which uses the DriverContext Manager. Runs with pure python. (The driver is an improved version of Selenium's raw driver, with more methods.)

from seleniumbase import DriverContext

with DriverContext() as driver:
    driver.open("seleniumbase.io/simple/login")
    driver.type("#username", "demo_user")
    driver.type("#password", "secret_pass")
    driver.click('a:contains("Sign in")')
    driver.assert_exact_text("Welcome!", "h1")
    driver.assert_element("img#image1")
    driver.highlight("#image1")
    driver.click_link("Sign out")
    driver.assert_text("signed out", "#top_message")

📔📝 Here's raw_login_driver.py, which uses the Driver Manager. Runs with pure python. (The driver is an improved version of Selenium's raw driver, with more methods.)

from seleniumbase import Driver

driver = Driver()
try:
    driver.open("seleniumbase.io/simple/login")
    driver.type("#username", "demo_user")
    driver.type("#password", "secret_pass")
    driver.click('a:contains("Sign in")')
    driver.assert_exact_text("Welcome!", "h1")
    driver.assert_element("img#image1")
    driver.highlight("#image1")
    driver.click_link("Sign out")
    driver.assert_text("signed out", "#top_message")
finally:
    driver.quit()

📕📝 Here's login_app.feature, which uses behave-BDD Gherkin syntax. Runs with behave. (Learn about the SeleniumBase behave-BDD integration)

Feature: SeleniumBase scenarios for the Simple App

  Scenario: Verify the Simple App (Login / Logout)
    Given Open "seleniumbase.io/simple/login"
    And Type "demo_user" into "#username"
    And Type "secret_pass" into "#password"
    And Click 'a:contains("Sign in")'
    And Assert exact text "Welcome!" in "h1"
    And Assert element "img#image1"
    And Highlight "#image1"
    And Click link "Sign out"
    And Assert text "signed out" in "#top_message"

Set up Python & Git:

🔵 Add Python and Git to your System PATH.

🔵 Using a Python virtual env is recommended.

Install SeleniumBase:

You can install seleniumbase from PyPI or GitHub:

🔵 How to install seleniumbase from PyPI:

pip install seleniumbase
  • (Add --upgrade OR -U to upgrade SeleniumBase.)
  • (Add --force-reinstall to upgrade indirect packages.)
  • (Use pip3 if multiple versions of Python are present.)

🔵 How to install seleniumbase from a GitHub clone:

git clone https://github.com/seleniumbase/SeleniumBase.git
cd SeleniumBase/
pip install -e .

🔵 How to upgrade an existing install from a GitHub clone:

git pull
pip install -e .

🔵 Type seleniumbase or sbase to verify that SeleniumBase was installed successfully:

   ______     __           _                  ____                
  / ____/__  / /__  ____  (_)_  ______ ___   / _  \____  ________ 
  \__ \/ _ \/ / _ \/ __ \/ / / / / __ `__ \ / /_) / __ \/ ___/ _ \
 ___/ /  __/ /  __/ / / / / /_/ / / / / / // /_) / (_/ /__  /  __/
/____/\___/_/\___/_/ /_/_/\__,_/_/ /_/ /_//_____/\__,_/____/\___/ 
------------------------------------------------------------------

 * USAGE: "seleniumbase [COMMAND] [PARAMETERS]"
 *    OR:        "sbase [COMMAND] [PARAMETERS]"

COMMANDS:
      get / install    [DRIVER] [OPTIONS]
      methods          (List common Python methods)
      options          (List common pytest options)
      behave-options   (List common behave options)
      gui / commander  [OPTIONAL PATH or TEST FILE]
      behave-gui       (SBase Commander for Behave)
      caseplans        [OPTIONAL PATH or TEST FILE]
      mkdir            [DIRECTORY] [OPTIONS]
      mkfile           [FILE.py] [OPTIONS]
      mkrec / codegen  [FILE.py] [OPTIONS]
      recorder         (Open Recorder Desktop App.)
      record           (If args: mkrec. Else: App.)
      mkpres           [FILE.py] [LANG]
      mkchart          [FILE.py] [LANG]
      print            [FILE] [OPTIONS]
      translate        [SB_FILE.py] [LANG] [ACTION]
      convert          [WEBDRIVER_UNITTEST_FILE.py]
      extract-objects  [SB_FILE.py]
      inject-objects   [SB_FILE.py] [OPTIONS]
      objectify        [SB_FILE.py] [OPTIONS]
      revert-objects   [SB_FILE.py] [OPTIONS]
      encrypt / obfuscate
      decrypt / unobfuscate
      download server  (Get Selenium Grid JAR file)
      grid-hub         [start|stop] [OPTIONS]
      grid-node        [start|stop] --hub=[HOST/IP]
 * (EXAMPLE: "sbase get chromedriver latest") *

    Type "sbase help [COMMAND]" for specific command info.
    For info on all commands, type: "seleniumbase --help".
    Use "pytest" for running tests.

🔵 Downloading webdrivers:

✅ SeleniumBase automatically downloads webdrivers as needed, such as chromedriver.

▶️ Here's sample output from a chromedriver download. (click to expand)
*** chromedriver to download = 121.0.6167.85 (Latest Stable) 

Downloading chromedriver-mac-arm64.zip from:
https://storage.googleapis.com/chrome-for-testing-public/121.0.6167.85/mac-arm64/chromedriver-mac-arm64.zip ...
Download Complete!

Extracting ['chromedriver'] from chromedriver-mac-arm64.zip ...
Unzip Complete!

The file [chromedriver] was saved to:
/Users/michael/github/SeleniumBase/seleniumbase/drivers/chromedriver

Making [chromedriver 121.0.6167.85] executable ...
[chromedriver 121.0.6167.85] is now ready for use!

Basic Example / Usage:

🔵 If you've cloned SeleniumBase, you can run tests from the examples/ folder.

Here's my_first_test.py:

cd examples/
pytest my_first_test.py

SeleniumBase Test

Here's the code for my_first_test.py:

from seleniumbase import BaseCase
BaseCase.main(__name__, __file__)

class MyTestClass(BaseCase):
    def test_swag_labs(self):
        self.open("https://www.saucedemo.com")
        self.type("#user-name", "standard_user")
        self.type("#password", "secret_sauce\n")
        self.assert_element("div.inventory_list")
        self.assert_exact_text("Products", "span.title")
        self.click('button[name*="backpack"]')
        self.click("#shopping_cart_container a")
        self.assert_exact_text("Your Cart", "span.title")
        self.assert_text("Backpack", "div.cart_item")
        self.click("button#checkout")
        self.type("#first-name", "SeleniumBase")
        self.type("#last-name", "Automation")
        self.type("#postal-code", "77123")
        self.click("input#continue")
        self.assert_text("Checkout: Overview")
        self.assert_text("Backpack", "div.cart_item")
        self.assert_text("29.99", "div.inventory_item_price")
        self.click("button#finish")
        self.assert_exact_text("Thank you for your order!", "h2")
        self.assert_element('img[alt="Pony Express"]')
        self.js_click("a#logout_sidebar_link")
        self.assert_element("div#login_button_container")

Here are some common SeleniumBase methods:

self.open(url)  # Navigate the browser window to the URL.
self.type(selector, text)  # Update the field with the text.
self.click(selector)  # Click the element with the selector.
self.click_link(link_text)  # Click the link containing text.
self.go_back()  # Navigate back to the previous URL.
self.select_option_by_text(dropdown_selector, option)
self.hover_and_click(hover_selector, click_selector)
self.drag_and_drop(drag_selector, drop_selector)
self.get_text(selector)  # Get the text from the element.
self.get_current_url()  # Get the URL of the current page.
self.get_page_source()  # Get the HTML of the current page.
self.get_attribute(selector, attribute)  # Get element attribute.
self.get_title()  # Get the title of the current page.
self.switch_to_frame(frame)  # Switch into the iframe container.
self.switch_to_default_content()  # Leave the iframe container.
self.open_new_window()  # Open a new window in the same browser.
self.switch_to_window(window)  # Switch to the browser window.
self.switch_to_default_window()  # Switch to the original window.
self.get_new_driver(OPTIONS)  # Open a new driver with OPTIONS.
self.switch_to_driver(driver)  # Switch to the browser driver.
self.switch_to_default_driver()  # Switch to the original driver.
self.wait_for_element(selector)  # Wait until element is visible.
self.is_element_visible(selector)  # Return element visibility.
self.is_text_visible(text, selector)  # Return text visibility.
self.sleep(seconds)  # Do nothing for the given amount of time.
self.save_screenshot(name)  # Save a screenshot in .png format.
self.assert_element(selector)  # Verify the element is visible.
self.assert_text(text, selector)  # Verify text in the element.
self.assert_exact_text(text, selector)  # Verify text is exact.
self.assert_title(title)  # Verify the title of the web page.
self.assert_downloaded_file(file)  # Verify file was downloaded.
self.assert_no_404_errors()  # Verify there are no broken links.
self.assert_no_js_errors()  # Verify there are no JS errors.

🔵 For the complete list of SeleniumBase methods, see: Method Summary

Fun Facts / Learn More:

✅ SeleniumBase automatically handles common WebDriver actions such as launching web browsers before tests, saving screenshots during failures, and closing web browsers after tests.

✅ SeleniumBase lets you customize tests via command-line options.

✅ SeleniumBase uses simple syntax for commands. Example:

self.type("input", "dogs\n")  # (The "\n" presses ENTER)

Most SeleniumBase scripts can be run with pytest, pynose, or pure python. Not all test runners can run all test formats. For example, tests that use the sb pytest fixture can only be run with pytest. (See Syntax Formats) There's also a Gherkin test format that runs with behave.

pytest coffee_cart_tests.py --rs
pytest test_sb_fixture.py --demo
pytest test_suite.py --rs --html=report.html --dashboard

pynose basic_test.py --mobile
pynose test_suite.py --headless --report --show-report

python raw_sb.py
python raw_test_scripts.py

behave realworld.feature
behave calculator.feature -D rs -D dashboard

pytest includes automatic test discovery. If you don't specify a specific file or folder to run, pytest will automatically search through all subdirectories for tests to run based on the following criteria:

  • Python files that start with test_ or end with _test.py.
  • Python methods that start with test_.

With a SeleniumBase pytest.ini file present, you can modify default discovery settings. The Python class name can be anything because seleniumbase.BaseCase inherits unittest.TestCase to trigger autodiscovery.

✅ You can do a pre-flight check to see which tests would get discovered by pytest before the actual run:

pytest --co -q

✅ You can be more specific when calling pytest or pynose on a file:

pytest [FILE_NAME.py]::[CLASS_NAME]::[METHOD_NAME]

pynose [FILE_NAME.py]:[CLASS_NAME].[METHOD_NAME]

✅ No More Flaky Tests! SeleniumBase methods automatically wait for page elements to finish loading before interacting with them (up to a timeout limit). This means you no longer need random time.sleep() statements in your scripts.

NO MORE FLAKY TESTS!

✅ SeleniumBase supports all major browsers and operating systems:

Browsers: Chrome, Edge, Firefox, and Safari.

Systems: Linux/Ubuntu, macOS, and Windows.

✅ SeleniumBase works on all popular CI/CD platforms:

GitHub Actions integration Jenkins integration Azure integration Google Cloud integration AWS integration Your Computer

✅ SeleniumBase includes an automated/manual hybrid solution called MasterQA to speed up manual testing with automation while manual testers handle validation.

✅ SeleniumBase supports running tests while offline (assuming webdrivers have previously been downloaded when online).

✅ For a full list of SeleniumBase features, Click Here.

Demo Mode / Debugging:

🔵 Demo Mode helps you see what a test is doing. If a test is moving too fast for your eyes, run it in Demo Mode to pause the browser briefly between actions, highlight page elements being acted on, and display assertions:

pytest my_first_test.py --demo

🔵 time.sleep(seconds) can be used to make a test wait at a specific spot:

import time; time.sleep(3)  # Do nothing for 3 seconds.

🔵 Debug Mode with Python's built-in pdb library helps you debug tests:

import pdb; pdb.set_trace()
import pytest; pytest.set_trace()
breakpoint()  # Shortcut for "import pdb; pdb.set_trace()"

(pdb commands: n, c, s, u, d => next, continue, step, up, down)

🔵 To pause an active test that throws an exception or error, (and keep the browser window open while Debug Mode begins in the console), add --pdb as a pytest option:

pytest test_fail.py --pdb

🔵 To start tests in Debug Mode, add --trace as a pytest option:

pytest test_coffee_cart.py --trace

SeleniumBase test with the pdbp (Pdb+) debugger

🔵 Command-line Options:

✅ Here are some useful command-line options that come with pytest:

-v  # Verbose mode. Prints the full name of each test and shows more details.
-q  # Quiet mode. Print fewer details in the console output when running tests.
-x  # Stop running the tests after the first failure is reached.
--html=report.html  # Creates a detailed pytest-html report after tests finish.
--co | --collect-only  # Show what tests would get run. (Without running them)
--co -q  # (Both options together!) - Do a dry run with full test names shown.
-n=NUM  # Multithread the tests using that many threads. (Speed up test runs!)
-s  # See print statements. (Should be on by default with pytest.ini present.)
--junit-xml=report.xml  # Creates a junit-xml report after tests finish.
--pdb  # If a test fails, enter Post Mortem Debug Mode. (Don't use with CI!)
--trace  # Enter Debug Mode at the beginning of each test. (Don't use with CI!)
-m=MARKER  # Run tests with the specified pytest marker.

✅ SeleniumBase provides additional pytest command-line options for tests:

--browser=BROWSER  # (The web browser to use. Default: "chrome".)
--chrome  # (Shortcut for "--browser=chrome". On by default.)
--edge  # (Shortcut for "--browser=edge".)
--firefox  # (Shortcut for "--browser=firefox".)
--safari  # (Shortcut for "--browser=safari".)
--settings-file=FILE  # (Override default SeleniumBase settings.)
--env=ENV  # (Set the test env. Access with "self.env" in tests.)
--account=STR  # (Set account. Access with "self.account" in tests.)
--data=STRING  # (Extra test data. Access with "self.data" in tests.)
--var1=STRING  # (Extra test data. Access with "self.var1" in tests.)
--var2=STRING  # (Extra test data. Access with "self.var2" in tests.)
--var3=STRING  # (Extra test data. Access with "self.var3" in tests.)
--variables=DICT  # (Extra test data. Access with "self.variables".)
--user-data-dir=DIR  # (Set the Chrome user data directory to use.)
--protocol=PROTOCOL  # (The Selenium Grid protocol: http|https.)
--server=SERVER  # (The Selenium Grid server/IP used for tests.)
--port=PORT  # (The Selenium Grid port used by the test server.)
--cap-file=FILE  # (The web browser's desired capabilities to use.)
--cap-string=STRING  # (The web browser's desired capabilities to use.)
--proxy=SERVER:PORT  # (Connect to a proxy server:port as tests are running)
--proxy=USERNAME:PASSWORD@SERVER:PORT  # (Use an authenticated proxy server)
--proxy-bypass-list=STRING # (";"-separated hosts to bypass, Eg "*.foo.com")
--proxy-pac-url=URL  # (Connect to a proxy server using a PAC_URL.pac file.)
--proxy-pac-url=USERNAME:PASSWORD@URL  # (Authenticated proxy with PAC URL.)
--proxy-driver  # (If a driver download is needed, will use: --proxy=PROXY.)
--multi-proxy  # (Allow multiple authenticated proxies when multi-threaded.)
--agent=STRING  # (Modify the web browser's User-Agent string.)
--mobile  # (Use the mobile device emulator while running tests.)
--metrics=STRING  # (Set mobile metrics: "CSSWidth,CSSHeight,PixelRatio".)
--chromium-arg="ARG=N,ARG2"  # (Set Chromium args, ","-separated, no spaces.)
--firefox-arg="ARG=N,ARG2"  # (Set Firefox args, comma-separated, no spaces.)
--firefox-pref=SET  # (Set a Firefox preference:value set, comma-separated.)
--extension-zip=ZIP  # (Load a Chrome Extension .zip|.crx, comma-separated.)
--extension-dir=DIR  # (Load a Chrome Extension directory, comma-separated.)
--disable-features="F1,F2"  # (Disable features, comma-separated, no spaces.)
--binary-location=PATH  # (Set path of the Chromium browser binary to use.)
--driver-version=VER  # (Set the chromedriver or uc_driver version to use.)
--sjw  # (Skip JS Waits for readyState to be "complete" or Angular to load.)
--pls=PLS  # (Set pageLoadStrategy on Chrome: "normal", "eager", or "none".)
--headless  # (Run tests in headless mode. The default arg on Linux OS.)
--headless2  # (Use the new headless mode, which supports extensions.)
--headed  # (Run tests in headed/GUI mode on Linux OS, where not default.)
--xvfb  # (Run tests using the Xvfb virtual display server on Linux OS.)
--locale=LOCALE_CODE  # (Set the Language Locale Code for the web browser.)
--interval=SECONDS  # (The autoplay interval for presentations & tour steps)
--start-page=URL  # (The starting URL for the web browser when tests begin.)
--archive-logs  # (Archive existing log files instead of deleting them.)
--archive-downloads  # (Archive old downloads instead of deleting them.)
--time-limit=SECONDS  # (Safely fail any test that exceeds the time limit.)
--slow  # (Slow down the automation. Faster than using Demo Mode.)
--demo  # (Slow down and visually see test actions as they occur.)
--demo-sleep=SECONDS  # (Set the wait time after Slow & Demo Mode actions.)
--highlights=NUM  # (Number of highlight animations for Demo Mode actions.)
--message-duration=SECONDS  # (The time length for Messenger alerts.)
--check-js  # (Check for JavaScript errors after page loads.)
--ad-block  # (Block some types of display ads from loading.)
--host-resolver-rules=RULES  # (Set host-resolver-rules, comma-separated.)
--block-images  # (Block images from loading during tests.)
--do-not-track  # (Indicate to websites that you don't want to be tracked.)
--verify-delay=SECONDS  # (The delay before MasterQA verification checks.)
--recorder  # (Enables the Recorder for turning browser actions into code.)
--rec-behave  # (Same as Recorder Mode, but also generates behave-gherkin.)
--rec-sleep  # (If the Recorder is enabled, also records self.sleep calls.)
--rec-print  # (If the Recorder is enabled, prints output after tests end.)
--disable-js  # (Disable JavaScript on websites. Pages might break!)
--disable-csp  # (Disable the Content Security Policy of websites.)
--disable-ws  # (Disable Web Security on Chromium-based browsers.)
--enable-ws  # (Enable Web Security on Chromium-based browsers.)
--enable-sync  # (Enable "Chrome Sync" on websites.)
--uc | --undetected  # (Use undetected-chromedriver to evade bot-detection.)
--uc-cdp-events  # (Capture CDP events when running in "--undetected" mode.)
--log-cdp  # ("goog:loggingPrefs", {"performance": "ALL", "browser": "ALL"})
--remote-debug  # (Sync to Chrome Remote Debugger chrome://inspect/#devices)
--ftrace | --final-trace  # (Debug Mode after each test. Don't use with CI!)
--dashboard  # (Enable the SeleniumBase Dashboard. Saved at: dashboard.html)
--dash-title=STRING  # (Set the title shown for the generated dashboard.)
--enable-3d-apis  # (Enables WebGL and 3D APIs.)
--swiftshader  # (Chrome "--use-gl=angle" / "--use-angle=swiftshader-webgl")
--incognito  # (Enable Chrome's Incognito mode.)
--guest  # (Enable Chrome's Guest mode.)
--dark  # (Enable Chrome's Dark mode.)
--devtools  # (Open Chrome's DevTools when the browser opens.)
--rs | --reuse-session  # (Reuse browser session for all tests.)
--rcs | --reuse-class-session  # (Reuse session for tests in class.)
--crumbs  # (Delete all cookies between tests reusing a session.)
--disable-beforeunload  # (Disable the "beforeunload" event on Chrome.)
--window-size=WIDTH,HEIGHT  # (Set the browser's starting window size.)
--maximize  # (Start tests with the browser window maximized.)
--screenshot  # (Save a screenshot at the end of each test.)
--no-screenshot  # (No screenshots saved unless tests directly ask it.)
--visual-baseline  # (Set the visual baseline for Visual/Layout tests.)
--wire  # (Use selenium-wire's webdriver for replacing selenium webdriver.)
--external-pdf  # (Set Chromium "plugins.always_open_pdf_externally":True.)
--timeout-multiplier=MULTIPLIER  # (Multiplies the default timeout values.)
--list-fail-page  # (After each failing test, list the URL of the failure.)

(See the full list of command-line option definitions here. For detailed examples of command-line options, see customizing_test_runs.md)


🔵 During test failures, logs and screenshots from the most recent test run will get saved to the latest_logs/ folder. Those logs will get moved to archived_logs/ if you add --archive_logs to command-line options, or have ARCHIVE_EXISTING_LOGS set to True in settings.py, otherwise log files with be cleaned up at the start of the next test run. The test_suite.py collection contains tests that fail on purpose so that you can see how logging works.

cd examples/

pytest test_suite.py --chrome

pytest test_suite.py --firefox

An easy way to override seleniumbase/config/settings.py is by using a custom settings file. Here's the command-line option to add to tests: (See examples/custom_settings.py) --settings_file=custom_settings.py (Settings include default timeout values, a two-factor auth key, DB credentials, S3 credentials, and other important settings used by tests.)

🔵 To pass additional data from the command-line to tests, add --data="ANY STRING". Inside your tests, you can use self.data to access that.

Directory Configuration:

🔵 When running tests with pytest, you'll want a copy of pytest.ini in your root folders. When running tests with pynose, you'll want a copy of setup.cfg in your root folders. These files specify default configuration details for tests. Test folders should also include a blank init.py file to allow your test files to import other files from that folder.

🔵 sbase mkdir DIR creates a folder with config files and sample tests:

sbase mkdir ui_tests

That new folder will have these files:

ui_tests/
├── __init__.py
├── my_first_test.py
├── parameterized_test.py
├── pytest.ini
├── requirements.txt
├── setup.cfg
├── test_demo_site.py
└── boilerplates/
    ├── __init__.py
    ├── base_test_case.py
    ├── boilerplate_test.py
    ├── classic_obj_test.py
    ├── page_objects.py
    ├── sb_fixture_test.py
    └── samples/
        ├── __init__.py
        ├── google_objects.py
        ├── google_test.py
        ├── sb_swag_test.py
        └── swag_labs_test.py

ProTip™: You can also create a boilerplate folder without any sample tests in it by adding -b or --basic to the sbase mkdir command:

sbase mkdir ui_tests --basic

That new folder will have these files:

ui_tests/
├── __init__.py
├── pytest.ini
├── requirements.txt
└── setup.cfg

Of those files, the pytest.ini config file is the most important, followed by a blank __init__.py file. There's also a setup.cfg file (for pynose). Finally, the requirements.txt file can be used to help you install seleniumbase into your environments (if it's not already installed).


Log files from failed tests:

Let's try an example of a test that fails:

""" test_fail.py """
from seleniumbase import BaseCase
BaseCase.main(__name__, __file__)

class MyTestClass(BaseCase):

    def test_find_army_of_robots_on_xkcd_desert_island(self):
        self.open("https://xkcd.com/731/")
        self.assert_element("div#ARMY_OF_ROBOTS", timeout=1)  # This should fail

You can run it from the examples/ folder like this:

pytest test_fail.py

🔵 You'll notice that a logs folder, "latest_logs", was created to hold information about the failing test, and screenshots. During test runs, past results get moved to the archived_logs folder if you have ARCHIVE_EXISTING_LOGS set to True in settings.py, or if your run tests with --archive-logs. If you choose not to archive existing logs, they will be deleted and replaced by the logs of the latest test run.


SeleniumBase Dashboard:

🔵 The --dashboard option for pytest generates a SeleniumBase Dashboard located at dashboard.html, which updates automatically as tests run and produce results. Example:

pytest --dashboard --rs --headless

The SeleniumBase Dashboard

🔵 Additionally, you can host your own SeleniumBase Dashboard Server on a port of your choice. Here's an example of that using Python's http.server:

python -m http.server 1948

🔵 Now you can navigate to http://localhost:1948/dashboard.html in order to view the dashboard as a web app. This requires two different terminal windows: one for running the server, and another for running the tests, which should be run from the same directory. (Use Ctrl+C to stop the http server.)

🔵 Here's a full example of what the SeleniumBase Dashboard may look like:

pytest test_suite.py test_image_saving.py --dashboard --rs --headless

The SeleniumBase Dashboard


Generating Test Reports:

🔵 pytest HTML Reports:

✅ Using --html=report.html gives you a fancy report of the name specified after your test suite completes.

pytest test_suite.py --html=report.html

Example Pytest Report

✅ When combining pytest html reports with SeleniumBase Dashboard usage, the pie chart from the Dashboard will get added to the html report. Additionally, if you set the html report URL to be the same as the Dashboard URL when also using the dashboard, (example: --dashboard --html=dashboard.html), then the Dashboard will become an advanced html report when all the tests complete.

✅ Here's an example of an upgraded html report:

pytest test_suite.py --dashboard --html=report.html

Dashboard Pytest HTML Report

If viewing pytest html reports in Jenkins, you may need to configure Jenkins settings for the html to render correctly. This is due to Jenkins CSP changes.

You can also use --junit-xml=report.xml to get an xml report instead. Jenkins can use this file to display better reporting for your tests.

pytest test_suite.py --junit-xml=report.xml

🔵 pynose Reports:

The --report option gives you a fancy report after your test suite completes.

pynose test_suite.py --report

Example pynose Report

(NOTE: You can add --show-report to immediately display pynose reports after the test suite completes. Only use --show-report when running tests locally because it pauses the test run.)

🔵 behave Dashboard & Reports:

(The behave_bdd/ folder can be found in the examples/ folder.)

behave behave_bdd/features/ -D dashboard -D headless

You can also use --junit to get .xml reports for each behave feature. Jenkins can use these files to display better reporting for your tests.

behave behave_bdd/features/ --junit -D rs -D headless

🔵 Allure Reports:

See: https://allurereport.org/docs/pytest/

SeleniumBase no longer includes allure-pytest as part of installed dependencies. If you want to use it, install it first:

pip install allure-pytest

Now your tests can create Allure results files, which can be processed by Allure Reports.

pytest test_suite.py --alluredir=allure_results

Using a Proxy Server:

If you wish to use a proxy server for your browser tests (Chromium or Firefox), you can add --proxy=IP_ADDRESS:PORT as an argument on the command line.

pytest proxy_test.py --proxy=IP_ADDRESS:PORT

If the proxy server that you wish to use requires authentication, you can do the following (Chromium only):

pytest proxy_test.py --proxy=USERNAME:PASSWORD@IP_ADDRESS:PORT

SeleniumBase also supports SOCKS4 and SOCKS5 proxies:

pytest proxy_test.py --proxy="socks4://IP_ADDRESS:PORT"

pytest proxy_test.py --proxy="socks5://IP_ADDRESS:PORT"

To make things easier, you can add your frequently-used proxies to PROXY_LIST in proxy_list.py, and then use --proxy=KEY_FROM_PROXY_LIST to use the IP_ADDRESS:PORT of that key.

pytest proxy_test.py --proxy=proxy1

Changing the User-Agent:

🔵 If you wish to change the User-Agent for your browser tests (Chromium and Firefox only), you can add --agent="USER AGENT STRING" as an argument on the command-line.

pytest user_agent_test.py --agent="Mozilla/5.0 (Nintendo 3DS; U; ; en) Version/1.7412.EU"

Handling Pop-Up Alerts:

🔵 self.accept_alert() automatically waits for and accepts alert pop-ups. self.dismiss_alert() automatically waits for and dismisses alert pop-ups. On occasion, some methods like self.click(SELECTOR) might dismiss a pop-up on its own because they call JavaScript to make sure that the readyState of the page is complete before advancing. If you're trying to accept a pop-up that got dismissed this way, use this workaround: Call self.find_element(SELECTOR).click() instead, (which will let the pop-up remain on the screen), and then use self.accept_alert() to accept the pop-up (more on that here). If pop-ups are intermittent, wrap code in a try/except block.

Building Guided Tours for Websites:

🔵 Learn about SeleniumBase Interactive Walkthroughs (in the examples/tour_examples/ folder). It's great for prototyping a website onboarding experience.


Production Environments & Integrations:

▶️ Here are some things you can do to set up a production environment for your testing. (click to expand)

Here's an example of running tests with some additional features enabled:

pytest [YOUR_TEST_FILE.py] --with-db-reporting --with-s3-logging

Detailed Method Specifications and Examples:

🔵 Navigating to a web page: (and related commands)

self.open("https://xkcd.com/378/")  # This method opens the specified page.

self.go_back()  # This method navigates the browser to the previous page.

self.go_forward()  # This method navigates the browser forward in history.

self.refresh_page()  # This method reloads the current page.

self.get_current_url()  # This method returns the current page URL.

self.get_page_source()  # This method returns the current page source.

ProTip™: You can use the self.get_page_source() method with Python's find() command to parse through HTML to find something specific. (For more advanced parsing, see the BeautifulSoup example.)

source = self.get_page_source()
head_open_tag = source.find('<head>')
head_close_tag = source.find('</head>', head_open_tag)
everything_inside_head = source[head_open_tag+len('<head>'):head_close_tag]

🔵 Clicking:

To click an element on the page:

self.click("div#my_id")

ProTip™: In most web browsers, you can right-click on a page and select Inspect Element to see the CSS selector details that you'll need to create your own scripts.

🔵 Typing Text:

self.type(selector, text) # updates the text from the specified element with the specified value. An exception is raised if the element is missing or if the text field is not editable. Example:

self.type("input#id_value", "2012")

You can also use self.add_text() or the WebDriver .send_keys() command, but those won't clear the text box first if there's already text inside.

🔵 Getting the text from an element on a page:

text = self.get_text("header h2")

🔵 Getting the attribute value from an element on a page:

attribute = self.get_attribute("#comic img", "title")

🔵 Asserting existence of an element on a page within some number of seconds:

self.wait_for_element_present("div.my_class", timeout=10)

(NOTE: You can also use: self.assert_element_present(ELEMENT))

🔵 Asserting visibility of an element on a page within some number of seconds:

self.wait_for_element_visible("a.my_class", timeout=5)

(NOTE: The short versions of that are self.find_element(ELEMENT) and self.assert_element(ELEMENT). The find_element() version returns the element.)

Since the line above returns the element, you can combine that with .click() as shown below:

self.find_element("a.my_class", timeout=5).click()

# But you're better off using the following statement, which does the same thing:

self.click("a.my_class")  # DO IT THIS WAY!

ProTip™: You can use dots to signify class names (Ex: div.class_name) as a simplified version of div[class="class_name"] within a CSS selector.

You can also use *= to search for any partial value in a CSS selector as shown below:

self.click('a[name*="partial_name"]')

🔵 Asserting visibility of text inside an element on a page within some number of seconds:

self.assert_text("Make it so!", "div#trek div.picard div.quotes")
self.assert_text("Tea. Earl Grey. Hot.", "div#trek div.picard div.quotes", timeout=3)

(NOTE: self.find_text(TEXT, ELEMENT) and self.wait_for_text(TEXT, ELEMENT) also do this. For backwards compatibility, older method names were kept, but the default timeout may be different.)

🔵 Asserting Anything:

self.assert_true(var1 == var2)

self.assert_false(var1 == var2)

self.assert_equal(var1, var2)

🔵 Useful Conditional Statements: (with creative examples)

is_element_visible(selector): (visible on the page)

if self.is_element_visible('div#warning'):
    print("Red Alert: Something bad might be happening!")

is_element_present(selector): (present in the HTML)

if self.is_element_present('div#top_secret img.tracking_cookie'):
    self.contact_cookie_monster()  # Not a real SeleniumBase method
else:
    current_url = self.get_current_url()
    self.contact_the_nsa(url=current_url, message="Dark Zone Found")  # Not a real SeleniumBase method
def is_there_a_cloaked_klingon_ship_on_this_page():
    if self.is_element_present("div.ships div.klingon"):
        return not self.is_element_visible("div.ships div.klingon")
    return False

is_text_visible(text, selector): (text visible on element)

if self.is_text_visible("You Shall Not Pass!", "h1"):
    self.open("https://www.youtube.com/watch?v=3xYXUeSmb-Y")
▶️ Click for a longer example of is_text_visible():
def get_mirror_universe_captain_picard_superbowl_ad(superbowl_year):
    selector = "div.superbowl_%s div.commercials div.transcript div.picard" % superbowl_year
    if self.is_text_visible("Yes, it was I who summoned you all here.", selector):
        return "Picard Paramount+ Superbowl Ad 2020"
    elif self.is_text_visible("Commander, signal the following: Our Network is Secure!"):
        return "Picard Mirror Universe iboss Superbowl Ad 2018"
    elif self.is_text_visible("For the Love of Marketing and Earl Grey Tea!", selector):
        return "Picard Mirror Universe HubSpot Superbowl Ad 2015"
    elif self.is_text_visible("Delivery Drones... Engage", selector):
        return "Picard Mirror Universe Amazon Superbowl Ad 2015"
    elif self.is_text_visible("Bing it on Screen!", selector):
        return "Picard Mirror Universe Microsoft Superbowl Ad 2015"
    elif self.is_text_visible("OK Glass, Make it So!", selector):
        return "Picard Mirror Universe Google Superbowl Ad 2015"
    elif self.is_text_visible("Number One, I've Never Seen Anything Like It.", selector):
        return "Picard Mirror Universe Tesla Superbowl Ad 2015"
    elif self.is_text_visible("Let us make sure history never forgets the name ... Facebook", selector):
        return "Picard Mirror Universe Facebook Superbowl Ad 2015"
    elif self.is_text_visible("""With the first link, the chain is forged.
                              The first speech censored, the first thought forbidden,
                              the first freedom denied, chains us all irrevocably.""", selector):
        return "Picard Mirror Universe Wikimedia Superbowl Ad 2015"
    else:
        raise Exception("Reports of my assimilation are greatly exaggerated.")

is_link_text_visible(link_text):

if self.is_link_text_visible("Stop! Hammer time!"):
    self.click_link("Stop! Hammer time!")

🔵 Switching Tabs:

If your test opens up a new tab/window, you can switch to it. (SeleniumBase automatically switches to new tabs that don't open to about:blank URLs.)

self.switch_to_window(1)  # This switches to the new tab (0 is the first one)

🔵 How to handle iframes:

🔵 iframes follow the same principle as new windows: You must first switch to the iframe if you want to perform actions in there:

self.switch_to_frame("iframe")
# ... Now perform actions inside the iframe
self.switch_to_parent_frame()  # Exit the current iframe

To exit from multiple iframes, use self.switch_to_default_content(). (If inside a single iframe, this has the same effect as self.switch_to_parent_frame().)

self.switch_to_frame('iframe[name="frame1"]')
self.switch_to_frame('iframe[name="frame2"]')
# ... Now perform actions inside the inner iframe
self.switch_to_default_content()  # Back to the main page

🔵 You can also use a context manager to act inside iframes:

with self.frame_switch("iframe"):
    # ... Now perform actions while inside the code block
# You have left the iframe

This also works with nested iframes:

with self.frame_switch('iframe[name="frame1"]'):
    with self.frame_switch('iframe[name="frame2"]'):
        # ... Now perform actions while inside the code block
    # You are now back inside the first iframe
# You have left all the iframes

🔵 How to execute custom jQuery scripts:

jQuery is a powerful JavaScript library that allows you to perform advanced actions in a web browser. If the web page you're on already has jQuery loaded, you can start executing jQuery scripts immediately. You'd know this because the web page would contain something like the following in the HTML:

<script src="https://ajax.googleapis.com/ajax/libs/jquery/3.6.3/jquery.min.js"></script>

🔵 It's OK if you want to use jQuery on a page that doesn't have it loaded yet. To do so, run the following command first:

self.activate_jquery()
▶️ Here are some examples of using jQuery in your scripts. (click to expand)
self.execute_script("jQuery, window.scrollTo(0, 600)")  # Scrolling the page

self.execute_script("jQuery('#annoying-widget').hide()")  # Hiding elements on a page

self.execute_script("jQuery('#hidden-widget').show(0)")  # Showing hidden elements on a page

self.execute_script("jQuery('#annoying-button a').remove()")  # Removing elements on a page

self.execute_script("jQuery('%s').mouseover()" % (mouse_over_item))  # Mouse-over elements on a page

self.execute_script("jQuery('input#the_id').val('my_text')")  # Fast text input on a page

self.execute_script("jQuery('div#dropdown a.link').click()")  # Click elements on a page

self.execute_script("return jQuery('div#amazing')[0].text")  # Returns the css "text" of the element given

self.execute_script("return jQuery('textarea')[2].value")  # Returns the css "value" of the 3rd textarea element on the page

(Most of the above commands can be done directly with built-in SeleniumBase methods.)

🔵 How to handle a restrictive CSP:

❗ Some websites have a restrictive Content Security Policy to prevent users from loading jQuery and other external libraries onto their websites. If you need to use jQuery or another JS library on those websites, add --disable-csp as a pytest command-line option to load a Chromium extension that bypasses the CSP.

🔵 More JavaScript fun:

▶️ In this example, JavaScript creates a referral button on a page, which is then clicked. (click to expand)
start_page = "https://xkcd.com/465/"
destination_page = "https://github.com/seleniumbase/SeleniumBase"
self.open(start_page)
referral_link = '''<a class='analytics test' href='%s'>Free-Referral Button!</a>''' % destination_page
self.execute_script('''document.body.innerHTML = \"%s\"''' % referral_link)
self.click("a.analytics")  # Clicks the generated button

(Due to popular demand, this traffic generation example has been included in SeleniumBase with the self.generate_referral(start_page, end_page) and the self.generate_traffic(start_page, end_page, loops) methods.)

🔵 How to use deferred asserts:

Let's say you want to verify multiple different elements on a web page in a single test, but you don't want the test to fail until you verified several elements at once so that you don't have to rerun the test to find more missing elements on the same page. That's where deferred asserts come in. Here's an example:

from seleniumbase import BaseCase
BaseCase.main(__name__, __file__)

class DeferredAssertTests(BaseCase):
    def test_deferred_asserts(self):
        self.open("https://xkcd.com/993/")
        self.wait_for_element("#comic")
        self.deferred_assert_element('img[alt="Brand Identity"]')
        self.deferred_assert_element('img[alt="Rocket Ship"]')  # Will Fail
        self.deferred_assert_element("#comicmap")
        self.deferred_assert_text("Fake Item", "ul.comicNav")  # Will Fail
        self.deferred_assert_text("Random", "ul.comicNav")
        self.deferred_assert_element('a[name="Super Fake !!!"]')  # Will Fail
        self.deferred_assert_exact_text("Brand Identity", "#ctitle")
        self.deferred_assert_exact_text("Fake Food", "#comic")  # Will Fail
        self.process_deferred_asserts()

deferred_assert_element() and deferred_assert_text() will save any exceptions that would be raised. To flush out all the failed deferred asserts into a single exception, make sure to call self.process_deferred_asserts() at the end of your test method. If your test hits multiple pages, you can call self.process_deferred_asserts() before navigating to a new page so that the screenshot from your log files matches the URL where the deferred asserts were made.

🔵 How to access raw WebDriver:

If you need access to any commands that come with standard WebDriver, you can call them directly like this:

self.driver.delete_all_cookies()
capabilities = self.driver.capabilities
self.driver.find_elements("partial link text", "GitHub")

(In general, you'll want to use the SeleniumBase versions of methods when available.)

🔵 How to retry failing tests automatically:

You can use pytest --reruns=NUM to retry failing tests that many times. Add --reruns-delay=SECONDS to wait that many seconds between retries. Example:

pytest --reruns=1 --reruns-delay=1

You can use the @retry_on_exception() decorator to retry failing methods. (First import: from seleniumbase import decorators). To learn more about SeleniumBase decorators, click here.


"Catch bugs in QA before deploying code to Production!"

Catch bugs in QA before deploying code to Production!


Wrap-Up

If you see something, say something!

SeleniumBase

SeleniumBase Playlist on YouTube SeleniumBase on GitHub SeleniumBase on Facebook SeleniumBase on Gitter

SeleniumBase Docs
Tested with SeleniumBase
Gitter chat
SeleniumBase PyPI downloads
Views

seleniumbase's People

Contributors

aklajnert avatar alexrudd2 avatar alinmihailiuc avatar baev avatar de1l avatar delabiejochen avatar dimaspivak avatar filipe-guerra avatar frafra avatar gitter-badger avatar hiqqs avatar imgbotapp avatar jdholtz avatar jsaponara avatar kawarada-san avatar kkarolis avatar ktp420 avatar matttunny avatar mdmintz avatar nathaniel-s avatar piotrkochan avatar rogererens avatar showwin avatar starlingvibes avatar stevemachacz avatar surevs avatar symonk avatar taylormcginnis avatar tbm avatar veenadevi avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

seleniumbase's Issues

Issue with Chrome webdriver on ChromeOS

Hi Michael,

Hopefully you are recovered from Saturday's bootcamp. For the second time I really enjoyed your session. So I'm the strange guy that's trying to run SeleniumBase on a ChromeBook via Crostini (terminal). Everything seems to install fine but I've hit an issue with the chrome webdriver. This is what I get when I try to test the webdriver:

mf723@penguin:~/SeleniumBase/examples$ python
Python 2.7.13 (default, Sep 26 2018, 18:42:22)
[GCC 6.3.0 20170516] on linux2
Type "help", "copyright", "credits" or "license" for more information.

from selenium import webdriver
browser = webdriver.Chrome()
Traceback (most recent call last):
File "", line 1, in
File "/usr/local/lib/python2.7/dist-packages/selenium/webdriver/chrome/webdriver.py", line 81, in init
desired_capabilities=desired_capabilities)
File "/usr/local/lib/python2.7/dist-packages/selenium/webdriver/remote/webdriver.py", line 157, in init
self.start_session(capabilities, browser_profile)
File "/usr/local/lib/python2.7/dist-packages/selenium/webdriver/remote/webdriver.py", line 252, in start_session
response = self.execute(Command.NEW_SESSION, parameters)
File "/usr/local/lib/python2.7/dist-packages/selenium/webdriver/remote/webdriver.py", line 321, in execute
self.error_handler.check_response(response)
File "/usr/local/lib/python2.7/dist-packages/selenium/webdriver/remote/errorhandler.py", line 242, in check_response
raise exception_class(message, screen, stacktrace)
selenium.common.exceptions.WebDriverException: Message: unknown error: cannot find Chrome binary
(Driver info: chromedriver=2.40.565383 (76257d1ab79276b2d53ee976b2c3e3b9f335cde7),platform=Linux 4.19.16-02893-g2cf2c17c8a43 x86_64)

The version of Chrome that I am using is Version 73.0.3683.114 (Official Build) (64-bit)

Any help would be greatly appreciated.
Thanks,
Sean

observation: driver.Implicitly_wait() does not make the browser wait

unsure why a driver.implicitly_wait ( ) does not work with seleniumbase just the way it works with selenium, though there are options provided for wait for element after a specific time out. There is a big possibility that we might need to perform something similar to time.sleep() , Any thoughts/suggestions around this

关于元素封装

看了下页面元素都是写在脚本当中,需要自己再封装一下,把所有的元素都放到单独的yaml文件中,这样管理起来也方便,统一修改

assert_no_404_errors does not ignore Javascript anonymous functions

=================================== FAILURES ===================================
___________________________ BaseTest.test_404_errors ___________________________

self = <test_base.BaseTest testMethod=test_404_errors>

    def test_404_errors(self):
        self.open("http://localhost:8000")
        self.assert_text("Worst node", timeout=10)
>       self.assert_no_404_errors()

test_base.py:16: 
_ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ 
venv/lib64/python3.7/site-packages/seleniumbase/fixtures/base_case.py:1688: in assert_no_404_errors
    pool.map(self.assert_link_status_code_is_not_404, links)
/usr/lib64/python3.7/multiprocessing/pool.py:268: in map
    return self._map_async(func, iterable, mapstar, chunksize).get()
/usr/lib64/python3.7/multiprocessing/pool.py:657: in get
    raise self._value
/usr/lib64/python3.7/multiprocessing/pool.py:121: in worker
    result = (True, func(*args, **kwds))
/usr/lib64/python3.7/multiprocessing/pool.py:44: in mapstar
    return list(map(*args))
venv/lib64/python3.7/site-packages/seleniumbase/fixtures/base_case.py:1679: in assert_link_status_code_is_not_404
    self.assertNotEqual(status_code, "404", bad_link_str)
E   AssertionError: '404' == '404' : Error: "http://localhost:8000/javascript:openNodeMarker();" returned a 404!
========================= 1 failed, 2 passed in 29.02s =========================

The original href value is javascript:openNodeMarker();.

pytest.mark.parametrize is broken

pytest.mark.parametrize works with pytest:

import pytest
class TestParametrized:
    @pytest.mark.parametrize('value', [0, 1])
    def test(self, value):
        pass

...but it doesn't with seleniumbase:

from seleniumbase import BaseCase
import pytest
class TestParametrized(BaseCase):
    @pytest.mark.parametrize('value', [0, 1])
    def test(self, value):
        pass

Error message:

[...]
                with outcome.testPartExecutor(self, isTest=True):
>                   testMethod()
E                   TypeError: test() missing 1 required positional argument: 'value'

/usr/lib64/python3.7/unittest/case.py:628: TypeError

Use "--with-testing_base" configuration will not save logs when tests fail

Hi, @mdmintz
I use pytest to run demo in the example:

from seleniumbase import BaseCase

class MyTestClass(BaseCase):

    def test_4(self):
        # This test should FAIL
        print("\n(This test fails on purpose)")
        self.open("http://xkcd.com/1670/")
        self.find_element("FakeElement.DoesNotExist", timeout=0.5)

Here is the command that i ran the test:
pytest test.py -with-selenium --browser=firefox --with-testing_base --with-basic_test_info --log_path=./Log/
after running,i can't find log file in the log path i have set,only a empty dictionary called “archived_logs” in the working dictionary.
In addition,screenshot will not generate.

Is there anything wrong with my command? or any other problem?

My environment is python3.5 on linux.
Hope you can give me some advice.
Thanks!

Multithreading log dir problem

when i run nosetests with multiple process and two browser (chrome and firefox) on a selenium grid with chrome-node and firefox-node i get this error:

nose.plugins.multiprocess: ERROR: Worker 0 error running test or returning results
Traceback (most recent call last):
  File "/usr/local/lib/python3.6/site-packages/nose/case.py", line 134, in run
    self.runTest(result)
  File "/usr/local/lib/python3.6/site-packages/nose/case.py", line 152, in runTest
    test(result)
  File "/usr/local/lib/python3.6/unittest/case.py", line 653, in __call__
    return self.run(*args, **kwds)
  File "/usr/local/lib/python3.6/unittest/case.py", line 613, in run
    self._feedErrorsToResult(result, outcome.errors)
  File "/usr/local/lib/python3.6/unittest/case.py", line 543, in _feedErrorsToResult
    result.addError(test, exc_info)
  File "/usr/local/lib/python3.6/site-packages/nose/proxy.py", line 131, in addError
    plugins.addError(self.test, err)
  File "/usr/local/lib/python3.6/site-packages/nose/plugins/manager.py", line 99, in __call__
    return self.call(*arg, **kw)
  File "/usr/local/lib/python3.6/site-packages/nose/plugins/manager.py", line 167, in simple
    result = meth(*arg, **kw)
  File "/usr/local/lib/python3.6/site-packages/nose/plugins/manager.py", line 334, in addError
    return self.plugin.addError(test.test, err, capt)
  File "/usr/local/lib/python3.6/site-packages/seleniumbase/plugins/base_plugin.py", line 155, in addError
    self.__log_all_options_if_none_specified(test)
  File "/usr/local/lib/python3.6/site-packages/seleniumbase/plugins/base_plugin.py", line 111, in __log_all_options_if_none_specified
    test, test_logpath, test.driver, test.browser)
  File "/usr/local/lib/python3.6/site-packages/seleniumbase/core/log_helper.py", line 22, in log_test_failure_data
    log_file = codecs.open(basic_file_path, "w+", "utf-8")
  File "/usr/local/lib/python3.6/codecs.py", line 897, in open
    file = builtins.open(filename, mode, buffering)
FileNotFoundError: [Errno 2] No such file or directory: 'latest_logs/<test name>/basic_test_info.txt'

Maybe the log_helper do not handle the preparation of the folder probably?

--settings does not seem to apply any longer

Create a new settings.py file and set LARGE_TIMEOUT = 60

e.g:

# #####>>>>>----- REQUIRED/IMPORTANT SETTINGS -----<<<<<#####

# Default maximum time (in seconds) to wait for page elements to appear.
# Different methods/actions in base_case.py use different timeouts.
# If the element to be acted on does not appear in time, the test fails.
MINI_TIMEOUT = 2
SMALL_TIMEOUT = 10
LARGE_TIMEOUT = 2000
EXTREME_TIMEOUT = 30

execute:

    def test_settings_are_broken(self):
        self.open_url('https://www.google.com')
        self.find_element('#madeup') # by default uses the settings.LARGE_TIMEOUT

pytest -k test_settings_are_broken --settings=settings.py

The find_element will raise ElementNotVisibleExceptions after the default 10 seconds, not the 60 we just supplied

Screenshots should be saved regardless of whether the test is successful

If the whole Selenium CSS selection thing still works, but we broke something critical in the UI appearance, then it's practically impossible to reliably automatically test this, but the screenshot can indicate what was on the screen at that time in that browser.

(This might be better solved by just opening it up and interacting with the interface yourself in a browser, but for the sake of completeness it really feels like screenshots should be saved always.)

Running pytest --browser=firefox --html=report.html

Hi All,

I'm quite new with automation testing in general and i asked myself the question if things work as advertised? I installed all the drivers etc etc and run the test as follows

pytest --browser=firefox --html=report.html

this works test run all success and even the report is created! But what proves a test is taken with what driver?

The reason why i'm asking i'm not sure what i'm doing is correct because i can say like

pytest --browser=safari --html=report.html

and also this one runs with success and this shouldn't be the case is it?

Hopefully someone can point me in the right direction.

Also couldn't find a reference about the driver in the report and this would be also a nice addition to have.

I'm running the tests on a windows 10 machine.

Patrick

conflict with requirement flake8

== Steps ==
Fresh install of Python 3.7.2 - installed on Windows 10 for "all users"
successfully cloned a fresh copy of seleniumbase
run \SeleniumBase>pip install -U -r requirements.txt

== Expected ==
Requirements are installed or updated

== Actual ==
Error:
"pip._vendor.pkg_resources.ContextualVersionConflict: (flake8 3.6.0 (c:\program files (x86)\python37-32\lib\site-packages), Requirement.parse('flake8==3.7.5'), {'seleniumbase'})"

== Full error ==
e:\dev\SeleniumBase>pip install -U -r requirements.txt
Obtaining file:///E:/dev/SeleniumBase (from -r requirements.txt (line 23))
Exception:
Traceback (most recent call last):
File "c:\program files (x86)\python37-32\lib\site-packages\pip_internal\req\req_install.py", line 391, in check_if_exists
self.satisfied_by = pkg_resources.get_distribution(str(no_marker))
File "c:\program files (x86)\python37-32\lib\site-packages\pip_vendor\pkg_resources_init_.py", line 479, in get_distribution
dist = get_provider(dist)
File "c:\program files (x86)\python37-32\lib\site-packages\pip_vendor\pkg_resources_init_.py", line 355, in get_provider
return working_set.find(moduleOrReq) or require(str(moduleOrReq))[0]
File "c:\program files (x86)\python37-32\lib\site-packages\pip_vendor\pkg_resources_init_.py", line 898, in require
needed = self.resolve(parse_requirements(requirements))
File "c:\program files (x86)\python37-32\lib\site-packages\pip_vendor\pkg_resources_init_.py", line 789, in resolve
raise VersionConflict(dist, req).with_context(dependent_req)
pip._vendor.pkg_resources.ContextualVersionConflict: (flake8 3.6.0 (c:\program files (x86)\python37-32\lib\site-packages), Requirement.parse('flake8==3.7.5'), {'seleniumbase'})

During handling of the above exception, another exception occurred:

Traceback (most recent call last):
File "c:\program files (x86)\python37-32\lib\site-packages\pip_internal\cli\base_command.py", line 176, in main
status = self.run(options, args)
File "c:\program files (x86)\python37-32\lib\site-packages\pip_internal\commands\install.py", line 315, in run
resolver.resolve(requirement_set)
File "c:\program files (x86)\python37-32\lib\site-packages\pip_internal\resolve.py", line 131, in resolve
self.resolve_one(requirement_set, req)
File "c:\program files (x86)\python37-32\lib\site-packages\pip_internal\resolve.py", line 294, in resolve_one
abstract_dist = self.get_abstract_dist_for(req_to_install)
File "c:\program files (x86)\python37-32\lib\site-packages\pip_internal\resolve.py", line 226, in get_abstract_dist_for
req, self.require_hashes, self.use_user_site, self.finder,
File "c:\program files (x86)\python37-32\lib\site-packages\pip_internal\operations\prepare.py", line 386, in prepare_editable_requirement
req.check_if_exists(use_user_site)
File "c:\program files (x86)\python37-32\lib\site-packages\pip_internal\req\req_install.py", line 402, in check_if_exists
self.req.name
File "c:\program files (x86)\python37-32\lib\site-packages\pip_vendor\pkg_resources_init
.py", line 479, in get_distribution
dist = get_provider(dist)
File "c:\program files (x86)\python37-32\lib\site-packages\pip_vendor\pkg_resources_init
.py", line 355, in get_provider
return working_set.find(moduleOrReq) or require(str(moduleOrReq))[0]
File "c:\program files (x86)\python37-32\lib\site-packages\pip_vendor\pkg_resources_init
.py", line 898, in require
needed = self.resolve(parse_requirements(requirements))
File "c:\program files (x86)\python37-32\lib\site-packages\pip_vendor\pkg_resources_init
.py", line 789, in resolve
raise VersionConflict(dist, req).with_context(dependent_req)
pip._vendor.pkg_resources.ContextualVersionConflict: (flake8 3.6.0 (c:\program files (x86)\python37-32\lib\site-packages), Requirement.parse('flake8==3.7.5'), {'seleniumbase'})

install in python3

Hi @mdmintz
Thank you for sharing the Framework, I'm very interested in it, but I encounter some problems when I try to install:

1.The program need python2.7 to run, but my environment is python3,
so BeautifulSoup module cannot be installed successfully(this module seems to be "bs4" in the python), I don't know how to custom the installation environment and how to run it normally.

2.Have you ever considered to encapsulate a function to operate Yaml file,i think it‘s useful to manage testcase

Thanks

Firefox Webdriver issue on Windows

Looks like there might be an issue with running Firefox Webdriver on Windows based on reports I'm receiving. I'm actively looking into the situation. In the meantime, Windows users should run their automation on Chrome or Edge. (This issue does not effect Mac or Linux/Unix users.)

Make adjustments to better support Zalenium (dockerised selenium scalable grid)

A very popular open source grid for scaling distributed interface system tests is, Zalenium:

https://github.com/zalando/zalenium

The issue:
When running pytest tests on zalenium, it relies on having particular cookie(s) set on the browser to allow zalenium to know which test passed or failed, you can read about it here:

https://opensource.zalando.com/zalenium/

By default, tests in Zalenium are marked in the dashboard either as COMPLETED (session finishes normally) or TIMEOUT (session was ended due to inactivity). You can mark the test as passed or failed based on the assertions you do on your side with your test framework, add a cookie from with the name zaleniumTestPassed with a value of true (if the test passes) or false (if the test fails). This could be done in the after method where you already know if the test passed or failed. Here is an example in Java:
    Cookie cookie = new Cookie("zaleniumTestPassed", "true");
    webDriver.manage().addCookie(cookie);

By the time we can determine the pytest success or failure, seleniumbase tearDown() (I think) has destroyed the drivers, hence making it incompatible fully with Zalenium grid.

This is quite a big feature that SeleniumBase should support, in general having the driver after the test has failed in pytest would be a big win and provide a ton of improved use cases.

Improve support for BrowserStack allowing browserName, device, realMobile and os_version to be specified

Presently desired capabilities are tightly controlled and linked to selected Browser. While this works well for using local WebDrivers, this isn't suitable for BrowserStack, that doesn't support extended Chrome Options, and does require additional desired capabilities not used locally.

In order to make better use of the hosted Selenium Grid provider, BrowserStack, access needs to be given to pass options to desired capabilities.

An example of a basic BrowserStack desired capabilities, where tests would run against a real iPhone 8 plus, running iOS 11 is as follows:

desired_cap = {
'browserName': 'iPhone',
'device': 'iPhone 8 Plus',
'realMobile': 'true',
'os_version': '11.0'
}

Another example, for running IE8, on Windows 7 with a given resolution:

desired_cap = {
'browser': 'IE',
'browser_version': '8.0',
'os': 'Windows',
'os_version': '7',
'resolution': '1024x768'
}

A more comprehensive example - using all the possible options:
desired_cap = {
'os_version' : '7.0',
'device' : 'Samsung Galaxy S8',
'real_mobile' : 'true',
'project' : 'MyProject',
'build' : 'MyBuild1',
'name' : 'TestName',
'browserstack.local' : 'true',
'browserstack.debug' : 'true',
'browserstack.console' : 'warnings',
'browserstack.networkLogs' : 'true',
'browserstack.networkProfile' : '3.5g-hspa-good',
'browserstack.appium_version' : '1.7.1',
'deviceOrientation' : 'landscape'
}

More details on how BrowserStack desired capabilities work with Selenium and Python can be found here: https://www.browserstack.com/automate/python

The full "Capabilities generator" https://www.browserstack.com/automate/capabilities

怎么分布式执行

大神,您好,打算在项目中投入使用,请问下这个是否有分布式执行的方案呢?

Improvement: catch the traces gracefully if css collector failed

Hi @mdmintz ,

Its me again, as I mentioned in last issue(which is user error actually), the self.assert_text() works, but if it can not recognize the selector from the page, the trace in console is a mess, as you can see from the attached file.

I understand they are debug info from WebDriver which is trying to select the element specified, just wondering if SeleniumBase can handle those info, allow user to close the debug option, or catch them inner of the framework?

It is not a functional issue, but just a improvement request.
traces.txt

Remove the HipChat integration

HipChat is being discontinued, based on a deal between Atlassian and Slack. See: https://techcrunch.com/2018/07/26/atlassians-hipchat-and-stride-to-be-discontinued-with-slack-buying-up-the-ip/

I'll remove all related HipChat integration code from SeleniumBase soon. First I'll confirm that SeleniumBase's top customer, HubSpot, is no longer using that integration. As far as I know, they were the only ones using it, circa 2012-2015 and beyond.

(Note: In the HipChat/SeleniumBase integration, notifications from SeleniumBase tests would appear in the specified HipChat room when that setting was turned on.)

Unable to accept alert immediately after opening page

I have a simple case where there is a JavaScript alert that is displayed immediately upon opening a page:

from seleniumbase import BaseCase

class LoginTest(BaseCase):

    def test_0(self):
        self.open("http://192.168.12.1")
        self.wait_for_and_switch_to_alert()
        self.wait_for_and_accept_alert()

Unfortunately this does not work and results in an UnexpectedAlertPresentException:

C:\selenium>nosetests login.py --with-selenium --with-testing_base --report
Traceback (most recent call last):
  File "c:\python27\lib\runpy.py", line 162, in _run_module_as_main
    "__main__", fname, loader, pkg_name)
  File "c:\python27\lib\runpy.py", line 72, in _run_code
    exec code in run_globals
  File "C:\Python27\Scripts\nosetests.exe\__main__.py", line 9, in <module>
  File "c:\python27\lib\site-packages\nose\core.py", line 121, in __init__
    **extra_args)
  File "c:\python27\lib\unittest\main.py", line 95, in __init__
    self.runTests()
  File "c:\python27\lib\site-packages\nose\core.py", line 207, in runTests
    result = self.testRunner.run(self.test)
  File "c:\python27\lib\site-packages\nose\core.py", line 62, in run
    test(result)
  File "c:\python27\lib\site-packages\nose\suite.py", line 177, in __call__
    return self.run(*arg, **kw)
  File "c:\python27\lib\site-packages\nose\suite.py", line 224, in run
    test(orig)
  File "c:\python27\lib\site-packages\nose\suite.py", line 177, in __call__
    return self.run(*arg, **kw)
  File "c:\python27\lib\site-packages\nose\suite.py", line 224, in run
    test(orig)
  File "c:\python27\lib\site-packages\nose\suite.py", line 177, in __call__
    return self.run(*arg, **kw)
  File "c:\python27\lib\site-packages\nose\suite.py", line 224, in run
    test(orig)
  File "c:\python27\lib\site-packages\nose\case.py", line 45, in __call__
    return self.run(*arg, **kwarg)
  File "c:\python27\lib\site-packages\nose\case.py", line 138, in run
    result.addError(self, err)
  File "c:\python27\lib\site-packages\nose\proxy.py", line 131, in addError
    plugins.addError(self.test, err)
  File "c:\python27\lib\site-packages\nose\plugins\manager.py", line 99, in __call__
    return self.call(*arg, **kw)
  File "c:\python27\lib\site-packages\nose\plugins\manager.py", line 167, in simple
    result = meth(*arg, **kw)
  File "c:\python27\lib\site-packages\nose\plugins\manager.py", line 334, in addError
    return self.plugin.addError(test.test, err, capt)
  File "c:\python27\lib\site-packages\seleniumbase\plugins\base_plugin.py", line 169, in addError
    self.__log_all_options_if_none_specified(test)
  File "c:\python27\lib\site-packages\seleniumbase\plugins\base_plugin.py", line 123, in __log_all_options_if_none_specified
    log_helper.log_screenshot(test_logpath, test.driver)
  File "c:\python27\lib\site-packages\seleniumbase\core\log_helper.py", line 10, in log_screenshot
    driver.get_screenshot_as_file(screenshot_path)
  File "c:\python27\lib\site-packages\selenium\webdriver\remote\webdriver.py", line 800, in get_screenshot_as_file
    png = self.get_screenshot_as_png()
  File "c:\python27\lib\site-packages\selenium\webdriver\remote\webdriver.py", line 819, in get_screenshot_as_png
    return base64.b64decode(self.get_screenshot_as_base64().encode('ascii'))
  File "c:\python27\lib\site-packages\selenium\webdriver\remote\webdriver.py", line 829, in get_screenshot_as_base64
    return self.execute(Command.SCREENSHOT)['value']
  File "c:\python27\lib\site-packages\selenium\webdriver\remote\webdriver.py", line 238, in execute
    self.error_handler.check_response(response)
  File "c:\python27\lib\site-packages\selenium\webdriver\remote\errorhandler.py", line 193, in check_response
    raise exception_class(message, screen, stacktrace)
selenium.common.exceptions.UnexpectedAlertPresentException: Alert Text: None
Message: unexpected alert open: {Alert text : Restricted use. Authorized users only.}
  (Session info: chrome=56.0.2924.87)
  (Driver info: chromedriver=2.27.440174 (e97a722caafc2d3a8b807ee115bfb307f7d2cfd9),platform=Windows NT 6.1.7601 SP1 x86_64)

This pure Selenium equivalent works:

from selenium import webdriver
from selenium.webdriver.common.alert import Alert

driver = webdriver.Chrome()
driver.get("http://192.168.12.1")
Alert(driver).accept()

Thanks in advance!

page_actions.wait_for_text_visible does not work with tags

This code should fail, but it does not.

page_actions.wait_for_text_visible(self.driver, "bad-string", "title")

Same behavior when using other tags, like p.
That happens when if element.is_displayed(): is false. There is an else missing there.

where is the sb_config.js_checking_on?

I checked the config folder,but i can't find the attributes like js_checking_on,ad_block_on.where are they?And amazingly,i focus on them in setUp method in base_case of the folder of fixture,it tells ”can't find declaration to go to ". But i can use them in programming.Thanks

        self.js_checking_on = sb_config.js_checking_on
        self.ad_block_on = sb_config.ad_block_on
        self.verify_delay = sb_config.verify_delay
        self.save_screenshot_after_test = sb_config.save_screenshot
        self.timeout_multiplier = sb_config.timeout_multiplier
        self.use_grid = False

Feature Request: Advanced command-line utils for SeleniumBase

It may be possible to simplify test development by adding useful command-line utils that can be run directly from the shell (either in a Bash shell or a DOS CMD shell), from any folder path. Some of these commands may already exist in the SeleniumBase integrations folder, such as the command to convert a raw Selenium-WebDriver unittest Python file into a SeleniumBase-compatible Python file.

Make sure to use Chromedriver version 2.32 or higher!

This is just a friendly reminder to those still using older versions of Chromedriver that they should upgrade to version 2.32 or higher! Older versions may have issues with the latest versions of Chrome. Also, seleniumbase v1.4.6 will improve on that!

selenium.common.exceptions.WebDriverException: Message: unknown error: c annot find Chrome binary

        exception_class = ElementNotVisibleException
    elif status in ErrorCode.INVALID_ELEMENT_STATE:
        exception_class = InvalidElementStateException
    elif status in ErrorCode.INVALID_SELECTOR \
            or status in ErrorCode.INVALID_XPATH_SELECTOR \
            or status in ErrorCode.INVALID_XPATH_SELECTOR_RETURN_TYPER:
        exception_class = InvalidSelectorException
    elif status in ErrorCode.ELEMENT_IS_NOT_SELECTABLE:
        exception_class = ElementNotSelectableException
    elif status in ErrorCode.ELEMENT_NOT_INTERACTABLE:
        exception_class = ElementNotInteractableException
    elif status in ErrorCode.INVALID_COOKIE_DOMAIN:
        exception_class = InvalidCookieDomainException
    elif status in ErrorCode.UNABLE_TO_SET_COOKIE:
        exception_class = UnableToSetCookieException
    elif status in ErrorCode.TIMEOUT:
        exception_class = TimeoutException
    elif status in ErrorCode.SCRIPT_TIMEOUT:
        exception_class = TimeoutException
    elif status in ErrorCode.UNKNOWN_ERROR:
        exception_class = WebDriverException
    elif status in ErrorCode.UNEXPECTED_ALERT_OPEN:
        exception_class = UnexpectedAlertPresentException
    elif status in ErrorCode.NO_ALERT_OPEN:
        exception_class = NoAlertPresentException
    elif status in ErrorCode.IME_NOT_AVAILABLE:
        exception_class = ImeNotAvailableException
    elif status in ErrorCode.IME_ENGINE_ACTIVATION_FAILED:
        exception_class = ImeActivationFailedException
    elif status in ErrorCode.MOVE_TARGET_OUT_OF_BOUNDS:
        exception_class = MoveTargetOutOfBoundsException
    elif status in ErrorCode.JAVASCRIPT_ERROR:
        exception_class = JavascriptException
    elif status in ErrorCode.SESSION_NOT_CREATED:
        exception_class = SessionNotCreatedException
    elif status in ErrorCode.INVALID_ARGUMENT:
        exception_class = InvalidArgumentException
    elif status in ErrorCode.NO_SUCH_COOKIE:
        exception_class = NoSuchCookieException
    elif status in ErrorCode.UNABLE_TO_CAPTURE_SCREEN:
        exception_class = ScreenshotException
    elif status in ErrorCode.ELEMENT_CLICK_INTERCEPTED:
        exception_class = ElementClickInterceptedException
    elif status in ErrorCode.INSECURE_CERTIFICATE:
        exception_class = InsecureCertificateException
    elif status in ErrorCode.INVALID_COORDINATES:
        exception_class = InvalidCoordinatesException
    elif status in ErrorCode.INVALID_SESSION_ID:
        exception_class = InvalidSessionIdException
    elif status in ErrorCode.UNKNOWN_METHOD:
        exception_class = UnknownMethodException
    else:
        exception_class = WebDriverException
    if value == '' or value is None:
        value = response['value']
    if isinstance(value, basestring):
        if exception_class == ErrorInResponseException:
            raise exception_class(response, value)
        raise exception_class(value)
    if message == "" and 'message' in value:
        message = value['message']

    screen = None
    if 'screen' in value:
        screen = value['screen']

    stacktrace = None
    if 'stackTrace' in value and value['stackTrace']:
        stacktrace = []
        try:
            for frame in value['stackTrace']:
                line = self._value_or_default(frame, 'lineNumber', '')
                file = self._value_or_default(frame, 'fileName', '<anonymous

')
if line:
file = "%s:%s" % (file, line)
meth = self._value_or_default(frame, 'methodName', '')
if 'className' in frame:
meth = "%s.%s" % (frame['className'], meth)
msg = " at %s (%s)"
msg = msg % (meth, file)
stacktrace.append(msg)
except TypeError:
pass
if exception_class == ErrorInResponseException:
raise exception_class(response, message)
elif exception_class == UnexpectedAlertPresentException:
alert_text = None
if 'data' in value:
alert_text = value['data'].get('text')
elif 'alert' in value:
alert_text = value['alert'].get('text')
raise exception_class(message, screen, stacktrace, alert_text)
raise exception_class(message, screen, stacktrace)
E selenium.common.exceptions.WebDriverException: Message: unknown error: c
annot find Chrome binary
E (Driver info: chromedriver=2.40.565498 (ea082db3280dd6843ebfb08a625e3e
b905c4f5ab),platform=Windows NT 6.1.7601 SP1 x86_64)

e:\ProgramData\Anaconda3\lib\site-packages\selenium\webdriver\remote\errorhandle
r.py:242: WebDriverException

During handling of the above exception, another exception occurred:
..\seleniumbase\fixtures\base_case.py:3085: in setUp
switch_to=True)
..\seleniumbase\fixtures\base_case.py:2496: in get_new_driver
proxy_string=proxy_string)
..\seleniumbase\core\browser_launcher.py:161: in get_driver
return get_local_driver(browser_name, headless, proxy_string)
..\seleniumbase\core\browser_launcher.py:342: in get_local_driver
return webdriver.Chrome(executable_path=LOCAL_CHROMEDRIVER)
e:\ProgramData\Anaconda3\lib\site-packages\selenium\webdriver\chrome\webdriver.p
y:75: in init
desired_capabilities=desired_capabilities)
e:\ProgramData\Anaconda3\lib\site-packages\selenium\webdriver\remote\webdriver.p
y:156: in init
self.start_session(capabilities, browser_profile)
e:\ProgramData\Anaconda3\lib\site-packages\selenium\webdriver\remote\webdriver.p
y:251: in start_session
response = self.execute(Command.NEW_SESSION, parameters)
e:\ProgramData\Anaconda3\lib\site-packages\selenium\webdriver\remote\webdriver.p
y:320: in execute
self.error_handler.check_response(response)


self = <selenium.webdriver.remote.errorhandler.ErrorHandler object at 0x00000000
04F34EF0>
response = {'sessionId': '7f07e0ad8bb1dbd36eb27c3283d5a58d', 'status': 13, 'valu
e': {'message': 'unknown error: cannot find Chrom...r info: chromedriver=2.40.56
5498 (ea082db3280dd6843ebfb08a625e3eb905c4f5ab),platform=Windows NT 6.1.7601 SP1
x86_64)'}}

def check_response(self, response):
    """
        Checks that a JSON response from the WebDriver does not have an erro

r.

        :Args:
         - response - The JSON response from the WebDriver server as a dicti

onary
object.

        :Raises: If the response contains an error message.
        """
    status = response.get('status', None)
    if status is None or status == ErrorCode.SUCCESS:
        return
    value = None
    message = response.get("message", "")
    screen = response.get("screen", "")
    stacktrace = None
    if isinstance(status, int):
        value_json = response.get('value', None)
        if value_json and isinstance(value_json, basestring):
            import json
            try:
                value = json.loads(value_json)
                if len(value.keys()) == 1:
                    value = value['value']
                status = value.get('error', None)
                if status is None:
                    status = value["status"]
                    message = value["value"]
                    if not isinstance(message, basestring):
                        value = message
                        message = message.get('message')
                else:
                    message = value.get('message', None)
            except ValueError:
                pass

    exception_class = ErrorInResponseException
    if status in ErrorCode.NO_SUCH_ELEMENT:
        exception_class = NoSuchElementException
    elif status in ErrorCode.NO_SUCH_FRAME:
        exception_class = NoSuchFrameException
    elif status in ErrorCode.NO_SUCH_WINDOW:
        exception_class = NoSuchWindowException
    elif status in ErrorCode.STALE_ELEMENT_REFERENCE:
        exception_class = StaleElementReferenceException
    elif status in ErrorCode.ELEMENT_NOT_VISIBLE:
        exception_class = ElementNotVisibleException
    elif status in ErrorCode.INVALID_ELEMENT_STATE:
        exception_class = InvalidElementStateException
    elif status in ErrorCode.INVALID_SELECTOR \
            or status in ErrorCode.INVALID_XPATH_SELECTOR \
            or status in ErrorCode.INVALID_XPATH_SELECTOR_RETURN_TYPER:
        exception_class = InvalidSelectorException
    elif status in ErrorCode.ELEMENT_IS_NOT_SELECTABLE:
        exception_class = ElementNotSelectableException
    elif status in ErrorCode.ELEMENT_NOT_INTERACTABLE:
        exception_class = ElementNotInteractableException
    elif status in ErrorCode.INVALID_COOKIE_DOMAIN:
        exception_class = InvalidCookieDomainException
    elif status in ErrorCode.UNABLE_TO_SET_COOKIE:
        exception_class = UnableToSetCookieException
    elif status in ErrorCode.TIMEOUT:
        exception_class = TimeoutException
    elif status in ErrorCode.SCRIPT_TIMEOUT:
        exception_class = TimeoutException
    elif status in ErrorCode.UNKNOWN_ERROR:
        exception_class = WebDriverException
    elif status in ErrorCode.UNEXPECTED_ALERT_OPEN:
        exception_class = UnexpectedAlertPresentException
    elif status in ErrorCode.NO_ALERT_OPEN:
        exception_class = NoAlertPresentException
    elif status in ErrorCode.IME_NOT_AVAILABLE:
        exception_class = ImeNotAvailableException
    elif status in ErrorCode.IME_ENGINE_ACTIVATION_FAILED:
        exception_class = ImeActivationFailedException
    elif status in ErrorCode.MOVE_TARGET_OUT_OF_BOUNDS:
        exception_class = MoveTargetOutOfBoundsException
    elif status in ErrorCode.JAVASCRIPT_ERROR:
        exception_class = JavascriptException
    elif status in ErrorCode.SESSION_NOT_CREATED:
        exception_class = SessionNotCreatedException
    elif status in ErrorCode.INVALID_ARGUMENT:
        exception_class = InvalidArgumentException
    elif status in ErrorCode.NO_SUCH_COOKIE:
        exception_class = NoSuchCookieException
    elif status in ErrorCode.UNABLE_TO_CAPTURE_SCREEN:
        exception_class = ScreenshotException
    elif status in ErrorCode.ELEMENT_CLICK_INTERCEPTED:
        exception_class = ElementClickInterceptedException
    elif status in ErrorCode.INSECURE_CERTIFICATE:
        exception_class = InsecureCertificateException
    elif status in ErrorCode.INVALID_COORDINATES:
        exception_class = InvalidCoordinatesException
    elif status in ErrorCode.INVALID_SESSION_ID:
        exception_class = InvalidSessionIdException
    elif status in ErrorCode.UNKNOWN_METHOD:
        exception_class = UnknownMethodException
    else:
        exception_class = WebDriverException
    if value == '' or value is None:
        value = response['value']
    if isinstance(value, basestring):
        if exception_class == ErrorInResponseException:
            raise exception_class(response, value)
        raise exception_class(value)
    if message == "" and 'message' in value:
        message = value['message']

    screen = None
    if 'screen' in value:
        screen = value['screen']

    stacktrace = None
    if 'stackTrace' in value and value['stackTrace']:
        stacktrace = []
        try:
            for frame in value['stackTrace']:
                line = self._value_or_default(frame, 'lineNumber', '')
                file = self._value_or_default(frame, 'fileName', '<anonymous

')
if line:
file = "%s:%s" % (file, line)
meth = self._value_or_default(frame, 'methodName', '')
if 'className' in frame:
meth = "%s.%s" % (frame['className'], meth)
msg = " at %s (%s)"
msg = msg % (meth, file)
stacktrace.append(msg)
except TypeError:
pass
if exception_class == ErrorInResponseException:
raise exception_class(response, message)
elif exception_class == UnexpectedAlertPresentException:
alert_text = None
if 'data' in value:
alert_text = value['data'].get('text')
elif 'alert' in value:
alert_text = value['alert'].get('text')
raise exception_class(message, screen, stacktrace, alert_text)
raise exception_class(message, screen, stacktrace)
E selenium.common.exceptions.WebDriverException: Message: unknown error: c
annot find Chrome binary
E (Driver info: chromedriver=2.40.565498 (ea082db3280dd6843ebfb08a625e3e
b905c4f5ab),platform=Windows NT 6.1.7601 SP1 x86_64)

e:\ProgramData\Anaconda3\lib\site-packages\selenium\webdriver\remote\errorhandle
r.py:242: WebDriverException
============================== warnings summary ===============================
source:1067: DeprecationWarning: invalid escape sequence \S
source:1168: DeprecationWarning: invalid escape sequence \S
source:1289: DeprecationWarning: invalid escape sequence \S
source:131: DeprecationWarning: invalid escape sequence \d
source:141: DeprecationWarning: invalid escape sequence \d
source:358: DeprecationWarning: invalid escape sequence _
source:374: DeprecationWarning: invalid escape sequence _
source:625: DeprecationWarning: invalid escape sequence *
source:649: DeprecationWarning: invalid escape sequence *

-- Docs: https://docs.pytest.org/en/latest/warnings.html
==================== 1 failed, 9 warnings in 8.33 seconds =====================

E:\users\administrator\eclipse-workspace2\SeleniumBase-master\examples>

Ability to set user agent before test case

I would like to be able to set the user agent for a given browser session (in this case, to verify that a mobile user agent receives a different version of the site.)

It is unclear if/how configurations set in browser_launcher could be adjusted on a per-case basis.

If this functionality exists, is it documented somewhere?
For future development, a single driver-agnostic method to make this adjustment would be ideal.

AttributeError: 'BaseTest' object has no attribute 'assert_no_404_errors'

I wrote a very simple test today and I got this error:

AttributeError: 'BaseTest' object has no attribute 'assert_no_404_errors'

Here is the script:

from seleniumbase import BaseCase
class BaseTest(BaseCase):
    def test_http_errors(self):
        self.open("http://localhost:8000")
        self.assert_no_404_errors()
selenium==3.141.0
seleniumbase==1.19.6

Other functions, like self.assert_no_js_errors work as usual.

The default assert method can not work well in seleniumBase

Hi, Selenium base is, however, the most powerful framework for automation in python+selenium, but while I'm trying to add assertion in it, it does not work as well.

While I run below command:
self.check_assert_text(u'1783元','#ddxx_ul'), the expected text is '1784元', and execution completed with "Pass", that is unexpected.
In case the text I provided in assertion include Chinese character, is it possible the reason which blocked the assertion?
Please don't be hesitate to tell me if it is a real issue or just a user error.

Thanks a lot!
Uploading assertion does not work.png…
page info

run multi testcases but only open browser once

Hi @mdmintz, a quetion may ask for your help when using SeleiumBase:

Such as the example “my_test_suite.py”,this suite contains 4 testcases,everytime run a testcase,browser will open once,so is there any method that run the testsuite only open browser once?

I come up with a method that use “setUpClass” and “tearDownClass” method instead of “setUP” and “tearDown”,but i don‘t know how to modify base_case.py in SeleniumBase(Only modify that two method may influence other method).
Hope you can give me some advice.
Thanks!

Why can i use pycharm to run my_first_test.py?

Terminal to run my_first_test.py is running well .but when i use Pycharm to run it ,it goes wrong.Logging is here.It may be about setUp method in base_case.py.But I doubt why i can run it in terminal successfully?Thanks!
F
examples/my_first_test.py:9 (MyTestClass.test_basic)
self = <examples.my_first_test.MyTestClass testMethod=test_basic>

def setUp(self):
    """
        Be careful if a subclass of BaseCase overrides setUp()
        You'll need to add the following line to the subclass setUp() method:
        super(SubClassOfBaseCase, self).setUp()
        """
    self.is_pytest = None
    try:
        # This raises an exception if the test is not coming from pytest
        self.is_pytest = sb_config.is_pytest
    except Exception:
        # Not using pytest (probably nosetests)
        self.is_pytest = False
    if self.is_pytest:
        # pytest-specific code
        test_id = "%s.%s.%s" % (self.__class__.__module__,
                                self.__class__.__name__,
                                self._testMethodName)
        self.browser = sb_config.browser
        self.data = sb_config.data
        self.demo_mode = sb_config.demo_mode
        self.demo_sleep = sb_config.demo_sleep
        self.highlights = sb_config.highlights
        self.environment = sb_config.environment
        self.env = self.environment  # Add a shortened version
        self.with_selenium = sb_config.with_selenium  # Should be True
        self.headless = sb_config.headless
        self.headless_active = False
        self.log_path = sb_config.log_path
        self.with_testing_base = sb_config.with_testing_base
        self.with_basic_test_info = sb_config.with_basic_test_info
        self.with_screen_shots = sb_config.with_screen_shots
        self.with_page_source = sb_config.with_page_source
        self.with_db_reporting = sb_config.with_db_reporting
        self.with_s3_logging = sb_config.with_s3_logging
        self.servername = sb_config.servername
        self.port = sb_config.port
        self.proxy_string = sb_config.proxy_string
        self.user_agent = sb_config.user_agent
        self.cap_file = sb_config.cap_file
        self.database_env = sb_config.database_env
        self.message_duration = sb_config.message_duration
        self.js_checking_on = sb_config.js_checking_on
        self.ad_block_on = sb_config.ad_block_on
        self.verify_delay = sb_config.verify_delay
        self.timeout_multiplier = sb_config.timeout_multiplier
        self.use_grid = False
        if self.servername != "localhost":
            # Use Selenium Grid (Use --server=127.0.0.1 for localhost Grid)
            self.use_grid = True
        if self.with_db_reporting:
            from seleniumbase.core.application_manager import (
                ApplicationManager)
            from seleniumbase.core.testcase_manager import (
                ExecutionQueryPayload)
            import getpass
            self.execution_guid = str(uuid.uuid4())
            self.testcase_guid = None
            self.execution_start_time = 0
            self.case_start_time = 0
            self.application = None
            self.testcase_manager = None
            self.error_handled = False
            self.testcase_manager = TestcaseManager(self.database_env)
            #
            exec_payload = ExecutionQueryPayload()
            exec_payload.execution_start_time = int(time.time() * 1000)
            self.execution_start_time = exec_payload.execution_start_time
            exec_payload.guid = self.execution_guid
            exec_payload.username = getpass.getuser()
            self.testcase_manager.insert_execution_data(exec_payload)
            #
            data_payload = TestcaseDataPayload()
            self.testcase_guid = str(uuid.uuid4())
            data_payload.guid = self.testcase_guid
            data_payload.execution_guid = self.execution_guid
            if self.with_selenium:
                data_payload.browser = self.browser
            else:
                data_payload.browser = "N/A"
            data_payload.test_address = test_id
            application = ApplicationManager.generate_application_string(
                self._testMethodName)
            data_payload.env = application.split('.')[0]
            data_payload.start_time = application.split('.')[1]
            data_payload.state = constants.State.NOTRUN
            self.testcase_manager.insert_testcase_data(data_payload)
            self.case_start_time = int(time.time() * 1000)
        if self.headless:
            try:
                from pyvirtualdisplay import Display
                self.display = Display(visible=0, size=(1440, 1080))
                self.display.start()
                self.headless_active = True
            except Exception:
                # pyvirtualdisplay might not be necessary anymore because
                # Chrome and Firefox now have built-in headless displays
                pass

    # Launch WebDriver for both Pytest and Nosetests
    if not hasattr(self, "browser"):
      raise Exception("""SeleniumBase plugins did not load! """
                        """Please reinstall using:\n"""
                        """ >>> "python setup.py install" <<< """)

E Exception: SeleniumBase plugins did not load! Please reinstall using:
E >>> "python setup.py install" <<<

../seleniumbase/fixtures/base_case.py:2860: Exception

Seleniumbase wait_for_alert functions no longer work with chromedriver 76+

Recent W3C spec compliance change(s) to chromedriver as of 76+ result in breakages with alerts being instantly dismissed. Seleniumbase default behaviour should account for these changes.

Recreation is simple:

    def test_fix_alerts(self):
        self.open('https://www.seleniumeasy.com/test/javascript-alert-box-demo.html')
        self.click_xpath("//button[@class='btn btn-default'][1]")
        self.wait_for_and_accept_alert()

I think this is because as of chromedriver76+ we are now seeing IGNORE AND DISMISS on these alert(s) by default. No time to investigate for a PR as I am away this weekend, but logging for visibility @mdmintz

selenium==3.141.0
seleniumbase==1.23.9
pytest==4.4.2

Is there any possibility of decoupling from unittest.testcase?

As I am sure you know, extending from unittest.testcase renders a lot of pytest functionality unusable, primarily pytest parameterized (you can get around this with another plugin) however you cannot utilize fixtures properly when using seleniumbase and classes for tests.

  • How much work would be involved in decoupling?
  • Is it even remotely viable?

unless you know of any way to use fixtures when having a pytest runner and actually yielding/returning values from them ?

Xpath selector in BaseCase.functions

Hi @mdmintz , it's a perfect package!
I have met a question about BaseCase.functions, in most of functions, you check if the way of 'By' is 'page_utils.is_xpath_selector()' and that convenient, but this step isn't cover all of the functions, e.g: 'BaseCase.get_text()',
def get_text(self, selector, by=By.CSS_SELECTOR, timeout=settings.SMALL_TIMEOUT):
if self.timeout_multiplier and timeout == settings.SMALL_TIMEOUT:
timeout = self._get_new_timeout(timeout)
self.wait_for_ready_state_complete()
time.sleep(0.01)
element = page_actions.wait_for_element_visible( self.driver, selector, by, timeout)
that's a little bit annoying.

Browser not running in maximized window

Hello @mdmintz , I have a small question about browser_launcher module; as I understood, this one is taking care about set up of chosen browser - now I want to start Chrome in maximized window, so I added
chrome_options.add_experimental_option("prefs", prefs) chrome_options.add_argument("--allow-file-access-from-files") chrome_options.add_argument("--allow-running-insecure-content") chrome_options.add_argument("--start-maximized") return webdriver.Chrome(chrome_options=chrome_options)
but when running the test (nosetests), Chrome will not respect it. What I am missing? Thank you in advance.

how to run with interactive interpreter?

Thanks for SeleniumBase. It's a neat package.

Can you provide some hints on how to run in an interactive interpreter?

I saved your my_first_test.py in a file and succesfully ran via py.test my_first_test.py. Then I tried to run in an interactive interpreter via

import my_first_test
import unittest
result = unittest.main('my_first_test', exit=False*)

but got the following error:

======================================================================
ERROR: test_basic (my_first_test.MyTestClass)
----------------------------------------------------------------------
Traceback (most recent call last):
  File "d:\Anaconda3\lib\site-packages\seleniumbase\fixtures\base_case.py", line 2770, in setUp
    raise Exception("""SeleniumBase plugins did not load! """
Exception: SeleniumBase plugins did not load! Please reinstall using:
 >>> "python setup.py install" <<< 

----------------------------------------------------------------------
Ran 1 test in 0.001s

FAILED (errors=1)
>>> 

Again, it seems installed correctly since I can run tests from the command line. I would like to be able to experiment with SeleniumBase from inside the interpreter in the same way I can with Selenium webdriver but haven't figured out how.

Thanks.

_get_unique_links problems with special pages

I am not sure why it is trying to open about:blank, because I do not see it inside my page, but something seems broken here:

self = <test_base.LayerUploadCheck testMethod=test_home_broken_links>

    def test_home_broken_links(self):
>       self.assert_no_404_errors()

test/test_base.py:100:
_ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _
../../.fades/447d5529-d1a3-49bd-b2e2-cd664f1a9a53/lib64/python3.6/site-packages/seleniumbase/fixtures/base_case.py:1649: in assert_no_404_errors
    links = self.get_unique_links()
../../.fades/447d5529-d1a3-49bd-b2e2-cd664f1a9a53/lib64/python3.6/site-packages/seleniumbase/fixtures/base_case.py:1634: in get_unique_links
    links = page_utils._get_unique_links(page_url, soup)
_ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _ _

page_url = 'about:blank', soup = <html><head></head><body></body></html>

    def _get_unique_links(page_url, soup):
        """
        Returns all unique links.
        Includes:
            "a"->"href", "img"->"src", "link"->"href", and "script"->"src" links.
        """
        prefix = 'http:'
        if page_url.startswith('https:'):
            prefix = 'https:'
>       simple_url = page_url.split('://')[1]
E       IndexError: list index out of range

../../.fades/447d5529-d1a3-49bd-b2e2-cd664f1a9a53/lib64/python3.6/site-packages/seleniumbase/fixtures/page_utils.py:77: IndexError
=========================== warnings summary ===========================
test/test_base.py::LayerUploadCheck::test_home_broken_links
  /home/frafra/.fades/447d5529-d1a3-49bd-b2e2-cd664f1a9a53/lib64/python3.6/site-packages/seleniumbase/fixtures/base_case.py:3179: PytestDeprecationWarning: the `pytest.config` global is deprecated.  Please use `request.config` or `pytest_configure` (if you're a pytest plugin) instead.
    pytest_html = pytest.config.pluginmanager.getplugin('html')

-- Docs: https://docs.pytest.org/en/latest/warnings.html

Change parameter order for text related methods like assert_text

Hello, I would like to request a more intuitive and standard way in ordering of parameters.

Problem: I was assuming that update_text and assert_text order of parameters were the same. Apparently not.

self.update_text(LoginPage.password, "password") # locator goes first then text
self.assert_text("Log In", LoginPage.login_button)  # text goes first then locator

Suggestion:
Make it a standard that locator goes first then the text or other parameters. I checked base_case.py and most methods follow the locator first.

where are attributes of sb_config?like sb_config.browser.I try my best to find it ,but i can't find .

I can't find the sb_config._brower,etc.where are they? I only find ad_block_list.py,proxy_list.py and settings.py,but i can't find these below. Thanks!
self.browser = sb_config.browser
self.data = sb_config.data
self.demo_mode = sb_config.demo_mode
self.demo_sleep = sb_config.demo_sleep
self.highlights = sb_config.highlights
self.environment = sb_config.environment
self.env = self.environment # Add a shortened version
self.with_selenium = sb_config.with_selenium # Should be True
self.headless = sb_config.headless
self.headless_active = False
self.log_path = sb_config.log_path
self.with_testing_base = sb_config.with_testing_base
self.with_basic_test_info = sb_config.with_basic_test_info
self.with_screen_shots = sb_config.with_screen_shots
self.with_page_source = sb_config.with_page_source
self.with_db_reporting = sb_config.with_db_reporting
self.with_s3_logging = sb_config.with_s3_logging
self.servername = sb_config.servername
self.port = sb_config.port
self.proxy_string = sb_config.proxy_string
self.user_agent = sb_config.user_agent
self.cap_file = sb_config.cap_file

instance attribute .maximize_window shadows method BaseCase.maximize_window()

Hi,
I have some code as following to maximize the browser window:

from seleniumbase import config as sb_config
from seleniumbase import BaseCase

class VerifyMaximizeWindow(BaseCase):
    def test_maximize_window(self):
        url = "https://10.109.109.181"
        self.open(url)
        self.maximize_window()

However it complains that:

================================================= test session starts =================================================
platform win32 -- Python 3.7.4, pytest-5.1.1, py-1.8.0, pluggy-0.12.0
rootdir: C:\pyags\pyags_test
plugins: cov-2.7.1, forked-1.0.2, html-1.22.0, metadata-1.8.0, ordering-0.6, rerunfailures-7.0, timeout-1.3.3, xdist-1.2
9.0, seleniumbase-1.30.0
collected 1 item

testcase/test_maximize_window.py::VerifyMaximizeWindow::test_maximize_window
DevTools listening on ws://127.0.0.1:55285/devtools/browser/d8e18d4e-3efa-4f30-a9ba-3cf1ae466a78
FAILED

====================================================== FAILURES =======================================================
______________________________________ VerifyMaximizeWindow.test_maximize_window ______________________________________

self = <test_maximize_window.VerifyMaximizeWindow testMethod=test_maximize_window>

    def test_maximize_window(self):
        url = "https://10.109.109.181"
        self.open(url)
>       self.maximize_window()
E       TypeError: 'bool' object is not callable

testcase\test_maximize_window.py:9: TypeError
================================================== 1 failed in 6.18s ==================================================

Looks like SeleniumBase set self.maximize_window in BaseCase.setUp(), which shadows the method with the same name.

            self.extension_dir = sb_config.extension_dir
            self.maximize_window = sb_config.maximize_window
            self.save_screenshot_after_test = sb_config.save_screenshot

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.