All Projects → funbox → phantom-lord

funbox / phantom-lord

Licence: MIT license
Handy API for Headless Chromium

Programming Languages

javascript
184084 projects - #8 most used programming language

Projects that are alternatives of or similar to phantom-lord

Api Store
Contains all the public APIs listed in Phantombuster's API store. Pull requests welcome!
Stars: ✭ 69 (+187.5%)
Mutual labels:  phantomjs, headless-chrome
puppeteer-instagram
Instagram automation driven by headless chrome.
Stars: ✭ 87 (+262.5%)
Mutual labels:  headless-chrome, puppeteer
softest
Recording Browser Interactions And Generating Test Scripts.
Stars: ✭ 225 (+837.5%)
Mutual labels:  e2e-tests, puppeteer
nest-puppeteer
Puppeteer (Headless Chrome) provider for Nest.js
Stars: ✭ 68 (+183.33%)
Mutual labels:  headless-chrome, puppeteer
puppeteer-jest-starter
A starter-kit quipped with the minimal requirements for Puppeteer + Jest, making E2E testing a breeze.
Stars: ✭ 17 (-29.17%)
Mutual labels:  e2e-tests, puppeteer
Nickjs
Web scraping library made by the Phantombuster team. Modern, simple & works on all websites. (Deprecated)
Stars: ✭ 494 (+1958.33%)
Mutual labels:  phantomjs, headless-chrome
puppeteer-lambda
Module for using Headless-Chrome by Puppeteer on AWS Lambda.
Stars: ✭ 117 (+387.5%)
Mutual labels:  headless-chrome, puppeteer
Pending Xhr Puppeteer
Small tool to wait that all xhr are finished in puppeteer
Stars: ✭ 227 (+845.83%)
Mutual labels:  e2e-tests, puppeteer
codepen-puppeteer
Use Puppeteer to download pens from Codepen.io as single html pages
Stars: ✭ 22 (-8.33%)
Mutual labels:  headless-chrome, puppeteer
apify-cli
Apify command-line interface helps you create, develop, build and run Apify actors, and manage the Apify cloud platform.
Stars: ✭ 37 (+54.17%)
Mutual labels:  headless-chrome, puppeteer
Nightmare
A high-level browser automation library.
Stars: ✭ 19,067 (+79345.83%)
Mutual labels:  phantomjs, headless-chrome
puppeteer-autoscroll-down
Handle infinite scroll on websites by puppeteer
Stars: ✭ 40 (+66.67%)
Mutual labels:  headless-chrome, puppeteer
Slimerjs
A scriptable browser like PhantomJS, based on Firefox
Stars: ✭ 2,984 (+12333.33%)
Mutual labels:  phantomjs, casperjs
Blazar
Pre-Render Pages on the Fly in Laravel
Stars: ✭ 14 (-41.67%)
Mutual labels:  phantomjs, puppeteer
Qawolf
🐺 Create browser tests 10x faster
Stars: ✭ 2,912 (+12033.33%)
Mutual labels:  e2e-tests, puppeteer
CrawlerSamples
This is a Puppeteer+AngleSharp crawler console app samples, used C# 7.1 coding and dotnet core build.
Stars: ✭ 36 (+50%)
Mutual labels:  headless-chrome, puppeteer
Root Cause
🔍 Root Cause is a tool for troubleshooting Puppeteer and Playwright tests. 🔎
Stars: ✭ 205 (+754.17%)
Mutual labels:  e2e-tests, puppeteer
Softest
Recording Browser Interactions And Generating Test Scripts.
Stars: ✭ 208 (+766.67%)
Mutual labels:  e2e-tests, puppeteer
puppet-master
Puppeteer as a service hosted on Saasify.
Stars: ✭ 25 (+4.17%)
Mutual labels:  headless-chrome, puppeteer
after-work.js
[DEPRECATED] CLI for automated tests in web projects.
Stars: ✭ 56 (+133.33%)
Mutual labels:  headless-chrome, puppeteer

@funboxteam/phantom-lord

Phantom Lord avatar: Golden shield with a crowned phantom face on a black background

npm

Handy API for Headless Chromium, inspired by CasperJS.

Useful for automated testing, creating website scrapers, and other tasks that require virtual browser.

По-русски

Rationale

There's a library allowing to write tests on Node.js and run them in a virtual browser — Selenium. But from our point of view, it has two issues:

  1. It's written in Java.
  2. Virtual browser does not always work well.

