溫馨提示×

溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊×
其他方式登錄
點擊 登錄注冊 即表示同意《億速云用戶服務(wù)條款》

怎么使用redis實現(xiàn)session功能

發(fā)布時間:2021-02-23 12:17:20 來源:億速云 閱讀:195 作者:小新 欄目:關(guān)系型數(shù)據(jù)庫

這篇文章主要介紹怎么使用redis實現(xiàn)session功能,文中介紹的非常詳細,具有一定的參考價值,感興趣的小伙伴們一定要看完!

我們來簡單介紹下redis。

Redis(Remote Dictionary Server ),即遠程字典服務(wù),是一個開源的使用ANSI C語言編寫、支持網(wǎng)絡(luò)、可基于內(nèi)存亦可持久化的日志型、Key-Value數(shù)據(jù)庫,并提供多種語言的API。從2010年3月15日起,Redis的開發(fā)工作由VMware主持。從2013年5月開始,Redis的開發(fā)由Pivotal贊助。

1.與其他用戶狀態(tài)保存方案比較

一般開發(fā)中用戶狀態(tài)使用session或者cookie,兩種方式各種利弊。

Session:在InProc模式下容易丟失,并且引起并發(fā)問題。如果使用SQLServer或者SQLServer模式又消耗了性能

Cookie則容易將一些用戶信息暴露,加解密同樣也消耗了性能。

Redis采用這樣的方案解決了幾個問題,

1.Redis存取速度快。

2.用戶數(shù)據(jù)不容易丟失。

3.用戶多的情況下容易支持集群。

4.能夠查看在線用戶。

5.能夠?qū)崿F(xiàn)用戶一處登錄。(通過代碼實現(xiàn),后續(xù)介紹)

6.支持持久化。(當然可能沒什么用)

2.實現(xiàn)思路

1.我們知道session其實是在cookie中保存了一個sessionid,用戶每次訪問都將sessionid發(fā)給服務(wù)器,服務(wù)器通過ID查找用戶對應(yīng)的狀態(tài)數(shù)據(jù)。

在這里我的處理方式也是在cookie中定義一個sessionid,程序需要取得用戶狀態(tài)時將sessionid做為key在Redis中查找。

2.同時session支持用戶在一定時間不訪問將session回收。

借用Redis中Keys支持過期時間的特性支持這個功能,但是在續(xù)期方面需要程序自行攔截請求調(diào)用這個方法(demo有例子)

下面開始代碼說明

3.Redis調(diào)用接口

首先引用ServiceStack相關(guān)DLL。

在web.config添加配置,這個配置用來設(shè)置Redis調(diào)用地址每臺服務(wù)用【,】隔開。主機寫在第一位

<appSettings>

    <!--每臺Redis之間用,分割.第一個必須為主機-->
    <add key="SessionRedis" value="127.0.0.1:6384,127.0.0.1:6384"/>

</appSettings>

初始化配置

static Managers()
        {
            string sessionRedis= ConfigurationManager.AppSettings["SessionRedis"];
            string timeOut = ConfigurationManager.AppSettings["SessionRedisTimeOut"];

            if (string.IsNullOrEmpty(sessionRedis))
            {
                throw new Exception("web.config 缺少配置SessionRedis,每臺Redis之間用,分割.第一個必須為主機");
            }

            if (string.IsNullOrEmpty(timeOut)==false)
            {
                TimeOut = Convert.ToInt32(timeOut);
            }

            var host = sessionRedis.Split(char.Parse(","));
            var writeHost = new string[] { host[0] };
            var readHosts = host.Skip(1).ToArray();

            ClientManagers = new PooledRedisClientManager(writeHost, readHosts, new RedisClientManagerConfig
            {
                MaxWritePoolSize = writeReadCount,//“寫”鏈接池鏈接數(shù)
                MaxReadPoolSize = writeReadCount,//“讀”鏈接池鏈接數(shù)
                AutoStart = true
            });
        }

為了控制方面寫了一個委托

/// <summary>
        /// 寫入
        /// </summary>
        /// <typeparam name="F"></typeparam>
        /// <param name="doWrite"></param>
        /// <returns></returns>
        public F TryRedisWrite<F>(Func<IRedisClient, F> doWrite)
        {
            PooledRedisClientManager prcm = new Managers().GetClientManagers();
            IRedisClient client = null;
            try
            {
                using (client = prcm.GetClient())
                {
                    return doWrite(client);
                }
            }
            catch (RedisException)
            {
                throw new Exception("Redis寫入異常.Host:" + client.Host + ",Port:" + client.Port);
            }
            finally
            {
                if (client != null)
                {
                    client.Dispose();
                }
            }
        }

