我有下面详细介绍的测试工具。该页面上有两个标签,它们设置在page_load内,由于updatepanel和timer的缘故,该标签每秒被点击一次。

Label1设置为存储在缓存中的日期时间值。 Label2设置为当前日期时间。

从现在起,缓存的绝对过期时间设置为5秒,并且缓存上有一个更新回调,可以重新设置日期时间并使它在另外5秒钟内有效。

我的问题是我看到缓存每20秒更新一次,而不是我期望的每5秒更新一次。如果我将时间设置为30秒,则每40秒更新一次。

这似乎表明缓存将仅每20秒过期一次。有人知道减少这种时间的方法吗?如果我仅在5秒钟后没有任何回调的情况下插入缓存,则它将按我期望的那样工作,每5秒钟将其删除。

ASPX:

<%@ Page Language="C#" AutoEventWireup="true" CodeBehind="CacheTest.aspx.cs" Inherits="CacheTest" %>

<!DOCTYPE html PUBLIC "-//W3C//DTD XHTML 1.0 Transitional//EN" "http://www.w3.org/TR/xhtml1/DTD/xhtml1-transitional.dtd">

<html xmlns="http://www.w3.org/1999/xhtml" >
<head runat="server">
    <title>Cache Test</title>
</head>
<body>
    <form id="form1" runat="server">
    <div>
        <asp:ScriptManager ID="ScriptManager1" runat="server" />
        <asp:UpdatePanel ID="UpdatePanel1" runat="server">
            <ContentTemplate>
                <asp:Label ID="Label1" runat="server" Text="" />
                <br />
                <asp:Label ID="Label2" runat="server" Text="" />
                <asp:Timer ID="Timer1" Interval="1000" runat="server" />
            </ContentTemplate>
        </asp:UpdatePanel>
    </div>
    </form>
</body>
</html>

后面的代码:
using System;
using System.Web;
using System.Web.Caching;
using System.Web.UI;
using System.Web.UI.WebControls;

public partial class CacheTest : System.Web.UI.Page
{
    protected void Page_Load(object sender, EventArgs e)
    {
        DateTime CachedDateTime = (DateTime)(Cache["DateTime"] ?? DateTime.MinValue);
        if (CachedDateTime == DateTime.MinValue)
        {
            CachedDateTime = System.DateTime.Now;
            Cache.Insert("DateTime", CachedDateTime, null, DateTime.Now.AddSeconds(5), Cache.NoSlidingExpiration, CacheDateTimeUpdateCallback);
        }
        Label1.Text = CachedDateTime.ToString();
        Label2.Text = DateTime.Now.ToString();
    }

    private void CacheDateTimeUpdateCallback(string key, CacheItemUpdateReason cacheItemUpdateReason, out object value, out CacheDependency dependencies, out DateTime absoluteExipriation, out TimeSpan slidingExpiration)
    {
        value = System.DateTime.Now;
        dependencies = null;
        absoluteExipriation = DateTime.Now.AddSeconds(5);
        slidingExpiration = Cache.NoSlidingExpiration;
    }
}

最佳答案

您发布的代码的一个问题是您要在回调方法中将DateTime放入缓存中,但要在Page_Load中检查Nullable<DateTime>

话虽如此,这不是问题。快速浏览Reflector之后,它看起来像是Cache实现的一个怪癖:使用回调时,将从每20秒运行一次的Timer中调用该回调。

我推测原因是与可重入性有关。没有什么可以阻止您从回调方法内部访问缓存的。而且,在尝试删除某项内容的过程中这样做可能并不安全(例如,如果您尝试在删除某项内容的过程中访问缓存项,则可能存在无限循环)。

因此,当您有一个回调时,该实现将推迟删除缓存项,直到其计时器运行。

关于c# - Asp.Net-具有缓存更新回调的缓存的绝对到期时间可以小于20秒吗?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/2103729/

10-17 02:21