123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440 |
- 'use strict'
- const { webContents } = require('electron')
- const ipcMain = require('@electron/internal/browser/ipc-main-internal')
- const parseFeaturesString = require('@electron/internal/common/parse-features-string')
- const errorUtils = require('@electron/internal/common/error-utils')
- const {
- syncMethods,
- asyncCallbackMethods,
- asyncPromiseMethods
- } = require('@electron/internal/common/web-view-methods')
- // Doesn't exist in early initialization.
- let webViewManager = null
- const supportedWebViewEvents = [
- 'load-commit',
- 'did-attach',
- 'did-finish-load',
- 'did-fail-load',
- 'did-frame-finish-load',
- 'did-start-loading',
- 'did-stop-loading',
- 'dom-ready',
- 'console-message',
- 'context-menu',
- 'devtools-opened',
- 'devtools-closed',
- 'devtools-focused',
- 'new-window',
- 'will-navigate',
- 'did-start-navigation',
- 'did-navigate',
- 'did-frame-navigate',
- 'did-navigate-in-page',
- 'focus-change',
- 'close',
- 'crashed',
- 'plugin-crashed',
- 'destroyed',
- 'page-title-updated',
- 'page-favicon-updated',
- 'enter-html-full-screen',
- 'leave-html-full-screen',
- 'media-started-playing',
- 'media-paused',
- 'found-in-page',
- 'did-change-theme-color',
- 'update-target-url'
- ]
- let nextGuestInstanceId = 0
- const guestInstances = {}
- const embedderElementsMap = {}
- // Generate guestInstanceId.
- const getNextGuestInstanceId = function () {
- return ++nextGuestInstanceId
- }
- // Create a new guest instance.
- const createGuest = function (embedder, params) {
- if (webViewManager == null) {
- webViewManager = process.atomBinding('web_view_manager')
- }
- const guestInstanceId = getNextGuestInstanceId(embedder)
- const guest = webContents.create({
- isGuest: true,
- partition: params.partition,
- embedder: embedder
- })
- guestInstances[guestInstanceId] = {
- guest: guest,
- embedder: embedder
- }
- // Clear the guest from map when it is destroyed.
- //
- // The guest WebContents is usually destroyed in 2 cases:
- // 1. The embedder frame is closed (reloaded or destroyed), and it
- // automatically closes the guest frame.
- // 2. The guest frame is detached dynamically via JS, and it is manually
- // destroyed when the renderer sends the GUEST_VIEW_MANAGER_DESTROY_GUEST
- // message.
- // The second case relies on the libcc patch:
- // https://github.com/electron/libchromiumcontent/pull/676
- // The patch was introduced to work around a bug in Chromium:
- // https://github.com/electron/electron/issues/14211
- // We should revisit the bug to see if we can remove our libcc patch, the
- // patch was introduced in Chrome 66.
- guest.once('destroyed', () => {
- if (guestInstanceId in guestInstances) {
- detachGuest(embedder, guestInstanceId)
- }
- })
- // Init guest web view after attached.
- guest.once('did-attach', function (event) {
- params = this.attachParams
- delete this.attachParams
- const previouslyAttached = this.viewInstanceId != null
- this.viewInstanceId = params.instanceId
- // Only load URL and set size on first attach
- if (previouslyAttached) {
- return
- }
- if (params.src) {
- const opts = {}
- if (params.httpreferrer) {
- opts.httpReferrer = params.httpreferrer
- }
- if (params.useragent) {
- opts.userAgent = params.useragent
- }
- this.loadURL(params.src, opts)
- }
- embedder.emit('did-attach-webview', event, guest)
- })
- const sendToEmbedder = (channel, ...args) => {
- if (!embedder.isDestroyed()) {
- embedder._sendInternal(`${channel}-${guest.viewInstanceId}`, ...args)
- }
- }
- // Dispatch events to embedder.
- const fn = function (event) {
- guest.on(event, function (_, ...args) {
- sendToEmbedder('ELECTRON_GUEST_VIEW_INTERNAL_DISPATCH_EVENT', event, ...args)
- })
- }
- for (const event of supportedWebViewEvents) {
- fn(event)
- }
- // Dispatch guest's IPC messages to embedder.
- guest.on('ipc-message-host', function (_, [channel, ...args]) {
- sendToEmbedder('ELECTRON_GUEST_VIEW_INTERNAL_IPC_MESSAGE', channel, ...args)
- })
- // Notify guest of embedder window visibility when it is ready
- // FIXME Remove once https://github.com/electron/electron/issues/6828 is fixed
- guest.on('dom-ready', function () {
- const guestInstance = guestInstances[guestInstanceId]
- if (guestInstance != null && guestInstance.visibilityState != null) {
- guest._sendInternal('ELECTRON_GUEST_INSTANCE_VISIBILITY_CHANGE', guestInstance.visibilityState)
- }
- })
- // Forward internal web contents event to embedder to handle
- // native window.open setup
- guest.on('-add-new-contents', (...args) => {
- if (guest.getLastWebPreferences().nativeWindowOpen === true) {
- const embedder = getEmbedder(guestInstanceId)
- if (embedder != null) {
- embedder.emit('-add-new-contents', ...args)
- }
- }
- })
- return guestInstanceId
- }
- // Attach the guest to an element of embedder.
- const attachGuest = function (event, embedderFrameId, elementInstanceId, guestInstanceId, params) {
- const embedder = event.sender
- // Destroy the old guest when attaching.
- const key = `${embedder.id}-${elementInstanceId}`
- const oldGuestInstanceId = embedderElementsMap[key]
- if (oldGuestInstanceId != null) {
- // Reattachment to the same guest is just a no-op.
- if (oldGuestInstanceId === guestInstanceId) {
- return
- }
- const oldGuestInstance = guestInstances[oldGuestInstanceId]
- if (oldGuestInstance) {
- oldGuestInstance.guest.detachFromOuterFrame()
- }
- }
- const guestInstance = guestInstances[guestInstanceId]
- // If this isn't a valid guest instance then do nothing.
- if (!guestInstance) {
- throw new Error(`Invalid guestInstanceId: ${guestInstanceId}`)
- }
- const { guest } = guestInstance
- if (guest.hostWebContents !== event.sender) {
- throw new Error(`Access denied to guestInstanceId: ${guestInstanceId}`)
- }
- // If this guest is already attached to an element then remove it
- if (guestInstance.elementInstanceId) {
- const oldKey = `${guestInstance.embedder.id}-${guestInstance.elementInstanceId}`
- delete embedderElementsMap[oldKey]
- // Remove guest from embedder if moving across web views
- if (guest.viewInstanceId !== params.instanceId) {
- webViewManager.removeGuest(guestInstance.embedder, guestInstanceId)
- guestInstance.embedder._sendInternal(`ELECTRON_GUEST_VIEW_INTERNAL_DESTROY_GUEST-${guest.viewInstanceId}`)
- }
- }
- const webPreferences = {
- guestInstanceId: guestInstanceId,
- nodeIntegration: params.nodeintegration != null ? params.nodeintegration : false,
- nodeIntegrationInSubFrames: params.nodeintegrationinsubframes != null ? params.nodeintegrationinsubframes : false,
- enableRemoteModule: params.enableremotemodule,
- plugins: params.plugins,
- zoomFactor: embedder.getZoomFactor(),
- disablePopups: !params.allowpopups,
- webSecurity: !params.disablewebsecurity,
- enableBlinkFeatures: params.blinkfeatures,
- disableBlinkFeatures: params.disableblinkfeatures
- }
- // parse the 'webpreferences' attribute string, if set
- // this uses the same parsing rules as window.open uses for its features
- if (typeof params.webpreferences === 'string') {
- parseFeaturesString(params.webpreferences, function (key, value) {
- if (value === undefined) {
- // no value was specified, default it to true
- value = true
- }
- webPreferences[key] = value
- })
- }
- if (params.preload) {
- webPreferences.preloadURL = params.preload
- }
- // Security options that guest will always inherit from embedder
- const inheritedWebPreferences = new Map([
- ['contextIsolation', true],
- ['javascript', false],
- ['nativeWindowOpen', true],
- ['nodeIntegration', false],
- ['enableRemoteModule', false],
- ['sandbox', true],
- ['nodeIntegrationInSubFrames', false]
- ])
- // Inherit certain option values from embedder
- const lastWebPreferences = embedder.getLastWebPreferences()
- for (const [name, value] of inheritedWebPreferences) {
- if (lastWebPreferences[name] === value) {
- webPreferences[name] = value
- }
- }
- embedder.emit('will-attach-webview', event, webPreferences, params)
- if (event.defaultPrevented) {
- if (guest.viewInstanceId == null) guest.viewInstanceId = params.instanceId
- guest.destroy()
- return
- }
- guest.attachParams = params
- embedderElementsMap[key] = guestInstanceId
- guest.setEmbedder(embedder)
- guestInstance.embedder = embedder
- guestInstance.elementInstanceId = elementInstanceId
- watchEmbedder(embedder)
- webViewManager.addGuest(guestInstanceId, elementInstanceId, embedder, guest, webPreferences)
- guest.attachToIframe(embedder, embedderFrameId)
- }
- // Remove an guest-embedder relationship.
- const detachGuest = function (embedder, guestInstanceId) {
- const guestInstance = guestInstances[guestInstanceId]
- if (embedder !== guestInstance.embedder) {
- return
- }
- webViewManager.removeGuest(embedder, guestInstanceId)
- delete guestInstances[guestInstanceId]
- const key = `${embedder.id}-${guestInstance.elementInstanceId}`
- delete embedderElementsMap[key]
- }
- // Once an embedder has had a guest attached we watch it for destruction to
- // destroy any remaining guests.
- const watchedEmbedders = new Set()
- const watchEmbedder = function (embedder) {
- if (watchedEmbedders.has(embedder)) {
- return
- }
- watchedEmbedders.add(embedder)
- // Forward embedder window visiblity change events to guest
- const onVisibilityChange = function (visibilityState) {
- for (const guestInstanceId in guestInstances) {
- const guestInstance = guestInstances[guestInstanceId]
- guestInstance.visibilityState = visibilityState
- if (guestInstance.embedder === embedder) {
- guestInstance.guest._sendInternal('ELECTRON_GUEST_INSTANCE_VISIBILITY_CHANGE', visibilityState)
- }
- }
- }
- embedder.on('-window-visibility-change', onVisibilityChange)
- embedder.once('will-destroy', () => {
- // Usually the guestInstances is cleared when guest is destroyed, but it
- // may happen that the embedder gets manually destroyed earlier than guest,
- // and the embedder will be invalid in the usual code path.
- for (const guestInstanceId in guestInstances) {
- const guestInstance = guestInstances[guestInstanceId]
- if (guestInstance.embedder === embedder) {
- detachGuest(embedder, parseInt(guestInstanceId))
- }
- }
- // Clear the listeners.
- embedder.removeListener('-window-visibility-change', onVisibilityChange)
- watchedEmbedders.delete(embedder)
- })
- }
- const isWebViewTagEnabledCache = new WeakMap()
- const isWebViewTagEnabled = function (contents) {
- if (!isWebViewTagEnabledCache.has(contents)) {
- const webPreferences = contents.getLastWebPreferences() || {}
- isWebViewTagEnabledCache.set(contents, !!webPreferences.webviewTag)
- }
- return isWebViewTagEnabledCache.get(contents)
- }
- const handleMessage = function (channel, handler) {
- ipcMain.on(channel, (event, ...args) => {
- if (isWebViewTagEnabled(event.sender)) {
- handler(event, ...args)
- } else {
- event.returnValue = null
- }
- })
- }
- handleMessage('ELECTRON_GUEST_VIEW_MANAGER_CREATE_GUEST', function (event, params, requestId) {
- event._replyInternal(`ELECTRON_RESPONSE_${requestId}`, createGuest(event.sender, params))
- })
- handleMessage('ELECTRON_GUEST_VIEW_MANAGER_CREATE_GUEST_SYNC', function (event, params) {
- event.returnValue = createGuest(event.sender, params)
- })
- handleMessage('ELECTRON_GUEST_VIEW_MANAGER_DESTROY_GUEST', function (event, guestInstanceId) {
- try {
- const guest = getGuestForWebContents(guestInstanceId, event.sender)
- guest.detachFromOuterFrame()
- } catch (error) {
- console.error(`Guest destroy failed: ${error}`)
- }
- })
- handleMessage('ELECTRON_GUEST_VIEW_MANAGER_ATTACH_GUEST', function (event, embedderFrameId, elementInstanceId, guestInstanceId, params) {
- try {
- attachGuest(event, embedderFrameId, elementInstanceId, guestInstanceId, params)
- } catch (error) {
- console.error(`Guest attach failed: ${error}`)
- }
- })
- // this message is sent by the actual <webview>
- ipcMain.on('ELECTRON_GUEST_VIEW_MANAGER_FOCUS_CHANGE', function (event, focus, guestInstanceId) {
- const guest = getGuest(guestInstanceId)
- if (guest === event.sender) {
- event.sender.emit('focus-change', {}, focus, guestInstanceId)
- } else {
- console.error(`focus-change for guestInstanceId: ${guestInstanceId}`)
- }
- })
- handleMessage('ELECTRON_GUEST_VIEW_MANAGER_ASYNC_CALL', function (event, requestId, guestInstanceId, method, args, hasCallback) {
- new Promise(resolve => {
- const guest = getGuestForWebContents(guestInstanceId, event.sender)
- if (!asyncCallbackMethods.has(method) && !asyncPromiseMethods.has(method)) {
- throw new Error(`Invalid method: ${method}`)
- }
- if (hasCallback) {
- guest[method](...args, resolve)
- } else {
- resolve(guest[method](...args))
- }
- }).then(result => {
- return [null, result]
- }, error => {
- return [errorUtils.serialize(error)]
- }).then(responseArgs => {
- event._replyInternal(`ELECTRON_GUEST_VIEW_MANAGER_ASYNC_CALL_RESPONSE_${requestId}`, ...responseArgs)
- })
- })
- handleMessage('ELECTRON_GUEST_VIEW_MANAGER_SYNC_CALL', function (event, guestInstanceId, method, args) {
- try {
- const guest = getGuestForWebContents(guestInstanceId, event.sender)
- if (!syncMethods.has(method)) {
- throw new Error(`Invalid method: ${method}`)
- }
- event.returnValue = [null, guest[method](...args)]
- } catch (error) {
- event.returnValue = [errorUtils.serialize(error)]
- }
- })
- // Returns WebContents from its guest id hosted in given webContents.
- const getGuestForWebContents = function (guestInstanceId, contents) {
- const guest = getGuest(guestInstanceId)
- if (!guest) {
- throw new Error(`Invalid guestInstanceId: ${guestInstanceId}`)
- }
- if (guest.hostWebContents !== contents) {
- throw new Error(`Access denied to guestInstanceId: ${guestInstanceId}`)
- }
- return guest
- }
- // Returns WebContents from its guest id.
- const getGuest = function (guestInstanceId) {
- const guestInstance = guestInstances[guestInstanceId]
- if (guestInstance != null) return guestInstance.guest
- }
- // Returns the embedder of the guest.
- const getEmbedder = function (guestInstanceId) {
- const guestInstance = guestInstances[guestInstanceId]
- if (guestInstance != null) return guestInstance.embedder
- }
- exports.getGuestForWebContents = getGuestForWebContents
- exports.isWebViewTagEnabled = isWebViewTagEnabled
|