webFrameMain
Control web pages and iframes.
Proceso: principal
The webFrameMain module can be used to lookup frames across existing WebContents instances. Navigation events are the common use case.
const{BrowserWindow, webFrameMain }=require('electron')
const win =newBrowserWindow({width:800,height:1500})
win.loadURL('https://twitter.com')
win.webContents.on(
'did-frame-navigate',
(event, url, httpResponseCode, httpStatusText, isMainFrame, frameProcessId, frameRoutingId)=>{
const frame = webFrameMain.fromId(frameProcessId, frameRoutingId)
if(frame){
const code ='document.body.innerHTML = document.body.innerHTML.replaceAll("heck", "h*ck")'
 frame.executeJavaScript(code)
}
}
)
You can also access frames of existing pages by using the mainFrame property of WebContents.
const{BrowserWindow}=require('electron')
asyncfunctionmain(){
const win =newBrowserWindow({width:800,height:600})
await win.loadURL('https://reddit.com')
const youtubeEmbeds = win.webContents.mainFrame.frames.filter((frame)=>{
try{
const url =newURL(frame.url)
return url.host==='www.youtube.com'
}catch{
returnfalse
}
})
console.log(youtubeEmbeds)
}
main()
Métodos
Se pueden acceder a estos métodos desde el módulo webFrameMain:
webFrameMain.fromId(processId, routingId) 
- processIdInteger - Un- Integerrepresentando el ID interno del proceso que posee el frame.
- routingIdInteger - Un- Integerrepresentando el ID único del frame en el renderer process actual. Routing IDs can be retrieved from- WebFrameMaininstances (- frame.routingId) and are also passed by frame specific- WebContentsnavigation events (e.g.- did-frame-navigate).
Returns WebFrameMain | undefined - A frame with the given process and routing IDs, or undefined if there is no WebFrameMain associated with the given IDs.
webFrameMain.fromFrameToken(processId, frameToken) 
- processIdInteger - Un- Integerrepresentando el ID interno del proceso que posee el frame.
- frameTokenstring - A- stringtoken identifying the unique frame. Can also be retrieved in the renderer process via- webFrame.frameToken.
Returns WebFrameMain | null - A frame with the given process and frame token, or null if there is no WebFrameMain associated with the given IDs.
Clase: WebFrameMain
Process: Main 
 This class is not exported from the 'electron' module. Sólo está disponible como un valor de retorno de otros métodos en la API de Electron.
