c# – ConnectionMultiplexer如何处理断开连接?

前端之家收集整理的这篇文章主要介绍了c# – ConnectionMultiplexer如何处理断开连接?前端之家小编觉得挺不错的,现在分享给大家,也给大家做个参考。
StackExchange.Redis的 Basic Usage文档解释说,ConnectionMultiplexer是长期存在的,预计将被重用.

但是当与服务器的连接断开时呢? ConnectionMultiplexer会自动重新连接,还是需要按照this answer(引用答案)编写代码

if (RedisConnection == null || !RedisConnection.IsConnected)
        {
            RedisConnection = ConnectionMultiplexer.Connect(...);
        }
        RedisCacheDb = RedisConnection.GetDatabase();

上述代码是否有助于从断开连接中处理恢复,还是会实际产生多个ConnectionMultiplexer实例?同样的,IsConnected属性应如何解释?

[旁白:我相信上面的代码是一个非常糟糕的懒惰初始化形式,特别是在多线程环境中 – 参见Jon Skeet’s article on Singletons].

解决方法

这是 pattern recommended by the Azure Redis Cache team
private static Lazy<ConnectionMultiplexer> lazyConnection = new Lazy<ConnectionMultiplexer>(() => {
    return ConnectionMultiplexer.Connect("mycache.redis.cache.windows.net,abortConnect=false,ssl=true,password=...");
});

public static ConnectionMultiplexer Connection {
    get {
        return lazyConnection.Value;
    }
}

几点要点:

>它使用Lazy< T>处理线程安全初始化>它设置“abortConnect = false”,这意味着如果初始连接尝试失败,ConnectionMultiplexer将在后台静默重试而不是抛出异常.>它不检查IsConnected属性,因为如果连接被删除,ConnectionMultiplexer会在后台自动重试.

原文链接:https://www.f2er.com/csharp/96945.html

猜你在找的C#相关文章