This is page 2 of 3. Use http://codebase.md/cloudflare/playwright-mcp?lines=false&page={x} to view the full context. # Directory Structure ``` ├── .github │ └── workflows │ ├── cf_ci.yml │ ├── cf_publish_release_npm.yml │ ├── ci.yml │ └── publish.yml ├── .gitignore ├── .npmignore ├── cli.js ├── cloudflare │ ├── .npmignore │ ├── example │ │ ├── .gitignore │ │ ├── package-lock.json │ │ ├── package.json │ │ ├── README.md │ │ ├── src │ │ │ └── index.ts │ │ ├── tsconfig.json │ │ ├── worker-configuration.d.ts │ │ └── wrangler.toml │ ├── index.d.ts │ ├── package-lock.json │ ├── package.json │ ├── src │ │ ├── index.ts │ │ └── package.ts │ ├── tsconfig.json │ └── vite.config.ts ├── config.d.ts ├── Dockerfile ├── docs │ └── imgs │ ├── claudemcp.gif │ ├── playground-ai-screenshot.png │ ├── todomvc-screenshot-1.png │ ├── todomvc-screenshot-2.png │ └── todomvc-screenshot-3.png ├── eslint.config.mjs ├── examples │ └── generate-test.md ├── index.d.ts ├── index.js ├── LICENSE ├── package-lock.json ├── package.json ├── playwright.config.ts ├── README.md ├── SECURITY.md ├── src │ ├── browserContextFactory.ts │ ├── browserServer.ts │ ├── config.ts │ ├── connection.ts │ ├── context.ts │ ├── fileUtils.ts │ ├── httpServer.ts │ ├── index.ts │ ├── javascript.ts │ ├── manualPromise.ts │ ├── package.ts │ ├── pageSnapshot.ts │ ├── program.ts │ ├── server.ts │ ├── tab.ts │ ├── tools │ │ ├── common.ts │ │ ├── console.ts │ │ ├── dialogs.ts │ │ ├── files.ts │ │ ├── install.ts │ │ ├── keyboard.ts │ │ ├── navigate.ts │ │ ├── network.ts │ │ ├── pdf.ts │ │ ├── screenshot.ts │ │ ├── snapshot.ts │ │ ├── tabs.ts │ │ ├── testing.ts │ │ ├── tool.ts │ │ ├── utils.ts │ │ ├── vision.ts │ │ └── wait.ts │ ├── tools.ts │ └── transport.ts ├── tests │ ├── browser-server.spec.ts │ ├── capabilities.spec.ts │ ├── cdp.spec.ts │ ├── config.spec.ts │ ├── console.spec.ts │ ├── core.spec.ts │ ├── device.spec.ts │ ├── dialogs.spec.ts │ ├── files.spec.ts │ ├── fixtures.ts │ ├── headed.spec.ts │ ├── iframes.spec.ts │ ├── install.spec.ts │ ├── launch.spec.ts │ ├── library.spec.ts │ ├── network.spec.ts │ ├── pdf.spec.ts │ ├── request-blocking.spec.ts │ ├── screenshot.spec.ts │ ├── sse.spec.ts │ ├── tabs.spec.ts │ ├── testserver │ │ ├── cert.pem │ │ ├── index.ts │ │ ├── key.pem │ │ └── san.cnf │ ├── trace.spec.ts │ ├── wait.spec.ts │ └── webdriver.spec.ts ├── tsconfig.all.json ├── tsconfig.json └── utils ├── copyright.js ├── generate-links.js └── update-readme.js ``` # Files -------------------------------------------------------------------------------- /utils/update-readme.js: -------------------------------------------------------------------------------- ```javascript #!/usr/bin/env node /** * Copyright (c) Microsoft Corporation. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ // @ts-check import fs from 'node:fs' import path from 'node:path' import url from 'node:url' import zodToJsonSchema from 'zod-to-json-schema' import commonTools from '../lib/tools/common.js'; import consoleTools from '../lib/tools/console.js'; import dialogsTools from '../lib/tools/dialogs.js'; import filesTools from '../lib/tools/files.js'; import installTools from '../lib/tools/install.js'; import keyboardTools from '../lib/tools/keyboard.js'; import navigateTools from '../lib/tools/navigate.js'; import networkTools from '../lib/tools/network.js'; import pdfTools from '../lib/tools/pdf.js'; import snapshotTools from '../lib/tools/snapshot.js'; import tabsTools from '../lib/tools/tabs.js'; import screenshotTools from '../lib/tools/screenshot.js'; import testTools from '../lib/tools/testing.js'; import visionTools from '../lib/tools/vision.js'; import waitTools from '../lib/tools/wait.js'; import { execSync } from 'node:child_process'; const categories = { 'Interactions': [ ...snapshotTools, ...keyboardTools(true), ...waitTools(true), ...filesTools(true), ...dialogsTools(true), ], 'Navigation': [ ...navigateTools(true), ], 'Resources': [ ...screenshotTools, ...pdfTools, ...networkTools, ...consoleTools, ], 'Utilities': [ ...installTools, ...commonTools(true), ], 'Tabs': [ ...tabsTools(true), ], 'Testing': [ ...testTools, ], 'Vision mode': [ ...visionTools, ...keyboardTools(), ...waitTools(false), ...filesTools(false), ...dialogsTools(false), ], }; // NOTE: Can be removed when we drop Node.js 18 support and changed to import.meta.filename. const __filename = url.fileURLToPath(import.meta.url); /** * @param {import('../src/tools/tool.js').ToolSchema<any>} tool * @returns {string[]} */ function formatToolForReadme(tool) { const lines = /** @type {string[]} */ ([]); lines.push(`<!-- NOTE: This has been generated via ${path.basename(__filename)} -->`); lines.push(``); lines.push(`- **${tool.name}**`); lines.push(` - Title: ${tool.title}`); lines.push(` - Description: ${tool.description}`); const inputSchema = /** @type {any} */ (zodToJsonSchema(tool.inputSchema || {})); const requiredParams = inputSchema.required || []; if (inputSchema.properties && Object.keys(inputSchema.properties).length) { lines.push(` - Parameters:`); Object.entries(inputSchema.properties).forEach(([name, param]) => { const optional = !requiredParams.includes(name); const meta = /** @type {string[]} */ ([]); if (param.type) meta.push(param.type); if (optional) meta.push('optional'); lines.push(` - \`${name}\` ${meta.length ? `(${meta.join(', ')})` : ''}: ${param.description}`); }); } else { lines.push(` - Parameters: None`); } lines.push(` - Read-only: **${tool.type === 'readOnly'}**`); lines.push(''); return lines; } /** * @param {string} content * @param {string} startMarker * @param {string} endMarker * @param {string[]} generatedLines * @returns {Promise<string>} */ async function updateSection(content, startMarker, endMarker, generatedLines) { const startMarkerIndex = content.indexOf(startMarker); const endMarkerIndex = content.indexOf(endMarker); if (startMarkerIndex === -1 || endMarkerIndex === -1) throw new Error('Markers for generated section not found in README'); return [ content.slice(0, startMarkerIndex + startMarker.length), '', generatedLines.join('\n'), '', content.slice(endMarkerIndex), ].join('\n'); } /** * @param {string} content * @returns {Promise<string>} */ async function updateTools(content) { console.log('Loading tool information from compiled modules...'); const totalTools = Object.values(categories).flat().length; console.log(`Found ${totalTools} tools`); const generatedLines = /** @type {string[]} */ ([]); for (const [category, categoryTools] of Object.entries(categories)) { generatedLines.push(`<details>\n<summary><b>${category}</b></summary>`); generatedLines.push(''); for (const tool of categoryTools) generatedLines.push(...formatToolForReadme(tool.schema)); generatedLines.push(`</details>`); generatedLines.push(''); } const startMarker = `<!--- Tools generated by ${path.basename(__filename)} -->`; const endMarker = `<!--- End of tools generated section -->`; return updateSection(content, startMarker, endMarker, generatedLines); } /** * @param {string} content * @returns {Promise<string>} */ async function updateOptions(content) { console.log('Listing options...'); const output = execSync('node cli.js --help'); const lines = output.toString().split('\n'); const firstLine = lines.findIndex(line => line.includes('--version')); lines.splice(0, firstLine + 1); const lastLine = lines.findIndex(line => line.includes('--help')); lines.splice(lastLine); const startMarker = `<!--- Options generated by ${path.basename(__filename)} -->`; const endMarker = `<!--- End of options generated section -->`; return updateSection(content, startMarker, endMarker, [ '```', '> npx @playwright/mcp@latest --help', ...lines, '```', ]); } async function updateReadme() { const readmePath = path.join(path.dirname(__filename), '..', 'README.md'); const readmeContent = await fs.promises.readFile(readmePath, 'utf-8'); const withTools = await updateTools(readmeContent); const withOptions = await updateOptions(withTools); await fs.promises.writeFile(readmePath, withOptions, 'utf-8'); console.log('README updated successfully'); } updateReadme().catch(err => { console.error('Error updating README:', err); process.exit(1); }); ``` -------------------------------------------------------------------------------- /tests/screenshot.spec.ts: -------------------------------------------------------------------------------- ```typescript /** * Copyright (c) Microsoft Corporation. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import fs from 'fs'; import { test, expect } from './fixtures.js'; test('browser_take_screenshot (viewport)', async ({ startClient, server }, testInfo) => { const { client } = await startClient({ config: { outputDir: testInfo.outputPath('output') }, }); expect(await client.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, })).toContainTextContent(`Navigate to http://localhost`); expect(await client.callTool({ name: 'browser_take_screenshot', })).toEqual({ content: [ { data: expect.any(String), mimeType: 'image/jpeg', type: 'image', }, { text: expect.stringContaining(`Screenshot viewport and save it as`), type: 'text', }, ], }); }); test('browser_take_screenshot (element)', async ({ startClient, server }, testInfo) => { const { client } = await startClient({ config: { outputDir: testInfo.outputPath('output') }, }); expect(await client.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, })).toContainTextContent(`[ref=e1]`); expect(await client.callTool({ name: 'browser_take_screenshot', arguments: { element: 'hello button', ref: 'e1', }, })).toEqual({ content: [ { data: expect.any(String), mimeType: 'image/jpeg', type: 'image', }, { text: expect.stringContaining(`page.getByText('Hello, world!').screenshot`), type: 'text', }, ], }); }); test('--output-dir should work', async ({ startClient, server }, testInfo) => { const outputDir = testInfo.outputPath('output'); const { client } = await startClient({ config: { outputDir }, }); expect(await client.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, })).toContainTextContent(`Navigate to http://localhost`); await client.callTool({ name: 'browser_take_screenshot', }); expect(fs.existsSync(outputDir)).toBeTruthy(); const files = [...fs.readdirSync(outputDir)].filter(f => f.endsWith('.jpeg')); expect(files).toHaveLength(1); expect(files[0]).toMatch(/^page-\d{4}-\d{2}-\d{2}T\d{2}-\d{2}-\d{2}-\d{3}Z\.jpeg$/); }); for (const raw of [undefined, true]) { test(`browser_take_screenshot (raw: ${raw})`, async ({ startClient, server }, testInfo) => { const outputDir = testInfo.outputPath('output'); const ext = raw ? 'png' : 'jpeg'; const { client } = await startClient({ config: { outputDir }, }); expect(await client.callTool({ name: 'browser_navigate', arguments: { url: server.PREFIX }, })).toContainTextContent(`Navigate to http://localhost`); expect(await client.callTool({ name: 'browser_take_screenshot', arguments: { raw }, })).toEqual({ content: [ { data: expect.any(String), mimeType: `image/${ext}`, type: 'image', }, { text: expect.stringMatching( new RegExp(`page-\\d{4}-\\d{2}-\\d{2}T\\d{2}-\\d{2}-\\d{2}\\-\\d{3}Z\\.${ext}`) ), type: 'text', }, ], }); const files = [...fs.readdirSync(outputDir)].filter(f => f.endsWith(`.${ext}`)); expect(fs.existsSync(outputDir)).toBeTruthy(); expect(files).toHaveLength(1); expect(files[0]).toMatch( new RegExp(`^page-\\d{4}-\\d{2}-\\d{2}T\\d{2}-\\d{2}-\\d{2}-\\d{3}Z\\.${ext}$`) ); }); } test('browser_take_screenshot (filename: "output.jpeg")', async ({ startClient, server }, testInfo) => { const outputDir = testInfo.outputPath('output'); const { client } = await startClient({ config: { outputDir }, }); expect(await client.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, })).toContainTextContent(`Navigate to http://localhost`); expect(await client.callTool({ name: 'browser_take_screenshot', arguments: { filename: 'output.jpeg', }, })).toEqual({ content: [ { data: expect.any(String), mimeType: 'image/jpeg', type: 'image', }, { text: expect.stringContaining(`output.jpeg`), type: 'text', }, ], }); const files = [...fs.readdirSync(outputDir)].filter(f => f.endsWith('.jpeg')); expect(fs.existsSync(outputDir)).toBeTruthy(); expect(files).toHaveLength(1); expect(files[0]).toMatch(/^output\.jpeg$/); }); test('browser_take_screenshot (imageResponses=omit)', async ({ startClient, server }, testInfo) => { const outputDir = testInfo.outputPath('output'); const { client } = await startClient({ config: { outputDir, imageResponses: 'omit', }, }); expect(await client.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, })).toContainTextContent(`Navigate to http://localhost`); await client.callTool({ name: 'browser_take_screenshot', }); expect(await client.callTool({ name: 'browser_take_screenshot', })).toEqual({ content: [ { text: expect.stringContaining(`Screenshot viewport and save it as`), type: 'text', }, ], }); }); test('browser_take_screenshot (cursor)', async ({ startClient, server }, testInfo) => { const outputDir = testInfo.outputPath('output'); const { client } = await startClient({ clientName: 'cursor:vscode', config: { outputDir }, }); expect(await client.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, })).toContainTextContent(`Navigate to http://localhost`); await client.callTool({ name: 'browser_take_screenshot', }); expect(await client.callTool({ name: 'browser_take_screenshot', })).toEqual({ content: [ { text: expect.stringContaining(`Screenshot viewport and save it as`), type: 'text', }, ], }); }); ``` -------------------------------------------------------------------------------- /src/tools/snapshot.ts: -------------------------------------------------------------------------------- ```typescript /** * Copyright (c) Microsoft Corporation. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import { z } from 'zod'; import { defineTool } from './tool.js'; import * as javascript from '../javascript.js'; import { generateLocator } from './utils.js'; const snapshot = defineTool({ capability: 'core', schema: { name: 'browser_snapshot', title: 'Page snapshot', description: 'Capture accessibility snapshot of the current page, this is better than screenshot', inputSchema: z.object({}), type: 'readOnly', }, handle: async context => { await context.ensureTab(); return { code: [`// <internal code to capture accessibility snapshot>`], captureSnapshot: true, waitForNetwork: false, }; }, }); const elementSchema = z.object({ element: z.string().describe('Human-readable element description used to obtain permission to interact with the element'), ref: z.string().describe('Exact target element reference from the page snapshot'), }); const clickSchema = elementSchema.extend({ doubleClick: z.coerce.boolean().optional().describe('Whether to perform a double click instead of a single click'), }); const click = defineTool({ capability: 'core', schema: { name: 'browser_click', title: 'Click', description: 'Perform click on a web page', inputSchema: clickSchema, type: 'destructive', }, handle: async (context, params) => { const tab = context.currentTabOrDie(); const locator = tab.snapshotOrDie().refLocator(params); const code: string[] = []; if (params.doubleClick) { code.push(`// Double click ${params.element}`); code.push(`await page.${await generateLocator(locator)}.dblclick();`); } else { code.push(`// Click ${params.element}`); code.push(`await page.${await generateLocator(locator)}.click();`); } return { code, action: () => params.doubleClick ? locator.dblclick() : locator.click(), captureSnapshot: true, waitForNetwork: true, }; }, }); const drag = defineTool({ capability: 'core', schema: { name: 'browser_drag', title: 'Drag mouse', description: 'Perform drag and drop between two elements', inputSchema: z.object({ startElement: z.string().describe('Human-readable source element description used to obtain the permission to interact with the element'), startRef: z.string().describe('Exact source element reference from the page snapshot'), endElement: z.string().describe('Human-readable target element description used to obtain the permission to interact with the element'), endRef: z.string().describe('Exact target element reference from the page snapshot'), }), type: 'destructive', }, handle: async (context, params) => { const snapshot = context.currentTabOrDie().snapshotOrDie(); const startLocator = snapshot.refLocator({ ref: params.startRef, element: params.startElement }); const endLocator = snapshot.refLocator({ ref: params.endRef, element: params.endElement }); const code = [ `// Drag ${params.startElement} to ${params.endElement}`, `await page.${await generateLocator(startLocator)}.dragTo(page.${await generateLocator(endLocator)});` ]; return { code, action: () => startLocator.dragTo(endLocator), captureSnapshot: true, waitForNetwork: true, }; }, }); const hover = defineTool({ capability: 'core', schema: { name: 'browser_hover', title: 'Hover mouse', description: 'Hover over element on page', inputSchema: elementSchema, type: 'readOnly', }, handle: async (context, params) => { const snapshot = context.currentTabOrDie().snapshotOrDie(); const locator = snapshot.refLocator(params); const code = [ `// Hover over ${params.element}`, `await page.${await generateLocator(locator)}.hover();` ]; return { code, action: () => locator.hover(), captureSnapshot: true, waitForNetwork: true, }; }, }); const typeSchema = elementSchema.extend({ text: z.string().describe('Text to type into the element'), submit: z.coerce.boolean().optional().describe('Whether to submit entered text (press Enter after)'), slowly: z.coerce.boolean().optional().describe('Whether to type one character at a time. Useful for triggering key handlers in the page. By default entire text is filled in at once.'), }); const type = defineTool({ capability: 'core', schema: { name: 'browser_type', title: 'Type text', description: 'Type text into editable element', inputSchema: typeSchema, type: 'destructive', }, handle: async (context, params) => { const snapshot = context.currentTabOrDie().snapshotOrDie(); const locator = snapshot.refLocator(params); const code: string[] = []; const steps: (() => Promise<void>)[] = []; if (params.slowly) { code.push(`// Press "${params.text}" sequentially into "${params.element}"`); code.push(`await page.${await generateLocator(locator)}.pressSequentially(${javascript.quote(params.text)});`); steps.push(() => locator.pressSequentially(params.text)); } else { code.push(`// Fill "${params.text}" into "${params.element}"`); code.push(`await page.${await generateLocator(locator)}.fill(${javascript.quote(params.text)});`); steps.push(() => locator.fill(params.text)); } if (params.submit) { code.push(`// Submit text`); code.push(`await page.${await generateLocator(locator)}.press('Enter');`); steps.push(() => locator.press('Enter')); } return { code, action: () => steps.reduce((acc, step) => acc.then(step), Promise.resolve()), captureSnapshot: true, waitForNetwork: true, }; }, }); const selectOptionSchema = elementSchema.extend({ values: z.array(z.string()).describe('Array of values to select in the dropdown. This can be a single value or multiple values.'), }); const selectOption = defineTool({ capability: 'core', schema: { name: 'browser_select_option', title: 'Select option', description: 'Select an option in a dropdown', inputSchema: selectOptionSchema, type: 'destructive', }, handle: async (context, params) => { const snapshot = context.currentTabOrDie().snapshotOrDie(); const locator = snapshot.refLocator(params); const code = [ `// Select options [${params.values.join(', ')}] in ${params.element}`, `await page.${await generateLocator(locator)}.selectOption(${javascript.formatObject(params.values)});` ]; return { code, action: () => locator.selectOption(params.values).then(() => {}), captureSnapshot: true, waitForNetwork: true, }; }, }); export default [ snapshot, click, drag, hover, type, selectOption, ]; ``` -------------------------------------------------------------------------------- /src/httpServer.ts: -------------------------------------------------------------------------------- ```typescript /** * Copyright (c) Microsoft Corporation. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import fs from 'fs'; import path from 'path'; import http from 'http'; import net from 'net'; import mime from 'mime'; import { ManualPromise } from './manualPromise.js'; export type ServerRouteHandler = (request: http.IncomingMessage, response: http.ServerResponse) => void; export type Transport = { sendEvent?: (method: string, params: any) => void; close?: () => void; onconnect: () => void; dispatch: (method: string, params: any) => Promise<any>; onclose: () => void; }; export class HttpServer { private _server: http.Server; private _urlPrefixPrecise: string = ''; private _urlPrefixHumanReadable: string = ''; private _port: number = 0; private _routes: { prefix?: string, exact?: string, handler: ServerRouteHandler }[] = []; constructor() { this._server = http.createServer(this._onRequest.bind(this)); decorateServer(this._server); } server() { return this._server; } routePrefix(prefix: string, handler: ServerRouteHandler) { this._routes.push({ prefix, handler }); } routePath(path: string, handler: ServerRouteHandler) { this._routes.push({ exact: path, handler }); } port(): number { return this._port; } private async _tryStart(port: number | undefined, host: string) { const errorPromise = new ManualPromise(); const errorListener = (error: Error) => errorPromise.reject(error); this._server.on('error', errorListener); try { this._server.listen(port, host); await Promise.race([ new Promise(cb => this._server!.once('listening', cb)), errorPromise, ]); } finally { this._server.removeListener('error', errorListener); } } async start(options: { port?: number, preferredPort?: number, host?: string } = {}): Promise<void> { const host = options.host || 'localhost'; if (options.preferredPort) { try { await this._tryStart(options.preferredPort, host); } catch (e: any) { if (!e || !e.message || !e.message.includes('EADDRINUSE')) throw e; await this._tryStart(undefined, host); } } else { await this._tryStart(options.port, host); } const address = this._server.address(); if (typeof address === 'string') { this._urlPrefixPrecise = address; this._urlPrefixHumanReadable = address; } else { this._port = address!.port; const resolvedHost = address!.family === 'IPv4' ? address!.address : `[${address!.address}]`; this._urlPrefixPrecise = `http://${resolvedHost}:${address!.port}`; this._urlPrefixHumanReadable = `http://${host}:${address!.port}`; } } async stop() { await new Promise(cb => this._server!.close(cb)); } urlPrefix(purpose: 'human-readable' | 'precise'): string { return purpose === 'human-readable' ? this._urlPrefixHumanReadable : this._urlPrefixPrecise; } serveFile(request: http.IncomingMessage, response: http.ServerResponse, absoluteFilePath: string, headers?: { [name: string]: string }): boolean { try { for (const [name, value] of Object.entries(headers || {})) response.setHeader(name, value); if (request.headers.range) this._serveRangeFile(request, response, absoluteFilePath); else this._serveFile(response, absoluteFilePath); return true; } catch (e) { return false; } } _serveFile(response: http.ServerResponse, absoluteFilePath: string) { const content = fs.readFileSync(absoluteFilePath); response.statusCode = 200; const contentType = mime.getType(path.extname(absoluteFilePath)) || 'application/octet-stream'; response.setHeader('Content-Type', contentType); response.setHeader('Content-Length', content.byteLength); response.end(content); } _serveRangeFile(request: http.IncomingMessage, response: http.ServerResponse, absoluteFilePath: string) { const range = request.headers.range; if (!range || !range.startsWith('bytes=') || range.includes(', ') || [...range].filter(char => char === '-').length !== 1) { response.statusCode = 400; return response.end('Bad request'); } // Parse the range header: https://datatracker.ietf.org/doc/html/rfc7233#section-2.1 const [startStr, endStr] = range.replace(/bytes=/, '').split('-'); // Both start and end (when passing to fs.createReadStream) and the range header are inclusive and start counting at 0. let start: number; let end: number; const size = fs.statSync(absoluteFilePath).size; if (startStr !== '' && endStr === '') { // No end specified: use the whole file start = +startStr; end = size - 1; } else if (startStr === '' && endStr !== '') { // No start specified: calculate start manually start = size - +endStr; end = size - 1; } else { start = +startStr; end = +endStr; } // Handle unavailable range request if (Number.isNaN(start) || Number.isNaN(end) || start >= size || end >= size || start > end) { // Return the 416 Range Not Satisfiable: https://datatracker.ietf.org/doc/html/rfc7233#section-4.4 response.writeHead(416, { 'Content-Range': `bytes */${size}` }); return response.end(); } // Sending Partial Content: https://datatracker.ietf.org/doc/html/rfc7233#section-4.1 response.writeHead(206, { 'Content-Range': `bytes ${start}-${end}/${size}`, 'Accept-Ranges': 'bytes', 'Content-Length': end - start + 1, 'Content-Type': mime.getType(path.extname(absoluteFilePath))!, }); const readable = fs.createReadStream(absoluteFilePath, { start, end }); readable.pipe(response); } private _onRequest(request: http.IncomingMessage, response: http.ServerResponse) { if (request.method === 'OPTIONS') { response.writeHead(200); response.end(); return; } request.on('error', () => response.end()); try { if (!request.url) { response.end(); return; } const url = new URL('http://localhost' + request.url); for (const route of this._routes) { if (route.exact && url.pathname === route.exact) { route.handler(request, response); return; } if (route.prefix && url.pathname.startsWith(route.prefix)) { route.handler(request, response); return; } } response.statusCode = 404; response.end(); } catch (e) { response.end(); } } } function decorateServer(server: net.Server) { const sockets = new Set<net.Socket>(); server.on('connection', socket => { sockets.add(socket); socket.once('close', () => sockets.delete(socket)); }); const close = server.close; server.close = (callback?: (err?: Error) => void) => { for (const socket of sockets) socket.destroy(); sockets.clear(); return close.call(server, callback); }; } ``` -------------------------------------------------------------------------------- /src/config.ts: -------------------------------------------------------------------------------- ```typescript /** * Copyright (c) Microsoft Corporation. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import fs from 'fs'; import os from 'os'; import path from 'path'; import { devices } from 'playwright'; import type { Config, ToolCapability } from '../config.js'; import type { BrowserContextOptions, LaunchOptions } from 'playwright'; import { sanitizeForFilePath } from './tools/utils.js'; export type CLIOptions = { allowedOrigins?: string[]; blockedOrigins?: string[]; blockServiceWorkers?: boolean; browser?: string; browserAgent?: string; caps?: string; cdpEndpoint?: string; config?: string; device?: string; executablePath?: string; headless?: boolean; host?: string; ignoreHttpsErrors?: boolean; isolated?: boolean; imageResponses?: 'allow' | 'omit' | 'auto'; sandbox: boolean; outputDir?: string; port?: number; proxyBypass?: string; proxyServer?: string; saveTrace?: boolean; storageState?: string; userAgent?: string; userDataDir?: string; viewportSize?: string; vision?: boolean; }; const defaultConfig: FullConfig = { browser: { browserName: 'chromium', launchOptions: { channel: 'chrome', headless: os.platform() === 'linux' && !process.env.DISPLAY, chromiumSandbox: true, }, contextOptions: { viewport: null, }, }, network: { allowedOrigins: undefined, blockedOrigins: undefined, }, server: {}, outputDir: path.join(os.tmpdir(), 'playwright-mcp-output', sanitizeForFilePath(new Date().toISOString())), }; type BrowserUserConfig = NonNullable<Config['browser']>; export type FullConfig = Config & { browser: Omit<BrowserUserConfig, 'browserName'> & { browserName: 'chromium' | 'firefox' | 'webkit'; launchOptions: NonNullable<BrowserUserConfig['launchOptions']>; contextOptions: NonNullable<BrowserUserConfig['contextOptions']>; }, network: NonNullable<Config['network']>, outputDir: string; server: NonNullable<Config['server']>, }; export async function resolveConfig(config: Config): Promise<FullConfig> { return mergeConfig(defaultConfig, config); } export async function resolveCLIConfig(cliOptions: CLIOptions): Promise<FullConfig> { const configInFile = await loadConfig(cliOptions.config); const cliOverrides = await configFromCLIOptions(cliOptions); const result = mergeConfig(mergeConfig(defaultConfig, configInFile), cliOverrides); // Derive artifact output directory from config.outputDir if (result.saveTrace) result.browser.launchOptions.tracesDir = path.join(result.outputDir, 'traces'); return result; } export async function configFromCLIOptions(cliOptions: CLIOptions): Promise<Config> { let browserName: 'chromium' | 'firefox' | 'webkit' | undefined; let channel: string | undefined; switch (cliOptions.browser) { case 'chrome': case 'chrome-beta': case 'chrome-canary': case 'chrome-dev': case 'chromium': case 'msedge': case 'msedge-beta': case 'msedge-canary': case 'msedge-dev': browserName = 'chromium'; channel = cliOptions.browser; break; case 'firefox': browserName = 'firefox'; break; case 'webkit': browserName = 'webkit'; break; } // Launch options const launchOptions: LaunchOptions = { channel, executablePath: cliOptions.executablePath, headless: cliOptions.headless, }; // --no-sandbox was passed, disable the sandbox if (!cliOptions.sandbox) launchOptions.chromiumSandbox = false; if (cliOptions.proxyServer) { launchOptions.proxy = { server: cliOptions.proxyServer }; if (cliOptions.proxyBypass) launchOptions.proxy.bypass = cliOptions.proxyBypass; } if (cliOptions.device && cliOptions.cdpEndpoint) throw new Error('Device emulation is not supported with cdpEndpoint.'); // Context options const contextOptions: BrowserContextOptions = cliOptions.device ? devices[cliOptions.device] : {}; if (cliOptions.storageState) contextOptions.storageState = cliOptions.storageState; if (cliOptions.userAgent) contextOptions.userAgent = cliOptions.userAgent; if (cliOptions.viewportSize) { try { const [width, height] = cliOptions.viewportSize.split(',').map(n => +n); if (isNaN(width) || isNaN(height)) throw new Error('bad values'); contextOptions.viewport = { width, height }; } catch (e) { throw new Error('Invalid viewport size format: use "width,height", for example --viewport-size="800,600"'); } } if (cliOptions.ignoreHttpsErrors) contextOptions.ignoreHTTPSErrors = true; if (cliOptions.blockServiceWorkers) contextOptions.serviceWorkers = 'block'; const result: Config = { browser: { browserAgent: cliOptions.browserAgent ?? process.env.PW_BROWSER_AGENT, browserName, isolated: cliOptions.isolated, userDataDir: cliOptions.userDataDir, launchOptions, contextOptions, cdpEndpoint: cliOptions.cdpEndpoint, }, server: { port: cliOptions.port, host: cliOptions.host, }, capabilities: cliOptions.caps?.split(',').map((c: string) => c.trim() as ToolCapability), vision: !!cliOptions.vision, network: { allowedOrigins: cliOptions.allowedOrigins, blockedOrigins: cliOptions.blockedOrigins, }, saveTrace: cliOptions.saveTrace, outputDir: cliOptions.outputDir, imageResponses: cliOptions.imageResponses, }; return result; } async function loadConfig(configFile: string | undefined): Promise<Config> { if (!configFile) return {}; try { return JSON.parse(await fs.promises.readFile(configFile, 'utf8')); } catch (error) { throw new Error(`Failed to load config file: ${configFile}, ${error}`); } } export async function outputFile(config: FullConfig, name: string): Promise<string> { await fs.promises.mkdir(config.outputDir, { recursive: true }); const fileName = sanitizeForFilePath(name); return path.join(config.outputDir, fileName); } function pickDefined<T extends object>(obj: T | undefined): Partial<T> { return Object.fromEntries( Object.entries(obj ?? {}).filter(([_, v]) => v !== undefined) ) as Partial<T>; } function mergeConfig(base: FullConfig, overrides: Config): FullConfig { const browser: FullConfig['browser'] = { ...pickDefined(base.browser), ...pickDefined(overrides.browser), browserName: overrides.browser?.browserName ?? base.browser?.browserName ?? 'chromium', isolated: overrides.browser?.isolated ?? base.browser?.isolated ?? false, launchOptions: { ...pickDefined(base.browser?.launchOptions), ...pickDefined(overrides.browser?.launchOptions), ...{ assistantMode: true }, }, contextOptions: { ...pickDefined(base.browser?.contextOptions), ...pickDefined(overrides.browser?.contextOptions), }, }; if (browser.browserName !== 'chromium' && browser.launchOptions) delete browser.launchOptions.channel; return { ...pickDefined(base), ...pickDefined(overrides), browser, network: { ...pickDefined(base.network), ...pickDefined(overrides.network), }, server: { ...pickDefined(base.server), ...pickDefined(overrides.server), }, } as FullConfig; } ``` -------------------------------------------------------------------------------- /tests/fixtures.ts: -------------------------------------------------------------------------------- ```typescript /** * Copyright (c) Microsoft Corporation. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import fs from 'fs'; import url from 'url'; import path from 'path'; import { chromium } from 'playwright'; import { test as baseTest, expect as baseExpect } from '@playwright/test'; import { StdioClientTransport } from '@modelcontextprotocol/sdk/client/stdio.js'; import { Client } from '@modelcontextprotocol/sdk/client/index.js'; import { TestServer } from './testserver/index.ts'; import type { Config } from '../config'; import type { BrowserContext } from 'playwright'; import type { Transport } from '@modelcontextprotocol/sdk/shared/transport.js'; import type { Stream } from 'stream'; export type TestOptions = { mcpBrowser: string | undefined; mcpMode: 'docker' | undefined; }; type CDPServer = { endpoint: string; start: () => Promise<BrowserContext>; }; type TestFixtures = { client: Client; visionClient: Client; startClient: (options?: { clientName?: string, args?: string[], config?: Config }) => Promise<{ client: Client, stderr: () => string }>; wsEndpoint: string; cdpServer: CDPServer; server: TestServer; httpsServer: TestServer; mcpHeadless: boolean; }; type WorkerFixtures = { _workerServers: { server: TestServer, httpsServer: TestServer }; }; export const test = baseTest.extend<TestFixtures & TestOptions, WorkerFixtures>({ client: async ({ startClient }, use) => { const { client } = await startClient(); await use(client); }, visionClient: async ({ startClient }, use) => { const { client } = await startClient({ args: ['--vision'] }); await use(client); }, startClient: async ({ mcpHeadless, mcpBrowser, mcpMode }, use, testInfo) => { const userDataDir = mcpMode !== 'docker' ? testInfo.outputPath('user-data-dir') : undefined; const configDir = path.dirname(test.info().config.configFile!); let client: Client | undefined; await use(async options => { const args: string[] = []; if (userDataDir) args.push('--user-data-dir', userDataDir); if (process.env.CI && process.platform === 'linux') args.push('--no-sandbox'); if (mcpHeadless) args.push('--headless'); if (mcpBrowser) args.push(`--browser=${mcpBrowser}`); if (options?.args) args.push(...options.args); if (options?.config) { const configFile = testInfo.outputPath('config.json'); await fs.promises.writeFile(configFile, JSON.stringify(options.config, null, 2)); args.push(`--config=${path.relative(configDir, configFile)}`); } client = new Client({ name: options?.clientName ?? 'test', version: '1.0.0' }); const { transport, stderr } = await createTransport(args, mcpMode); let stderrBuffer = ''; stderr?.on('data', data => { if (process.env.PWMCP_DEBUG) process.stderr.write(data); stderrBuffer += data.toString(); }); await client.connect(transport); await client.ping(); return { client, stderr: () => stderrBuffer }; }); await client?.close(); }, wsEndpoint: async ({ }, use) => { const browserServer = await chromium.launchServer(); await use(browserServer.wsEndpoint()); await browserServer.close(); }, cdpServer: async ({ mcpBrowser }, use, testInfo) => { test.skip(!['chrome', 'msedge', 'chromium'].includes(mcpBrowser!), 'CDP is not supported for non-Chromium browsers'); let browserContext: BrowserContext | undefined; const port = 3200 + test.info().parallelIndex; await use({ endpoint: `http://localhost:${port}`, start: async () => { browserContext = await chromium.launchPersistentContext(testInfo.outputPath('cdp-user-data-dir'), { channel: mcpBrowser, headless: true, args: [ `--remote-debugging-port=${port}`, ], }); return browserContext; } }); await browserContext?.close(); }, mcpHeadless: async ({ headless }, use) => { await use(headless); }, mcpBrowser: ['chrome', { option: true }], mcpMode: [undefined, { option: true }], _workerServers: [async ({ }, use, workerInfo) => { const port = 8907 + workerInfo.workerIndex * 4; const server = await TestServer.create(port); const httpsPort = port + 1; const httpsServer = await TestServer.createHTTPS(httpsPort); await use({ server, httpsServer }); await Promise.all([ server.stop(), httpsServer.stop(), ]); }, { scope: 'worker' }], server: async ({ _workerServers }, use) => { _workerServers.server.reset(); await use(_workerServers.server); }, httpsServer: async ({ _workerServers }, use) => { _workerServers.httpsServer.reset(); await use(_workerServers.httpsServer); }, }); async function createTransport(args: string[], mcpMode: TestOptions['mcpMode']): Promise<{ transport: Transport, stderr: Stream | null, }> { // NOTE: Can be removed when we drop Node.js 18 support and changed to import.meta.filename. const __filename = url.fileURLToPath(import.meta.url); if (mcpMode === 'docker') { const dockerArgs = ['run', '--rm', '-i', '--network=host', '-v', `${test.info().project.outputDir}:/app/test-results`]; const transport = new StdioClientTransport({ command: 'docker', args: [...dockerArgs, 'playwright-mcp-dev:latest', ...args], }); return { transport, stderr: transport.stderr, }; } const transport = new StdioClientTransport({ command: 'node', args: [path.join(path.dirname(__filename), '../cli.js'), ...args], cwd: path.join(path.dirname(__filename), '..'), stderr: 'pipe', env: { ...process.env, DEBUG: 'pw:mcp:test', DEBUG_COLORS: '0', DEBUG_HIDE_DATE: '1', }, }); return { transport, stderr: transport.stderr!, }; } type Response = Awaited<ReturnType<Client['callTool']>>; export const expect = baseExpect.extend({ toHaveTextContent(response: Response, content: string | RegExp) { const isNot = this.isNot; try { const text = (response.content as any)[0].text; if (typeof content === 'string') { if (isNot) baseExpect(text.trim()).not.toBe(content.trim()); else baseExpect(text.trim()).toBe(content.trim()); } else { if (isNot) baseExpect(text).not.toMatch(content); else baseExpect(text).toMatch(content); } } catch (e) { return { pass: isNot, message: () => e.message, }; } return { pass: !isNot, message: () => ``, }; }, toContainTextContent(response: Response, content: string | string[]) { const isNot = this.isNot; try { content = Array.isArray(content) ? content : [content]; const texts = (response.content as any).map(c => c.text); for (let i = 0; i < texts.length; i++) { if (isNot) expect(texts[i]).not.toContain(content[i]); else expect(texts[i]).toContain(content[i]); } } catch (e) { return { pass: isNot, message: () => e.message, }; } return { pass: !isNot, message: () => ``, }; }, }); export function formatOutput(output: string): string[] { return output.split('\n').map(line => line.replace(/^pw:mcp:test /, '').replace(/user data dir.*/, 'user data dir').trim()).filter(Boolean); } ``` -------------------------------------------------------------------------------- /tests/core.spec.ts: -------------------------------------------------------------------------------- ```typescript /** * Copyright (c) Microsoft Corporation. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import { test, expect } from './fixtures.js'; test('browser_navigate', async ({ client, server }) => { expect(await client.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, })).toHaveTextContent(` - Ran Playwright code: \`\`\`js // Navigate to ${server.HELLO_WORLD} await page.goto('${server.HELLO_WORLD}'); \`\`\` - Page URL: ${server.HELLO_WORLD} - Page Title: Title - Page Snapshot \`\`\`yaml - generic [active] [ref=e1]: Hello, world! \`\`\` ` ); }); test('browser_click', async ({ client, server, mcpBrowser }) => { server.setContent('/', ` <title>Title</title> <button>Submit</button> `, 'text/html'); await client.callTool({ name: 'browser_navigate', arguments: { url: server.PREFIX }, }); expect(await client.callTool({ name: 'browser_click', arguments: { element: 'Submit button', ref: 'e2', }, })).toHaveTextContent(` - Ran Playwright code: \`\`\`js // Click Submit button await page.getByRole('button', { name: 'Submit' }).click(); \`\`\` - Page URL: ${server.PREFIX} - Page Title: Title - Page Snapshot \`\`\`yaml - button "Submit" ${mcpBrowser !== 'webkit' || process.platform === 'linux' ? '[active] ' : ''}[ref=e2] \`\`\` `); }); test('browser_click (double)', async ({ client, server }) => { server.setContent('/', ` <title>Title</title> <script> function handle() { document.querySelector('h1').textContent = 'Double clicked'; } </script> <h1 ondblclick="handle()">Click me</h1> `, 'text/html'); await client.callTool({ name: 'browser_navigate', arguments: { url: server.PREFIX }, }); expect(await client.callTool({ name: 'browser_click', arguments: { element: 'Click me', ref: 'e2', doubleClick: true, }, })).toHaveTextContent(` - Ran Playwright code: \`\`\`js // Double click Click me await page.getByRole('heading', { name: 'Click me' }).dblclick(); \`\`\` - Page URL: ${server.PREFIX} - Page Title: Title - Page Snapshot \`\`\`yaml - heading "Double clicked" [level=1] [ref=e3] \`\`\` `); }); test('browser_select_option', async ({ client, server }) => { server.setContent('/', ` <title>Title</title> <select> <option value="foo">Foo</option> <option value="bar">Bar</option> </select> `, 'text/html'); await client.callTool({ name: 'browser_navigate', arguments: { url: server.PREFIX }, }); expect(await client.callTool({ name: 'browser_select_option', arguments: { element: 'Select', ref: 'e2', values: ['bar'], }, })).toHaveTextContent(` - Ran Playwright code: \`\`\`js // Select options [bar] in Select await page.getByRole('combobox').selectOption(['bar']); \`\`\` - Page URL: ${server.PREFIX} - Page Title: Title - Page Snapshot \`\`\`yaml - combobox [ref=e2]: - option "Foo" - option "Bar" [selected] \`\`\` `); }); test('browser_select_option (multiple)', async ({ client, server }) => { server.setContent('/', ` <title>Title</title> <select multiple> <option value="foo">Foo</option> <option value="bar">Bar</option> <option value="baz">Baz</option> </select> `, 'text/html'); await client.callTool({ name: 'browser_navigate', arguments: { url: server.PREFIX }, }); expect(await client.callTool({ name: 'browser_select_option', arguments: { element: 'Select', ref: 'e2', values: ['bar', 'baz'], }, })).toHaveTextContent(` - Ran Playwright code: \`\`\`js // Select options [bar, baz] in Select await page.getByRole('listbox').selectOption(['bar', 'baz']); \`\`\` - Page URL: ${server.PREFIX} - Page Title: Title - Page Snapshot \`\`\`yaml - listbox [ref=e2]: - option "Foo" [ref=e3] - option "Bar" [selected] [ref=e4] - option "Baz" [selected] [ref=e5] \`\`\` `); }); test('browser_type', async ({ client, server }) => { server.setContent('/', ` <!DOCTYPE html> <html> <input type='keypress' onkeypress="console.log('Key pressed:', event.key, ', Text:', event.target.value)"></input> </html> `, 'text/html'); await client.callTool({ name: 'browser_navigate', arguments: { url: server.PREFIX, }, }); await client.callTool({ name: 'browser_type', arguments: { element: 'textbox', ref: 'e2', text: 'Hi!', submit: true, }, }); expect(await client.callTool({ name: 'browser_console_messages', })).toHaveTextContent('[LOG] Key pressed: Enter , Text: Hi!'); }); test('browser_type (slowly)', async ({ client, server }) => { server.setContent('/', ` <input type='text' onkeydown="console.log('Key pressed:', event.key, 'Text:', event.target.value)"></input> `, 'text/html'); await client.callTool({ name: 'browser_navigate', arguments: { url: server.PREFIX, }, }); await client.callTool({ name: 'browser_type', arguments: { element: 'textbox', ref: 'e2', text: 'Hi!', submit: true, slowly: true, }, }); expect(await client.callTool({ name: 'browser_console_messages', })).toHaveTextContent([ '[LOG] Key pressed: H Text: ', '[LOG] Key pressed: i Text: H', '[LOG] Key pressed: ! Text: Hi', '[LOG] Key pressed: Enter Text: Hi!', ].join('\n')); }); test('browser_resize', async ({ client, server }) => { server.setContent('/', ` <title>Resize Test</title> <body> <div id="size">Waiting for resize...</div> <script>new ResizeObserver(() => { document.getElementById("size").textContent = \`Window size: \${window.innerWidth}x\${window.innerHeight}\`; }).observe(document.body); </script> </body> `, 'text/html'); await client.callTool({ name: 'browser_navigate', arguments: { url: server.PREFIX }, }); const response = await client.callTool({ name: 'browser_resize', arguments: { width: 390, height: 780, }, }); expect(response).toContainTextContent(`- Ran Playwright code: \`\`\`js // Resize browser window to 390x780 await page.setViewportSize({ width: 390, height: 780 }); \`\`\``); await expect.poll(() => client.callTool({ name: 'browser_snapshot' })).toContainTextContent('Window size: 390x780'); }); test('old locator error message', async ({ client, server }) => { server.setContent('/', ` <button>Button 1</button> <button>Button 2</button> <script> document.querySelector('button').addEventListener('click', () => { document.querySelectorAll('button')[1].remove(); }); </script> `, 'text/html'); expect(await client.callTool({ name: 'browser_navigate', arguments: { url: server.PREFIX, }, })).toContainTextContent(` - button "Button 1" [ref=e2] - button "Button 2" [ref=e3] `.trim()); await client.callTool({ name: 'browser_click', arguments: { element: 'Button 1', ref: 'e2', }, }); expect(await client.callTool({ name: 'browser_click', arguments: { element: 'Button 2', ref: 'e3', }, })).toContainTextContent('Ref not found'); }); test('visibility: hidden > visible should be shown', { annotation: { type: 'issue', description: 'https://github.com/microsoft/playwright-mcp/issues/535' } }, async ({ client, server }) => { server.setContent('/', ` <div style="visibility: hidden;"> <div style="visibility: visible;"> <button>Button</button> </div> </div> `, 'text/html'); await client.callTool({ name: 'browser_navigate', arguments: { url: server.PREFIX }, }); expect(await client.callTool({ name: 'browser_snapshot' })).toContainTextContent('- button "Button"'); }); ``` -------------------------------------------------------------------------------- /tests/sse.spec.ts: -------------------------------------------------------------------------------- ```typescript /** * Copyright (c) Microsoft Corporation. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import fs from 'node:fs'; import url from 'node:url'; import { ChildProcess, spawn } from 'node:child_process'; import path from 'node:path'; import { SSEClientTransport } from '@modelcontextprotocol/sdk/client/sse.js'; import { StreamableHTTPClientTransport } from '@modelcontextprotocol/sdk/client/streamableHttp.js'; import { Client } from '@modelcontextprotocol/sdk/client/index.js'; import { test as baseTest, expect } from './fixtures.js'; import type { Config } from '../config.d.ts'; // NOTE: Can be removed when we drop Node.js 18 support and changed to import.meta.filename. const __filename = url.fileURLToPath(import.meta.url); const test = baseTest.extend<{ serverEndpoint: (options?: { args?: string[], noPort?: boolean }) => Promise<{ url: URL, stderr: () => string }> }>({ serverEndpoint: async ({ mcpHeadless }, use, testInfo) => { let cp: ChildProcess | undefined; const userDataDir = testInfo.outputPath('user-data-dir'); await use(async (options?: { args?: string[], noPort?: boolean }) => { if (cp) throw new Error('Process already running'); cp = spawn('node', [ path.join(path.dirname(__filename), '../cli.js'), ...(options?.noPort ? [] : ['--port=0']), '--user-data-dir=' + userDataDir, ...(mcpHeadless ? ['--headless'] : []), ...(options?.args || []), ], { stdio: 'pipe', env: { ...process.env, DEBUG: 'pw:mcp:test', DEBUG_COLORS: '0', DEBUG_HIDE_DATE: '1', }, }); let stderr = ''; const url = await new Promise<string>(resolve => cp!.stderr?.on('data', data => { stderr += data.toString(); const match = stderr.match(/Listening on (http:\/\/.*)/); if (match) resolve(match[1]); })); return { url: new URL(url), stderr: () => stderr }; }); cp?.kill('SIGTERM'); }, }); test('sse transport', async ({ serverEndpoint }) => { const { url } = await serverEndpoint(); const transport = new SSEClientTransport(url); const client = new Client({ name: 'test', version: '1.0.0' }); await client.connect(transport); await client.ping(); }); test('sse transport (config)', async ({ serverEndpoint }) => { const config: Config = { server: { port: 0, } }; const configFile = test.info().outputPath('config.json'); await fs.promises.writeFile(configFile, JSON.stringify(config, null, 2)); const { url } = await serverEndpoint({ noPort: true, args: ['--config=' + configFile] }); const transport = new SSEClientTransport(url); const client = new Client({ name: 'test', version: '1.0.0' }); await client.connect(transport); await client.ping(); }); test('sse transport browser lifecycle (isolated)', async ({ serverEndpoint, server }) => { const { url, stderr } = await serverEndpoint({ args: ['--isolated'] }); const transport1 = new SSEClientTransport(url); const client1 = new Client({ name: 'test', version: '1.0.0' }); await client1.connect(transport1); await client1.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, }); await client1.close(); const transport2 = new SSEClientTransport(url); const client2 = new Client({ name: 'test', version: '1.0.0' }); await client2.connect(transport2); await client2.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, }); await client2.close(); await expect(async () => { const lines = stderr().split('\n'); expect(lines.filter(line => line.match(/create SSE session/)).length).toBe(2); expect(lines.filter(line => line.match(/delete SSE session/)).length).toBe(2); expect(lines.filter(line => line.match(/create context/)).length).toBe(2); expect(lines.filter(line => line.match(/close context/)).length).toBe(2); expect(lines.filter(line => line.match(/create browser context \(isolated\)/)).length).toBe(2); expect(lines.filter(line => line.match(/close browser context \(isolated\)/)).length).toBe(2); expect(lines.filter(line => line.match(/obtain browser \(isolated\)/)).length).toBe(2); expect(lines.filter(line => line.match(/close browser \(isolated\)/)).length).toBe(2); }).toPass(); }); test('sse transport browser lifecycle (isolated, multiclient)', async ({ serverEndpoint, server }) => { const { url, stderr } = await serverEndpoint({ args: ['--isolated'] }); const transport1 = new SSEClientTransport(url); const client1 = new Client({ name: 'test', version: '1.0.0' }); await client1.connect(transport1); await client1.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, }); const transport2 = new SSEClientTransport(url); const client2 = new Client({ name: 'test', version: '1.0.0' }); await client2.connect(transport2); await client2.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, }); await client1.close(); const transport3 = new SSEClientTransport(url); const client3 = new Client({ name: 'test', version: '1.0.0' }); await client3.connect(transport3); await client3.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, }); await client2.close(); await client3.close(); await expect(async () => { const lines = stderr().split('\n'); expect(lines.filter(line => line.match(/create SSE session/)).length).toBe(3); expect(lines.filter(line => line.match(/delete SSE session/)).length).toBe(3); expect(lines.filter(line => line.match(/create context/)).length).toBe(3); expect(lines.filter(line => line.match(/close context/)).length).toBe(3); expect(lines.filter(line => line.match(/create browser context \(isolated\)/)).length).toBe(3); expect(lines.filter(line => line.match(/close browser context \(isolated\)/)).length).toBe(3); expect(lines.filter(line => line.match(/obtain browser \(isolated\)/)).length).toBe(1); expect(lines.filter(line => line.match(/close browser \(isolated\)/)).length).toBe(1); }).toPass(); }); test('sse transport browser lifecycle (persistent)', async ({ serverEndpoint, server }) => { const { url, stderr } = await serverEndpoint(); const transport1 = new SSEClientTransport(url); const client1 = new Client({ name: 'test', version: '1.0.0' }); await client1.connect(transport1); await client1.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, }); await client1.close(); const transport2 = new SSEClientTransport(url); const client2 = new Client({ name: 'test', version: '1.0.0' }); await client2.connect(transport2); await client2.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, }); await client2.close(); await expect(async () => { const lines = stderr().split('\n'); expect(lines.filter(line => line.match(/create SSE session/)).length).toBe(2); expect(lines.filter(line => line.match(/delete SSE session/)).length).toBe(2); expect(lines.filter(line => line.match(/create context/)).length).toBe(2); expect(lines.filter(line => line.match(/close context/)).length).toBe(2); expect(lines.filter(line => line.match(/create browser context \(persistent\)/)).length).toBe(2); expect(lines.filter(line => line.match(/close browser context \(persistent\)/)).length).toBe(2); expect(lines.filter(line => line.match(/lock user data dir/)).length).toBe(2); expect(lines.filter(line => line.match(/release user data dir/)).length).toBe(2); }).toPass(); }); test('sse transport browser lifecycle (persistent, multiclient)', async ({ serverEndpoint, server }) => { const { url } = await serverEndpoint(); const transport1 = new SSEClientTransport(url); const client1 = new Client({ name: 'test', version: '1.0.0' }); await client1.connect(transport1); await client1.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, }); const transport2 = new SSEClientTransport(url); const client2 = new Client({ name: 'test', version: '1.0.0' }); await client2.connect(transport2); const response = await client2.callTool({ name: 'browser_navigate', arguments: { url: server.HELLO_WORLD }, }); expect(response.isError).toBe(true); expect(response.content?.[0].text).toContain('use --isolated to run multiple instances of the same browser'); await client1.close(); await client2.close(); }); test('streamable http transport', async ({ serverEndpoint }) => { const { url } = await serverEndpoint(); const transport = new StreamableHTTPClientTransport(new URL('/mcp', url)); const client = new Client({ name: 'test', version: '1.0.0' }); await client.connect(transport); await client.ping(); expect(transport.sessionId, 'has session support').toBeDefined(); }); ``` -------------------------------------------------------------------------------- /src/browserContextFactory.ts: -------------------------------------------------------------------------------- ```typescript /** * Copyright (c) Microsoft Corporation. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import fs from 'node:fs'; import net from 'node:net'; import path from 'node:path'; import os from 'node:os'; import debug from 'debug'; import * as playwright from 'playwright'; import { userDataDir } from './fileUtils.js'; import type { FullConfig } from './config.js'; import type { BrowserInfo, LaunchBrowserRequest } from './browserServer.js'; const testDebug = debug('pw:mcp:test'); export function contextFactory(browserConfig: FullConfig['browser']): BrowserContextFactory { if (browserConfig.remoteEndpoint) return new RemoteContextFactory(browserConfig); if (browserConfig.cdpEndpoint) return new CdpContextFactory(browserConfig); if (browserConfig.isolated) return new IsolatedContextFactory(browserConfig); if (browserConfig.browserAgent) return new BrowserServerContextFactory(browserConfig); return new PersistentContextFactory(browserConfig); } export interface BrowserContextFactory { createContext(): Promise<{ browserContext: playwright.BrowserContext, close: () => Promise<void> }>; } class BaseContextFactory implements BrowserContextFactory { readonly browserConfig: FullConfig['browser']; protected _browserPromise: Promise<playwright.Browser> | undefined; readonly name: string; constructor(name: string, browserConfig: FullConfig['browser']) { this.name = name; this.browserConfig = browserConfig; } protected async _obtainBrowser(): Promise<playwright.Browser> { if (this._browserPromise) return this._browserPromise; testDebug(`obtain browser (${this.name})`); this._browserPromise = this._doObtainBrowser(); void this._browserPromise.then(browser => { browser.on('disconnected', () => { this._browserPromise = undefined; }); }).catch(() => { this._browserPromise = undefined; }); return this._browserPromise; } protected async _doObtainBrowser(): Promise<playwright.Browser> { throw new Error('Not implemented'); } async createContext(): Promise<{ browserContext: playwright.BrowserContext, close: () => Promise<void> }> { testDebug(`create browser context (${this.name})`); const browser = await this._obtainBrowser(); const browserContext = await this._doCreateContext(browser); return { browserContext, close: () => this._closeBrowserContext(browserContext, browser) }; } protected async _doCreateContext(browser: playwright.Browser): Promise<playwright.BrowserContext> { throw new Error('Not implemented'); } private async _closeBrowserContext(browserContext: playwright.BrowserContext, browser: playwright.Browser) { testDebug(`close browser context (${this.name})`); if (browser.contexts().length === 1) this._browserPromise = undefined; await browserContext.close().catch(() => {}); if (browser.contexts().length === 0) { testDebug(`close browser (${this.name})`); await browser.close().catch(() => {}); } } } class IsolatedContextFactory extends BaseContextFactory { constructor(browserConfig: FullConfig['browser']) { super('isolated', browserConfig); } protected override async _doObtainBrowser(): Promise<playwright.Browser> { await injectCdpPort(this.browserConfig); const browserType = playwright[this.browserConfig.browserName]; return browserType.launch({ ...this.browserConfig.launchOptions, handleSIGINT: false, handleSIGTERM: false, }).catch(error => { if (error.message.includes('Executable doesn\'t exist')) throw new Error(`Browser specified in your config is not installed. Either install it (likely) or change the config.`); throw error; }); } protected override async _doCreateContext(browser: playwright.Browser): Promise<playwright.BrowserContext> { return browser.newContext(this.browserConfig.contextOptions); } } class CdpContextFactory extends BaseContextFactory { constructor(browserConfig: FullConfig['browser']) { super('cdp', browserConfig); } protected override async _doObtainBrowser(): Promise<playwright.Browser> { return playwright.chromium.connectOverCDP(this.browserConfig.cdpEndpoint!); } protected override async _doCreateContext(browser: playwright.Browser): Promise<playwright.BrowserContext> { return this.browserConfig.isolated ? await browser.newContext() : browser.contexts()[0]; } } class RemoteContextFactory extends BaseContextFactory { constructor(browserConfig: FullConfig['browser']) { super('remote', browserConfig); } protected override async _doObtainBrowser(): Promise<playwright.Browser> { const url = new URL(this.browserConfig.remoteEndpoint!); url.searchParams.set('browser', this.browserConfig.browserName); if (this.browserConfig.launchOptions) url.searchParams.set('launch-options', JSON.stringify(this.browserConfig.launchOptions)); return playwright[this.browserConfig.browserName].connect(String(url)); } protected override async _doCreateContext(browser: playwright.Browser): Promise<playwright.BrowserContext> { return browser.newContext(); } } class PersistentContextFactory implements BrowserContextFactory { readonly browserConfig: FullConfig['browser']; private _userDataDirs = new Set<string>(); constructor(browserConfig: FullConfig['browser']) { this.browserConfig = browserConfig; } async createContext(): Promise<{ browserContext: playwright.BrowserContext, close: () => Promise<void> }> { await injectCdpPort(this.browserConfig); testDebug('create browser context (persistent)'); const userDataDir = this.browserConfig.userDataDir ?? await this._createUserDataDir(); this._userDataDirs.add(userDataDir); testDebug('lock user data dir', userDataDir); const browserType = playwright[this.browserConfig.browserName]; for (let i = 0; i < 5; i++) { try { const browserContext = await browserType.launchPersistentContext(userDataDir, { ...this.browserConfig.launchOptions, ...this.browserConfig.contextOptions, handleSIGINT: false, handleSIGTERM: false, }); const close = () => this._closeBrowserContext(browserContext, userDataDir); return { browserContext, close }; } catch (error: any) { if (error.message.includes('Executable doesn\'t exist')) throw new Error(`Browser specified in your config is not installed. Either install it (likely) or change the config.`); if (error.message.includes('ProcessSingleton') || error.message.includes('Invalid URL')) { // User data directory is already in use, try again. await new Promise(resolve => setTimeout(resolve, 1000)); continue; } throw error; } } throw new Error(`Browser is already in use for ${userDataDir}, use --isolated to run multiple instances of the same browser`); } private async _closeBrowserContext(browserContext: playwright.BrowserContext, userDataDir: string) { testDebug('close browser context (persistent)'); testDebug('release user data dir', userDataDir); await browserContext.close().catch(() => {}); this._userDataDirs.delete(userDataDir); testDebug('close browser context complete (persistent)'); } private async _createUserDataDir() { let cacheDirectory: string; if (process.platform === 'linux') cacheDirectory = process.env.XDG_CACHE_HOME || path.join(os.homedir(), '.cache'); else if (process.platform === 'darwin') cacheDirectory = path.join(os.homedir(), 'Library', 'Caches'); else if (process.platform === 'win32') cacheDirectory = process.env.LOCALAPPDATA || path.join(os.homedir(), 'AppData', 'Local'); else throw new Error('Unsupported platform: ' + process.platform); const result = path.join(cacheDirectory, 'ms-playwright', `mcp-${this.browserConfig.launchOptions?.channel ?? this.browserConfig?.browserName}-profile`); await fs.promises.mkdir(result, { recursive: true }); return result; } } export class BrowserServerContextFactory extends BaseContextFactory { constructor(browserConfig: FullConfig['browser']) { super('persistent', browserConfig); } protected override async _doObtainBrowser(): Promise<playwright.Browser> { const response = await fetch(new URL(`/json/launch`, this.browserConfig.browserAgent), { method: 'POST', body: JSON.stringify({ browserType: this.browserConfig.browserName, userDataDir: this.browserConfig.userDataDir ?? await this._createUserDataDir(), launchOptions: this.browserConfig.launchOptions, contextOptions: this.browserConfig.contextOptions, } as LaunchBrowserRequest), }); const info = await response.json() as BrowserInfo; if (info.error) throw new Error(info.error); return await playwright.chromium.connectOverCDP(`http://localhost:${info.cdpPort}/`); } protected override async _doCreateContext(browser: playwright.Browser): Promise<playwright.BrowserContext> { return this.browserConfig.isolated ? await browser.newContext() : browser.contexts()[0]; } private async _createUserDataDir() { const dir = await userDataDir(this.browserConfig); await fs.promises.mkdir(dir, { recursive: true }); return dir; } } async function injectCdpPort(browserConfig: FullConfig['browser']) { if (browserConfig.browserName === 'chromium') (browserConfig.launchOptions as any).cdpPort = await findFreePort(); } async function findFreePort() { return new Promise((resolve, reject) => { const server = net.createServer(); server.listen(0, () => { const { port } = server.address() as net.AddressInfo; server.close(() => resolve(port)); }); server.on('error', reject); }); } ``` -------------------------------------------------------------------------------- /src/context.ts: -------------------------------------------------------------------------------- ```typescript /** * Copyright (c) Microsoft Corporation. * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * http://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import debug from 'debug'; import * as playwright from 'playwright'; import { callOnPageNoTrace, waitForCompletion } from './tools/utils.js'; import { ManualPromise } from './manualPromise.js'; import { Tab } from './tab.js'; import { outputFile } from './config.js'; import type { ImageContent, TextContent } from '@modelcontextprotocol/sdk/types.js'; import type { ModalState, Tool, ToolActionResult } from './tools/tool.js'; import type { FullConfig } from './config.js'; import type { BrowserContextFactory } from './browserContextFactory.js'; type PendingAction = { dialogShown: ManualPromise<void>; }; const testDebug = debug('pw:mcp:test'); export class Context { readonly tools: Tool[]; readonly config: FullConfig; private _browserContextPromise: Promise<{ browserContext: playwright.BrowserContext, close: () => Promise<void> }> | undefined; private _browserContextFactory: BrowserContextFactory; private _tabs: Tab[] = []; private _currentTab: Tab | undefined; private _modalStates: (ModalState & { tab: Tab })[] = []; private _pendingAction: PendingAction | undefined; private _downloads: { download: playwright.Download, finished: boolean, outputFile: string }[] = []; clientVersion: { name: string; version: string; } | undefined; constructor(tools: Tool[], config: FullConfig, browserContextFactory: BrowserContextFactory) { this.tools = tools; this.config = config; this._browserContextFactory = browserContextFactory; testDebug('create context'); } clientSupportsImages(): boolean { if (this.config.imageResponses === 'allow') return true; if (this.config.imageResponses === 'omit') return false; return !this.clientVersion?.name.includes('cursor'); } modalStates(): ModalState[] { return this._modalStates; } setModalState(modalState: ModalState, inTab: Tab) { this._modalStates.push({ ...modalState, tab: inTab }); } clearModalState(modalState: ModalState) { this._modalStates = this._modalStates.filter(state => state !== modalState); } modalStatesMarkdown(): string[] { const result: string[] = ['### Modal state']; if (this._modalStates.length === 0) result.push('- There is no modal state present'); for (const state of this._modalStates) { const tool = this.tools.find(tool => tool.clearsModalState === state.type); result.push(`- [${state.description}]: can be handled by the "${tool?.schema.name}" tool`); } return result; } tabs(): Tab[] { return this._tabs; } currentTabOrDie(): Tab { if (!this._currentTab) throw new Error('No current snapshot available. Capture a snapshot or navigate to a new location first.'); return this._currentTab; } async newTab(): Promise<Tab> { const { browserContext } = await this._ensureBrowserContext(); const page = await browserContext.newPage(); this._currentTab = this._tabs.find(t => t.page === page)!; return this._currentTab; } async selectTab(index: number) { this._currentTab = this._tabs[index - 1]; await this._currentTab.page.bringToFront(); } async ensureTab(): Promise<Tab> { const { browserContext } = await this._ensureBrowserContext(); if (!this._currentTab) await browserContext.newPage(); return this._currentTab!; } async listTabsMarkdown(): Promise<string> { if (!this._tabs.length) return '### No tabs open'; const lines: string[] = ['### Open tabs']; for (let i = 0; i < this._tabs.length; i++) { const tab = this._tabs[i]; const title = await tab.title(); const url = tab.page.url(); const current = tab === this._currentTab ? ' (current)' : ''; lines.push(`- ${i + 1}:${current} [${title}] (${url})`); } return lines.join('\n'); } async closeTab(index: number | undefined) { const tab = index === undefined ? this._currentTab : this._tabs[index - 1]; await tab?.page.close(); return await this.listTabsMarkdown(); } async run(tool: Tool, params: Record<string, unknown> | undefined) { // Tab management is done outside of the action() call. const toolResult = await tool.handle(this, tool.schema.inputSchema.parse(params || {})); const { code, action, waitForNetwork, captureSnapshot, resultOverride } = toolResult; const racingAction = action ? () => this._raceAgainstModalDialogs(action) : undefined; if (resultOverride) return resultOverride; if (!this._currentTab) { return { content: [{ type: 'text', text: 'No open pages available. Use the "browser_navigate" tool to navigate to a page first.', }], }; } const tab = this.currentTabOrDie(); // TODO: race against modal dialogs to resolve clicks. let actionResult: { content?: (ImageContent | TextContent)[] } | undefined; try { if (waitForNetwork) actionResult = await waitForCompletion(this, tab, async () => racingAction?.()) ?? undefined; else actionResult = await racingAction?.() ?? undefined; } finally { if (captureSnapshot && !this._javaScriptBlocked()) await tab.captureSnapshot(); } const result: string[] = []; result.push(`- Ran Playwright code: \`\`\`js ${code.join('\n')} \`\`\` `); if (this.modalStates().length) { result.push(...this.modalStatesMarkdown()); return { content: [{ type: 'text', text: result.join('\n'), }], }; } if (this._downloads.length) { result.push('', '### Downloads'); for (const entry of this._downloads) { if (entry.finished) result.push(`- Downloaded file ${entry.download.suggestedFilename()} to ${entry.outputFile}`); else result.push(`- Downloading file ${entry.download.suggestedFilename()} ...`); } result.push(''); } if (this.tabs().length > 1) result.push(await this.listTabsMarkdown(), ''); if (this.tabs().length > 1) result.push('### Current tab'); result.push( `- Page URL: ${tab.page.url()}`, `- Page Title: ${await tab.title()}` ); if (captureSnapshot && tab.hasSnapshot()) result.push(tab.snapshotOrDie().text()); const content = actionResult?.content ?? []; return { content: [ ...content, { type: 'text', text: result.join('\n'), } ], }; } async waitForTimeout(time: number) { if (!this._currentTab || this._javaScriptBlocked()) { await new Promise(f => setTimeout(f, time)); return; } await callOnPageNoTrace(this._currentTab.page, page => { return page.evaluate(() => new Promise(f => setTimeout(f, 1000))); }); } private async _raceAgainstModalDialogs(action: () => Promise<ToolActionResult>): Promise<ToolActionResult> { this._pendingAction = { dialogShown: new ManualPromise(), }; let result: ToolActionResult | undefined; try { await Promise.race([ action().then(r => result = r), this._pendingAction.dialogShown, ]); } finally { this._pendingAction = undefined; } return result; } private _javaScriptBlocked(): boolean { return this._modalStates.some(state => state.type === 'dialog'); } dialogShown(tab: Tab, dialog: playwright.Dialog) { this.setModalState({ type: 'dialog', description: `"${dialog.type()}" dialog with message "${dialog.message()}"`, dialog, }, tab); this._pendingAction?.dialogShown.resolve(); } async downloadStarted(tab: Tab, download: playwright.Download) { const entry = { download, finished: false, outputFile: await outputFile(this.config, download.suggestedFilename()) }; this._downloads.push(entry); await download.saveAs(entry.outputFile); entry.finished = true; } private _onPageCreated(page: playwright.Page) { const tab = new Tab(this, page, tab => this._onPageClosed(tab)); this._tabs.push(tab); if (!this._currentTab) this._currentTab = tab; } private _onPageClosed(tab: Tab) { this._modalStates = this._modalStates.filter(state => state.tab !== tab); const index = this._tabs.indexOf(tab); if (index === -1) return; this._tabs.splice(index, 1); if (this._currentTab === tab) this._currentTab = this._tabs[Math.min(index, this._tabs.length - 1)]; if (!this._tabs.length) void this.close(); } async close() { if (!this._browserContextPromise) return; testDebug('close context'); const promise = this._browserContextPromise; this._browserContextPromise = undefined; await promise.then(async ({ browserContext, close }) => { if (this.config.saveTrace) await browserContext.tracing.stop(); await close(); }); } private async _setupRequestInterception(context: playwright.BrowserContext) { if (this.config.network?.allowedOrigins?.length) { await context.route('**', route => route.abort('blockedbyclient')); for (const origin of this.config.network.allowedOrigins) await context.route(`*://${origin}/**`, route => route.continue()); } if (this.config.network?.blockedOrigins?.length) { for (const origin of this.config.network.blockedOrigins) await context.route(`*://${origin}/**`, route => route.abort('blockedbyclient')); } } private _ensureBrowserContext() { if (!this._browserContextPromise) { this._browserContextPromise = this._setupBrowserContext(); this._browserContextPromise.catch(() => { this._browserContextPromise = undefined; }); } return this._browserContextPromise; } private async _setupBrowserContext(): Promise<{ browserContext: playwright.BrowserContext, close: () => Promise<void> }> { // TODO: move to the browser context factory to make it based on isolation mode. const result = await this._browserContextFactory.createContext(); const { browserContext } = result; await this._setupRequestInterception(browserContext); for (const page of browserContext.pages()) this._onPageCreated(page); browserContext.on('page', page => this._onPageCreated(page)); if (this.config.saveTrace) { await browserContext.tracing.start({ name: 'trace', screenshots: false, snapshots: true, sources: false, }); } return result; } } ```