ASP.NET教程:数据缓存和输出缓存(3)

http://www.itjxue.com  2015-07-17 01:59  来源:未知  点击次数: 

缓存配置文件(Cache Profile )

web.config可以配置缓存相关的设置,

<system.web>
  <caching>
    <outputCacheSettings>
      <outputCacheProfiles>
        <addname="ProductItemCacheProfile" duration="60"/>
      </outputCacheProfiles>
    </outputCacheSettings>
  </caching>
</system.web>

你可以通过设置 CacheProfile=”ProfileName” 属性 来使用上面的配置:

<%@OutputCacheCacheProfile="ProductItemCacheProfile"VaryByParam="None"%>

2. 数据缓存(Data Caching)

ASP.NET还提供了另一种灵活的缓存类型:数据缓存。你可以将一些耗费时间的条目加入到一个对象缓存集合中,以键值的方式存储。

Cache["Name"] = data;

我们可以通过使用Cache.Insert()方法来设置缓存的过期,优先级,依赖项等。

date1 = DateTime.Now;Cache.Insert("Date1", date1, null, DateTime.Now.AddSeconds(20), TimeSpan.Zero);

ASP.NET允许你设置一个绝对过期时间或滑动过期时间,但不能同时使用。

缓存依赖项Cache dependency

缓存依赖项使缓存依赖于其他资源,当依赖项更改时,缓存条目项将自动从缓存中移除。缓存依赖项可以是应用程序的 Cache 中的文件、目录或与其他对象的键。如果文件或目录更改,缓存就会过期。

date2 = DateTime.Now;
string[] cacheKeys = { "Date1"};
CacheDependency cacheDepn = newCacheDependency(null, cacheKeys);
Cache.Insert("Date2", date2, cacheDepn);

上面的例子“Date2”缓存对象依赖“Date1”缓存条目,当 “Date1” 对象过期后“Date2” 将会自动过期。CacheDependency(null, cacheKeys)中的第一个参数为空是由于我们只监视缓存键的更改情况。

回调函数和缓存优先级(Callback Method and Cache Priority)
ASP.NET允许我们写一个回调函数,当缓存条目从缓存中移除的时候触发。还可以设置缓存条目的优先级。

protected void Page_Load(object sender, EventArgs e)
{
    DateTime? date1 = (DateTime?)Cache["Date1"];
    if (!date1.HasValue) // date1 == null
    {
        date1 = DateTime.Now;
        Cache.Insert("Date1", date1, null, DateTime.Now.AddSeconds(20), TimeSpan.Zero,
                     CacheItemPriority.Default, new CacheItemRemovedCallback(CachedItemRemoveCallBack));
    }
    DateTime? date2 = (DateTime?)Cache["Date2"];
    if (!date2.HasValue) // date2 == null
    {
        date2 = DateTime.Now;
        Cache.Insert("Date2", date2, null, DateTime.Now.AddSeconds(40), TimeSpan.Zero,
                     CacheItemPriority.Default, new CacheItemRemovedCallback(CachedItemRemoveCallBack));
    }
    // Set values in labels
    lblDate.Text = date1.Value.ToShortDateString();
    lblTime.Text = date1.Value.ToLongTimeString();
    lblDate1.Text = date2.Value.ToShortDateString();
    lblTime1.Text = date2.Value.ToLongTimeString();
}
private void CachedItemRemoveCallBack(string key, object value, CacheItemRemovedReason reason)
{
    if (key == "Date1" || key == "Date2")
    {
        Cache.Remove("Date1");
        Cache.Remove("Date2");
    }
}

例子中创建了“Date1” 和 “Date2”缓存。“Date1” 在20秒后过期“Date2”为40秒。但是由于我们注册了移除的回调函数,当“Date1” 或 “Date2”其中一个过期都会执行CachedItemRemoveCallBack 方法,在这个方法中移除了两个缓存条目,ASP.NET还提供了处理缓存条目更新时的回调函数CacheItemUpdateCallback 。

(责任编辑:IT教学网)

更多

推荐ASP.NET教程文章