electron/spec/webview-spec.js

1170 lines
37 KiB
JavaScript
Raw Normal View History

const { expect } = require('chai')
2016-03-25 20:03:49 +00:00
const path = require('path')
const http = require('http')
const url = require('url')
const { ipcRenderer } = require('electron')
2018-09-13 16:10:51 +00:00
const { emittedOnce, waitForEvent } = require('./events-helpers')
const { ifdescribe, ifit } = require('./spec-helpers')
2018-06-19 11:25:26 +00:00
const features = process.electronBinding('features')
const nativeModulesEnabled = process.env.ELECTRON_SKIP_NATIVE_MODULE_TESTS
2017-11-23 22:22:43 +00:00
/* Most of the APIs here don't use standard callbacks */
/* eslint-disable standard/no-callback-literal */
2017-05-07 05:14:52 +00:00
describe('<webview> tag', function () {
this.timeout(3 * 60 * 1000)
const fixtures = path.join(__dirname, 'fixtures')
let webview = null
2018-06-19 11:25:26 +00:00
const loadWebView = async (webview, attributes = {}) => {
2018-05-14 22:00:49 +00:00
for (const [name, value] of Object.entries(attributes)) {
webview.setAttribute(name, value)
}
document.body.appendChild(webview)
2018-06-19 11:25:26 +00:00
await waitForEvent(webview, 'did-finish-load')
return webview
2018-05-14 22:00:49 +00:00
}
2018-06-19 11:25:26 +00:00
const startLoadingWebViewAndWaitForMessage = async (webview, attributes = {}) => {
2018-09-13 16:10:51 +00:00
loadWebView(webview, attributes) // Don't wait for load to be finished.
2018-06-19 11:25:26 +00:00
const event = await waitForEvent(webview, 'console-message')
return event.message
2018-05-14 22:00:49 +00:00
}
beforeEach(() => {
2016-03-28 20:47:31 +00:00
webview = new WebView()
2016-03-25 20:03:49 +00:00
})
afterEach(() => {
if (!document.body.contains(webview)) {
document.body.appendChild(webview)
2016-01-12 02:40:23 +00:00
}
webview.remove()
})
describe('src attribute', () => {
2018-05-14 22:00:49 +00:00
it('specifies the page to load', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
src: `file://${fixtures}/pages/a.html`
2016-03-25 20:03:49 +00:00
})
expect(message).to.equal('a')
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('navigates to new page when changed', async () => {
await loadWebView(webview, {
src: `file://${fixtures}/pages/a.html`
})
webview.src = `file://${fixtures}/pages/b.html`
2018-09-13 16:10:51 +00:00
const { message } = await waitForEvent(webview, 'console-message')
expect(message).to.equal('b')
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('resolves relative URLs', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
src: '../fixtures/pages/e.html'
})
expect(message).to.equal('Window script is loaded before preload script')
2016-09-08 23:56:29 +00:00
})
it('ignores empty values', () => {
expect(webview.src).to.equal('')
2018-05-14 22:00:49 +00:00
for (const emptyValue of ['', null, undefined]) {
webview.src = emptyValue
expect(webview.src).to.equal('')
2018-05-14 22:00:49 +00:00
}
})
it('does not wait until loadURL is resolved', async () => {
await loadWebView(webview, { src: 'about:blank' })
const before = Date.now()
webview.src = 'https://github.com'
const now = Date.now()
// Setting src is essentially sending a sync IPC message, which should
// not exceed more than a few ms.
//
// This is for testing #18638.
expect(now - before).to.be.below(100)
})
2016-03-25 20:03:49 +00:00
})
describe('nodeintegration attribute', () => {
2018-05-14 22:00:49 +00:00
it('inserts no node symbols when not set', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
src: `file://${fixtures}/pages/c.html`
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
const types = JSON.parse(message)
expect(types).to.include({
require: 'undefined',
module: 'undefined',
process: 'undefined',
global: 'undefined'
})
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('inserts node symbols when set', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
nodeintegration: 'on',
src: `file://${fixtures}/pages/d.html`
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
const types = JSON.parse(message)
expect(types).to.include({
require: 'function',
module: 'object',
process: 'object'
})
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('loads node symbols after POST navigation when set', async function () {
// FIXME Figure out why this is timing out on AppVeyor
if (process.env.APPVEYOR === 'True') {
2018-05-14 22:00:49 +00:00
this.skip()
return
}
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
nodeintegration: 'on',
src: `file://${fixtures}/pages/post.html`
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
const types = JSON.parse(message)
expect(types).to.include({
require: 'function',
module: 'object',
process: 'object'
})
})
it('disables node integration on child windows when it is disabled on the webview', async () => {
2018-05-14 22:00:49 +00:00
const src = url.format({
pathname: `${fixtures}/pages/webview-opener-no-node-integration.html`,
protocol: 'file',
query: {
p: `${fixtures}/pages/window-opener-node.html`
},
slashes: true
})
2018-05-14 22:00:49 +00:00
loadWebView(webview, {
allowpopups: 'on',
src
})
const { message } = await waitForEvent(webview, 'console-message')
expect(JSON.parse(message).isProcessGlobalUndefined).to.be.true()
});
2018-05-14 22:00:49 +00:00
(nativeModulesEnabled ? it : it.skip)('loads native modules when navigation happens', async function () {
2018-05-14 22:00:49 +00:00
await loadWebView(webview, {
nodeintegration: 'on',
src: `file://${fixtures}/pages/native-module.html`
})
webview.reload()
2018-09-13 16:10:51 +00:00
const { message } = await waitForEvent(webview, 'console-message')
expect(message).to.equal('function')
})
2016-03-25 20:03:49 +00:00
})
describe('preload attribute', () => {
2018-05-14 22:00:49 +00:00
it('loads the script before other scripts in window', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
preload: `${fixtures}/module/preload.js`,
src: `file://${fixtures}/pages/e.html`
})
expect(message).to.be.a('string')
expect(message).to.be.not.equal('Window script is loaded before preload script')
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('preload script can still use "process" and "Buffer" when nodeintegration is off', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
preload: `${fixtures}/module/preload-node-off.js`,
src: `file://${fixtures}/api/blank.html`
})
const types = JSON.parse(message)
expect(types).to.include({
process: 'object',
Buffer: 'function'
2016-03-25 20:03:49 +00:00
})
})
it('runs in the correct scope when sandboxed', async () => {
const message = await startLoadingWebViewAndWaitForMessage(webview, {
preload: `${fixtures}/module/preload-context.js`,
src: `file://${fixtures}/api/blank.html`,
webpreferences: 'sandbox=yes'
})
const types = JSON.parse(message)
expect(types).to.include({
require: 'function', // arguments passed to it should be availale
electron: 'undefined', // objects from the scope it is called from should not be available
window: 'object', // the window object should be available
localVar: 'undefined' // but local variables should not be exposed to the window
})
})
2018-05-14 22:00:49 +00:00
it('preload script can require modules that still use "process" and "Buffer" when nodeintegration is off', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
preload: `${fixtures}/module/preload-node-off-wrapper.js`,
src: `file://${fixtures}/api/blank.html`
})
const types = JSON.parse(message)
expect(types).to.include({
process: 'object',
Buffer: 'function'
})
})
2018-05-14 22:00:49 +00:00
it('receives ipc message in preload script', async () => {
await loadWebView(webview, {
preload: `${fixtures}/module/preload-ipc.js`,
src: `file://${fixtures}/pages/e.html`
})
2018-05-14 22:00:49 +00:00
const message = 'boom!'
2018-05-14 22:00:49 +00:00
webview.send('ping', message)
2018-09-13 16:10:51 +00:00
const { channel, args } = await waitForEvent(webview, 'ipc-message')
expect(channel).to.equal('pong')
expect(args).to.deep.equal([message])
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('works without script tag in page', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
preload: `${fixtures}/module/preload.js`,
src: `file://${fixtures}pages/base-page.html`
})
const types = JSON.parse(message)
expect(types).to.include({
require: 'function',
module: 'object',
process: 'object',
Buffer: 'function'
})
})
2018-05-14 22:00:49 +00:00
it('resolves relative URLs', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
preload: '../fixtures/module/preload.js',
src: `file://${fixtures}/pages/e.html`
})
const types = JSON.parse(message)
expect(types).to.include({
require: 'function',
module: 'object',
process: 'object',
Buffer: 'function'
})
2016-09-08 23:56:29 +00:00
})
it('ignores empty values', () => {
expect(webview.preload).to.equal('')
2018-05-14 22:00:49 +00:00
for (const emptyValue of ['', null, undefined]) {
webview.preload = emptyValue
expect(webview.preload).to.equal('')
2018-05-14 22:00:49 +00:00
}
})
2016-03-25 20:03:49 +00:00
})
describe('httpreferrer attribute', () => {
it('sets the referrer url', (done) => {
const referrer = 'http://github.com/'
const server = http.createServer((req, res) => {
res.end()
server.close()
expect(req.headers.referer).to.equal(referrer)
done()
}).listen(0, '127.0.0.1', () => {
const port = server.address().port
2018-05-14 22:00:49 +00:00
loadWebView(webview, {
httpreferrer: referrer,
src: `http://127.0.0.1:${port}`
})
})
2016-03-25 20:03:49 +00:00
})
})
describe('useragent attribute', () => {
2018-05-14 22:00:49 +00:00
it('sets the user agent', async () => {
const referrer = 'Mozilla/5.0 (Windows NT 6.1; WOW64; Trident/7.0; AS; rv:11.0) like Gecko'
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
src: `file://${fixtures}/pages/useragent.html`,
useragent: referrer
})
expect(message).to.equal(referrer)
2016-03-25 20:03:49 +00:00
})
})
describe('disablewebsecurity attribute', () => {
2018-05-14 22:00:49 +00:00
it('does not disable web security when not set', async () => {
const jqueryPath = path.join(__dirname, '/static/jquery-2.0.3.min.js')
const src = `<script src='file://${jqueryPath}'></script> <script>console.log('ok');</script>`
const encoded = btoa(unescape(encodeURIComponent(src)))
2018-05-14 22:00:49 +00:00
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
src: `data:text/html;base64,${encoded}`
})
expect(message).to.be.a('string')
expect(message).to.contain('Not allowed to load local resource')
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('disables web security when set', async () => {
const jqueryPath = path.join(__dirname, '/static/jquery-2.0.3.min.js')
const src = `<script src='file://${jqueryPath}'></script> <script>console.log('ok');</script>`
const encoded = btoa(unescape(encodeURIComponent(src)))
2018-05-14 22:00:49 +00:00
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
disablewebsecurity: '',
src: `data:text/html;base64,${encoded}`
})
expect(message).to.equal('ok')
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('does not break node integration', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
disablewebsecurity: '',
nodeintegration: 'on',
src: `file://${fixtures}/pages/d.html`
})
const types = JSON.parse(message)
expect(types).to.include({
require: 'function',
module: 'object',
process: 'object'
})
})
2018-05-14 22:00:49 +00:00
it('does not break preload script', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
disablewebsecurity: '',
preload: `${fixtures}/module/preload.js`,
src: `file://${fixtures}/pages/e.html`
})
const types = JSON.parse(message)
expect(types).to.include({
require: 'function',
module: 'object',
process: 'object',
Buffer: 'function'
})
})
2016-03-25 20:03:49 +00:00
})
describe('partition attribute', () => {
2018-05-14 22:00:49 +00:00
it('inserts no node symbols when not set', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
partition: 'test1',
src: `file://${fixtures}/pages/c.html`
2016-03-25 20:03:49 +00:00
})
const types = JSON.parse(message)
expect(types).to.include({
require: 'undefined',
module: 'undefined',
process: 'undefined',
global: 'undefined'
})
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('inserts node symbols when set', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
nodeintegration: 'on',
partition: 'test2',
src: `file://${fixtures}/pages/d.html`
2016-03-25 20:03:49 +00:00
})
const types = JSON.parse(message)
expect(types).to.include({
require: 'function',
module: 'object',
process: 'object'
})
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('isolates storage for different id', async () => {
2016-03-25 20:03:49 +00:00
window.localStorage.setItem('test', 'one')
2018-05-14 22:00:49 +00:00
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
partition: 'test3',
src: `file://${fixtures}/pages/partition/one.html`
})
const parsedMessage = JSON.parse(message)
expect(parsedMessage).to.include({
numberOfEntries: 0,
testValue: null
})
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('uses current session storage when no id is provided', async () => {
const testValue = 'one'
window.localStorage.setItem('test', testValue)
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
src: `file://${fixtures}/pages/partition/one.html`
})
const parsedMessage = JSON.parse(message)
expect(parsedMessage).to.include({
numberOfEntries: 1,
testValue
})
2016-03-25 20:03:49 +00:00
})
})
describe('allowpopups attribute', () => {
const generateSpecs = (description, webpreferences = '') => {
describe(description, () => {
it('can not open new window when not set', async () => {
const message = await startLoadingWebViewAndWaitForMessage(webview, {
webpreferences,
src: `file://${fixtures}/pages/window-open-hide.html`
})
expect(message).to.equal('null')
})
2016-03-25 20:03:49 +00:00
it('can open new window when set', async () => {
const message = await startLoadingWebViewAndWaitForMessage(webview, {
webpreferences,
allowpopups: 'on',
src: `file://${fixtures}/pages/window-open-hide.html`
})
expect(message).to.equal('window')
})
2018-05-14 22:00:49 +00:00
})
}
generateSpecs('without sandbox')
generateSpecs('with sandbox', 'sandbox=yes')
generateSpecs('with nativeWindowOpen', 'nativeWindowOpen=yes')
2016-03-25 20:03:49 +00:00
})
describe('webpreferences attribute', () => {
2018-05-14 22:00:49 +00:00
it('can enable nodeintegration', async () => {
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
src: `file://${fixtures}/pages/d.html`,
webpreferences: 'nodeIntegration'
})
const types = JSON.parse(message)
expect(types).to.include({
require: 'function',
module: 'object',
process: 'object'
})
})
ifit(features.isRemoteModuleEnabled())('can disable the remote module', async () => {
const message = await startLoadingWebViewAndWaitForMessage(webview, {
preload: `${fixtures}/module/preload-disable-remote.js`,
src: `file://${fixtures}/api/blank.html`,
webpreferences: 'enableRemoteModule=no'
})
const typeOfRemote = JSON.parse(message)
expect(typeOfRemote).to.equal('undefined')
})
2018-05-14 22:00:49 +00:00
it('can disables web security and enable nodeintegration', async () => {
const jqueryPath = path.join(__dirname, '/static/jquery-2.0.3.min.js')
2018-05-14 22:00:49 +00:00
const src = `<script src='file://${jqueryPath}'></script> <script>console.log(typeof require);</script>`
const encoded = btoa(unescape(encodeURIComponent(src)))
2018-05-14 22:00:49 +00:00
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
src: `data:text/html;base64,${encoded}`,
webpreferences: 'webSecurity=no, nodeIntegration=yes'
})
expect(message).to.equal('function')
})
})
describe('new-window event', () => {
2018-05-14 22:00:49 +00:00
it('emits when window.open is called', async () => {
loadWebView(webview, {
src: `file://${fixtures}/pages/window-open.html`
2016-03-25 20:03:49 +00:00
})
2018-09-13 16:10:51 +00:00
const { url, frameName } = await waitForEvent(webview, 'new-window')
2018-05-14 22:00:49 +00:00
expect(url).to.equal('http://host/')
expect(frameName).to.equal('host')
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('emits when link with target is called', async () => {
loadWebView(webview, {
src: `file://${fixtures}/pages/target-name.html`
2016-03-25 20:03:49 +00:00
})
2018-09-13 16:10:51 +00:00
const { url, frameName } = await waitForEvent(webview, 'new-window')
2018-05-14 22:00:49 +00:00
expect(url).to.equal('http://host/')
expect(frameName).to.equal('target')
2016-03-25 20:03:49 +00:00
})
})
describe('ipc-message event', () => {
it('emits when guest sends an ipc message to browser', async () => {
2018-05-14 22:00:49 +00:00
loadWebView(webview, {
nodeintegration: 'on',
src: `file://${fixtures}/pages/ipc-message.html`
2016-03-25 20:03:49 +00:00
})
2018-09-13 16:10:51 +00:00
const { channel, args } = await waitForEvent(webview, 'ipc-message')
2018-05-14 22:00:49 +00:00
expect(channel).to.equal('channel')
expect(args).to.deep.equal(['arg1', 'arg2'])
2016-03-25 20:03:49 +00:00
})
})
describe('page-title-set event', () => {
2018-05-14 22:00:49 +00:00
it('emits when title is set', async () => {
loadWebView(webview, {
src: `file://${fixtures}/pages/a.html`
2016-03-25 20:03:49 +00:00
})
2018-09-13 16:10:51 +00:00
const { title, explicitSet } = await waitForEvent(webview, 'page-title-set')
2018-05-14 22:00:49 +00:00
expect(title).to.equal('test')
expect(explicitSet).to.be.true()
2016-03-25 20:03:49 +00:00
})
})
describe('page-favicon-updated event', () => {
2018-05-14 22:00:49 +00:00
it('emits when favicon urls are received', async () => {
loadWebView(webview, {
src: `file://${fixtures}/pages/a.html`
2016-03-25 20:03:49 +00:00
})
2018-09-13 16:10:51 +00:00
const { favicons } = await waitForEvent(webview, 'page-favicon-updated')
2018-05-14 22:00:49 +00:00
expect(favicons).to.be.an('array').of.length(2)
2018-05-14 22:00:49 +00:00
if (process.platform === 'win32') {
expect(favicons[0]).to.match(/^file:\/\/\/[A-Z]:\/favicon.png$/i)
2018-05-14 22:00:49 +00:00
} else {
expect(favicons[0]).to.equal('file:///favicon.png')
2018-05-14 22:00:49 +00:00
}
2016-03-25 20:03:49 +00:00
})
})
describe('will-navigate event', () => {
2018-05-14 22:00:49 +00:00
it('emits when a url that leads to oustide of the page is clicked', async () => {
loadWebView(webview, {
src: `file://${fixtures}/pages/webview-will-navigate.html`
2016-03-25 20:03:49 +00:00
})
2018-09-13 16:10:51 +00:00
const { url } = await waitForEvent(webview, 'will-navigate')
2018-05-14 22:00:49 +00:00
expect(url).to.equal('http://host/')
2016-03-25 20:03:49 +00:00
})
})
describe('did-navigate event', () => {
let p = path.join(fixtures, 'pages', 'webview-will-navigate.html')
2016-03-25 20:03:49 +00:00
p = p.replace(/\\/g, '/')
const pageUrl = url.format({
2016-01-12 02:40:23 +00:00
protocol: 'file',
slashes: true,
pathname: p
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('emits when a url that leads to outside of the page is clicked', async () => {
2018-09-13 16:10:51 +00:00
loadWebView(webview, { src: pageUrl })
const { url } = await waitForEvent(webview, 'did-navigate')
2018-05-14 22:00:49 +00:00
expect(url).to.equal(pageUrl)
2016-03-25 20:03:49 +00:00
})
})
describe('did-navigate-in-page event', () => {
2018-05-14 22:00:49 +00:00
it('emits when an anchor link is clicked', async () => {
let p = path.join(fixtures, 'pages', 'webview-did-navigate-in-page.html')
2016-03-25 20:03:49 +00:00
p = p.replace(/\\/g, '/')
const pageUrl = url.format({
2016-01-12 02:40:23 +00:00
protocol: 'file',
slashes: true,
pathname: p
2016-03-25 20:03:49 +00:00
})
2018-09-13 16:10:51 +00:00
loadWebView(webview, { src: pageUrl })
2018-05-14 22:00:49 +00:00
const event = await waitForEvent(webview, 'did-navigate-in-page')
expect(event.url).to.equal(`${pageUrl}#test_content`)
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('emits when window.history.replaceState is called', async () => {
loadWebView(webview, {
src: `file://${fixtures}/pages/webview-did-navigate-in-page-with-history.html`
2016-03-25 20:03:49 +00:00
})
2018-09-13 16:10:51 +00:00
const { url } = await waitForEvent(webview, 'did-navigate-in-page')
expect(url).to.equal('http://host/')
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('emits when window.location.hash is changed', async () => {
let p = path.join(fixtures, 'pages', 'webview-did-navigate-in-page-with-hash.html')
2016-03-25 20:03:49 +00:00
p = p.replace(/\\/g, '/')
const pageUrl = url.format({
2016-01-12 02:40:23 +00:00
protocol: 'file',
slashes: true,
pathname: p
2016-03-25 20:03:49 +00:00
})
2018-09-13 16:10:51 +00:00
loadWebView(webview, { src: pageUrl })
2018-05-14 22:00:49 +00:00
const event = await waitForEvent(webview, 'did-navigate-in-page')
expect(event.url).to.equal(`${pageUrl}#test`)
2016-03-25 20:03:49 +00:00
})
})
describe('close event', () => {
2018-05-14 22:00:49 +00:00
it('should fire when interior page calls window.close', async () => {
2018-09-13 16:10:51 +00:00
loadWebView(webview, { src: `file://${fixtures}/pages/close.html` })
2018-05-14 22:00:49 +00:00
await waitForEvent(webview, 'close')
2016-03-25 20:03:49 +00:00
})
})
// FIXME(zcbenz): Disabled because of moving to OOPIF webview.
xdescribe('setDevToolsWebContents() API', () => {
2018-05-14 22:00:49 +00:00
it('sets webContents of webview as devtools', async () => {
2017-11-30 12:04:50 +00:00
const webview2 = new WebView()
2018-05-14 22:00:49 +00:00
loadWebView(webview2)
// Setup an event handler for further usage.
const waitForDomReady = waitForEvent(webview2, 'dom-ready')
2018-09-13 16:10:51 +00:00
loadWebView(webview, { src: 'about:blank' })
2018-05-14 22:00:49 +00:00
await waitForEvent(webview, 'dom-ready')
webview.getWebContents().setDevToolsWebContents(webview2.getWebContents())
webview.getWebContents().openDevTools()
await waitForDomReady
// Its WebContents should be a DevTools.
const devtools = webview2.getWebContents()
expect(devtools.getURL().startsWith('devtools://devtools')).to.be.true()
2018-05-14 22:00:49 +00:00
const name = await devtools.executeJavaScript('InspectorFrontendHost.constructor.name')
document.body.removeChild(webview2)
expect(name).to.be.equal('InspectorFrontendHostImpl')
2017-11-30 12:04:50 +00:00
})
})
describe('devtools-opened event', () => {
2018-05-14 22:00:49 +00:00
it('should fire when webview.openDevTools() is called', async () => {
loadWebView(webview, {
src: `file://${fixtures}/pages/base-page.html`
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
await waitForEvent(webview, 'dom-ready')
webview.openDevTools()
await waitForEvent(webview, 'devtools-opened')
webview.closeDevTools()
2016-03-25 20:03:49 +00:00
})
})
describe('devtools-closed event', () => {
2018-05-14 22:00:49 +00:00
it('should fire when webview.closeDevTools() is called', async () => {
loadWebView(webview, {
src: `file://${fixtures}/pages/base-page.html`
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
await waitForEvent(webview, 'dom-ready')
webview.openDevTools()
await waitForEvent(webview, 'devtools-opened')
webview.closeDevTools()
await waitForEvent(webview, 'devtools-closed')
2016-03-25 20:03:49 +00:00
})
})
describe('devtools-focused event', () => {
2018-05-14 22:00:49 +00:00
it('should fire when webview.openDevTools() is called', async () => {
loadWebView(webview, {
src: `file://${fixtures}/pages/base-page.html`
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
const waitForDevToolsFocused = waitForEvent(webview, 'devtools-focused')
await waitForEvent(webview, 'dom-ready')
webview.openDevTools()
await waitForDevToolsFocused
webview.closeDevTools()
2016-03-25 20:03:49 +00:00
})
})
describe('<webview>.reload()', () => {
2018-05-14 22:00:49 +00:00
it('should emit beforeunload handler', async () => {
await loadWebView(webview, {
nodeintegration: 'on',
src: `file://${fixtures}/pages/beforeunload-false.html`
})
// Event handler has to be added before reload.
const waitForOnbeforeunload = waitForEvent(webview, 'ipc-message')
webview.reload()
2018-09-13 16:10:51 +00:00
const { channel } = await waitForOnbeforeunload
expect(channel).to.equal('onbeforeunload')
2016-03-25 20:03:49 +00:00
})
})
describe('<webview>.goForward()', () => {
it('should work after a replaced history entry', (done) => {
let loadCount = 1
const listener = (e) => {
if (loadCount === 1) {
expect(e.channel).to.equal('history')
expect(e.args[0]).to.equal(1)
expect(webview.canGoBack()).to.be.false()
expect(webview.canGoForward()).to.be.false()
} else if (loadCount === 2) {
expect(e.channel).to.equal('history')
expect(e.args[0]).to.equal(2)
expect(webview.canGoBack()).to.be.false()
expect(webview.canGoForward()).to.be.true()
webview.removeEventListener('ipc-message', listener)
}
}
2018-05-14 22:00:49 +00:00
const loadListener = () => {
if (loadCount === 1) {
webview.src = `file://${fixtures}/pages/base-page.html`
} else if (loadCount === 2) {
expect(webview.canGoBack()).to.be.true()
expect(webview.canGoForward()).to.be.false()
webview.goBack()
} else if (loadCount === 3) {
webview.goForward()
} else if (loadCount === 4) {
expect(webview.canGoBack()).to.be.true()
expect(webview.canGoForward()).to.be.false()
webview.removeEventListener('did-finish-load', loadListener)
done()
}
loadCount += 1
}
webview.addEventListener('ipc-message', listener)
webview.addEventListener('did-finish-load', loadListener)
2018-05-14 22:00:49 +00:00
loadWebView(webview, {
nodeintegration: 'on',
src: `file://${fixtures}/pages/history-replace.html`
})
})
})
// FIXME: https://github.com/electron/electron/issues/19397
xdescribe('<webview>.clearHistory()', () => {
2018-05-14 22:00:49 +00:00
it('should clear the navigation history', async () => {
const message = waitForEvent(webview, 'ipc-message')
await loadWebView(webview, {
2018-05-14 22:00:49 +00:00
nodeintegration: 'on',
src: `file://${fixtures}/pages/history.html`
})
const event = await message
2018-05-14 22:00:49 +00:00
expect(event.channel).to.equal('history')
expect(event.args[0]).to.equal(2)
expect(webview.canGoBack()).to.be.true()
2018-05-14 22:00:49 +00:00
webview.clearHistory()
expect(webview.canGoBack()).to.be.false()
2016-03-25 20:03:49 +00:00
})
})
describe('basic auth', () => {
const auth = require('basic-auth')
2016-03-25 20:03:49 +00:00
it('should authenticate with correct credentials', (done) => {
const message = 'Authenticated'
const server = http.createServer((req, res) => {
const credentials = auth(req)
2016-01-12 02:40:23 +00:00
if (credentials.name === 'test' && credentials.pass === 'test') {
2016-03-25 20:03:49 +00:00
res.end(message)
2016-01-12 02:40:23 +00:00
} else {
2016-03-25 20:03:49 +00:00
res.end('failed')
2016-01-12 02:40:23 +00:00
}
2016-03-25 20:03:49 +00:00
server.close()
})
server.listen(0, '127.0.0.1', () => {
const port = server.address().port
webview.addEventListener('ipc-message', (e) => {
expect(e.channel).to.equal(message)
2016-03-25 20:03:49 +00:00
done()
})
2018-05-14 22:00:49 +00:00
loadWebView(webview, {
nodeintegration: 'on',
src: `file://${fixtures}/pages/basic-auth.html?port=${port}`
})
2016-03-25 20:03:49 +00:00
})
})
})
describe('dom-ready event', () => {
it('emits when document is loaded', (done) => {
const server = http.createServer(() => {})
server.listen(0, '127.0.0.1', () => {
const port = server.address().port
webview.addEventListener('dom-ready', () => {
2016-03-25 20:03:49 +00:00
done()
})
2018-05-14 22:00:49 +00:00
loadWebView(webview, {
src: `file://${fixtures}/pages/dom-ready.html?port=${port}`
})
2016-03-25 20:03:49 +00:00
})
})
it('throws a custom error when an API method is called before the event is emitted', () => {
const expectedErrorMessage =
'The WebView must be attached to the DOM ' +
'and the dom-ready event emitted before this method can be called.'
expect(() => { webview.stop() }).to.throw(expectedErrorMessage)
2016-03-25 20:03:49 +00:00
})
})
describe('executeJavaScript', () => {
2018-05-14 22:00:49 +00:00
it('should support user gesture', async () => {
await loadWebView(webview, {
src: `file://${fixtures}/pages/fullscreen.html`
})
// Event handler has to be added before js execution.
const waitForEnterHtmlFullScreen = waitForEvent(webview, 'enter-html-full-screen')
const jsScript = "document.querySelector('video').webkitRequestFullscreen()"
webview.executeJavaScript(jsScript, true)
return waitForEnterHtmlFullScreen
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('can return the result of the executed script', async () => {
await loadWebView(webview, {
src: 'about:blank'
})
const jsScript = "'4'+2"
const expectedResult = '42'
const result = await webview.executeJavaScript(jsScript)
expect(result).to.equal(expectedResult)
})
2016-03-25 20:03:49 +00:00
})
2019-06-17 15:39:36 +00:00
it('supports inserting CSS', async () => {
await loadWebView(webview, { src: `file://${fixtures}/pages/base-page.html` })
await webview.insertCSS('body { background-repeat: round; }')
const result = await webview.executeJavaScript('window.getComputedStyle(document.body).getPropertyValue("background-repeat")')
expect(result).to.equal('round')
})
it('supports removing inserted CSS', async () => {
await loadWebView(webview, { src: `file://${fixtures}/pages/base-page.html` })
const key = await webview.insertCSS('body { background-repeat: round; }')
await webview.removeInsertedCSS(key)
const result = await webview.executeJavaScript('window.getComputedStyle(document.body).getPropertyValue("background-repeat")')
expect(result).to.equal('repeat')
})
describe('sendInputEvent', () => {
2018-05-14 22:00:49 +00:00
it('can send keyboard event', async () => {
loadWebView(webview, {
nodeintegration: 'on',
src: `file://${fixtures}/pages/onkeyup.html`
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
await waitForEvent(webview, 'dom-ready')
const waitForIpcMessage = waitForEvent(webview, 'ipc-message')
webview.sendInputEvent({
type: 'keyup',
keyCode: 'c',
modifiers: ['shift']
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
2018-09-13 16:10:51 +00:00
const { channel, args } = await waitForIpcMessage
expect(channel).to.equal('keyup')
expect(args).to.deep.equal(['C', 'KeyC', 67, true, false])
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
it('can send mouse event', async () => {
loadWebView(webview, {
nodeintegration: 'on',
src: `file://${fixtures}/pages/onmouseup.html`
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
await waitForEvent(webview, 'dom-ready')
const waitForIpcMessage = waitForEvent(webview, 'ipc-message')
webview.sendInputEvent({
type: 'mouseup',
modifiers: ['ctrl'],
x: 10,
y: 20
2016-03-25 20:03:49 +00:00
})
2018-05-14 22:00:49 +00:00
2018-09-13 16:10:51 +00:00
const { channel, args } = await waitForIpcMessage
expect(channel).to.equal('mouseup')
expect(args).to.deep.equal([10, 20, false, true])
2016-03-25 20:03:49 +00:00
})
})
describe('media-started-playing media-paused events', () => {
2018-05-14 22:00:49 +00:00
it('emits when audio starts and stops playing', async () => {
await loadWebView(webview, { src: `file://${fixtures}/pages/base-page.html` })
// With the new autoplay policy, audio elements must be unmuted
// see https://goo.gl/xX8pDD.
const source = `
const audio = document.createElement("audio")
audio.src = "../assets/tone.wav"
document.body.appendChild(audio);
audio.play()
`
webview.executeJavaScript(source, true)
2018-05-14 22:00:49 +00:00
await waitForEvent(webview, 'media-started-playing')
webview.executeJavaScript('document.querySelector("audio").pause()', true)
2018-05-14 22:00:49 +00:00
await waitForEvent(webview, 'media-paused')
2016-03-25 20:03:49 +00:00
})
})
describe('found-in-page event', () => {
it('emits when a request is made', (done) => {
2016-09-08 05:27:10 +00:00
let requestId = null
const activeMatchOrdinal = []
const listener = (e) => {
expect(e.result.requestId).to.equal(requestId)
expect(e.result.matches).to.equal(3)
2016-09-08 05:27:10 +00:00
activeMatchOrdinal.push(e.result.activeMatchOrdinal)
if (e.result.activeMatchOrdinal === e.result.matches) {
expect(activeMatchOrdinal).to.deep.equal([1, 2, 3])
2016-09-08 05:27:10 +00:00
webview.stopFindInPage('clearSelection')
done()
} else {
2016-09-08 05:27:10 +00:00
listener2()
2016-01-12 02:40:23 +00:00
}
2016-03-25 20:03:49 +00:00
}
const listener2 = () => {
2016-03-25 20:03:49 +00:00
requestId = webview.findInPage('virtual')
}
webview.addEventListener('found-in-page', listener)
webview.addEventListener('did-finish-load', listener2)
2018-09-13 16:10:51 +00:00
loadWebView(webview, { src: `file://${fixtures}/pages/content.html` })
// TODO(deepak1556): With https://codereview.chromium.org/2836973002
// focus of the webContents is required when triggering the api.
// Remove this workaround after determining the cause for
// incorrect focus.
webview.focus()
2016-03-25 20:03:49 +00:00
})
})
describe('did-change-theme-color event', () => {
2018-05-14 22:00:49 +00:00
it('emits when theme color changes', async () => {
loadWebView(webview, {
src: `file://${fixtures}/pages/theme-color.html`
})
await waitForEvent(webview, 'did-change-theme-color')
2016-03-25 20:03:49 +00:00
})
})
describe('<webview>.getWebContentsId', () => {
it('can return the WebContents ID', async () => {
const src = 'about:blank'
await loadWebView(webview, { src })
expect(webview.getWebContentsId()).to.be.a('number')
})
})
describe('<webview>.capturePage()', () => {
before(function () {
// TODO(miniak): figure out why this is failing on windows
if (process.platform === 'win32') {
this.skip()
}
})
it('returns a Promise with a NativeImage', async () => {
const src = 'data:text/html,%3Ch1%3EHello%2C%20World!%3C%2Fh1%3E'
await loadWebView(webview, { src })
const image = await webview.capturePage()
const imgBuffer = image.toPNG()
// Check the 25th byte in the PNG.
// Values can be 0,2,3,4, or 6. We want 6, which is RGB + Alpha
expect(imgBuffer[25]).to.equal(6)
})
})
describe('<webview>.printToPDF()', () => {
before(() => {
if (!features.isPrintingEnabled()) {
this.skip()
}
})
it('rejects on incorrectly typed parameters', async () => {
const badTypes = {
marginsType: 'terrible',
scaleFactor: 'not-a-number',
landscape: [],
pageRanges: { 'oops': 'im-not-the-right-key' },
headerFooter: '123',
printSelectionOnly: 1,
printBackground: 2,
pageSize: 'IAmAPageSize'
}
// These will hard crash in Chromium unless we type-check
for (const [key, value] of Object.entries(badTypes)) {
const param = { [key]: value }
const src = 'data:text/html,%3Ch1%3EHello%2C%20World!%3C%2Fh1%3E'
await loadWebView(webview, { src })
await expect(webview.printToPDF(param)).to.eventually.be.rejected()
}
})
it('can print to PDF', async () => {
const src = 'data:text/html,%3Ch1%3EHello%2C%20World!%3C%2Fh1%3E'
await loadWebView(webview, { src })
const data = await webview.printToPDF({})
refactor: use v8 serialization for ipc (#20214) * refactor: use v8 serialization for ipc * cloning process.env doesn't work * serialize host objects by enumerating key/values * new serialization can handle NaN, Infinity, and undefined correctly * can't allocate v8 objects during GC * backport microtasks fix * fix compile * fix node_stream_loader reentrancy * update subframe spec to expect undefined instead of null * write undefined instead of crashing when serializing host objects * fix webview spec * fix download spec * buffers are transformed into uint8arrays * can't serialize promises * fix chrome.i18n.getMessage * fix devtools tests * fix zoom test * fix debug build * fix lint * update ipcRenderer tests * fix printToPDF test * update patch * remove accidentally re-added remote-side spec * wip * don't attempt to serialize host objects * jump through different hoops to set options.webContents sometimes * whoops * fix lint * clean up error-handling logic * fix memory leak * fix lint * convert host objects using old base::Value serialization * fix lint more * fall back to base::Value-based serialization * remove commented-out code * add docs to breaking-changes.md * Update breaking-changes.md * update ipcRenderer and WebContents docs * lint * use named values for format tag * save a memcpy for ~30% speedup * get rid of calls to ShallowClone * extra debugging for paranoia * d'oh, use the correct named tags * apparently msstl doesn't like this DCHECK * funny story about that DCHECK * disable remote-related functions when enable_remote_module = false * nits * use EnableIf to disable remote methods in mojom * fix include * review comments
2019-10-09 17:59:08 +00:00
expect(data).to.be.an.instanceof(Uint8Array).that.is.not.empty()
})
})
2017-02-09 19:49:14 +00:00
describe('will-attach-webview event', () => {
it('does not emit when src is not changed', (done) => {
loadWebView(webview)
setTimeout(() => {
const expectedErrorMessage =
'The WebView must be attached to the DOM ' +
'and the dom-ready event emitted before this method can be called.'
expect(() => { webview.stop() }).to.throw(expectedErrorMessage)
done()
})
})
2018-05-14 22:00:49 +00:00
it('supports changing the web preferences', async () => {
2017-02-03 20:55:37 +00:00
ipcRenderer.send('disable-node-on-next-will-attach-webview')
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
nodeintegration: 'yes',
src: `file://${fixtures}/pages/a.html`
2017-02-03 20:21:46 +00:00
})
2018-05-14 22:00:49 +00:00
const types = JSON.parse(message)
expect(types).to.include({
require: 'undefined',
module: 'undefined',
process: 'undefined',
global: 'undefined'
})
2017-02-03 20:21:46 +00:00
})
2018-05-14 22:00:49 +00:00
it('supports preventing a webview from being created', async () => {
2017-02-03 20:55:37 +00:00
ipcRenderer.send('prevent-next-will-attach-webview')
2018-05-14 22:00:49 +00:00
loadWebView(webview, {
src: `file://${fixtures}/pages/c.html`
2017-02-03 20:21:46 +00:00
})
2018-05-14 22:00:49 +00:00
await waitForEvent(webview, 'destroyed')
2017-02-03 20:21:46 +00:00
})
2018-05-14 22:00:49 +00:00
it('supports removing the preload script', async () => {
ipcRenderer.send('disable-preload-on-next-will-attach-webview')
2018-05-14 22:00:49 +00:00
2018-06-19 11:25:26 +00:00
const message = await startLoadingWebViewAndWaitForMessage(webview, {
2018-05-14 22:00:49 +00:00
nodeintegration: 'yes',
preload: path.join(fixtures, 'module', 'preload-set-global.js'),
src: `file://${fixtures}/pages/a.html`
})
2018-05-14 22:00:49 +00:00
expect(message).to.equal('undefined')
})
2017-02-03 20:21:46 +00:00
})
describe('DOM events', () => {
2016-11-03 22:12:54 +00:00
let div
beforeEach(() => {
2016-11-03 22:12:54 +00:00
div = document.createElement('div')
div.style.width = '100px'
div.style.height = '10px'
div.style.overflow = 'hidden'
webview.style.height = '100%'
webview.style.width = '100%'
})
afterEach(() => {
2016-11-03 22:12:54 +00:00
if (div != null) div.remove()
})
const generateSpecs = (description, sandbox) => {
describe(description, () => {
chore: bump chromium to f1d9522c04ca8fa0a906f88ababe9 (master) (#18648) * chore: bump chromium in DEPS to 675d7dc9f3334b15c3ec28c27db3dc19b26bd12e * chore: update patches * chore: bump chromium in DEPS to dce3562696f165a324273fcb6893f0e1fef42ab1 * chore: const interfaces are being removed from //content Refs: https://chromium-review.googlesource.com/c/chromium/src/+/1631749 Bug: https://bugs.chromium.org/p/chromium/issues/detail?id=908139 * chore: update patches * chore: blink::MediaStreamType is now consistent and deduplicated * chore: update patches and printing code for ref -> uniq * chore: bridge_impl() --> GetInProcessNSWindowBridge Refs: https://chromium-review.googlesource.com/c/chromium/src/+/1642988 * fixme: TotalMarkedObjectSize has been removed * chore: fix linting * chore: bump chromium in DEPS to 9503e1a2fcbf17db08094d8caae3e1407e918af3 * chore: fix slightly broken printing patch * chore: update patches for SiteInstanceImpl changes Refs: https://chromium-review.googlesource.com/c/chromium/src/+/1612025 * chore: update patches for SiteInstanceImpl changes * chore: bump chromium in DEPS to 6801e6c1ddd1b7b73e594e97157ddd539ca335d7 * chore: update patches * chore: bump chromium in DEPS to 27e198912d7c1767052ec785c22e2e88b2cb4d8b * chore: remove system_request_context Refs: https://chromium-review.googlesource.com/c/chromium/src/+/1647172 * chore: creation of FtpProtocolHandler needs an auth cache Refs: https://chromium-review.googlesource.com/c/chromium/src/+/1639683 * fixme: disable marked spec * chore: bump chromium in DEPS to 3dcd7fe453ad13a22b114b95f05590eba74c5471 * chore: bump chromium in DEPS to bdc24128b75008743d819e298557a53205706e7c * chore: bump chromium in DEPS to 7da330b58fbe0ba94b9b94abbb8085bead220228 * update patches * remove TotalMarkedObjectSize https://chromium-review.googlesource.com/c/chromium/src/+/1631708 * add libvulkan.so to dist zip manifest on linux * chore: bump chromium in DEPS to 1e85d0f45b52649efd0010cc9dab6d2804f24443 * update patches * add angle features to gpuinfo https://chromium-review.googlesource.com/c/chromium/src/+/1638658 * mark 'marked' property as deprecated * disable webview resize test * FIXME: disable vulkan on 32-bit arm * chore: bump chromium in DEPS to cd0297c6a83fdd2b1f6bc312e7d5acca736a3c56 * Revert "FIXME: disable vulkan on 32-bit arm" This reverts commit 5c1e0ef302a6db1e72231d4e823f91bb08e281af. * backport from upstream: fix swiftshader build on arm https://swiftshader-review.googlesource.com/c/SwiftShader/+/32768/ * update patches * viz: update OutputDeviceWin to new shared memory api https://chromium-review.googlesource.com/c/chromium/src/+/1649574 * base::Contains{Key,Value} => base::Contains https://chromium-review.googlesource.com/c/chromium/src/+/1649478 * fixup! viz: update OutputDeviceWin to new shared memory api * stub out StatusIconLinuxDbus-related delegate methods https://chromium-review.googlesource.com/c/chromium/src/+/1638180 * chore: bump chromium in DEPS to 964ea3fd4bdc006d62533f5755043076220181f1 * Remove the BrowserContext methods to create URLRequestContexts for main/media partitions when a partition_domain is specified https://chromium-review.googlesource.com/c/chromium/src/+/1655087 * fixup! stub out StatusIconLinuxDbus-related delegate methods * add remote_cocoa to chromium_src deps https://chromium-review.googlesource.com/c/chromium/src/+/1657068 * fixup! stub out StatusIconLinuxDbus-related delegate methods * attempt at fix linux-debug build * add swiftshader/libvulkan.so to arm manifest * chore: bump chromium in DEPS to 28688f76afef27c36631aa274691e333ddecdc22 * update patches * chore: bump chromium in DEPS to fe7450e1578a9584189f87d59d0d1a8548bf6b90 * chore: bump chromium in DEPS to f304dfd682dc86a755a6c49a16ee6876e0db45fb * chore: bump chromium in DEPS to f0fd4d6c365aad9edd83bdfff9954c47d271b75c * Update patches * Remove no longer needed WOA patch * Put back IOThread in BrowserProcess We need this until we enable the network service. * move atom.ico to inputs * Update to latest LKGR to fix no template named 'bitset' in namespace 'std' * fixup! Put back IOThread in BrowserProcess * chore: bump chromium in DEPS to dcf9662dc9a896a175d791001350324167b1cad3 * Update patches content_allow_embedder_to_prevent_locking_scheme_registry.patch is no longer necessary as it was upstreamed via https://chromium-review.googlesource.com/c/chromium/src/+/1637040 * Fix renamed enum * Use newer docker container Contains updated dependencies * Try to track down arm test failures * Fix arm tests * chore: bump chromium in DEPS to 8cbceef57b37ee14b9c4c3405a3f7663922c5b5d * Update patches * Add needed dependencies for testing 32-bit linux * Remove arm debugging. * Remove additional debugging * Fix compiler errors * Handle new macOS helper * Fix compile error on Linux * chore: bump chromium in DEPS to 66a93991ddaff6a9f1b13d110959947cb03a1860 * Add new helper files to manifests * fix BUILD.gn for macOS * Fix compile errors * Add patch to put back colors needed for autofill/datalist * chore: bump chromium in DEPS to e89617079f11e33f33cdb3924f719a579c73704b * Updated patches * Remove no longer needed patch * Remove no longer needed patch * Fix compile error with patch * Really fix the patch * chore: bump chromium in DEPS to c70f12476a45840408f1d5ff5968e7f7ceaad9d4 * chore: bump chromium in DEPS to 06d2dd7a8933b41545a7c26349c802f570563fd5 * chore: bump chromium in DEPS to b0b9ff8f727deb519ccbec7cf1c8d9ed543d88ab * Update patches * Fix compiler errors * Fix removed ChromeNetLog * Revert "Fix removed ChromeNetLog" This reverts commit 426dfd90b5ab0a9c1df415d71c88e8aed2bd5bbe. * Remove ChromeNetLog. https://chromium-review.googlesource.com/c/chromium/src/+/1663846 * chore: bump chromium in DEPS to fefcc4926d58dccd59ac95be65eab3a4ebfe2f29 * Update patches * Update v8 patches * Fix lint error * Fix compile errors * chore: bump chromium in DEPS to 4de815ef92ef2eef515506fe09bdc466526a8fd9 * Use custom protocol to test baseURLForDataURL * Use newer SDK (10.0.18362) for Windows * Update patches * Update arm manifest since swiftshader reenabled. * Don't delete dir that isn't ever there. * Fix compile errors. * Need src dir created * Update for removed InspectorFrontendAPI.addExtensions * Revert "Use newer SDK (10.0.18362) for Windows" This reverts commit 68763a0c88cdc44b971462e49662aecc167d3d99. * Revert "Need src dir created" This reverts commit 7daedc29d0844316d4097648dde7f40f1a3848fb. * Revert "Don't delete dir that isn't ever there." This reverts commit bf424bc30ffcb23b1d9a634d4df410342536640e. * chore: bump chromium in DEPS to 97dab6b0124ea53244caf123921b5d14893bcca7 * chore: bump chromium in DEPS to c87d16d49a85dc7122781f6c979d354c20f7f78b * chore: bump chromium in DEPS to 004bcee2ea336687cedfda8f8a151806ac757d15 * chore: bump chromium in DEPS to 24428b26a9d15a013b2a253e1084ec3cb54b660b * chore: bump chromium in DEPS to fd25914e875237df88035a6abf89a70bf1360b57 * Update patches * Update node to fix build error * Fix compile errors * chore: bump chromium in DEPS to 3062b7cf090f1d9522c04ca8fa0a906f88ababe9 * chore: update node ref for pushed tags * chore: update patches for new chromium * chore: fix printing patches * Use new (10.0.18362) Windows SDK * roll node to fix v8 build issues in debug build * Add support for plugin helper * fix: add patch to fix gpu info enumeration Can be removed once CL lands upstream. Refs: https://chromium-review.googlesource.com/c/chromium/src/+/1685993 * spec: navigator.requestMIDIAccess now requires a secure origin This test requires a secure origin so we fake one. Refs: https://chromium-review.googlesource.com/c/chromium/src/+/1657952 * FIXME: temporarily disable SharedWorker tests * use released version of node-abstractsocket * fix abstract-socket
2019-07-03 01:22:09 +00:00
// TODO(nornagon): disabled during chromium roll 2019-06-11 due to a
// 'ResizeObserver loop limit exceeded' error on Windows
xit('emits resize events', async () => {
const firstResizeSignal = waitForEvent(webview, 'resize')
const domReadySignal = waitForEvent(webview, 'dom-ready')
webview.src = `file://${fixtures}/pages/a.html`
webview.webpreferences = `sandbox=${sandbox ? 'yes' : 'no'}`
div.appendChild(webview)
document.body.appendChild(div)
const firstResizeEvent = await firstResizeSignal
expect(firstResizeEvent.target).to.equal(webview)
expect(firstResizeEvent.newWidth).to.equal(100)
expect(firstResizeEvent.newHeight).to.equal(10)
await domReadySignal
const secondResizeSignal = waitForEvent(webview, 'resize')
const newWidth = 1234
const newHeight = 789
div.style.width = `${newWidth}px`
div.style.height = `${newHeight}px`
const secondResizeEvent = await secondResizeSignal
expect(secondResizeEvent.target).to.equal(webview)
expect(secondResizeEvent.newWidth).to.equal(newWidth)
expect(secondResizeEvent.newHeight).to.equal(newHeight)
})
it('emits focus event', async () => {
const domReadySignal = waitForEvent(webview, 'dom-ready')
webview.src = `file://${fixtures}/pages/a.html`
webview.webpreferences = `sandbox=${sandbox ? 'yes' : 'no'}`
document.body.appendChild(webview)
await domReadySignal
// If this test fails, check if webview.focus() still works.
const focusSignal = waitForEvent(webview, 'focus')
webview.focus()
await focusSignal
})
})
}
generateSpecs('without sandbox', false)
generateSpecs('with sandbox', true)
2016-11-03 22:12:54 +00:00
})
2016-03-25 20:03:49 +00:00
})