_ruby
Example
Let's start by pulling in the necessary libraries (selenium-webdriver
to control the browser and rspec/expectations
& RSpec::Matchers
to perform an assertion) and wiring up some simple setup
, teardown
, and run
methods.
# filename: right_click.rb
require 'selenium-webdriver'
require 'rspec/expectations'
include RSpec::Matchers
def setup
@driver = Selenium::WebDriver.for :firefox
end
def teardown
@driver.quit
end
def run
setup
yield
teardown
end
Now we're ready to write our test.
Let's use an example from the-internet that will render a custom context menu when we right-click on a specific area of the page (link). Clicking the context menu will trigger a JavaScript alert which will say You selected a context menu
. We'll grab this text and use it to assert that the menu was actually triggered.
run do
@driver.get 'http://the-internet.herokuapp.com/context_menu'
menu_area = @driver.find_element id: 'hot-spot'
@driver.action.context_click(menu_area).send_keys(
:arrow_down).send_keys(
:arrow_down).send_keys(
:arrow_down).send_keys(
:enter).perform
alert = @driver.switch_to.alert
expect(alert.text).to eq('You selected a context menu')
end
Expected Behavior
If we save this file and run it (e.g., ruby right_click.rb
) from the command-line) here is what will happen:
- Open the browser and visit the page
- Find and right-click the area which will render a custom context menu
- Select the context menu option with keyboard keys
- JavaScript alert appears
- Grab the text of the JavaScript alert
- Assert that the text from the alert is what we expect
Summary
To learn more about context menus, you can read this write-up from the Tree House blog.
Happy Testing!