获取ASP.NET中所有活动会话的列表

lnlaulya  于 2023-02-01  发布在  .NET
关注(0)|答案(3)|浏览(106)

我知道哪个用户登录了下面的代码行:

Session["loggedInUserId"] = userId;

我的问题是如何知道哪些用户已登录,以便其他用户可以看到哪些用户当前已登录。
换句话说,我可以获得所有活动的“loggedInUserId”会话吗?

js4nwp54

js4nwp541#

我没有尝试rangitatanz解决方案,但我使用了另一种方法,它对我来说工作得很好。

private List<String> getOnlineUsers()
    {
        List<String> activeSessions = new List<String>();
        object obj = typeof(HttpRuntime).GetProperty("CacheInternal", BindingFlags.NonPublic | BindingFlags.Static).GetValue(null, null);
        object[] obj2 = (object[])obj.GetType().GetField("_caches", BindingFlags.NonPublic | BindingFlags.Instance).GetValue(obj);
        for (int i = 0; i < obj2.Length; i++)
        {
            Hashtable c2 = (Hashtable)obj2[i].GetType().GetField("_entries", BindingFlags.NonPublic | BindingFlags.Instance).GetValue(obj2[i]);
            foreach (DictionaryEntry entry in c2)
            {
                object o1 = entry.Value.GetType().GetProperty("Value", BindingFlags.NonPublic | BindingFlags.Instance).GetValue(entry.Value, null);
                if (o1.GetType().ToString() == "System.Web.SessionState.InProcSessionState")
                {
                    SessionStateItemCollection sess = (SessionStateItemCollection)o1.GetType().GetField("_sessionItems", BindingFlags.NonPublic | BindingFlags.Instance).GetValue(o1);
                    if (sess != null)
                    {
                        if (sess["loggedInUserId"] != null)
                        {
                            activeSessions.Add(sess["loggedInUserId"].ToString());
                        }
                    }
                }
            }
        }
        return activeSessions;
    }
3wabscal

3wabscal2#

此页中列出了解决方案List all active ASP.NET Sessions

private static List<string> _sessionInfo;
private static readonly object padlock = new object();

public static List<string> Sessions
{
        get
        {
            lock (padlock)
            {
                if (_sessionInfo == null)
                {
                    _sessionInfo = new List<string>();
                }
                return _sessionInfo;
            }
        }
  }

    protected void Session_Start(object sender, EventArgs e)
    {
        Sessions.Add(Session.SessionID);
    }
    protected void Session_End(object sender, EventArgs e)
    {
        Sessions.Remove(Session.SessionID);
    }

基本上它只是跟踪会话到一个列表中,你可以用它来找出有关的信息。可以真正存储任何你真正想要的东西-用户名或任何东西。
我不认为在ASP.NET层已经有这样的东西了?

des4xlb0

des4xlb03#

foreach (var item in Session.Contents)
{Response.Write(item + " : " + Session[(string)item] + "<br>");}

相关问题