Java Regex文件扩展
作者:互联网
我必须检查文件名是否以gzip扩展名结尾.特别是我正在寻找两个扩展名:“.star.gz”和“.gz”.我想使用单个正则表达式将文件名(和路径)捕获为一个组,不包括gzip扩展名(如果有的话).
我在此示例路径上测试了以下正则表达式
String path = "/path/to/file.txt.tar.gz";
>表达式1:
String rgx = "(.+)(?=([\\.tar]?\\.gz)$)";
>表达式2:
String rgx = "^(.+)[\\.tar]?\\.gz$";
以这种方式提取组1:
Matcher m = Pattern.compile(rgx).matcher(path);
if(m.find()){
System.out.println(m.group(1));
}
两个正则表达式都给出了相同的结果:/path/to/file.txt.tar而不是/path/to/file.txt.
任何帮助将不胜感激.
提前致谢
解决方法:
您可以使用以下习惯用法来匹配路径文件名,一次性使用gzip扩展名:
String[] inputs = {
"/path/to/foo.txt.tar.gz",
"/path/to/bar.txt.gz",
"/path/to/nope.txt"
};
// ┌ group 1: any character reluctantly quantified
// | ┌ group 2
// | | ┌ optional ".tar"
// | | | ┌ compulsory ".gz"
// | | | | ┌ end of input
Pattern p = Pattern.compile("(.+?)((\\.tar)?\\.gz)$");
for (String s: inputs) {
Matcher m = p.matcher(s);
if (m.find()) {
System.out.printf("Found: %s --> %s %n", m.group(1), m.group(2));
}
}
产量
Found: /path/to/foo.txt --> .tar.gz
Found: /path/to/bar.txt --> .gz
标签:java,regex,gzip,file-extension 来源: https://codeday.me/bug/20190725/1527939.html