In case of any problems it's required to know three programming languages and their tools (Node.js, Java, C++), otherwise it's hard to debug and takes too much time to solve them.

Trying to solve these issues we'd written our own library — Phantom Lord.

Features

Headless Chromium is used as a virtual browser, which makes pages look the same as in the usual Chrome with a GUI.

Puppeteer is used to control the browser. Unlike CasperJS or PhantomJS all the commands are evaluated in Node.js, which allows developers to use ES2015 and other new features of JS, as well as any libraries written for Node.js.

Installation

npm install --save-dev @funboxteam/phantom-lord

Usage

Require the library:

const Browser = require('@funboxteam/phantom-lord');

Create an instance of the browser, setup error handlers and run:

const browser = new Browser();
browser.on('timeout', () => console.log('browser timeout!'));
browser.on('error', () => console.log('browser error!'));
await browser.startRemoteBrowser();

Now you're able to run commands:

await browser.open('https://google.com');
await browser.waitForText('Google Search');
await browser.sendKeys('input[type="text"]', 'hello');
await browser.click('input[value="Google Search"]');
await browser.waitForUrl('google.com/search');
await browser.waitForText('results');

Since the library is just an API for interacting with Headless Chromium, additional tools should be used to write E2E tests. E.g. Mocha or @funboxteam/frontend-tests-runner.

Example of Mocha & Phantom Lord integration
const Browser = require('@funboxteam/phantom-lord');
let browser;
let restartReason;
let test;

describe('should test google.com', function() {
  // Do not use arrow fn here to allow Mocha to mock `this`
  before(async function() {
    browser = new Browser();

    browser.on('timeout', (e) => {
      console.log('e2e-tests timeout!');

      // Fail the test in case of timeout
      test.callback(e);
    });

    browser.on('error', (e) => {
      console.log('e2e-tests error!');

      // Fail the test in case of browser command error
      test.callback(new Error(e)); 
    });

    // Handle Phantom Lord internal error (e.g. Chromium crash)
    browser.on('phantomError', (e) => {
      if (browser.testAlreadyFailed) {
        console.log('Chromium error has occurred inside `afterEach`. Failing.');
      } else {
        console.log('Chromium error has occurred. Restarting the test.');
        test.currentRetry(0);
        test.retries(1);
        restartReason = 'phantomError';
        test.callback(new Error(e || 'Error'));
      }
    });

    // Handle Chromium exit
    browser.on('exit', (code, signal) => {
      if (browser.state === 'started' || browser.state === 'starting') {
        console.log(`Unexpected Chromium exit with code '${code}' and signal '${signal}'. Restarting the test.`);
        test.currentRetry(0);
        test.retries(1);
        restartReason = 'exit';
        test.callback(new Error('Unexpected Chromium exit'));
      }
    });

    // Start the browser when all the handlers are set up
    await browser.startRemoteBrowser();
  });

  after(async function() {
    // In the end we have to shut down the browser. Otherwise there will be zombie process.
    await browser.exit();
  });

  beforeEach(async function() {
    test = this.currentTest;
  });

  afterEach(async function() {
    // In case of failing we can make a screenshot to help ourselves to debug
    if (this.currentTest.state === 'failed') {
      // If the test is failed because of the crash of Chromium it's useless to try to make a screenshot
      if (browser.state !== 'started') {
        console.log(`Not making a screenshot, because browser.state = ${browser.state}`);
      } else {
        let t = this.currentTest;
        const p = [];
        while (t) {
          p.unshift(t.title);
          t = t.parent;
        }

        const time = new Date(parseInt(process.env.E2E_TESTS_START_TIMESTAMP, 10));
        p.unshift(time.getTime());

        p.unshift('screenshots');
        const fname = `${p.join('/')}.png`;
        browser.testAlreadyFailed = true;

        await browser.capture(fname);
      }
    }

    // If the test has passed but there're still non-mocked requests then fail the test
    if (browser.browserErrors.length > 0 && this.currentTest.state !== 'failed') {
      test.callback(new Error(browser.browserErrors[0].msg));
    }

    // This command will close all the tabs, which leads to opening the new tab when `browser.open()` will be fired
    await browser.closeAllPages();
  });

  it('test 1', async () => {
    await browser.open('https://google.com');
    await browser.waitForText('Google Search');
    await browser.sendKeys('input[type="text"]', 'hello');
    await browser.click('input[value="Google Search"]');
    await browser.waitForUrl('google.com/search');
    await browser.waitForText('results'); // If this text won't be found on the page, the test will fail
  });

  it('test 2', async () => {
    await browser.open('https://google.com');
    await browser.waitForText('Google Search');
    await browser.sendKeys('input[type="text"]', 'hello');
    await browser.click('input[value="Google Search"]');
    await browser.waitForUrl('google.com/search');
    await browser.waitForText('results'); // If this text won't be found on the page, the test will fail
  });
});

