1

我正在编写一个 Greasemonkey 脚本,我想在其中重载XMLHttpRequest.prototype.open函数以劫持页面上的 Ajax 调用。

我正在使用以下代码:

// ==UserScript==
// @name        name
// @namespace   namespace
// @description desc
// @include     https://url*
// @version     1.0
// ==/UserScript==

if (XMLHttpRequest.prototype) {
    //New Firefox Versions
    XMLHttpRequest.prototype.realOpen = XMLHttpRequest.prototype.open;
    var myOpen = function(method, url, async, user, password) {

        //call original
        this.realOpen (method, url, async, user, password);
        myCode();

    }  
    //ensure all XMLHttpRequests use our custom open method
    XMLHttpRequest.prototype.open = myOpen ;
}


在我开始使用 GM API 之前,这很有效。当我将以下行添加到元部分时,我的代码会中断,并且myOpen不再被调用:

// @grant       GM_getValue

这可能是任何 GM API,我的代码会中断。即使使用 GM API,我的脚本中的其他所有内容都可以正常工作,只是XMLHttpRequest.prototype.open函数的重载会中断。

我可以通过使用来解决它waitForKeyElements,但是,我不喜欢它,因为它使用的时间间隔会减慢浏览器的速度。

任何想法为什么 GM API 会破坏调用的过载XMLHttpRequest.prototype.open

非常感谢,

彼得

4

1 回答 1

0

@grant指令重新打开 Greasemonkey 的沙箱——它必须使用任何GM_功能。

然后,该prototype覆盖只会影响脚本范围,并且您希望它影响页面范围。为了解决这个问题,您需要注入覆盖。像这样:

function overrideXhrFunctions () {
    if (XMLHttpRequest.prototype) {
        //New Firefox Versions
        XMLHttpRequest.prototype.realOpen = XMLHttpRequest.prototype.open;
        var myOpen = function(method, url, async, user, password) {

            //call original
            this.realOpen (method, url, async, user, password);
            myCode();
        }
        //ensure all XMLHttpRequests use our custom open method
        XMLHttpRequest.prototype.open = myOpen ;
    }
}

addJS_Node (null, null, overrideXhrFunctions) {

//-- addJS_Node is a standard(ish) function
function addJS_Node (text, s_URL, funcToRun, runOnLoad) {
    var D                                   = document;
    var scriptNode                          = D.createElement ('script');
    if (runOnLoad) {
        scriptNode.addEventListener ("load", runOnLoad, false);
    }
    scriptNode.type                         = "text/javascript";
    if (text)       scriptNode.textContent  = text;
    if (s_URL)      scriptNode.src          = s_URL;
    if (funcToRun)  scriptNode.textContent  = '(' + funcToRun.toString() + ')()';
    var targ = D.getElementsByTagName ('head')[0] || D.body || D.documentElement;
    targ.appendChild (scriptNode);
}


请注意,混合GM_函数和注入代码可能会变得棘手。请参阅“如何在注入代码中使用 GM_xmlhttpRequest?” 一种方法来做到这一点。

于 2013-05-23T03:14:07.897 回答