有没有办法在 switch 语句中有一个选项可以 运行 所有以前的情况?

Is there a way to have an option that can run all previous cases in a switch statement?

例如,如果用户选择选项 1 - 3,它会执行自己的特定任务。如果用户输入 4,它会执行所有选项 1 - 3。有没有一种方法可以使用 switch 语句来完成此操作,而无需复制和粘贴每个案例中的所有代码?

switch (option) {
    case 1: {
        System.out.println("1");
        break;
    }
    case 2: {
        System.out.println("2");
        break;
    }
    case 3: {
        System.out.println("3");
        break;
    }
    case 4: {
        System.out.println("1");
        System.out.println("2");
        System.out.println("3");
        break;
    }
    default: {
        System.out.print("Invalid selection.");
        break;
    }
}

switch 语句不允许重复 case,因此只能通过多个 if 语句使用 OR 运算来实现请求的功能:

if (option == 1 || option == 4) {
    System.out.println("1");
}
if (option == 2 || option == 4) {
    System.out.println("2");
}
if (option == 3 || option == 4) {
    System.out.println("3");
}

另一种方法可能包括准备特定操作的选项图或操作列表以实现所需的逻辑。

  1. Map<Integer, Runnable> + Predicate.or
// define a map of simple actions
static final Map<Integer, Runnable> actionMap = new LinkedHashMap<>(); 
static {
    actionMap.put(1, ()-> System.out.println("1"));
    actionMap.put(2, ()-> System.out.println("2"));
    actionMap.put(3, ()-> System.out.println("3"));
};

public static void runOption(Integer option) {
    if (option < 1 || option > 4) {
        System.out.println("No action found for option = " + option);
    } else {
        Predicate<Integer> is4 = (x) -> 4 == option;
        
        actionMap.keySet()
            .stream()
            .filter(is4.or(option::equals))
            .map(actionMap::get)
            .forEach(Runnable::run);
    }
}

测试:

IntStream.range(0, 6).boxed().forEach(MyClass::runOption);

输出:

No action found for option = 0
1
2
3
1
2
3
No action found for option = 5
  1. Map<Integer, List<Runnable>>getOrDefault

此方法有助于组合任何动作,不仅有 一个 动作到 运行 所有可用动作。

static Runnable 
    action1 = ()-> System.out.println("1"),
    action2 = ()-> System.out.println("2"),
    action3 = ()-> System.out.println("3");

static final Map<Integer, List<Runnable>> actionListMap = Map.of(
    1, Arrays.asList(action1),
    2, Arrays.asList(action2),
    3, Arrays.asList(action3),
    4, Arrays.asList(action1, action2, action3)
);

public static void runOptionList(Integer option) {
    actionListMap.getOrDefault(
        option, 
        Arrays.asList(() -> System.out.println("No action found for option = " + option))
    )
    .forEach(Runnable::run);
}