refactor: drop object factory from execution context (#3099)
This patch: - merges `ElementHandle` into `ExecutionContext` (for simplicity; there's no good reason to have them in separate files). - removes the necessity to pass handle factory when creating `ExecutionContext` This makes it easier to create execution contexts out of payloads. References #1215
This commit is contained in:
parent
73c43bebd8
commit
d6eb3b4d52
@ -1,393 +0,0 @@
|
|||||||
/**
|
|
||||||
* 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.
|
|
||||||
*/
|
|
||||||
const path = require('path');
|
|
||||||
const {JSHandle} = require('./ExecutionContext');
|
|
||||||
const {helper, assert, debugError} = require('./helper');
|
|
||||||
|
|
||||||
class ElementHandle extends JSHandle {
|
|
||||||
/**
|
|
||||||
* @param {!Puppeteer.ExecutionContext} context
|
|
||||||
* @param {!Puppeteer.CDPSession} client
|
|
||||||
* @param {!Protocol.Runtime.RemoteObject} remoteObject
|
|
||||||
* @param {!Puppeteer.Page} page
|
|
||||||
* @param {!Puppeteer.FrameManager} frameManager
|
|
||||||
*/
|
|
||||||
constructor(context, client, remoteObject, page, frameManager) {
|
|
||||||
super(context, client, remoteObject);
|
|
||||||
this._client = client;
|
|
||||||
this._remoteObject = remoteObject;
|
|
||||||
this._page = page;
|
|
||||||
this._frameManager = frameManager;
|
|
||||||
this._disposed = false;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @override
|
|
||||||
* @return {?ElementHandle}
|
|
||||||
*/
|
|
||||||
asElement() {
|
|
||||||
return this;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @return {!Promise<?Puppeteer.Frame>}
|
|
||||||
*/
|
|
||||||
async contentFrame() {
|
|
||||||
const nodeInfo = await this._client.send('DOM.describeNode', {
|
|
||||||
objectId: this._remoteObject.objectId
|
|
||||||
});
|
|
||||||
if (typeof nodeInfo.node.frameId !== 'string')
|
|
||||||
return null;
|
|
||||||
return this._frameManager.frame(nodeInfo.node.frameId);
|
|
||||||
}
|
|
||||||
|
|
||||||
async _scrollIntoViewIfNeeded() {
|
|
||||||
const error = await this.executionContext().evaluate(async(element, pageJavascriptEnabled) => {
|
|
||||||
if (!element.isConnected)
|
|
||||||
return 'Node is detached from document';
|
|
||||||
if (element.nodeType !== Node.ELEMENT_NODE)
|
|
||||||
return 'Node is not of type HTMLElement';
|
|
||||||
// force-scroll if page's javascript is disabled.
|
|
||||||
if (!pageJavascriptEnabled) {
|
|
||||||
element.scrollIntoView({block: 'center', inline: 'center', behavior: 'instant'});
|
|
||||||
return false;
|
|
||||||
}
|
|
||||||
const visibleRatio = await new Promise(resolve => {
|
|
||||||
const observer = new IntersectionObserver(entries => {
|
|
||||||
resolve(entries[0].intersectionRatio);
|
|
||||||
observer.disconnect();
|
|
||||||
});
|
|
||||||
observer.observe(element);
|
|
||||||
});
|
|
||||||
if (visibleRatio !== 1.0)
|
|
||||||
element.scrollIntoView({block: 'center', inline: 'center', behavior: 'instant'});
|
|
||||||
return false;
|
|
||||||
}, this, this._page._javascriptEnabled);
|
|
||||||
if (error)
|
|
||||||
throw new Error(error);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @return {!Promise<!{x: number, y: number}>}
|
|
||||||
*/
|
|
||||||
async _clickablePoint() {
|
|
||||||
const result = await this._client.send('DOM.getContentQuads', {
|
|
||||||
objectId: this._remoteObject.objectId
|
|
||||||
}).catch(debugError);
|
|
||||||
if (!result || !result.quads.length)
|
|
||||||
throw new Error('Node is either not visible or not an HTMLElement');
|
|
||||||
// Filter out quads that have too small area to click into.
|
|
||||||
const quads = result.quads.map(quad => this._fromProtocolQuad(quad)).filter(quad => computeQuadArea(quad) > 1);
|
|
||||||
if (!quads.length)
|
|
||||||
throw new Error('Node is either not visible or not an HTMLElement');
|
|
||||||
// Return the middle point of the first quad.
|
|
||||||
const quad = quads[0];
|
|
||||||
let x = 0;
|
|
||||||
let y = 0;
|
|
||||||
for (const point of quad) {
|
|
||||||
x += point.x;
|
|
||||||
y += point.y;
|
|
||||||
}
|
|
||||||
return {
|
|
||||||
x: x / 4,
|
|
||||||
y: y / 4
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @return {!Promise<void|Protocol.DOM.getBoxModelReturnValue>}
|
|
||||||
*/
|
|
||||||
_getBoxModel() {
|
|
||||||
return this._client.send('DOM.getBoxModel', {
|
|
||||||
objectId: this._remoteObject.objectId
|
|
||||||
}).catch(error => debugError(error));
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {!Array<number>} quad
|
|
||||||
* @return {!Array<object>}
|
|
||||||
*/
|
|
||||||
_fromProtocolQuad(quad) {
|
|
||||||
return [
|
|
||||||
{x: quad[0], y: quad[1]},
|
|
||||||
{x: quad[2], y: quad[3]},
|
|
||||||
{x: quad[4], y: quad[5]},
|
|
||||||
{x: quad[6], y: quad[7]}
|
|
||||||
];
|
|
||||||
}
|
|
||||||
|
|
||||||
async hover() {
|
|
||||||
await this._scrollIntoViewIfNeeded();
|
|
||||||
const {x, y} = await this._clickablePoint();
|
|
||||||
await this._page.mouse.move(x, y);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {!Object=} options
|
|
||||||
*/
|
|
||||||
async click(options = {}) {
|
|
||||||
await this._scrollIntoViewIfNeeded();
|
|
||||||
const {x, y} = await this._clickablePoint();
|
|
||||||
await this._page.mouse.click(x, y, options);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {!Array<string>} filePaths
|
|
||||||
* @return {!Promise}
|
|
||||||
*/
|
|
||||||
async uploadFile(...filePaths) {
|
|
||||||
const files = filePaths.map(filePath => path.resolve(filePath));
|
|
||||||
const objectId = this._remoteObject.objectId;
|
|
||||||
return this._client.send('DOM.setFileInputFiles', { objectId, files });
|
|
||||||
}
|
|
||||||
|
|
||||||
async tap() {
|
|
||||||
await this._scrollIntoViewIfNeeded();
|
|
||||||
const {x, y} = await this._clickablePoint();
|
|
||||||
await this._page.touchscreen.tap(x, y);
|
|
||||||
}
|
|
||||||
|
|
||||||
async focus() {
|
|
||||||
await this.executionContext().evaluate(element => element.focus(), this);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {string} text
|
|
||||||
* @param {{delay: (number|undefined)}=} options
|
|
||||||
*/
|
|
||||||
async type(text, options) {
|
|
||||||
await this.focus();
|
|
||||||
await this._page.keyboard.type(text, options);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {string} key
|
|
||||||
* @param {!Object=} options
|
|
||||||
*/
|
|
||||||
async press(key, options) {
|
|
||||||
await this.focus();
|
|
||||||
await this._page.keyboard.press(key, options);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @return {!Promise<?{x: number, y: number, width: number, height: number}>}
|
|
||||||
*/
|
|
||||||
async boundingBox() {
|
|
||||||
const result = await this._getBoxModel();
|
|
||||||
|
|
||||||
if (!result)
|
|
||||||
return null;
|
|
||||||
|
|
||||||
const quad = result.model.border;
|
|
||||||
const x = Math.min(quad[0], quad[2], quad[4], quad[6]);
|
|
||||||
const y = Math.min(quad[1], quad[3], quad[5], quad[7]);
|
|
||||||
const width = Math.max(quad[0], quad[2], quad[4], quad[6]) - x;
|
|
||||||
const height = Math.max(quad[1], quad[3], quad[5], quad[7]) - y;
|
|
||||||
|
|
||||||
return {x, y, width, height};
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @return {!Promise<?object>}
|
|
||||||
*/
|
|
||||||
async boxModel() {
|
|
||||||
const result = await this._getBoxModel();
|
|
||||||
|
|
||||||
if (!result)
|
|
||||||
return null;
|
|
||||||
|
|
||||||
const {content, padding, border, margin, width, height} = result.model;
|
|
||||||
return {
|
|
||||||
content: this._fromProtocolQuad(content),
|
|
||||||
padding: this._fromProtocolQuad(padding),
|
|
||||||
border: this._fromProtocolQuad(border),
|
|
||||||
margin: this._fromProtocolQuad(margin),
|
|
||||||
width,
|
|
||||||
height
|
|
||||||
};
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
*
|
|
||||||
* @param {!Object=} options
|
|
||||||
* @returns {!Promise<Object>}
|
|
||||||
*/
|
|
||||||
async screenshot(options = {}) {
|
|
||||||
let needsViewportReset = false;
|
|
||||||
|
|
||||||
let boundingBox = await this.boundingBox();
|
|
||||||
assert(boundingBox, 'Node is either not visible or not an HTMLElement');
|
|
||||||
|
|
||||||
const viewport = this._page.viewport();
|
|
||||||
|
|
||||||
if (boundingBox.width > viewport.width || boundingBox.height > viewport.height) {
|
|
||||||
const newViewport = {
|
|
||||||
width: Math.max(viewport.width, Math.ceil(boundingBox.width)),
|
|
||||||
height: Math.max(viewport.height, Math.ceil(boundingBox.height)),
|
|
||||||
};
|
|
||||||
await this._page.setViewport(Object.assign({}, viewport, newViewport));
|
|
||||||
|
|
||||||
needsViewportReset = true;
|
|
||||||
}
|
|
||||||
|
|
||||||
await this._scrollIntoViewIfNeeded();
|
|
||||||
|
|
||||||
boundingBox = await this.boundingBox();
|
|
||||||
assert(boundingBox, 'Node is either not visible or not an HTMLElement');
|
|
||||||
|
|
||||||
const { layoutViewport: { pageX, pageY } } = await this._client.send('Page.getLayoutMetrics');
|
|
||||||
|
|
||||||
const clip = Object.assign({}, boundingBox);
|
|
||||||
clip.x += pageX;
|
|
||||||
clip.y += pageY;
|
|
||||||
|
|
||||||
const imageData = await this._page.screenshot(Object.assign({}, {
|
|
||||||
clip
|
|
||||||
}, options));
|
|
||||||
|
|
||||||
if (needsViewportReset)
|
|
||||||
await this._page.setViewport(viewport);
|
|
||||||
|
|
||||||
return imageData;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {string} selector
|
|
||||||
* @return {!Promise<?ElementHandle>}
|
|
||||||
*/
|
|
||||||
async $(selector) {
|
|
||||||
const handle = await this.executionContext().evaluateHandle(
|
|
||||||
(element, selector) => element.querySelector(selector),
|
|
||||||
this, selector
|
|
||||||
);
|
|
||||||
const element = handle.asElement();
|
|
||||||
if (element)
|
|
||||||
return element;
|
|
||||||
await handle.dispose();
|
|
||||||
return null;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {string} selector
|
|
||||||
* @return {!Promise<!Array<!ElementHandle>>}
|
|
||||||
*/
|
|
||||||
async $$(selector) {
|
|
||||||
const arrayHandle = await this.executionContext().evaluateHandle(
|
|
||||||
(element, selector) => element.querySelectorAll(selector),
|
|
||||||
this, selector
|
|
||||||
);
|
|
||||||
const properties = await arrayHandle.getProperties();
|
|
||||||
await arrayHandle.dispose();
|
|
||||||
const result = [];
|
|
||||||
for (const property of properties.values()) {
|
|
||||||
const elementHandle = property.asElement();
|
|
||||||
if (elementHandle)
|
|
||||||
result.push(elementHandle);
|
|
||||||
}
|
|
||||||
return result;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {string} selector
|
|
||||||
* @param {Function|String} pageFunction
|
|
||||||
* @param {!Array<*>} args
|
|
||||||
* @return {!Promise<(!Object|undefined)>}
|
|
||||||
*/
|
|
||||||
async $eval(selector, pageFunction, ...args) {
|
|
||||||
const elementHandle = await this.$(selector);
|
|
||||||
if (!elementHandle)
|
|
||||||
throw new Error(`Error: failed to find element matching selector "${selector}"`);
|
|
||||||
const result = await this.executionContext().evaluate(pageFunction, elementHandle, ...args);
|
|
||||||
await elementHandle.dispose();
|
|
||||||
return result;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {string} selector
|
|
||||||
* @param {Function|String} pageFunction
|
|
||||||
* @param {!Array<*>} args
|
|
||||||
* @return {!Promise<(!Object|undefined)>}
|
|
||||||
*/
|
|
||||||
async $$eval(selector, pageFunction, ...args) {
|
|
||||||
const arrayHandle = await this.executionContext().evaluateHandle(
|
|
||||||
(element, selector) => Array.from(element.querySelectorAll(selector)),
|
|
||||||
this, selector
|
|
||||||
);
|
|
||||||
|
|
||||||
const result = await this.executionContext().evaluate(pageFunction, arrayHandle, ...args);
|
|
||||||
await arrayHandle.dispose();
|
|
||||||
return result;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {string} expression
|
|
||||||
* @return {!Promise<!Array<!ElementHandle>>}
|
|
||||||
*/
|
|
||||||
async $x(expression) {
|
|
||||||
const arrayHandle = await this.executionContext().evaluateHandle(
|
|
||||||
(element, expression) => {
|
|
||||||
const document = element.ownerDocument || element;
|
|
||||||
const iterator = document.evaluate(expression, element, null, XPathResult.ORDERED_NODE_ITERATOR_TYPE);
|
|
||||||
const array = [];
|
|
||||||
let item;
|
|
||||||
while ((item = iterator.iterateNext()))
|
|
||||||
array.push(item);
|
|
||||||
return array;
|
|
||||||
},
|
|
||||||
this, expression
|
|
||||||
);
|
|
||||||
const properties = await arrayHandle.getProperties();
|
|
||||||
await arrayHandle.dispose();
|
|
||||||
const result = [];
|
|
||||||
for (const property of properties.values()) {
|
|
||||||
const elementHandle = property.asElement();
|
|
||||||
if (elementHandle)
|
|
||||||
result.push(elementHandle);
|
|
||||||
}
|
|
||||||
return result;
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
|
||||||
* @returns {!Promise<boolean>}
|
|
||||||
*/
|
|
||||||
isIntersectingViewport() {
|
|
||||||
return this.executionContext().evaluate(async element => {
|
|
||||||
const visibleRatio = await new Promise(resolve => {
|
|
||||||
const observer = new IntersectionObserver(entries => {
|
|
||||||
resolve(entries[0].intersectionRatio);
|
|
||||||
observer.disconnect();
|
|
||||||
});
|
|
||||||
observer.observe(element);
|
|
||||||
});
|
|
||||||
return visibleRatio > 0;
|
|
||||||
}, this);
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
function computeQuadArea(quad) {
|
|
||||||
// Compute sum of all directed areas of adjacent triangles
|
|
||||||
// https://en.wikipedia.org/wiki/Polygon#Simple_polygons
|
|
||||||
let area = 0;
|
|
||||||
for (let i = 0; i < quad.length; ++i) {
|
|
||||||
const p1 = quad[i];
|
|
||||||
const p2 = quad[(i + 1) % quad.length];
|
|
||||||
area += (p1.x * p2.y - p2.x * p1.y) / 2;
|
|
||||||
}
|
|
||||||
return area;
|
|
||||||
}
|
|
||||||
|
|
||||||
module.exports = {ElementHandle};
|
|
||||||
helper.tracePublicAPI(ElementHandle);
|
|
@ -14,24 +14,32 @@
|
|||||||
* limitations under the License.
|
* limitations under the License.
|
||||||
*/
|
*/
|
||||||
|
|
||||||
const {helper, assert} = require('./helper');
|
const {helper, assert, debugError} = require('./helper');
|
||||||
|
const path = require('path');
|
||||||
|
|
||||||
const EVALUATION_SCRIPT_URL = '__puppeteer_evaluation_script__';
|
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;
|
||||||
|
|
||||||
|
function createJSHandle(context, remoteObject) {
|
||||||
|
const frame = context.frame();
|
||||||
|
if (remoteObject.subtype === 'node' && frame) {
|
||||||
|
const frameManager = frame._frameManager;
|
||||||
|
return new ElementHandle(context, context._client, remoteObject, frameManager.page(), frameManager);
|
||||||
|
}
|
||||||
|
return new JSHandle(context, context._client, remoteObject);
|
||||||
|
}
|
||||||
|
|
||||||
class ExecutionContext {
|
class ExecutionContext {
|
||||||
/**
|
/**
|
||||||
* @param {!Puppeteer.CDPSession} client
|
* @param {!Puppeteer.CDPSession} client
|
||||||
* @param {!Protocol.Runtime.ExecutionContextDescription} contextPayload
|
* @param {!Protocol.Runtime.ExecutionContextDescription} contextPayload
|
||||||
* @param {function(!Protocol.Runtime.RemoteObject):!JSHandle} objectHandleFactory
|
|
||||||
* @param {?Puppeteer.Frame} frame
|
* @param {?Puppeteer.Frame} frame
|
||||||
*/
|
*/
|
||||||
constructor(client, contextPayload, objectHandleFactory, frame) {
|
constructor(client, contextPayload, frame) {
|
||||||
this._client = client;
|
this._client = client;
|
||||||
this._frame = frame;
|
this._frame = frame;
|
||||||
this._contextId = contextPayload.id;
|
this._contextId = contextPayload.id;
|
||||||
this._isDefault = contextPayload.auxData ? !!contextPayload.auxData['isDefault'] : false;
|
this._isDefault = contextPayload.auxData ? !!contextPayload.auxData['isDefault'] : false;
|
||||||
this._objectHandleFactory = objectHandleFactory;
|
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
@ -80,7 +88,7 @@ class ExecutionContext {
|
|||||||
}).catch(rewriteError);
|
}).catch(rewriteError);
|
||||||
if (exceptionDetails)
|
if (exceptionDetails)
|
||||||
throw new Error('Evaluation failed: ' + helper.getExceptionMessage(exceptionDetails));
|
throw new Error('Evaluation failed: ' + helper.getExceptionMessage(exceptionDetails));
|
||||||
return this._objectHandleFactory(remoteObject);
|
return createJSHandle(this, remoteObject);
|
||||||
}
|
}
|
||||||
|
|
||||||
if (typeof pageFunction !== 'function')
|
if (typeof pageFunction !== 'function')
|
||||||
@ -96,7 +104,7 @@ class ExecutionContext {
|
|||||||
}).catch(rewriteError);
|
}).catch(rewriteError);
|
||||||
if (exceptionDetails)
|
if (exceptionDetails)
|
||||||
throw new Error('Evaluation failed: ' + helper.getExceptionMessage(exceptionDetails));
|
throw new Error('Evaluation failed: ' + helper.getExceptionMessage(exceptionDetails));
|
||||||
return this._objectHandleFactory(remoteObject);
|
return createJSHandle(this, remoteObject);
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @param {*} arg
|
* @param {*} arg
|
||||||
@ -148,7 +156,7 @@ class ExecutionContext {
|
|||||||
const response = await this._client.send('Runtime.queryObjects', {
|
const response = await this._client.send('Runtime.queryObjects', {
|
||||||
prototypeObjectId: prototypeHandle._remoteObject.objectId
|
prototypeObjectId: prototypeHandle._remoteObject.objectId
|
||||||
});
|
});
|
||||||
return this._objectHandleFactory(response.objects);
|
return createJSHandle(this, response.objects);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
@ -200,7 +208,7 @@ class JSHandle {
|
|||||||
for (const property of response.result) {
|
for (const property of response.result) {
|
||||||
if (!property.enumerable)
|
if (!property.enumerable)
|
||||||
continue;
|
continue;
|
||||||
result.set(property.name, this._context._objectHandleFactory(property.value));
|
result.set(property.name, createJSHandle(this._context, property.value));
|
||||||
}
|
}
|
||||||
return result;
|
return result;
|
||||||
}
|
}
|
||||||
@ -248,5 +256,381 @@ class JSHandle {
|
|||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
|
||||||
|
class ElementHandle extends JSHandle {
|
||||||
|
/**
|
||||||
|
* @param {!Puppeteer.ExecutionContext} context
|
||||||
|
* @param {!Puppeteer.CDPSession} client
|
||||||
|
* @param {!Protocol.Runtime.RemoteObject} remoteObject
|
||||||
|
* @param {!Puppeteer.Page} page
|
||||||
|
* @param {!Puppeteer.FrameManager} frameManager
|
||||||
|
*/
|
||||||
|
constructor(context, client, remoteObject, page, frameManager) {
|
||||||
|
super(context, client, remoteObject);
|
||||||
|
this._client = client;
|
||||||
|
this._remoteObject = remoteObject;
|
||||||
|
this._page = page;
|
||||||
|
this._frameManager = frameManager;
|
||||||
|
this._disposed = false;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @override
|
||||||
|
* @return {?ElementHandle}
|
||||||
|
*/
|
||||||
|
asElement() {
|
||||||
|
return this;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @return {!Promise<?Puppeteer.Frame>}
|
||||||
|
*/
|
||||||
|
async contentFrame() {
|
||||||
|
const nodeInfo = await this._client.send('DOM.describeNode', {
|
||||||
|
objectId: this._remoteObject.objectId
|
||||||
|
});
|
||||||
|
if (typeof nodeInfo.node.frameId !== 'string')
|
||||||
|
return null;
|
||||||
|
return this._frameManager.frame(nodeInfo.node.frameId);
|
||||||
|
}
|
||||||
|
|
||||||
|
async _scrollIntoViewIfNeeded() {
|
||||||
|
const error = await this.executionContext().evaluate(async(element, pageJavascriptEnabled) => {
|
||||||
|
if (!element.isConnected)
|
||||||
|
return 'Node is detached from document';
|
||||||
|
if (element.nodeType !== Node.ELEMENT_NODE)
|
||||||
|
return 'Node is not of type HTMLElement';
|
||||||
|
// force-scroll if page's javascript is disabled.
|
||||||
|
if (!pageJavascriptEnabled) {
|
||||||
|
element.scrollIntoView({block: 'center', inline: 'center', behavior: 'instant'});
|
||||||
|
return false;
|
||||||
|
}
|
||||||
|
const visibleRatio = await new Promise(resolve => {
|
||||||
|
const observer = new IntersectionObserver(entries => {
|
||||||
|
resolve(entries[0].intersectionRatio);
|
||||||
|
observer.disconnect();
|
||||||
|
});
|
||||||
|
observer.observe(element);
|
||||||
|
});
|
||||||
|
if (visibleRatio !== 1.0)
|
||||||
|
element.scrollIntoView({block: 'center', inline: 'center', behavior: 'instant'});
|
||||||
|
return false;
|
||||||
|
}, this, this._page._javascriptEnabled);
|
||||||
|
if (error)
|
||||||
|
throw new Error(error);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @return {!Promise<!{x: number, y: number}>}
|
||||||
|
*/
|
||||||
|
async _clickablePoint() {
|
||||||
|
const result = await this._client.send('DOM.getContentQuads', {
|
||||||
|
objectId: this._remoteObject.objectId
|
||||||
|
}).catch(debugError);
|
||||||
|
if (!result || !result.quads.length)
|
||||||
|
throw new Error('Node is either not visible or not an HTMLElement');
|
||||||
|
// Filter out quads that have too small area to click into.
|
||||||
|
const quads = result.quads.map(quad => this._fromProtocolQuad(quad)).filter(quad => computeQuadArea(quad) > 1);
|
||||||
|
if (!quads.length)
|
||||||
|
throw new Error('Node is either not visible or not an HTMLElement');
|
||||||
|
// Return the middle point of the first quad.
|
||||||
|
const quad = quads[0];
|
||||||
|
let x = 0;
|
||||||
|
let y = 0;
|
||||||
|
for (const point of quad) {
|
||||||
|
x += point.x;
|
||||||
|
y += point.y;
|
||||||
|
}
|
||||||
|
return {
|
||||||
|
x: x / 4,
|
||||||
|
y: y / 4
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @return {!Promise<void|Protocol.DOM.getBoxModelReturnValue>}
|
||||||
|
*/
|
||||||
|
_getBoxModel() {
|
||||||
|
return this._client.send('DOM.getBoxModel', {
|
||||||
|
objectId: this._remoteObject.objectId
|
||||||
|
}).catch(error => debugError(error));
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {!Array<number>} quad
|
||||||
|
* @return {!Array<object>}
|
||||||
|
*/
|
||||||
|
_fromProtocolQuad(quad) {
|
||||||
|
return [
|
||||||
|
{x: quad[0], y: quad[1]},
|
||||||
|
{x: quad[2], y: quad[3]},
|
||||||
|
{x: quad[4], y: quad[5]},
|
||||||
|
{x: quad[6], y: quad[7]}
|
||||||
|
];
|
||||||
|
}
|
||||||
|
|
||||||
|
async hover() {
|
||||||
|
await this._scrollIntoViewIfNeeded();
|
||||||
|
const {x, y} = await this._clickablePoint();
|
||||||
|
await this._page.mouse.move(x, y);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {!Object=} options
|
||||||
|
*/
|
||||||
|
async click(options = {}) {
|
||||||
|
await this._scrollIntoViewIfNeeded();
|
||||||
|
const {x, y} = await this._clickablePoint();
|
||||||
|
await this._page.mouse.click(x, y, options);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {!Array<string>} filePaths
|
||||||
|
* @return {!Promise}
|
||||||
|
*/
|
||||||
|
async uploadFile(...filePaths) {
|
||||||
|
const files = filePaths.map(filePath => path.resolve(filePath));
|
||||||
|
const objectId = this._remoteObject.objectId;
|
||||||
|
return this._client.send('DOM.setFileInputFiles', { objectId, files });
|
||||||
|
}
|
||||||
|
|
||||||
|
async tap() {
|
||||||
|
await this._scrollIntoViewIfNeeded();
|
||||||
|
const {x, y} = await this._clickablePoint();
|
||||||
|
await this._page.touchscreen.tap(x, y);
|
||||||
|
}
|
||||||
|
|
||||||
|
async focus() {
|
||||||
|
await this.executionContext().evaluate(element => element.focus(), this);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {string} text
|
||||||
|
* @param {{delay: (number|undefined)}=} options
|
||||||
|
*/
|
||||||
|
async type(text, options) {
|
||||||
|
await this.focus();
|
||||||
|
await this._page.keyboard.type(text, options);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {string} key
|
||||||
|
* @param {!Object=} options
|
||||||
|
*/
|
||||||
|
async press(key, options) {
|
||||||
|
await this.focus();
|
||||||
|
await this._page.keyboard.press(key, options);
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @return {!Promise<?{x: number, y: number, width: number, height: number}>}
|
||||||
|
*/
|
||||||
|
async boundingBox() {
|
||||||
|
const result = await this._getBoxModel();
|
||||||
|
|
||||||
|
if (!result)
|
||||||
|
return null;
|
||||||
|
|
||||||
|
const quad = result.model.border;
|
||||||
|
const x = Math.min(quad[0], quad[2], quad[4], quad[6]);
|
||||||
|
const y = Math.min(quad[1], quad[3], quad[5], quad[7]);
|
||||||
|
const width = Math.max(quad[0], quad[2], quad[4], quad[6]) - x;
|
||||||
|
const height = Math.max(quad[1], quad[3], quad[5], quad[7]) - y;
|
||||||
|
|
||||||
|
return {x, y, width, height};
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @return {!Promise<?object>}
|
||||||
|
*/
|
||||||
|
async boxModel() {
|
||||||
|
const result = await this._getBoxModel();
|
||||||
|
|
||||||
|
if (!result)
|
||||||
|
return null;
|
||||||
|
|
||||||
|
const {content, padding, border, margin, width, height} = result.model;
|
||||||
|
return {
|
||||||
|
content: this._fromProtocolQuad(content),
|
||||||
|
padding: this._fromProtocolQuad(padding),
|
||||||
|
border: this._fromProtocolQuad(border),
|
||||||
|
margin: this._fromProtocolQuad(margin),
|
||||||
|
width,
|
||||||
|
height
|
||||||
|
};
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
*
|
||||||
|
* @param {!Object=} options
|
||||||
|
* @returns {!Promise<Object>}
|
||||||
|
*/
|
||||||
|
async screenshot(options = {}) {
|
||||||
|
let needsViewportReset = false;
|
||||||
|
|
||||||
|
let boundingBox = await this.boundingBox();
|
||||||
|
assert(boundingBox, 'Node is either not visible or not an HTMLElement');
|
||||||
|
|
||||||
|
const viewport = this._page.viewport();
|
||||||
|
|
||||||
|
if (boundingBox.width > viewport.width || boundingBox.height > viewport.height) {
|
||||||
|
const newViewport = {
|
||||||
|
width: Math.max(viewport.width, Math.ceil(boundingBox.width)),
|
||||||
|
height: Math.max(viewport.height, Math.ceil(boundingBox.height)),
|
||||||
|
};
|
||||||
|
await this._page.setViewport(Object.assign({}, viewport, newViewport));
|
||||||
|
|
||||||
|
needsViewportReset = true;
|
||||||
|
}
|
||||||
|
|
||||||
|
await this._scrollIntoViewIfNeeded();
|
||||||
|
|
||||||
|
boundingBox = await this.boundingBox();
|
||||||
|
assert(boundingBox, 'Node is either not visible or not an HTMLElement');
|
||||||
|
|
||||||
|
const { layoutViewport: { pageX, pageY } } = await this._client.send('Page.getLayoutMetrics');
|
||||||
|
|
||||||
|
const clip = Object.assign({}, boundingBox);
|
||||||
|
clip.x += pageX;
|
||||||
|
clip.y += pageY;
|
||||||
|
|
||||||
|
const imageData = await this._page.screenshot(Object.assign({}, {
|
||||||
|
clip
|
||||||
|
}, options));
|
||||||
|
|
||||||
|
if (needsViewportReset)
|
||||||
|
await this._page.setViewport(viewport);
|
||||||
|
|
||||||
|
return imageData;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {string} selector
|
||||||
|
* @return {!Promise<?ElementHandle>}
|
||||||
|
*/
|
||||||
|
async $(selector) {
|
||||||
|
const handle = await this.executionContext().evaluateHandle(
|
||||||
|
(element, selector) => element.querySelector(selector),
|
||||||
|
this, selector
|
||||||
|
);
|
||||||
|
const element = handle.asElement();
|
||||||
|
if (element)
|
||||||
|
return element;
|
||||||
|
await handle.dispose();
|
||||||
|
return null;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {string} selector
|
||||||
|
* @return {!Promise<!Array<!ElementHandle>>}
|
||||||
|
*/
|
||||||
|
async $$(selector) {
|
||||||
|
const arrayHandle = await this.executionContext().evaluateHandle(
|
||||||
|
(element, selector) => element.querySelectorAll(selector),
|
||||||
|
this, selector
|
||||||
|
);
|
||||||
|
const properties = await arrayHandle.getProperties();
|
||||||
|
await arrayHandle.dispose();
|
||||||
|
const result = [];
|
||||||
|
for (const property of properties.values()) {
|
||||||
|
const elementHandle = property.asElement();
|
||||||
|
if (elementHandle)
|
||||||
|
result.push(elementHandle);
|
||||||
|
}
|
||||||
|
return result;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {string} selector
|
||||||
|
* @param {Function|String} pageFunction
|
||||||
|
* @param {!Array<*>} args
|
||||||
|
* @return {!Promise<(!Object|undefined)>}
|
||||||
|
*/
|
||||||
|
async $eval(selector, pageFunction, ...args) {
|
||||||
|
const elementHandle = await this.$(selector);
|
||||||
|
if (!elementHandle)
|
||||||
|
throw new Error(`Error: failed to find element matching selector "${selector}"`);
|
||||||
|
const result = await this.executionContext().evaluate(pageFunction, elementHandle, ...args);
|
||||||
|
await elementHandle.dispose();
|
||||||
|
return result;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {string} selector
|
||||||
|
* @param {Function|String} pageFunction
|
||||||
|
* @param {!Array<*>} args
|
||||||
|
* @return {!Promise<(!Object|undefined)>}
|
||||||
|
*/
|
||||||
|
async $$eval(selector, pageFunction, ...args) {
|
||||||
|
const arrayHandle = await this.executionContext().evaluateHandle(
|
||||||
|
(element, selector) => Array.from(element.querySelectorAll(selector)),
|
||||||
|
this, selector
|
||||||
|
);
|
||||||
|
|
||||||
|
const result = await this.executionContext().evaluate(pageFunction, arrayHandle, ...args);
|
||||||
|
await arrayHandle.dispose();
|
||||||
|
return result;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @param {string} expression
|
||||||
|
* @return {!Promise<!Array<!ElementHandle>>}
|
||||||
|
*/
|
||||||
|
async $x(expression) {
|
||||||
|
const arrayHandle = await this.executionContext().evaluateHandle(
|
||||||
|
(element, expression) => {
|
||||||
|
const document = element.ownerDocument || element;
|
||||||
|
const iterator = document.evaluate(expression, element, null, XPathResult.ORDERED_NODE_ITERATOR_TYPE);
|
||||||
|
const array = [];
|
||||||
|
let item;
|
||||||
|
while ((item = iterator.iterateNext()))
|
||||||
|
array.push(item);
|
||||||
|
return array;
|
||||||
|
},
|
||||||
|
this, expression
|
||||||
|
);
|
||||||
|
const properties = await arrayHandle.getProperties();
|
||||||
|
await arrayHandle.dispose();
|
||||||
|
const result = [];
|
||||||
|
for (const property of properties.values()) {
|
||||||
|
const elementHandle = property.asElement();
|
||||||
|
if (elementHandle)
|
||||||
|
result.push(elementHandle);
|
||||||
|
}
|
||||||
|
return result;
|
||||||
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @returns {!Promise<boolean>}
|
||||||
|
*/
|
||||||
|
isIntersectingViewport() {
|
||||||
|
return this.executionContext().evaluate(async element => {
|
||||||
|
const visibleRatio = await new Promise(resolve => {
|
||||||
|
const observer = new IntersectionObserver(entries => {
|
||||||
|
resolve(entries[0].intersectionRatio);
|
||||||
|
observer.disconnect();
|
||||||
|
});
|
||||||
|
observer.observe(element);
|
||||||
|
});
|
||||||
|
return visibleRatio > 0;
|
||||||
|
}, this);
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
function computeQuadArea(quad) {
|
||||||
|
// Compute sum of all directed areas of adjacent triangles
|
||||||
|
// https://en.wikipedia.org/wiki/Polygon#Simple_polygons
|
||||||
|
let area = 0;
|
||||||
|
for (let i = 0; i < quad.length; ++i) {
|
||||||
|
const p1 = quad[i];
|
||||||
|
const p2 = quad[(i + 1) % quad.length];
|
||||||
|
area += (p1.x * p2.y - p2.x * p1.y) / 2;
|
||||||
|
}
|
||||||
|
return area;
|
||||||
|
}
|
||||||
|
|
||||||
|
helper.tracePublicAPI(ElementHandle);
|
||||||
helper.tracePublicAPI(JSHandle);
|
helper.tracePublicAPI(JSHandle);
|
||||||
module.exports = {ExecutionContext, JSHandle, EVALUATION_SCRIPT_URL};
|
helper.tracePublicAPI(ExecutionContext);
|
||||||
|
|
||||||
|
module.exports = {ExecutionContext, JSHandle, ElementHandle, createJSHandle, EVALUATION_SCRIPT_URL};
|
||||||
|
@ -17,8 +17,7 @@
|
|||||||
const fs = require('fs');
|
const fs = require('fs');
|
||||||
const EventEmitter = require('events');
|
const EventEmitter = require('events');
|
||||||
const {helper, assert} = require('./helper');
|
const {helper, assert} = require('./helper');
|
||||||
const {ExecutionContext, JSHandle} = require('./ExecutionContext');
|
const {ExecutionContext} = require('./ExecutionContext');
|
||||||
const {ElementHandle} = require('./ElementHandle');
|
|
||||||
const {TimeoutError} = require('./Errors');
|
const {TimeoutError} = require('./Errors');
|
||||||
|
|
||||||
const readFileAsync = helper.promisify(fs.readFile);
|
const readFileAsync = helper.promisify(fs.readFile);
|
||||||
@ -87,6 +86,13 @@ class FrameManager extends EventEmitter {
|
|||||||
this._handleFrameTree(child);
|
this._handleFrameTree(child);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
/**
|
||||||
|
* @return {!Puppeteer.Page}
|
||||||
|
*/
|
||||||
|
page() {
|
||||||
|
return this._page;
|
||||||
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @return {!Frame}
|
* @return {!Frame}
|
||||||
*/
|
*/
|
||||||
@ -119,7 +125,7 @@ class FrameManager extends EventEmitter {
|
|||||||
return;
|
return;
|
||||||
assert(parentFrameId);
|
assert(parentFrameId);
|
||||||
const parentFrame = this._frames.get(parentFrameId);
|
const parentFrame = this._frames.get(parentFrameId);
|
||||||
const frame = new Frame(this._client, parentFrame, frameId);
|
const frame = new Frame(this, this._client, parentFrame, frameId);
|
||||||
this._frames.set(frame._id, frame);
|
this._frames.set(frame._id, frame);
|
||||||
this.emit(FrameManager.Events.FrameAttached, frame);
|
this.emit(FrameManager.Events.FrameAttached, frame);
|
||||||
}
|
}
|
||||||
@ -146,7 +152,7 @@ class FrameManager extends EventEmitter {
|
|||||||
frame._id = framePayload.id;
|
frame._id = framePayload.id;
|
||||||
} else {
|
} else {
|
||||||
// Initial main frame navigation.
|
// Initial main frame navigation.
|
||||||
frame = new Frame(this._client, null, framePayload.id);
|
frame = new Frame(this, this._client, null, framePayload.id);
|
||||||
}
|
}
|
||||||
this._frames.set(framePayload.id, frame);
|
this._frames.set(framePayload.id, frame);
|
||||||
this._mainFrame = frame;
|
this._mainFrame = frame;
|
||||||
@ -184,7 +190,7 @@ class FrameManager extends EventEmitter {
|
|||||||
const frameId = contextPayload.auxData ? contextPayload.auxData.frameId : null;
|
const frameId = contextPayload.auxData ? contextPayload.auxData.frameId : null;
|
||||||
const frame = this._frames.get(frameId) || null;
|
const frame = this._frames.get(frameId) || null;
|
||||||
/** @type {!ExecutionContext} */
|
/** @type {!ExecutionContext} */
|
||||||
const context = new ExecutionContext(this._client, contextPayload, obj => this.createJSHandle(context, obj), frame);
|
const context = new ExecutionContext(this._client, contextPayload, frame);
|
||||||
this._contextIdToContext.set(contextPayload.id, context);
|
this._contextIdToContext.set(contextPayload.id, context);
|
||||||
if (frame)
|
if (frame)
|
||||||
frame._addExecutionContext(context);
|
frame._addExecutionContext(context);
|
||||||
@ -220,17 +226,6 @@ class FrameManager extends EventEmitter {
|
|||||||
return context;
|
return context;
|
||||||
}
|
}
|
||||||
|
|
||||||
/**
|
|
||||||
* @param {!ExecutionContext} context
|
|
||||||
* @param {!Protocol.Runtime.RemoteObject} remoteObject
|
|
||||||
* @return {!JSHandle}
|
|
||||||
*/
|
|
||||||
createJSHandle(context, remoteObject) {
|
|
||||||
if (remoteObject.subtype === 'node')
|
|
||||||
return new ElementHandle(context, this._client, remoteObject, this._page, this);
|
|
||||||
return new JSHandle(context, this._client, remoteObject);
|
|
||||||
}
|
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @param {!Frame} frame
|
* @param {!Frame} frame
|
||||||
*/
|
*/
|
||||||
@ -259,17 +254,19 @@ FrameManager.Events = {
|
|||||||
*/
|
*/
|
||||||
class Frame {
|
class Frame {
|
||||||
/**
|
/**
|
||||||
|
* @param {!FrameManager} frameManager
|
||||||
* @param {!Puppeteer.CDPSession} client
|
* @param {!Puppeteer.CDPSession} client
|
||||||
* @param {?Frame} parentFrame
|
* @param {?Frame} parentFrame
|
||||||
* @param {string} frameId
|
* @param {string} frameId
|
||||||
*/
|
*/
|
||||||
constructor(client, parentFrame, frameId) {
|
constructor(frameManager, client, parentFrame, frameId) {
|
||||||
|
this._frameManager = frameManager;
|
||||||
this._client = client;
|
this._client = client;
|
||||||
this._parentFrame = parentFrame;
|
this._parentFrame = parentFrame;
|
||||||
this._url = '';
|
this._url = '';
|
||||||
this._id = frameId;
|
this._id = frameId;
|
||||||
|
|
||||||
/** @type {?Promise<!ElementHandle>} */
|
/** @type {?Promise<!Puppeteer.ElementHandle>} */
|
||||||
this._documentPromise = null;
|
this._documentPromise = null;
|
||||||
/** @type {?Promise<!ExecutionContext>} */
|
/** @type {?Promise<!ExecutionContext>} */
|
||||||
this._contextPromise = null;
|
this._contextPromise = null;
|
||||||
@ -350,7 +347,7 @@ class Frame {
|
|||||||
|
|
||||||
/**
|
/**
|
||||||
* @param {string} selector
|
* @param {string} selector
|
||||||
* @return {!Promise<?ElementHandle>}
|
* @return {!Promise<?Puppeteer.ElementHandle>}
|
||||||
*/
|
*/
|
||||||
async $(selector) {
|
async $(selector) {
|
||||||
const document = await this._document();
|
const document = await this._document();
|
||||||
@ -359,7 +356,7 @@ class Frame {
|
|||||||
}
|
}
|
||||||
|
|
||||||
/**
|
/**
|
||||||
* @return {!Promise<!ElementHandle>}
|
* @return {!Promise<!Puppeteer.ElementHandle>}
|
||||||
*/
|
*/
|
||||||
async _document() {
|
async _document() {
|
||||||
if (this._documentPromise)
|
if (this._documentPromise)
|
||||||
@ -373,7 +370,7 @@ class Frame {
|
|||||||
|
|
||||||
/**
|
/**
|
||||||
* @param {string} expression
|
* @param {string} expression
|
||||||
* @return {!Promise<!Array<!ElementHandle>>}
|
* @return {!Promise<!Array<!Puppeteer.ElementHandle>>}
|
||||||
*/
|
*/
|
||||||
async $x(expression) {
|
async $x(expression) {
|
||||||
const document = await this._document();
|
const document = await this._document();
|
||||||
@ -406,7 +403,7 @@ class Frame {
|
|||||||
|
|
||||||
/**
|
/**
|
||||||
* @param {string} selector
|
* @param {string} selector
|
||||||
* @return {!Promise<!Array<!ElementHandle>>}
|
* @return {!Promise<!Array<!Puppeteer.ElementHandle>>}
|
||||||
*/
|
*/
|
||||||
async $$(selector) {
|
async $$(selector) {
|
||||||
const document = await this._document();
|
const document = await this._document();
|
||||||
@ -476,7 +473,7 @@ class Frame {
|
|||||||
|
|
||||||
/**
|
/**
|
||||||
* @param {Object} options
|
* @param {Object} options
|
||||||
* @return {!Promise<!ElementHandle>}
|
* @return {!Promise<!Puppeteer.ElementHandle>}
|
||||||
*/
|
*/
|
||||||
async addScriptTag(options) {
|
async addScriptTag(options) {
|
||||||
if (typeof options.url === 'string') {
|
if (typeof options.url === 'string') {
|
||||||
@ -542,7 +539,7 @@ class Frame {
|
|||||||
|
|
||||||
/**
|
/**
|
||||||
* @param {Object} options
|
* @param {Object} options
|
||||||
* @return {!Promise<!ElementHandle>}
|
* @return {!Promise<!Puppeteer.ElementHandle>}
|
||||||
*/
|
*/
|
||||||
async addStyleTag(options) {
|
async addStyleTag(options) {
|
||||||
if (typeof options.url === 'string') {
|
if (typeof options.url === 'string') {
|
||||||
@ -878,7 +875,7 @@ class WaitTask {
|
|||||||
|
|
||||||
async rerun() {
|
async rerun() {
|
||||||
const runCount = ++this._runCount;
|
const runCount = ++this._runCount;
|
||||||
/** @type {?JSHandle} */
|
/** @type {?Puppeteer.JSHandle} */
|
||||||
let success = null;
|
let success = null;
|
||||||
let error = null;
|
let error = null;
|
||||||
try {
|
try {
|
||||||
|
@ -27,6 +27,7 @@ const Tracing = require('./Tracing');
|
|||||||
const {helper, debugError, assert} = require('./helper');
|
const {helper, debugError, assert} = require('./helper');
|
||||||
const {Coverage} = require('./Coverage');
|
const {Coverage} = require('./Coverage');
|
||||||
const {Worker} = require('./Worker');
|
const {Worker} = require('./Worker');
|
||||||
|
const {createJSHandle} = require('./ExecutionContext');
|
||||||
|
|
||||||
const writeFileAsync = helper.promisify(fs.writeFile);
|
const writeFileAsync = helper.promisify(fs.writeFile);
|
||||||
|
|
||||||
@ -480,7 +481,7 @@ class Page extends EventEmitter {
|
|||||||
*/
|
*/
|
||||||
async _onConsoleAPI(event) {
|
async _onConsoleAPI(event) {
|
||||||
const context = this._frameManager.executionContextById(event.executionContextId);
|
const context = this._frameManager.executionContextById(event.executionContextId);
|
||||||
const values = event.args.map(arg => this._frameManager.createJSHandle(context, arg));
|
const values = event.args.map(arg => createJSHandle(context, arg));
|
||||||
this._addConsoleMessage(event.type, values);
|
this._addConsoleMessage(event.type, values);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
@ -33,7 +33,7 @@ class Worker extends EventEmitter {
|
|||||||
let jsHandleFactory;
|
let jsHandleFactory;
|
||||||
this._client.once('Runtime.executionContextCreated', async event => {
|
this._client.once('Runtime.executionContextCreated', async event => {
|
||||||
jsHandleFactory = remoteObject => new JSHandle(executionContext, client, remoteObject);
|
jsHandleFactory = remoteObject => new JSHandle(executionContext, client, remoteObject);
|
||||||
const executionContext = new ExecutionContext(client, event.context, jsHandleFactory, null);
|
const executionContext = new ExecutionContext(client, event.context, null);
|
||||||
this._executionContextCallback(executionContext);
|
this._executionContextCallback(executionContext);
|
||||||
});
|
});
|
||||||
// This might fail if the target is closed before we recieve all execution contexts.
|
// This might fail if the target is closed before we recieve all execution contexts.
|
||||||
|
3
lib/externs.d.ts
vendored
3
lib/externs.d.ts
vendored
@ -5,8 +5,7 @@ import {Page as RealPage} from './Page.js';
|
|||||||
import {TaskQueue as RealTaskQueue} from './TaskQueue.js';
|
import {TaskQueue as RealTaskQueue} from './TaskQueue.js';
|
||||||
import {Mouse as RealMouse, Keyboard as RealKeyboard, Touchscreen as RealTouchscreen} from './Input.js';
|
import {Mouse as RealMouse, Keyboard as RealKeyboard, Touchscreen as RealTouchscreen} from './Input.js';
|
||||||
import {Frame as RealFrame, FrameManager as RealFrameManager} from './FrameManager.js';
|
import {Frame as RealFrame, FrameManager as RealFrameManager} from './FrameManager.js';
|
||||||
import {JSHandle as RealJSHandle, ExecutionContext as RealExecutionContext} from './ExecutionContext.js';
|
import {JSHandle as RealJSHandle, ElementHandle as RealElementHandle, ExecutionContext as RealExecutionContext} from './ExecutionContext.js';
|
||||||
import {ElementHandle as RealElementHandle} from './ElementHandle.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 {
|
||||||
|
Loading…
Reference in New Issue
Block a user