1
0
mirror of https://github.com/mxpv/podsync.git synced 2024-05-11 05:55:04 +00:00
Maksym Pavlenko c378ed0a87 Code style fixes
2019-01-06 21:36:42 -08:00

95 lines
2.1 KiB
Go

package stats
import (
"fmt"
"time"
"github.com/go-redis/redis"
)
// RedisStats implement stats Redis backend
// Inside docker can be connected as:
// docker exec -it redis redis-cli
// View available stats keys
// 127.0.0.1:6379> keys stats/top/*
// Get stats top:
// 127.0.0.1:6379> zrevrange stats/top/2018/12/queries 0 100 withscores
// 127.0.0.1:6379> zrevrange stats/top/2018/12/downloads 0 100 withscores
// Query specific feed stats:
// 127.0.0.1:6379> hgetall "stats/2018/12/p2AZoiTNO"
type RedisStats struct {
client *redis.Client
}
func (r RedisStats) Inc(metric, hashID string) (int64, error) {
now := time.Now().UTC()
key := r.makeKey(now, hashID)
top := r.makeTop(now, metric)
var cmd *redis.IntCmd
_, err := r.client.TxPipelined(func(p redis.Pipeliner) error {
cmd = p.HIncrBy(key, metric, 1)
p.ZIncrBy(top, 1, hashID)
return nil
})
if err != nil {
return 0, err
}
return cmd.Result()
}
func (r RedisStats) Get(metric, hashID string) (int64, error) {
now := time.Now().UTC()
key := r.makeKey(now, hashID)
return r.client.HGet(key, metric).Int64()
}
func (r RedisStats) Top(metric string) (map[string]int64, error) {
now := time.Now().UTC()
top := r.makeTop(now, metric)
zrange, err := r.client.ZRevRangeWithScores(top, 0, 10).Result()
if err != nil {
return nil, err
}
ret := make(map[string]int64)
for _, x := range zrange {
key := x.Member.(string)
val := int64(x.Score)
ret[key] = val
}
return ret, nil
}
func (r RedisStats) makeKey(now time.Time, hashID string) string {
return fmt.Sprintf("stats/%d/%d/%s", now.Year(), now.Month(), hashID)
}
func (r RedisStats) makeTop(now time.Time, metric string) string {
return fmt.Sprintf("stats/top/%d/%d/%s", now.Year(), now.Month(), metric)
}
func (r RedisStats) Close() error {
return r.client.Close()
}
func NewRedisStats(redisURL string) (*RedisStats, error) {
opts, err := redis.ParseURL(redisURL)
if err != nil {
return nil, err
}
client := redis.NewClient(opts)
if err := client.Ping().Err(); err != nil {
return nil, err
}
return &RedisStats{client}, nil
}