bugsnag

package module
v0.0.0-...-8aea3a0 Latest Latest
Warning

This package is not in the latest version of its module.

Go to latest
Published: Jul 17, 2014 License: MIT Imports: 12 Imported by: 0

README

Bugsnag Notifier for Golang

The Bugsnag Notifier for Golang gives you instant notification of panics, or unexpected errors, in your golang app. Any unhandled panics will trigger a notification to be sent to your Bugsnag project.

Bugsnag captures errors in real-time from your web, mobile and desktop applications, helping you to understand and resolve them as fast as possible. Create a free account to start capturing exceptions from your applications.

How to Install

  1. Download the code

    go get github.com/bugsnag/bugsnag-go
    
Using with net/http apps

For a golang app based on net/http, integrating Bugsnag takes two steps. You should also use these instructions if you're using the gorilla toolkit, or the pat muxer.

  1. Configure bugsnag at the start of your main() function:

    import "github.com/bugsnag/bugsnag-go"
    
    func main() {
        bugsnag.Configure(bugsnag.Configuration{
            APIKey: "YOUR_API_KEY_HERE",
            ReleaseStage: "production",
            // more configuration options
        })
    
        // rest of your program.
    }
    
  2. Wrap your server in a bugsnag.Handler

    // a. If you're using the builtin http mux, you can just pass
    //    bugsnag.Handler(nil) to http.ListenAndServer
    http.ListenAndServe(":8080", bugsnag.Handler(nil))
    
    // b. If you're creating a server manually yourself, you can set
    //    its handlers the same way
    srv := http.Server{
        Handler: bugsnag.Handler(nil)
    }
    
    // c. If you're not using the builtin http mux, wrap your own handler
    // (though make sure that it doesn't already catch panics)
    http.ListenAndServe(":8080", bugsnag.Handler(handler))
    
Using with Revel apps

There are two steps to get panic handling in revel apps.

  1. Add the bugsnagrevel.Filter immediately after the revel.PanicFilter in app/init.go:

    
    import "github.com/bugsnag/bugsnag-go/revel"
    
    revel.Filters = []revel.Filter{
        revel.PanicFilter,
        bugsnagrevel.Filter,
        // ...
    }
    
  2. Set bugsnag.apikey in the top section of conf/app.conf.

    module.static=github.com/revel/revel/modules/static
    
    bugsnag.apikey=YOUR_API_KEY_HERE
    
    [dev]
    
Using with Google App Engine
  1. Configure bugsnag at the start of your init() function:

    import "github.com/bugsnag/bugsnag-go"
    
    func init() {
        bugsnag.Configure(bugsnag.Configuration{
            APIKey: "YOUR_API_KEY_HERE",
        })
    
        // ...
    }
    
  2. Wrap every http.Handler or http.HandlerFunc with Bugsnag:

    // a. If you're using HandlerFuncs
    http.HandleFunc("/", bugsnag.HandlerFunc(
        func (w http.ResponseWriter, r *http.Request) {
            // ...
        }))
    
    // b. If you're using Handlers
    http.Handle("/", bugsnag.Handler(myHttpHandler))
    
  3. In order to use Bugsnag, you must provide the current appengine.Context, or current *http.Request as rawData. The easiest way to do this is to create a new notifier.

    c := appengine.NewContext(r)
    notifier := bugsnag.New(c)
    
    if err != nil {
        notifier.Notify(err)
    }
    
    go func () {
        defer notifier.Recover()
    
        // ...
    }()
    

Notifying Bugsnag manually

Bugsnag will automatically handle any panics that crash your program and notify you of them. If you've integrated with revel or net/http, then you'll also be notified of any panics() that happen while processing a request.

Sometimes however it's useful to manually notify Bugsnag of a problem. To do this, call bugsnag.Notify()

if err != nil {
    bugsnag.Notify(err)
}
Manual panic handling

To avoid a panic in a goroutine from crashing your entire app, you can use bugsnag.Recover() to stop a panic from unwinding the stack any further. When Recover() is hit, it will send any current panic to Bugsnag and then stop panicking. This is most useful at the start of a goroutine:

go func() {
    defer bugsnag.Recover()

    // ...
}()

Alternatively you can use bugsnag.AutoNotify() to notify bugsnag of a panic while letting the program continue to panic. This is useful if you're using a Framework that already has some handling of panics and you are retrofitting bugsnag support.

defer bugsnag.AutoNotify()

Sending Custom Data

Most functions in the Bugsnag API, including bugsnag.Notify(), bugsnag.Recover(), bugsnag.AutoNotify(), and bugsnag.Handler() let you attach data to the notifications that they send. To do this you pass in rawData, which can be any of the supported types listed here. To add support for more types of rawData see OnBeforeNotify.

Custom MetaData

Custom metaData appears as tabs on Bugsnag.com. You can set it by passing a bugsnag.MetaData object as rawData.

bugsnag.Notify(err,
    bugsnag.MetaData{
        "Account": {
            "Name": Account.Name,
            "Paying": Account.Plan.Premium,
        },
    })
Request data

Bugsnag can extract interesting data from *http.Request objects, and *revel.Controller objects. These are automatically passed in when handling panics, and you can pass them yourself.

func (w http.ResponseWriter, r *http.Request) {
    bugsnag.Notify(err, r)
}
User data

User data is searchable, and the Id powers the count of users affected. You can set which user an error affects by passing a bugsnag.User object as rawData.

bugsnag.Notify(err,
    bugsnag.User{Id: "1234", Name: "Conrad", Email: "[email protected]"})
Context

The context shows up prominently in the list view so that you can get an idea of where a problem occurred. You can set it by passing a bugsnag.Context object as rawData.

bugsnag.Notify(err, bugsnag.Context{"backgroundJob"})
Severity

Bugsnag supports three severities, SeverityError, SeverityWarning, and SeverityInfo. You can set the severity of an error by passing one of these objects as rawData.

bugsnag.Notify(err, bugsnag.SeverityInfo)

Configuration

You must call bugsnag.Configure() at the start of your program to use Bugsnag, you pass it a bugsnag.Configuration object containing any of the following values.

APIKey

The Bugsnag API key can be found on your Bugsnag dashboard under "Settings".

bugsnag.Configure(bugsnag.Configuration{
    APIKey: "YOUR_API_KEY_HERE",
})
Endpoint

The Bugsnag endpoint defaults to https://notify.bugsnag.com/. If you're using Bugsnag enterprise, you should set this to the endpoint of your local instance.

bugsnag.Configure(bugsnag.Configuration{
    Endpoint: "http://bugsnag.internal:49000/",
})
ReleaseStage

The ReleaseStage tracks where your app is deployed. You should set this to production, staging, development or similar as appropriate.

bugsnag.Configure(bugsnag.Configuration{
    ReleaseStage: "development",
})
NotifyReleaseStages

The list of ReleaseStages to notify in. By default Bugsnag will notify you in all release stages, but you can use this to silence development errors.

bugsnag.Configure(bugsnag.Configuration{
    NotifyReleaseStages: []string{"production", "staging"},
})
AppVersion

If you use a versioning scheme for deploys of your app, Bugsnag can use the AppVersion to only re-open errors if they occur in later version of the app.

bugsnag.Configure(bugsnag.Configuration{
    AppVersion: "1.2.3",
})
Hostname

The hostname is used to track where exceptions are coming from in the Bugsnag dashboard. The default value is obtained from os.Hostname() so you won't often need to change this.

bugsnag.Configure(bugsnag.Configuration{
    Hostname: "go1",
})
ProjectPackages

In order to determine where a crash happens Bugsnag needs to know which packages you consider to be part of your app (as opposed to a library). By default this is set to []string{"main*"}. Strings are matched to package names using filepath.Match.

