Usage

By default, Raven makes a few efforts to try its best to capture meaningful stack traces, but browsers make it pretty difficult.

The easiest solution is to prevent an error from bubbling all of the way up the stack to window.

There are different methods to report errors and this all depends a little bit on circumstances.

The simplest way, is to try and explicitly capture and report potentially problematic code with a try...catch block and Raven.captureException.

Copied
try {
  doSomething(a[0]);
} catch (e) {
  Raven.captureException(e);
}

Do not throw strings! Always throw an actual Error object. For example:

Copied
throw new Error("broken"); // good
throw "broken"; // bad

It’s impossible to retrieve a stack trace from a string. If this happens, Raven transmits the error as a plain message.

Raven.context allows you to wrap any function to be immediately executed. Behind the scenes, Raven is just wrapping your code in a try...catch block to record the exception before re-throwing it.

Copied
Raven.context(function () {
  doSomething(a[0]);
});

Raven.wrap wraps a function in a similar way to Raven.context, but instead of executing the function, it returns another function. This is especially useful when passing around a callback.

Copied
var doIt = function () {
  // doing cool stuff
};

setTimeout(Raven.wrap(doIt), 1000);

While a user is logged in, you can tell Sentry to associate errors with user data.

Copied
Raven.setUserContext({
  email: "matt@example.com",
  id: "123",
});

If at any point, the user becomes unauthenticated, you can call Raven.setUserContext() with no arguments to remove their data. This would only really be useful in a large web app where the user logs in/out without a page reload.

This data is generally submitted with each error or message and allows you to figure out which users are affected by problems.

Copied
Raven.captureMessage("Broken!");

The captureMessage, captureException, context, and wrap functions all allow passing additional data to be tagged onto the error.

level

The log level associated with this event. Default: error

Copied
Raven.captureMessage("Something happened", {
  level: "info", // one of 'info', 'warning', or 'error'
});

logger

The name of the logger used to record this event. Default: javascript

Copied
Raven.captureException(new Error("Oops!"), {
  logger: "my.module",
});

Note that logger can also be set globally via Raven.config.

tags

Tags to assign to the event.

Copied
Raven.wrap(
  {
    tags: { git_commit: "c0deb10c4" },
  },
  function () {
    /* ... */
  }
);

// NOTE: Raven.wrap and Raven.context accept options as first argument

You can also set tags globally to be merged in with future exceptions events via Raven.config, or Raven.setTagsContext:

Copied
Raven.setTagsContext({ key: "value" });

Tags given in setTagsContext are merged with the existing tags. If you need to remove a tag, use getContext to get the current context value, call setTagsContext with no parameters to remove all tags context data, and then call setTagsContext again with the tags that you want to keep.

Copied
const context = Raven.getContext(); // Note: Do not mutate context directly.
const tags = { ...context.tags };
delete tags["TagNameToDelete"];
Raven.setTagsContext(); // Clear all current tags from the context.
Raven.setTagsContext(tags); // Add back the tags you want to keep.

Be aware of maximum payload size - There are times, when you may want to send the whole application state as extra data. This can be quite a large object, which can easily exceed the maximum payload size of a single event you can send to Sentry. When this happens, you'll get an HTTP Error 413 Payload Too Large message as the server response or (when keepalive: true is set as fetch parameter), the request will stay in the pending state forever (eg. in Chrome).

extra

Arbitrary data to associate with the event.

Copied
Raven.context(
  {
    extra: { planet: { name: "Earth" } },
  },
  function () {
    /* ... */
  }
);

// NOTE: Raven.wrap and Raven.context accept options as first argument

You can also set extra data globally to be merged in with future events with setExtraContext:

Copied
Raven.setExtraContext({ foo: "bar" });

Data given in setExtraContext is merged with the existing extra data. If you need to remove a field from the extra context data, use getContext to get the current context value, call setExtraContext with no parameters to remove all extra context data, and then call setExtraContext again with the extra data content that you want to keep.

Copied
const context = Raven.getContext(); // Note: Do not mutate context directly.
const extra = { ...context.extra };
delete extra["FieldKeyToDelete"];
Raven.setExtraContext(); // Clear all extra data from the context.
Raven.setExtraContext(extra); // Add back the extra data that you want to keep.

Breadcrumbs are browser and application lifecycle events that are helpful in understanding the state of the application leading up to a crash.

By default, Raven.js instruments browser built-ins and DOM events to automatically collect a few useful breadcrumbs for you:

  • XMLHttpRequests
  • URL / address bar changes
  • UI clicks and keypress DOM events
  • console log statements
  • previous errors

You can also record your own breadcrumbs:

Copied
Raven.captureBreadcrumb({
  message: "Item added to shopping cart",
  category: "action",
  data: {
    isbn: "978-1617290541",
    cartSize: "3",
  },
});

To learn more about what types of data can be collected via breadcrumbs, see the breadcrumbs client API specification.

Note that you can also disable automatic breadcrumb collection entirely or disable specific collectors:

Copied
Raven.config("https://examplePublicKey@o0.ingest.sentry.io/0", {
  autoBreadcrumbs: {
    xhr: false,
  },
});

For more on configuring breadcrumbs, see Configuration.

An event id is a globally unique id for the event that was just sent. This event id can be used to find the exact event from within Sentry.

This is often used to display for the user and report an error to customer service.

Copied
Raven.lastEventId();

Raven.lastEventId() will be undefined until an event is sent. After an event is sent, it will contain the string id.

Copied
Raven.captureMessage("Broken!");
alert(Raven.lastEventId());

Often you might find yourself wanting to collect additional feedback from the user. Sentry supports this via an embeddable widget.

Copied
try {
    handleRouteChange(...)
} catch (err) {
    Raven.captureException(err);
    Raven.showReportDialog();
}

For more details on this feature, see the User Feedback guide.

If you need to conditionally check if raven needs to be initialized or not, you can use the isSetup function. It will return true if Raven is already initialized:

Copied
Raven.isSetup();

Raven and Sentry support Source Maps.

For more information, please read the Source Map docs. Also, check out our Gruntfile for a good example of what we’re doing.

You can use Source Map Validator to help verify that things are correct.

If you’re hosting your scripts on another domain and things don’t get caught by Raven, it’s likely that the error will bubble up to window.onerror. If this happens, the error will report some ugly Script error and Raven will drop it on the floor since this is a useless error for everybody.

To help mitigate this, we can tell the browser that these scripts are safe and we’re allowing them to expose their errors to us.

In your <script> tag, specify the crossorigin attribute:

Copied
<script src="//cdn.example.com/script.js" crossorigin="anonymous"></script>

And set an Access-Control-Allow-Origin HTTP header on that file.

Copied
Access-Control-Allow-Origin: *

By default, Raven.js capture unhandled promise rejections as described in official ECMAScript 6 standard.

Most Promise libraries however, have a global hook for capturing unhandled errors. You may want to disable default behavior by setting captureUnhandledRejections option to false and manually hook into such event handler and call Raven.captureException or Raven.captureMessage directly.

For example, the RSVP.js library (used by Ember.js) allows you to bind an event handler to a global error event:

Copied
RSVP.on("error", function (reason) {
  Raven.captureException(reason);
});

Bluebird and other promise libraries report unhandled rejections to a global DOM event, unhandledrejection. In this case, you don’t need to do anything, we’ve already got you covered by with default captureUnhandledRejections: true setting.

Please consult your promise library documentation on how to hook into its global unhandled rejection handler, if it exposes one.

In some cases you may see issues where Sentry groups multiple events together when they should be separate entities. In other cases, Sentry simply doesn’t group events together because they’re so sporadic that they never look the same.

Both of these problems can be addressed by specifying the fingerprint attribute.

For example, if you have HTTP 404 (page not found) errors, and you’d prefer they deduplicate by taking into account the URL:

Copied
Raven.captureException(ex, {
  fingerprint: ["{{ default }}", "http://my-url/"],
});

For more information, see Customize Grouping with Fingerprints.

By default, the Sentry server accepts errors from any host. This can lead to an abuse scenario where a malicious party triggers JavaScript errors from a different website that are accepted by your Sentry Project. To prevent this, it is recommended to limit the list of known hosts where your JavaScript code is operating.

This setting can be found under the Project Settings page in Sentry. You’ll need to add each domain that you plan to report from into the Allowed Domains box. When an error is collected by Raven.js and transmitted to Sentry, Sentry will verify the Origin and/or Referer headers of the HTTP request to verify that it matches one of your allowed hosts.

Help improve this content
Our documentation is open source and available on GitHub. Your contributions are welcome, whether fixing a typo (drat!) or suggesting an update ("yeah, this would be better").