一個調(diào)用的例子其他的具體看源碼

/// <summary>
        /// 以Key/Value的形式存儲對象到緩存中
        /// </summary>
        /// <typeparam name="T">對象類別</typeparam>
        /// <param name="value">要寫入的集合</param>
        public void KSet(Dictionary<string, T> value)
        {
            Func<IRedisClient, bool> fun = (IRedisClient client) =>
            {
                client.SetAll<T>(value);
                return true;
            };

            TryRedisWrite(fun);
        }

4.實現(xiàn)Session

按上面說的給cookie寫一個sessionid

/// <summary>
    /// 用戶狀態(tài)管理
    /// </summary>
    public class Session
    {
        /// <summary>
        /// 初始化
        /// </summary>
        /// <param name="_context"></param>
        public Session(HttpContextBase _context)
        {
            var context = _context;
            var cookie = context.Request.Cookies.Get(SessionName);
            if (cookie == null || string.IsNullOrEmpty(cookie.Value))
            {
                SessionId = NewGuid();
                context.Response.Cookies.Add(new HttpCookie(SessionName, SessionId));
                context.Request.Cookies.Add(new HttpCookie(SessionName, SessionId));
            }
            else
            {
                SessionId = cookie.Value;
            }
        }

    }

去存取用戶的方法

/// <summary>
        /// 獲取當前用戶信息
        /// </summary>
        /// <typeparam name="T"></typeparam>
        /// <returns></returns>
        public object Get<T>() where T:class,new()
        {
            return new RedisClient<T>().KGet(SessionId);
        }

        /// <summary>
        /// 用戶是否在線
        /// </summary>
        /// <returns></returns>
        public bool IsLogin()
        {
            return new RedisClient<object>().KIsExist(SessionId);
        }

        /// <summary>
        /// 登錄
        /// </summary>
        /// <typeparam name="T"></typeparam>
        /// <param name="obj"></param>
        public void Login<T>(T obj) where T : class,new()
        {
            new RedisClient<T>().KSet(SessionId, obj, new TimeSpan(0, Managers.TimeOut, 0));
        }

6.續(xù)期

默認用戶沒訪問超過30分鐘注銷用戶的登錄狀態(tài),所以用戶每次訪問都要將用戶的注銷時間推遲30分鐘

這需要調(diào)用Redis的續(xù)期方法

/// <summary>
        /// 延期
        /// </summary>
        /// <param name="key"></param>
        /// <param name="expiresTime"></param>
        public void KSetEntryIn(string key, TimeSpan expiresTime)
        {
            Func<IRedisClient, bool> fun = (IRedisClient client) =>
            {
                client.ExpireEntryIn(key, expiresTime);
                return false;
            };

            TryRedisWrite(fun);
        }

封裝以后

/// <summary>
/// 續(xù)期
/// </summary>
public void Postpone()
{
new RedisClient<object>().KSetEntryIn(SessionId, new TimeSpan(0, Managers.TimeOut, 0));
}

這里我利用了MVC3中的ActionFilter,攔截用戶的所有請求

namespace Test
{
    public class SessionFilterAttribute : ActionFilterAttribute
    {
        /// <summary>
        /// 每次請求都續(xù)期
        /// </summary>
        /// <param name="filterContext"></param>
        public override void OnActionExecuting(ActionExecutingContext filterContext)
        {
            new Session(filterContext.HttpContext).Postpone();
        }
    }
}

在Global.asax中要注冊一下

public static void RegisterGlobalFilters(GlobalFilterCollection filters)
        {
            filters.Add(new SessionFilterAttribute());
        }

        protected void Application_Start()
        {
            RegisterGlobalFilters(GlobalFilters.Filters);
        }

5.調(diào)用方式

為了方便調(diào)用借用4.0中的新特性,把Controller添加一個擴展屬性

public static class ExtSessions
{public static Session SessionExt(this Controller controller)
    {
        return new Session(controller.HttpContext);
    }
}

調(diào)用方法:

public class HomeController : Controller
    {
        public ActionResult Index()
        {
            this.SessionExt().IsLogin();
            return View();
        }
    }

以上是“怎么使用redis實現(xiàn)session功能”這篇文章的所有內(nèi)容,感謝各位的閱讀!希望分享的內(nèi)容對大家有幫助,更多相關(guān)知識,歡迎關(guān)注億速云行業(yè)資訊頻道!

向AI問一下細節(jié)

免責聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點不代表本網(wǎng)站立場,如果涉及侵權(quán)請聯(lián)系站長郵箱:is@yisu.com進行舉報,并提供相關(guān)證據(jù),一經(jīng)查實,將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI