alertmanager/manager/notifier.go

219 lines
5.9 KiB
Go
Raw Normal View History

2013-07-30 11:19:18 +00:00
// Copyright 2013 Prometheus Team
// Licensed under the Apache License, Version 2.0 (the "License");
// you may not use this file except in compliance with the License.
// You may obtain a copy of the License at
//
// http://www.apache.org/licenses/LICENSE-2.0
//
// Unless required by applicable law or agreed to in writing, software
// distributed under the License is distributed on an "AS IS" BASIS,
// WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
// See the License for the specific language governing permissions and
// limitations under the License.
package manager
import (
"bytes"
"encoding/json"
"flag"
"fmt"
"io"
2013-07-30 11:19:18 +00:00
"io/ioutil"
"net/http"
"net/smtp"
2013-07-30 11:19:18 +00:00
"sync"
"text/template"
2013-07-30 11:19:18 +00:00
"github.com/golang/glog"
2013-08-05 09:49:56 +00:00
pb "github.com/prometheus/alertmanager/config/generated"
2013-07-30 11:19:18 +00:00
)
const contentTypeJson = "application/json"
var bodyTmpl = template.Must(template.New("message").Parse(`Subject: [ALERT] {{.Labels.alertname}}: {{.Summary}}
{{.Description}}
Grouping labels:
{{range $label, $value := .Labels}}
{{$label}} = "{{$value}}"{{end}}
Payload labels:
{{range $label, $value := .Payload}}
{{$label}} = "{{$value}}"{{end}}`))
2013-07-30 11:19:18 +00:00
var (
notificationBufferSize = flag.Int("notificationBufferSize", 1000, "Size of buffer for pending notifications.")
pagerdutyApiUrl = flag.String("pagerdutyApiUrl", "https://events.pagerduty.com/generic/2010-04-15/create_event.json", "PagerDuty API URL.")
smtpSmartHost = flag.String("smtpSmartHost", "", "Address of the smarthost to send all email notifications to.")
smtpSender = flag.String("smtpSender", "alertmanager@example.org", "Sender email address to use in email notifications.")
2013-07-30 11:19:18 +00:00
)
// A Notifier is responsible for sending notifications for alerts according to
2013-07-30 11:19:18 +00:00
// a provided notification configuration.
type Notifier interface {
// Queue a notification for asynchronous dispatching.
QueueNotification(a *Alert, configName string) error
2013-07-30 11:19:18 +00:00
// Replace current notification configs. Already enqueued messages will remain
// unaffected.
SetNotificationConfigs([]*pb.NotificationConfig)
// Start alert notification dispatch loop.
Dispatch()
// Stop the alert notification dispatch loop.
2013-07-30 11:19:18 +00:00
Close()
}
// Request for sending a notification.
type notificationReq struct {
alert *Alert
2013-07-30 11:19:18 +00:00
notificationConfig *pb.NotificationConfig
}
// Alert notification multiplexer and dispatcher.
type notifier struct {
// Notifications that are queued to be sent.
pendingNotifications chan *notificationReq
// Mutex to protect the fields below.
mu sync.Mutex
// Map of notification configs by name.
notificationConfigs map[string]*pb.NotificationConfig
}
// Construct a new notifier.
func NewNotifier(configs []*pb.NotificationConfig) *notifier {
notifier := &notifier{
pendingNotifications: make(chan *notificationReq, *notificationBufferSize),
}
notifier.SetNotificationConfigs(configs)
return notifier
}
func (n *notifier) SetNotificationConfigs(configs []*pb.NotificationConfig) {
n.mu.Lock()
defer n.mu.Unlock()
n.notificationConfigs = map[string]*pb.NotificationConfig{}
for _, c := range configs {
n.notificationConfigs[c.GetName()] = c
}
}
func (n *notifier) QueueNotification(a *Alert, configName string) error {
2013-07-30 11:19:18 +00:00
n.mu.Lock()
nc, ok := n.notificationConfigs[configName]
n.mu.Unlock()
if !ok {
return fmt.Errorf("No such notification configuration %s", configName)
}
// We need to save a reference to the notification config in the
// notificationReq since the config might be replaced or gone at the time the
// message gets dispatched.
n.pendingNotifications <- &notificationReq{
alert: a,
2013-07-30 11:19:18 +00:00
notificationConfig: nc,
}
return nil
}
func (n *notifier) sendPagerDutyNotification(serviceKey string, a *Alert) error {
2013-07-30 11:19:18 +00:00
// http://developer.pagerduty.com/documentation/integration/events/trigger
incidentKey := a.Fingerprint()
2013-07-30 11:19:18 +00:00
buf, err := json.Marshal(map[string]interface{}{
"service_key": serviceKey,
"event_type": "trigger",
"description": a.Description,
2013-07-30 11:19:18 +00:00
"incident_key": incidentKey,
"details": map[string]interface{}{
"grouping_labels": a.Labels,
"extra_labels": a.Payload,
2013-07-30 11:19:18 +00:00
},
})
if err != nil {
return err
}
resp, err := http.Post(
*pagerdutyApiUrl,
contentTypeJson,
bytes.NewBuffer(buf),
)
if err != nil {
return err
}
defer resp.Body.Close()
respBuf, err := ioutil.ReadAll(resp.Body)
if err != nil {
return err
}
glog.Infof("Sent PagerDuty notification: %v: HTTP %d: %s", incidentKey, resp.StatusCode, respBuf)
2013-07-30 11:19:18 +00:00
// BUG: Check response for result of operation.
return nil
}
func writeEmailBody(w io.Writer, a *Alert) error {
if err := bodyTmpl.Execute(w, a); err != nil {
return err
}
buf := &bytes.Buffer{}
if err := bodyTmpl.Execute(buf, a); err != nil {
return err
}
return nil
}
func (n *notifier) sendEmailNotification(email string, a *Alert) error {
// Connect to the SMTP smarthost.
c, err := smtp.Dial(*smtpSmartHost)
if err != nil {
return err
}
defer c.Quit()
// Set the sender and recipient.
c.Mail(*smtpSender)
c.Rcpt(email)
// Send the email body.
wc, err := c.Data()
if err != nil {
return err
}
defer wc.Close()
return writeEmailBody(wc, a)
2013-07-30 11:19:18 +00:00
}
func (n *notifier) handleNotification(a *Alert, config *pb.NotificationConfig) {
2013-07-30 11:19:18 +00:00
for _, pdConfig := range config.PagerdutyConfig {
if err := n.sendPagerDutyNotification(pdConfig.GetServiceKey(), a); err != nil {
glog.Error("Error sending PagerDuty notification: ", err)
2013-07-30 11:19:18 +00:00
}
}
for _, emailConfig := range config.EmailConfig {
if *smtpSmartHost == "" {
glog.Warning("No SMTP smarthost configured, not sending email notification.")
continue
}
if err := n.sendEmailNotification(emailConfig.GetEmail(), a); err != nil {
glog.Error("Error sending email notification: ", err)
2013-07-30 11:19:18 +00:00
}
}
}
func (n *notifier) Dispatch() {
2013-07-30 12:49:16 +00:00
for req := range n.pendingNotifications {
n.handleNotification(req.alert, req.notificationConfig)
2013-07-30 11:19:18 +00:00
}
}
func (n *notifier) Close() {
2013-07-30 12:49:16 +00:00
close(n.pendingNotifications)
2013-07-30 11:19:18 +00:00
}