0

我正在学习我的 Intro Java 编程课程,想知道是否有捷径可以让我在if声明中尝试做的事情。

基本上,我的程序接收扑克牌的两个字符缩写并返回完整的牌名(即“QS”返回“黑桃皇后”。

现在我的问题是:当我if为编号为 2-10 的卡片编写语句时,我是否需要为每个数字单独使用一个语句,或者我可以将它们组合在一个if语句中吗?

检查我的代码在哪里说IS AN INTEGER(显然不是 Java 表示法。)这是我要澄清的代码片段:

    public static void main(String[] args) {
        Scanner in = new Scanner(System.in);
        System.out.print("Enter the card notation: ");
        String x = in.nextLine();
        if (x.substring(0,1).equals("A")){
            System.out.print("Ace");
        }
        else if(x.substring(0,1) IS AN INTEGER) <= 10)){   // question is about this line
            System.out.print(x);
        }
        else{
            System.out.println("Error.");
        }
    }
}
4

3 回答 3

5

你可以这样做:

    char c = string.charAt(0);
    if (Character.isDigit(c)) {
        // do something
    }

x.substring(0,1)几乎相同string.charAt(0)。区别在于 charAt 返回 achar和 substring 返回 a String

如果这不是家庭作业,我建议你StringUtils.isNumeric改用。你可以说:

    if (StringUtils.isNumeric(x.substring(0, 1))) {
        System.out.println("is numeric");
    }
于 2013-01-20T03:42:35.053 回答
1

将字符串转换为 int 的另一种方法是:

Integer number = Integer.valueOf("10");

您可能会考虑的另一种方法是使用类或枚举。

public class Card {
    // Feel free to change this
    public char type; // 1 - 10, J, Q, K, A
    public char kind; // Spades, Hearts, Clubs, Diamonds

    public Card(String code) {
        type = code.charAt(0);
        kind = code.charAt(1);
    }

   public boolean isGreaterThan(Card otherCard) {
       // You might want to add a few helper functions
   }
}
于 2013-01-20T03:46:13.907 回答
0

这是我能想到的最简洁的解决方案:

private static Map<String, String> names = new HashMap<String, String>() {{
    put("A", "Ace"); 
    put("K", "King"); 
    put("Q", "Queen"); 
    put("J", "Jack"); 
}};

然后在你的主要:

String x = in.nextLine();
if (x.startsWith("10")) { // special case of two-character rank
    System.out.print("Rank is 10");
} else if (Character.isDigit(x.charAt(0)){
    System.out.print("Rank is " + x.charAt(0));
} else
    System.out.print("Rank is: " + names.get(x.substring(0,1));
}
于 2013-01-20T03:45:45.863 回答