statsd/examples/python_example.py

84 строки
2.4 KiB
Python
Исходник Обычный вид История

# python_example.py
# Steve Ivy <steveivy@gmail.com>
# http://monkinetic.com
2012-08-30 21:04:47 +04:00
# Sends statistics to the stats daemon over UDP
class StatsdClient(object):
def __init__(self, host='localhost', port=8125):
self.addr=(host, port)
def timing(self, stat, time, sample_rate=1):
2011-02-16 08:26:43 +03:00
"""
Log timing information
2012-12-10 00:57:57 +04:00
>>> from python_example import StatsdClient
>>> client = StatsdClient()
>>> client.timing('some.time', 500)
2011-02-16 08:26:43 +03:00
"""
stats = {}
stats[stat] = "%d|ms" % time
self.send(stats, sample_rate)
def increment(self, stats, sample_rate=1):
2011-02-16 08:26:43 +03:00
"""
Increments one or more stats counters
2012-12-10 00:57:57 +04:00
>>> client = StatsdClient()
>>> client.increment('some.int')
>>> client.increment('some.int',0.5)
2011-02-16 08:26:43 +03:00
"""
self.update_stats(stats, 1, sample_rate)
def decrement(self, stats, sample_rate=1):
2011-02-16 08:26:43 +03:00
"""
Decrements one or more stats counters
2012-12-10 00:57:57 +04:00
>>> client = StatsdClient()
>>> client.decrement('some.int')
2011-02-16 08:26:43 +03:00
"""
self.update_stats(stats, -1, sample_rate)
2012-08-30 21:04:47 +04:00
def update_stats(self, stats, delta=1, sampleRate=1):
2011-02-16 08:26:43 +03:00
"""
Updates one or more stats counters by arbitrary amounts
2012-12-10 00:57:57 +04:00
>>> client = StatsdClient()
>>> client.update_stats('some.int',10)
2011-02-16 08:26:43 +03:00
"""
if isinstance(stats, list):
stats = [stats]
data = {}
for stat in stats:
data[stat] = "%s|c" % delta
self.send(data, sampleRate)
2012-08-30 21:04:47 +04:00
def send(self, data, sample_rate=1):
2011-02-16 08:26:43 +03:00
"""
Squirt the metrics over UDP
"""
2011-02-16 08:50:22 +03:00
sampled_data = {}
2012-08-30 21:04:47 +04:00
if(sample_rate < 1):
2011-02-16 08:50:22 +03:00
import random
if random.random() <= sample_rate:
2012-12-10 00:49:34 +04:00
for stat, value in data.items():
2011-02-16 08:50:22 +03:00
sampled_data[stat] = "%s|@%s" %(value, sample_rate)
else:
sampled_data=data
2012-08-30 21:04:47 +04:00
from socket import socket, AF_INET, SOCK_DGRAM
udp_sock = socket(AF_INET, SOCK_DGRAM)
try:
2012-12-10 00:49:34 +04:00
for stat, value in sampled_data.items():
send_data = "%s:%s" % (stat, value)
udp_sock.sendto(send_data, self.addr)
except Exception:
import sys
2012-12-10 00:44:48 +04:00
import traceback
print >>sys.stderr, "Unexpected error: ", traceback.format_exc()
return False
return True
if __name__=="__main__":
c = StatsdClient()
c.increment('example.python')