同域下实现iframe自适应比较简单,能够直接利用javascript操做DOM来达到目的。下面的示例是在http://localhost:8887做用域下,iframe.html引入index.html。javascript
index.htmlhtml
1
|
<
img
src
=
"ghost.png"
alt
=
"ghost"
style
=
"width:600px; height: 300px;"
>
|
iframe.html前端
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
|
<
iframe
id
=
"iframe"
src
=
"index.html"
frameborder
=
"0"
scrolling
=
"no"
style
=
"border: 0px;"
></
iframe
>
<
script
>
// 兼容性代码
function autoHeight(iframe) {
if (iframe) {
var iframeWin = iframe.contentWindow || iframe.contentDocument.parentWindow;
if (iframeWin.document.body) {
iframe.height = iframeWin.document.documentElement.scrollHeight || iframeWin.document.body.scrollHeight;
iframe.width = iframeWin.document.documentElement.scrollWidth || iframeWin.document.body.scrollWidth;
}
}
}
window.onload = function() {
autoHeight(document.getElementById('iframe'));
}
</
script
>
|
显示效果java
注意:必定要经过服务器来访问iframe.html,像chrome这样的浏览器访问本地静态文件会有限制,致使错误!node
跨域(只要协议、域名、端口有任何一个不一样,都被看成是不一样的域)的时候,因为js的同源策略,父页面内的js不能获取到iframe页面的大小。面试
解决方案原理:使用代理页面,并经过location.hash来进行传值。chrome
示例以下:http://localhost:8887下的一个页面a.html使用iframe标签引入http://localhost:8888下的一个页面b.html。在http://localhost:8887下建立一个agent.html页面作代理,b.html此时可利用隐藏的iframe经过location.hash将本身的大小传给agent.html。因为agent.html与a.html在同一个域下,因此agent.html可直接操做a.html,不受js同源限制。跨域
a.html浏览器
1
2
|
// 引入b.html
<
iframe
id
=
"a_iframe"
src
=
"http://localhost:8888/b.html"
frameborder
=
"0"
scrolling
=
"no"
style
=
"border: 0;"
></
iframe
>
|
b.html服务器
1
2
3
4
5
6
7
8
9
10
11
12
13
|
<
img
src
=
"ghost.png"
alt
=
"ghost"
style
=
"width:600px; height: 300px;"
>
// 经过隐藏的iframe,利用loacation.hash传值
<
iframe
id
=
"b_iframe"
src
=
"http://localhost:8887/agent.html"
height
=
"0"
width
=
"0"
frameborder
=
"0"
style
=
"display: none;"
></
iframe
>
<
script
>
(function autoHeight() {
var width = Math.max(document.body.scrollWidth, document.body.clientWidth);
var height = Math.max(document.body.scrollHeight, document.body.clientHeight);
var b_iframe = document.getElementById("b_iframe");
b_iframe.src = b_iframe.src + "#" + width + "|" + height;
})();
</
script
>
|
agent.html
1
2
3
4
5
6
7
8
9
10
|
<
script
>
var a_iframe = window.parent.parent.document.getElementById("a_iframe");
var hash_url = window.location.hash;
if (hash_url.indexOf("#") >= 0) {
var hash_width = hash_url.split("#")[1].split("|")[0] + "px";
var hash_height = hash_url.split("#")[1].split("|")[1] + "px";
a_iframe.style.width = hash_width;
a_iframe.style.height = hash_height;
}
</
script
>
|
显示效果