假设我有一个字符串:8
,并且我想[0-9]
用.
重复次数与数字相同的数字替换数字。我会使用什么正则表达式字符串?
eg:输入字符串
8
输出
........
您不能仅使用正则表达式来执行此操作,因此您必须依赖语言或库功能,该功能允许使用以匹配作为参数调用函数的结果替换匹配的字符串。
在红宝石中:
"8".gsub(/[0-9]/) { |x| '.' * x.to_i } # => "........"
"812".gsub(/[0-9]/) { |x| '.' * x.to_i } # => "..........."
"a1b2".gsub(/[0-9]/) { |x| '.' * x.to_i } # => "a.b.."
在 JavaScript 中:
function replaceNumbersWithDots(str) {
return (''+str).replace(/[0-9]/g, function(m) {
var s='', num=parseInt(m, 10);
for (i=0; i<num; i++) { s+= '.'; }
return s;
});
}
replaceNumbersWithDots('8'); // => "........"
replaceNumbersWithDots('812'); // => ".........."
replaceNumbersWithDots('a1b2'); // => "a.b.."
在 Java 中:
public static void main(String args[]) throws Exception {
System.out.println(replaceNumbersWithDots("8")); // => "........"
System.out.println(replaceNumbersWithDots("812")); // => "..........."
System.out.println(replaceNumbersWithDots("a1b2")); // => "a.b.."
}
public static String replaceNumbersWithDots(String s) {
Pattern pattern = Pattern.compile("[0-9]");
Matcher matcher = pattern.matcher(s);
StringBuffer buf = new StringBuffer();
while (matcher.find()) {
int x = Integer.parseInt(matcher.group());
matcher.appendReplacement(buf, stringOfDots(x));
}
return buf.toString();
}
public static String stringOfDots(int x) {
String s = "";
for (int i=0; i<x; i++) { s += "."; }
return s;
}
仅使用标准正则表达式无法做到这一点。正如@m.buettner 指出的那样,您可以在某些语言中指定一个处理替换的函数。例如,使用 Python
>>> import re
>>> s = '8'
>>> re.sub(r'\d', lambda m: '.'*int(m.group()), s)
'........'
但也许你甚至不需要正则表达式?由于您只寻找单字符匹配项(即\d
),您也许可以执行以下操作:
.
s 附加到缓冲区中。这是Java中的一个实现:
String s = "8";
StringBuilder sb = new StringBuilder();
for (char c : s.toCharArray()) {
if (Character.isDigit(c)) {
int n = c - '0';
for (int i = 0; i < n; i++)
sb.append('.');
} else {
sb.append(c);
}
}
System.out.println(sb);
...........
因为你没有提供语言,我做了一个用 php 解决它的例子
$tr = array();
foreach(range(0, 9) as $nr)
{
$tr[$nr] = str_repeat('.', $nr);
}
echo strtr("Hello 8", $tr);
// Gives: "Hello ........"