Chrome 扩展程序
简介
注意
扩展程序仅在使用持久上下文启动的 Chrome / Chromium 中才能工作。自行使用自定义浏览器参数会有风险,因为其中一些参数可能会破坏 Playwright 功能。
以下是获取位于 ./my-extension
中的 后台页面 的句柄的代码,该页面是 Manifest v2 扩展程序。
const { chromium } = require('playwright');
(async () => {
const pathToExtension = require('path').join(__dirname, 'my-extension');
const userDataDir = '/tmp/test-user-data-dir';
const browserContext = await chromium.launchPersistentContext(userDataDir, {
headless: false,
args: [
`--disable-extensions-except=${pathToExtension}`,
`--load-extension=${pathToExtension}`
]
});
let [backgroundPage] = browserContext.backgroundPages();
if (!backgroundPage)
backgroundPage = await browserContext.waitForEvent('backgroundpage');
// Test the background page as you would any other page.
await browserContext.close();
})();
测试
要让扩展程序在运行测试时加载,可以使用测试夹具来设置上下文。您也可以动态检索扩展程序 ID,并使用它来加载和测试弹出窗口页面,例如。
首先,添加将加载扩展程序的夹具
fixtures.ts
import { test as base, chromium, type BrowserContext } from '@playwright/test';
import path from 'path';
export const test = base.extend<{
context: BrowserContext;
extensionId: string;
}>({
context: async ({ }, use) => {
const pathToExtension = path.join(__dirname, 'my-extension');
const context = await chromium.launchPersistentContext('', {
headless: false,
args: [
`--disable-extensions-except=${pathToExtension}`,
`--load-extension=${pathToExtension}`,
],
});
await use(context);
await context.close();
},
extensionId: async ({ context }, use) => {
/*
// for manifest v2:
let [background] = context.backgroundPages()
if (!background)
background = await context.waitForEvent('backgroundpage')
*/
// for manifest v3:
let [background] = context.serviceWorkers();
if (!background)
background = await context.waitForEvent('serviceworker');
const extensionId = background.url().split('/')[2];
await use(extensionId);
},
});
export const expect = test.expect;
然后在测试中使用这些夹具
import { test, expect } from './fixtures';
test('example test', async ({ page }) => {
await page.goto('https://example.com');
await expect(page.locator('body')).toHaveText('Changed by my-extension');
});
test('popup page', async ({ page, extensionId }) => {
await page.goto(`chrome-extension://${extensionId}/popup.html`);
await expect(page.locator('body')).toHaveText('my-extension popup');
});
无头模式
危险
headless=new
模式未获得 Playwright 的正式支持,可能会导致意外行为。
默认情况下,Playwright 中的 Chrome 无头模式不支持 Chrome 扩展程序。要克服此限制,您可以使用以下代码运行具有新无头模式的 Chrome 持久上下文
fixtures.ts
// ...
const pathToExtension = path.join(__dirname, 'my-extension');
const context = await chromium.launchPersistentContext('', {
headless: false,
args: [
`--headless=new`,
`--disable-extensions-except=${pathToExtension}`,
`--load-extension=${pathToExtension}`,
],
});
// ...