Answers:
您不会编写功能长度为200行的应用程序。您需要将这些长函数分解为较小的函数,每个函数都有一个明确定义的职责。
为什么这样写你的SQL?
分解查询,就像分解函数一样。这使它们更短,更简单,更易于理解,更易于测试,更易于重构。而且,您可以像在过程代码中一样在它们之间添加“垫片”,并在它们周围添加“包装纸”。
你怎么做到这一点?通过使每个重要的事情成为查询执行到视图中。然后,您可以从这些更简单的视图中构成更复杂的查询,就像您从更多的原始函数中构成更复杂的函数一样。
最棒的是,对于大多数视图组合而言,您将从RDBMS中获得完全相同的性能。(对于有些人则不会;所以呢?过早的优化是万恶之源。请先正确编写代码,然后再根据需要进行优化。)
在该示例中,由于每个视图仅添加一个转换,因此可以独立测试每个视图以查找错误,并且测试很简单。
这是示例中的基表:
create table month_value(
eid int not null, month int, year int, value int );
该表有缺陷,因为它使用月份和年份这两列来表示一个基准,即绝对月份。这是新的计算列的规范:
我们将其作为线性变换进行处理,使其排序与(年,月)相同,并且对于任何(年,月)元组,只有一个值,并且所有值都是连续的:
create view cm_absolute_month as
select *, year * 12 + month as absolute_month from month_value;
现在我们要测试的是我们规范中固有的,即对于任何元组(年,月),只有一个(absolute_month),并且(absolute_month)是连续的。让我们编写一些测试。
我们的测试将是一个SQL select
查询,其结构如下:测试名称和case语句链接在一起。测试名称只是一个任意字符串。case语句只是case when
测试语句then 'passed' else 'failed' end
。
测试语句只是要通过测试的SQL选择(子查询)。
这是我们的第一个测试:
--a select statement that catenates the test name and the case statement
select concat(
-- the test name
'For every (year, month) there is one and only one (absolute_month): ',
-- the case statement
case when
-- one or more subqueries
-- in this case, an expected value and an actual value
-- that must be equal for the test to pass
( select count(distinct year, month) from month_value)
--expected value,
= ( select count(distinct absolute_month) from cm_absolute_month)
-- actual value
-- the then and else branches of the case statement
then 'passed' else 'failed' end
-- close the concat function and terminate the query
);
-- test result.
运行该查询将产生以下结果: For every (year, month) there is one and only one (absolute_month): passed
只要month_value中有足够的测试数据,此测试就会起作用。
我们也可以添加测试以获取足够的测试数据:
select concat( 'Sufficient and sufficiently varied month_value test data: ',
case when
( select count(distinct year, month) from month_value) > 10
and ( select count(distinct year) from month_value) > 3
and ... more tests
then 'passed' else 'failed' end );
现在让我们测试它是否连续:
select concat( '(absolute_month)s are consecutive: ',
case when ( select count(*) from cm_absolute_month a join cm_absolute_month b
on ( (a.month + 1 = b.month and a.year = b.year)
or (a.month = 12 and b.month = 1 and a.year + 1 = b.year) )
where a.absolute_month + 1 <> b.absolute_month ) = 0
then 'passed' else 'failed' end );
现在让我们将只是查询的测试放入文件中,然后对数据库运行该脚本。确实,如果我们将视图定义存储在要针对数据库运行的脚本(或一个脚本,我建议每个相关视图一个文件)中,则可以将每个视图的测试添加到同一脚本中,以便( -)创建视图也将运行视图的测试。这样,我们都可以在重新创建视图时进行回归测试,并且当视图创建针对生产运行时,该视图也将在生产中进行测试。
回复:tpdi
case when ( select count(*) from cm_abs_month a join cm_abs_month b
on (( a.m + 1 = b.m and a.y = b.y) or (a.m = 12 and b.m = 1 and a.y + 1 = b.y) )
where a.am + 1 <> b.am ) = 0
请注意,这仅检查连续几个月的am值是否连续,而不检查是否存在连续数据(这可能是您最初打算的)。如果您的源数据都不是连续的(例如,您只有偶数月),即使您的计算完全不进行,这也将始终通过。
我是否还在丢失某些内容,或者该ON子句的后半部分是否颠倒了错误的月份值?(即检查12/2011是否在1/2010之后)
更糟糕的是,如果我没记错的话,SQL Server至少允许您少于10个级别的视图,然后优化器将其虚拟手投入空中,并开始对每个请求进行全表扫描,因此不要过度使用这种方法。
记住要测试一下测试用例!
否则,创建一个很宽的数据集涵盖大部分或所有可能的形式输入,使用SqlUnit或DbUnit的或任何其他*单位自动检查针对该数据预期的结果,并审查,维护和更新其在必要时通常似乎是要走的路。