Tabs management:

  it('should open link in a new tab', async () => {
    await browser.open('https://google.com');

    // Let's assume that click on this element will open a page in a new tab
    await browser.click('[data-id="video"]');

    // If the new tab won't be open, the test will fail
    await browser.waitForTab(/google\.com\/video/);
    // After the successful check the tab will be closed automatically
  });

  it('should open link in a new tab and check it\'s content', async () => {
    await browser.open('https://google.com');
    await browser.click('[data-id="video"]');

    await browser.waitForTab(/google\.com\/video/, async () => {
      // This check is evaluated on the page in the new tab
      // If this text won't be found on the page in the new tab, the test will fail
      await browser.waitForText('Videos');
    });

    // This check is evaluated on the previous page in the previous tab
    await browser.waitForText('Google Search');
  });

Commands

The list of available commands can be found in lib/commands/index.js.

Important things to know

Project root directory

Some commands have to know the path to the project root. E.g. capture uses it to create a subdirectory for screenshots.

To find the project root directory Phantom Lord uses app-root-path lib. And due to some of its features one should not store their project in the directory named node_modules or anywhere in it's subdirectories.

  • Correct: ~/work/my-project/.
  • Incorrect: ~/work/node_modules/my-project/.

Launching the browser

browser.startRemoteBrowser() is fired automatically when browser.open() is evaluated and the browser hadn't been launched.

However, if one will try to run any command interacting with a page before launching the browser, they will get notStarted error.

Possible edge-cases of commands

sendKeys

When sendKeys is used to fill in an input with a mask, one should pass the third param (caretPosition) with 'start' as a value. E.g.:

await browser.sendKeys('.text-field_masked input[type=text]', '9001234567', 'start');

Usually if an input has a mask implemented by some JS lib, then the lib sets value to the “empty mask” (e.g. value="___ ___-__-__") when input is focused. At the same time, default value of caretPosition is 'end', which means that the cursor will be placed after ___ ___-__-__, and the passed text won't be entered, or will be entered incorrectly.

Events

Instance of RemoteBrowser emits these events:

  • error — a critical error has occurred while evaluating a command;
  • timeout — command evaluation timeout has been reached;
  • phantomError — an error of sending command to Chromium has occurred (usually it means that the process will crash soon);
  • browserErrors — JS errors have occurred on a page;
  • exit — Chromium has exited.

RemoteBrowser inherits EventEmitter, thus to subscribe to events use on:

browser.on('error', (e) => {
  console.log(`Error: ${e}`);
});

States

At any moment of time RemoteBrowser instance may be in one of the following states:

  • notStarted — Chromium hasn't been started;
  • starting — Chromium is starting;
  • started — Chromium has been started and ready to evaluate commands (or evaluating them right now);
  • error — an error of sending command to Chromium has occurred, and the Chromium should be shut down;
  • exiting — Chromium is shutting down.

Use state property to get the current state:

console.log(`Current state: ${browser.state}`);

Environment variables

  • DEBUG — boolean; turns on debug logging (sent commands, received replies, console messages, etc).
  • BROWSER_ARGS — string; allows to tune the browser. The value is JSON setting arguments for virtual browser launch. It may contain the following keys:
    • viewportWidth — number; width of the browser viewport (default: 1440);
    • viewportHeight — number; height of the browser viewport (default: 900);
    • waitTimeout — number; timeout for each waiting command (milliseconds) after which it will fail in case of absence of the thing it is waiting for (default: 30000);
    • slowMo — number; slows evaluation of every command on the passed milliseconds (default: 0). The difference between this key and E2E_TESTS_WITH_PAUSES env var is the fact that slowMo affects all the actions that work with the browser (clicks, navigation, data inputs, keys pressing, etc).
    • clearCookies — boolean; clears browser cookies when creating a new page (default: false);
  • E2E_TESTS_WITH_PAUSES — boolean; increases the delay between waiting commands evaluation (waitForUrl, waitForText, etc). It helps to find errors related to too fast checks evaluation.
  • HEADLESS_OFF — boolean; turns off Headless mode. The browser will launch with GUI, which will allow to see commands evaluation and interact with it. It may be helpful in debug.

