Skip to main content
Version: 1.15

Migrating from Protractor

Migration Principes#

Cheat Sheet#

ProtractorPlaywright Test
element(by.model('...'))page.locator('[ng-model="..."]')
element(by.css('...'))page.locator('...')
element(by.repeater('...'))page.locator('[ng-repeat="..."]')
element(by.cssContainingText('..1..', '..2..'))page.locator('..1.. >> text="..2.."')
element.allpage.locator
browser.get(url)await page.goto(url)
browser.getCurrentUrl()page.url()

Example#

Protractor:

describe('angularjs homepage todo list', function() {  it('should add a todo', function() {    browser.get('https://angularjs.org');
    element(by.model('todoList.todoText')).sendKeys('first test');    element(by.css('[value="add"]')).click();
    var todoList = element.all(by.repeater('todo in todoList.todos'));    expect(todoList.count()).toEqual(3);    expect(todoList.get(2).getText()).toEqual('first test');
    // You wrote your first test, cross it off the list    todoList.get(2).element(by.css('input')).click();    var completedAmount = element.all(by.css('.done-true'));    expect(completedAmount.count()).toEqual(2);  });});

Line-by-line migration to Playwright Test:

const { test, expect } = require('@playwright/test'); // 1
test.describe('angularjs homepage todo list', function() {  test('should add a todo', async function({page}) { // 2, 3    await page.goto('https://angularjs.org'); // 4
    await page.locator('[ng-model="todoList.todoText"]').fill('first test');    await page.locator('[value="add"]').click();
    var todoList = page.locator('[ng-repeat="todo in todoList.todos"]'); // 5    await expect(todoList).toHaveCount(3);    await expect(todoList.nth(2)).toHaveText('first test', {      useInnerText: true,    });
    // You wrote your first test, cross it off the list    await todoList.nth(2).locator('input').click();    var completedAmount = page.locator('.done-true');    await expect(completedAmount).toHaveCount(2);  });}

Migration highlights (see inline comments in the Playwright Test code snippet):

  1. Each Playwright Test file has explicit import of the test and expect functions
  2. Test function is marked with async
  3. Playwright Test is given a page as one of its parameters. This is one of the many useful fixtures in Playwright Test.
  4. Almost all Playwright calls are prefixed with await
  5. Locator creation with page.locator(selector) is one of the few methods that is sync.

Polyfilling waitForAngular#

Playwright Test has built-in auto-waiting that makes protractor's waitForAngular unneeded in general case.

However, it might come handy in some edge cases. Here's how to polyfill waitForAngular function in Playwright Test:

  1. Make sure you have protractor installed in your package.json

  2. Polyfill function

    async function waitForAngular(page) {​const clientSideScripts = require('protractor/built/clientsidescripts.js');
    ​async function executeScriptAsync(page, script, ...scriptArgs) {  ​await page.evaluate(`    ​new Promise((resolve, reject) => {      ​const callback = (errMessage) => {        ​if (errMessage)          ​reject(new Error(errMessage));        ​else          ​resolve();      ​};      ​(function() {${script}}).apply(null, [...${JSON.stringify(scriptArgs)}, callback]);    ​})  ​`);​}
    ​await executeScriptAsync(page, clientSideScripts.waitForAngular, '');}
  3. Polyfill usage

    const page = await context.newPage();await page.goto('https://example.org');await waitForAngular(page);

Playwright Test Super Powers#

Once you're on Playwright Test, you get a lot!

  • Full zero-configuration TypeScript support
  • Run tests across all web engines (Chrome, Firefox, Safari) on any popular operating system (Windows, MacOS, Ubuntu)
  • Full support for multiple origins, (i)frames, tabs and contexts
  • Run tests in parallel across multiple browsers
  • Built-in test artifact collection: video recording, screenshots and playwright traces

Also you get all these ✨ awesome tools ✨ that come bundled with Playwright Test:

Further Reading#

Learn more about Playwright Test runner: