我有一个用户报告,当他们使用后退按钮返回到他们作为不同的人回来的网页时。看起来他们可能正在访问不同的用户个人资料。
以下是代码的重要部分:
//here's the code on the web page
public static WebProfile p = null;
protected void Page_Load(object sender, EventArgs e)
{
p = ProfileController.GetWebProfile();
if (!this.IsPostBack)
{
PopulateForm();
}
}
//here's the code in the "ProfileController" (probably misnamed)
public static WebProfile GetWebProfile()
{
//get shopperID from cookie
string mscsShopperID = GetShopperID();
string userName = new tpw.Shopper(Shopper.Columns.ShopperId, mscsShopperID).Email;
p = WebProfile.GetProfile(userName);
return p;
}
我正在使用静态方法和static WebProfile
因为我需要在static WebMethod
(ajax pageMethod
)中使用配置文件对象。
我将WebProfile
对象更改为static
对象的原因是因为我需要访问[WebMethod]
内的配置文件对象(从页面上的javascript调用)。
[WebMethod]
内访问个人资料对象? 答案 0 :(得分:1)
静态对象在应用程序的所有实例之间共享,因此如果您更改静态对象的值,则该更改将反映在访问该对象的应用程序的所有实例中。因此,如果您的Web配置文件由另一个线程(即访问页面的第二个用户)重新分配,您为当前用户设置它,它将包含与您期望的不同的信息。
要解决此问题,您的代码应如下所示:
public WebProfile p = null;
protected void Page_Load(object sender, EventArgs e)
{
p = ProfileController.GetWebProfile();
if (!this.IsPostBack)
{
PopulateForm();
}
}
public static WebProfile GetWebProfile()
{
//get shopperID from cookie
string mscsShopperID = GetShopperID();
string userName = new tpw.Shopper(Shopper.Columns.ShopperId, mscsShopperID).Email;
return WebProfile.GetProfile(userName);
}
请注意,尚未设置静态对象,并且应将返回值分配给调用方法中Web配置文件类的NON STATIC实例。
另一种选择是在你使用的整个时间内锁定你的静态变量,但这会导致性能严重下降,因为锁将阻止对资源的任何其他请求,直到当前锁定线程完成 - 这不是一个好的在网络应用程序中的东西。
答案 1 :(得分:1)
@Geri
如果用户的配置文件不经常更改,您可以选择将其存储在当前的会话状态中。这将引入一些内存开销,但取决于配置文件的大小和同时用户的数量,这可能是一个非问题。你会做类似的事情:
public WebProfile p = null;
private readonly string Profile_Key = "CurrentUserProfile"; //Store this in a config or suchlike
protected void Page_Load(object sender, EventArgs e)
{
p = GetProfile();
if (!this.IsPostBack)
{
PopulateForm();
}
}
public static WebProfile GetWebProfile() {} // Unchanged
private WebProfile GetProfile()
{
if (Session[Profile_Key] == null)
{
WebProfile wp = ProfileController.GetWebProfile();
Session.Add(Profile_Key, wp);
}
else
return (WebProfile)Session[Profile_Key];
}
[WebMethod]
public MyWebMethod()
{
WebProfile wp = GetProfile();
// Do what you need to do with the profile here
}
这样可以在必要时从会话中检索配置文件状态,并且应该满足对静态变量的需求。