我正在寻找使用类似操作员的正确模式。
我的代码:
DECLARE @exp1 varchar(100) = '<<PointBalance , 8>>'
DECLARE @exp2 varchar(100) = '<<PointBalance , 985>>'
IF (TRIM(REPLACE(@exp1, ' ', '')) LIKE '<<PointBalance,[0-9]>>')
PRINT 'Matched'
正如预期的那样,if语句不打印&#39;匹配&#39;对于exp2。
数字计数不相同。我需要一个验证nDigit数字的模式。
答案 0 :(得分:1)
例如,我想使用substring()
和patindex()
函数来读取数值并比较整个字符串
DECLARE @exp1 varchar(100) = '<<PointBalance , 811111>>'
DECLARE @exp2 varchar(100) = '<<PointBalance , 489>>'
IF (trim(REPLACE(@exp2, ' ', '')) like '<<PointBalance,'+substring(@exp2, patindex('%[0-9]%', @exp2), len(replace(@exp2, ' ', '')) - patindex('%[0-9]%', replace(@exp2, ' ', ''))-1)+'>>')
PRINT 'Matched'
答案 1 :(得分:1)
Like
模式无法检查可变长度的数字字符串,但它可以检查不数字的任何字符的子字符串:
-- Sample data.
declare @Samples as Table ( Sample VarChar(32) );
insert into @Samples ( Sample ) values
( '<<PointBalance , 1>>' ), ( '<<PointBalance , 12>>' ), ( '<<PointBalance , 123>>' ),
( '<<PointBalance , 1234>>' ), ( '<<PointBalance , 1 3 5>>' ), ( '<<PointBalance , 1J3>>' );
with
Step1 as (
select Sample,
-- Extract the substring starting after the comma and trim leading whitespace.
LTrim( Substring( Sample, CharIndex( ',', Sample ) + 1, 32 ) ) as AfterComma
from @Samples ),
Step2 as (
select Sample, AfterComma,
-- Extract the substring prior to the first '>' and trim trailing whitespace.
RTrim( Substring( AfterComma, 1, CharIndex( '>', AfterComma ) - 1 ) ) as TargetString
from Step1 )
select *,
-- Check the remaining string for any characters that are not digits.
case when TargetString like '%[^0-9]%' then 0 else 1 end as Numeric
from Step2;