我需要在控制器中设置一个会话变量,发现有两种设置会话的方法,
首先是Session["SessionId"] = "Session Value";
第二个是System.Web.HttpContext.Current.Session["SessionId"] = "Session Value";
使用第一种方式时,我必须继承: System.Web.HttpApplication
。
所以我的控制器看起来像这样 - >
public class LoginControllerWithSession : System.Web.HttpApplication
{
public Boolean userLoginSetSession(string username)
{
Session["username"] = username;
}
}
我的web.config看起来像这样 - >
<system.web>
<sessionState mode="InProc">
<providers>
<remove name="Session" />
<add name="Session" type="System.Web.SessionState.SessionStateModule"
preCondition="" />
</providers>
</sessionState>
</system.web>
所以我遇到的问题是当Session["username"] = username;
运行时它会抛出异常:Session state is not available in this context.
如果我使用System.Web.HttpContext.Current.Session
的另一种方式,它会抛出一个空指针异常。我不明白我错过了什么。我发现研究的一切都说只使用第一种方法:Session["SessionId"] = "Session Value";
这应该有用,但它对我没有用。我猜测我错过了一些配置或其他什么。任何帮助将不胜感激。提前谢谢!
答案 0 :(得分:1)
您的控制器确实应该继承自 Controller 。我做了什么才能轻松地构建 Session ,而不会有太多复杂性。我建立了以下内容:
public class Storage
{
public void SessionAdd(string label, string content)
{
if(string.IsNullOrEmpty(label) || string.IsNullOrEmpty(content))
return;
HttpContext.Current.Session.Add(label, content);
}
public void SessionPurge()
{
var context = HttpContext.Current;
if(context.Session != null)
context.Session.Clear();
}
}
这是一个简单的示例,但您的 Class 将使用System.Web 访问 。哪个能够正确关联会话。这是一个例子 -
重要提示:为模型视图控制器构建会话时,您应该谨慎。它基于无状态的前提。因此,添加会话可能非常难以跟踪,因此您最终可能会遇到可能导致潜在问题的流氓会话变量。因此,请确保您的应用程序考虑到这一潜力,并非常仔细地跟踪它们。
希望这可以帮助你。
答案 1 :(得分:0)
所以我找到了解决问题的方法。我将使用正确的代码显示两个不同的文件,以使System.Web.HttpContext.Current.Session["SessionId"] = "Session Value";
能够正常工作。
这是我的WebApiConfig文件,位于App_Start文件夹中:
public static class WebApiConfig
{
public static string UrlPrefix { get { return "api"; } }
public static string UrlPrefixRelative { get { return "~/api"; } }
public static void Register(HttpConfiguration config)
{
config.Routes.MapHttpRoute(
name: "DefaultApi",
routeTemplate: WebApiConfig.UrlPrefix + "/{controller}/{id}",
defaults: new { id = RouteParameter.Optional }
);
}
}
这是Global.asax文件:
public class WebApiApplication : System.Web.HttpApplication
{
protected void Application_Start()
{
// starter code here
}
protected void Application_PostAuthorizeRequest()
{
if (IsWebApiRequest())
{
HttpContext.Current.SetSessionStateBehavior(SessionStateBehavior.Required);
}
}
private bool IsWebApiRequest()
{
return HttpContext.Current.Request.AppRelativeCurrentExecutionFilePath.StartsWith(WebApiConfig.UrlPrefixRelative);
}
}
Application_PostAuthorizeRequest和IsWebApiRequest对于使用HttpContext.Current
至关重要。如果没有global.asax中的这些方法,则HttpContext.Current.Session
将始终以空指针异常中断。
我希望这可以帮助任何遇到同样问题的人,因为Session总是会抛出空指针。