記得一位很好的朋友-東哥說過在大學畢業之前一定要做的幾件事情:1、看懂petshop的架構;2、熟練運用緩衝技術;3、petshop的翻新。這幾天來閑下來了認真的研究了一下緩衝技術(Cache技術)。在這裡和大家分享一下,希望對各位初學者有點用處。
ASP.NET2.0的資料庫緩衝依賴保證在表的內容發生改變後才使得緩衝失效,能夠保證快取資料的及時重新整理。根據我的實驗,只要客戶的重新編譯,或者資料庫表發生改變,都導致緩衝失效。下面是具體的步驟。
1、啟用表的緩衝依賴,以Pubs資料庫的Authors表為例:
可以使用“Visual Studio 2005 命令提示”:如果不明白參數配置可以使用apsnet_regsql.exe -? 命令查看協助文檔
//啟用資料庫依賴功能
aspnet_regsql.exe -S localhost -U sa -P sa -d 資料庫名稱 -ed
//啟用資料庫表的依賴功能
aspnet_regsql.exe -S localhost -U sa -P sa -d 資料庫名稱 -t 表的名稱 -et
//關閉資料庫的資料緩衝依賴功能
aspnet_regsql.exe -S localhost -U sa -P sa -d 資料庫名稱 -dd
//關閉資料表的資料緩衝依賴功能
aspnet_regsql.exe -S localhost -U sa -P sa -d 資料庫名稱 -t 表的名稱 -dt
或者 用windows身分識別驗證登陸(如下)
//aspnet_regsql -S ."sqlexpress -E -d pubs -ed
//aspnet_regsql -S ."sqlexpress -E -d pubs -t authors -et
要想查看資料庫現存的緩衝依賴表,用下面的指令:
aspnet_regsql -S ."sqlexpress -E -d pubs -lt
2、在web.config檔案裡面做緩衝以來配置,如下
web.comfig
<connectionStrings>
<add name="Pubs" connectionString="server=."sqlexpress; database = pubs; integrated security=true;"
providerName="System.Data.SqlClient" />
</connectionStrings>
<system.web>
<!--配置緩衝的串連池-->
<caching>
<sqlCacheDependency enabled="true" pollTime="1000">
<databases>
<add name="Pubs" connectionStringName="Pubs" pollTime="1000"/>
</databases>
</sqlCacheDependency>
</caching>
</system.web>
3、編碼實現緩衝依賴的測試,如下:
Code
using System;
using System.Data;
using System.Configuration;
using System.Web;
using System.Web.Security;
using System.Web.UI;
using System.Web.UI.WebControls;
using System.Web.UI.WebControls.WebParts;
using System.Web.UI.HtmlControls;
using System.Web.Caching;
using System.Data.SqlClient;
public partial class _Default : System.Web.UI.Page
{
protected void Page_Load(object sender, EventArgs e)
{
// set SqlCacheDependency, it can only be related to one table in the database.
//aspnet_regsql -S .\sqlexpress -E -d pubs -lt
//注意下面的表必須和上面的輸出大小寫一致
SqlCacheDependency dependency = new SqlCacheDependency("Pubs", "authors");
// if cache is invalid, then regenerate dataset and insert into cache.
if (Cache["DATA"] == null)
{
Cache.Insert("DATA", GetDataSet(), dependency);
Response.Write("建立緩衝!");
}
else
Response.Write("讀取緩衝緩衝!");
GridView gvAuthors = new GridView();
this.form1.Controls.Add(gvAuthors);
gvAuthors.DataSource = (DataSet)Cache["DATA"];
gvAuthors.DataBind();
}
// Generate dataset
public DataSet GetDataSet()
{
SqlConnection connection = new SqlConnection(@"data source=.\sqlexpress;initial catalog=Pubs;Integrated Security=True");
DataSet ds = new DataSet();
SqlCommand command = connection.CreateCommand();
command.CommandText = "select * from authors";
SqlDataAdapter sa = new SqlDataAdapter();
sa.SelectCommand = command;
sa.Fill(ds, "usertomin");
return ds;
}
}
4、續(未完)....