我正在关闭无头模式运行 puppeteer,以便自动化和远程控制另一台计算机上的可见 Chromium 浏览器。
有没有办法像在 UI 菜单或ctrl +
/crtl -
命令中一样触发或模拟浏览器上的缩放?
注入 CSS 或使用各种记录在案的缩放命令并不能完全复制这一点,例如,使用vh
/vw
单位定义的元素不会得到调整。
我目前的解决方案
使用视口缩放在Emulation.setDeviceMetricsOverride
缩小时效果很好,但它似乎是在调整页面光栅的大小而不是以目标大小呈现,导致放大时文本模糊。
调整视口大小并使用Emulation.setPageScaleFactor
适用于放大,但是在我的测试中似乎忽略了小于 1 的 pageScaleFactor。
这两种解决方案的一个问题是,它需要提前知道浏览器窗口的宽度/高度,并且依赖于不改变,而不是具有流畅的视口。我也不确定我缺少标准浏览器缩放的其他哪些功能。
我的缩放代码现在是:
async applyFrameZoom(page, zoom) {
// page is a puppeteer.Page instance
// zoom is an integer percentage
const session = await page.target().createCDPSession();
let window = await session.send('Browser.getWindowForTarget', {
targetId: page.target()._targetId
});
let width = window.bounds.width;
let height = window.bounds.height;
if (!zoom || zoom === 100) {
// Unset any zoom
await session.send('Emulation.clearDeviceMetricsOverride');
await session.send('Emulation.resetPageScaleFactor');
} else if (zoom > 100) {
// Unset other zooming method
await session.send('Emulation.clearDeviceMetricsOverride');
// Zoom in by reducing size then adjusting page scale (unable to zoom out using this method)
await page.setViewport({
width: Math.round(width / (zoom / 100)),
height: Math.round(height / (zoom / 100))
});
await session.send('Emulation.setPageScaleFactor', {
pageScaleFactor: (zoom / 100)
});
await session.send('Emulation.setVisibleSize', {
width: width,
height: height
});
} else {
// Unset other zooming method
await session.send('Emulation.resetPageScaleFactor');
// Zoom out by emulating a scaled device (makes text blurry when zooming in with this method)
await session.send('Emulation.setDeviceMetricsOverride', {
width: Math.round(width / (zoom / 100)),
height: Math.round(height / (zoom / 100)),
mobile: false,
deviceScaleFactor: 1,
dontSetVisibleSize: true,
viewport: {
x: 0,
y: 0,
width: width,
height: height,
scale: (zoom / 100)
}
});
}
await this.frame.waitForSelector('html');
this.frame.evaluate(function () {
window.dispatchEvent(new Event('resize'));
});
}
有一个更好的方法吗?