0

我在完成 CodingBat 练习时正在学习 Java,我想开始使用正则表达式来解决一些 2 级字符串问题。我目前正在尝试解决这个问题:

返回字符串“code”出现在给定字符串中的任何地方的次数,除了我们将接受任何字母作为“d”,所以“cope”和“cooe”计数。

countCode("aaacodebbb") → 1
countCode("codexxcode") → 2
countCode("cozexxcope") → 2

这是我写的一段代码(它不起作用,我想知道为什么):

public int countCode(String str) {
 int counter = 0;

 for (int i=0; i<str.length()-2; i++)
       if (str.substring(i, i+3).matches("co?e"))
        counter++;

 return counter;
}

我在想可能匹配方法与子字符串不兼容,但我不确定。

4

4 回答 4

2

您需要使用正则表达式语法。在这种情况下,您想要"co\\we",其中\\w表示任何字母。

顺便说一句,你可以做

public static int countCode(String str) {
    return str.split("co\\we", -1).length - 1;
}
于 2012-08-13T16:07:39.547 回答
1

尝试在 if 语句中使用它。除非我将 Java 规则与 PHP 混合,否则它需要是 +4 而不是 +3。

str.substring(i, i+4)
于 2012-08-13T16:10:14.177 回答
0
public int countCode(String str) {
  int count=0;             // created a variable to count the appearance of "coe" in the string because d doesn't matter. 
  for(int i=0;i<str.length()-3;i++){
    if(str.charAt(i)=='c'&&str.charAt(i+1)=='o'&&str.charAt(i+3)=='e'){
      ++count;                       // increment count if we found 'c' and 'o' and 'e' in the string.

    }
  }
  return count;       // returing the number of count 'c','o','e' appeared in string.
}
于 2016-04-27T19:33:24.253 回答
-2
public class MyClass {

    public static void main(String[] args) {

      String str="Ramcodecopecofeacolecopecofeghfgjkfjfkjjcojecjcj BY HARSH RAJ";
      int count=0;

      for (int i = 0; i < str.length()-3; i++) {
          if((str.substring(i, i+4)).matches("co[\\w]e")){
                count++;

          }
      }
      System.out.println(count);
    }   
}
于 2014-11-08T09:50:15.690 回答