asp.net mvc 用Redis实现分布式集群共享Session
jopen
9年前
1、这两天研究Redis搞分布式session问题,网上找的资料都是用ServiceStack.Redis来实现的,但是在做性能测试的时候发现最新的 v4版本有限制每小时候最多请求6000次,因为官网开始商业化要收费了,好坑爹的说,还好我前期弄了个性能测试列子,不然上线以后出问题那就麻烦了。后面找了个NServiceKit.Redis(好像就是ServiceStack.Redis的v3版本)来替代v4的收费版。
2、解决方案是 Redis+cookie方式实现记录用户登录状态
cookie:存放用户的ID,这个ID是经过加密的,并且后台可以通过密钥解密。
Redis:key/value 方式存储,key存放比如:user_1。 value存放用户实体对象。
3、先安装一个Redis,windows的版本在本地进行测试,后期上线更换linux系统的Redis替换一下ip就可以了。
4、添加一个Session管理类
public class SessionHelper { private const int secondsTimeOut = 60 * 20; public RedisHelper Redis = new RedisHelper(false); public LoginUserInfo this[string key] { get { string webCookie = WebHelper.GetCookie(key); if (webCookie == "") { return null; } key = key + "_" + SecureHelper.AESDecrypt(webCookie); long l = Redis.TTL(key); if (l >= 0) { Redis.Expire(key, secondsTimeOut); } return Redis.Get<LoginUserInfo>(key); } set { SetSession(key, value); } } public void SetSession(string key, LoginUserInfo value) { if (string.IsNullOrWhiteSpace(key)) { throw new Exception("Key is Null or Epmty"); } WebHelper.SetCookie(key, SecureHelper.AESEncrypt(value.ID.ToString())); key = key + "_" + value.ID; Redis.Set<LoginUserInfo>(key, value, secondsTimeOut); } public bool Remove(string key) { var rs = Redis.Remove(key + "_" + SecureHelper.AESDecrypt(WebHelper.GetCookie(key))); WebHelper.DeleteCookie(key); return rs; } }
5、Redis操作类
public class RedisHelper : IDisposable { private RedisClient Redis = new RedisClient("127.0.0.1", 6379); PooledRedisClientManager prcm = new PooledRedisClientManager(); public int secondsTimeOut = 20 * 60; public static PooledRedisClientManager CreateManager(string[] readWriteHosts, string[] readOnlyHosts) { return new PooledRedisClientManager(readWriteHosts, readOnlyHosts, new RedisClientManagerConfig { MaxWritePoolSize = readWriteHosts.Length * 5, MaxReadPoolSize = readOnlyHosts.Length * 5, AutoStart = true, }); } public RedisHelper(bool OpenPooledRedis = false) { if (OpenPooledRedis) { prcm = CreateManager(new string[] { "127.0.0.1:6379" }, new string[] { "127.0.0.1:6379" }); Redis = prcm.GetClient() as RedisClient; } } public long TTL(string key) { return Redis.Ttl(key); } public void Expire(string key,int timeout = 0) { if (timeout >= 0) { if (timeout > 0) { secondsTimeOut = timeout; } Redis.Expire(key, secondsTimeOut); } } #region Key/Value存储 public bool Set<T>(string key, T t, int timeout = 0) { Redis.Set<T>(key, t); if (timeout >= 0) { if (timeout > 0) { secondsTimeOut = timeout; } Redis.Expire(key, secondsTimeOut); } return true; } public T Get<T>(string key) { return Redis.Get<T>(key); } public bool Remove(string key) { return Redis.Remove(key); } #endregion public void Dispose() { if (Redis != null) { Redis.Dispose(); Redis = null; } GC.Collect(); } }