bugsnag.Configure(bugsnag.Configuration{
    ProjectPackages: []string{"main", "github.com/domain/myapp/*"},
}
ParamsFilters

Sometimes sensitive data is accidentally included in Bugsnag MetaData. You can remove it by setting ParamsFilters. Any key in the MetaData that includes any string in the filters will be redacted. The default is []string{"password", "secret"}, which prevents fields like password, password_confirmation and secret_answer from being sent.

bugsnag.Configure(bugsnag.Configuration{
    ParamsFilters: []string{"password", "secret"},
}
Logger

The Logger to write to in case of an error inside Bugsnag. This defaults to the global logger.

bugsnag.Configure(bugsnag.Configuration{
    Logger: app.Logger,
}
PanicHandler

The first time Bugsnag is configured, it wraps the running program in a panic handler using panicwrap. To prevent this, set PanicHandler to func() {} the first time you call bugsnag.Configure. This will stop bugsnag from being able to notify you about unhandled panics.

bugsnag.Configure(bugsnag.Configuration{
    PanicHandler: func() {},
})
Synchronous

Bugsnag usually starts a new goroutine before sending notifications. This means that notifications can be lost if you do a bugsnag.Notify and then immediately os.Exit. To avoid this problem, set Bugsnag to Synchronous (or just panic() instead ;).

bugsnag.Configure(bugsnag.Configuration{
    Synchronous: true
})

Or just for one error:

bugsnag.Notify(err, bugsnag.Configuration{Synchronous: true})
Transport

The transport configures how Bugsnag makes http requests. By default we use http.DefaultTransport which handles HTTP proxies automatically using the $HTTP_PROXY environment variable.

bugsnag.Configure(bugsnag.Configuration{
    Transport: http.DefaultTransport,
})

Custom data with OnBeforeNotify

While it's nice that you can pass MetaData directly into bugsnag.Notify, bugsnag.AutoNotify, and bugsnag.Recover, this can be a bit cumbersome and inefficient — you're constructing the meta-data whether or not it will actually be used. A better idea is to pass raw data in to these functions, and add an OnBeforeNotify filter that converts them into MetaData.

For example, lets say our system processes jobs:

type Job struct{
    Retry     bool
    UserId    string
    UserEmail string
    Name      string
    Params    map[string]string
}

You can pass a job directly into Bugsnag.notify:

bugsnag.Notify(err, job)

And then add a filter to extract information from that job and attach it to the Bugsnag event:

bugsnag.OnBeforeNotify(
    func(event *bugsnag.Event, config *bugsnag.Configuration) error {

        // Search all the RawData for any *Job pointers that we're passed in
        // to bugsnag.Notify() and friends.
        for _, datum := range event.RawData {
            if job, ok := datum.(*Job); ok {
                // don't notify bugsnag about errors in retries
                if job.Retry {
                    return fmt.Errorf("not notifying about retried jobs")
                }

                // add the job as a tab on Bugsnag.com
                event.MetaData.AddStruct("Job", job)

                // set the user correctly
                event.User = &User{Id: job.UserId, Email: job.UserEmail}
            }
        }

        // continue notifying as normal
        return nil
    })

Advanced Usage

If you want to have multiple different configurations around in one program, you can use bugsnag.New() to create multiple independent instances of Bugsnag. You can use these without calling bugsnag.Configure(), but bear in mind that until you call bugsnag.Configure() unhandled panics will not be sent to bugsnag.

notifier := bugsnag.New(bugsnag.Configuration{
    APIKey: "YOUR_OTHER_API_KEY",
})

In fact any place that lets you pass in rawData also allows you to pass in configuration. For example to send http errors to one bugsnag project, you could do:

bugsnag.Handler(nil, bugsnag.Configuration{APIKey: "YOUR_OTHER_API_KEY"})
GroupingHash

If you need to override Bugsnag's grouping algorithm, you can set the GroupingHash in an OnBeforeNotify:

bugsnag.OnBeforeNotify(
    func (event *bugsnag.Event, config *bugsnag.Configuration) error {
        event.GroupingHash = calculateGroupingHash(event)
        return nil
    })

Documentation

Overview

Package bugsnag lets you monitor unhandled panics and expected errors in your golang code. For more information see https://github.com/bugsnag/bugsnag-go/

Index

Examples

Constants

View Source
const VERSION = "1.0"

The current version of the notifier

Variables

View Source
var (
	SeverityError   = severity{"error"}
	SeverityWarning = severity{"warning"}
	SeverityInfo    = severity{"info"}
)

Tags used to mark the severity of the error in the Bugsnag dashboard. You can pass these to Notify or to any other function accepting rawData.

Functions

func AutoNotify

func AutoNotify(rawData ...interface{})

defer AutoNotify notifies Bugsnag about any panic()s. It then re-panics() so that existing error handling continues to work. The rawData is used to add information to the notification, see Notify for more information.

Example
return func(w http.ResponseWriter, request *http.Request) {
	defer AutoNotify(request, Context{"createAccount"})

	createAccount(w, request)
}
Output:

func Configure

func Configure(config Configuration)

Configure Bugsnag. The most important setting is the APIKey. This must be called before any other function on Bugsnag, and should be called as early as possible in your program.

Example
Configure(Configuration{
	APIKey: "YOUR_API_KEY_HERE",

	ReleaseStage: "production",

	// See Configuration{} for other fields
})
Output:

func Handler

func Handler(h http.Handler, rawData ...interface{}) http.Handler

Handler wraps the HTTP handler in bugsnag.AutoNotify(). It includes details about the HTTP request in all error reports. If you don't pass a handler, the default http handlers will be used.

Example
// Set up your http handlers as usual
http.HandleFunc("/", handleGet)

// use bugsnag.Handler(nil) to wrap the default http handlers
// so that Bugsnag is automatically notified about panics.
http.ListenAndServe(":1234", Handler(nil))
Output:

Example (CustomHandlers)
// If you're using custom handlers, wrap the handlers explicitly.
handler := http.NewServeMux()
http.HandleFunc("/", handleGet)
// use bugsnag.Handler(handler) to wrap the handlers so that Bugsnag is
// automatically notified about panics
http.ListenAndServe(":1234", Handler(handler))
Output:

Example (CustomServer)
// If you're using a custom server, set the handlers explicitly.
http.HandleFunc("/", handleGet)

srv := http.Server{
	Addr:        ":1234",
	ReadTimeout: 10 * time.Second,
	// use bugsnag.Handler(nil) to wrap the default http handlers
	// so that Bugsnag is automatically notified about panics.
	Handler: Handler(nil),
}
srv.ListenAndServe()
Output:

func HandlerFunc

func HandlerFunc(h http.HandlerFunc, rawData ...interface{}) http.HandlerFunc

HandlerFunc wraps a HTTP handler in bugsnag.AutoNotify(). It includes details about the HTTP request in all error reports. If you've wrapped your server in an http.Handler, you don't also need to wrap each function.

func Notify

func Notify(err error, rawData ...interface{}) error

Notify sends an error to Bugsnag. The rawData can be anything supported by Bugsnag, e.g. User, Context, SeverityError, MetaData, Configuration, or anything supported by your custom middleware. Unsupported values will be silently ignored.

Example
_, err := net.Listen("tcp", ":80")

if err != nil {
	Notify(err)
}
Output:

func OnBeforeNotify

func OnBeforeNotify(callback func(event *Event, config *Configuration) error)

OnBeforeNotify adds a callback to be run before a notification is sent to Bugsnag. It can be used to modify the event or the config to be used. If you want to prevent the event from being sent to bugsnag, return an error that explains why the notification was cancelled.

Example
OnBeforeNotify(func(event *Event, config *Configuration) error {

	// Search all the RawData for any *Job pointers that we're passed in
	// to bugsnag.Notify() and friends.
	for _, datum := range event.RawData {
		if job, ok := datum.(*Job); ok {
			// don't notify bugsnag about errors in retries
			if job.Retry {
				return fmt.Errorf("bugsnag middleware: not notifying about job retry")
			}

			// add the job as a tab on Bugsnag.com
			event.MetaData.AddStruct("Job", job)

			// set the user correctly
			event.User = &User{Id: job.UserId, Email: job.UserEmail}
		}
	}

	// continue notifying as normal
	return nil
})
Output:

func Recover

func Recover(rawData ...interface{})

defer Recover notifies Bugsnag about any panic()s, and stops panicking so that your program doesn't crash. The rawData is used to add information to the notification, see Notify for more information.

Types

type Configuration

type Configuration struct {
	// The API key, e.g. "c9d60ae4c7e70c4b6c4ebd3e8056d2b8"
	APIKey string
	// The Bugsnag endpoint, default "https://notify.bugsnag.com/"
	Endpoint string

	// The current release stage
	ReleaseStage string
	// The currently running version of the app
	AppVersion string
	// The hostname of the current server
	Hostname string

	// Release stages to notify in, default nil implies all release stages.
	NotifyReleaseStages []string
	// packages to consider in-project, default: {"main*"}
	ProjectPackages []string
	// keys to filter out of meta-data, default: {"password", "secret"}
	ParamsFilters []string

	// A function to install a PanicHandler, defaults to panicwrap.
	PanicHandler func()

	// The logger to use, defaults to the global logger
	Logger *log.Logger
	// The http Transport to use, defaults to the default http Transport
	Transport http.RoundTripper
	// Whether bugsnag should notify synchronously, default: false
	Synchronous bool
}
var Config Configuration

The configuration for the default bugsnag notifier.

type Context

type Context struct {
	String string
}

Sets the context of the error in Bugsnag. You can pass this to Notify or any other function accepting rawData.

type Event

type Event struct {
	// The original error that caused this event, not sent to Bugsnag
	Error *errors.Error
	// The rawData affecting this error, not sent to Bugsnag
	RawData []interface{}

	// The error class to be sent to Bugsnag. This defaults to the type name of the Error
	ErrorClass string
	// The error message to be sent to Bugsnag. This defaults to the return value of Error.Error()
	Message string
	// The stacktrrace of the error to be sent to Bugsnag.
	Stacktrace []stackFrame

	// The context to be sent to Bugsnag. This should be set to the part of the app that was running,
	// e.g. for http requests, set it to the path.
	Context string
	// The severity of the error. Can be SeverityError, SeverityWarning or SeverityInfo
	Severity severity
	// The grouping hash is used to override Bugsnag's grouping. Set this if you'd like all errors with
	// the same grouping hash to group together in the dashboard.
	GroupingHash string

	// The searchable user data to send to Bugsnag.
	User *User
	// Other meta-data to send to Bugsnag. Appears as a set of tabbed tables in the dashboard.
	MetaData MetaData
}

An event to send to Bugsnag. This is passed through the middleware stack.

type MetaData

type MetaData map[string]map[string]interface{}

MetaData is added to the Bugsnag dashboard in tabs. Each tab is a map of strings -> values. You can pass MetaData to Notify and any other function that accepts RawData

Example
notifier.Notify(errors.Errorf("hi world"),
	MetaData{"Account": {
		"id":      account.Id,
		"name":    account.Name,
		"paying?": account.Plan.Premium,
	}})
Output:

func (MetaData) Add

func (meta MetaData) Add(tab string, key string, value interface{})

Add a key-value pair to a tab of Bugsnag meta-data.

func (MetaData) AddStruct

func (meta MetaData) AddStruct(tab string, obj interface{})

Add a struct as a tab of Bugsnag meta-data.

func (MetaData) Update

func (meta MetaData) Update(other MetaData)

Update the meta-data with more information.

type Notifier

type Notifier struct {
	Config  *Configuration
	RawData []interface{}
}

func New

func New(rawData ...interface{}) *Notifier

Creates a new notifier. You can pass an instance of bugsnag.Configuration in rawData to change the configuration. Other values of rawData will be passed to Notify.

func (*Notifier) AutoNotify

func (notifier *Notifier) AutoNotify(rawData ...interface{})

defer AutoNotify() sends any panics that happen to Bugsnag, along with any rawData you set here. After the notification is sent, panic() is called again with the same error so that the panic() bubbles out.

func (*Notifier) Notify

func (notifier *Notifier) Notify(err error, rawData ...interface{}) (e error)

Notify sends an error to Bugsnag. Any rawData you pass here will be sent to Bugsnag after being converted to JSON. e.g. bugsnag.SeverityError, bugsnag.Context, or bugsnag.MetaData.

func (*Notifier) Recover

func (notifier *Notifier) Recover(rawData ...interface{})

defer AutoNotify() sends any panics that happen to Bugsnag, along with any rawData you set here. After the notification is sent, the panic() is considered to have been recovered() and execution proceeds as normal.

type User

type User struct {
	Id    string `json:"id,omitempty"`
	Name  string `json:"name,omitempty"`
	Email string `json:"email,omitempty"`
}

Sets the searchable user-data on Bugsnag. The Id is also used to determine the number of users affected by a bug. You can pass this to Notify or any other function accepting rawData.

Directories

Path Synopsis
The bugsnag errors package provides errors that have stack-traces.
The bugsnag errors package provides errors that have stack-traces.
bugsnagrevel adds Bugsnag to revel.
bugsnagrevel adds Bugsnag to revel.

Jump to

Keyboard shortcuts

? : This menu
/ : Search site
f or F : Jump to
y or Y : Canonical URL
JackTT - Gopher 🇻🇳