其中,SCOPE_IDENTITY為微軟推薦使用函數,它返回當前執行范圍內的最後一個標識值,大部分情況下都適用;@@IDENTITY函數包含當前 會話中任何表生成的最後一個標識值,由於這個函數受觸發其影響,可能不會返回我們預期的值;IDENT_CURRENT函數返回在任何會話中以及任何范圍 內為特定表生成的最後一個標識值。推薦大家使用SCOPE_IDENTITY函數。
下面我們就來創建一個可以返回標識值的存儲過程:
CREATE PROCEDURE dbo.CustomerInsert
@Name varchar(15),
@Age int,
@Sex bit,
@id int OUT
AS
INSERT INTO Customer(Name,Age,Sex) VALUES(@Name,@Age,@Sex)
SET @id = SCOPE_IDENTITY()
然後我們可以在數據訪問層寫這樣一個方法:
/// <summary>
/// 插入一條Customer記錄
/// </summary>
/// <param name="cus">要插入的Customer</param>
/// <param name="dt">要更新的數據表</param>
/// <returns>插入的Customer的id值</returns>
public int InsertCustomer(Customer cus, DataTable dt)
{
using (SqlConnection con = new SqlConnection("Data Source=.;Initial Catalog=test;Integrated Security=True"))
{
// 創建SqlDataAdapter
SqlDataAdapter adp = new SqlDataAdapter();
14: //創建InsertCommand命令
15: adp.InsertCommand = new SqlCommand("dbo.CustomerInsert", con);
16: //指定InsertCommand類型為存儲過程
17: adp.InsertCommand.CommandType = CommandType.StoredProcedure;
18:
19: //向InsertCommand加入參數
20: adp.InsertCommand.Parameters.Add(new SqlParameter("@Name", SqlDbType.VarChar, 20, "Name"));
21: adp.InsertCommand.Parameters.Add(new SqlParameter("@Age", SqlDbType.Int, 4, "Age"));
22: adp.InsertCommand.Parameters.Add(new SqlParameter("@Sex", SqlDbType.Bit, 1, "Sex"));
23: SqlParameter parId = adp.InsertCommand.Parameters.Add(new SqlParameter("@id", SqlDbType.Int, 0, "id"));
24:
25: //指定id為輸出參數
26: parId.Direction = ParameterDirection.Output;
27:
28: DataRow row = dt.NewRow();
29: row["Name"] = cus.Name;
30: row["Sex"] = cus.Sex;
31: row["Age"] = cus.Age;
32: dt.Rows.Add(row);
33:
34: //更新數據庫
35: adp.Update(dt);
36:
37: //返回id值
38: return Convert.ToInt32(row["id"].ToString());
39: }
40: }
傳入的DataTable為數據庫中現有數據填充後的表,在需要插入後得到id的時候調用這樣的方法就可以接收到返回的id值了。