我有一个 C# Web 应用程序,它使用一个需要很长时间(2 分钟)才能初始化的组件(Progress Telerik Sitefinity CMS)。在此阶段访问该站点的用户将被重定向到每秒轮询状态的页面,直到初始化完成。(这是内置的 Sitefinity 行为)。
我在 Azure 应用服务中托管我的应用程序。如果我增加实例的数量(扩大规模),我的一些用户最终会在新节点仍在初始化时使用它。问题是,由于 Azure 添加的关联 cookie,它们停留在此节点上。
我想要亲和力,除非网站正在初始化。在这种情况下,我想删除 cookie 并进行投票。在那种情况下,我会被分配一个随机节点,因此会在几秒钟内找到一个初始化节点。
问题是:我如何实现这一目标?发生的大部分事情都是在 Sitefinity 中处理的,所以我求助于更改 global.asax 中的内容。它不起作用。我试图把它放在我的 global.asax.cs 中:
protected void Application_PreRequestHandlerExecute(object sender, EventArgs e)
{
var path = HttpContext.Current.Request.Url.AbsolutePath;
// "/sitefinity/status" is the page the client is redirected to
// "/appstatus" is used to poll initialization status
if (path == "/appstatus" || path == "/sitefinity/status")
{
// "ARRAffinity" is the Azure affinity cookie
Response.Cookies.Remove("ARRAffinity");
// just removing the cookie didn't work so i tried to override it
Response.Cookies.Add(new HttpCookie("ARRAffinity", "-") { HttpOnly = true });
// reportedly, this suppresses cookie adding by Azure
Response.Headers.Add("ARR-Disable-Session-Affinity", "true");
};
}
如何强制我的客户端到不同的节点?
编辑我想我在这里 找到了(部分)问题。
- 首先,请求“/”。这将返回 302 重定向,但也返回 ARRAffinity cookie。
- 然后,请求“/sitefinity/status”。ARR-Disable-Session-Affinity 和 cookie 都被剥离。这意味着,cookie 不会在客户端上清除。
- 轮询时,客户端已经拥有 cookie。所以用户永远不会被重定向到另一个节点。
所以这可能是问题所在。现在要解决它...
编辑
我遵循了 Vesselin Vassilevs 的建议并将其添加到我的站点配置文件中:
<appSettings>
<add key="sf:AppStatusPageResponseCode" value="503" />
</appSettings>
但是因为我仍然偶然到达了初始化节点,所以我还通过更改我的 global.asax.cs 来抑制 affinity cookie:
protected void Application_EndRequest(object sender, EventArgs e)
{
var httpCode = Response.StatusCode;
var isRedirectBackFromStatusPage = httpCode == 302 && Request.Url.AbsolutePath == "/sitefinity/status";
var isFinalSitefinityStatusPoll = httpCode == 404 && Request.Url.AbsolutePath == "/appstatus";
if (isRedirectBackFromStatusPage || isFinalSitefinityStatusPoll)
{
var cookie = Request.Cookies["ARRAffinity"];
if (cookie != null) Response.Cookies.Add(cookie);
return;
}
if (httpCode != 200 || !Response.ContentType.StartsWith("text/html"))
{
Response.Headers.Add("ARR-Disable-Session-Affinity", "true");
};
}