我在 T-SQL 中有此列:
1
2
3
7
10
让 SQl 有一个函数来检测序列 4,5,6 和 8,9 中的缺失数字我尝试过类似 if (ab >1) 那么我们有一个缺失的数字
与合并,但我不明白。感谢任何方向
我在 T-SQL 中有此列:
1
2
3
7
10
让 SQl 有一个函数来检测序列 4,5,6 和 8,9 中的缺失数字我尝试过类似 if (ab >1) 那么我们有一个缺失的数字
与合并,但我不明白。感谢任何方向
你可以试试这个:
DELCARE @a
SET @a = SELECT MIN(number) FROM table
WHILE (SELECT MAX(number) FROM table ) > @a
BEGIN
IF @a NOT IN ( SELECT number FROM table )
PRINT @a
SET @a=@a+1
END
以下查询将识别每个序列的开始位置和缺少的数字:
select t.col + 1 as MissingStart, (nextval - col - 1) as MissingSequenceLength
from (select t.col,
(select min(t.col) from t t2 where t2.col > t.col) as nextval
from t
) t
where nextval - col > 1
这是使用相关子查询来获取表中的下一个值。
我知道这是一个迟到的答案,但这里有一个查询,它使用递归表表达式来获取表中最小值和最大值之间的缺失值:
WITH CTE AS
(
--This is called once to get the minimum and maximum values
SELECT nMin = MIN(t.ID), MAX(t.ID) as 'nMax'
FROM Test t
UNION ALL
--This is called multiple times until the condition is met
SELECT nMin + 1, nMax
FROM CTE
WHERE nMin < nMax
)
--Retrieves all the missing values in the table.
SELECT c.nMin
FROM CTE c
WHERE NOT EXISTS
(
SELECT ID
FROM Test
WHERE c.nMin = ID
)
这是使用以下架构测试的:
CREATE TABLE Test
(
ID int NOT NULL
)
INSERT INTO Test
Values(1)
INSERT INTO Test
Values(2)
INSERT INTO Test
Values(3)
INSERT INTO Test
Values(7)
INSERT INTO Test
Values(10)