Why is Firefox 3 breaking with console.log

爷,独闯天下 提交于 2019-12-03 03:31:10

This is not just Firefox. Your code will stop working in every browser (except Chrome and safari (in some instances) because they have console.log() built in along with their developer tools.)

It is because when you don't have firebug open, the object "console" is not defined. You should take care never too leave console.log() functions in your code, or it will break in every browser.


I'd like to add that I have sometimes used this function:

function log () {
    if (typeof console == 'undefined') {
        return;
    }
    console.log.apply(console, arguments);
}

Then you can simply call:

log(somevar, anothervar);

and it will work the same way as console.log, but will not fail if firebug is not loaded (and is shorter to type :P)

Cheers

In case, that firebug is closed, I overwrite the console object. So, you can implement fallback functions ...

console = console || { log : function() {
// place your logging code here, if firebug is closed
}, debug : function() {
// place your debug code here, if firebug is closed
} /*, [ and so on .. ] */ };

Greetings,

Dyvor

In FireFox if the console isn't open when you call to it a JavaScript error is thrown.

I wrap all my console.log's in a wrapper to check for console - you can either wrap the check around the console call or use a different name to alias console.

Aliasing

/* konsole is a safe wrapper for the Firebug console. */
var konsole = {
  log: function(args){},
  dir: function(args){},
  debug: function(args){},
  info: function(args){},
  warn: function(args){},
  error: function(args){}
};
// Remove below here when in production
if (typeof window.console != 'undefined' && typeof window.console.log == 'function') {
  konsole = window.console;
}
konsole.log('testing debugging');
konsole.error('throw an error message to the console');

Check for console

if (typeof window.console != 'undefined' && typeof window.console.log == 'function') {
  console.log('testing debugging');
  console.error('throw an error message to the console');
}

I always do a if (console) check to make sure the console actually exists. If firebug isn't open it's like you're acting upon a null object, thus why it breaks.

Firefox doesn't have a console object. Firebug adds one.

The simply fix is to have firebug open for development and remove console.log statements for deployment.

you can also make a custom log function like

function log (msg)
{
  if(console)
  {
    console.log(msg);
  }
}

that will log only if console exists

To keep Firefox 3.0 from complaining reliably use the following...

if ('console' in window) {}
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!