2020-07-08 15:55:25 +00:00
|
|
|
package promql
|
|
|
|
|
|
|
|
import (
|
|
|
|
"fmt"
|
|
|
|
"io"
|
|
|
|
"sort"
|
|
|
|
"sync"
|
|
|
|
"sync/atomic"
|
|
|
|
"time"
|
|
|
|
)
|
|
|
|
|
|
|
|
// WriteActiveQueries writes active queries to w.
|
|
|
|
//
|
|
|
|
// The written active queries are sorted in descending order of their exeuction duration.
|
|
|
|
func WriteActiveQueries(w io.Writer) {
|
|
|
|
aqes := activeQueriesV.GetAll()
|
|
|
|
sort.Slice(aqes, func(i, j int) bool {
|
|
|
|
return aqes[i].startTime.Sub(aqes[j].startTime) < 0
|
|
|
|
})
|
|
|
|
now := time.Now()
|
2023-07-19 22:47:21 +00:00
|
|
|
fmt.Fprintf(w, `{"status":"ok","data":[`)
|
|
|
|
for i, aqe := range aqes {
|
2020-07-08 15:55:25 +00:00
|
|
|
d := now.Sub(aqe.startTime)
|
2023-07-19 22:47:21 +00:00
|
|
|
fmt.Fprintf(w, `{"duration":"%.3fs","id":"%016X","remote_addr":%s,"query":%q,"start":%d,"end":%d,"step":%d}`,
|
2020-07-31 15:00:21 +00:00
|
|
|
d.Seconds(), aqe.qid, aqe.quotedRemoteAddr, aqe.q, aqe.start, aqe.end, aqe.step)
|
2023-07-19 22:47:21 +00:00
|
|
|
if i+1 < len(aqes) {
|
|
|
|
fmt.Fprintf(w, `,`)
|
|
|
|
}
|
2020-07-08 15:55:25 +00:00
|
|
|
}
|
2023-07-19 22:47:21 +00:00
|
|
|
fmt.Fprintf(w, `]}`)
|
2020-07-08 15:55:25 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
var activeQueriesV = newActiveQueries()
|
|
|
|
|
|
|
|
type activeQueries struct {
|
|
|
|
mu sync.Mutex
|
|
|
|
m map[uint64]activeQueryEntry
|
|
|
|
}
|
|
|
|
|
|
|
|
type activeQueryEntry struct {
|
2020-07-31 15:00:21 +00:00
|
|
|
start int64
|
|
|
|
end int64
|
|
|
|
step int64
|
|
|
|
qid uint64
|
|
|
|
quotedRemoteAddr string
|
|
|
|
q string
|
|
|
|
startTime time.Time
|
2020-07-08 15:55:25 +00:00
|
|
|
}
|
|
|
|
|
|
|
|
func newActiveQueries() *activeQueries {
|
|
|
|
return &activeQueries{
|
|
|
|
m: make(map[uint64]activeQueryEntry),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
func (aq *activeQueries) Add(ec *EvalConfig, q string) uint64 {
|
|
|
|
var aqe activeQueryEntry
|
|
|
|
aqe.start = ec.Start
|
|
|
|
aqe.end = ec.End
|
|
|
|
aqe.step = ec.Step
|
2020-07-09 08:18:30 +00:00
|
|
|
aqe.qid = atomic.AddUint64(&nextActiveQueryID, 1)
|
2020-07-31 15:00:21 +00:00
|
|
|
aqe.quotedRemoteAddr = ec.QuotedRemoteAddr
|
2020-07-08 15:55:25 +00:00
|
|
|
aqe.q = q
|
|
|
|
aqe.startTime = time.Now()
|
|
|
|
|
|
|
|
aq.mu.Lock()
|
|
|
|
aq.m[aqe.qid] = aqe
|
|
|
|
aq.mu.Unlock()
|
|
|
|
return aqe.qid
|
|
|
|
}
|
|
|
|
|
|
|
|
func (aq *activeQueries) Remove(qid uint64) {
|
|
|
|
aq.mu.Lock()
|
|
|
|
delete(aq.m, qid)
|
|
|
|
aq.mu.Unlock()
|
|
|
|
}
|
|
|
|
|
|
|
|
func (aq *activeQueries) GetAll() []activeQueryEntry {
|
|
|
|
aq.mu.Lock()
|
|
|
|
aqes := make([]activeQueryEntry, 0, len(aq.m))
|
|
|
|
for _, aqe := range aq.m {
|
|
|
|
aqes = append(aqes, aqe)
|
|
|
|
}
|
|
|
|
aq.mu.Unlock()
|
|
|
|
return aqes
|
|
|
|
}
|
|
|
|
|
|
|
|
var nextActiveQueryID = uint64(time.Now().UnixNano())
|