Fix sdlcli healthcheck DBAAS status in SEP install
[ric-plt/sdlgo.git] / internal / sdlgoredis / sdlgoredis.go
index 327946e..77dce09 100644 (file)
@@ -25,7 +25,9 @@ package sdlgoredis
 import (
        "errors"
        "fmt"
-       "github.com/go-redis/redis"
+       "github.com/go-redis/redis/v7"
+       "io"
+       "log"
        "os"
        "strconv"
        "strings"
@@ -34,6 +36,7 @@ import (
 )
 
 type ChannelNotificationCb func(channel string, payload ...string)
+type RedisClientCreator func(addr, port, clusterName string, isHa bool) RedisClient
 
 type intChannels struct {
        addChannel    chan string
@@ -46,12 +49,24 @@ type sharedCbMap struct {
        cbMap map[string]ChannelNotificationCb
 }
 
+type Config struct {
+       hostname        string
+       port            string
+       masterName      string
+       sentinelPort    string
+       clusterAddrList string
+       nodeCnt         string
+}
+
 type DB struct {
        client       RedisClient
+       sentinel     RedisSentinelCreateCb
        subscribe    SubscribeFn
        redisModules bool
        sCbMap       *sharedCbMap
        ch           intChannels
+       cfg          Config
+       addr         string
 }
 
 type Subscriber interface {
@@ -83,6 +98,18 @@ type RedisClient interface {
        EvalSha(sha1 string, keys []string, args ...interface{}) *redis.Cmd
        ScriptExists(scripts ...string) *redis.BoolSliceCmd
        ScriptLoad(script string) *redis.StringCmd
+       Info(section ...string) *redis.StringCmd
+}
+
+var dbLogger *log.Logger
+
+func init() {
+       dbLogger = log.New(os.Stdout, "database: ", log.LstdFlags|log.Lshortfile)
+       redis.SetLogger(dbLogger)
+}
+
+func SetDbLogger(out io.Writer) {
+       dbLogger.SetOutput(out)
 }
 
 func checkResultAndError(result interface{}, err error) (bool, error) {
@@ -118,9 +145,10 @@ func subscribeNotifications(client RedisClient, channels ...string) Subscriber {
        return client.Subscribe(channels...)
 }
 
-func CreateDB(client RedisClient, subscribe SubscribeFn) *DB {
+func CreateDB(client RedisClient, subscribe SubscribeFn, sentinelCreateCb RedisSentinelCreateCb, cfg Config, sentinelAddr string) *DB {
        db := DB{
                client:       client,
+               sentinel:     sentinelCreateCb,
                subscribe:    subscribe,
                redisModules: true,
                sCbMap:       &sharedCbMap{cbMap: make(map[string]ChannelNotificationCb, 0)},
@@ -129,46 +157,112 @@ func CreateDB(client RedisClient, subscribe SubscribeFn) *DB {
                        removeChannel: make(chan string),
                        exit:          make(chan bool),
                },
+               cfg:  cfg,
+               addr: sentinelAddr,
        }
 
        return &db
 }
 
-func Create() *DB {
-       var client *redis.Client
-       hostname := os.Getenv("DBAAS_SERVICE_HOST")
-       if hostname == "" {
-               hostname = "localhost"
-       }
-       port := os.Getenv("DBAAS_SERVICE_PORT")
-       if port == "" {
-               port = "6379"
-       }
-       sentinelPort := os.Getenv("DBAAS_SERVICE_SENTINEL_PORT")
-       masterName := os.Getenv("DBAAS_MASTER_NAME")
-       if sentinelPort == "" {
-               redisAddress := hostname + ":" + port
-               client = redis.NewClient(&redis.Options{
-                       Addr:       redisAddress,
-                       Password:   "", // no password set
-                       DB:         0,  // use default DB
-                       PoolSize:   20,
-                       MaxRetries: 2,
-               })
+func Create() []*DB {
+       osimpl := osImpl{}
+       return ReadConfigAndCreateDbClients(osimpl, newRedisClient, subscribeNotifications, newRedisSentinel)
+}
+
+func readConfig(osI OS) Config {
+       cfg := Config{
+               hostname:        osI.Getenv("DBAAS_SERVICE_HOST", "localhost"),
+               port:            osI.Getenv("DBAAS_SERVICE_PORT", "6379"),
+               masterName:      osI.Getenv("DBAAS_MASTER_NAME", ""),
+               sentinelPort:    osI.Getenv("DBAAS_SERVICE_SENTINEL_PORT", ""),
+               clusterAddrList: osI.Getenv("DBAAS_CLUSTER_ADDR_LIST", ""),
+               nodeCnt:         osI.Getenv("DBAAS_NODE_COUNT", "1"),
+       }
+       return cfg
+}
+
+type OS interface {
+       Getenv(key string, defValue string) string
+}
+
+type osImpl struct{}
+
+func (osImpl) Getenv(key string, defValue string) string {
+       val := os.Getenv(key)
+       if val == "" {
+               val = defValue
+       }
+       return val
+}
+
+func ReadConfigAndCreateDbClients(osI OS, clientCreator RedisClientCreator,
+       subscribe SubscribeFn,
+       sentinelCreateCb RedisSentinelCreateCb) []*DB {
+       cfg := readConfig(osI)
+       return createDbClients(cfg, clientCreator, subscribe, sentinelCreateCb)
+}
+
+func createDbClients(cfg Config, clientCreator RedisClientCreator,
+       subscribe SubscribeFn,
+       sentinelCreateCb RedisSentinelCreateCb) []*DB {
+       if cfg.clusterAddrList == "" {
+               return []*DB{createLegacyDbClient(cfg, clientCreator, subscribe, sentinelCreateCb)}
+       }
+
+       dbs := []*DB{}
+
+       addrList := strings.Split(cfg.clusterAddrList, ",")
+       for _, addr := range addrList {
+               db := createDbClient(cfg, addr, clientCreator, subscribe, sentinelCreateCb)
+               dbs = append(dbs, db)
+       }
+       return dbs
+}
+
+func createLegacyDbClient(cfg Config, clientCreator RedisClientCreator,
+       subscribe SubscribeFn,
+       sentinelCreateCb RedisSentinelCreateCb) *DB {
+       return createDbClient(cfg, cfg.hostname, clientCreator, subscribe, sentinelCreateCb)
+}
+
+func createDbClient(cfg Config, hostName string, clientCreator RedisClientCreator,
+       subscribe SubscribeFn,
+       sentinelCreateCb RedisSentinelCreateCb) *DB {
+       var client RedisClient
+       var db *DB
+       if cfg.sentinelPort == "" {
+               client = clientCreator(hostName, cfg.port, "", false)
+               db = CreateDB(client, subscribe, nil, cfg, hostName)
        } else {
-               sentinelAddress := hostname + ":" + sentinelPort
-               client = redis.NewFailoverClient(&redis.FailoverOptions{
-                       MasterName:    masterName,
-                       SentinelAddrs: []string{sentinelAddress},
-                       PoolSize:      20,
-                       MaxRetries:    2,
-               })
-       }
-       db := CreateDB(client, subscribeNotifications)
+               client = clientCreator(hostName, cfg.sentinelPort, cfg.masterName, true)
+               db = CreateDB(client, subscribe, sentinelCreateCb, cfg, hostName)
+       }
        db.CheckCommands()
        return db
 }
 
+func newRedisClient(addr, port, clusterName string, isHa bool) RedisClient {
+       if isHa == true {
+               sentinelAddress := addr + ":" + port
+               return redis.NewFailoverClient(
+                       &redis.FailoverOptions{
+                               MasterName:    clusterName,
+                               SentinelAddrs: []string{sentinelAddress},
+                               PoolSize:      20,
+                               MaxRetries:    2,
+                       },
+               )
+       }
+       redisAddress := addr + ":" + port
+       return redis.NewClient(&redis.Options{
+               Addr:       redisAddress,
+               Password:   "", // no password set
+               DB:         0,  // use default DB
+               PoolSize:   20,
+               MaxRetries: 2,
+       })
+}
+
 func (db *DB) CheckCommands() {
        commands, err := db.client.Command().Result()
        if err == nil {
@@ -181,7 +275,7 @@ func (db *DB) CheckCommands() {
                        }
                }
        } else {
-               fmt.Println(err)
+               dbLogger.Printf("SDL DB commands checking failure: %s\n", err)
        }
 }
 
@@ -229,7 +323,7 @@ func (db *DB) SubscribeChannelDB(cb func(string, ...string), channelPrefix, even
                                case exit := <-ch.exit:
                                        if exit {
                                                if err := sub.Close(); err != nil {
-                                                       fmt.Println(err)
+                                                       dbLogger.Printf("SDL DB channel closing failure: %s\n", err)
                                                }
                                                return
                                        }
@@ -393,6 +487,81 @@ func (db *DB) PTTL(key string) (time.Duration, error) {
        return result, err
 }
 
+func (db *DB) Info() (*DbInfo, error) {
+       var info DbInfo
+       resultStr, err := db.client.Info("all").Result()
+       if err != nil {
+               return &info, err
+       }
+
+       result := strings.Split(strings.ReplaceAll(resultStr, "\r\n", "\n"), "\n")
+       err = readRedisInfoReplyFields(result, &info)
+       return &info, err
+}
+
+func readRedisInfoReplyFields(input []string, info *DbInfo) error {
+       for _, line := range input {
+               if idx := strings.Index(line, "role:"); idx != -1 {
+                       roleStr := line[idx+len("role:"):]
+                       if roleStr == "master" {
+                               info.Fields.PrimaryRole = true
+                       }
+               } else if idx := strings.Index(line, "connected_slaves:"); idx != -1 {
+                       cntStr := line[idx+len("connected_slaves:"):]
+                       cnt, err := strconv.ParseUint(cntStr, 10, 32)
+                       if err != nil {
+                               return fmt.Errorf("Info reply error: %s", err.Error())
+                       }
+                       info.Fields.ConnectedReplicaCnt = uint32(cnt)
+               }
+       }
+       return nil
+}
+
+func (db *DB) State() (*DbState, error) {
+       dbState := new(DbState)
+       if db.cfg.sentinelPort != "" {
+               //Establish connection to Redis sentinel. The reason why connection is done
+               //here instead of time of the SDL instance creation is that for the time being
+               //sentinel connection is needed only here to get state information and
+               //state information is needed only by 'sdlcli' hence it is not time critical
+               //and also we want to avoid opening unnecessary TCP connections towards Redis
+               //sentinel for every SDL instance. Now it is done only when 'sdlcli' is used.
+               sentinelClient := db.sentinel(&db.cfg, db.addr)
+               return sentinelClient.GetDbState()
+       } else {
+               info, err := db.Info()
+               if err != nil {
+                       dbState.PrimaryDbState.Err = err
+                       return dbState, err
+               }
+               return db.fillDbStateFromDbInfo(info)
+       }
+}
+
+func (db *DB) fillDbStateFromDbInfo(info *DbInfo) (*DbState, error) {
+       var dbState DbState
+       if info.Fields.PrimaryRole == true {
+               dbState = DbState{
+                       PrimaryDbState: PrimaryDbState{
+                               Fields: PrimaryDbStateFields{
+                                       Role:  "master",
+                                       Flags: "master",
+                               },
+                       },
+               }
+       }
+
+       cnt, err := strconv.Atoi(db.cfg.nodeCnt)
+       if err != nil {
+               dbState.Err = fmt.Errorf("DBAAS_NODE_COUNT configuration value '%s' conversion to integer failed", db.cfg.nodeCnt)
+       } else {
+               dbState.ConfigNodeCnt = cnt
+       }
+
+       return &dbState, dbState.Err
+}
+
 var luaRefresh = redis.NewScript(`if redis.call("get", KEYS[1]) == ARGV[1] then return redis.call("pexpire", KEYS[1], ARGV[2]) else return 0 end`)
 
 func (db *DB) PExpireIE(key string, data interface{}, expiration time.Duration) error {