我想比较两个字符串,它们之间有不同的分隔符。
例
String s1 = "ZZ E5 - Pirates of carribean";
String s2 = "ZZ E5 : Pirates of carribean";
我想比较两个字符串是否相等。
我尝试在Java中使用正则表达式解决此问题,
String pattern = "(.*)[:-](.*)";
// Create a Pattern object
Pattern r = Pattern.compile(pattern);
// Now create matcher object.
Matcher m = r.matcher(s1);
Matcher m1 = r.matcher(s2);
if (m1.find()&&m.find()) {
System.out.println("Found value: " + m.group(1));
System.out.println("Found value: " + m.group(2));
System.out.println("Found value: " + m1.group(1));
System.out.println("Found value: " + m1.group(2));
System.out.println(m.group(1).contentEquals(m1.group(1)));
System.out.println(m.group(2).contentEquals(m1.group(2)));
} else {
System.out.println("NO MATCH");
}
这是一个好方法还是我们可以通过其他有效的方法来做到这一点?
最佳答案
您可以通过选择其中一个定界符作为规范,将两个字符串都转换为规范形式,例如:
String s1 = "ZZ E5 - Pirates of carribean";
String s2 = "ZZ E5 : Pirates of carribean";
String canonicalS1 = s1.replaceAll("-", ":");
String canonicalS2 = s2.replaceAll("-", ":");
System.out.println(canonicalS1.equals(canonicalS2));
输出量
true
请注意,此解决方案希望定界符仅出现一次,或者就此而言,定界符是可互换的。
关于java - 用正则表达式比较两个字符串,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/57998906/