我需要使用一个返回格式为 12:43 和 1:33 时间的正则表达式,我尝试了以下内容,每个都返回所需的结果,我如何将两者结合起来,以便 SQL 可以返回第一个或第二个:
set @reg = '[0-9]:[0-5][0-9]'
set @reg = '[0-1][0-2]:[0-5][0-9]'
我尝试过的:
Declare @reg nvarchar(100)
set @reg = '[0-9]:[0-5][0-9]'
--set @reg = '[0-1][0-2]:[0-5][0-9]'
select remarks,
substring(remarks,PATINDEX('%' + @reg + '%',remarks) ,5), len(PATINDEX('%' + @reg + '%',remarks))
from infraction
where remarks like '%' + @reg + '%'
您需要查找存在任一模式的任何行,然后根据模式匹配的模式应用适当的 SQL 限制"正则表达式"。HH:MM
比H:MM
更受限制,因此我们使用它来检查。
CREATE TABLE #infraction (
Comment VARCHAR(100)
)
INSERT INTO #infraction VALUES ('time of 12:35 incident')
INSERT INTO #infraction VALUES ('time of 1:34 incident');
DECLARE @reg NVARCHAR(100) = '[0-9]:[0-5][0-9]'
DECLARE @reg2 NVARCHAR(100) = '[0-1][0-2]:[0-5][0-9]'
SELECT
Comment,
IIF(PATINDEX('%' + @reg2 + '%', Comment) = 0,
SUBSTRING(Comment, PATINDEX('%' + @reg + '%', Comment), 4),
SUBSTRING(Comment, PATINDEX('%' + @reg2 + '%', Comment), 5)
)
FROM
#infraction
WHERE
Comment LIKE '%' + @reg + '%'
or
Comment LIKE '%' + @reg2 + '%';
返回:
12:35
1:34
SQL 小提琴