Stubs

One of the common tasks for E2E tests is to add stubs on a page. Phantom Lord can do it.

addStubToQueue

To add the stubs use addStubToQueue function. It adds the passed subs to the array window.stubs on a page.

The function may be fired even before page loading. In this case the passed data will be added into window.stubs right after the page loading.

The format of the stubs is completely up to you. One thing that should be noted here is the fact that the passed data will be serialized, which means that they can't link to data from Node.js context.

setRequestInterceptor

Also stubs can be done with setRequestInterceptor function. If you pass it a callback it will be called on every network request. The callback receives HTTPRequest as an argument.

Usage example:

browser.setRequestInterceptor((request) => {
  const apiPrefix = utils.url('/api');

  if (request.url().indexOf(apiPrefix) === 0) {
    const shortUrl = request.url().replace(apiPrefix, '');
    let foundStub;

    stubs.forEach((stub) => {
      if (stub.method.toLowerCase() === request.method().toLowerCase() && stub.url === shortUrl) {
        foundStub = stub;
      }
    });

    if (foundStub) {
      request.respond({
        status: 200,
        contentType: 'application/json',
        body: JSON.stringify(foundStub.data),
      });
      return;
    }

    browser.browserErrors.push({ msg: `Stub not found: ${request.method()} ${shortUrl}` });
  }

  request.continue();
});

Local Storage

Each browser launch is performed with a new profile with it's own unique directory. If any data is added to Local Storage, it's stored in that directory. And the directory is erased right after the browser closing.

Earlier versions compatibility

Page content

The previous versions of the lib used PhantomJS to launch the browser. PhantomJS does not have great support of the modern web features, and has “it's own point of view” to the page content. Which means that with the updating to the new version (based on Headless Chromium) some differences of page content parsing may be found.

For example PhantomJS ignores non-breaking spaces between words. E.g. it will parse 17 640 as “17640”, while Headless Chromium will save the space and parse the string as “17 640”.

NB. If the text content of an element contains non-breaking spaces they will be replaced with regular spaces by Phantom Lord (e.g. when using waitForSelectorText). So, if some tests fail with the error like this:

Error: Expected text of '.dialog__content p' to be 'Do you want to delete your profile?', but it was 'Do you want to delete your profile?'

it probably means that the text of the test was copied right from the page with all the non-breaking spaces. In this case the test should be modified to replace non-breaking spaces with regular ones.

Click handling

Pay special attention to clicks on “invisible” elements. PhantomJS and Headless Chromium can click on element even when it's 0×0 sized. But if the element or one of its parents has display: none CSS property set, then Headless Chromium won't be able to click on this element and will throw an invisibleElement error, because it won't be able to determine the element's box model and coordinates.

In case of errors related to clicks on invisible elements, make sure that the elements or their parents do not have styles that make them fully invisible. Otherwise run one more action before the click that will make invisible element visible.

Local Storage clearing

Since the previous versions of the library were based on PhantomJS, the unique path to Local Storage was created using the Phantom Lord library itself and required manual cleaning by calling Browser.deleteLocalStorageBaseDir().

Now the calling of this function is no longer required.

Other compatibility issues

If you encounter any other issues related to differences of page display between PhantomJS and Headless Chromium while migrating tests from previous versions of the library to a version using Headless Chromium, please create an issue to improve this section.

Development

Type declarations file

There's index.d.ts in the root of the project. It helps IDEs to highlight properties and methods of RemoteBrowser and contains the information about methods' arguments and returned values.

It's recommended to update the declaration file when new commands are added, old ones are removed or there are any other changes of the class interface.

For safety reasons, there are tests that check the matching of the methods from the declaration file, the commands from lib/commands and the RemoteBrowser methods.

Credits

Luxury picture for the project was made by Igor Garybaldi.

Sponsored by FunBox

Note that the project description data, including the texts, logos, images, and/or trademarks, for each open source project belongs to its rightful owner. If you wish to add or remove any projects, please contact us at [email protected].