0

我必须编写一个程序来计算字符串中字母 B 的数量。我已经得到了那部分,但它还要求我使用一个静态方法,该方法根据字符串中是否有任何 B 来返回 true 或 false,我真的不知道如何放入该部分。

import java.util.Scanner;
public class CountB {

// write the static method “isThisB” here
public static void main(String[] args) {
Scanner keyboard = new Scanner(System.in);
System.out.println("Enter a string: ");
String w = keyboard.nextLine();
int count=0;
for (int i=0; i<w.length(); i++)
{
    if (w.charAt(i)=='B'||w.charAt(i)=='b')
    {
        count++;
    }
}
System.out.println("Number of B and b: "+ count);
}
}
4

7 回答 7

2
private static boolean hasAnyB(String str) {
   return str.contains("B") || str.contains("b");
}
于 2013-11-08T09:19:09.127 回答
1

像这样的东西:

static boolean check(String str){
    if(str.indexOf('B')>0 || str.indexOf('b')>0 )
        return true;
    else
        return false;
}
于 2013-11-08T09:19:20.143 回答
1

使用使用正则表达式的内置matches()方法:

private static boolean hasB(String str) {
    return str.matches(".*[bB].*");
}

使用正则表达式是处理混合大小写问题的一种近方法。

于 2013-11-08T09:20:32.367 回答
1

只需将所有编码部署在一个static方法中即可

public static void main(String[] args) 
{
  methodOne("Pass string over here");
}

public static boolean methodOne(String s)
{
   return s.contains("B");

}
于 2013-11-08T09:22:07.660 回答
1

得到计数b或者B你可以做

int bCount = w.replaceAll("[^Bb]", "").length();

如果您必须使用 hasB 方法,您可以这样做,尽管它的效率非常低且比需要的时间长

int count = 0;
for(String ch: w.split("")) // one character at a time.
    if(hasB(ch))
       count++;
于 2013-11-08T09:23:01.037 回答
0
private static boolean hasAnyB(String str) {
  return str.toLowerCase().contains("b");
}
于 2013-11-08T09:22:35.647 回答
0

我能想到的最简单的。

static boolean isThisB(String s, int count) {
    for(int i=0; i<s.lenght(); i++) {
        char c = s.charAt(i);
        if(c == 'b' || c == 'B')
            count ++;
    }

    return count > 0;
}
于 2013-11-08T09:27:16.177 回答