4

我在 iframe 中加载了一个 html 文档。
我为该文档在 javascript 中开发了一些弹出菜单代码,并将代码从主文档注入 iframe。

但是我的代码在 iframe 中不起作用,因为它使用了 " document" 对象,而且令人惊讶的是,它指的是主文档而不是 iframe 文档。

我也玩过内容选择,我需要window.getSelection()回到主文档的选择,而我需要window.frames[0].getSelection()

我做错了吗?
有没有简单的解决方案来克服这个问题?

更新:(澄清)
正如Bergi指出的那样,我的问题是关于如何正确运行注入的javascript代码以获取本地范围而不是iframe中的全局范围?
所以我不必代码中重写 document's 和window's ......

更新:( 我的 html 的骨架)

<html>
  <head></head> <!-- script launches on jquery's $(document).ready -->
  <body>
    <iframe>
    [
      <body>
        ...
        <script></script> <!-- code injected here from the code (appended to the body) -->
      </body>
    ]
    </iframe>
  </body>
</html>

脚本是这样的(使用 jquery):

$(function(){
$('iframe').load(function(){

var $doc = $('iframe').contents();
var $head = $('head', $doc);
$head.append('<link rel="stylesheet" href="/stylesheets/book-popup-menu.css" />');

var $body = $('body', $doc);
$body.append(' \
    <div id="popup"> \
    </div> \
');
$body.append(' \
    <script type="text/javascript"> \
              console.log(document.body);// it still displays the global body \
            </script> \
');
});
});

更新演示问题的小提琴

4

1 回答 1

2

终于,我找到了答案!

如果您像这样使用 jQuery 附加代码,$body.append('<script>')则创建的 '' 元素document.createElement('script')将成为全局文档的一部分。即使它被插入到 iframe 文档中,它也会在全局命名空间中执行

所以解决方案是——利用这个绝妙的解决方案:(向 Iframe 注入 Javascript)——回退到原版 javascript:

$('iframe').load(function(){

    var $doc = $('iframe').contents();
    var $head = $('head', $doc);
    $head.append('<link rel="stylesheet" href="/stylesheets/book-popup-menu.css" />');

    var $body = $('body', $doc);
    $body.append('<div id="popup"></div>');// non-javascript content works fine

    var doc = $('iframe').contents()[0]; // doc = $doc[0] does not work for some reason... 

    var script = doc.createElement("script");
    script.setAttribute("type", "text/javascript");
    script.textContent = "console.log(document.body)"; // this will be iframe's body
    $body[0].appendChild(script1); // $body.append(...) does not work
});
于 2013-05-07T16:52:33.607 回答