[Go] redis库使用
目录
环境
- redis库:github.com/redis/go-redis/v9
需求
使用redis存储Unity Meta guid信息,用于提交svn时检查guid是否存在,如存在则禁止提交svn。
redis键设计
- key/value- key为guid,path为Unity资源文件路径(主要用于查询guid是否存在)
 
- hash- key为path的md5值,value有guid、path,图片textureType(主要用于删除,因svn hook在delete时无法读取文件内容,所以使用的path)
 
实现
- global.go
package global
import (
	"github.com/redis/go-redis/v9"
)
var (
	Redis *redis.Client
)
- main.go片段
// Redis连接
func initRedis() *redis.Client {
	rdb := redis.NewClient(&redis.Options{
		Addr:     "127.0.0.1:6379",
		Password: "",
		DB:       0,
	})
	result := rdb.Ping(context.Background())
	log.Println("redis ping:", result.Val())
	if result.Val() != "PONG" {
		return nil
	}
	return rdb
}
func main() {
	  global.Redis = initRedis()
}
- Redis调用示例
// Gin中使用Redis Get
func assetMapGetByGuid(c *gin.Context) {
	guid := c.Query("guid")
	result, err := global.Redis.Get(c, guid).Result()
	if err == redis.Nil {
		c.JSON(200, gin.H{"code": 1003, "msg": "guid not exists"})
		return
	} else if err != nil {
		c.JSON(200, gin.H{"code": 1001, "msg": err.Error()})
		return
	}
	c.JSON(200, gin.H{"code": 1002, "msg": "guid exists", "path": result})
}
// Redis Set示例
global.Redis.Set(c, guid, assetPath, 0)
// Redis HSet示例
data := make(map[string]interface{}, 2)
data["guid"] = guid
data["textureType"] = 5
global.Redis.HSet(c, pathKey, data)
// Redis HGet示例
global.Redis.HGet(c, pathKey, "guid").Result()
// Redis Del示例
global.Redis.Del(c, guid)
// Redis pipeline用法
// 如下代码相当于将两个命令一次发给redis server执行,使用Pipeline能减少一次RTT。
pipe := global.Redis.Pipeline()
pipe.Del(c, guid)
pipe.Del(c, pathKey)
ret, err := pipe.Exec(c)
fmt.Println(ret, err)
现在就用到Redis常用功能,更多用法移步Github
| 更新日期 | 说明 | 
|---|---|
| 2023-02-25 | 切换至v9,Go-Redis 现已成为官方 Redis 客户端 |