我有一个字符串12999986, 31999999, 39949283, 99002999
,其中我尝试用模式99
替换所有模式00
。但是,该模式不能是另一个类似字符串的子字符串的一部分,例如999
或9999
。在此示例中,输出为12999986, 31999999, 30049283, 00002999
(39949283
至30049283
,99002999
至00002999
)。我已经创建了这个方法,但它并不适用于较大的字符串(找不到所有模式,在随机位置插入字符串):
public static String replaceAllExact(String data, String searchString, String replacement) {
List<Integer> locations = new ArrayList<>(); //start (exclusive)
char[] dataChars = data.toCharArray();
char[] searchStringChars = searchString.toCharArray();
char[] replacementChars = replacement.toCharArray();
int i = 0;
int k = 0;
int startIndex = 0;
int searchStringCharsLength = searchStringChars.length - 1;
for(char c : dataChars) {
if(c != searchStringChars[i] && i == 0) { //not the start of a pattern; continue
k++;
continue;
}else if(c == searchStringChars[i] && i == 0) { //might be the pattern we're looking for
startIndex = k;
i++;
}else if((c == searchStringChars[i] && i > searchStringCharsLength) || ((c != searchStringChars[i] && i < searchStringCharsLength) && i != 0)) { //pattern was too long or too short to be the pattern we're looking for
i = 0;
}else if(c == searchStringChars[i] && i < searchStringCharsLength) { //could be the pattern... keep going
i++;
}else if(c != searchStringChars[i] && i != 0 && i == searchStringCharsLength) { //this is the pattern we're looking for
locations.add(startIndex);
i = 0;
}
k++;
}
int offset = 0;
StringBuilder builder = new StringBuilder(data);
for(int l : locations) {
l += offset;
builder.delete(l, l + searchString.length());
builder.insert(l, replacementChars);
offset = (builder.length() - data.length());
}
return builder.toString();
}
我怎样才能做到这一点?如果可能的话,欢迎使用正则表达式解决方案。
澄清
类似的字符串是一个字符串,其中普通的替换将替换某些字符。例如,使用标准库replace(CharSequence target, CharSequence replacement)
,字符串31999999
将被视为类似,因为replace(99, 00)
可以替换某些字符。
字符串39349283
不是类似的字符串,因为replace(99, 00)
无法替换任何字符。字符串39949283
类似,因为replace(99, 00)
可以替换某些字符。
答案 0 :(得分:2)
如果我理解正确,您希望将99
替换为其他内容,但前提是它之前或之后没有9
。
在这种情况下,您可以使用look-around机制并确保
9
,来自(?<!9)
9
,通过(?!9)
所以你可以使用str = str.replaceAll("(?<!9)99(?!9)", "00")
。