3 回答
TA贡献1796条经验 获得超4个赞
我们可以使用类似这样的方法从字符串中提取数字
String fileName="ABC.12.txt.gz"; String numberOnly= fileName.replaceAll("[^0-9]", "");
TA贡献1780条经验 获得超5个赞
您可以尝试使用模式匹配
import java.util.regex.Pattern;
import java.util.regex.Matcher;
// ... Other features
String fileName = "..."; // Filename with number extension
Pattern pattern = Pattern.compile("^.*(\\d+).*$"); // Pattern to extract number
// Then try matching
Matcher matcher = pattern.matcher(fileName);
String numberExt = "";
if(matcher.matches()) {
numberExt = matcher.group(1);
} else {
// The filename has no numeric value in it.
}
// Use your numberExt here.
TA贡献1862条经验 获得超6个赞
您可以使用正则表达式将每个数字部分与字母数字部分分开:
public static void main(String args[]) {
String str = "ABC.12.txt.gz";
String[] parts = str.split("(?<=\\D)(?=\\d)|(?<=\\d)(?=\\D)");
// view the resulting parts
for (String s : parts) {
System.out.println(s);
}
// do what you want with those values...
}
这将输出
ABC.
12
.txt.gz
然后拿走你需要的零件,用它们做你必须做的事。
添加回答
举报