久久福利_99r_国产日韩在线视频_直接看av的网站_中文欧美日韩_久久一

您的位置:首頁技術(shù)文章
文章詳情頁

如何基于Python和Flask編寫Prometheus監(jiān)控

瀏覽:78日期:2022-07-04 13:48:55

介紹

Prometheus 的基本原理是通過 HTTP 周期性抓取被監(jiān)控組件的狀態(tài)。

任意組件只要提供對應(yīng)的 HTTP 接口并且符合 Prometheus 定義的數(shù)據(jù)格式,就可以接入 Prometheus 監(jiān)控。

Prometheus Server 負責定時在目標上抓取 metrics(指標)數(shù)據(jù)并保存到本地存儲。它采用了一種 Pull(拉)的方式獲取數(shù)據(jù),不僅降低客戶端的復雜度,客戶端只需要采集數(shù)據(jù),無需了解服務(wù)端情況,也讓服務(wù)端可以更加方便地水平擴展。

如果監(jiān)控數(shù)據(jù)達到告警閾值,Prometheus Server 會通過 HTTP 將告警發(fā)送到告警模塊 alertmanger,通過告警的抑制后觸發(fā)郵件或者 Webhook。Prometheus 支持 PromQL 提供多維度數(shù)據(jù)模型和靈活的查詢,通過監(jiān)控指標關(guān)聯(lián)多個 tag 的方式,將監(jiān)控數(shù)據(jù)進行任意維度的組合以及聚合。

在python中實現(xiàn)服務(wù)器端,對外提供接口。在Prometheus中配置請求網(wǎng)址,Prometheus會定期向該網(wǎng)址發(fā)起申請獲取你想要返回的數(shù)據(jù)。

另外Prometheus提供4種類型Metrics:Counter, Gauge, Summary和Histogram。

準備

pip install flaskpip install prometheus_client

Counter

Counter可以增長,并且在程序重啟的時候會被重設(shè)為0,常被用于訪問量,任務(wù)個數(shù),總處理時間,錯誤個數(shù)等只增不減的指標。

定義它需要2個參數(shù),第一個是metrics的名字,第二個是metrics的描述信息:

c = Counter(’c1’, ’A counter’)

counter只能增加,所以只有一個方法:

def inc(self, amount=1): ’’’Increment counter by the given amount.’’’ if amount < 0: raise ValueError(’Counters can only be incremented by non-negative amounts.’) self._value.inc(amount)

測試示例:

import prometheus_clientfrom prometheus_client import Counterfrom prometheus_client.core import CollectorRegistryfrom flask import Response, Flaskapp = Flask(__name__)requests_total = Counter(’c1’,’A counter’)@app.route('/api/metrics/count/')def requests_count(): requests_total.inc(1) # requests_total.inc(2) return Response(prometheus_client.generate_latest(requests_total),mimetype='text/plain')if __name__ == '__main__': app.run(host='127.0.0.1',port=8081)

訪問http://127.0.0.1:8081/api/metrics/count/:

# HELP c1_total A counter# TYPE c1_total counterc1_total 1.0# HELP c1_created A counter# TYPE c1_created gaugec1_created 1.6053265493727107e+09

HELP是c1的注釋說明,創(chuàng)建Counter定義的。

TYPE是c1的類型說明。

c1_total為我們定義的指標輸出:你會發(fā)現(xiàn)多了后綴_total,這是因為OpenMetrics與Prometheus文本格式之間的兼容性,OpenMetrics需要_total后綴。

gauge

gauge可增可減,可以任意設(shè)置。

比如可以設(shè)置當前的CPU溫度,內(nèi)存使用量,磁盤、網(wǎng)絡(luò)流量等等。

定義和counter基本一樣:

from prometheus_client import Gaugeg = Gauge(’my_inprogress_requests’, ’Description of gauge’)g.inc() # Increment by 1g.dec(10) # Decrement by given valueg.set(4.2) # Set to a given value

方法:

def inc(self, amount=1): ’’’Increment gauge by the given amount.’’’ self._value.inc(amount)def dec(self, amount=1): ’’’Decrement gauge by the given amount.’’’ self._value.inc(-amount) def set(self, value): ’’’Set gauge to the given value.’’’ self._value.set(float(value))

測試示例:

import randomimport prometheus_clientfrom prometheus_client import Gaugefrom prometheus_client.core import CollectorRegistryfrom flask import Response, Flaskapp = Flask(__name__)random_value = Gauge('g1', ’A gauge’)@app.route('/api/metrics/gauge/')def r_value(): random_value.set(random.randint(0, 10)) return Response(prometheus_client.generate_latest(random_value), mimetype='text/plain')if __name__ == '__main__': app.run(host='127.0.0.1',port=8081)

訪問http://127.0.0.1:8081/api/metrics/gauge/

# HELP g1 A gauge# TYPE g1 gaugeg1 5.0

LABELS的用法

使用labels來區(qū)分metric的特征,一個指標可以有其中一個label,也可以有多個label。

from prometheus_client import Counterc = Counter(’requests_total’, ’HTTP requests total’, [’method’, ’clientip’])c.labels(’get’, ’127.0.0.1’).inc()c.labels(’post’, ’192.168.0.1’).inc(3)c.labels(method='get', clientip='192.168.0.1').inc()

import randomimport prometheus_clientfrom prometheus_client import Gaugefrom flask import Response, Flaskapp = Flask(__name__)c = Gauge('c1', ’A counter’,[’method’,’clientip’])@app.route('/api/metrics/counter/')def r_value(): c.labels(method=’get’,clientip=’192.168.0.%d’ % random.randint(1,10)).inc() return Response(prometheus_client.generate_latest(c), mimetype='text/plain')if __name__ == '__main__': app.run(host='127.0.0.1',port=8081)