Eventos de Instancia
Evento: 'dom-ready'
Emitido cuando es documento está cargado.
Métodos de Instancia
frame.executeJavaScript(code[, userGesture]) 
- codigostring
- userGestureboolean (opcional) - Predeterminado es- falso.
Returns Promise<unknown> - A promise that resolves with the result of the executed code or is rejected if execution throws or results in a rejected promise.
Evalúa el código en la página.
En la ventana del navegador, algunas API HTML como requestFullScreen solo pueden invocarse con un gesto del usuario. Establecer userGesture a true eliminará esta limitación.
frame.reload() 
Devuelve boolean - Si la recarga fue iniciada correctamente. Solo resulta en false cuando el frame no tiene historial.
frame.isDestroyed() 
Returns boolean - Whether the frame is destroyed.
frame.send(channel, ...args) 
- channelcadena
- ...argsany[]
Envía un mensaje asíncrono al render process a través de channel, junto con los argumentos. Arguments will be serialized with the Structured Clone Algorithm, just like postMessage, so prototype chains will not be included. Sending Functions, Promises, Symbols, WeakMaps, or WeakSets will throw an exception.
El proceso de renderizado puede manejar el mensaje escuchando el canal con el módulo ipcRenderer.
frame.postMessage(channel, message, [transfer]) 
- channelcadena
- mensajecualquiera
- transferMessagePortMain[] (optional)
Send a message to the renderer process, optionally transferring ownership of zero or more MessagePortMain objects.
Los objetos MessagePortMain transferidos estarán disponible en el renderer process accediendo a la propiedad ports del evento emitido. Cuando llegan al renderer, serán objetos DOM MessagePort nativos.
Por ejemplo:
// Main process
const win =newBrowserWindow()
const{ port1, port2 }=newMessageChannelMain()
win.webContents.mainFrame.postMessage('port',{message:'hello'},[port1])
// Renderer process
ipcRenderer.on('port',(e, msg)=>{
const[port]= e.ports
// ...
})
frame.collectJavaScriptCallStack() Experimental 
Returns Promise<string> | Promise<void> - A promise that resolves with the currently running JavaScript call stack. If no JavaScript runs in the frame, the promise will never resolve. In cases where the call stack is otherwise unable to be collected, it will return undefined.
This can be useful to determine why the frame is unresponsive in cases where there's long-running JavaScript. For more information, see the proposed Crash Reporting API.
const{ app }=require('electron')
app.commandLine.appendSwitch('enable-features','DocumentPolicyIncludeJSCallStacksInCrashReports')
app.on('web-contents-created',(_, webContents)=>{
 webContents.on('unresponsive',async()=>{
// Interrupt execution and collect call stack from unresponsive renderer
const callStack =await webContents.mainFrame.collectJavaScriptCallStack()
console.log('Renderer unresponsive\n', callStack)
})
})
Propiedades de la instancia
frame.ipc Readonly 
An IpcMain instance scoped to the frame.
IPC messages sent with ipcRenderer.send, ipcRenderer.sendSync or ipcRenderer.postMessage will be delivered in the following order:
- contents.on('ipc-message')
- contents.mainFrame.on(channel)
- contents.ipc.on(channel)
- ipcMain.on(channel)
Handlers registered with invoke will be checked in the following order. The first one that is defined will be called, the rest will be ignored.
- contents.mainFrame.handle(channel)
- contents.handle(channel)
- ipcMain.handle(channel)
In most cases, only the main frame of a WebContents can send or receive IPC messages. However, if the nodeIntegrationInSubFrames option is enabled, it is possible for child frames to send and receive IPC messages also. The WebContents.ipc interface may be more convenient when nodeIntegrationInSubFrames is not enabled.
frame.url Readonly 
Un string representando la URL actual del frame.
frame.origin Readonly 
A string representing the current origin of the frame, serialized according to RFC 6454. This may be different from the URL. For instance, if the frame is a child window opened to about:blank, then frame.origin will return the parent frame's origin, while frame.url will return the empty string. Pages without a scheme/host/port triple origin will have the serialized origin of "null" (that is, the string containing the letters n, u, l, l).
frame.top Readonly 
Un WebFrameMain | null representando el frame superior en la jerarquía a la que pertenece el frame.
frame.parent Readonly 
Un WebFrameMain | null representando al frame padre de frame, la propiedad debería ser null si el frame es el frame superior en la jerarquía de frame.
frame.frames Readonly 
Una colección WebFrameMain[] que contiene los descendientes directos del frame.
frame.framesInSubtree Readonly 
Una colección WebFrameMain[] que contiene cada frame en el subárbol de frame incluyendo el mismo. Esto puede resultar útil al atravesar todos los frames.
frame.frameTreeNodeId Readonly 
Un Integer que representa el id de la instancia FrameTreeNode del frame. Este id es global del navegador y unicamente identifica a un frame que aloja contenido. El identificador se fija en la creación del frame y permanece constante por durante el ciclo de vida del frame. Cuando el frame es eliminado, el id no se vuelve a utilizar.
frame.name Readonly 
A string representing the frame name.
frame.frameToken SoloLectura 
A string which uniquely identifies the frame within its associated renderer process. This is equivalent to webFrame.frameToken.
frame.osProcessId Readonly 
Un Integer que representa el pid del proceso del sistema operativo al cual pertenece este frame.
frame.processId Readonly 
Un Integer que representa el pid del proceso interno de Chromium al cual pertenece este frame. Esto no es el mismo que el process ID del sistema operativo; para leer eso use frame.osProcessId.
frame.routingId Readonly 
An Integer representing the unique frame id in the current renderer process. Las instancias distintas de WebFrameMain que se refieren al mimo frame subyacente tendrán el mismo routingId.
frame.visibilityState Readonly 
Un string que representa el visibility state del frame.
See also how the Page Visibility API is affected by other Electron APIs.
frame.detached SoloLectura 
A Boolean representing whether the frame is detached from the frame tree. If a frame is accessed while the corresponding page is running any unload listeners, it may become detached as the newly navigated page replaced it in the frame tree.