我有一个字符串,例如:
There exists a word *random*.
random
将是一个随机词
如何使用正则表达式将random
的每个字符替换为*
并获得此结果:
There exists a word ********.
因此*
替换每个字符,在本例中为6个字符
请注意,我要仅替换单词random
,而不是周围*
。
到目前为止,我有:
str.replaceAll("(\\*)[^.]*(\\*)", "\\*");
但它会将*random*
替换为*
,而不是所需的********
(总共8)。
任何帮助,真的很感激......
答案 0 :(得分:5)
就目前的例子而言,如果你只有一个这样的单词,那么你可以通过使用一些String
类方法来保护自己不受正则表达式的影响: -
String str = "There exists a word *random*.";
int index1 = str.indexOf("*");
int index2 = str.indexOf("*", index1 + 1);
int length = index2 - index1 - 1; // Get length of `random`
StringBuilder builder = new StringBuilder();
// Append part till start of "random"
builder.append(str.substring(0, index1 + 1));
// Append * of length "random".length()
for (int i = 0; i < length; i++) {
builder.append("*");
}
// Append part after "random"
builder.append(str.substring(index2));
str = builder.toString();
为此,这是一个正则表达式解决方案(这是它开始变得有点复杂的地方): -
String str = "There exists a word *random*.";
str = str.replaceAll("(?<! ).(?!([^*]*[*][^*]*[*])*[^*]*$)", "*");
System.out.println(str);
以上模式使用string containing even numbers of *
替换*
之前未跟随的所有字符。
无论哪种方式适合您,您都可以使用。
我将添加上述正则表达式的解释: -
(?<! ) // Not preceded by a space - To avoid replacing first `*`
. // Match any character
(?! // Not Followed by (Following pattern matches any string containing even number of stars. Hence negative look-ahead
[^*]* // 0 or more Non-Star character
[*] // A single `star`
[^*]* // 0 or more Non-star character
[*] // A single `star`
)* // 0 or more repetition of the previous pattern.
[^*]*$ // 0 or more non-star character till the end.
现在上面的模式只匹配那些inside a pair of stars
的单词。提供您没有任何不平衡stars
。
答案 1 :(得分:2)
您可以在*
之间提取单词,并在其上添加*
替换所有字符。
import java.util.regex.*;
String txt = "There exists a word *random*.";
// extract the word
Matcher m = Pattern.compile("[*](.*?)[*]").matcher(txt);
if (m.find()) {
// group(0): *random*
// group(1): random
System.out.println("->> " + m.group(0));
txt = txt.replace(m.group(0), m.group(1).replaceAll(".", "*"));
}
System.out.println("-> " + txt);
您可以在ideone上看到它:http://ideone.com/VZ7uMT
答案 2 :(得分:0)
试
String s = "There exists a word *random*.";
s = s.replaceAll("\\*.+\\*", s.replaceAll(".*(\\*.+\\*).*", "$1").replaceAll(".", "*"));
System.out.println(s);
输出
There exists a word ********.
答案 3 :(得分:0)
public static void main(String[] args) {
String str = "There exists a word *random*.";
Pattern p = Pattern.compile("(\\*)[^.]*(\\*)");
java.util.regex.Matcher m = p.matcher(str);
String s = "";
if (m.find())
s = m.group();
int index = str.indexOf(s);
String copy = str;
str = str.substring(0, index);
for (int i = index; i < index + s.length(); i++) {
str = str + "*";
}
str = str + copy.substring(index + s.length(), copy.length());
System.out.println(str);
}