计数句子,只用以标点符号+ 2个空格结尾的句子

时间:2014-05-01 02:43:17

标签: java string count words sentence

我试图弄清楚如何制作一个句子计数器,我有,但事实是,我只需要在句点/问号/等之后有两个空格来计算一个句子。

例如,使用我的代码,如果输入字符串"你好,我的名字是ryan ......"它返回3个句子的数量。我需要它只计算一个句子。

这个程序也需要计算单词。我通过占用空格的数量来计算单词 - 1.这就是我的问题所在,我要么弄乱字数或句子数。

以下是单词计数的方法:

public static int countWords(String str){
     if(str == null || str.isEmpty())
        return 0;

     int count = 0;
     for(int i = 0; i < str.length(); i++){
        if(str.charAt(i) != ' '){
           count++;
           while(str.charAt(i) != ' ' && i < str.length()-1){
              i++;
           }
        }
     }
     return count;
  }

这是计算句子的方法:

public static int sentenceCount(String str) {
     String SENTENCE_ENDERS = ".?!";

     int sentenceCount=0;
     int lastIndex=0; 
     for(int i=0;i < str.length(); i++){  
        for(int j=0;j < SENTENCE_ENDERS.length(); j++){  
           if(str.charAt(i) == SENTENCE_ENDERS.charAt(j)){
              if(lastIndex != i-1){
                 sentenceCount++;
              }
              lastIndex = i;
           }
        }

     }
     return sentenceCount;
  }

1 个答案:

答案 0 :(得分:2)

我实际上使用正则表达式,它也非常简单。

public static int sentenceCount(String str) {

  String regex = "[?|!|.]+[ ]+[ ]";
  Pattern p = Pattern.compile(regex);
  int count = 0;
  Matcher m = p.matcher(str);       
  while (m.find()) {
     count++;
  }
  if (count == 0){
     return 1;
  }
  else {
     return count + 1;
  }
  }  

效果很好,我添加了if语句,假设用户输入了至少一个句子,并在计数中加了一个,假设他们不会在最后一个句子的末尾加上两个空格。