0

我想计算用于动态解释 JavaScript 代码(例如evalsetTimeout)的函数调用的数量。我的主要目的是找到作为参数传递给 eval 和 setTimeout 的字符串。这是因为恶意脚本通常使用 eval 函数动态评估复杂代码。找到它的一种方法是挂钩该函数,以便可以触发对 eval 函数的每次调用。但我不知道该怎么做。请举例说明这一点。

我通常为 setTimeout 尝试过,但我没有得到正确的结果。

我的代码如下

var sto = setTimeout; setTimeout = function setTimeout(str){
console.log(str);
}

我的实际用户脚本是:

// ==UserScript==
// @encoding    UTF-8 
// @name        Count_setTimeout
// @run-at      document-start
// ==/UserScript==
addJS_Node("var count=0;");
function Log_StimeoutCreations ()
{
  var sto = setTimeout;
  setTimeout = function(arg, time) 
  {
     if(typeof arg == "string")
        console.log("Insecure setTimeout: ", arg);
     else
        console.log("setTimeout:",arg);   
     count++;
     sto(arg, time);    
  }
}
var waitForDomInterval = setInterval (
function () {
    var domPresentNode;
    if (typeof document.head == "undefined")
        domPresentNode = document.querySelector ("head, body");
    else
        domPresentNode = document.head;
    if (domPresentNode) {
        clearInterval (waitForDomInterval);
        addJS_Node (null, null, Log_StimeoutCreations);           
    }
},
1
);
function addJS_Node (text, s_URL, funcToRun) {
var D                                   = document;
var scriptNode                          = D.createElement ('script');
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);
}
addJS_Node("document.onreadystatechange = function (){if (document.readyState == 'complete'){if(typeof(unsafeWindow)=='undefined') { unsafeWindow=window; } unsafeWindow.console.log('count--'+count);}}");

但我什至没有在源代码中查看 setTimeout 函数。此外,我如何实现这一点通过这我将获得内部 eval 函数,即,eval(eval());

4

1 回答 1

1

你基本上是对的。这是我的代码:

var sto = setTimeout;

setTimeout = function(arg, time) {
    if(typeof arg == "string")
        console.warn("Insecure setTimeout: ", arg);

    // call real setTimeout
    sto(arg, time);
}

// ...now all future setTimeout calls will warn about string use...
setTimeout("alert(1);", 1000);

如果你想对它超级正确,而不是留sto在允许访问原始的全局命名空间中setTimeout,请使用闭包:

(function() {
    var sto = setTimeout;
    setTimeout = function(arg, time) {
        if(typeof arg == "string")
            console.warn("Insecure setTimeout!", arg);

        sto(arg, time);
    }
})();

这样,realsetTimeout是完全不可访问sto的,因为一旦匿名函数结束就不可访问,除非在新的setTimeout包装器内。

于 2012-04-23T16:28:31.633 回答