Vorrei rilevare ogni errore di funzione indefinito generato. Esiste una funzione di gestione degli errori globale in JavaScript? Il caso d'uso sta rilevando dal flash chiamate di funzione non definite.
Vorrei rilevare ogni errore di funzione indefinito generato. Esiste una funzione di gestione degli errori globale in JavaScript? Il caso d'uso sta rilevando dal flash chiamate di funzione non definite.
Risposte:
Questo ti aiuta:
<script type="text/javascript">
window.onerror = function() {
alert("Error caught");
};
xxx();
</script>
Non sono sicuro di come gestisca gli errori Flash però ...
Aggiornamento: non funziona in Opera, ma sto hackerando Dragonfly in questo momento per vedere cosa ottiene. Il suggerimento sull'hacking di Dragonfly è venuto da questa domanda:
window.onerror = function() { alert(42) };
ora il codice nella risposta: window.onerror = function() { alert("Error caught"); };
non ignorato, non sono ancora sicuro ..
Assegna l' window.onerror
evento a un gestore eventi come:
<script type="text/javascript">
window.onerror = function(msg, url, line, col, error) {
// Note that col & error are new to the HTML 5 spec and may not be
// supported in every browser. It worked for me in Chrome.
var extra = !col ? '' : '\ncolumn: ' + col;
extra += !error ? '' : '\nerror: ' + error;
// You can view the information in an alert to see things working like this:
alert("Error: " + msg + "\nurl: " + url + "\nline: " + line + extra);
// TODO: Report this error via ajax so you can keep track
// of what pages have JS issues
var suppressErrorAlert = true;
// If you return true, then error alerts (like in older versions of
// Internet Explorer) will be suppressed.
return suppressErrorAlert;
};
</script>
Come commentato nel codice, se il valore restituito window.onerror
è true
quindi il browser dovrebbe sopprimere la visualizzazione di una finestra di avviso.
In breve, l'evento viene generato quando 1.) si verifica un'eccezione non rilevata o 2.) si verifica un errore di tempo di compilazione.
eccezioni non rilevate
- lancia "alcuni messaggi"
- call_something_undefined ();
- cross_origin_iframe.contentWindow.document ;, un'eccezione di sicurezza
errore di compilazione
<script>{</script>
<script>for(;)</script>
<script>"oops</script>
setTimeout("{", 10);
, tenterà di compilare il primo argomento come script
Esempio del codice onerror sopra in azione dopo averlo aggiunto a una pagina di test:
<script type="text/javascript">
call_something_undefined();
</script>
var error_data = {
url: document.location.href,
};
if(error != null) {
error_data['name'] = error.name; // e.g. ReferenceError
error_data['message'] = error.line;
error_data['stack'] = error.stack;
} else {
error_data['msg'] = msg;
error_data['filename'] = filename;
error_data['line'] = line;
error_data['col'] = col;
}
var xhr = new XMLHttpRequest();
xhr.open('POST', '/ajax/log_javascript_error');
xhr.setRequestHeader('X-Requested-With', 'XMLHttpRequest');
xhr.setRequestHeader('Content-Type', 'application/json');
xhr.onload = function() {
if (xhr.status === 200) {
console.log('JS error logged');
} else if (xhr.status !== 200) {
console.error('Failed to log JS error.');
console.error(xhr);
console.error(xhr.status);
console.error(xhr.responseText);
}
};
xhr.send(JSON.stringify(error_data));
https://jsfiddle.net/nzfvm44d/
throw
viene effettuato manualmente. stackoverflow.com/questions/15036165/…
Se la tua gestione degli errori è molto sofisticata e quindi potrebbe generare un errore stesso, è utile aggiungere un flag che indica se sei già in "errorHandling-Mode". Così:
var appIsHandlingError = false;
window.onerror = function() {
if (!appIsHandlingError) {
appIsHandlingError = true;
handleError();
}
};
function handleError() {
// graceful error handling
// if successful: appIsHandlingError = false;
}
Altrimenti potresti ritrovarti in un ciclo infinito.
handleError
metodo.
Prova Atatus che fornisce il monitoraggio avanzato degli errori e il monitoraggio degli utenti reali per le app Web moderne.
Lascia che ti spieghi come ottenere stack stack ragionevolmente completi in tutti i browser.
Chrome e Opera moderni supportano completamente le specifiche di bozza HTML 5 per ErrorEvent e window.onerror
. In entrambi questi browser è possibile utilizzare window.onerror
o associare correttamente l'evento "errore":
// Only Chrome & Opera pass the error object.
window.onerror = function (message, file, line, col, error) {
console.log(message, "from", error.stack);
// You can send data to your server
// sendError(data);
};
// Only Chrome & Opera have an error attribute on the event.
window.addEventListener("error", function (e) {
console.log(e.error.message, "from", e.error.stack);
// You can send data to your server
// sendError(data);
})
Purtroppo Firefox, Safari e IE sono ancora in circolazione e anche noi dobbiamo supportarli. Dato che stacktrace non è disponibile in, window.onerror
dobbiamo fare un po 'più di lavoro.
Si scopre che l'unica cosa che possiamo fare per ottenere stacktraces dagli errori è racchiudere tutto il nostro codice in un try{ }catch(e){ }
blocco e quindi guardare e.stack
. Possiamo semplificare un po 'il processo con una funzione chiamata wrap che accetta una funzione e restituisce una nuova funzione con una buona gestione degli errori.
function wrap(func) {
// Ensure we only wrap the function once.
if (!func._wrapped) {
func._wrapped = function () {
try{
func.apply(this, arguments);
} catch(e) {
console.log(e.message, "from", e.stack);
// You can send data to your server
// sendError(data);
throw e;
}
}
}
return func._wrapped;
};
Questo funziona Qualsiasi funzione che avvolgi manualmente avrà una buona gestione degli errori, ma si scopre che possiamo effettivamente farlo automaticamente per te nella maggior parte dei casi.
Modificando la definizione globale di in addEventListener
modo da avvolgere automaticamente il callback, possiamo inserire automaticamente la try{ }catch(e){ }
maggior parte del codice. Ciò consente al codice esistente di continuare a funzionare, ma aggiunge il monitoraggio delle eccezioni di alta qualità.
var addEventListener = window.EventTarget.prototype.addEventListener;
window.EventTarget.prototype.addEventListener = function (event, callback, bubble) {
addEventListener.call(this, event, wrap(callback), bubble);
}
Dobbiamo anche assicurarci che removeEventListener
continui a funzionare. Al momento non lo sarà perché l'argomento addEventListener
è cambiato. Ancora una volta dobbiamo solo risolvere questo problema prototype
sull'oggetto:
var removeEventListener = window.EventTarget.prototype.removeEventListener;
window.EventTarget.prototype.removeEventListener = function (event, callback, bubble) {
removeEventListener.call(this, event, callback._wrapped || callback, bubble);
}
È possibile inviare i dati di errore utilizzando il tag immagine come segue
function sendError(data) {
var img = newImage(),
src = 'http://yourserver.com/jserror&data=' + encodeURIComponent(JSON.stringify(data));
img.crossOrigin = 'anonymous';
img.onload = function success() {
console.log('success', data);
};
img.onerror = img.onabort = function failure() {
console.error('failure', data);
};
img.src = src;
}
Disclaimer: sono uno sviluppatore web su https://www.atatus.com/ .
http://yourserver.com
) per ricevere e archiviare. Se scegli atatus.com , non devi fare nulla. Includi solo due righe di script nella tua pagina.
Sembra che window.onerror
non fornisca l'accesso a tutti i possibili errori. In particolare ignora:
<img>
errori di caricamento (risposta> = 400).<script>
errori di caricamento (risposta> = 400).window.onerror
in modo sconosciuto (jquery, angolare, ecc.).Ecco l'inizio di uno script che rileva molti di questi errori, in modo da poter aggiungere un debug più robusto all'app durante lo sviluppo.
(function(){
/**
* Capture error data for debugging in web console.
*/
var captures = [];
/**
* Wait until `window.onload`, so any external scripts
* you might load have a chance to set their own error handlers,
* which we don't want to override.
*/
window.addEventListener('load', onload);
/**
* Custom global function to standardize
* window.onerror so it works like you'd think.
*
* @see http://www.quirksmode.org/dom/events/error.html
*/
window.onanyerror = window.onanyerror || onanyerrorx;
/**
* Hook up all error handlers after window loads.
*/
function onload() {
handleGlobal();
handleXMLHttp();
handleImage();
handleScript();
handleEvents();
}
/**
* Handle global window events.
*/
function handleGlobal() {
var onerrorx = window.onerror;
window.addEventListener('error', onerror);
function onerror(msg, url, line, col, error) {
window.onanyerror.apply(this, arguments);
if (onerrorx) return onerrorx.apply(null, arguments);
}
}
/**
* Handle ajax request errors.
*/
function handleXMLHttp() {
var sendx = XMLHttpRequest.prototype.send;
window.XMLHttpRequest.prototype.send = function(){
handleAsync(this);
return sendx.apply(this, arguments);
};
}
/**
* Handle image errors.
*/
function handleImage() {
var ImageOriginal = window.Image;
window.Image = ImageOverride;
/**
* New `Image` constructor. Might cause some problems,
* but not sure yet. This is at least a start, and works on chrome.
*/
function ImageOverride() {
var img = new ImageOriginal;
onnext(function(){ handleAsync(img); });
return img;
}
}
/**
* Handle script errors.
*/
function handleScript() {
var HTMLScriptElementOriginal = window.HTMLScriptElement;
window.HTMLScriptElement = HTMLScriptElementOverride;
/**
* New `HTMLScriptElement` constructor.
*
* Allows us to globally override onload.
* Not ideal to override stuff, but it helps with debugging.
*/
function HTMLScriptElementOverride() {
var script = new HTMLScriptElement;
onnext(function(){ handleAsync(script); });
return script;
}
}
/**
* Handle errors in events.
*
* @see http://stackoverflow.com/questions/951791/javascript-global-error-handling/31750604#31750604
*/
function handleEvents() {
var addEventListenerx = window.EventTarget.prototype.addEventListener;
window.EventTarget.prototype.addEventListener = addEventListener;
var removeEventListenerx = window.EventTarget.prototype.removeEventListener;
window.EventTarget.prototype.removeEventListener = removeEventListener;
function addEventListener(event, handler, bubble) {
var handlerx = wrap(handler);
return addEventListenerx.call(this, event, handlerx, bubble);
}
function removeEventListener(event, handler, bubble) {
handler = handler._witherror || handler;
removeEventListenerx.call(this, event, handler, bubble);
}
function wrap(fn) {
fn._witherror = witherror;
function witherror() {
try {
fn.apply(this, arguments);
} catch(e) {
window.onanyerror.apply(this, e);
throw e;
}
}
return fn;
}
}
/**
* Handle image/ajax request errors generically.
*/
function handleAsync(obj) {
var onerrorx = obj.onerror;
obj.onerror = onerror;
var onabortx = obj.onabort;
obj.onabort = onabort;
var onloadx = obj.onload;
obj.onload = onload;
/**
* Handle `onerror`.
*/
function onerror(error) {
window.onanyerror.call(this, error);
if (onerrorx) return onerrorx.apply(this, arguments);
};
/**
* Handle `onabort`.
*/
function onabort(error) {
window.onanyerror.call(this, error);
if (onabortx) return onabortx.apply(this, arguments);
};
/**
* Handle `onload`.
*
* For images, you can get a 403 response error,
* but this isn't triggered as a global on error.
* This sort of standardizes it.
*
* "there is no way to get the HTTP status from a
* request made by an img tag in JavaScript."
* @see http://stackoverflow.com/questions/8108636/how-to-get-http-status-code-of-img-tags/8108646#8108646
*/
function onload(request) {
if (request.status && request.status >= 400) {
window.onanyerror.call(this, request);
}
if (onloadx) return onloadx.apply(this, arguments);
}
}
/**
* Generic error handler.
*
* This shows the basic implementation,
* which you could override in your app.
*/
function onanyerrorx(entity) {
var display = entity;
// ajax request
if (entity instanceof XMLHttpRequest) {
// 400: http://example.com/image.png
display = entity.status + ' ' + entity.responseURL;
} else if (entity instanceof Event) {
// global window events, or image events
var target = entity.currentTarget;
display = target;
} else {
// not sure if there are others
}
capture(entity);
console.log('[onanyerror]', display, entity);
}
/**
* Capture stuff for debugging purposes.
*
* Keep them in memory so you can reference them
* in the chrome debugger as `onanyerror0` up to `onanyerror99`.
*/
function capture(entity) {
captures.push(entity);
if (captures.length > 100) captures.unshift();
// keep the last ones around
var i = captures.length;
while (--i) {
var x = captures[i];
window['onanyerror' + i] = x;
}
}
/**
* Wait til next code execution cycle as fast as possible.
*/
function onnext(fn) {
setTimeout(fn, 0);
}
})();
Potrebbe essere usato in questo modo:
window.onanyerror = function(entity){
console.log('some error', entity);
};
Lo script completo ha un'implementazione predefinita che tenta di stampare una versione "display" semi-leggibile dell'entità / errore che riceve. Può essere utilizzato come ispirazione per un gestore di errori specifico dell'app. L'implementazione predefinita mantiene anche un riferimento alle ultime 100 entità di errore, quindi è possibile ispezionarle nella console Web dopo che si verificano come:
window.onanyerror0
window.onanyerror1
...
window.onanyerror99
Nota: funziona sostituendo i metodi su diversi browser / costruttori nativi. Ciò può avere effetti collaterali indesiderati. Tuttavia, è stato utile utilizzare durante lo sviluppo, per capire dove si verificano errori, per inviare registri a servizi come NewRelic o Sentry durante lo sviluppo in modo da poter misurare gli errori durante lo sviluppo e la gestione temporanea in modo da poter eseguire il debug di ciò che sta succedendo a un livello più profondo. Può quindi essere spento in produzione.
Spero che sia di aiuto.
Si dovrebbe preservare anche il callback onerror precedentemente associato
<script type="text/javascript">
(function() {
var errorCallback = window.onerror;
window.onerror = function () {
// handle error condition
errorCallback && errorCallback.apply(this, arguments);
};
})();
</script>
Se si desidera un modo unificato per gestire sia gli errori non rilevati sia i rifiuti non gestiti, è possibile dare un'occhiata alla libreria non rilevata .
MODIFICARE
<script type="text/javascript" src=".../uncaught/lib/index.js"></script>
<script type="text/javascript">
uncaught.start();
uncaught.addListener(function (error) {
console.log('Uncaught error or rejection: ', error.message);
});
</script>
Ascolta la finestra. rifiuto non gestito oltre a window.onerror.
Consiglierei di provare Trackjs .
È la registrazione degli errori come servizio.
È incredibilmente semplice da configurare. Basta aggiungere una riga <script> a ciascuna pagina e il gioco è fatto. Questo significa anche che sarà incredibilmente semplice da rimuovere se decidi che non ti piace.
Ci sono altri servizi come Sentry (che è open-source se puoi ospitare il tuo server), ma non fa quello che fa Trackjs. Trackjs registra l'interazione dell'utente tra il proprio browser e il proprio server Web in modo da poter effettivamente tracciare i passaggi dell'utente che hanno portato all'errore, al contrario di un semplice riferimento a file e numero di riga (e forse stack trace).
Ascolti l'evento onerror assegnando una funzione a window.onerror:
window.onerror = function (msg, url, lineNo, columnNo, error) {
var string = msg.toLowerCase();
var substring = "script error";
if (string.indexOf(substring) > -1){
alert('Script Error: See Browser Console for Detail');
} else {
alert(msg, url, lineNo, columnNo, error);
}
return false;
};