forked from mattweber/es2graphite
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathes2graphite.py
executable file
·180 lines (159 loc) · 7.96 KB
/
es2graphite.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
#!/usr/bin/env python
import re
import sys
import json
import time
import pickle
import struct
import socket
import thread
import urllib2
import argparse
from pprint import pprint
from datetime import datetime
NODES = {}
CLUSTER_NAME = ''
STATUS = {'red': 0, 'yellow': 1, 'green': 2}
SHARD_STATE = {'CREATED': 0, 'RECOVERING': 1, 'STARTED': 2, 'RELOCATED': 3, 'CLOSED': 4}
HOST_IDX = -1
def log(what, force=False):
if args.verbose or force:
pprint(what)
def get_es_host():
global HOST_IDX
HOST_IDX = (HOST_IDX + 1) % len(args.es) # round-robin
return args.es[HOST_IDX]
def normalize(what):
if not isinstance(what, (list, tuple)):
return re.sub('\W+', '_', what.strip().lower()).encode('utf-8')
elif len(what) == 1:
return normalize(what[0])
else:
return '%s.%s' % (normalize(what[0]), normalize(what[1:]))
def add_metric(metrics, prefix, stat, val, timestamp):
if isinstance(val, bool):
val = int(val)
if prefix[-1] == 'translog' and stat == 'id':
return
elif isinstance(val, (int, long, float)) and stat != 'timestamp':
metrics.append((normalize((prefix, stat)), (timestamp, val)))
elif stat == 'status' and val in STATUS:
metrics.append((normalize((prefix, stat)), (timestamp, STATUS[val])))
elif stat == 'state' and val in SHARD_STATE:
metrics.append((normalize((prefix, stat)), (timestamp, SHARD_STATE[val])))
def process_node_stats(prefix, stats):
metrics = []
global CLUSTER_NAME
CLUSTER_NAME = stats['cluster_name']
for node_id in stats['nodes']:
node_stats = stats['nodes'][node_id]
NODES[node_id] = node_stats['name']
process_section(int(time.time()), metrics, (prefix, CLUSTER_NAME, NODES[node_id]), node_stats)
return metrics
def process_cluster_health(prefix, health):
metrics = []
process_section(int(time.time()), metrics, (prefix, CLUSTER_NAME), health)
return metrics
def process_indices_status(prefix, status):
metrics = []
process_section(int(time.time()), metrics, (prefix, CLUSTER_NAME, 'indices'), status['indices'])
return metrics
def process_indices_stats(prefix, stats):
metrics = []
process_section(int(time.time()), metrics, (prefix, CLUSTER_NAME, 'indices', '_all'), stats['_all'])
process_section(int(time.time()), metrics, (prefix, CLUSTER_NAME, 'indices'), stats['indices'])
return metrics
def process_segments_status(prefix, status):
metrics = []
process_section(int(time.time()), metrics, (prefix, CLUSTER_NAME, 'indices'), status['indices'])
return metrics
def process_section(timestamp, metrics, prefix, section):
for stat in section:
stat_val = section[stat]
if 'timestamp' in section:
timestamp = int(section['timestamp'] / 1000) # es has epoch in ms, graphite needs seconds
if isinstance(stat_val, dict):
process_section(timestamp, metrics, (prefix, stat), stat_val)
elif isinstance(stat_val, list):
if prefix[-1] == 'fs' and stat == 'data':
for disk in stat_val:
mount = disk['mount']
process_section(timestamp, metrics, (prefix, stat, mount), disk)
elif prefix[-1] == 'os' and stat == 'load_average':
add_metric(metrics, prefix, (stat, '1min_avg'), stat_val[0], timestamp)
add_metric(metrics, prefix, (stat, '5min_avg'), stat_val[1], timestamp)
add_metric(metrics, prefix, (stat, '15min_avg'), stat_val[2], timestamp)
elif prefix[-1] == 'shards' and re.match('\d+', stat) is not None:
for shard in stat_val:
shard_node = NODES[shard['routing']['node']]
process_section(timestamp, metrics, (prefix, stat, shard_node), shard)
else:
for stat_idx, sub_stat_val in enumerate(stat_val):
if isinstance(sub_stat_val, dict):
process_section(timestamp, metrics, (prefix, stat, str(stat_idx)), sub_stat_val)
else:
add_metric(metrics, prefix, (stat, str(stat_idx)), sub_stat_val, timestamp)
else:
add_metric(metrics, prefix, stat, stat_val, timestamp)
def send_to_graphite(metrics):
if args.debug:
for m, mval in metrics:
log('%s %s = %s' % (mval[0], m, mval[1]), True)
else:
payload = pickle.dumps(metrics)
header = struct.pack('!L', len(payload))
sock = socket.socket()
sock.connect((args.graphite_host, args.graphite_port))
sock.sendall('%s%s' % (header, payload))
sock.close()
def get_metrics():
dt = datetime.now().strftime('%Y-%m-%d %H:%M:%S')
node_stats_url = 'http://%s/_cluster/nodes/stats?all=true' % get_es_host()
log('%s: GET %s' % (dt, node_stats_url))
node_stats_data = urllib2.urlopen(node_stats_url).read()
node_stats = json.loads(node_stats_data)
node_stats_metrics = process_node_stats(args.prefix, node_stats)
send_to_graphite(node_stats_metrics)
cluster_health_url = 'http://%s/_cluster/health?level=%s' % (get_es_host(), args.health_level)
log('%s: GET %s' % (dt, cluster_health_url))
cluster_health_data = urllib2.urlopen(cluster_health_url).read()
cluster_health = json.loads(cluster_health_data)
cluster_health_metrics = process_cluster_health(args.prefix, cluster_health)
send_to_graphite(cluster_health_metrics)
indices_status_url = 'http://%s/_status' % get_es_host()
log('%s: GET %s' % (dt, indices_status_url))
indices_status_data = urllib2.urlopen(indices_status_url).read()
indices_status = json.loads(indices_status_data)
indices_status_metrics = process_indices_status(args.prefix, indices_status)
send_to_graphite(indices_status_metrics)
indices_stats_url = 'http://%s/_stats?all=true' % get_es_host()
if args.shard_stats:
indices_stats_url = '%s&level=shards' % indices_stats_url
log('%s: GET %s' % (dt, indices_stats_url))
indices_stats_data = urllib2.urlopen(indices_stats_url).read()
indices_stats = json.loads(indices_stats_data)
indices_stats_metrics = process_indices_stats(args.prefix, indices_stats)
send_to_graphite(indices_stats_metrics)
if args.segments:
segments_status_url = 'http://%s/_segments' % get_es_host()
log('%s: GET %s' % (dt, segments_status_url))
segments_status_data = urllib2.urlopen(segments_status_url).read()
segments_status = json.loads(segments_status_data)
segments_status_metrics = process_segments_status(args.prefix, segments_status)
send_to_graphite(segments_status_metrics)
if __name__ == '__main__':
parser = argparse.ArgumentParser(description='Send elasticsearch metrics to graphite')
parser.add_argument('-p', '--prefix', default='es', help='graphite metric prefix. Default: %(default)s')
parser.add_argument('-g', '--graphite-host', default='localhost', help='graphite hostname. Default: %(default)s')
parser.add_argument('-o', '--graphite-port', default=2004, type=int, help='graphite pickle protocol port. Default: %(default)s')
parser.add_argument('-i', '--interval', default=60, type=int, help='interval in seconds. Default: %(default)s')
parser.add_argument('--health-level', choices=['cluster', 'indices', 'shards'], default='indices', help='The level of health metrics. Default: %(default)s')
parser.add_argument('--shard-stats', action='store_true', help='Collect shard level stats metrics.')
parser.add_argument('--segments', action='store_true', help='Collect low-level segment metrics.')
parser.add_argument('-d', '--debug', action='store_true', help='Print metrics, don\'t send to graphite')
parser.add_argument('-v', '--verbose', action='store_true', help='Verbose output')
parser.add_argument('es', nargs='+', help='elasticsearch host:port', metavar='ES_HOST')
args = parser.parse_args()
while True:
thread.start_new_thread(get_metrics, ())
time.sleep(args.interval)