The Bugsnag client object has many configuration options that can be set to customize the content of events and sessions and how they are sent.
Configuration options can be set by creating a configuration object and passing it into Bugsnag.start:
Bugsnag.start({
apiKey: 'YOUR_API_KEY',
appVersion: '1.0.0-alpha'
})
All options set in the main process affect the behavior of the BugSnag library in renderer processes, however only a subset of options are available to be customized in renderer processes directly, with limitations indicated on each option below.
apiKeyThe API key used for events sent to your BugSnag dashboard.
Bugsnag.start('API_KEY')
Bugsnag.start({ apiKey: 'API_KEY' })
You can find your API key in your project’s settings (shortcut: gs) in the dashboard.
appTypeIf your app’s codebase contains different entry-points/processes, but reports to a single BugSnag project, you might want to add information denoting the type of process the error came from.
This information can be used in the dashboard to filter errors and to determine whether an error is limited to a subset of appTypes.
On Electron, appType defaults to the OS the app is running on and will be either Linux, macOS or Windows.
Bugsnag.start({ appType: 'prefs_window' })
appVersionThe version of the application. This is really useful for finding out when errors are introduced and fixed. Additionally closed errors are re-opened if a later version of the app has a regression.
Bugsnag.start({ appVersion: '4.10.0' })
By default, appVersion is set to the bundle version (CFBundleShortVersionString on macOS, ProductVersion on Windows) or app.getVersion().
autoDetectErrorsBy default, we will automatically report any uncaught errors that we capture. Use this flag to disable all automatic detection.
Bugsnag.start({ autoDetectErrors: false })
Setting autoDetectErrors to false will disable all automatic errors, regardless of the error types enabled by enabledErrorTypes.
autoTrackSessionsBy default, session information from your application will be automatically captured. Use this flag to disable all automatic reporting.
Bugsnag.start({ autoTrackSessions: false })
BugSnag will automatically report a session each time the app is launched or returns to the foreground after 60 or more seconds in the background.
codeBundleIdA user-defined unique identifier for a JavaScript code deployment. There can be multiple deployments for a given appVersion.
If you ship updates to your renderer JavaScript without releasing a new version of your app, use this configuration option to identify the bundle to BugSnag for matching source maps.
Bugsnag.start({ codeBundleId: "1.0-15" })
contextThe “context” is a string that indicates what the user was doing when an error occurs and is given high visual prominence in the dashboard. Set an initial context that you want to send with events – see Setting context for more information.
Bugsnag.start({ context: 'ctx-id-1234' })
enabledBreadcrumbTypesBy default BugSnag will automatically add breadcrumbs for common application events whilst your application is running. Set this option to configure which of these are enabled and sent to BugSnag.
Bugsnag.start({
enabledBreadcrumbTypes: ['error', 'log', 'request', 'state', 'user'],
})
Automatically captured breadcrumbs can be disabled by providing an empty array in enabledBreadcrumbTypes.
Bugsnag.start({ enabledBreadcrumbTypes: [] })
The following automatic breadcrumb types can be enabled:
error breadcrumbs are left when an error event is sent to the BugSnag API.
log breadcrumbs are left when messages are written to the console.
Wrapping console methods to leave breadcrumbs has the side effect of messing with line numbers in log messages. Therefore when releaseStage='development' console breadcrumbs are disabled.
request breadcrumbs are left for network requests initiated via the Electron net module. Metadata includes HTTP method, request URL and status code (if available).
state breadcrumbs are left when:
ready or will quituser breadcrumbs are left when the user clicks/touches the page.
enabledErrorTypesThe BugSnag SDK will automatically detect different types of error in your application. Set this option if you wish to control exactly which types are enabled.
Bugsnag.start({
enabledErrorTypes: {
unhandledExceptions: true,
unhandledRejections: false,
nativeCrashes: true,
}
})
Setting autoDetectErrors to false will disable all automatic errors, regardless of the error types enabled by enabledErrorTypes.
enabledReleaseStagesBy default, events that happen in any releaseStage will be sent. Set this option if you would like to change which release stages notify BugSnag.
Bugsnag.start({ enabledReleaseStages: [ 'production', 'staging' ] })
endpointsBy default we will send error events to the address of our hosted notify and sessions endpoints.
If you are using BugSnag On-premise you’ll need to set these to your Event Server, Session Server, and Minidump Server, respectively. If the notify and sessions endpoints are set but the minidumps endpoint is not, native crash reporting will be disabled automatically to avoid leaking information outside of your server configuration, and a warning will be logged.
Bugsnag.start({
endpoints: {
notify: 'https://notify.example.com',
sessions: 'https://sessions.example.com',
minidumps: 'https://notify.example.com',
}
})
featureFlagsDeclare feature flag and experiment usage.
Bugsnag.start({
featureFlags: [
{ name: 'Checkout button color', variant: 'Blue' },
{ name: 'Special offer', variant: 'Free Coffee' },
{ name: 'New checkout flow' },
]
})
See the Feature flags & experiments guide for more information.
launchDurationMillisThe amount of time (in milliseconds) after starting BugSnag that should be considered part of the app’s launch.
By default this value is 5000 milliseconds.
Bugsnag.start({
launchDurationMillis: 0
})
// Once your app has finished launching
Bugsnag.markLaunchCompleted()
Events that occur during app launch will have their app.isLaunching property set to true.
Setting this to 0 will cause BugSnag to consider the app to be launching until Bugsnag.markLaunchCompleted() has been called.
See identifying crashes at launch guide for more info.
loggerBy default, log messages from the BugSnag JavaScript library are prefixed with [bugsnag] and the process type and output to the console. You can supply your own logger instead, or switch off logging completely by setting logger: null.
If you supply a logger, it must have the following methods: debug, info, warn and error.
// switch off logging
Bugsnag.start({ logger: null })
// supply a custom logger
var myCustomLogger = {
debug: function () {},
info: function () {},
warn: function () {},
error: function () {}
}
Bugsnag.start({ logger: myCustomLogger })
maxBreadcrumbsSets the maximum number of breadcrumbs which will be stored. Once the threshold is reached, the oldest breadcrumbs will be deleted.
By default, 25 breadcrumbs are stored; this can be amended up to a maximum of 100.
Bugsnag.start({ maxBreadcrumbs: 40 })
metadataSet diagnostic metadata that you want to send with all captured events – see Customizing error reports for more information.
Bugsnag.start({
metadata: {
company: {
name: 'Acme Co.',
country: 'uk'
}
}
})
The top-level keys of the supplied map are section names that are displayed as tabs in the BugSnag dashboard.
onBreadcrumbAdd callbacks to modify or discard breadcrumbs before they are recorded — see Customizing breadcrumbs for more information.
Bugsnag.start({
onBreadcrumb: function (breadcrumb) {
if (breadcrumb.type === 'request') {
if (breadcrumb.metadata.request === '/home') return false
breadcrumb.metadata.request = stripQueryString(breadcrumb.metadata.request)
}
}
})
Callbacks configured in renderer processes only run for breadcrumbs added in that process.
If log breadcrumbs are enabled, do not log within an onBreadcrumb callback to avoid an infinite loop.
onErrorAdd callbacks to modify or discard error events before they are sent — see Customizing error reports for more information.
Bugsnag.start({
onError: function (event) {
// Adjust event here
}
})
Callbacks configured in renderer processes only run for errors captured in that process.
onSessionAdd callbacks to modify or discard sessions before they are sent — see Capturing sessions for more information.
Bugsnag.start({
onSession: function (session) {
var userId = getMyUserIdentifier() // a custom user resolver
session.setUser(userId)
}
})
onSendErrorAdd callbacks to modify or discard error events immediately prior to delivering events to BugSnag. This callback may not be invoked during the same app launch cycle as when the error occurred, since delivery can be delayed by network connectivity conditions or whether the event was caused by a crash (which are always sent in a subsequent app launch).
Bugsnag.start({
onSendError: function (event) {
// Adjust event here
}
})
onUncaughtExceptionBy default, when an unhandled exception occurs, BugSnag will send an error report, then print the error to the console.
If you want to do something else – for example, displaying an error dialog – you can use this option to supply your own behavior.
Bugsnag.start({
onUncaughtException: function (err, event) {
// err = the original error
// event = the BugSnag event object that got sent
}
})
onUnhandledRejectionBy default, when an unhandled rejection occurs, BugSnag will send an error report, then print the error to the console. The process remains alive, as per Node’s current default behavior.
If you want to do something else, you can use this option to supply your own behavior.
Bugsnag.start({
onUnhandledRejection: function (err, event) {
// err = the original error
// event = the BugSnag event object that got sent
}
})
Node prints a warning saying that in future, unhandled promise rejections will cause the process to terminate. For this reason, it’s advisable to shut down the process when you get an unhandled rejection before this becomes the default.
projectRootBy default, this is the application path as derived by app.getAppPath(). Stack frame paths will be relative from this path.
const { join } = require('path')
Bugsnag.start({ projectRoot: join(__dirname, '..') })
pluginsProvide plugins for the client to use, along with any necessary arguments.
For example:
var Vue = require('vue')
var Bugsnag = require('@bugsnag/electron/main')
var BugsnagPluginVue = require('@bugsnag/plugin-vue')
Bugsnag.start({
plugins: [ new BugsnagPluginVue(Vue) ]
})
redactedKeysSets which values should be removed from any metadata before an event is sent. Use this if you want to ensure you don’t transmit sensitive data such as passwords and credit card numbers.
Any property whose key matches a redacted key will be filtered and replaced with [REDACTED]. By default, any key that contains “password” will be redacted. Be aware that if you set this configuration option, it will replace the default, so you may want to replace “password” in your own set if you want to filter that.
The array can include both strings and regexes.
Bugsnag.start({
redactedKeys: [
'access_token', // exact match: "access_token"
/^password$/i, // case-insensitive: "password", "PASSWORD", "PaSsWoRd"
/^cc_/ // prefix match: "cc_number" "cc_cvv" "cc_expiry"
]
})
releaseStageAllows you to distinguish between errors that happen in different stages of the application release process (development, production, etc).
Bugsnag.start({ releaseStage: 'staging' })
By default, if app.isPackaged() is true, then releaseStage is set to production, otherwise it is set to development.
reportUnhandledPromiseRejectionsAsHandledBy default, all unhandled promise rejections are reported as an unhandled event. Set this option to true if you want to report them as handled events instead.
Each unhandled event lowers your application’s stability score, so use this option if you don’t want unhandled promises to count towards the score.
Bugsnag.start({ reportUnhandledPromiseRejectionsAsHandled: true })
sendCodeBy default, BugSnag will load the surrounding code for each stackframe, if the location can be found on disk. You can switch off this behavior using this option.
Bugsnag.start({ sendCode: false })
userSet global user data that you want to send with all captured events – see Adding user data for more information.
Bugsnag.start({
user: {
id: '3',
name: 'Bugs Nag',
email: 'bugs.nag@bugsnag.com'
}
})