我需要一个Regex表达式来捕获字符串中的所有冒号,但是当冒号位于单引号之间时,则不需要将它替换为at符号(@)。
我的测试字符串是:
select id, :DATA_INI, ':DATA_INI', titulo, date_format(data_criacao,'%d/%m/%Y %H:%i') str_data_criacao
from v$sugestoes
where data_criacao between :DATA_INI AND :DATA_FIM
order by data_criacao
我真正想要的是:
select id, @DATA_INI, ':DATA_FIM', titulo, date_format(data_criacao,'%d/%m/%Y %H:%i') str_data_criacao
from v$sugestoes
where data_criacao between @DATA_INI AND @DATA_FIM
order by data_criacao
我已经尝试过这个正则表达式,但由于某些原因它没有捕获第一个冒号:
/(?!'.*?):(?!.*?')/g
任何人都知道我在这里缺少什么?我实际上在使用C#。
答案 0 :(得分:3)
这可以做到:
:(?=([^']*'[^']*')*[^']*$)
它只匹配那些跟随偶数引号的冒号(正面向前看)。这也包括引号在引用字符串中被转义(对于SQL)的情况,因为它们之前是另一个引号,因此保持引号计数均匀。
正如评论中所述,这个正则表达式效率很低,因为它会多次扫描字符串的某些部分:每次找到冒号时,扫描字符串的其余部分以查看(非转义)引号的数量甚至。
但是对于SQL字符串,这似乎是你处理的字符串的类型,这不应该是一个问题,它们通常是不是很长的字符串,也没有数百个引号或冒号。
根据上述想法,您可以使用以下C#代码:
using System;
using System.Text.RegularExpressions;
class Program
{
static void Main()
{
// This is the input string we are replacing parts from.
string input = "select id, :DATA_INI, ':DATA_INI', titulo, date_format(data_criacao,'%d/%m/%Y %H:%i') str_data_criacao\n"
+ "from v$sugestoes\n"
+ "where data_criacao between :DATA_INI AND :DATA_FIM AND ':TEST'\n"
+ " and 'test ''string :DATA_INI '' :DATA_INI '\n"
+ "order by data_criacao";
string output = Regex.Replace(input, ":(?=([^']*'[^']*')*[^']*$)", "@");
Console.WriteLine(output);
}
}
在ideone.com上看到它。
答案 1 :(得分:1)
由于您使用的是C#,请尝试:
Regex.Replace(input, @"(?<!'):(\w+)", "@$1")
这将匹配所有不是直接的占位符,前面是'
(负面看后面)。