- Installation
- Config and Application
- Logging
- Transactions
- Segments
- Attributes
- Tracing
- Distributed Tracing
- Custom Metrics
- Custom Events
- Request Queuing
- Error Reporting
- Naming Transactions and Metrics
- Browser
- For More Help
Installing the Go Agent is the same as installing any other Go library. The simplest way is to run:
go get github.com/newrelic/go-agent
Then import the github.com/newrelic/go-agent
package in your application.
In your main
function or in an init
block:
config := newrelic.NewConfig("Your Application Name", "__YOUR_NEW_RELIC_LICENSE_KEY__")
app, err := newrelic.NewApplication(config)
Find your application in the New Relic UI. Click on it to see the Go runtime page that shows information about goroutine counts, garbage collection, memory, and CPU usage.
If you are working in a development environment or running unit tests, you may
not want the Go Agent to spawn goroutines or report to New Relic. You're in
luck! Set the config's Enabled
field to false. This makes the license key
optional.
config := newrelic.NewConfig("Your Application Name", "")
config.Enabled = false
app, err := newrelic.NewApplication(config)
The agent's logging system is designed to be easily extensible. By default, no
logging will occur. To enable logging, assign the Config.Logger
field to
something implementing the
Logger interface. Two
Logger implementations
are included:
NewLogger, which
logs at info level, and
NewDebugLogger
which logs at debug level.
To log at debug level to standard out, set:
cfg.Logger = newrelic.NewDebugLogger(os.Stdout)
To log at info level to a file, set:
w, err := os.OpenFile("my_log_file", os.O_CREATE|os.O_APPEND|os.O_WRONLY, 0644)
if nil == err {
cfg.Logger = newrelic.NewLogger(w)
}
Popular logging libraries logrus
and logxi
are supported by integration packages:
Transactions time requests and background tasks. Each transaction should only be used in a single goroutine. Start a new transaction when you spawn a new goroutine.
The simplest way to create transactions is to use
Application.StartTransaction
and Transaction.End
.
txn := app.StartTransaction("transactionName", responseWriter, request)
defer txn.End()
If the response writer is provided when calling StartTransaction
, you can
then use txn.WriteHeader
as a drop in replacement for the standard library's
http.ResponseWriter.WriteHeader
function. We strongly recommend doing so, as this both enables cross-application
tracing support and ensures that attributes are added to the
Transaction event capturing the response size and status code.
The response writer and request parameters are optional. Leave them nil
to
instrument a background task.
txn := app.StartTransaction("backgroundTask", nil, nil)
defer txn.End()
The transaction has helpful methods like NoticeError
and SetName
.
See more in transaction.go.
If you are using http.ServeMux
,
use WrapHandle
and WrapHandleFunc
. These wrappers automatically start and
end transactions with the request and response writer. See
instrumentation.go.
http.HandleFunc(newrelic.WrapHandleFunc(app, "/users", usersHandler))
To access the transaction in your handler, use type assertion on the response writer passed to the handler.
func myHandler(w http.ResponseWriter, r *http.Request) {
if txn, ok := w.(newrelic.Transaction); ok {
txn.NoticeError(errors.New("my error message"))
}
}
Find out where the time in your transactions is being spent! Each transaction should only track segments in a single goroutine.
Segment
is used to instrument functions, methods, and blocks of code. A
segment begins when its StartTime
field is populated, and finishes when its
End
method is called.
segment := newrelic.Segment{}
segment.Name = "mySegmentName"
segment.StartTime = newrelic.StartSegmentNow(txn)
// ... code you want to time here ...
segment.End()
StartSegment
is a convenient helper. It creates a segment and starts it:
segment := newrelic.StartSegment(txn, "mySegmentName")
// ... code you want to time here ...
segment.End()
Timing a function is easy using StartSegment
and defer
. Just add the
following line to the beginning of that function:
defer newrelic.StartSegment(txn, "mySegmentName").End()
Segments may be nested. The segment being ended must be the most recently started segment.
s1 := newrelic.StartSegment(txn, "outerSegment")
s2 := newrelic.StartSegment(txn, "innerSegment")
// s2 must be ended before s1
s2.End()
s1.End()
A zero value segment may safely be ended. Therefore, the following code is safe even if the conditional fails:
var s newrelic.Segment
if txn, ok := w.(newrelic.Transaction); ok {
s.StartTime = newrelic.StartSegmentNow(txn),
}
// ... code you wish to time here ...
s.End()
Datastore segments appear in the transaction "Breakdown table" and in the "Databases" page.
Datastore segments are instrumented using
DatastoreSegment.
Just like basic segments, datastore segments begin when the StartTime
field
is populated and finish when the End
method is called. Here is an example:
s := newrelic.DatastoreSegment{
// Product is the datastore type. See the constants in
// https://github.com/newrelic/go-agent/blob/master/datastore.go. Product
// is one of the fields primarily responsible for the grouping of Datastore
// metrics.
Product: newrelic.DatastoreMySQL,
// Collection is the table or group being operated upon in the datastore,
// e.g. "users_table". This becomes the db.collection attribute on Span
// events and Transaction Trace segments. Collection is one of the fields
// primarily responsible for the grouping of Datastore metrics.
Collection: "users_table",
// Operation is the relevant action, e.g. "SELECT" or "GET". Operation is
// one of the fields primarily responsible for the grouping of Datastore
// metrics.
Operation: "SELECT",
}
s.StartTime = newrelic.StartSegmentNow(txn)
// ... make the datastore call
s.End()
This may be combined into a single line when instrumenting a datastore call that spans an entire function call:
s := newrelic.DatastoreSegment{
StartTime: newrelic.StartSegmentNow(txn),
Product: newrelic.DatastoreMySQL,
Collection: "my_table",
Operation: "SELECT",
}
defer s.End()
If you are using the standard library's database/sql package with MySQL, PostgreSQL, or SQLite then you can avoid creating DatastoreSegments by hand by using an integration package:
External segments appear in the transaction "Breakdown table" and in the "External services" page. Version 1.11.0 of the Go Agent adds support for cross-application tracing (CAT), which will result in external segments also appearing in the "Service maps" page and being linked in transaction traces when both sides of the request have traces. Version 2.1.0 of the Go Agent adds support for distributed tracing, which lets you see the path a request takes as it travels through distributed APM apps.
- More info on External Services page
- More info on Cross-Application Tracing
- More info on Distributed Tracing
External segments are instrumented using ExternalSegment
. There are three
ways to use this functionality:
-
Using
StartExternalSegment
to create anExternalSegment
before the request is sent, and then callingExternalSegment.End
when the external request is complete.For CAT support to operate, an
http.Request
must be provided toStartExternalSegment
, and theExternalSegment.Response
field must be set beforeExternalSegment.End
is called or deferred.For example:
func external(txn newrelic.Transaction, req *http.Request) (*http.Response, error) { s := newrelic.StartExternalSegment(txn, req) response, err := http.DefaultClient.Do(req) s.Response = response s.End() return response, err }
If the transaction is
nil
thenStartExternalSegment
will look for a transaction in the request's context using FromContext. -
Using
NewRoundTripper
to get ahttp.RoundTripper
that will automatically instrument all requests made viahttp.Client
instances that use that round tripper as theirTransport
. This option results in CAT support, provided the Go Agent is version 1.11.0, and in distributed tracing support, provided the Go Agent is version 2.1.0.NewRoundTripper
can be called with anil
or non-nil
transaction: If the transaction isnil
, the round tripper will look for a transaction in the request's context using FromContext. This pattern is strongly recommended, since it allows the round tripper to be used in a client shared between multiple transactions.For example:
client := &http.Client{} client.Transport = newrelic.NewRoundTripper(nil, client.Transport) request, _ := http.NewRequest("GET", "http://example.com", nil) request = newrelic.RequestWithTransactionContext(request, txn) resp, err := client.Do(request)
If transaction is non-
nil
, the round tripper returned must only be used in the same goroutine as the transaction. -
Directly creating an
ExternalSegment
via a struct literal with an explicitURL
orRequest
, and then callingExternalSegment.End
. This option does not support CAT, and may be removed or changed in a future major version of the Go Agent. As a result, we suggest using one of the other options above wherever possible.For example:
func external(txn newrelic.Transaction, url string) (*http.Response, error) { es := newrelic.ExternalSegment{ StartTime: newrelic.StartSegmentNow(txn), URL: url, } defer es.End() return http.Get(url) }
Message producer segments appear in the transaction "Breakdown table".
Message producer segments are instrumented using
MessageProducerSegment.
Just like basic segments, messsage producer segments begin when the StartTime
field is populated and finish when the End
method is called. Here is an
example:
s := newrelic.MessageProducerSegment{
// Library is the name of the library instrumented.
Library: "RabbitMQ",
// DestinationType is the destination type.
DestinationType: newrelic.MessageExchange,
// DestinationName is the name of your queue or topic.
DestinationName: "myExchange",
// DestinationTemporary must be set to true if destination is temporary
// to improve metric grouping.
DestinationTemporary: false,
}
s.StartTime = newrelic.StartSegmentNow(txn)
// ... add message to queue here
s.End()
This may be combined into a single line when instrumenting a message producer call that spans an entire function call:
s := newrelic.MessageProducerSegment{
StartTime: newrelic.StartSegmentNow(txn),
Library: "RabbitMQ",
DestinationType: newrelic.MessageExchange,
DestinationName: "myExchange",
DestinationTemporary: false,
}
defer s.End()
Attributes add context to errors and allow you to filter performance data in Insights.
You may add them using the Transaction.AddAttribute
method.
txn.AddAttribute("key", "value")
txn.AddAttribute("product", "widget")
txn.AddAttribute("price", 19.99)
txn.AddAttribute("importantCustomer", true)
Some attributes are recorded automatically. These are called agent attributes. They are listed here:
To disable one of these agents attributes, AttributeResponseCode
for
example, modify the config like this:
config.Attributes.Exclude = append(config.Attributes.Exclude, newrelic.AttributeResponseCode)
New Relic's distributed
tracing
is the next generation of the previous cross-application tracing feature. Compared to
cross-application tracing, distributed tracing gives more detail about cross-service activity and provides more
complete end-to-end visibility. This section discusses distributed tracing and cross-application tracing in turn.
New Relic's distributed tracing feature lets you see the path that a request takes as it travels through distributed APM apps, which is vital for applications implementing a service-oriented or microservices architecture. Support for distributed tracing was added in version 2.1.0 of the Go Agent.
The config's DistributedTracer.Enabled
field has to be set. When true, the
agent will add distributed tracing headers in outbound requests, and scan
incoming requests for distributed tracing headers. Distributed tracing will
override cross-application tracing.
config.DistributedTracer.Enabled = true
New Relic's cross-application tracing feature, or CAT for short, links transactions between applications in APM to help identify performance problems within your service-oriented architecture. Support for CAT was added in version 1.11.0 of the Go Agent.
As CAT uses HTTP headers to track requests across applications, the Go Agent needs to be able to access and modify request and response headers both for incoming and outgoing requests.
Both distributed tracing and cross-application tracing work by propagating header information from service to service in a request path. In many scenarios, the Go Agent offers tracing instrumentation out-of-the-box, for both distributed tracing and cross-application tracing. For other scenarios customers may implement distributed tracing based on the examples provided in this guide.
The Go Agent automatically creates and propagates tracing header information for each of the following scenarios:
-
Using
WrapHandle
orWrapHandleFunc
to instrument a server that useshttp.ServeMux
(Example). -
Using either of the Go Agent's Gin or Gorilla integration (Gin Example, Gorilla Example). .
-
Using another framework or
http.Server
while ensuring that:- All calls to
StartTransaction
include the response writer and request, and Transaction.WriteHeader
is used instead of callingWriteHeader
directly on the response writer, as described in the transactions section of this guide (Example).
- All calls to
-
Using
NewRoundTripper
, as described in the external segments section of this guide (Example). -
Using the call
StartExternalSegment
and providing anhttp.Request
, as described in the external segments section of this guide (Example).
Consider manual instrumentation for services not instrumented automatically by the Go Agent. In such scenarios, the calling service has to generate a distributed trace payload:
p := callingTxn.CreateDistributedTracePayload()
This payload has to be added to the call to the destination service, which in turn invokes the call for accepting the payload:
calledTxn.AcceptDistributedTracePayload(newrelic.TransportOther, p)
A complete example can be found here.
You may create custom metrics
via the RecordCustomMetric
method.
app.RecordCustomMetric(
"CustomMetricName", // Name of your metric
132, // Value
)
Note: The Go Agent will automatically prepend the metric name you pass to
RecordCustomMetric
("CustomMetricName"
above) with the string Custom/
.
This means the above code would produce a metric named
Custom/CustomMetricName
. You'll also want to read over the
Naming Transactions and Metrics section below for
advice on coming up with appropriate metric names.
You may track arbitrary events using custom Insights events.
app.RecordCustomEvent("MyEventType", map[string]interface{}{
"myString": "hello",
"myFloat": 0.603,
"myInt": 123,
"myBool": true,
})
If you are running a load balancer or reverse web proxy then you may configure
it to add a X-Queue-Start
header with a Unix timestamp. This will create a
band on the application overview chart showing queue time.
The Go Agent captures errors in three different ways:
- the Transaction.NoticeError method
- panics recovered in defer Transaction.End
- error response status codes recorded with Transaction.WriteHeader
You may track errors using the Transaction.NoticeError
method. The easiest
way to get started with NoticeError
is to use errors based on
Go's standard error interface.
txn.NoticeError(errors.New("my error message"))
NoticeError
will work with any sort of object that implements Go's standard
error type interface -- not just errorStrings
created via errors.New
.
If you're interested in sending more than an error message to New Relic, the
Go Agent also offers a newrelic.Error
struct.
txn.NoticeError(newrelic.Error{
Message: "my error message",
Class: "IdentifierForError",
Attributes: map[string]interface{}{
"important_number": 97232,
"relevant_string": "zap",
},
})
Using the newrelic.Error
struct requires you to manually marshal your error
data into the Message
, Class
, and Attributes
fields. However, there's two
advantages to using the newrelic.Error
struct.
First, by setting an error Class
, New Relic will be able to aggregate errors
in the Error Analytics section of APM. Second, the Attributes
field allows
you to send through key/value pairs with additional error debugging information
(also exposed in the Error Analytics section of APM).
You're not limited to using Go's built-in error type or the provided
newrelic.Error
struct. The Go Agent provides three error interfaces
type StackTracer interface {
StackTrace() []uintptr
}
type ErrorClasser interface {
ErrorClass() string
}
type ErrorAttributer interface {
ErrorAttributes() map[string]interface{}
}
If you implement any of these on your own error structs, the txn.NoticeError
method will recognize these methods and use their return values to provide error
information.
For example, you could implement a custom error struct named MyErrorWithClass
type MyErrorWithClass struct {
}
Then, you could implement both an Error
method (per Go's standard error
interface) and an ErrorClass
method (per the Go Agent ErrorClasser
interface) for this struct.
func (e MyErrorWithClass) Error() string { return "A hard coded error message" }
// ErrorClass implements the ErrorClasser interface.
func (e MyErrorWithClass) ErrorClass() string { return "MyErrorClassForAggregation" }
Finally, you'd use your new error by creating a new instance of your struct and
passing it to the NoticeError
method
txn.NoticeError(MyErrorWithClass{})
While this is an oversimplified example, these interfaces give you a great deal of control over what error information is available for your application.
When the Transaction is ended using defer
, the Transaction will recover any
panic that occurs, record it as an error, and re-throw it. As a result, panics
may appear to be originating from Transaction.End
.
func unstableTask(app newrelic.Application) {
txn := app.StartTransaction("unstableTask", nil, nil)
defer txn.End()
// This panic will be recorded as an error.
panic("something went wrong")
}
Since the
Transaction
implements
http.ResponseWriter, you can
use Transaction.WriteHeader
to record the response status code. The
transaction will record an error if the status code is above 400 or below 100
and not in the ignored status codes configuration list. The ignored status
codes list is configured by the Config.ErrorCollector.IgnoreStatusCodes
field
or within the New Relic UI if your application has server side configuration
enabled.
As a result, using Transaction.NoticeError
in situations where your code is
returning an erroneous status code may result in redundant errors.
NoticeError
is not affected by the ignored status codes configuration list.
You'll want to think carefully about how you name your transactions and custom metrics. If your program creates too many unique names, you may end up with a Metric Grouping Issue (or MGI).
MGIs occur when the granularity of names is too fine, resulting in hundreds or thousands of uniquely identified metrics and transactions. One common cause of MGIs is relying on the full URL name for metric naming in web transactions. A few major code paths may generate many different full URL paths to unique documents, articles, page, etc. If the unique element of the URL path is included in the metric name, each of these common paths will have its own unique metric name.
To enable support for
New Relic Browser, your HTML pages
must include a JavaScript snippet that will load the Browser agent and
configure it with the correct application name. This snippet is available via
the Transaction.BrowserTimingHeader
method. Include the byte slice returned
by Transaction.BrowserTimingHeader().WithTags()
as early as possible in the
<head>
section of your HTML after any <meta charset>
tags.
func indexHandler(w http.ResponseWriter, req *http.Request) {
io.WriteString(w, "<html><head>")
// The New Relic browser javascript should be placed as high in the
// HTML as possible. We suggest including it immediately after the
// opening <head> tag and any <meta charset> tags.
if txn := FromContext(req.Context()); nil != txn {
hdr, err := txn.BrowserTimingHeader()
if nil != err {
log.Printf("unable to create browser timing header: %v", err)
}
// BrowserTimingHeader() will always return a header whose methods can
// be safely called.
if js := hdr.WithTags(); js != nil {
w.Write(js)
}
}
io.WriteString(w, "</head><body>browser header page</body></html>")
}
There's a variety of places online to learn more about the Go Agent.
The New Relic docs site contains a number of useful code samples and more context about how to use the Go Agent.
New Relic's discussion forums have a dedicated public forum for the Go Agent.
When in doubt, the New Relic support site is the best place to get started troubleshooting an agent issue.