Nie można wchodzić w interakcje z ramką iFrame innego pochodzenia przy użyciu Javascript, aby uzyskać jej rozmiar; jedynym sposobem, aby to zrobić jest użycie window.postMessage
wraz z targetOrigin
zestawem do domeny lub wildchar *
od źródła iFrame. Możesz proxy zawartości różnych witryn źródłowych i używać srcdoc
, ale jest to uważane za włamanie i nie będzie działać z SPA i wieloma innymi bardziej dynamicznymi stronami.
Rozmiar iFrame tego samego pochodzenia
Załóżmy, że mamy dwa iFrame tego samego pochodzenia, jeden o małej wysokości i stałej szerokości:
<!-- 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>
i iFrame o dużej wysokości:
<!-- 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>
Możemy uzyskać rozmiar iFrame przy load
zdarzeniu, korzystając z iframe.contentWindow.document
tego, który wyślemy do okna nadrzędnego za pomocą 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>
Otrzymamy odpowiednią szerokość i wysokość dla obu ramek iFrame; możesz to sprawdzić online tutaj i zobaczyć zrzut ekranu tutaj .
Hack innego rozmiaru iFrame pochodzenia ( niezalecany )
Opisana tutaj metoda to hack i należy jej użyć, jeśli jest to absolutnie konieczne i nie ma innej możliwości; nie będzie działać dla większości dynamicznie generowanych stron i SPA. Metoda pobiera kod źródłowy HTML strony za pomocą serwera proxy, aby ominąć zasady CORS ( cors-anywhere
jest to prosty sposób na utworzenie prostego serwera proxy CORS i ma wersję demonstracyjną onlinehttps://cors-anywhere.herokuapp.com
), a następnie wstrzykuje kod JS do tego HTML, aby użyć postMessage
i wysłać rozmiar iFrame do dokumentu nadrzędnego. Obsługuje nawet zdarzenie iFrame resize
(w połączeniu z iFramewidth: 100%
) i przesyła rozmiar iFrame z powrotem do elementu nadrzędnego.
patchIframeHtml
:
Funkcja załatać i wstrzyknąć kod HTML iFrame zwyczaj JavaScript, który będzie używany postMessage
do wysyłania rozmiar iFrame do rodzica na load
i na resize
. Jeśli parametr ma wartość origin
, wówczas <base/>
element HTML zostanie dodany do nagłówka przy użyciu tego początkowego adresu URL, dlatego też identyfikatory URI HTML /some/resource/file.ext
zostaną poprawnie pobrane przez pierwotny adres URL wewnątrz ramki 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
:
Funkcja pozwalająca uzyskać HTML strony pomijający CORS za pomocą proxy, jeśli useProxy
ustawiony jest parametr. Mogą istnieć dodatkowe parametry, które zostaną przekazane postMessage
podczas wysyłania danych o rozmiarze.
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();
});
}
Funkcja obsługi zdarzenia komunikatu jest dokładnie taka sama, jak w opcji „Rozmiar iFrame tego samego pochodzenia” .
Możemy teraz załadować domenę pochodzącą z różnych źródeł w ramce iFrame z wprowadzonym niestandardowym kodem JS:
<!-- 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>
I dostosujemy ramkę iFrame do jej zawartości na pełną wysokość bez żadnego przewijania w pionie, nawet przy użyciu overflow-y: auto
elementu iFrame ( powinno być overflow-y: hidden
tak, aby pasek przewijania nie migał przy zmianie rozmiaru ).
Możesz to sprawdzić online tutaj .
Ponownie zauważmy, że jest to hack i należy go unikać ; nie możemy uzyskać dostępu do dokumentu iFrame Cross-Origin ani wstrzykiwać żadnych rzeczy.