作者热门文章
- html - 出于某种原因,IE8 对我的 Sass 文件中继承的 html5 CSS 不友好?
- JMeter 在响应断言中使用 span 标签的问题
- html - 在 :hover and :active? 上具有不同效果的 CSS 动画
- html - 相对于居中的 html 内容固定的 CSS 重复背景?
我需要按接近程度比较两个字符串,以防完整字符串上的 string.equals 失败,我需要始终比较名字、中间名和/或姓氏。
我已经找到了一些比较算法,但他们都考虑了结果的拼写错误,我必须比较确切的输入。
例子:
- Maria souza silva = Maria souza silva = ok
- Maria souza silva = Maria silva = ok
- Maria souza silva = Maria Carvalho = Nok
- Maria souza silva = Ana souza silva = Nok
- Maria de souza silva = Maria de = Nok
- Maria de souza silva = Maria souza = OK
我正在尝试这样的事情:
String name = "Maria da souza Silva";
String nameRequest = "Maria da Silva";
if(name.equalsIgnoreCase(nameRequest)){
System.out.print("ok 0");
}
String[] names = name.split(" ");
int nameLenght = names.length-1;
if(nameRequest.startsWith(names[0])){
System.out.println("ok 1, next");
} else {
System.out.print("nok, stop");
}
if(nameRequest.endsWith(names[nameLenght])){
System.out.print("ok 2");
}
结果是ok 1, next
和ok 2
。
名字和姓氏都可以,但我需要比较中间名,忽略“de/da”之类的。
最佳答案
一开始我打算使用纯正则表达式,可能有一种方法,但是这段代码会产生您要查找的结果,使用 first 和 last,或者 first 和 middle,并忽略 de 和 da。
private void checkName(String target, String source) {
Pattern pattern = Pattern.compile("^(?<firstName>[^\\s]+)\\s((de|da)(\\s|$))?(?<otherName>.*)$");
Matcher targetMatcher = pattern.matcher(target.trim().toLowerCase());
Matcher sourceMatcher = pattern.matcher(source.trim().toLowerCase());
if (!targetMatcher.matches() || !sourceMatcher.matches()) {
System.out.println("Nok");
}
boolean ok = true;
if (!sourceMatcher.group("firstName").equals(targetMatcher.group("firstName"))) {
ok = false;
} else {
String[] otherSourceName = sourceMatcher.group("otherName").split("\\s");
String[] otherTargetName = targetMatcher.group("otherName").split("\\s");
int targetIndex = 0;
for (String s : otherSourceName) {
boolean hit = false;
for (; targetIndex < otherTargetName.length; targetIndex++) {
if (s.equals(otherTargetName[targetIndex])) {
hit = true;
break;
}
}
if (!hit) {
ok = false;
break;
}
}
}
System.out.println(ok ? "ok" : "Nok");
}
对于您的示例,输出为:
ok
ok
Nok
Nok
Nok
ok
关于java - 如何在不忽略拼写错误的情况下通过相似性比较字符串?,我们在Stack Overflow上找到一个类似的问题: https://stackoverflow.com/questions/60604785/
我是一名优秀的程序员,十分优秀!