Não é possível interagir com um iFrame de origem diferente usando Javascript, para obter o tamanho dele; a única maneira de fazer isso é usando window.postMessage
o targetOrigin
conjunto no seu domínio ou o caractere curinga *
da fonte do iFrame. Você pode proxy o conteúdo dos diferentes sites de origem e uso srcdoc
, mas isso é considerado um hack e não funciona com SPAs e muitas outras páginas mais dinâmicas.
Mesmo tamanho de iFrame de origem
Suponha que tenhamos dois iFrames de origem iguais, um de altura curta e largura fixa:
<!-- 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 um iFrame de altura alta:
<!-- 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>
Podemos obter o tamanho do iFrame no load
evento usando o iframe.contentWindow.document
que enviaremos para a janela pai usando 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>
Obteremos largura e altura adequadas para os dois iFrames; você pode conferir on-line aqui e ver a captura de tela aqui .
Tamanho diferente origem iFrame corte ( não recomendado )
O método descrito aqui é um hack e deve ser usado se for absolutamente necessário e não houver outro caminho; não funcionará para as páginas e SPAs gerados mais dinâmicos. O método busca o código-fonte HTML da página usando um proxy para ignorar a política do CORS ( cors-anywhere
é uma maneira fácil de criar um servidor proxy CORS simples e possui uma demonstração onlinehttps://cors-anywhere.herokuapp.com
) e injeta o código JS nesse HTML para usar postMessage
e enviar o tamanho do iFrame para o documento pai. Ele até lida com o evento iFrame resize
( combinado com o iFramewidth: 100%
) e publica o tamanho do iFrame de volta ao pai.
patchIframeHtml
:
Uma função para corrigir o código HTML do iFrame e injetar Javascript personalizado que será usado postMessage
para enviar o tamanho do iFrame para o pai load
e assim por diante resize
. Se houver um valor para o origin
parâmetro, um <base/>
elemento HTML será anexado ao cabeçalho usando o URL de origem; portanto, os URIs HTML /some/resource/file.ext
serão buscados corretamente pelo URL de origem dentro do 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
:
Uma função para obter um HTML da página ignorando o CORS usando um proxy se useProxy
param estiver definido. Pode haver parâmetros adicionais que serão passados para o postMessage
quando enviar dados de tamanho.
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();
});
}
A função de manipulador de eventos de mensagem é exatamente a mesma que em "Mesmo tamanho de iFrame de origem" .
Agora podemos carregar um domínio de origem cruzada dentro de um iFrame com nosso código JS personalizado injetado:
<!-- 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 nós vamos ajustar o tamanho do iFrame ao seu conteúdo em altura total, sem nenhuma rolagem vertical, mesmo usando overflow-y: auto
o corpo do iFrame ( deve ser overflow-y: hidden
assim, para que a barra de rolagem não pisque no redimensionamento ).
Você pode conferir online aqui .
Novamente, observe que isso é um hack e deve ser evitado ; não podemos acessar o documento iFrame de origem cruzada nem injetar qualquer tipo de coisa.