Skip to content

Instantly share code, notes, and snippets.

@breml
Created April 28, 2014 10:50
Show Gist options
  • Star 0 You must be signed in to star a gist
  • Fork 0 You must be signed in to fork a gist
  • Save breml/11368267 to your computer and use it in GitHub Desktop.
Save breml/11368267 to your computer and use it in GitHub Desktop.
Extended Graphite sink for statsite (https://github.com/armon/statsite) which allows to divide the counted value with the configured interval. This way the the saved values have the correct unit (e.g count/second) and is compatible with other statsd implementations (e.g. statsd by etsy or bucky). In the config-file of statsite add (where the las…
"""
Supports flushing metrics to graphite
"""
import sys
import socket
import logging
class GraphiteStore(object):
def __init__(self, host="localhost", port=2003, prefix="statsite", attempts=3, interval=10):
"""
Implements an interface that allows metrics to be persisted to Graphite.
Raises a :class:`ValueError` on bad arguments.
:Parameters:
- `host` : The hostname of the graphite server.
- `port` : The port of the graphite server
- `prefix` (optional) : A prefix to add to the keys. Defaults to 'statsite'
- `attempts` (optional) : The number of re-connect retries before failing.
- `interval` (optional) : The flush interval, used to divide the values with the interval to get count/second.
"""
# Convert the port to an int since its coming from a configuration file
port = int(port)
attempts = int(attempts)
if port <= 0:
raise ValueError("Port must be positive!")
if attempts <= 1:
raise ValueError("Must have at least 1 attempt!")
self.host = host
self.port = port
self.prefix = prefix
self.attempts = attempts
self.interval = float(interval)
self.sock = self._create_socket()
self.logger = logging.getLogger("statsite.graphitestore")
def flush(self, metrics):
"""
Flushes the metrics provided to Graphite.
:Parameters:
- `metrics` : A list of (key,value,timestamp) tuples.
"""
if not metrics:
return
# Construct the output
metrics = [m.split("|") for m in metrics if m]
self.logger.info("Outputting %d metrics" % len(metrics))
if self.prefix:
lines = ["%s.%s %s %s" % (self.prefix, k, float(v)/float(self.interval), ts) for k, v, ts in metrics]
else:
lines = ["%s %s %s" % (k, float(v)/float(self.interval), ts) for k, v, ts in metrics]
data = "\n".join(lines) + "\n"
# Serialize writes to the socket
try:
self._write_metric(data)
except:
self.logger.exception("Failed to write out the metrics!")
def close(self):
"""
Closes the connection. The socket will be recreated on the next
flush.
"""
self.sock.close()
def _create_socket(self):
"""Creates a socket and connects to the graphite server"""
sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
sock.connect((self.host, self.port))
return sock
def _write_metric(self, metric):
"""Tries to write a string to the socket, reconnecting on any errors"""
for attempt in xrange(self.attempts):
try:
self.sock.sendall(metric)
return
except socket.error:
self.logger.exception("Error while flushing to graphite. Reattempting...")
self.sock = self._create_socket()
self.logger.critical("Failed to flush to Graphite! Gave up after %d attempts." % self.attempts)
if __name__ == "__main__":
# Initialize the logger
logging.basicConfig()
# Intialize from our arguments
graphite = GraphiteStore(*sys.argv[1:])
# Get all the inputs
metrics = sys.stdin.read()
# Flush
graphite.flush(metrics.splitlines())
graphite.close()
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment