Non è possibile interagire con un iFrame di origine diversa utilizzando Javascript in modo da ottenere le dimensioni; l'unico modo per farlo è usare window.postMessage
con il targetOrigin
set per il tuo dominio o il jolly *
dalla fonte iFrame. È possibile eseguire il proxy dei contenuti dei diversi siti di origine e utilizzarli srcdoc
, ma questo è considerato a hack e non funzionerà con SPA e molte altre pagine più dinamiche.
Stessa dimensione iFrame di origine
Supponiamo di avere due identici iFrame di origine, uno di altezza ridotta e larghezza fissa:
<!-- iframe-short.html -->
<head>
<style type="text/css">
html, body { margin: 0 }
body {
width: 300px;
}
</style>
</head>
<body>
<div>This is an iFrame</div>
<span id="val">(val)</span>
</body>
e una lunga iFrame:
<!-- iframe-long.html -->
<head>
<style type="text/css">
html, body { margin: 0 }
#expander {
height: 1200px;
}
</style>
</head>
<body>
<div>This is a long height iFrame Start</div>
<span id="val">(val)</span>
<div id="expander"></div>
<div>This is a long height iFrame End</div>
<span id="val">(val)</span>
</body>
Siamo in grado di ottenere le dimensioni di iFrame load
sull'evento utilizzando iframe.contentWindow.document
quello che invieremo alla finestra principale utilizzando postMessage
:
<div>
<iframe id="iframe-local" src="iframe-short.html"></iframe>
</div>
<div>
<iframe id="iframe-long" src="iframe-long.html"></iframe>
</div>
<script>
function iframeLoad() {
window.top.postMessage({
iframeWidth: this.contentWindow.document.body.scrollWidth,
iframeHeight: this.contentWindow.document.body.scrollHeight,
params: {
id: this.getAttribute('id')
}
});
}
window.addEventListener('message', ({
data: {
iframeWidth,
iframeHeight,
params: {
id
} = {}
}
}) => {
// We add 6 pixels because we have "border-width: 3px" for all the iframes
if (iframeWidth) {
document.getElementById(id).style.width = `${iframeWidth + 6}px`;
}
if (iframeHeight) {
document.getElementById(id).style.height = `${iframeHeight + 6}px`;
}
}, false);
document.getElementById('iframe-local').addEventListener('load', iframeLoad);
document.getElementById('iframe-long').addEventListener('load', iframeLoad);
</script>
Otterremo larghezza e altezza adeguate per entrambi iFrame; puoi controllarlo online qui e vedere lo screenshot qui .
Hack di dimensioni iFrame di origine diversa ( non consigliato )
Il metodo qui descritto è un hack e dovrebbe essere usato se è assolutamente necessario e non c'è altro modo per aggirare; non funzionerà per la maggior parte delle pagine dinamiche generate e SPA. Il metodo recupera il codice sorgente HTML della pagina utilizzando un proxy per bypassare la politica CORS ( cors-anywhere
è un modo semplice per creare un semplice server proxy CORS e ha una demo onlinehttps://cors-anywhere.herokuapp.com
) quindi inietta il codice JS in tale HTML per utilizzare postMessage
e inviare la dimensione del iFrame al documento principale. Gestisce persino iFrame resize
( combinato con iFramewidth: 100%
evento ) e riporta le dimensioni di iFrame al genitore.
patchIframeHtml
:
Una funzione per correggere il codice HTML di iFrame e iniettare Javascript personalizzato che verrà utilizzato postMessage
per inviare la dimensione di iFrame al genitore load
e accenderlo resize
. Se esiste un valore per il origin
parametro, un <base/>
elemento HTML verrà anteposto all'head utilizzando quell'URL di origine, pertanto, gli URI HTML come /some/resource/file.ext
verranno recuperati correttamente dall'URL di origine all'interno dell'iFrame.
function patchIframeHtml(html, origin, params = {}) {
// Create a DOM parser
const parser = new DOMParser();
// Create a document parsing the HTML as "text/html"
const doc = parser.parseFromString(html, 'text/html');
// Create the script element that will be injected to the iFrame
const script = doc.createElement('script');
// Set the script code
script.textContent = `
window.addEventListener('load', () => {
// Set iFrame document "height: auto" and "overlow-y: auto",
// so to get auto height. We set "overlow-y: auto" for demontration
// and in usage it should be "overlow-y: hidden"
document.body.style.height = 'auto';
document.body.style.overflowY = 'auto';
poseResizeMessage();
});
window.addEventListener('resize', poseResizeMessage);
function poseResizeMessage() {
window.top.postMessage({
// iframeWidth: document.body.scrollWidth,
iframeHeight: document.body.scrollHeight,
// pass the params as encoded URI JSON string
// and decode them back inside iFrame
params: JSON.parse(decodeURIComponent('${encodeURIComponent(JSON.stringify(params))}'))
}, '*');
}
`;
// Append the custom script element to the iFrame body
doc.body.appendChild(script);
// If we have an origin URL,
// create a base tag using that origin
// and prepend it to the head
if (origin) {
const base = doc.createElement('base');
base.setAttribute('href', origin);
doc.head.prepend(base);
}
// Return the document altered HTML that contains the injected script
return doc.documentElement.outerHTML;
}
getIframeHtml
:
Una funzione per ottenere una pagina HTML che ignora il CORS usando un proxy se useProxy
param è impostato. Ci possono essere parametri aggiuntivi che verranno passati a postMessage
quando si inviano i dati sulle dimensioni.
function getIframeHtml(url, useProxy = false, params = {}) {
return new Promise(resolve => {
const xhr = new XMLHttpRequest();
xhr.onreadystatechange = function() {
if (xhr.readyState == XMLHttpRequest.DONE) {
// If we use a proxy,
// set the origin so it will be placed on a base tag inside iFrame head
let origin = useProxy && (new URL(url)).origin;
const patchedHtml = patchIframeHtml(xhr.responseText, origin, params);
resolve(patchedHtml);
}
}
// Use cors-anywhere proxy if useProxy is set
xhr.open('GET', useProxy ? `https://cors-anywhere.herokuapp.com/${url}` : url, true);
xhr.send();
});
}
La funzione di gestione degli eventi dei messaggi è esattamente la stessa di "Stessa dimensione iFrame di origine" .
Ora possiamo caricare un dominio di origine incrociata all'interno di un iFrame con il nostro codice JS personalizzato inserito:
<!-- It's important that the iFrame must have a 100% width
for the resize event to work -->
<iframe id="iframe-cross" style="width: 100%"></iframe>
<script>
window.addEventListener('DOMContentLoaded', async () => {
const crossDomainHtml = await getIframeHtml(
'https://en.wikipedia.org/wiki/HTML', true /* useProxy */, { id: 'iframe-cross' }
);
// We use srcdoc attribute to set the iFrame HTML instead of a src URL
document.getElementById('iframe-cross').setAttribute('srcdoc', crossDomainHtml);
});
</script>
E ridimensioneremo l'iFrame in base al suo contenuto a tutta altezza senza alcuno scorrimento verticale anche usando overflow-y: auto
per il corpo dell'iFrame ( dovrebbe essere overflow-y: hidden
così non si ottiene uno sfarfallio della barra di scorrimento al ridimensionamento ).
Puoi verificarlo online qui .
Ancora una volta notare che questo è un trucco e dovrebbe essere evitato ; non possiamo accedere al documento iFrame di Cross-Origin né iniettare alcun tipo di cose.