首先,我想知道是否存在类似于 SimpleDateFormat 的现有库但是支持通配符?如果没有,最好的办法是什么?
我有这个问题,我需要匹配并从文件名中提取日期,但我似乎找不到适合这种情况的方法。虽然我承认下面的场景对于文件名来说根本不实用,但我必须将其作为“WHAT IF”包含在内。
文件名:19882012ABCseptemberDEF03HIJ12KLM0156_249.zip,模式: yyyy MMM dd hh mmss'_ < /em>.zip'
我看到很多解析这个问题(例如确定正确的年份)。我希望你们能够解决一些问题并帮助我找到正确的方向。
答案 0 :(得分:5)
我在SimpleDateFormat
中没有知道sunch的事情,但如果输入的文件名匹配,你可以做的是检查正则表达式,如果它确实提取匹配的东西以创建你的日期。
这是一个快速正则表达式,可以验证您的标准:
(.*?)([0-9]{4})([^0-9]*?)([a-z]+)(.*?)([0-9]{2})(.*?)([0-9]{2})(.*?)([0-9]{4})_([^.]+)[.]zip
这意味着(它真的不那么复杂)
(.*?) // anything
([0-9]{4}) // followed by 4 digits
([^0-9]*?) // followed by anything excepted digits
([a-z]+) // followed by a sequence of text in lowercase
(.*?) // followed by anything
([0-9]{2}) // until it finds 2 digits
(.*?) // followed by anything
([0-9]{2}) // until it finds 2 digits again
(.*?) // followed by anything
([0-9]{4}) // until if finds 4 consecutive digits
_([^.]+) // an underscore followed by anything except a dot '.'
[.]zip // the file extension
您可以在Java中使用它
String filename = "19882012ABCseptemberDEF03HIJ12KLM0156_249.zip";
String regex = "(.*?)([0-9]{4})([^0-9]*?)([a-z]+)(.*?)([0-9]{2})(.*?)([0-9]{2})(.*?)([0-9]{4})_([^.]+)[.]zip";
Matcher m = Pattern.compile(regex).matcher(filename);
if (m.matches()) {
// m.group(2); // the year
// m.group(4); // the month
// m.group(6); // the day
// m.group(8); // the hour
// m.group(10); // the minutes & seconds
String dateString = m.group(2) + "-" + m.group(4) + "-" + m.group(6) + " " + m.group(8) + m.group(10);
Date date = new SimpleDateFormat("yyyy-MMM-dd HHmmss").parse(dateString);
// here you go with your date
}
ideone上的Runnable示例:http://ideone.com/GBDEJ
编辑:
你可以通过删除你不关心的括号来避免匹配你不想要的东西。然后正则表达式变为.*?([0-9]{4})[^0-9]*?([a-z]+).*?([0-9]{2}).*?([0-9]{2}).*?([0-9]{4})_[^.]+[.]zip
,匹配的组变为
group(1): the year
group(2): the month
group(3): the day
group(4): the hour
group(5): the minutes & secondes