为什么会话ID在firefox中更改

时间:2011-03-20 08:08:41

标签: asp.net-mvc-2 firefox session uploadify sessionid

我使用uploadify上传我的文件,我想保存文件,我想在数据库中保存路径,所以我在会话中保存路径,在用户提交表单后。它适用于Internet Explorer,但在Firefox上由于会话ID的更改而无法正常工作。

如何解决这个问题?

1 个答案:

答案 0 :(得分:2)

uploadify插件不会发送cookie,因此服务器无法识别会话。实现此目的的一种可能方法是使用scriptData参数将sessionId包含为请求参数:

<script type="text/javascript">
    $(function () {
        $('#file').uploadify({
            uploader: '<%= Url.Content("~/Scripts/jquery.uploadify-v2.1.4/uploadify.swf") %>',
            script: '<%= Url.Action("Index") %>',
            folder: '/uploads',
            scriptData: { ASPSESSID: '<%= Session.SessionID %>' },
            auto: true
        });
    });
</script>

<% using (Html.BeginForm()) { %>
    <input id="file" name="file" type="file" />
    <input type="submit" value="Upload" />
<% } %>

这会将ASPSESSID参数与文件一起添加到请求中。接下来,我们需要在服务器上重建会话。这可以在Application_BeginRequest中的Global.asax方法中完成:

protected void Application_BeginRequest(object sender, EventArgs e)
{
    string sessionParamName = "ASPSESSID";
    string sessionCookieName = "ASP.NET_SessionId";

    if (HttpContext.Current.Request[sessionParamName] != null)
    {
        HttpCookie cookie = HttpContext.Current.Request.Cookies[sessionCookieName];
        if (null == cookie)
        {
            cookie = new HttpCookie(sessionCookieName);
        }
        cookie.Value = HttpContext.Current.Request[sessionParamName];
        HttpContext.Current.Request.Cookies.Set(cookie);
    }
}

最后,接收上传的控制器操作可以使用会话:

[HttpPost]
public ActionResult Index(HttpPostedFileBase fileData)
{
    // You could use the session here
    var foo = Session["foo"] as string;
    return View();
}