chore: migrate src/FrameManager to TypeScript (#5773)

This commit is contained in:
Jack Franklin 2020-04-29 12:28:16 +01:00 committed by GitHub
parent c5c97b07b5
commit 8a5008e30b
No known key found for this signature in database
GPG Key ID: 4AEE18F83AFDEB23
10 changed files with 149 additions and 347 deletions

View File

@ -22,18 +22,19 @@ import {JSHandle, ElementHandle} from './JSHandle';
import {ExecutionContext} from './ExecutionContext'; import {ExecutionContext} from './ExecutionContext';
import {TimeoutSettings} from './TimeoutSettings'; import {TimeoutSettings} from './TimeoutSettings';
import {MouseButtonInput} from './Input'; import {MouseButtonInput} from './Input';
import {FrameManager, Frame} from './FrameManager';
const readFileAsync = helper.promisify(fs.readFile); const readFileAsync = helper.promisify(fs.readFile);
interface WaitForSelectorOptions { export interface WaitForSelectorOptions {
visible?: boolean; visible?: boolean;
hidden?: boolean; hidden?: boolean;
timeout?: number; timeout?: number;
} }
export class DOMWorld { export class DOMWorld {
_frameManager: Puppeteer.FrameManager; _frameManager: FrameManager;
_frame: Puppeteer.Frame; _frame: Frame;
_timeoutSettings: TimeoutSettings; _timeoutSettings: TimeoutSettings;
_documentPromise?: Promise<ElementHandle> = null; _documentPromise?: Promise<ElementHandle> = null;
_contextPromise?: Promise<ExecutionContext> = null; _contextPromise?: Promise<ExecutionContext> = null;
@ -43,14 +44,14 @@ export class DOMWorld {
_detached = false; _detached = false;
_waitTasks = new Set<WaitTask>(); _waitTasks = new Set<WaitTask>();
constructor(frameManager: Puppeteer.FrameManager, frame: Puppeteer.Frame, timeoutSettings: TimeoutSettings) { constructor(frameManager: FrameManager, frame: Frame, timeoutSettings: TimeoutSettings) {
this._frameManager = frameManager; this._frameManager = frameManager;
this._frame = frame; this._frame = frame;
this._timeoutSettings = timeoutSettings; this._timeoutSettings = timeoutSettings;
this._setContext(null); this._setContext(null);
} }
frame(): Puppeteer.Frame { frame(): Frame {
return this._frame; return this._frame;
} }

View File

@ -18,6 +18,7 @@ import {helper, assert} from './helper';
import {createJSHandle, JSHandle, ElementHandle} from './JSHandle'; import {createJSHandle, JSHandle, ElementHandle} from './JSHandle';
import {CDPSession} from './Connection'; import {CDPSession} from './Connection';
import {DOMWorld} from './DOMWorld'; import {DOMWorld} from './DOMWorld';
import {Frame} from './FrameManager';
export const EVALUATION_SCRIPT_URL = '__puppeteer_evaluation_script__'; export const EVALUATION_SCRIPT_URL = '__puppeteer_evaluation_script__';
const SOURCE_URL_REGEX = /^[\040\t]*\/\/[@#] sourceURL=\s*(\S*?)\s*$/m; const SOURCE_URL_REGEX = /^[\040\t]*\/\/[@#] sourceURL=\s*(\S*?)\s*$/m;
@ -33,7 +34,7 @@ export class ExecutionContext {
this._contextId = contextPayload.id; this._contextId = contextPayload.id;
} }
frame(): Puppeteer.Frame | null { frame(): Frame | null {
return this._world ? this._world.frame() : null; return this._world ? this._world.frame() : null;
} }

View File

@ -14,45 +14,36 @@
* limitations under the License. * limitations under the License.
*/ */
const EventEmitter = require('events'); import * as EventEmitter from 'events';
const {helper, assert, debugError} = require('./helper'); import {helper, assert, debugError} from './helper';
const {Events} = require('./Events'); import {Events} from './Events';
const {ExecutionContext, EVALUATION_SCRIPT_URL} = require('./ExecutionContext'); import {ExecutionContext, EVALUATION_SCRIPT_URL} from './ExecutionContext';
const {LifecycleWatcher} = require('./LifecycleWatcher'); import {LifecycleWatcher, PuppeteerLifeCycleEvent} from './LifecycleWatcher';
const {DOMWorld} = require('./DOMWorld'); import {DOMWorld, WaitForSelectorOptions} from './DOMWorld';
const {NetworkManager} = require('./NetworkManager'); import {NetworkManager} from './NetworkManager';
// Used as a TypeDef import {TimeoutSettings} from './TimeoutSettings';
// eslint-disable-next-line no-unused-vars import {CDPSession} from './Connection';
const {TimeoutSettings} = require('./TimeoutSettings'); import {JSHandle, ElementHandle} from './JSHandle';
// Used as a TypeDef import {MouseButtonInput} from './Input';
// eslint-disable-next-line no-unused-vars
const {CDPSession} = require('./Connection');
// Used as a TypeDef
// eslint-disable-next-line no-unused-vars
const {JSHandle, ElementHandle} = require('./JSHandle');
const UTILITY_WORLD_NAME = '__puppeteer_utility_world__'; const UTILITY_WORLD_NAME = '__puppeteer_utility_world__';
class FrameManager extends EventEmitter { export class FrameManager extends EventEmitter {
/** _client: CDPSession;
* @param {!CDPSession} client _page: Puppeteer.Page;
* @param {!Puppeteer.Page} page _networkManager: Puppeteer.NetworkManager;
* @param {boolean} ignoreHTTPSErrors _timeoutSettings: TimeoutSettings;
* @param {!TimeoutSettings} timeoutSettings _frames = new Map<string, Frame>();
*/ _contextIdToContext = new Map<number, ExecutionContext>();
constructor(client, page, ignoreHTTPSErrors, timeoutSettings) { _isolatedWorlds = new Set<string>();
_mainFrame: Frame;
constructor(client: CDPSession, page: Puppeteer.Page, ignoreHTTPSErrors: boolean, timeoutSettings: TimeoutSettings) {
super(); super();
this._client = client; this._client = client;
this._page = page; this._page = page;
this._networkManager = new NetworkManager(client, ignoreHTTPSErrors, this); this._networkManager = new NetworkManager(client, ignoreHTTPSErrors, this);
this._timeoutSettings = timeoutSettings; this._timeoutSettings = timeoutSettings;
/** @type {!Map<string, !Frame>} */
this._frames = new Map();
/** @type {!Map<number, !ExecutionContext>} */
this._contextIdToContext = new Map();
/** @type {!Set<string>} */
this._isolatedWorlds = new Set();
this._client.on('Page.frameAttached', event => this._onFrameAttached(event.frameId, event.parentFrameId)); this._client.on('Page.frameAttached', event => this._onFrameAttached(event.frameId, event.parentFrameId));
this._client.on('Page.frameNavigated', event => this._onFrameNavigated(event.frame)); this._client.on('Page.frameNavigated', event => this._onFrameNavigated(event.frame));
this._client.on('Page.navigatedWithinDocument', event => this._onFrameNavigatedWithinDocument(event.frameId, event.url)); this._client.on('Page.navigatedWithinDocument', event => this._onFrameNavigatedWithinDocument(event.frameId, event.url));
@ -60,17 +51,17 @@ class FrameManager extends EventEmitter {
this._client.on('Page.frameStoppedLoading', event => this._onFrameStoppedLoading(event.frameId)); this._client.on('Page.frameStoppedLoading', event => this._onFrameStoppedLoading(event.frameId));
this._client.on('Runtime.executionContextCreated', event => this._onExecutionContextCreated(event.context)); this._client.on('Runtime.executionContextCreated', event => this._onExecutionContextCreated(event.context));
this._client.on('Runtime.executionContextDestroyed', event => this._onExecutionContextDestroyed(event.executionContextId)); this._client.on('Runtime.executionContextDestroyed', event => this._onExecutionContextDestroyed(event.executionContextId));
this._client.on('Runtime.executionContextsCleared', event => this._onExecutionContextsCleared()); this._client.on('Runtime.executionContextsCleared', () => this._onExecutionContextsCleared());
this._client.on('Page.lifecycleEvent', event => this._onLifecycleEvent(event)); this._client.on('Page.lifecycleEvent', event => this._onLifecycleEvent(event));
} }
async initialize() { async initialize(): Promise<void> {
const result = await Promise.all([ const result = await Promise.all<Protocol.Page.enableReturnValue, Protocol.Page.getFrameTreeReturnValue>([
this._client.send('Page.enable'), this._client.send('Page.enable'),
this._client.send('Page.getFrameTree'), this._client.send('Page.getFrameTree'),
]); ]);
const {frameTree} = /** @type Protocol.Page.getFrameTreeReturnValue*/ (result[1]); const {frameTree} = result[1];
this._handleFrameTree(frameTree); this._handleFrameTree(frameTree);
await Promise.all([ await Promise.all([
this._client.send('Page.setLifecycleEventsEnabled', {enabled: true}), this._client.send('Page.setLifecycleEventsEnabled', {enabled: true}),
@ -79,20 +70,11 @@ class FrameManager extends EventEmitter {
]); ]);
} }
/** networkManager(): Puppeteer.NetworkManager {
* @return {!NetworkManager}
*/
networkManager() {
return this._networkManager; return this._networkManager;
} }
/** async navigateFrame(frame: Frame, url: string, options: {referer?: string; timeout?: number; waitUntil?: PuppeteerLifeCycleEvent|PuppeteerLifeCycleEvent[]} = {}): Promise<Puppeteer.Response | null> {
* @param {!Puppeteer.Frame} frame
* @param {string} url
* @param {!{referer?: string, timeout?: number, waitUntil?: !Puppeteer.PuppeteerLifeCycleEvent|!Array<!Puppeteer.PuppeteerLifeCycleEvent>}=} options
* @return {!Promise<?Puppeteer.Response>}
*/
async navigateFrame(frame, url, options = {}) {
assertNoLegacyNavigationOptions(options); assertNoLegacyNavigationOptions(options);
const { const {
referer = this._networkManager.extraHTTPHeaders()['referer'], referer = this._networkManager.extraHTTPHeaders()['referer'],
@ -117,14 +99,7 @@ class FrameManager extends EventEmitter {
throw error; throw error;
return watcher.navigationResponse(); return watcher.navigationResponse();
/** async function navigate(client: CDPSession, url: string, referrer: string, frameId: string): Promise<Error | null> {
* @param {!CDPSession} client
* @param {string} url
* @param {string} referrer
* @param {string} frameId
* @return {!Promise<?Error>}
*/
async function navigate(client, url, referrer, frameId) {
try { try {
const response = await client.send('Page.navigate', {url, referrer, frameId}); const response = await client.send('Page.navigate', {url, referrer, frameId});
ensureNewDocumentNavigation = !!response.loaderId; ensureNewDocumentNavigation = !!response.loaderId;
@ -135,12 +110,7 @@ class FrameManager extends EventEmitter {
} }
} }
/** async waitForFrameNavigation(frame: Frame, options: {timeout?: number; waitUntil?: PuppeteerLifeCycleEvent|PuppeteerLifeCycleEvent[]} = {}): Promise<Puppeteer.Response | null> {
* @param {!Puppeteer.Frame} frame
* @param {!{timeout?: number, waitUntil?: !Puppeteer.PuppeteerLifeCycleEvent|!Array<!Puppeteer.PuppeteerLifeCycleEvent>}=} options
* @return {!Promise<?Puppeteer.Response>}
*/
async waitForFrameNavigation(frame, options = {}) {
assertNoLegacyNavigationOptions(options); assertNoLegacyNavigationOptions(options);
const { const {
waitUntil = ['load'], waitUntil = ['load'],
@ -158,10 +128,7 @@ class FrameManager extends EventEmitter {
return watcher.navigationResponse(); return watcher.navigationResponse();
} }
/** _onLifecycleEvent(event: Protocol.Page.lifecycleEventPayload): void {
* @param {!Protocol.Page.lifecycleEventPayload} event
*/
_onLifecycleEvent(event) {
const frame = this._frames.get(event.frameId); const frame = this._frames.get(event.frameId);
if (!frame) if (!frame)
return; return;
@ -169,10 +136,7 @@ class FrameManager extends EventEmitter {
this.emit(Events.FrameManager.LifecycleEvent, frame); this.emit(Events.FrameManager.LifecycleEvent, frame);
} }
/** _onFrameStoppedLoading(frameId: string): void {
* @param {string} frameId
*/
_onFrameStoppedLoading(frameId) {
const frame = this._frames.get(frameId); const frame = this._frames.get(frameId);
if (!frame) if (!frame)
return; return;
@ -180,10 +144,7 @@ class FrameManager extends EventEmitter {
this.emit(Events.FrameManager.LifecycleEvent, frame); this.emit(Events.FrameManager.LifecycleEvent, frame);
} }
/** _handleFrameTree(frameTree: Protocol.Page.FrameTree): void {
* @param {!Protocol.Page.FrameTree} frameTree
*/
_handleFrameTree(frameTree) {
if (frameTree.frame.parentId) if (frameTree.frame.parentId)
this._onFrameAttached(frameTree.frame.id, frameTree.frame.parentId); this._onFrameAttached(frameTree.frame.id, frameTree.frame.parentId);
this._onFrameNavigated(frameTree.frame); this._onFrameNavigated(frameTree.frame);
@ -194,40 +155,23 @@ class FrameManager extends EventEmitter {
this._handleFrameTree(child); this._handleFrameTree(child);
} }
/** page(): Puppeteer.Page {
* @return {!Puppeteer.Page}
*/
page() {
return this._page; return this._page;
} }
/** mainFrame(): Frame {
* @return {!Frame}
*/
mainFrame() {
return this._mainFrame; return this._mainFrame;
} }
/** frames(): Frame[] {
* @return {!Array<!Frame>}
*/
frames() {
return Array.from(this._frames.values()); return Array.from(this._frames.values());
} }
/** frame(frameId: string): Frame | null {
* @param {!string} frameId
* @return {?Frame}
*/
frame(frameId) {
return this._frames.get(frameId) || null; return this._frames.get(frameId) || null;
} }
/** _onFrameAttached(frameId: string, parentFrameId?: string): void {
* @param {string} frameId
* @param {?string} parentFrameId
*/
_onFrameAttached(frameId, parentFrameId) {
if (this._frames.has(frameId)) if (this._frames.has(frameId))
return; return;
assert(parentFrameId); assert(parentFrameId);
@ -237,10 +181,7 @@ class FrameManager extends EventEmitter {
this.emit(Events.FrameManager.FrameAttached, frame); this.emit(Events.FrameManager.FrameAttached, frame);
} }
/** _onFrameNavigated(framePayload: Protocol.Page.Frame): void {
* @param {!Protocol.Page.Frame} framePayload
*/
_onFrameNavigated(framePayload) {
const isMainFrame = !framePayload.parentId; const isMainFrame = !framePayload.parentId;
let frame = isMainFrame ? this._mainFrame : this._frames.get(framePayload.id); let frame = isMainFrame ? this._mainFrame : this._frames.get(framePayload.id);
assert(isMainFrame || frame, 'We either navigate top level or have old version of the navigated frame'); assert(isMainFrame || frame, 'We either navigate top level or have old version of the navigated frame');
@ -271,10 +212,7 @@ class FrameManager extends EventEmitter {
this.emit(Events.FrameManager.FrameNavigated, frame); this.emit(Events.FrameManager.FrameNavigated, frame);
} }
/** async _ensureIsolatedWorld(name: string): Promise<void> {
* @param {string} name
*/
async _ensureIsolatedWorld(name) {
if (this._isolatedWorlds.has(name)) if (this._isolatedWorlds.has(name))
return; return;
this._isolatedWorlds.add(name); this._isolatedWorlds.add(name);
@ -289,11 +227,7 @@ class FrameManager extends EventEmitter {
}).catch(debugError))); // frames might be removed before we send this }).catch(debugError))); // frames might be removed before we send this
} }
/** _onFrameNavigatedWithinDocument(frameId: string, url: string): void {
* @param {string} frameId
* @param {string} url
*/
_onFrameNavigatedWithinDocument(frameId, url) {
const frame = this._frames.get(frameId); const frame = this._frames.get(frameId);
if (!frame) if (!frame)
return; return;
@ -302,17 +236,15 @@ class FrameManager extends EventEmitter {
this.emit(Events.FrameManager.FrameNavigated, frame); this.emit(Events.FrameManager.FrameNavigated, frame);
} }
/** _onFrameDetached(frameId: string): void {
* @param {string} frameId
*/
_onFrameDetached(frameId) {
const frame = this._frames.get(frameId); const frame = this._frames.get(frameId);
if (frame) if (frame)
this._removeFramesRecursively(frame); this._removeFramesRecursively(frame);
} }
_onExecutionContextCreated(contextPayload) { _onExecutionContextCreated(contextPayload: Protocol.Runtime.ExecutionContextDescription): void {
const frameId = contextPayload.auxData ? contextPayload.auxData.frameId : null; const auxData = contextPayload.auxData as { frameId?: string};
const frameId = auxData ? auxData.frameId : null;
const frame = this._frames.get(frameId) || null; const frame = this._frames.get(frameId) || null;
let world = null; let world = null;
if (frame) { if (frame) {
@ -327,7 +259,6 @@ class FrameManager extends EventEmitter {
} }
if (contextPayload.auxData && contextPayload.auxData['type'] === 'isolated') if (contextPayload.auxData && contextPayload.auxData['type'] === 'isolated')
this._isolatedWorlds.add(contextPayload.name); this._isolatedWorlds.add(contextPayload.name);
/** @type {!ExecutionContext} */
const context = new ExecutionContext(this._client, contextPayload, world); const context = new ExecutionContext(this._client, contextPayload, world);
if (world) if (world)
world._setContext(context); world._setContext(context);
@ -337,7 +268,7 @@ class FrameManager extends EventEmitter {
/** /**
* @param {number} executionContextId * @param {number} executionContextId
*/ */
_onExecutionContextDestroyed(executionContextId) { _onExecutionContextDestroyed(executionContextId: number): void {
const context = this._contextIdToContext.get(executionContextId); const context = this._contextIdToContext.get(executionContextId);
if (!context) if (!context)
return; return;
@ -346,7 +277,7 @@ class FrameManager extends EventEmitter {
context._world._setContext(null); context._world._setContext(null);
} }
_onExecutionContextsCleared() { _onExecutionContextsCleared(): void {
for (const context of this._contextIdToContext.values()) { for (const context of this._contextIdToContext.values()) {
if (context._world) if (context._world)
context._world._setContext(null); context._world._setContext(null);
@ -354,20 +285,13 @@ class FrameManager extends EventEmitter {
this._contextIdToContext.clear(); this._contextIdToContext.clear();
} }
/** executionContextById(contextId: number): ExecutionContext {
* @param {number} contextId
* @return {!ExecutionContext}
*/
executionContextById(contextId) {
const context = this._contextIdToContext.get(contextId); const context = this._contextIdToContext.get(contextId);
assert(context, 'INTERNAL ERROR: missing context with id = ' + contextId); assert(context, 'INTERNAL ERROR: missing context with id = ' + contextId);
return context; return context;
} }
/** _removeFramesRecursively(frame: Frame): void {
* @param {!Frame} frame
*/
_removeFramesRecursively(frame) {
for (const child of frame.childFrames()) for (const child of frame.childFrames())
this._removeFramesRecursively(child); this._removeFramesRecursively(child);
frame._detach(); frame._detach();
@ -376,17 +300,23 @@ class FrameManager extends EventEmitter {
} }
} }
/** export class Frame {
* @unrestricted _frameManager: FrameManager;
*/ _client: CDPSession;
class Frame { _parentFrame?: Frame;
/** _id: string;
* @param {!FrameManager} frameManager
* @param {!CDPSession} client _url = '';
* @param {?Frame} parentFrame _detached = false;
* @param {string} frameId _loaderId = '';
*/ _name?: string;
constructor(frameManager, client, parentFrame, frameId) {
_lifecycleEvents = new Set<string>();
_mainWorld: DOMWorld;
_secondaryWorld: DOMWorld;
_childFrames: Set<Frame>;
constructor(frameManager: FrameManager, client: CDPSession, parentFrame: Frame | null, frameId: string) {
this._frameManager = frameManager; this._frameManager = frameManager;
this._client = client; this._client = client;
this._parentFrame = parentFrame; this._parentFrame = parentFrame;
@ -395,246 +325,131 @@ class Frame {
this._detached = false; this._detached = false;
this._loaderId = ''; this._loaderId = '';
/** @type {!Set<string>} */
this._lifecycleEvents = new Set();
/** @type {!DOMWorld} */
this._mainWorld = new DOMWorld(frameManager, this, frameManager._timeoutSettings); this._mainWorld = new DOMWorld(frameManager, this, frameManager._timeoutSettings);
/** @type {!DOMWorld} */
this._secondaryWorld = new DOMWorld(frameManager, this, frameManager._timeoutSettings); this._secondaryWorld = new DOMWorld(frameManager, this, frameManager._timeoutSettings);
/** @type {!Set<!Frame>} */
this._childFrames = new Set(); this._childFrames = new Set();
if (this._parentFrame) if (this._parentFrame)
this._parentFrame._childFrames.add(this); this._parentFrame._childFrames.add(this);
} }
/** async goto(url: string, options: {referer?: string; timeout?: number; waitUntil?: PuppeteerLifeCycleEvent | PuppeteerLifeCycleEvent[]}): Promise<Puppeteer.Response | null> {
* @param {string} url
* @param {!{referer?: string, timeout?: number, waitUntil?: !Puppeteer.PuppeteerLifeCycleEvent|!Array<!Puppeteer.PuppeteerLifeCycleEvent>}=} options
* @return {!Promise<?Puppeteer.Response>}
*/
async goto(url, options) {
return await this._frameManager.navigateFrame(this, url, options); return await this._frameManager.navigateFrame(this, url, options);
} }
/** async waitForNavigation(options: {timeout?: number; waitUntil?: PuppeteerLifeCycleEvent|PuppeteerLifeCycleEvent[]}): Promise<Puppeteer.Response | null> {
* @param {!{timeout?: number, waitUntil?: !Puppeteer.PuppeteerLifeCycleEvent|!Array<!Puppeteer.PuppeteerLifeCycleEvent>}=} options
* @return {!Promise<?Puppeteer.Response>}
*/
async waitForNavigation(options) {
return await this._frameManager.waitForFrameNavigation(this, options); return await this._frameManager.waitForFrameNavigation(this, options);
} }
/** executionContext(): Promise<ExecutionContext> {
* @return {!Promise<!ExecutionContext>}
*/
executionContext() {
return this._mainWorld.executionContext(); return this._mainWorld.executionContext();
} }
/** async evaluateHandle(pageFunction: Function|string, ...args: unknown[]): Promise<JSHandle> {
* @param {Function|string} pageFunction
* @param {!Array<*>} args
* @return {!Promise<!JSHandle>}
*/
async evaluateHandle(pageFunction, ...args) {
return this._mainWorld.evaluateHandle(pageFunction, ...args); return this._mainWorld.evaluateHandle(pageFunction, ...args);
} }
/** async evaluate<ReturnType extends any>(pageFunction: Function|string, ...args: unknown[]): Promise<ReturnType> {
* @param {Function|string} pageFunction return this._mainWorld.evaluate<ReturnType>(pageFunction, ...args);
* @param {!Array<*>} args
* @return {!Promise<*>}
*/
async evaluate(pageFunction, ...args) {
return this._mainWorld.evaluate(pageFunction, ...args);
} }
/** async $(selector: string): Promise<ElementHandle | null> {
* @param {string} selector
* @return {!Promise<?ElementHandle>}
*/
async $(selector) {
return this._mainWorld.$(selector); return this._mainWorld.$(selector);
} }
/** async $x(expression: string): Promise<ElementHandle[]> {
* @param {string} expression
* @return {!Promise<!Array<!ElementHandle>>}
*/
async $x(expression) {
return this._mainWorld.$x(expression); return this._mainWorld.$x(expression);
} }
/** async $eval<ReturnType extends any>(selector: string, pageFunction: Function | string, ...args: unknown[]): Promise<ReturnType> {
* @param {string} selector return this._mainWorld.$eval<ReturnType>(selector, pageFunction, ...args);
* @param {Function|string} pageFunction
* @param {!Array<*>} args
* @return {!Promise<(!Object|undefined)>}
*/
async $eval(selector, pageFunction, ...args) {
return this._mainWorld.$eval(selector, pageFunction, ...args);
} }
/** async $$eval<ReturnType extends any>(selector: string, pageFunction: Function | string, ...args: unknown[]): Promise<ReturnType> {
* @param {string} selector return this._mainWorld.$$eval<ReturnType>(selector, pageFunction, ...args);
* @param {Function|string} pageFunction
* @param {!Array<*>} args
* @return {!Promise<(!Object|undefined)>}
*/
async $$eval(selector, pageFunction, ...args) {
return this._mainWorld.$$eval(selector, pageFunction, ...args);
} }
/** async $$(selector: string): Promise<ElementHandle[]> {
* @param {string} selector
* @return {!Promise<!Array<!ElementHandle>>}
*/
async $$(selector) {
return this._mainWorld.$$(selector); return this._mainWorld.$$(selector);
} }
/** async content(): Promise<string> {
* @return {!Promise<String>}
*/
async content() {
return this._secondaryWorld.content(); return this._secondaryWorld.content();
} }
/** async setContent(html: string, options: {timeout?: number; waitUntil?: PuppeteerLifeCycleEvent|PuppeteerLifeCycleEvent[]} = {}): Promise<void> {
* @param {string} html
* @param {!{timeout?: number, waitUntil?: !Puppeteer.PuppeteerLifeCycleEvent|!Array<!Puppeteer.PuppeteerLifeCycleEvent>}=} options
*/
async setContent(html, options = {}) {
return this._secondaryWorld.setContent(html, options); return this._secondaryWorld.setContent(html, options);
} }
/** name(): string {
* @return {string}
*/
name() {
return this._name || ''; return this._name || '';
} }
/** url(): string {
* @return {string}
*/
url() {
return this._url; return this._url;
} }
/** parentFrame(): Frame | null {
* @return {?Frame}
*/
parentFrame() {
return this._parentFrame; return this._parentFrame;
} }
/** childFrames(): Frame[] {
* @return {!Array.<!Frame>}
*/
childFrames() {
return Array.from(this._childFrames); return Array.from(this._childFrames);
} }
/** isDetached(): boolean {
* @return {boolean}
*/
isDetached() {
return this._detached; return this._detached;
} }
/** async addScriptTag(options: {url?: string; path?: string; content?: string; type?: string}): Promise<ElementHandle> {
* @param {!{url?: string, path?: string, content?: string, type?: string}} options
* @return {!Promise<!ElementHandle>}
*/
async addScriptTag(options) {
return this._mainWorld.addScriptTag(options); return this._mainWorld.addScriptTag(options);
} }
/** async addStyleTag(options: {url?: string; path?: string; content?: string}): Promise<ElementHandle> {
* @param {!{url?: string, path?: string, content?: string}} options
* @return {!Promise<!ElementHandle>}
*/
async addStyleTag(options) {
return this._mainWorld.addStyleTag(options); return this._mainWorld.addStyleTag(options);
} }
/** async click(selector: string, options: {delay?: number; button?: MouseButtonInput; clickCount?: number}): Promise<void> {
* @param {string} selector
* @param {!{delay?: number, button?: "left"|"right"|"middle", clickCount?: number}=} options
*/
async click(selector, options) {
return this._secondaryWorld.click(selector, options); return this._secondaryWorld.click(selector, options);
} }
/** async focus(selector: string): Promise<void> {
* @param {string} selector
*/
async focus(selector) {
return this._secondaryWorld.focus(selector); return this._secondaryWorld.focus(selector);
} }
/** async hover(selector: string): Promise<void> {
* @param {string} selector
*/
async hover(selector) {
return this._secondaryWorld.hover(selector); return this._secondaryWorld.hover(selector);
} }
/** select(selector: string, ...values: string[]): Promise<string[]> {
* @param {string} selector
* @param {!Array<string>} values
* @return {!Promise<!Array<string>>}
*/
select(selector, ...values){
return this._secondaryWorld.select(selector, ...values); return this._secondaryWorld.select(selector, ...values);
} }
/** async tap(selector: string): Promise<void> {
* @param {string} selector
*/
async tap(selector) {
return this._secondaryWorld.tap(selector); return this._secondaryWorld.tap(selector);
} }
/** async type(selector: string, text: string, options?: {delay: number}): Promise<void> {
* @param {string} selector
* @param {string} text
* @param {{delay: (number|undefined)}=} options
*/
async type(selector, text, options) {
return this._mainWorld.type(selector, text, options); return this._mainWorld.type(selector, text, options);
} }
/** waitFor(selectorOrFunctionOrTimeout: string|number|Function, options: {} = {}, ...args: unknown[]): Promise<JSHandle | null> {
* @param {(string|number|Function)} selectorOrFunctionOrTimeout
* @param {!Object=} options
* @param {!Array<*>} args
* @return {!Promise<?JSHandle>}
*/
waitFor(selectorOrFunctionOrTimeout, options = {}, ...args) {
const xPathPattern = '//'; const xPathPattern = '//';
if (helper.isString(selectorOrFunctionOrTimeout)) { if (helper.isString(selectorOrFunctionOrTimeout)) {
const string = /** @type {string} */ (selectorOrFunctionOrTimeout); const string = selectorOrFunctionOrTimeout;
if (string.startsWith(xPathPattern)) if (string.startsWith(xPathPattern))
return this.waitForXPath(string, options); return this.waitForXPath(string, options);
return this.waitForSelector(string, options); return this.waitForSelector(string, options);
} }
if (helper.isNumber(selectorOrFunctionOrTimeout)) if (helper.isNumber(selectorOrFunctionOrTimeout))
return new Promise(fulfill => setTimeout(fulfill, /** @type {number} */ (selectorOrFunctionOrTimeout))); return new Promise(fulfill => setTimeout(fulfill, selectorOrFunctionOrTimeout));
if (typeof selectorOrFunctionOrTimeout === 'function') if (typeof selectorOrFunctionOrTimeout === 'function')
return this.waitForFunction(selectorOrFunctionOrTimeout, options, ...args); return this.waitForFunction(selectorOrFunctionOrTimeout, options, ...args);
return Promise.reject(new Error('Unsupported target type: ' + (typeof selectorOrFunctionOrTimeout))); return Promise.reject(new Error('Unsupported target type: ' + (typeof selectorOrFunctionOrTimeout)));
} }
/** async waitForSelector(selector: string, options: WaitForSelectorOptions): Promise<ElementHandle | null> {
* @param {string} selector
* @param {!{visible?: boolean, hidden?: boolean, timeout?: number}=} options
* @return {!Promise<?ElementHandle>}
*/
async waitForSelector(selector, options) {
const handle = await this._secondaryWorld.waitForSelector(selector, options); const handle = await this._secondaryWorld.waitForSelector(selector, options);
if (!handle) if (!handle)
return null; return null;
@ -644,12 +459,7 @@ class Frame {
return result; return result;
} }
/** async waitForXPath(xpath: string, options: WaitForSelectorOptions): Promise<ElementHandle | null> {
* @param {string} xpath
* @param {!{visible?: boolean, hidden?: boolean, timeout?: number}=} options
* @return {!Promise<?ElementHandle>}
*/
async waitForXPath(xpath, options) {
const handle = await this._secondaryWorld.waitForXPath(xpath, options); const handle = await this._secondaryWorld.waitForXPath(xpath, options);
if (!handle) if (!handle)
return null; return null;
@ -659,44 +469,24 @@ class Frame {
return result; return result;
} }
/** waitForFunction(pageFunction: Function|string, options: {polling?: string|number; timeout?: number} = {}, ...args: unknown[]): Promise<JSHandle> {
* @param {Function|string} pageFunction
* @param {!{polling?: string|number, timeout?: number}=} options
* @return {!Promise<!JSHandle>}
*/
waitForFunction(pageFunction, options = {}, ...args) {
return this._mainWorld.waitForFunction(pageFunction, options, ...args); return this._mainWorld.waitForFunction(pageFunction, options, ...args);
} }
/** async title(): Promise<string> {
* @return {!Promise<string>}
*/
async title() {
return this._secondaryWorld.title(); return this._secondaryWorld.title();
} }
/** _navigated(framePayload: Protocol.Page.Frame): void {
* @param {!Protocol.Page.Frame} framePayload
*/
_navigated(framePayload) {
this._name = framePayload.name; this._name = framePayload.name;
// TODO(lushnikov): remove this once requestInterception has loaderId exposed.
this._navigationURL = framePayload.url;
this._url = framePayload.url; this._url = framePayload.url;
} }
/** _navigatedWithinDocument(url: string): void {
* @param {string} url
*/
_navigatedWithinDocument(url) {
this._url = url; this._url = url;
} }
/** _onLifecycleEvent(loaderId: string, name: string): void {
* @param {string} loaderId
* @param {string} name
*/
_onLifecycleEvent(loaderId, name) {
if (name === 'init') { if (name === 'init') {
this._loaderId = loaderId; this._loaderId = loaderId;
this._lifecycleEvents.clear(); this._lifecycleEvents.clear();
@ -704,12 +494,12 @@ class Frame {
this._lifecycleEvents.add(name); this._lifecycleEvents.add(name);
} }
_onLoadingStopped() { _onLoadingStopped(): void {
this._lifecycleEvents.add('DOMContentLoaded'); this._lifecycleEvents.add('DOMContentLoaded');
this._lifecycleEvents.add('load'); this._lifecycleEvents.add('load');
} }
_detach() { _detach(): void {
this._detached = true; this._detached = true;
this._mainWorld._detach(); this._mainWorld._detach();
this._secondaryWorld._detach(); this._secondaryWorld._detach();
@ -719,10 +509,8 @@ class Frame {
} }
} }
function assertNoLegacyNavigationOptions(options) { function assertNoLegacyNavigationOptions(options: {[optionName: string]: unknown}): void {
assert(options['networkIdleTimeout'] === undefined, 'ERROR: networkIdleTimeout option is no longer supported.'); assert(options['networkIdleTimeout'] === undefined, 'ERROR: networkIdleTimeout option is no longer supported.');
assert(options['networkIdleInflight'] === undefined, 'ERROR: networkIdleInflight option is no longer supported.'); assert(options['networkIdleInflight'] === undefined, 'ERROR: networkIdleInflight option is no longer supported.');
assert(options.waitUntil !== 'networkidle', 'ERROR: "networkidle" option is no longer supported. Use "networkidle2" instead'); assert(options.waitUntil !== 'networkidle', 'ERROR: "networkidle" option is no longer supported. Use "networkidle2" instead');
} }
module.exports = {FrameManager, Frame};

View File

@ -18,6 +18,7 @@ import {helper, assert, debugError} from './helper';
import {ExecutionContext} from './ExecutionContext'; import {ExecutionContext} from './ExecutionContext';
import {CDPSession} from './Connection'; import {CDPSession} from './Connection';
import {KeyInput} from './USKeyboardLayout'; import {KeyInput} from './USKeyboardLayout';
import {FrameManager, Frame} from './FrameManager';
interface BoxModel { interface BoxModel {
content: Array<{x: number; y: number}>; content: Array<{x: number; y: number}>;
@ -123,15 +124,15 @@ export class JSHandle {
export class ElementHandle extends JSHandle { export class ElementHandle extends JSHandle {
_page: Puppeteer.Page; _page: Puppeteer.Page;
_frameManager: Puppeteer.FrameManager; _frameManager: FrameManager;
/** /**
* @param {!ExecutionContext} context * @param {!ExecutionContext} context
* @param {!CDPSession} client * @param {!CDPSession} client
* @param {!Protocol.Runtime.RemoteObject} remoteObject * @param {!Protocol.Runtime.RemoteObject} remoteObject
* @param {!Puppeteer.Page} page * @param {!Puppeteer.Page} page
* @param {!Puppeteer.FrameManager} frameManager * @param {!FrameManager} frameManager
*/ */
constructor(context: ExecutionContext, client: CDPSession, remoteObject: Protocol.Runtime.RemoteObject, page: Puppeteer.Page, frameManager: Puppeteer.FrameManager) { constructor(context: ExecutionContext, client: CDPSession, remoteObject: Protocol.Runtime.RemoteObject, page: Puppeteer.Page, frameManager: FrameManager) {
super(context, client, remoteObject); super(context, client, remoteObject);
this._client = client; this._client = client;
this._remoteObject = remoteObject; this._remoteObject = remoteObject;
@ -143,7 +144,7 @@ export class ElementHandle extends JSHandle {
return this; return this;
} }
async contentFrame(): Promise<Puppeteer.Frame | null> { async contentFrame(): Promise<Frame | null> {
const nodeInfo = await this._client.send('DOM.describeNode', { const nodeInfo = await this._client.send('DOM.describeNode', {
objectId: this._remoteObject.objectId objectId: this._remoteObject.objectId
}); });

View File

@ -17,6 +17,7 @@
import {helper, assert, PuppeteerEventListener} from './helper'; import {helper, assert, PuppeteerEventListener} from './helper';
import {Events} from './Events'; import {Events} from './Events';
import {TimeoutError} from './Errors'; import {TimeoutError} from './Errors';
import {FrameManager, Frame} from './FrameManager';
export type PuppeteerLifeCycleEvent = 'load' | 'domcontentloaded' | 'networkidle0' | 'networkidle2'; export type PuppeteerLifeCycleEvent = 'load' | 'domcontentloaded' | 'networkidle0' | 'networkidle2';
type ProtocolLifeCycleEvent = 'load' | 'DOMContentLoaded' | 'networkIdle' | 'networkAlmostIdle'; type ProtocolLifeCycleEvent = 'load' | 'DOMContentLoaded' | 'networkIdle' | 'networkAlmostIdle';
@ -31,8 +32,8 @@ const puppeteerToProtocolLifecycle = new Map<PuppeteerLifeCycleEvent, ProtocolLi
export class LifecycleWatcher { export class LifecycleWatcher {
_expectedLifecycle: ProtocolLifeCycleEvent[]; _expectedLifecycle: ProtocolLifeCycleEvent[];
_frameManager: Puppeteer.FrameManager; _frameManager: FrameManager;
_frame: Puppeteer.Frame; _frame: Frame;
_timeout: number; _timeout: number;
_navigationRequest?: Puppeteer.Request; _navigationRequest?: Puppeteer.Request;
_eventListeners: PuppeteerEventListener[]; _eventListeners: PuppeteerEventListener[];
@ -56,7 +57,7 @@ export class LifecycleWatcher {
_maximumTimer?: NodeJS.Timeout; _maximumTimer?: NodeJS.Timeout;
_hasSameDocumentNavigation?: boolean; _hasSameDocumentNavigation?: boolean;
constructor(frameManager: Puppeteer.FrameManager, frame: Puppeteer.Frame, waitUntil: PuppeteerLifeCycleEvent|PuppeteerLifeCycleEvent[], timeout: number) { constructor(frameManager: FrameManager, frame: Frame, waitUntil: PuppeteerLifeCycleEvent|PuppeteerLifeCycleEvent[], timeout: number) {
if (Array.isArray(waitUntil)) if (Array.isArray(waitUntil))
waitUntil = waitUntil.slice(); waitUntil = waitUntil.slice();
else if (typeof waitUntil === 'string') else if (typeof waitUntil === 'string')
@ -106,7 +107,7 @@ export class LifecycleWatcher {
this._navigationRequest = request; this._navigationRequest = request;
} }
_onFrameDetached(frame: Puppeteer.Frame): void { _onFrameDetached(frame: Frame): void {
if (this._frame === frame) { if (this._frame === frame) {
this._terminationCallback.call(null, new Error('Navigating frame was detached')); this._terminationCallback.call(null, new Error('Navigating frame was detached'));
return; return;
@ -146,7 +147,7 @@ export class LifecycleWatcher {
.then(() => new TimeoutError(errorMessage)); .then(() => new TimeoutError(errorMessage));
} }
_navigatedWithinDocument(frame: Puppeteer.Frame): void { _navigatedWithinDocument(frame: Frame): void {
if (frame !== this._frame) if (frame !== this._frame)
return; return;
this._hasSameDocumentNavigation = true; this._hasSameDocumentNavigation = true;
@ -166,11 +167,11 @@ export class LifecycleWatcher {
this._newDocumentNavigationCompleteCallback(); this._newDocumentNavigationCompleteCallback();
/** /**
* @param {!Puppeteer.Frame} frame * @param {!Frame} frame
* @param {!Array<string>} expectedLifecycle * @param {!Array<string>} expectedLifecycle
* @return {boolean} * @return {boolean}
*/ */
function checkLifecycle(frame: Puppeteer.Frame, expectedLifecycle: ProtocolLifeCycleEvent[]): boolean { function checkLifecycle(frame: Frame, expectedLifecycle: ProtocolLifeCycleEvent[]): boolean {
for (const event of expectedLifecycle) { for (const event of expectedLifecycle) {
if (!frame._lifecycleEvents.has(event)) if (!frame._lifecycleEvents.has(event))
return false; return false;

View File

@ -19,11 +19,14 @@ const {Events} = require('./Events');
// CDPSession is used only as a typedef // CDPSession is used only as a typedef
// eslint-disable-next-line no-unused-vars // eslint-disable-next-line no-unused-vars
const {CDPSession} = require('./Connection'); const {CDPSession} = require('./Connection');
// used only as a typedef
// eslint-disable-next-line no-unused-vars
const {Frame, FrameManager} = require('./FrameManager');
class NetworkManager extends EventEmitter { class NetworkManager extends EventEmitter {
/** /**
* @param {!CDPSession} client * @param {!CDPSession} client
* @param {!Puppeteer.FrameManager} frameManager * @param {!FrameManager} frameManager
*/ */
constructor(client, ignoreHTTPSErrors, frameManager) { constructor(client, ignoreHTTPSErrors, frameManager) {
super(); super();
@ -316,7 +319,7 @@ class NetworkManager extends EventEmitter {
class Request { class Request {
/** /**
* @param {!CDPSession} client * @param {!CDPSession} client
* @param {?Puppeteer.Frame} frame * @param {?Frame} frame
* @param {string} interceptionId * @param {string} interceptionId
* @param {boolean} allowInterception * @param {boolean} allowInterception
* @param {!Protocol.Network.requestWillBeSentPayload} event * @param {!Protocol.Network.requestWillBeSentPayload} event
@ -388,7 +391,7 @@ class Request {
} }
/** /**
* @return {?Puppeteer.Frame} * @return {?Frame}
*/ */
frame() { frame() {
return this._frame; return this._frame;
@ -659,7 +662,7 @@ class Response {
} }
/** /**
* @return {?Puppeteer.Frame} * @return {?Frame}
*/ */
frame() { frame() {
return this._request.frame(); return this._request.frame();

View File

@ -23,7 +23,9 @@ const {Events} = require('./Events');
const {Connection, CDPSession} = require('./Connection'); const {Connection, CDPSession} = require('./Connection');
const {Dialog} = require('./Dialog'); const {Dialog} = require('./Dialog');
const {EmulationManager} = require('./EmulationManager'); const {EmulationManager} = require('./EmulationManager');
const {FrameManager} = require('./FrameManager'); // Import used as typedef
// eslint-disable-next-line no-unused-vars
const {Frame, FrameManager} = require('./FrameManager');
const {Keyboard, Mouse, Touchscreen} = require('./Input'); const {Keyboard, Mouse, Touchscreen} = require('./Input');
const {Tracing} = require('./Tracing'); const {Tracing} = require('./Tracing');
const {helper, debugError, assert} = require('./helper'); const {helper, debugError, assert} = require('./helper');
@ -236,7 +238,7 @@ class Page extends EventEmitter {
} }
/** /**
* @return {!Puppeteer.Frame} * @return {!Frame}
*/ */
mainFrame() { mainFrame() {
return this._frameManager.mainFrame(); return this._frameManager.mainFrame();
@ -278,7 +280,7 @@ class Page extends EventEmitter {
} }
/** /**
* @return {!Array<Puppeteer.Frame>} * @return {!Array<Frame>}
*/ */
frames() { frames() {
return this._frameManager.frames(); return this._frameManager.frames();

3
src/externs.d.ts vendored
View File

@ -1,13 +1,10 @@
import {Target as RealTarget} from './Target.js'; import {Target as RealTarget} from './Target.js';
import {Page as RealPage} from './Page.js'; import {Page as RealPage} from './Page.js';
import {Frame as RealFrame, FrameManager as RealFrameManager} from './FrameManager.js';
import { NetworkManager as RealNetworkManager, Request as RealRequest, Response as RealResponse } from './NetworkManager.js'; import { NetworkManager as RealNetworkManager, Request as RealRequest, Response as RealResponse } from './NetworkManager.js';
import * as child_process from 'child_process'; import * as child_process from 'child_process';
declare global { declare global {
module Puppeteer { module Puppeteer {
export class Target extends RealTarget {} export class Target extends RealTarget {}
export class Frame extends RealFrame {}
export class FrameManager extends RealFrameManager {}
export class NetworkManager extends RealNetworkManager {} export class NetworkManager extends RealNetworkManager {}
export class Page extends RealPage { } export class Page extends RealPage { }
export class Response extends RealResponse { } export class Response extends RealResponse { }

View File

@ -45,7 +45,7 @@ const utils = module.exports = {
* @param {!Page} page * @param {!Page} page
* @param {string} frameId * @param {string} frameId
* @param {string} url * @param {string} url
* @return {!Puppeteer.Frame} * @return {!Frame}
*/ */
attachFrame: async function(page, frameId, url) { attachFrame: async function(page, frameId, url) {
const handle = await page.evaluateHandle(attachFrame, frameId, url); const handle = await page.evaluateHandle(attachFrame, frameId, url);

View File

@ -299,6 +299,14 @@ function compareDocumentations(actual, expected) {
actualName: 'Object', actualName: 'Object',
expectedName: 'TracingOptions' expectedName: 'TracingOptions'
}], }],
['Method Frame.waitForSelector() options', {
actualName: 'Object',
expectedName: 'WaitForSelectorOptions'
}],
['Method Frame.waitForXPath() options', {
actualName: 'Object',
expectedName: 'WaitForSelectorOptions'
}],
['Method Frame.goto() options.waitUntil', { ['Method Frame.goto() options.waitUntil', {
actualName: '"load"|"domcontentloaded"|"networkidle0"|"networkidle2"|Array', actualName: '"load"|"domcontentloaded"|"networkidle0"|"networkidle2"|Array',
expectedName: '"load"|"domcontentloaded"|"networkidle0"|"networkidle2"|Array<PuppeteerLifeCycleEvent>' expectedName: '"load"|"domcontentloaded"|"networkidle0"|"networkidle2"|Array<PuppeteerLifeCycleEvent>'