連續(xù)訪問9次http://127.0.0.1:8081/api/metrics/counter/:

# HELP c1 A counter# TYPE c1 gaugec1{clientip='192.168.0.7',method='get'} 2.0c1{clientip='192.168.0.1',method='get'} 1.0c1{clientip='192.168.0.8',method='get'} 1.0c1{clientip='192.168.0.5',method='get'} 2.0c1{clientip='192.168.0.4',method='get'} 1.0c1{clientip='192.168.0.10',method='get'} 1.0c1{clientip='192.168.0.2',method='get'} 1.0

histogram

這種主要用來統(tǒng)計百分位的,什么是百分位?英文叫做quantiles。

比如你有100條訪問請求的耗時時間,把它們從小到大排序,第90個時間是200ms,那么我們可以說90%的請求都小于200ms,這也叫做”90分位是200ms”,能夠反映出服務(wù)的基本質(zhì)量。當然,也許第91個時間是2000ms,這就沒法說了。

實際情況是,我們每天訪問量至少幾個億,不可能把所有訪問數(shù)據(jù)都存起來,然后排序找到90分位的時間是多少。因此,類似這種問題都采用了一些估算的算法來處理,不需要把所有數(shù)據(jù)都存下來,這里面數(shù)學原理比較高端,我們就直接看看prometheus的用法好了。

首先定義histogram:

h = Histogram(’hh’, ’A histogram’, buckets=(-5, 0, 5))

第一個是metrics的名字,第二個是描述,第三個是分桶設(shè)置,重點說一下buckets。

這里(-5,0,5)實際劃分成了幾種桶:(無窮小,-5],(-5,0],(0,5],(5,無窮大)。

如果我們喂給它一個-8:

h.observe(8)

那么metrics會這樣輸出:

# HELP hh A histogram# TYPE hh histogramhh_bucket{le='-5.0'} 0.0hh_bucket{le='0.0'} 0.0hh_bucket{le='5.0'} 0.0hh_bucket{le='+Inf'} 1.0hh_count 1.0hh_sum 8.0

hh_sum記錄了observe的總和,count記錄了observe的次數(shù),bucket就是各種桶了,le表示<=某值。

可見,值8<=無窮大,所以只有最后一個桶計數(shù)了1次(注意,桶只是計數(shù),bucket作用相當于統(tǒng)計樣本在不同區(qū)間的出現(xiàn)次數(shù))。

bucket的劃分需要我們根據(jù)數(shù)據(jù)的分布拍腦袋指定,合理的劃分可以讓promql估算百分位的時候更準確,我們使用histogram的時候只需要知道先分好桶,再不斷的打點即可,最終百分位的計算可以基于histogram的原始數(shù)據(jù)完成。

測試示例:

import randomimport prometheus_clientfrom prometheus_client import Histogramfrom flask import Response, Flaskapp = Flask(__name__)h = Histogram('h1', ’A Histogram’, buckets=(-5, 0, 5))@app.route('/api/metrics/histogram/')def r_value(): h.observe(random.randint(-5, 5)) return Response(prometheus_client.generate_latest(h), mimetype='text/plain')if __name__ == '__main__': app.run(host='127.0.0.1',port=8081)

連續(xù)訪問http://127.0.0.1:8081/api/metrics/histogram/:

# HELP h1 A Histogram# TYPE h1 histogramh1_bucket{le='-5.0'} 0.0h1_bucket{le='0.0'} 5.0h1_bucket{le='5.0'} 10.0h1_bucket{le='+Inf'} 10.0h1_count 10.0# HELP h1_created A Histogram# TYPE h1_created gaugeh1_created 1.6053319432993534e+09

summary

python客戶端沒有完整實現(xiàn)summary算法,這里不介紹。

以上就是本文的全部內(nèi)容,希望對大家的學習有所幫助,也希望大家多多支持好吧啦網(wǎng)。

標簽: Python 編程
相關(guān)文章:
主站蜘蛛池模板: 久久999免费视频 | 91麻豆精品国产91久久久更新资源速度超快 | 亚洲国产一区二区三区四区 | 91精品国产综合久久久久久 | 中文字幕在线免费 | 国产精品久久av | 免费的黄色网 | av在线一区二区 | 国产一区二区三区四区在线观看 | 亚洲一级毛片 | 中文在线亚洲 | 久久久国产一区二区三区 | 国产一区二区日韩 | 欧美成人黄色 | 午夜免费影视 | 亚洲天堂一区二区 | 久久99这里只有精品 | 免费黄色网址在线播放 | 久久九精品| 日韩欧美国产电影 | 91久久久久久久久 | 九九九九九九精品任你躁 | 欧美精品一区二区三区视频 | 欧美 日韩 国产 一区 | 婷婷丁香五 | 免费成人在线观看视频 | 亚洲h视频在线观看 | 九九热这里只有精品8 | 国产欧美综合一区二区三区 | 美女一区二区三区四区 | 亚洲日韩欧美一区二区在线 | jlzzjlzz亚洲日本少妇 | 久久夜色精品国产 | se在线播放 | 免费激情小视频 | 国内精品一区二区三区视频 | 国产婷婷在线观看 | 日本黄色三级网站 | 国产一区二区黑人欧美xxxx | 动漫羞免费网站中文字幕 | www久久99|