summaryrefslogtreecommitdiffstats
path: root/remote/test/puppeteer/packages/puppeteer-core/src/node
diff options
context:
space:
mode:
Diffstat (limited to 'remote/test/puppeteer/packages/puppeteer-core/src/node')
-rw-r--r--remote/test/puppeteer/packages/puppeteer-core/src/node/ChromeLauncher.ts257
-rw-r--r--remote/test/puppeteer/packages/puppeteer-core/src/node/FirefoxLauncher.ts225
-rw-r--r--remote/test/puppeteer/packages/puppeteer-core/src/node/LaunchOptions.ts150
-rw-r--r--remote/test/puppeteer/packages/puppeteer-core/src/node/PipeTransport.ts93
-rw-r--r--remote/test/puppeteer/packages/puppeteer-core/src/node/ProductLauncher.ts448
-rw-r--r--remote/test/puppeteer/packages/puppeteer-core/src/node/PuppeteerNode.ts267
-rw-r--r--remote/test/puppeteer/packages/puppeteer-core/src/node/node.ts22
-rw-r--r--remote/test/puppeteer/packages/puppeteer-core/src/node/util/fs.ts37
8 files changed, 1499 insertions, 0 deletions
diff --git a/remote/test/puppeteer/packages/puppeteer-core/src/node/ChromeLauncher.ts b/remote/test/puppeteer/packages/puppeteer-core/src/node/ChromeLauncher.ts
new file mode 100644
index 0000000000..9594ed33db
--- /dev/null
+++ b/remote/test/puppeteer/packages/puppeteer-core/src/node/ChromeLauncher.ts
@@ -0,0 +1,257 @@
+/**
+ * Copyright 2023 Google Inc. All rights reserved.
+ *
+ * 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 {mkdtemp} from 'fs/promises';
+import path from 'path';
+
+import {
+ computeSystemExecutablePath,
+ Browser as SupportedBrowsers,
+ ChromeReleaseChannel as BrowsersChromeReleaseChannel,
+} from '@puppeteer/browsers';
+
+import {debugError} from '../common/util.js';
+import {Browser} from '../puppeteer-core.js';
+import {assert} from '../util/assert.js';
+
+import {
+ BrowserLaunchArgumentOptions,
+ ChromeReleaseChannel,
+ PuppeteerNodeLaunchOptions,
+} from './LaunchOptions.js';
+import {ProductLauncher, ResolvedLaunchArgs} from './ProductLauncher.js';
+import {PuppeteerNode} from './PuppeteerNode.js';
+import {rm} from './util/fs.js';
+
+/**
+ * @internal
+ */
+export class ChromeLauncher extends ProductLauncher {
+ constructor(puppeteer: PuppeteerNode) {
+ super(puppeteer, 'chrome');
+ }
+
+ override launch(options: PuppeteerNodeLaunchOptions = {}): Promise<Browser> {
+ const headless = options.headless ?? true;
+ if (
+ headless === true &&
+ (!this.puppeteer.configuration.logLevel ||
+ this.puppeteer.configuration.logLevel === 'warn') &&
+ !Boolean(process.env['PUPPETEER_DISABLE_HEADLESS_WARNING'])
+ ) {
+ console.warn(
+ [
+ '\x1B[1m\x1B[43m\x1B[30m',
+ 'Puppeteer old Headless deprecation warning:\x1B[0m\x1B[33m',
+ ' In the near feature `headless: true` will default to the new Headless mode',
+ ' for Chrome instead of the old Headless implementation. For more',
+ ' information, please see https://developer.chrome.com/articles/new-headless/.',
+ ' Consider opting in early by passing `headless: "new"` to `puppeteer.launch()`',
+ ' If you encounter any bugs, please report them to https://github.com/puppeteer/puppeteer/issues/new/choose.\x1B[0m\n',
+ ].join('\n ')
+ );
+ }
+
+ return super.launch(options);
+ }
+
+ /**
+ * @internal
+ */
+ override async computeLaunchArguments(
+ options: PuppeteerNodeLaunchOptions = {}
+ ): Promise<ResolvedLaunchArgs> {
+ const {
+ ignoreDefaultArgs = false,
+ args = [],
+ pipe = false,
+ debuggingPort,
+ channel,
+ executablePath,
+ } = options;
+
+ const chromeArguments = [];
+ if (!ignoreDefaultArgs) {
+ chromeArguments.push(...this.defaultArgs(options));
+ } else if (Array.isArray(ignoreDefaultArgs)) {
+ chromeArguments.push(
+ ...this.defaultArgs(options).filter(arg => {
+ return !ignoreDefaultArgs.includes(arg);
+ })
+ );
+ } else {
+ chromeArguments.push(...args);
+ }
+
+ if (
+ !chromeArguments.some(argument => {
+ return argument.startsWith('--remote-debugging-');
+ })
+ ) {
+ if (pipe) {
+ assert(
+ !debuggingPort,
+ 'Browser should be launched with either pipe or debugging port - not both.'
+ );
+ chromeArguments.push('--remote-debugging-pipe');
+ } else {
+ chromeArguments.push(`--remote-debugging-port=${debuggingPort || 0}`);
+ }
+ }
+
+ let isTempUserDataDir = false;
+
+ // Check for the user data dir argument, which will always be set even
+ // with a custom directory specified via the userDataDir option.
+ let userDataDirIndex = chromeArguments.findIndex(arg => {
+ return arg.startsWith('--user-data-dir');
+ });
+ if (userDataDirIndex < 0) {
+ isTempUserDataDir = true;
+ chromeArguments.push(
+ `--user-data-dir=${await mkdtemp(this.getProfilePath())}`
+ );
+ userDataDirIndex = chromeArguments.length - 1;
+ }
+
+ const userDataDir = chromeArguments[userDataDirIndex]!.split('=', 2)[1];
+ assert(typeof userDataDir === 'string', '`--user-data-dir` is malformed');
+
+ let chromeExecutable = executablePath;
+ if (!chromeExecutable) {
+ assert(
+ channel || !this.puppeteer._isPuppeteerCore,
+ `An \`executablePath\` or \`channel\` must be specified for \`puppeteer-core\``
+ );
+ chromeExecutable = this.executablePath(channel);
+ }
+
+ return {
+ executablePath: chromeExecutable,
+ args: chromeArguments,
+ isTempUserDataDir,
+ userDataDir,
+ };
+ }
+
+ /**
+ * @internal
+ */
+ override async cleanUserDataDir(
+ path: string,
+ opts: {isTemp: boolean}
+ ): Promise<void> {
+ if (opts.isTemp) {
+ try {
+ await rm(path);
+ } catch (error) {
+ debugError(error);
+ throw error;
+ }
+ }
+ }
+
+ override defaultArgs(options: BrowserLaunchArgumentOptions = {}): string[] {
+ // See https://github.com/GoogleChrome/chrome-launcher/blob/main/docs/chrome-flags-for-tools.md
+ const chromeArguments = [
+ '--allow-pre-commit-input',
+ '--disable-background-networking',
+ '--disable-background-timer-throttling',
+ '--disable-backgrounding-occluded-windows',
+ '--disable-breakpad',
+ '--disable-client-side-phishing-detection',
+ '--disable-component-extensions-with-background-pages',
+ '--disable-component-update',
+ '--disable-default-apps',
+ '--disable-dev-shm-usage',
+ '--disable-extensions',
+ // AcceptCHFrame disabled because of crbug.com/1348106.
+ // DIPS is disabled because of crbug.com/1439578. TODO: enable after M115.
+ '--disable-features=Translate,BackForwardCache,AcceptCHFrame,MediaRouter,OptimizationHints,DIPS',
+ '--disable-hang-monitor',
+ '--disable-ipc-flooding-protection',
+ '--disable-popup-blocking',
+ '--disable-prompt-on-repost',
+ '--disable-renderer-backgrounding',
+ '--disable-sync',
+ '--enable-automation',
+ // TODO(sadym): remove '--enable-blink-features=IdleDetection' once
+ // IdleDetection is turned on by default.
+ '--enable-blink-features=IdleDetection',
+ '--enable-features=NetworkServiceInProcess2',
+ '--export-tagged-pdf',
+ '--force-color-profile=srgb',
+ '--metrics-recording-only',
+ '--no-first-run',
+ '--password-store=basic',
+ '--use-mock-keychain',
+ ];
+ const {
+ devtools = false,
+ headless = !devtools,
+ args = [],
+ userDataDir,
+ } = options;
+ if (userDataDir) {
+ chromeArguments.push(`--user-data-dir=${path.resolve(userDataDir)}`);
+ }
+ if (devtools) {
+ chromeArguments.push('--auto-open-devtools-for-tabs');
+ }
+ if (headless) {
+ chromeArguments.push(
+ headless === 'new' ? '--headless=new' : '--headless',
+ '--hide-scrollbars',
+ '--mute-audio'
+ );
+ }
+ if (
+ args.every(arg => {
+ return arg.startsWith('-');
+ })
+ ) {
+ chromeArguments.push('about:blank');
+ }
+ chromeArguments.push(...args);
+ return chromeArguments;
+ }
+
+ override executablePath(channel?: ChromeReleaseChannel): string {
+ if (channel) {
+ return computeSystemExecutablePath({
+ browser: SupportedBrowsers.CHROME,
+ channel: convertPuppeteerChannelToBrowsersChannel(channel),
+ });
+ } else {
+ return this.resolveExecutablePath();
+ }
+ }
+}
+
+function convertPuppeteerChannelToBrowsersChannel(
+ channel: ChromeReleaseChannel
+): BrowsersChromeReleaseChannel {
+ switch (channel) {
+ case 'chrome':
+ return BrowsersChromeReleaseChannel.STABLE;
+ case 'chrome-dev':
+ return BrowsersChromeReleaseChannel.DEV;
+ case 'chrome-beta':
+ return BrowsersChromeReleaseChannel.BETA;
+ case 'chrome-canary':
+ return BrowsersChromeReleaseChannel.CANARY;
+ }
+}
diff --git a/remote/test/puppeteer/packages/puppeteer-core/src/node/FirefoxLauncher.ts b/remote/test/puppeteer/packages/puppeteer-core/src/node/FirefoxLauncher.ts
new file mode 100644
index 0000000000..004d78bd7f
--- /dev/null
+++ b/remote/test/puppeteer/packages/puppeteer-core/src/node/FirefoxLauncher.ts
@@ -0,0 +1,225 @@
+/**
+ * Copyright 2023 Google Inc. All rights reserved.
+ *
+ * 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 {rename, unlink, mkdtemp} from 'fs/promises';
+import os from 'os';
+import path from 'path';
+
+import {
+ Browser as SupportedBrowsers,
+ createProfile,
+ Cache,
+ detectBrowserPlatform,
+ Browser,
+} from '@puppeteer/browsers';
+
+import {debugError} from '../common/util.js';
+import {assert} from '../util/assert.js';
+
+import {
+ BrowserLaunchArgumentOptions,
+ PuppeteerNodeLaunchOptions,
+} from './LaunchOptions.js';
+import {ProductLauncher, ResolvedLaunchArgs} from './ProductLauncher.js';
+import {PuppeteerNode} from './PuppeteerNode.js';
+import {rm} from './util/fs.js';
+
+/**
+ * @internal
+ */
+export class FirefoxLauncher extends ProductLauncher {
+ constructor(puppeteer: PuppeteerNode) {
+ super(puppeteer, 'firefox');
+ }
+ /**
+ * @internal
+ */
+ override async computeLaunchArguments(
+ options: PuppeteerNodeLaunchOptions = {}
+ ): Promise<ResolvedLaunchArgs> {
+ const {
+ ignoreDefaultArgs = false,
+ args = [],
+ executablePath,
+ pipe = false,
+ extraPrefsFirefox = {},
+ debuggingPort = null,
+ } = options;
+
+ const firefoxArguments = [];
+ if (!ignoreDefaultArgs) {
+ firefoxArguments.push(...this.defaultArgs(options));
+ } else if (Array.isArray(ignoreDefaultArgs)) {
+ firefoxArguments.push(
+ ...this.defaultArgs(options).filter(arg => {
+ return !ignoreDefaultArgs.includes(arg);
+ })
+ );
+ } else {
+ firefoxArguments.push(...args);
+ }
+
+ if (
+ !firefoxArguments.some(argument => {
+ return argument.startsWith('--remote-debugging-');
+ })
+ ) {
+ if (pipe) {
+ assert(
+ debuggingPort === null,
+ 'Browser should be launched with either pipe or debugging port - not both.'
+ );
+ }
+ firefoxArguments.push(`--remote-debugging-port=${debuggingPort || 0}`);
+ }
+
+ let userDataDir: string | undefined;
+ let isTempUserDataDir = true;
+
+ // Check for the profile argument, which will always be set even
+ // with a custom directory specified via the userDataDir option.
+ const profileArgIndex = firefoxArguments.findIndex(arg => {
+ return ['-profile', '--profile'].includes(arg);
+ });
+
+ if (profileArgIndex !== -1) {
+ userDataDir = firefoxArguments[profileArgIndex + 1];
+ if (!userDataDir || !fs.existsSync(userDataDir)) {
+ throw new Error(`Firefox profile not found at '${userDataDir}'`);
+ }
+
+ // When using a custom Firefox profile it needs to be populated
+ // with required preferences.
+ isTempUserDataDir = false;
+ } else {
+ userDataDir = await mkdtemp(this.getProfilePath());
+ firefoxArguments.push('--profile');
+ firefoxArguments.push(userDataDir);
+ }
+
+ await createProfile(SupportedBrowsers.FIREFOX, {
+ path: userDataDir,
+ preferences: extraPrefsFirefox,
+ });
+
+ let firefoxExecutable: string;
+ if (this.puppeteer._isPuppeteerCore || executablePath) {
+ assert(
+ executablePath,
+ `An \`executablePath\` must be specified for \`puppeteer-core\``
+ );
+ firefoxExecutable = executablePath;
+ } else {
+ firefoxExecutable = this.executablePath();
+ }
+
+ return {
+ isTempUserDataDir,
+ userDataDir,
+ args: firefoxArguments,
+ executablePath: firefoxExecutable,
+ };
+ }
+
+ /**
+ * @internal
+ */
+ override async cleanUserDataDir(
+ userDataDir: string,
+ opts: {isTemp: boolean}
+ ): Promise<void> {
+ if (opts.isTemp) {
+ try {
+ await rm(userDataDir);
+ } catch (error) {
+ debugError(error);
+ throw error;
+ }
+ } else {
+ try {
+ // When an existing user profile has been used remove the user
+ // preferences file and restore possibly backuped preferences.
+ await unlink(path.join(userDataDir, 'user.js'));
+
+ const prefsBackupPath = path.join(userDataDir, 'prefs.js.puppeteer');
+ if (fs.existsSync(prefsBackupPath)) {
+ const prefsPath = path.join(userDataDir, 'prefs.js');
+ await unlink(prefsPath);
+ await rename(prefsBackupPath, prefsPath);
+ }
+ } catch (error) {
+ debugError(error);
+ }
+ }
+ }
+
+ override executablePath(): string {
+ // replace 'latest' placeholder with actual downloaded revision
+ if (this.puppeteer.browserRevision === 'latest') {
+ const cache = new Cache(this.puppeteer.defaultDownloadPath!);
+ const installedFirefox = cache.getInstalledBrowsers().find(browser => {
+ return (
+ browser.platform === detectBrowserPlatform() &&
+ browser.browser === Browser.FIREFOX
+ );
+ });
+ if (installedFirefox) {
+ this.actualBrowserRevision = installedFirefox.buildId;
+ }
+ }
+ return this.resolveExecutablePath();
+ }
+
+ override defaultArgs(options: BrowserLaunchArgumentOptions = {}): string[] {
+ const {
+ devtools = false,
+ headless = !devtools,
+ args = [],
+ userDataDir = null,
+ } = options;
+
+ const firefoxArguments = ['--no-remote'];
+
+ switch (os.platform()) {
+ case 'darwin':
+ firefoxArguments.push('--foreground');
+ break;
+ case 'win32':
+ firefoxArguments.push('--wait-for-browser');
+ break;
+ }
+ if (userDataDir) {
+ firefoxArguments.push('--profile');
+ firefoxArguments.push(userDataDir);
+ }
+ if (headless) {
+ firefoxArguments.push('--headless');
+ }
+ if (devtools) {
+ firefoxArguments.push('--devtools');
+ }
+ if (
+ args.every(arg => {
+ return arg.startsWith('-');
+ })
+ ) {
+ firefoxArguments.push('about:blank');
+ }
+ firefoxArguments.push(...args);
+ return firefoxArguments;
+ }
+}
diff --git a/remote/test/puppeteer/packages/puppeteer-core/src/node/LaunchOptions.ts b/remote/test/puppeteer/packages/puppeteer-core/src/node/LaunchOptions.ts
new file mode 100644
index 0000000000..b7f97ad9c0
--- /dev/null
+++ b/remote/test/puppeteer/packages/puppeteer-core/src/node/LaunchOptions.ts
@@ -0,0 +1,150 @@
+/**
+ * Copyright 2020 Google Inc. All rights reserved.
+ *
+ * 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 {BrowserConnectOptions} from '../common/BrowserConnector.js';
+import {Product} from '../common/Product.js';
+
+/**
+ * Launcher options that only apply to Chrome.
+ *
+ * @public
+ */
+export interface BrowserLaunchArgumentOptions {
+ /**
+ * Whether to run the browser in headless mode.
+ *
+ * @remarks
+ * In the future `headless: true` will be equivalent to `headless: 'new'`.
+ * You can read more about the change {@link https://developer.chrome.com/articles/new-headless/ | here}.
+ * Consider opting in early by setting the value to `"new"`.
+ *
+ * @defaultValue `true`
+ */
+ headless?: boolean | 'new';
+ /**
+ * Path to a user data directory.
+ * {@link https://chromium.googlesource.com/chromium/src/+/refs/heads/main/docs/user_data_dir.md | see the Chromium docs}
+ * for more info.
+ */
+ userDataDir?: string;
+ /**
+ * Whether to auto-open a DevTools panel for each tab. If this is set to
+ * `true`, then `headless` will be forced to `false`.
+ * @defaultValue `false`
+ */
+ devtools?: boolean;
+ /**
+ * Specify the debugging port number to use
+ */
+ debuggingPort?: number;
+ /**
+ * Additional command line arguments to pass to the browser instance.
+ */
+ args?: string[];
+}
+/**
+ * @public
+ */
+export type ChromeReleaseChannel =
+ | 'chrome'
+ | 'chrome-beta'
+ | 'chrome-canary'
+ | 'chrome-dev';
+
+/**
+ * Generic launch options that can be passed when launching any browser.
+ * @public
+ */
+export interface LaunchOptions {
+ /**
+ * Chrome Release Channel
+ */
+ channel?: ChromeReleaseChannel;
+ /**
+ * Path to a browser executable to use instead of the bundled Chromium. Note
+ * that Puppeteer is only guaranteed to work with the bundled Chromium, so use
+ * this setting at your own risk.
+ */
+ executablePath?: string;
+ /**
+ * If `true`, do not use `puppeteer.defaultArgs()` when creating a browser. If
+ * an array is provided, these args will be filtered out. Use this with care -
+ * you probably want the default arguments Puppeteer uses.
+ * @defaultValue `false`
+ */
+ ignoreDefaultArgs?: boolean | string[];
+ /**
+ * Close the browser process on `Ctrl+C`.
+ * @defaultValue `true`
+ */
+ handleSIGINT?: boolean;
+ /**
+ * Close the browser process on `SIGTERM`.
+ * @defaultValue `true`
+ */
+ handleSIGTERM?: boolean;
+ /**
+ * Close the browser process on `SIGHUP`.
+ * @defaultValue `true`
+ */
+ handleSIGHUP?: boolean;
+ /**
+ * Maximum time in milliseconds to wait for the browser to start.
+ * Pass `0` to disable the timeout.
+ * @defaultValue `30_000` (30 seconds).
+ */
+ timeout?: number;
+ /**
+ * If true, pipes the browser process stdout and stderr to `process.stdout`
+ * and `process.stderr`.
+ * @defaultValue `false`
+ */
+ dumpio?: boolean;
+ /**
+ * Specify environment variables that will be visible to the browser.
+ * @defaultValue The contents of `process.env`.
+ */
+ env?: Record<string, string | undefined>;
+ /**
+ * Connect to a browser over a pipe instead of a WebSocket.
+ * @defaultValue `false`
+ */
+ pipe?: boolean;
+ /**
+ * Which browser to launch.
+ * @defaultValue `chrome`
+ */
+ product?: Product;
+ /**
+ * {@link https://searchfox.org/mozilla-release/source/modules/libpref/init/all.js | Additional preferences } that can be passed when launching with Firefox.
+ */
+ extraPrefsFirefox?: Record<string, unknown>;
+ /**
+ * Whether to wait for the initial page to be ready.
+ * Useful when a user explicitly disables that (e.g. `--no-startup-window` for Chrome).
+ * @defaultValue `true`
+ */
+ waitForInitialPage?: boolean;
+}
+
+/**
+ * Utility type exposed to enable users to define options that can be passed to
+ * `puppeteer.launch` without having to list the set of all types.
+ * @public
+ */
+export type PuppeteerNodeLaunchOptions = BrowserLaunchArgumentOptions &
+ LaunchOptions &
+ BrowserConnectOptions;
diff --git a/remote/test/puppeteer/packages/puppeteer-core/src/node/PipeTransport.ts b/remote/test/puppeteer/packages/puppeteer-core/src/node/PipeTransport.ts
new file mode 100644
index 0000000000..830825e6f7
--- /dev/null
+++ b/remote/test/puppeteer/packages/puppeteer-core/src/node/PipeTransport.ts
@@ -0,0 +1,93 @@
+/**
+ * Copyright 2018 Google Inc. All rights reserved.
+ *
+ * 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 {ConnectionTransport} from '../common/ConnectionTransport.js';
+import {
+ addEventListener,
+ debugError,
+ PuppeteerEventListener,
+ removeEventListeners,
+} from '../common/util.js';
+import {assert} from '../util/assert.js';
+
+/**
+ * @internal
+ */
+export class PipeTransport implements ConnectionTransport {
+ #pipeWrite: NodeJS.WritableStream;
+ #eventListeners: PuppeteerEventListener[];
+
+ #isClosed = false;
+ #pendingMessage = '';
+
+ onclose?: () => void;
+ onmessage?: (value: string) => void;
+
+ constructor(
+ pipeWrite: NodeJS.WritableStream,
+ pipeRead: NodeJS.ReadableStream
+ ) {
+ this.#pipeWrite = pipeWrite;
+ this.#eventListeners = [
+ addEventListener(pipeRead, 'data', buffer => {
+ return this.#dispatch(buffer);
+ }),
+ addEventListener(pipeRead, 'close', () => {
+ if (this.onclose) {
+ this.onclose.call(null);
+ }
+ }),
+ addEventListener(pipeRead, 'error', debugError),
+ addEventListener(pipeWrite, 'error', debugError),
+ ];
+ }
+
+ send(message: string): void {
+ assert(!this.#isClosed, '`PipeTransport` is closed.');
+
+ this.#pipeWrite.write(message);
+ this.#pipeWrite.write('\0');
+ }
+
+ #dispatch(buffer: Buffer): void {
+ assert(!this.#isClosed, '`PipeTransport` is closed.');
+
+ let end = buffer.indexOf('\0');
+ if (end === -1) {
+ this.#pendingMessage += buffer.toString();
+ return;
+ }
+ const message = this.#pendingMessage + buffer.toString(undefined, 0, end);
+ if (this.onmessage) {
+ this.onmessage.call(null, message);
+ }
+
+ let start = end + 1;
+ end = buffer.indexOf('\0', start);
+ while (end !== -1) {
+ if (this.onmessage) {
+ this.onmessage.call(null, buffer.toString(undefined, start, end));
+ }
+ start = end + 1;
+ end = buffer.indexOf('\0', start);
+ }
+ this.#pendingMessage = buffer.toString(undefined, start);
+ }
+
+ close(): void {
+ this.#isClosed = true;
+ removeEventListeners(this.#eventListeners);
+ }
+}
diff --git a/remote/test/puppeteer/packages/puppeteer-core/src/node/ProductLauncher.ts b/remote/test/puppeteer/packages/puppeteer-core/src/node/ProductLauncher.ts
new file mode 100644
index 0000000000..9b92772fab
--- /dev/null
+++ b/remote/test/puppeteer/packages/puppeteer-core/src/node/ProductLauncher.ts
@@ -0,0 +1,448 @@
+/**
+ * Copyright 2017 Google Inc. All rights reserved.
+ *
+ * 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 {existsSync} from 'fs';
+import {tmpdir} from 'os';
+import {join} from 'path';
+
+import {
+ Browser as InstalledBrowser,
+ CDP_WEBSOCKET_ENDPOINT_REGEX,
+ launch,
+ TimeoutError as BrowsersTimeoutError,
+ WEBDRIVER_BIDI_WEBSOCKET_ENDPOINT_REGEX,
+ computeExecutablePath,
+} from '@puppeteer/browsers';
+
+import {Browser, BrowserCloseCallback} from '../api/Browser.js';
+import {CDPBrowser} from '../common/Browser.js';
+import {Connection} from '../common/Connection.js';
+import {TimeoutError} from '../common/Errors.js';
+import {NodeWebSocketTransport as WebSocketTransport} from '../common/NodeWebSocketTransport.js';
+import {Product} from '../common/Product.js';
+import {Viewport} from '../common/PuppeteerViewport.js';
+import {debugError} from '../common/util.js';
+
+import {
+ BrowserLaunchArgumentOptions,
+ ChromeReleaseChannel,
+ PuppeteerNodeLaunchOptions,
+} from './LaunchOptions.js';
+import {PipeTransport} from './PipeTransport.js';
+import {PuppeteerNode} from './PuppeteerNode.js';
+
+/**
+ * @internal
+ */
+export type ResolvedLaunchArgs = {
+ isTempUserDataDir: boolean;
+ userDataDir: string;
+ executablePath: string;
+ args: string[];
+};
+
+/**
+ * Describes a launcher - a class that is able to create and launch a browser instance.
+ *
+ * @public
+ */
+export class ProductLauncher {
+ #product: Product;
+
+ /**
+ * @internal
+ */
+ puppeteer: PuppeteerNode;
+
+ /**
+ * @internal
+ */
+ protected actualBrowserRevision?: string;
+
+ /**
+ * @internal
+ */
+ constructor(puppeteer: PuppeteerNode, product: Product) {
+ this.puppeteer = puppeteer;
+ this.#product = product;
+ }
+
+ get product(): Product {
+ return this.#product;
+ }
+
+ async launch(options: PuppeteerNodeLaunchOptions = {}): Promise<Browser> {
+ const {
+ dumpio = false,
+ env = process.env,
+ handleSIGINT = true,
+ handleSIGTERM = true,
+ handleSIGHUP = true,
+ ignoreHTTPSErrors = false,
+ defaultViewport = {width: 800, height: 600},
+ slowMo = 0,
+ timeout = 30000,
+ waitForInitialPage = true,
+ protocol,
+ protocolTimeout,
+ } = options;
+
+ const launchArgs = await this.computeLaunchArguments(options);
+
+ const usePipe = launchArgs.args.includes('--remote-debugging-pipe');
+
+ const onProcessExit = async () => {
+ await this.cleanUserDataDir(launchArgs.userDataDir, {
+ isTemp: launchArgs.isTempUserDataDir,
+ });
+ };
+
+ const browserProcess = launch({
+ executablePath: launchArgs.executablePath,
+ args: launchArgs.args,
+ handleSIGHUP,
+ handleSIGTERM,
+ handleSIGINT,
+ dumpio,
+ env,
+ pipe: usePipe,
+ onExit: onProcessExit,
+ });
+
+ let browser: Browser;
+ let connection: Connection;
+ let closing = false;
+
+ const browserCloseCallback = async () => {
+ if (closing) {
+ return;
+ }
+ closing = true;
+ await this.closeBrowser(browserProcess, connection);
+ };
+
+ try {
+ if (this.#product === 'firefox' && protocol === 'webDriverBiDi') {
+ browser = await this.createBiDiBrowser(
+ browserProcess,
+ browserCloseCallback,
+ {
+ timeout,
+ protocolTimeout,
+ slowMo,
+ defaultViewport,
+ }
+ );
+ } else {
+ if (usePipe) {
+ connection = await this.createCDPPipeConnection(browserProcess, {
+ timeout,
+ protocolTimeout,
+ slowMo,
+ });
+ } else {
+ connection = await this.createCDPSocketConnection(browserProcess, {
+ timeout,
+ protocolTimeout,
+ slowMo,
+ });
+ }
+ if (protocol === 'webDriverBiDi') {
+ browser = await this.createBiDiOverCDPBrowser(
+ browserProcess,
+ connection,
+ browserCloseCallback,
+ {
+ timeout,
+ protocolTimeout,
+ slowMo,
+ defaultViewport,
+ }
+ );
+ } else {
+ browser = await CDPBrowser._create(
+ this.product,
+ connection,
+ [],
+ ignoreHTTPSErrors,
+ defaultViewport,
+ browserProcess.nodeProcess,
+ browserCloseCallback,
+ options.targetFilter
+ );
+ }
+ }
+ } catch (error) {
+ void browserCloseCallback();
+ if (error instanceof BrowsersTimeoutError) {
+ throw new TimeoutError(error.message);
+ }
+ throw error;
+ }
+
+ if (waitForInitialPage && protocol !== 'webDriverBiDi') {
+ await this.waitForPageTarget(browser, timeout);
+ }
+
+ return browser;
+ }
+
+ executablePath(channel?: ChromeReleaseChannel): string;
+ executablePath(): string {
+ throw new Error('Not implemented');
+ }
+
+ defaultArgs(object: BrowserLaunchArgumentOptions): string[];
+ defaultArgs(): string[] {
+ throw new Error('Not implemented');
+ }
+
+ /**
+ * Set only for Firefox, after the launcher resolves the `latest` revision to
+ * the actual revision.
+ * @internal
+ */
+ getActualBrowserRevision(): string | undefined {
+ return this.actualBrowserRevision;
+ }
+
+ /**
+ * @internal
+ */
+ protected async computeLaunchArguments(
+ options: PuppeteerNodeLaunchOptions
+ ): Promise<ResolvedLaunchArgs>;
+ protected async computeLaunchArguments(): Promise<ResolvedLaunchArgs> {
+ throw new Error('Not implemented');
+ }
+
+ /**
+ * @internal
+ */
+ protected async cleanUserDataDir(
+ path: string,
+ opts: {isTemp: boolean}
+ ): Promise<void>;
+ protected async cleanUserDataDir(): Promise<void> {
+ throw new Error('Not implemented');
+ }
+
+ /**
+ * @internal
+ */
+ protected async closeBrowser(
+ browserProcess: ReturnType<typeof launch>,
+ connection?: Connection
+ ): Promise<void> {
+ if (connection) {
+ // Attempt to close the browser gracefully
+ try {
+ await connection.closeBrowser();
+ await browserProcess.hasClosed();
+ } catch (error) {
+ debugError(error);
+ await browserProcess.close();
+ }
+ } else {
+ await browserProcess.close();
+ }
+ }
+
+ /**
+ * @internal
+ */
+ protected async waitForPageTarget(
+ browser: Browser,
+ timeout: number
+ ): Promise<void> {
+ try {
+ await browser.waitForTarget(
+ t => {
+ return t.type() === 'page';
+ },
+ {timeout}
+ );
+ } catch (error) {
+ await browser.close();
+ throw error;
+ }
+ }
+
+ /**
+ * @internal
+ */
+ protected async createCDPSocketConnection(
+ browserProcess: ReturnType<typeof launch>,
+ opts: {timeout: number; protocolTimeout: number | undefined; slowMo: number}
+ ): Promise<Connection> {
+ const browserWSEndpoint = await browserProcess.waitForLineOutput(
+ CDP_WEBSOCKET_ENDPOINT_REGEX,
+ opts.timeout
+ );
+ const transport = await WebSocketTransport.create(browserWSEndpoint);
+ return new Connection(
+ browserWSEndpoint,
+ transport,
+ opts.slowMo,
+ opts.protocolTimeout
+ );
+ }
+
+ /**
+ * @internal
+ */
+ protected async createCDPPipeConnection(
+ browserProcess: ReturnType<typeof launch>,
+ opts: {timeout: number; protocolTimeout: number | undefined; slowMo: number}
+ ): Promise<Connection> {
+ // stdio was assigned during start(), and the 'pipe' option there adds the
+ // 4th and 5th items to stdio array
+ const {3: pipeWrite, 4: pipeRead} = browserProcess.nodeProcess.stdio;
+ const transport = new PipeTransport(
+ pipeWrite as NodeJS.WritableStream,
+ pipeRead as NodeJS.ReadableStream
+ );
+ return new Connection('', transport, opts.slowMo, opts.protocolTimeout);
+ }
+
+ /**
+ * @internal
+ */
+ protected async createBiDiOverCDPBrowser(
+ browserProcess: ReturnType<typeof launch>,
+ connection: Connection,
+ closeCallback: BrowserCloseCallback,
+ opts: {
+ timeout: number;
+ protocolTimeout: number | undefined;
+ slowMo: number;
+ defaultViewport: Viewport | null;
+ }
+ ): Promise<Browser> {
+ // TODO: use other options too.
+ const BiDi = await import(
+ /* webpackIgnore: true */ '../common/bidi/bidi.js'
+ );
+ const bidiConnection = await BiDi.connectBidiOverCDP(connection);
+ return await BiDi.Browser.create({
+ connection: bidiConnection,
+ closeCallback,
+ process: browserProcess.nodeProcess,
+ defaultViewport: opts.defaultViewport,
+ });
+ }
+
+ /**
+ * @internal
+ */
+ protected async createBiDiBrowser(
+ browserProcess: ReturnType<typeof launch>,
+ closeCallback: BrowserCloseCallback,
+ opts: {
+ timeout: number;
+ protocolTimeout: number | undefined;
+ slowMo: number;
+ defaultViewport: Viewport | null;
+ }
+ ): Promise<Browser> {
+ const browserWSEndpoint =
+ (await browserProcess.waitForLineOutput(
+ WEBDRIVER_BIDI_WEBSOCKET_ENDPOINT_REGEX,
+ opts.timeout
+ )) + '/session';
+ const transport = await WebSocketTransport.create(browserWSEndpoint);
+ const BiDi = await import(
+ /* webpackIgnore: true */ '../common/bidi/bidi.js'
+ );
+ const bidiConnection = new BiDi.Connection(
+ transport,
+ opts.slowMo,
+ opts.protocolTimeout
+ );
+ // TODO: use other options too.
+ return await BiDi.Browser.create({
+ connection: bidiConnection,
+ closeCallback,
+ process: browserProcess.nodeProcess,
+ defaultViewport: opts.defaultViewport,
+ });
+ }
+
+ /**
+ * @internal
+ */
+ protected getProfilePath(): string {
+ return join(
+ this.puppeteer.configuration.temporaryDirectory ?? tmpdir(),
+ `puppeteer_dev_${this.product}_profile-`
+ );
+ }
+
+ /**
+ * @internal
+ */
+ protected resolveExecutablePath(): string {
+ let executablePath = this.puppeteer.configuration.executablePath;
+ if (executablePath) {
+ if (!existsSync(executablePath)) {
+ throw new Error(
+ `Tried to find the browser at the configured path (${executablePath}), but no executable was found.`
+ );
+ }
+ return executablePath;
+ }
+
+ function productToBrowser(product?: Product) {
+ switch (product) {
+ case 'chrome':
+ return InstalledBrowser.CHROME;
+ case 'firefox':
+ return InstalledBrowser.FIREFOX;
+ }
+ return InstalledBrowser.CHROME;
+ }
+
+ executablePath = computeExecutablePath({
+ cacheDir: this.puppeteer.defaultDownloadPath!,
+ browser: productToBrowser(this.product),
+ buildId: this.puppeteer.browserRevision,
+ });
+
+ if (!existsSync(executablePath)) {
+ if (this.puppeteer.configuration.browserRevision) {
+ throw new Error(
+ `Tried to find the browser at the configured path (${executablePath}) for revision ${this.puppeteer.browserRevision}, but no executable was found.`
+ );
+ }
+ switch (this.product) {
+ case 'chrome':
+ throw new Error(
+ `Could not find Chrome (ver. ${this.puppeteer.browserRevision}). This can occur if either\n` +
+ ' 1. you did not perform an installation before running the script (e.g. `npm install`) or\n' +
+ ` 2. your cache path is incorrectly configured (which is: ${this.puppeteer.configuration.cacheDirectory}).\n` +
+ 'For (2), check out our guide on configuring puppeteer at https://pptr.dev/guides/configuration.'
+ );
+ case 'firefox':
+ throw new Error(
+ `Could not find Firefox (rev. ${this.puppeteer.browserRevision}). This can occur if either\n` +
+ ' 1. you did not perform an installation for Firefox before running the script (e.g. `PUPPETEER_PRODUCT=firefox npm install`) or\n' +
+ ` 2. your cache path is incorrectly configured (which is: ${this.puppeteer.configuration.cacheDirectory}).\n` +
+ 'For (2), check out our guide on configuring puppeteer at https://pptr.dev/guides/configuration.'
+ );
+ }
+ }
+ return executablePath;
+ }
+}
diff --git a/remote/test/puppeteer/packages/puppeteer-core/src/node/PuppeteerNode.ts b/remote/test/puppeteer/packages/puppeteer-core/src/node/PuppeteerNode.ts
new file mode 100644
index 0000000000..c6667eb28f
--- /dev/null
+++ b/remote/test/puppeteer/packages/puppeteer-core/src/node/PuppeteerNode.ts
@@ -0,0 +1,267 @@
+/**
+ * Copyright 2020 Google Inc. All rights reserved.
+ *
+ * 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 {Browser} from '../api/Browser.js';
+import {BrowserConnectOptions} from '../common/BrowserConnector.js';
+import {Configuration} from '../common/Configuration.js';
+import {Product} from '../common/Product.js';
+import {
+ CommonPuppeteerSettings,
+ ConnectOptions,
+ Puppeteer,
+} from '../common/Puppeteer.js';
+import {PUPPETEER_REVISIONS} from '../revisions.js';
+
+import {ChromeLauncher} from './ChromeLauncher.js';
+import {FirefoxLauncher} from './FirefoxLauncher.js';
+import {
+ BrowserLaunchArgumentOptions,
+ ChromeReleaseChannel,
+ LaunchOptions,
+} from './LaunchOptions.js';
+import {ProductLauncher} from './ProductLauncher.js';
+
+/**
+ * @public
+ */
+export interface PuppeteerLaunchOptions
+ extends LaunchOptions,
+ BrowserLaunchArgumentOptions,
+ BrowserConnectOptions {
+ product?: Product;
+ extraPrefsFirefox?: Record<string, unknown>;
+}
+
+/**
+ * Extends the main {@link Puppeteer} class with Node specific behaviour for
+ * fetching and downloading browsers.
+ *
+ * If you're using Puppeteer in a Node environment, this is the class you'll get
+ * when you run `require('puppeteer')` (or the equivalent ES `import`).
+ *
+ * @remarks
+ * The most common method to use is {@link PuppeteerNode.launch | launch}, which
+ * is used to launch and connect to a new browser instance.
+ *
+ * See {@link Puppeteer | the main Puppeteer class} for methods common to all
+ * environments, such as {@link Puppeteer.connect}.
+ *
+ * @example
+ * The following is a typical example of using Puppeteer to drive automation:
+ *
+ * ```ts
+ * import puppeteer from 'puppeteer';
+ *
+ * (async () => {
+ * const browser = await puppeteer.launch();
+ * const page = await browser.newPage();
+ * await page.goto('https://www.google.com');
+ * // other actions...
+ * await browser.close();
+ * })();
+ * ```
+ *
+ * Once you have created a `page` you have access to a large API to interact
+ * with the page, navigate, or find certain elements in that page.
+ * The {@link Page | `page` documentation} lists all the available methods.
+ *
+ * @public
+ */
+export class PuppeteerNode extends Puppeteer {
+ #_launcher?: ProductLauncher;
+ #lastLaunchedProduct?: Product;
+
+ /**
+ * @internal
+ */
+ defaultBrowserRevision: string;
+
+ /**
+ * @internal
+ */
+ configuration: Configuration = {};
+
+ /**
+ * @internal
+ */
+ constructor(
+ settings: {
+ configuration?: Configuration;
+ } & CommonPuppeteerSettings
+ ) {
+ const {configuration, ...commonSettings} = settings;
+ super(commonSettings);
+ if (configuration) {
+ this.configuration = configuration;
+ }
+ switch (this.configuration.defaultProduct) {
+ case 'firefox':
+ this.defaultBrowserRevision = PUPPETEER_REVISIONS.firefox;
+ break;
+ default:
+ this.configuration.defaultProduct = 'chrome';
+ this.defaultBrowserRevision = PUPPETEER_REVISIONS.chrome;
+ break;
+ }
+
+ this.connect = this.connect.bind(this);
+ this.launch = this.launch.bind(this);
+ this.executablePath = this.executablePath.bind(this);
+ this.defaultArgs = this.defaultArgs.bind(this);
+ }
+
+ /**
+ * This method attaches Puppeteer to an existing browser instance.
+ *
+ * @param options - Set of configurable options to set on the browser.
+ * @returns Promise which resolves to browser instance.
+ */
+ override connect(options: ConnectOptions): Promise<Browser> {
+ return super.connect(options);
+ }
+
+ /**
+ * Launches a browser instance with given arguments and options when
+ * specified.
+ *
+ * When using with `puppeteer-core`,
+ * {@link LaunchOptions | options.executablePath} or
+ * {@link LaunchOptions | options.channel} must be provided.
+ *
+ * @example
+ * You can use {@link LaunchOptions | options.ignoreDefaultArgs}
+ * to filter out `--mute-audio` from default arguments:
+ *
+ * ```ts
+ * const browser = await puppeteer.launch({
+ * ignoreDefaultArgs: ['--mute-audio'],
+ * });
+ * ```
+ *
+ * @remarks
+ * Puppeteer can also be used to control the Chrome browser, but it works best
+ * with the version of Chrome for Testing downloaded by default.
+ * There is no guarantee it will work with any other version. If Google Chrome
+ * (rather than Chrome for Testing) is preferred, a
+ * {@link https://www.google.com/chrome/browser/canary.html | Chrome Canary}
+ * or
+ * {@link https://www.chromium.org/getting-involved/dev-channel | Dev Channel}
+ * build is suggested. See
+ * {@link https://www.howtogeek.com/202825/what%E2%80%99s-the-difference-between-chromium-and-chrome/ | this article}
+ * for a description of the differences between Chromium and Chrome.
+ * {@link https://chromium.googlesource.com/chromium/src/+/lkgr/docs/chromium_browser_vs_google_chrome.md | This article}
+ * describes some differences for Linux users. See
+ * {@link https://goo.gle/chrome-for-testing | this doc} for the description
+ * of Chrome for Testing.
+ *
+ * @param options - Options to configure launching behavior.
+ */
+ launch(options: PuppeteerLaunchOptions = {}): Promise<Browser> {
+ const {product = this.defaultProduct} = options;
+ this.#lastLaunchedProduct = product;
+ return this.#launcher.launch(options);
+ }
+
+ /**
+ * @internal
+ */
+ get #launcher(): ProductLauncher {
+ if (
+ this.#_launcher &&
+ this.#_launcher.product === this.lastLaunchedProduct
+ ) {
+ return this.#_launcher;
+ }
+ switch (this.lastLaunchedProduct) {
+ case 'chrome':
+ this.defaultBrowserRevision = PUPPETEER_REVISIONS.chrome;
+ this.#_launcher = new ChromeLauncher(this);
+ break;
+ case 'firefox':
+ this.defaultBrowserRevision = PUPPETEER_REVISIONS.firefox;
+ this.#_launcher = new FirefoxLauncher(this);
+ break;
+ default:
+ throw new Error(`Unknown product: ${this.#lastLaunchedProduct}`);
+ }
+ return this.#_launcher;
+ }
+
+ /**
+ * The default executable path.
+ */
+ executablePath(channel?: ChromeReleaseChannel): string {
+ return this.#launcher.executablePath(channel);
+ }
+
+ /**
+ * @internal
+ */
+ get browserRevision(): string {
+ return (
+ this.#_launcher?.getActualBrowserRevision() ??
+ this.configuration.browserRevision ??
+ this.defaultBrowserRevision!
+ );
+ }
+
+ /**
+ * The default download path for puppeteer. For puppeteer-core, this
+ * code should never be called as it is never defined.
+ *
+ * @internal
+ */
+ get defaultDownloadPath(): string | undefined {
+ return this.configuration.downloadPath ?? this.configuration.cacheDirectory;
+ }
+
+ /**
+ * The name of the browser that was last launched.
+ */
+ get lastLaunchedProduct(): Product {
+ return this.#lastLaunchedProduct ?? this.defaultProduct;
+ }
+
+ /**
+ * The name of the browser that will be launched by default. For
+ * `puppeteer`, this is influenced by your configuration. Otherwise, it's
+ * `chrome`.
+ */
+ get defaultProduct(): Product {
+ return this.configuration.defaultProduct ?? 'chrome';
+ }
+
+ /**
+ * @deprecated Do not use as this field as it does not take into account
+ * multiple browsers of different types. Use
+ * {@link PuppeteerNode.defaultProduct | defaultProduct} or
+ * {@link PuppeteerNode.lastLaunchedProduct | lastLaunchedProduct}.
+ *
+ * @returns The name of the browser that is under automation.
+ */
+ get product(): string {
+ return this.#launcher.product;
+ }
+
+ /**
+ * @param options - Set of configurable options to set on the browser.
+ *
+ * @returns The default flags that Chromium will be launched with.
+ */
+ defaultArgs(options: BrowserLaunchArgumentOptions = {}): string[] {
+ return this.#launcher.defaultArgs(options);
+ }
+}
diff --git a/remote/test/puppeteer/packages/puppeteer-core/src/node/node.ts b/remote/test/puppeteer/packages/puppeteer-core/src/node/node.ts
new file mode 100644
index 0000000000..da815faf16
--- /dev/null
+++ b/remote/test/puppeteer/packages/puppeteer-core/src/node/node.ts
@@ -0,0 +1,22 @@
+/**
+ * Copyright 2022 Google Inc. All rights reserved.
+ *
+ * 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.
+ */
+
+export * from './ChromeLauncher.js';
+export * from './FirefoxLauncher.js';
+export * from './LaunchOptions.js';
+export * from './PipeTransport.js';
+export * from './ProductLauncher.js';
+export * from './PuppeteerNode.js';
diff --git a/remote/test/puppeteer/packages/puppeteer-core/src/node/util/fs.ts b/remote/test/puppeteer/packages/puppeteer-core/src/node/util/fs.ts
new file mode 100644
index 0000000000..ae0419a91d
--- /dev/null
+++ b/remote/test/puppeteer/packages/puppeteer-core/src/node/util/fs.ts
@@ -0,0 +1,37 @@
+/**
+ * Copyright 2023 Google Inc. All rights reserved.
+ *
+ * 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';
+
+const rmOptions = {
+ force: true,
+ recursive: true,
+ maxRetries: 5,
+};
+
+/**
+ * @internal
+ */
+export async function rm(path: string): Promise<void> {
+ await fs.promises.rm(path, rmOptions);
+}
+
+/**
+ * @internal
+ */
+export function rmSync(path: string): void {
+ fs.rmSync(path, rmOptions);
+}