2

我只想将 jQuery 从 safari 扩展注入到网页中。但仅限于某些页面,因为将 jQuery 添加为 start-/endscript 会将其注入所有页面,这会使浏览速度变慢。我通过使用它的 onload 函数创建一个脚本标签来尝试它:

var node = document.createElement('script');    
node.onload = function(){
    initjquerycheck(function($) {
        dosomethingusingjQuery($);
    });
};
node.async = "async";
node.type = "text/javascript";
node.src = "https://code.jquery.com/jquery-2.0.3.min.js";
document.getElementsByTagName('head')[0].appendChild(node);

检查是否加载了 jquery 我使用:

initjquerycheck: function(callback) {
    if(typeof(jQuery) != 'undefined'){
        callback(jQuery);
    }else {
        window.setTimeout(function() { initjquerycheck(callback); }, 100);
    }
}

但 typeof(jQuery) 仍未定义。(使用console.log()检查过)。只有当我从调试控制台调用 console.log(typeof(jQuery)) 时,它才会返回“函数”。任何想法如何解决这个问题?提前致谢!

4

1 回答 1

5

扩展注入脚本无法访问网页的 JavaScript 命名空间。您注入的脚本会创建一个<script>元素并将其添加到页面的 DOM 中,但是jQuery脚本实例化的对象属于页面的命名空间,而不是您注入的脚本的命名空间。

至少有两种可能的解决方案。一,使用扩展 API 以正常方式将 jQuery 注入页面。仅当您所定位的网页可以使用 URL 模式进行分类时,此方法才可行。

二,用于Window.postMessage在您注入的脚本和网页的命名空间之间进行通信。您将需要向<script>页面添加另一个,并在此脚本中为该message事件设置一个侦听器。侦听器将能够使用 jQuery,就好像它是页面本身的“本地”一样。

如果需要,这里有一些代码可以帮助您入门。

在扩展注入脚本中:

var s0 = document.createElement('script');
s0.type = 'text/javascript';
s0.src = 'https://code.jquery.com/jquery-2.0.3.min.js';
document.head.appendChild(s0);

var s1 = document.createElement('script');
s1.type = 'text/javascript';
s1.src = safari.extension.baseURI + 'bridge.js';
document.head.appendChild(s1);

window.addEventListener('message', function (e) {
    if (e.origin != window.location.origin)
        return;
    console.log(e.data);
}, false);

window.postMessage('What jQuery version?', window.location.origin);

在 bridge.js 中:

window.addEventListener('message', function (e) {
    if (e.origin != window.location.origin)
        return;
    if (e.data == 'What jQuery version?') {
        e.source.postMessage('Version ' + $.fn.jquery, window.location.origin);
    }
}, false);
于 2013-10-06T23:22:33.510 回答