# ferrum **Repository Path**: memeyun2000/ferrum ## Basic Information - **Project Name**: ferrum - **Description**: No description available - **Primary Language**: Unknown - **License**: MIT - **Default Branch**: main - **Homepage**: None - **GVP Project**: No ## Statistics - **Stars**: 0 - **Forks**: 0 - **Created**: 2025-04-13 - **Last Updated**: 2025-04-13 ## Categories & Tags **Categories**: Uncategorized **Tags**: None ## README # Ferrum - high-level API to control Chrome in Ruby Ferrum logo #### As simple as Puppeteer, though even simpler. It is Ruby clean and high-level API to Chrome. Runs headless by default, but you can configure it to run in a headful mode. All you need is Ruby and [Chrome](https://www.google.com/chrome/) or [Chromium](https://www.chromium.org/). Ferrum connects to the browser by [CDP protocol](https://chromedevtools.github.io/devtools-protocol/) and there's _no_ Selenium/WebDriver/ChromeDriver dependency. The emphasis was made on a raw CDP protocol because Chrome allows you to do so many things that are barely supported by WebDriver because it should have consistent design with other browsers. * [Cuprite](https://github.com/rubycdp/cuprite) is a pure Ruby driver for [Capybara](https://github.com/teamcapybara/capybara) based on Ferrum. If you are going to crawl sites you better use Ferrum or [Vessel](https://github.com/rubycdp/vessel) because you crawl, not test. * [Vessel](https://github.com/rubycdp/vessel) high-level web crawling framework based on Ferrum and Mechanize. ## Index * [Install](https://github.com/rubycdp/ferrum#install) * [Examples](https://github.com/rubycdp/ferrum#examples) * [Docker](https://github.com/rubycdp/ferrum#docker) * [Customization](https://github.com/rubycdp/ferrum#customization) * [Navigation](https://github.com/rubycdp/ferrum#navigation) * [Finders](https://github.com/rubycdp/ferrum#finders) * [Screenshots](https://github.com/rubycdp/ferrum#screenshots) * [Network](https://github.com/rubycdp/ferrum#network) * [Downloads](https://github.com/rubycdp/ferrum#downloads) * [Proxy](https://github.com/rubycdp/ferrum#proxy) * [Mouse](https://github.com/rubycdp/ferrum#mouse) * [Keyboard](https://github.com/rubycdp/ferrum#keyboard) * [Cookies](https://github.com/rubycdp/ferrum#cookies) * [Headers](https://github.com/rubycdp/ferrum#headers) * [JavaScript](https://github.com/rubycdp/ferrum#javascript) * [Frames](https://github.com/rubycdp/ferrum#frames) * [Frame](https://github.com/rubycdp/ferrum#frame) * [Dialogs](https://github.com/rubycdp/ferrum#dialogs) * [Animation](https://github.com/rubycdp/ferrum#animation) * [Node](https://github.com/rubycdp/ferrum#node) * [Tracing](https://github.com/rubycdp/ferrum#tracing) * [Clean Up](https://github.com/rubycdp/ferrum#clean-up) * [Thread safety](https://github.com/rubycdp/ferrum#thread-safety) * [Development](https://github.com/rubycdp/ferrum#development) * [Contributing](https://github.com/rubycdp/ferrum#contributing) * [License](https://github.com/rubycdp/ferrum#license) ## Install There's no official Chrome or Chromium package for Linux don't install it this way because it's either outdated or unofficial, both are bad. Download it from official source for [Chrome](https://www.google.com/chrome/) or [Chromium](https://www.chromium.org/getting-involved/download-chromium). Chrome binary should be in the `PATH` or `BROWSER_PATH` and you can pass it as an option to browser instance see `:browser_path` in [Customization](https://github.com/rubycdp/ferrum#customization). Add this to your `Gemfile` and run `bundle install`. ``` ruby gem "ferrum" ``` ## Examples Navigate to a website and save a screenshot: ```ruby browser = Ferrum::Browser.new browser.go_to("https://google.com") browser.screenshot(path: "google.png") browser.quit ``` When you work with browser instance Ferrum creates and maintains a default page for you, in fact all the methods above are sent to the `page` instance that is created in the `default_context` of the `browser` instance. You can interact with a page created manually and this is preferred: ```ruby browser = Ferrum::Browser.new page = browser.create_page page.go_to("https://google.com") input = page.at_xpath("//input[@name='q']") input.focus.type("Ruby headless driver for Chrome", :Enter) page.at_css("a > h3").text # => "rubycdp/ferrum: Ruby Chrome/Chromium driver - GitHub" browser.quit ``` Evaluate some JavaScript and get full width/height: ```ruby browser = Ferrum::Browser.new page = browser.create_page page.go_to("https://www.google.com/search?q=Ruby+headless+driver+for+Capybara") width, height = page.evaluate <<~JS [document.documentElement.offsetWidth, document.documentElement.offsetHeight] JS # => [1024, 1931] browser.quit ``` Do any mouse movements you like: ```ruby # Trace a 100x100 square browser = Ferrum::Browser.new page = browser.create_page page.go_to("https://google.com") page.mouse .move(x: 0, y: 0) .down .move(x: 0, y: 100) .move(x: 100, y: 100) .move(x: 100, y: 0) .move(x: 0, y: 0) .up browser.quit ``` ## Docker In docker as root you must pass the no-sandbox browser option: ```ruby Ferrum::Browser.new(browser_options: { 'no-sandbox': nil }) ``` It has also been reported that the Chrome process repeatedly crashes when running inside a Docker container on an M1 Mac preventing Ferrum from working. Ferrum should work as expected when deployed to a Docker container on a non-M1 Mac. ## Customization You can customize options with the following code in your test setup: ``` ruby Ferrum::Browser.new(options) ``` * options `Hash` * `:headless` (String | Boolean) - Set browser as headless or not, `true` by default. You can set `"new"` to support [new headless mode](https://developer.chrome.com/articles/new-headless/). * `:xvfb` (Boolean) - Run browser in a virtual framebuffer, `false` by default. * `:flatten` (Boolean) - Use one websocket connection to the browser and all the pages in flatten mode. * `:window_size` (Array) - The dimensions of the browser window in which to test, expressed as a 2-element array, e.g. [1024, 768]. Default: [1024, 768] * `:extensions` (Array[String | Hash]) - An array of paths to files or JS source code to be preloaded into the browser e.g.: `["/path/to/script.js", { source: "window.secret = 'top'" }]` * `:logger` (Object responding to `puts`) - When present, debug output is written to this object. * `:slowmo` (Integer | Float) - Set a delay in seconds to wait before sending command. Useful companion of headless option, so that you have time to see changes. * `:timeout` (Numeric) - The number of seconds we'll wait for a response when communicating with browser. Default is 5. * `:js_errors` (Boolean) - When true, JavaScript errors get re-raised in Ruby. * `:pending_connection_errors` (Boolean) - When main frame is still waiting for slow responses while timeout is reached `PendingConnectionsError` is raised. It's better to figure out why you have slow responses and fix or block them rather than turn this setting off. Default is true. * `:browser_name` (Symbol) - `:chrome` by default, only experimental support for `:firefox` for now. * `:browser_path` (String) - Path to Chrome binary, you can also set ENV variable as `BROWSER_PATH=some/path/chrome bundle exec rspec`. * `:browser_options` (Hash) - Additional command line options, [see them all](https://peter.sh/experiments/chromium-command-line-switches/) e.g. `{ "ignore-certificate-errors" => nil }` * `:ignore_default_browser_options` (Boolean) - Ferrum has a number of default options it passes to the browser, if you set this to `true` then only options you put in `:browser_options` will be passed to the browser, except required ones of course. * `:port` (Integer) - Remote debugging port for headless Chrome. * `:host` (String) - Remote debugging address for headless Chrome. * `:url` (String) - URL for a running instance of Chrome. If this is set, a browser process will not be spawned. * `:ws_url` (String) - Websocket url for a running instance of Chrome. If this is set, a browser process will not be spawned. It's higher priority than `:url`, setting both doesn't make sense. * `:process_timeout` (Integer) - How long to wait for the Chrome process to respond on startup. * `:ws_max_receive_size` (Integer) - How big messages to accept from Chrome over the web socket, in bytes. Defaults to 64MB. Incoming messages larger than this will cause a `Ferrum::DeadBrowserError`. * `:proxy` (Hash) - Specify proxy settings, [read more](https://github.com/rubycdp/ferrum#proxy) * `:save_path` (String) - Path to save attachments with [Content-Disposition](https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Content-Disposition) header. * `:env` (Hash) - Environment variables you'd like to pass through to the process ## Navigation #### go_to(url) : `String` Navigate page to. * url `String` The url should include scheme unless you set `base_url` when configuring driver. ```ruby page.go_to("https://github.com/") ``` #### back Navigate to the previous page in history. ```ruby page.go_to("https://github.com/") page.at_xpath("//a").click page.back ``` #### forward Navigate to the next page in history. ```ruby page.go_to("https://github.com/") page.at_xpath("//a").click page.back page.forward ``` #### refresh Reload current page. ```ruby page.go_to("https://github.com/") page.refresh ``` #### stop Stop all navigations and loading pending resources on the page ```ruby page.go_to("https://github.com/") page.stop ``` #### position = \*\*options Set the position for the browser window * options `Hash` * :left `Integer` * :top `Integer` ```ruby browser.position = { left: 10, top: 20 } ``` #### position : `Array` Get the position for the browser window ```ruby browser.position # => [10, 20] ``` #### window_bounds = \*\*options Set window bounds * options `Hash` * :left `Integer` * :top `Integer` * :width `Integer` * :height `Integer` * :window_state `String` ```ruby browser.window_bounds = { left: 10, top: 20, width: 1024, height: 768, window_state: "normal" } ``` #### window_bounds : `Hash` Get window bounds ```ruby browser.window_bounds # => { "left": 0, "top": 1286, "width": 10, "height": 10, "windowState": "normal" } ``` #### window_id : `Integer` Current window id ```ruby browser.window_id # => 1 ``` ## Finders #### at_css(selector, \*\*options) : `Node` | `nil` Find node by selector. Runs `document.querySelector` within the document or provided node. * selector `String` * options `Hash` * :within `Node` | `nil` ```ruby page.go_to("https://github.com/") page.at_css("a[aria-label='Issues you created']") # => Node ``` #### css(selector, \*\*options) : `Array` | `[]` Find nodes by selector. The method runs `document.querySelectorAll` within the document or provided node. * selector `String` * options `Hash` * :within `Node` | `nil` ```ruby page.go_to("https://github.com/") page.css("a[aria-label='Issues you created']") # => [Node] ``` #### at_xpath(selector, \*\*options) : `Node` | `nil` Find node by xpath. * selector `String` * options `Hash` * :within `Node` | `nil` ```ruby page.go_to("https://github.com/") page.at_xpath("//a[@aria-label='Issues you created']") # => Node ``` #### xpath(selector, \*\*options) : `Array` | `[]` Find nodes by xpath. * selector `String` * options `Hash` * :within `Node` | `nil` ```ruby page.go_to("https://github.com/") page.xpath("//a[@aria-label='Issues you created']") # => [Node] ``` #### current_url : `String` Returns current top window location href. ```ruby page.go_to("https://google.com/") page.current_url # => "https://www.google.com/" ``` #### current_title : `String` Returns current top window title ```ruby page.go_to("https://google.com/") page.current_title # => "Google" ``` #### body : `String` Returns current page's html. ```ruby page.go_to("https://google.com/") page.body # => '... ``` ## Screenshots #### screenshot(\*\*options) : `String` | `Integer` Saves screenshot on a disk or returns it as base64. * options `Hash` * :path `String` to save a screenshot on the disk. `:encoding` will be set to `:binary` automatically * :encoding `Symbol` `:base64` | `:binary` you can set it to return image as Base64 * :format `String` "jpeg" ("jpg") | "png" | "webp" * :quality `Integer` 0-100 works for jpeg only * :full `Boolean` whether you need full page screenshot or a viewport * :selector `String` css selector for given element, optional * :area `Hash` area for screenshot, optional * :x `Integer` * :y `Integer` * :width `Integer` * :height `Integer` * :scale `Float` zoom in/out * :background_color `Ferrum::RGBA.new(0, 0, 0, 0.0)` to have specific background color ```ruby page.go_to("https://google.com/") # Save on the disk in PNG page.screenshot(path: "google.png") # => 134660 # Save on the disk in JPG page.screenshot(path: "google.jpg") # => 30902 # Save to Base64 the whole page not only viewport and reduce quality page.screenshot(full: true, quality: 60, encoding: :base64) # "iVBORw0KGgoAAAANSUhEUgAABAAAAAMACAYAAAC6uhUNAAAAAXNSR0IArs4c6Q... # Save on the disk with the selected element in PNG page.screenshot(path: "google.png", selector: 'textarea') # => 11340 # Save to Base64 with an area of the page in PNG page.screenshot(path: "google.png", area: { x: 0, y: 0, width: 400, height: 300 }) # => 54239 # Save with specific background color page.screenshot(background_color: Ferrum::RGBA.new(0, 0, 0, 0.0)) ``` #### pdf(\*\*options) : `String` | `Boolean` Saves PDF on a disk or returns it as base64. * options `Hash` * :path `String` to save a pdf on the disk. `:encoding` will be set to `:binary` automatically * :encoding `Symbol` `:base64` | `:binary` you can set it to return pdf as Base64 * :landscape `Boolean` paper orientation. Defaults to false. * :scale `Float` zoom in/out * :format `symbol` standard paper sizes :letter, :legal, :tabloid, :ledger, :A0, :A1, :A2, :A3, :A4, :A5, :A6 * :paper_width `Float` set paper width * :paper_height `Float` set paper height * See other [native options](https://chromedevtools.github.io/devtools-protocol/tot/Page#method-printToPDF) you can pass ```ruby page.go_to("https://google.com/") # Save to disk as a PDF page.pdf(path: "google.pdf", paper_width: 1.0, paper_height: 1.0) # => true ``` #### mhtml(\*\*options) : `String` | `Integer` Saves MHTML on a disk or returns it as a string. * options `Hash` * :path `String` to save a file on the disk. ```ruby page.go_to("https://google.com/") page.mhtml(path: "google.mhtml") # => 87742 ``` ## Network `page.network` #### traffic `Array` Returns all information about network traffic as `Network::Exchange` instance which in general is a wrapper around `request`, `response` and `error`. ```ruby page.go_to("https://github.com/") page.network.traffic # => [# # # 200 ``` #### wait_for_idle(\*\*options) : `Boolean` Waits for network idle, returns `true` in case of success and `false` if there are still connections. * options `Hash` * :connections `Integer` how many connections are allowed for network to be idling, `0` by default * :duration `Float` sleep for given amount of time and check again, `0.05` by default * :timeout `Float` during what time we try to check idle, `browser.timeout` by default ```ruby page.go_to("https://example.com/") page.at_xpath("//a[text() = 'No UI changes button']").click page.network.wait_for_idle # => true ``` #### wait_for_idle!(\*\*options) Waits for network idle or raises `Ferrum::TimeoutError` error. Accepts same arguments as `wait_for_idle`. ```ruby page.go_to("https://example.com/") page.at_xpath("//a[text() = 'No UI changes button']").click page.network.wait_for_idle! # might raise an error ``` #### clear(type) Clear page's cache or collected traffic. * type `Symbol` it is either `:traffic` or `:cache` ```ruby traffic = page.network.traffic # => [] page.go_to("https://github.com/") traffic.size # => 51 page.network.clear(:traffic) traffic.size # => 0 ``` #### intercept(\*\*options) Set request interception for given options. This method is only sets request interception, you should use `on` callback to catch requests and abort or continue them. * options `Hash` * :pattern `String` \* by default * :resource_type `Symbol` one of the [resource types](https://chromedevtools.github.io/devtools-protocol/tot/Network#type-ResourceType) ```ruby browser = Ferrum::Browser.new page = browser.create_page page.network.intercept page.on(:request) do |request| if request.match?(/bla-bla/) request.abort elsif request.match?(/lorem/) request.respond(body: "Lorem ipsum") else request.continue end end page.go_to("https://google.com") ``` #### authorize(\*\*options, &block) If site or proxy uses authorization you can provide credentials using this method. * options `Hash` * :type `Symbol` `:server` | `:proxy` site or proxy authorization * :user `String` * :password `String` * &block accepts authenticated request, which you must subsequently allow or deny, if you don't care about unwanted requests just call `request.continue`. ```ruby page.network.authorize(user: "login", password: "pass") { |req| req.continue } page.go_to("http://example.com/authenticated") puts page.network.status # => 200 puts page.body # => Welcome, authenticated client ``` Since Chrome implements authorize using request interception you must continue or abort authorized requests. If you already have code that uses interception you can use `authorize` without block, but if not you are obliged to pass block, so this is version doesn't pass block and can work just fine: ```ruby browser = Ferrum::Browser.new page = browser.create_page page.network.intercept page.on(:request) do |request| if request.resource_type == "Image" request.abort else request.continue end end page.network.authorize(user: "login", password: "pass", type: :proxy) page.go_to("https://google.com") ``` You used to call `authorize` method without block, but since it's implemented using request interception there could be a collision with another part of your code that also uses request interception, so that authorize allows the request while your code denies but it's too late. The block is mandatory now. #### emulate_network_conditions(\*\*options) Activates emulation of network conditions. * options `Hash` * :offline `Boolean` emulate internet disconnection, `false` by default * :latency `Integer` minimum latency from request sent to response headers received (ms), `0` by default * :download_throughput `Integer` maximal aggregated download throughput (bytes/sec), `-1` by default, disables download throttling * :upload_throughput `Integer` maximal aggregated upload throughput (bytes/sec), `-1` by default, disables download throttling * :connection_type `String` connection type if known, one of: none, cellular2g, cellular3g, cellular4g, bluetooth, ethernet, wifi, wimax, other. `nil` by default ```ruby page.network.emulate_network_conditions(connection_type: "cellular2g") page.go_to("https://github.com/") ``` #### offline_mode Activates offline mode for a page. ```ruby page.network.offline_mode page.go_to("https://github.com/") # => Ferrum::StatusError (Request to https://github.com/ failed(net::ERR_INTERNET_DISCONNECTED)) ``` #### cache(disable: `Boolean`) Toggles ignoring cache for each request. If true, cache will not be used. ```ruby page.network.cache(disable: true) ``` ## Downloads `page.downloads` #### files `Array` Returns all information about downloaded files as a `Hash`. ```ruby page.go_to("http://localhost/attachment.pdf") page.downloads.files # => [{"frameId"=>"E3316DF1B5383D38F8ADF7485005FDE3", "guid"=>"11a68745-98ac-4d54-9b57-9f9016c268b3", "url"=>"http://localhost/attachment.pdf", "suggestedFilename"=>"attachment.pdf", "totalBytes"=>4911, "receivedBytes"=>4911, "state"=>"completed"}] ``` #### wait(timeout) Waits until the download is finished. ```ruby page.go_to("http://localhost/attachment.pdf") page.downloads.wait ``` or ```ruby page.go_to("http://localhost/page") page.downloads.wait { page.at_css("#download").click } ``` #### set_behavior(\*\*options) Sets behavior in case of file to be downloaded. * options `Hash` * :save_path `String` absolute path of where to store the file * :behavior `Symbol` `deny | allow | allowAndName | default`, `allow` by default ```ruby page.go_to("https://example.com/") page.downloads.set_behavior(save_path: "/tmp", behavior: :allow) ``` ## Proxy You can set a proxy with a `:proxy` option: ```ruby Ferrum::Browser.new(proxy: { host: "x.x.x.x", port: "8800", user: "user", password: "pa$$" }) ``` `:bypass` can specify semi-colon-separated list of hosts for which proxy shouldn't be used: ```ruby Ferrum::Browser.new(proxy: { host: "x.x.x.x", port: "8800", bypass: "*.google.com;*foo.com" }) ``` In general passing a proxy option when instantiating a browser results in a browser running with proxy command line flags, so that it affects all pages and contexts. You can create a page in a new context which can use its own proxy settings: ```ruby browser = Ferrum::Browser.new browser.create_page(proxy: { host: "x.x.x.x", port: 31337, user: "user", password: "password" }) do |page| page.go_to("https://api.ipify.org?format=json") page.body # => "x.x.x.x" end browser.create_page(proxy: { host: "y.y.y.y", port: 31337, user: "user", password: "password" }) do |page| page.go_to("https://api.ipify.org?format=json") page.body # => "y.y.y.y" end ``` ### Mouse `page.mouse` #### scroll_to(x, y) Scroll page to a given x, y * x `Integer` the pixel along the horizontal axis of the document that you want displayed in the upper left * y `Integer` the pixel along the vertical axis of the document that you want displayed in the upper left ```ruby page.go_to("https://www.google.com/search?q=Ruby+headless+driver+for+Capybara") page.mouse.scroll_to(0, 400) ``` #### click(\*\*options) : `Mouse` Click given coordinates, fires mouse move, down and up events. * options `Hash` * :x `Integer` * :y `Integer` * :delay `Float` defaults to 0. Delay between mouse down and mouse up events * :button `Symbol` :left | :right, defaults to :left * :count `Integer` defaults to 1 * :modifiers `Integer` bitfield for key modifiers. See`keyboard.modifiers` #### down(\*\*options) : `Mouse` Mouse down for given coordinates. * options `Hash` * :button `Symbol` :left | :right, defaults to :left * :count `Integer` defaults to 1 * :modifiers `Integer` bitfield for key modifiers. See`keyboard.modifiers` #### up(\*\*options) : `Mouse` Mouse up for given coordinates. * options `Hash` * :button `Symbol` :left | :right, defaults to :left * :count `Integer` defaults to 1 * :modifiers `Integer` bitfield for key modifiers. See`keyboard.modifiers` #### move(x:, y:, steps: 1) : `Mouse` Mouse move to given x and y. * options `Hash` * :x `Integer` * :y `Integer` * :steps `Integer` defaults to 1. Sends intermediate mousemove events. ### Keyboard `page.keyboard` #### down(key) : `Keyboard` Dispatches a keydown event. * key `String` | `Symbol` Name of key such as "a", :enter, :backspace #### up(key) : `Keyboard` Dispatches a keyup event. * key `String` | `Symbol` Name of key such as "b", :enter, :backspace #### type(\*keys) : `Keyboard` Sends a keydown, keypress/input, and keyup event for each character in the text. * text `String` | `Array | Array` A text to type into a focused element, `[:Shift, "s"], "tring"` #### modifiers(keys) : `Integer` Returns bitfield for a given keys * keys `Array` :alt | :ctrl | :command | :shift ## Cookies `page.cookies` #### all : `Hash` Returns cookies hash ```ruby page.cookies.all # => {"NID"=>#"NID", "value"=>"...", "domain"=>".google.com", "path"=>"/", "expires"=>1583211046.575681, "size"=>178, "httpOnly"=>true, "secure"=>false, "session"=>false}>} ``` #### [](value) : `Cookie` Returns cookie * value `String` ```ruby page.cookies["NID"] # => "NID", "value"=>"...", "domain"=>".google.com", "path"=>"/", "expires"=>1583211046.575681, "size"=>178, "httpOnly"=>true, "secure"=>false, "session"=>false}> ``` #### set(value) : `Boolean` Sets a cookie * value `Hash` * :name `String` * :value `String` * :domain `String` * :expires `Integer` * :samesite `String` * :httponly `Boolean` ```ruby page.cookies.set(name: "stealth", value: "omg", domain: "google.com") # => true ``` * value `Cookie` ```ruby nid_cookie = page.cookies["NID"] # => page.cookies.set(nid_cookie) # => true ``` #### remove(\*\*options) : `Boolean` Removes given cookie * options `Hash` * :name `String` * :domain `String` * :url `String` ```ruby page.cookies.remove(name: "stealth", domain: "google.com") # => true ``` #### clear : `Boolean` Removes all cookies for current page ```ruby page.cookies.clear # => true ``` #### store(path) : `Boolean` Stores all cookies of current page in a file. ```ruby # Cookies are saved into cookies.yml page.cookies.store # => 15657 ``` #### load(path) : `Boolean` Loads all cookies from the file and sets them for current page. ```ruby # Cookies are loaded from cookies.yml page.cookies.load # => true ``` ## Headers `page.headers` #### get : `Hash` Get all headers #### set(headers) : `Boolean` Set given headers. Eventually clear all headers and set given ones. * headers `Hash` key-value pairs for example `"User-Agent" => "Browser"` #### add(headers) : `Boolean` Adds given headers to already set ones. * headers `Hash` key-value pairs for example `"Referer" => "http://example.com"` #### clear : `Boolean` Clear all headers. ## JavaScript #### evaluate(expression, \*args) Evaluate and return result for given JS expression * expression `String` should be valid JavaScript * args `Object` you can pass arguments, though it should be a valid `Node` or a simple value. ```ruby page.evaluate("[window.scrollX, window.scrollY]") ``` #### evaluate_async(expression, wait_time, \*args) Evaluate asynchronous expression and return result * expression `String` should be valid JavaScript * wait_time How long we should wait for Promise to resolve or reject * args `Object` you can pass arguments, though it should be a valid `Node` or a simple value. ```ruby page.evaluate_async(%(arguments[0]({foo: "bar"})), 5) # => { "foo" => "bar" } ``` #### execute(expression, \*args) Execute expression. Doesn't return the result * expression `String` should be valid JavaScript * args `Object` you can pass arguments, though it should be a valid `Node` or a simple value. ```ruby page.execute(%(1 + 1)) # => true ``` #### evaluate_on_new_document(expression) Evaluate JavaScript to modify things before a page load * expression `String` should be valid JavaScript ```ruby browser.evaluate_on_new_document <<~JS Object.defineProperty(navigator, "languages", { get: function() { return ["tlh"]; } }); JS ``` #### add_script_tag(\*\*options) : `Boolean` * options `Hash` * :url `String` * :path `String` * :content `String` * :type `String` - `text/javascript` by default ```ruby page.add_script_tag(url: "http://example.com/stylesheet.css") # => true ``` #### add_style_tag(\*\*options) : `Boolean` * options `Hash` * :url `String` * :path `String` * :content `String` ```ruby page.add_style_tag(content: "h1 { font-size: 40px; }") # => true ``` #### bypass_csp(\*\*options) : `Boolean` * options `Hash` * :enabled `Boolean`, `true` by default ```ruby page.bypass_csp # => true page.go_to("https://github.com/ruby-concurrency/concurrent-ruby/blob/master/docs-source/promises.in.md") page.refresh page.add_script_tag(content: "window.__injected = 42") page.evaluate("window.__injected") # => 42 ``` ## Emulation #### disable_javascript Disables Javascripts from the loaded HTML source. You can still evaluate JavaScript with `evaluate` or `execute`. Returns nothing. ```ruby page.disable_javascript ``` #### set_viewport Overrides device screen dimensions and emulates viewport. * options `Hash` * :width `Integer`, viewport width. `0` by default * :height `Integer`, viewport height. `0` by default * :scale_factor `Float`, device scale factor. `0` by default * :mobile `Boolean`, whether to emulate mobile device. `false` by default ```ruby page.set_viewport(width: 1000, height: 600, scale_factor: 3) ``` ## Frames #### frames : `Array[Frame] | []` Returns all the frames current page have. ```ruby page.go_to("https://www.w3schools.com/tags/tag_frame.asp") page.frames # => # [ # #, # #, # #, # ... # ] ``` #### main_frame : `Frame` Returns page's main frame, the top of the tree and the parent of all frames. #### frame_by(\*\*options) : `Frame | nil` Find frame by given options. * options `Hash` * :id `String` - Unique frame's id that browser provides * :name `String` - Frame's name if there's one ```ruby page.frame_by(id: "C6D104CE454A025FBCF22B98DE612B12") ``` ## Frame #### id : `String` Frame's unique id. #### parent_id : `String | nil` Parent frame id if this one is nested in another one. #### execution_id : `Integer` Execution context id which is used by JS, each frame has it's own context in which JS evaluates. #### name : `String | nil` If frame was given a name it should be here. #### state : `Symbol | nil` One of the states frame's in: * `:started_loading` * `:navigated` * `:stopped_loading` #### url : `String` Returns current frame's location href. ```ruby page.go_to("https://developer.mozilla.org/en-US/docs/Web/HTML/Element/iframe") frame = page.frames[1] frame.url # => https://interactive-examples.mdn.mozilla.net/pages/tabbed/iframe.html ``` #### title Returns current frame's title. ```ruby page.go_to("https://developer.mozilla.org/en-US/docs/Web/HTML/Element/iframe") frame = page.frames[1] frame.title # => HTML Demo: