我正在编写一个程序来获取字符串的不同部分,例如“ 10万亿837亿4,500万56739”。我问了这个问题here。 但有时我的字符串会变成“ 10万亿837亿4500万4千5 739”。 我想删除“ 56 739”中6到7之间的空格。
我知道要删除空格,但不知道如何指定要删除的空格之间的字符
这是我的代码
String input = "10 trillion 837 billion 45 million 56 739";
String pattern = "\\s\\d"; // this will match space and number thus will give you start of each number.
ArrayList<Integer> inds = new ArrayList<Integer>();
ArrayList<String> strs = new ArrayList<String>();
Pattern r = Pattern.compile(pattern);
Matcher m = r.matcher(input);
while (m.find()) {
inds.add(m.start()); //start will return starting index.
}
//iterate over start indexes and each entry in inds array list will be the end index of substring.
//start index will be 0 and for subsequent iterations it will be end index + 1th position.
int indx = 0;
for(int i=0; i <= inds.size(); i++) {
if(i < inds.size()) {
strs.add(input.substring(indx, inds.get(i)));
indx = inds.get(i)+1;
} else {
strs.add(input.substring(indx, input.length()));
}
}
for(int i =0; i < strs.size(); i++) {
Toast.makeText(getApplicationContext(),strs.get(i)+"",Toast.LENGTH_LONG).show();
}
我试图添加replaceAll语句,像这样input = input.replaceAll("\\d\\s\\d","\\d\\d");
,但是它没用
答案 0 :(得分:2)
我发现(或假设)的原因是您正在尝试删除string
中数字之间的空格,
您可以使用此regex
替换数字之间的space
:
(?<=\\d)\\s+(?=\\d|\\-)
如:
input = input.replaceAll("(?<=\\d)\\s+(?=\\d|\\-)", "");
(?<=\d)
是正向查找,它检查前一个符号是否是数字,而没有实际匹配它。
(?=\d)
是一个积极的前瞻,同样的事情-检查以下符号是否为数字,而没有实际匹配。
您可以在此处测试正则表达式: https://regex101.com/r/pdEoKO/1/