3

浏览器提供的 Javascript 对象上的 Mozilla Developer Network页面console显示:“ Note: At least in Firefox, if a page defines a console object, that object overrides the one built into Firefox.”。有没有办法覆盖这个对象,但仍然与浏览器的Web 控制台交互?

一个用例是拦截console.log()调用并做一些额外的事情或采用不同的参数,例如日志分类,同时保留通过 Firebug 或 Google Chrome Inspect Element 等工具登录到控制台时提供的行号/文件信息。我能找到的最接近的匹配答案是:Intercepting web browser console messages,但它不会通过自定义控制台对象与 Web 控制台进行交互,并使用自定义定义的调试服务,例如

debug.log = function(string, logLevel) {
    checkLogLevel(logLevel); // return false if environment log setting is below logLevel 
    var changedString = manipulate(string); 
    console.log(changedString); 
}

不保留函数调用的行号/文件源debug.log()。一种选择是对console.trace()跟踪堆栈进行一些操作并向上爬上一层,但我对首先扩展感到好奇console.log()。我还想找到一个与现有 Web 控制台/工具(如 Firebug)一起使用的解决方案,而不是创建自定义浏览器扩展或 Firebug 插件,但如果有人知道现有的解决方案,我会对它们感兴趣。

显然是这样的:

    console = {
        log: function (string) {
            console.log('hey!');
        }
    }
    console.log('hey!');

将不起作用并导致无限递归。

4

2 回答 2

3

这很简单,只需在覆盖之前保存对(原始)控制台的引用:

var originalConsole = window.console;
console = {
    log: function(message) {
        originalConsole.log(message);
        // do whatever custom thing you want
    }
}
于 2012-12-01T00:30:52.273 回答
0

你可以做:

var colors = {
  DEFAULT: '\033[m',
  RED: '\033[31m',
  GREEN: '\033[32m',
  BLUE: '\033[34m'
};
var print = {
  out: function(message) {
    console.log(message);
  },
  read: function(message) {
    prompt(message + ' ');
  },
  color: function(message, color) {
    if (color == 'RED') {
      console.log(`${colors.RED}${message}${colors.DEFAULT}`);
    }
    else if (color == 'GREEN') {
      console.log(`${colors.GREEN}${message}${colors.DEFAULT}`);
    }
    else if (color == 'BLUE') {
      console.log(`${colors.BLUE}${message}${colors.DEFAULT}`);
    }
    else {
      console.log(`${colors.RED}ValueError: \"${color}\" is not in the colors set.`);
    }
  }
};

您可以使用以下方法对其进行测试:

print.out('Hello World!');
print.read('Hello World!');
print.color('Hello World!', 'RED');
print.color('Hello World!', 'GREEN');
print.color('Hello World!', 'BLUE');
于 2021-02-14T22:18:58.460 回答