0

我正在尝试使用字符串:

String s = "This is a String!";

并返回该字符串中的所有 2 字对。即:

{"this is", "is a", "a String"}

但现在,我能做的就是返回:

{"this is", "a String"}

如何定义我的 while 循环,以便我可以解释这种缺少重叠词的情况?我的代码如下:(真的,我很高兴它只返回一个表示它找到多少个字符串子集的 int ......)

int count = 0;
while(matcher.find()) {
    count += 1;
}

谢谢大家。

4

4 回答 4

3

我喜欢已经发布的两个答案,计算单词并减去一个,但如果您只需要一个正则表达式来查找重叠匹配:

Pattern pattern = Pattern.compile('\\S+ \\S+');
Matcher matcher = pattern.matcher(inputString);
int matchCount = 0;
boolean found = matcher.find();
while (found) {
  matchCount += 1;
  // search starting after the last match began
  found = matcher.find(matcher.start() + 1);
}

实际上,您需要比简单地加 1 更聪明一点,因为在 "the force" 上尝试此操作将匹配 "he force" 然后 "e force"。当然,这对于计算单词来说是多余的,但如果正则表达式比这更复杂,这可能会很有用。

于 2012-09-18T05:47:29.680 回答
1

运行从 i = 0 到单词数 - 2 的 for 循环,然后单词 i 和 i+1 将组成一个 2 单词字符串。

String[] splitString = string.split(" ");
for(int i = 0; i < splitString.length - 1; i++) {
    System.out.println(splitString[i] + " " + splitString[i+1]);
}

一个句子中的两个单词字符串的数量就是单词数减一。

int numOfWords = string.split(" ").length - 1;
于 2012-09-18T05:38:12.837 回答
0

总对数 = 总字数 - 1

而且您已经知道如何计算总字数。

于 2012-09-18T05:38:56.843 回答
0

我尝试了一组模式。

String s = "this is a String";

Pattern pat = Pattern.compile("([^ ]+)( )([^ ]+)");
Matcher mat = pat.matcher(s);
boolean check = mat.find();
while(check){
    System.out.println(mat.group());
    check = matPOS.find(mat.start(3));
}

从模式([^ ]+)( )([^ ]+)
......................|_______________|
.....................组(0)
...... .............|| ([^ ]+)| <--组(1)
....................................| ( )| <--组(2)
...................................... .| ([^ ]+)| <--组(3)

于 2016-04-04T10:45:33.003 回答