缓存模块

beego 的 cache 模块是用来做数据缓存的,设计思路来自于 database/sql,目前支持 file、memcache、memory 和 redis 四种引擎,安装方式如下:

go get github.com/beego/beego/v2/client/cache

如果你使用memcache 或者 redis 驱动就需要手工安装引入包

go get -u github.com/beego/beego/v2/client/cache/memcache

而且需要在使用的地方引入包

import _ "github.com/beego/beego/v2/client/cache/memcache"

使用入门

首先引入包:

import (
    "github.com/beego/beego/v2/client/cache"
)

然后初始化一个全局变量对象:

bm, err := cache.NewCache("memory", `{"interval":60}`)

然后我们就可以使用bm增删改缓存:

bm.Put(context.TODO(), "astaxie", 1, 10*time.Second)
bm.Get(context.TODO(), "astaxie")
bm.IsExist(context.TODO(), "astaxie")
bm.Delete(context.TODO(), "astaxie")

第一个参数是 Go 语言的context。我们引入context参数,是为了能够支持可观测性(tracing, metrics)

引擎设置

目前支持四种不同的引擎,接下来分别介绍这四种引擎如何设置:

  • memory

配置信息如下所示,配置的信息表示 GC 的时间,表示每隔 60s 会进行一次过期清理:

  {"interval":60}
  • file

配置信息如下所示:

//CachePath 表示 缓存的文件目录
//FileSuffix 表示 文件后缀
//DirectoryLevel 表示 目录层级
//EmbedExpiry 表示 过期设置
{"CachePath":"./cache", "FileSuffix":".cache", "DirectoryLevel":"2", "EmbedExpiry":"120"}
  • redis

配置信息如下所示,redis 采用了库 redigo:

//key: Redis collection 的名称
//conn: Redis 连接信息
//dbNum: 连接 Redis 时的 DB 编号. 默认是0.
//password: 用于连接有密码的 Redis 服务器.
{"key":"collectionName","conn":":6039","dbNum":"0","password":"thePassWord"}
  • memcache

配置信息如下所示,memcache 采用了 vitess的库,表示 memcache 的连接地址:

  {"conn":"127.0.0.1:11211"}

开发自己的引擎

cache 模块采用了接口的方式实现,因此用户可以很方便的实现接口,然后注册就可以实现自己的 Cache 引擎:

type Cache interface {
    // Get a cached value by key.
    Get(ctx context.Context, key string) (interface{}, error)
    // GetMulti is a batch version of Get.
    GetMulti(ctx context.Context, keys []string) ([]interface{}, error)
    // Set a cached value with key and expire time.
    Put(ctx context.Context, key string, val interface{}, timeout time.Duration) error
    // Delete cached value by key.
    Delete(ctx context.Context, key string) error
    // Increment a cached int value by key, as a counter.
    Incr(ctx context.Context, key string) error
    // Decrement a cached int value by key, as a counter.
    Decr(ctx context.Context, key string) error
    // Check if a cached value exists or not.
    IsExist(ctx context.Context, key string) (bool, error)
    // Clear all cache.
    ClearAll(ctx context.Context) error
    // Start gc routine based on config string settings.
    StartAndGC(config string) error
}

用户开发完毕在最后写类似这样的:

func init() {
    cache.Register("myowncache", NewOwnCache())
}