随着框架的发布候选版本(Release Candidate)的考虑,现在可以花时间发布如何使用框架调用存储过程的指南。项目中包含了一整套示例,同时在项目Wiki中也有相应的文档。让从最基本的存储过程调用开始看起。
最基本的存储过程是没有参数也不返回结果的。例如,一个存储过程可能只是执行一个动作,如重置字段值,但它不接收任何参数也不返回任何结果,它可能使用数据库中的配置表或函数。例如,下面的存储过程就是重置Account
表的LastUpdatedDateTime
字段。
CREATE PROCEDURE [dbo].[AccountLastUpdatedDateTimeReset] AS BEGIN UPDATE [app].[Account] SET [LastUpdatedDateTime] = GETDATE(); END
要使用框架调用这个存储过程,需要一个类来表示这个存储过程,AccountLastUpdatedDateTimeReset
。为了让框架知道如何使用这个类,它必须继承自StoredProcedureBase
抽象类。这是框架期望所有存储过程POCO类继承的基类。StoredProcedureBase
基类期望定义两个类型参数。
public abstract class StoredProcedureBase<TReturn, TParameters> { ... }
如果希望继承这个类,这是框架正确工作所必需的,那么必须为每个类型参数提供一个类。TReturn
类型参数定义存储过程要返回的类型,而TParameters
类型参数定义存储过程参数的类。由于存储过程既不返回任何值也不接收任何参数,需要明确声明这一点。框架已经为提供了可以在没有返回类型和/或没有参数类型时使用的具象类。这两个类都在Dibware.StoredProcedureFramework
命名空间中,分别是NullStoredProcedureResult
和NullStoredProcedureParameters
类:
NullStoredProcedureResult
类用于存储过程不会返回任何结果时。
/// <summary> ///
/// An object that represents the absence ///
/// of an expected result ///
/// from a stored procedure ///
/// </summary> ///
public class NullStoredProcedureResult { }
NullStoredProcedureParameters
类用于存储过程不需要任何参数时。
/// <summary> ///
/// An object that represents the absence ///
/// of parameters ///
/// for a stored procedure ///
/// </summary> ///
public class NullStoredProcedureParameters { }
因此,可以如下定义表示这个存储过程的类:
internal class AccountLastUpdatedDateTimeReset : StoredProcedureBase<NullStoredProcedureResult, NullStoredProcedureParameters> { public AccountLastUpdatedDateTimeReset() : base(new NullStoredProcedureParameters()) { } }
...但这对于这样一个基本的存储过程来说有点繁琐。必须定义"Null"返回类型和"Null"参数有点笨拙,所以框架提供了另一个抽象基类NoParametersNoReturnTypeStoredProcedureBase
,存储过程类可以继承它,它为处理了这些,使代码更加简洁。现在可以像下面这样定义类:
internal class AccountLastUpdatedDateTimeReset : NoParametersNoReturnTypeStoredProcedureBase { }
[TestClass] public class StoredProcedureWithoutParametersOrReturnType : SqlConnectionExampleTestBase { [TestMethod] public void AccountLastUpdatedDateTimeReset() { // ARRANGE var procedure = new AccountLastUpdatedDateTimeReset(); // ACT Connection.ExecuteStoredProcedure(procedure); // ASSERT // Nothing to assert } }