我正在设计一个使用 Redis 作为数据库的 Web 服务,我想知道使用 Redis 连接 StackService 客户端的最佳实践。
关键是我一直在阅读有关 Redis 的文章,我发现与服务器交互的最佳方式是使用单个并发连接。
问题是,尽管每次 Web 客户端向 Web 服务发出请求时我都使用PooledRedisClientManager ,但我得到了一个与 redis 服务器连接的客户端(打开的连接),并且连接客户端的数量会增加而不会限制消耗更多和更多的记忆。
示例“故障”代码:
PooledRedisClientManager pooledClientManager = new PooledRedisClientManager("localhost");
var redisClient = pooledClientManager.GetClient();
using (redisClient)
{
redisClient.Set("key1", "value1");
}
我为解决这个问题所做的是创建一个使用静态变量实现单例模式的类RedisClient
;如果redisClient
未初始化,则创建一个新的,如果是,则返回已初始化的。
解决方案:
public class CustomRedisPooledClient
{
private static CustomRedisPooledClient _instance = null;
public RedisClient redisClient = null;
// Objeto sincronización para hacer el Lock
private static object syncLock = new object();
private CustomRedisPooledClient()
{
redisClient = new RedisClient("localhost");
}
public static CustomRedisPooledClient GetPooledClient()
{
if (_instance == null)
{
lock (syncLock)
{
if (_instance == null)
{
_instance = new CustomRedisPooledClient();
}
}
}
return _instance;
}
}
CustomRedisPooledClient customRedisPooledClient = CustomRedisPooledClient.GetPooledClient();
using (customRedisPooledClient.redisClient)
{
customRedisPooledClient.redisClient.Set("key1", "value1");
}
这是一个好习惯吗?
先感谢您!