私はFirebugを使っていて、次のようないくつかのステートメントがあります。
console.log("...");
私のページにIE 8(おそらく以前のバージョンも)では、 'console'は未定義であるというスクリプトエラーが発生します。私はこれを私のページの一番上に置いてみました:
<script type="text/javascript">
if (!console) console = {log: function() {}};
</script>
それでも私はエラーを受け取ります。エラーを取り除くために任意の方法は?
やってみる
if (!window.console) console = ...
未定義の変数は直接参照できません。ただし、すべてのグローバル変数はグローバルコンテキストと同じ名前の属性(ブラウザの場合はwindow
)であり、未定義の属性にアクセスしても問題ありません。
マジック変数window
を避けたい場合は、if (typeof console === 'undefined') console = ...
を使用してください。 @ Tim Downの答え を参照してください。
(コンソールを使用する前に)JavaScriptの一番上に以下を貼り付けてください。
/**
* Protect window.console method calls, e.g. console is not defined on IE
* unless dev tools are open, and IE doesn't define console.debug
*
* Chrome 41.0.2272.118: debug,error,info,log,warn,dir,dirxml,table,trace,assert,count,markTimeline,profile,profileEnd,time,timeEnd,timeStamp,timeline,timelineEnd,group,groupCollapsed,groupEnd,clear
* Firefox 37.0.1: log,info,warn,error,exception,debug,table,trace,dir,group,groupCollapsed,groupEnd,time,timeEnd,profile,profileEnd,assert,count
* Internet Explorer 11: select,log,info,warn,error,debug,assert,time,timeEnd,timeStamp,group,groupCollapsed,groupEnd,trace,clear,dir,dirxml,count,countReset,cd
* Safari 6.2.4: debug,error,log,info,warn,clear,dir,dirxml,table,trace,assert,count,profile,profileEnd,time,timeEnd,timeStamp,group,groupCollapsed,groupEnd
* Opera 28.0.1750.48: debug,error,info,log,warn,dir,dirxml,table,trace,assert,count,markTimeline,profile,profileEnd,time,timeEnd,timeStamp,timeline,timelineEnd,group,groupCollapsed,groupEnd,clear
*/
(function() {
// Union of Chrome, Firefox, IE, Opera, and Safari console methods
var methods = ["assert", "cd", "clear", "count", "countReset",
"debug", "dir", "dirxml", "error", "exception", "group", "groupCollapsed",
"groupEnd", "info", "log", "markTimeline", "profile", "profileEnd",
"select", "table", "time", "timeEnd", "timeStamp", "timeline",
"timelineEnd", "trace", "warn"];
var length = methods.length;
var console = (window.console = window.console || {});
var method;
var noop = function() {};
while (length--) {
method = methods[length];
// define undefined methods as noops to prevent errors
if (!console[method])
console[method] = noop;
}
})();
関数クロージャラッパーは、変数を定義しないように変数をスコープすることです。これは未定義のconsole
と未定義のconsole.debug
(およびその他の行方不明のメソッド)の両方から保護します。
編集:HTML5定型句 を使用していることに気付きました(おそらく)最新の状態に保たれるソリューションを探しているなら、js/plugins.jsファイルにある同様のコード。
もう1つの選択肢はtypeof
演算子です。
if (typeof console == "undefined") {
this.console = {log: function() {}};
}
さらに別の方法は、私自身の log4javascript のようなロギングライブラリを使用することです。
より堅牢な解決策としては、このコードを使用してください(Twitterのソースコードから)。
// Avoid `console` errors in browsers that lack a console.
(function() {
var method;
var noop = function () {};
var methods = [
'assert', 'clear', 'count', 'debug', 'dir', 'dirxml', 'error',
'exception', 'group', 'groupCollapsed', 'groupEnd', 'info', 'log',
'markTimeline', 'profile', 'profileEnd', 'table', 'time', 'timeEnd',
'timeStamp', 'trace', 'warn'
];
var length = methods.length;
var console = (window.console = window.console || {});
while (length--) {
method = methods[length];
// Only stub undefined methods.
if (!console[method]) {
console[method] = noop;
}
}
}());
私のスクリプトでは、どちらかの短縮形を使います。
window.console && console.log(...) // only log if the function exists
または、console.logの各行を編集することが不可能または不可能な場合は、偽のコンソールを作成します。
// check to see if console exists. If not, create an empty object for it,
// then create and empty logging function which does nothing.
//
// REMEMBER: put this before any other console.log calls
!window.console && (window.console = {} && window.console.log = function () {});
IE8でDeveloper Tools
を開いている場合はconsole.log()
を使用できます。また、スクリプトタブのConsole
テキストボックスも使用できます。
if (typeof console == "undefined") {
this.console = {
log: function() {},
info: function() {},
error: function() {},
warn: function() {}
};
}
IE9では、コンソールが開かれていない場合、このコードは:
alert(typeof console);
"object"と表示されますが、このコード
alert(typeof console.log);
typeError例外をスローしますが、未定義の値は返しません。
そのため、コードの保証バージョンは次のようになります。
try {
if (window.console && window.console.log) {
my_console_log = window.console.log;
}
} catch (e) {
my_console_log = function() {};
}
私は自分のコードでconsole.logのみを使用しています。だから私は非常に短い2ライナーを含める
var console = console || {};
console.log = console.log || function(){};
前の2つの回答に基づく
とのドキュメント
これは、この問題に対するベストエフォート型の実装です。つまり、実際に存在するconsole.logがある場合、console.logを介して存在しないメソッドのギャップを埋めます。
例えばIE6/7の場合、ロギングをalertに置き換えて(愚かだがうまくいく)、それから以下のモンスター(私はそれをconsole.jsと呼ぶ)を含めることができます。ミニマイザはそれらに取り組むことができます]:
<!--[if lte IE 7]>
<SCRIPT LANGUAGE="javascript">
(window.console = window.console || {}).log = function() { return window.alert.apply(window, arguments); };
</SCRIPT>
<![endif]-->
<script type="text/javascript" src="console.js"></script>
console.js:
/**
* Protect window.console method calls, e.g. console is not defined on IE
* unless dev tools are open, and IE doesn't define console.debug
*/
(function() {
var console = (window.console = window.console || {});
var noop = function () {};
var log = console.log || noop;
var start = function(name) { return function(param) { log("Start " + name + ": " + param); } };
var end = function(name) { return function(param) { log("End " + name + ": " + param); } };
var methods = {
// Internet Explorer (IE 10): http://msdn.Microsoft.com/en-us/library/ie/hh772169(v=vs.85).aspx#methods
// assert(test, message, optionalParams), clear(), count(countTitle), debug(message, optionalParams), dir(value, optionalParams), dirxml(value), error(message, optionalParams), group(groupTitle), groupCollapsed(groupTitle), groupEnd([groupTitle]), info(message, optionalParams), log(message, optionalParams), msIsIndependentlyComposed(oElementNode), profile(reportName), profileEnd(), time(timerName), timeEnd(timerName), trace(), warn(message, optionalParams)
// "assert", "clear", "count", "debug", "dir", "dirxml", "error", "group", "groupCollapsed", "groupEnd", "info", "log", "msIsIndependentlyComposed", "profile", "profileEnd", "time", "timeEnd", "trace", "warn"
// Safari (2012. 07. 23.): https://developer.Apple.com/library/safari/#documentation/AppleApplications/Conceptual/Safari_Developer_Guide/DebuggingYourWebsite/DebuggingYourWebsite.html#//Apple_ref/doc/uid/TP40007874-CH8-SW20
// assert(expression, message-object), count([title]), debug([message-object]), dir(object), dirxml(node), error(message-object), group(message-object), groupEnd(), info(message-object), log(message-object), profile([title]), profileEnd([title]), time(name), markTimeline("string"), trace(), warn(message-object)
// "assert", "count", "debug", "dir", "dirxml", "error", "group", "groupEnd", "info", "log", "profile", "profileEnd", "time", "markTimeline", "trace", "warn"
// Firefox (2013. 05. 20.): https://developer.mozilla.org/en-US/docs/Web/API/console
// debug(obj1 [, obj2, ..., objN]), debug(msg [, subst1, ..., substN]), dir(object), error(obj1 [, obj2, ..., objN]), error(msg [, subst1, ..., substN]), group(), groupCollapsed(), groupEnd(), info(obj1 [, obj2, ..., objN]), info(msg [, subst1, ..., substN]), log(obj1 [, obj2, ..., objN]), log(msg [, subst1, ..., substN]), time(timerName), timeEnd(timerName), trace(), warn(obj1 [, obj2, ..., objN]), warn(msg [, subst1, ..., substN])
// "debug", "dir", "error", "group", "groupCollapsed", "groupEnd", "info", "log", "time", "timeEnd", "trace", "warn"
// Chrome (2013. 01. 25.): https://developers.google.com/chrome-developer-tools/docs/console-api
// assert(expression, object), clear(), count(label), debug(object [, object, ...]), dir(object), dirxml(object), error(object [, object, ...]), group(object[, object, ...]), groupCollapsed(object[, object, ...]), groupEnd(), info(object [, object, ...]), log(object [, object, ...]), profile([label]), profileEnd(), time(label), timeEnd(label), timeStamp([label]), trace(), warn(object [, object, ...])
// "assert", "clear", "count", "debug", "dir", "dirxml", "error", "group", "groupCollapsed", "groupEnd", "info", "log", "profile", "profileEnd", "time", "timeEnd", "timeStamp", "trace", "warn"
// Chrome (2012. 10. 04.): https://developers.google.com/web-toolkit/speedtracer/logging-api
// markTimeline(String)
// "markTimeline"
assert: noop, clear: noop, trace: noop, count: noop, timeStamp: noop, msIsIndependentlyComposed: noop,
debug: log, info: log, log: log, warn: log, error: log,
dir: log, dirxml: log, markTimeline: log,
group: start('group'), groupCollapsed: start('groupCollapsed'), groupEnd: end('group'),
profile: start('profile'), profileEnd: end('profile'),
time: start('time'), timeEnd: end('time')
};
for (var method in methods) {
if ( methods.hasOwnProperty(method) && !(method in console) ) { // define undefined methods as best-effort methods
console[method] = methods[method];
}
}
})();
OPはIEでFirebugを使用しているので、Firebug Liteは と仮定します 。デバッガウィンドウを開いたときにコンソールがIEで定義されるため、これはファンキーな状況ですが、Firebugが既に実行されているときはどうなりますか?よくわからないが、おそらく "firebugx.js"メソッドがこの状況でテストするのに良い方法かもしれない:
ソース:
https://code.google.com/p/fbug/source/browse/branches/firebug1.2/lite/firebugx.js?r=187
if (!window.console || !console.firebug) {
var names = [
"log", "debug", "info", "warn", "error", "assert",
"dir","dirxml","group","groupEnd","time","timeEnd",
"count","trace","profile","profileEnd"
];
window.console = {};
for (var i = 0; i < names.length; ++i)
window.console[names[i]] = function() {}
}
(アップデートされたリンク12/2014)
console = console || {
debug: function(){},
log: function(){}
...
}
IEでデバッグするには、これをチェックしてください log4javascript
IE8またはconsole.logに限定されたコンソールサポート(デバッグなし、トレースなど)では、次の操作を実行できます。
Console OR console.logが未定義の場合:コンソール関数(trace、debug、logなど)用のダミー関数を作成します。
window.console = { debug : function() {}, ...};
それ以外の場合、console.logが定義されていて(IE8)、console.debug(その他のもの)が定義されていない場合:すべてのロギング機能をconsole.logにリダイレクトすると、これらのログを保存できます。
window.console = { debug : window.console.log, ...};
さまざまなIEバージョンでのassertのサポートについてはわからないが、どんな提案でも歓迎する。この回答もこちらに投稿してください: Internet Explorerでコンソールロギングを使うにはどうすればいいですか?
私は fauxconsole を使用しています。私はそれがよりきれいに見えるようにCSSを少し修正しましたが、非常にうまくいきました。
Window.open関数によって作成された、IE9の子ウィンドウでconsole.logを実行しているときと同様の問題が発生しました。
この場合、コンソールは親ウィンドウでのみ定義され、子ウィンドウでリフレッシュするまで未定義のようです。同じことが子ウィンドウの子にも当てはまります。
この問題に対処するには、次の関数にログインします(以下はモジュールの一部です)。
getConsole: function()
{
if (typeof console !== 'undefined') return console;
var searchDepthMax = 5,
searchDepth = 0,
context = window.opener;
while (!!context && searchDepth < searchDepthMax)
{
if (typeof context.console !== 'undefined') return context.console;
context = context.opener;
searchDepth++;
}
return null;
},
log: function(message){
var _console = this.getConsole();
if (!!_console) _console.log(message);
}
TypeScriptのコンソールのスタブ:
if (!window.console) {
console = {
assert: () => { },
clear: () => { },
count: () => { },
debug: () => { },
dir: () => { },
dirxml: () => { },
error: () => { },
group: () => { },
groupCollapsed: () => { },
groupEnd: () => { },
info: () => { },
log: () => { },
msIsIndependentlyComposed: (e: Element) => false,
profile: () => { },
profileEnd: () => { },
select: () => { },
time: () => { },
timeEnd: () => { },
trace: () => { },
warn: () => { },
}
};
時々consoleはIE8/9で動くが他の時には失敗するでしょう。この不安定な動作は、開発者ツールを開いているかどうかによって異なり、stackoverflow question で説明されています。IE9はconsole.logをサポートしていますか?実際の機能ですか?
あなたはあなたがすべての基地をカバーしてもらったという追加の程度の保険を与えるために以下を使うことができます。最初にtypeof
を使用すると、undefined
エラーが回避されます。 ===
を使用すると、型の名前が実際には文字列 "undefined"になります。最後に、コンソールに出力したいものはすべてlog関数に渡すので、一貫性を保つために関数シグネチャにパラメータを追加します(私は任意にlogMsg
を選択しました)。これにより、インテリセンスを正確に保ち、JS対応IDEでの警告やエラーを回避できます。
if(!window.console || typeof console === "undefined") {
var console = { log: function (logMsg) { } };
}