在switch语句中使用java string.contains

时间:2012-07-19 09:47:41

标签: java switch-statement

如何将以下代码转换为switch语句?

String x = "user input";

if (x.contains("A")) {
    //condition A;
} else if (x.contains("B")) {
    //condition B;
} else if(x.contains("C")) {
    //condition C;
} else {
    //condition D;
}

7 个答案:

答案 0 :(得分:15)

有一种方法,但没有使用contains。你需要一个正则表达式。

final Matcher m = Pattern.compile("[ABCD]").matcher("aoeuaAaoe");
if (m.find())
  switch (m.group().charAt(0)) {
  case 'A': break;
  case 'B': break;
  }

答案 1 :(得分:7)

switch等条件下,您无法x.contains()。 Java 7在字符串上支持switch但不是您想要的。使用if

答案 2 :(得分:3)

在switch语句中的java中不允许条件匹配。

你可以在这里创建一个枚举你的字符串文字,并使用该枚举创建一个辅助函数,它返回匹配的枚举文字。使用返回的枚举值,您可以轻松应用切换案例

例如:

public enum Tags{
   A("a"),
   B("b"),
   C("c"),
   D("d");

   private String tag;

   private Tags(String tag)
   {
      this.tag=tag;
   }

   public String getTag(){
      return this.tag;
   }

   public static Tags ifContains(String line){
       for(Tags enumValue:values()){
         if(line.contains(enumValue)){
           return enumValue;
         }
       }
       return null;
   }

}

在java匹配类中,执行以下操作:

Tags matchedValue=Tags.ifContains("A");
if(matchedValue!=null){
    switch(matchedValue){
       case A:
         break;
       etc...
}

答案 3 :(得分:2)

不,你不能使用switch条件

JAVA 7允许Stringswitch case

一起使用

Why can't I switch on a String?

但条件不能与开关

一起使用

答案 4 :(得分:1)

你只能比较开关中的整个单词。 对于您的场景,最好使用if

答案 5 :(得分:1)

还有HashMap:

String SomeString = "gtgtdddgtgtg";

Map<String, Integer> items = new HashMap<>();
items.put("aaa", 0);
items.put("bbb", 1);
items.put("ccc", 2);
items.put("ddd", 2);

for (Map.Entry<String, Integer> item : items.entrySet()) {
    if (SomeString.contains(item.getKey())) {
        switch (item.getValue()) {
            case 0:
                System.out.println("do aaa");
                break;
            case 1:
                System.out.println("do bbb");
                break;
            case 2:
                System.out.println("do ccc&ddd");
                break;
        }
        break;
    }
}

答案 6 :(得分:0)

@Test
public void test_try() {
    String x = "userInputA"; // -- test for condition A
    String[] keys = {"A", "B", "C", "D"};
    String[] values = {"conditionA", "conditionB", "conditionC", "conditionD"};

    String match = "default";
    for (int i = 0; i < keys.length; i++) {
        if (x.contains(keys[i])) {
            match = values[i];
            break;
        }
    }

    switch (match) {
        case "conditionA":
            System.out.println("some code for A");
            break;
        case "conditionB":
            System.out.println("some code for B");
            break;
        case "conditionC":
            System.out.println("some code for C");
            break;
        case "conditionD":
            System.out.println("some code for D");
            break;
        default:
            System.out.println("some code for default");
    }
}

输出:

some code for A