如何在Java中打破嵌套循环?

2022-08-31 01:25:59

我有一个嵌套循环结构,如下所示:

for (Type type : types) {
    for (Type t : types2) {
         if (some condition) {
             // Do something and break...
             break; // Breaks out of the inner loop
         }
    }
}

现在,我该如何打破这两个循环?我已经看过类似的问题,但没有一个特别涉及Java。我无法应用这些解决方案,因为大多数使用gotos。

我不想把内部循环放在不同的方法中。

我不想返回循环。当中断时,我完成了循环块的执行。


答案 1

像其他回答者一样,我肯定更愿意将循环放在不同的方法中,此时您可以返回以完全停止迭代。这个答案只是显示了如何满足问题中的要求。

可以与外部循环的标签一起使用。例如:break

public class Test {
    public static void main(String[] args) {
        outerloop:
        for (int i=0; i < 5; i++) {
            for (int j=0; j < 5; j++) {
                if (i * j > 6) {
                    System.out.println("Breaking");
                    break outerloop;
                }
                System.out.println(i + " " + j);
            }
        }
        System.out.println("Done");
    }
}

这打印:

0 0
0 1
0 2
0 3
0 4
1 0
1 1
1 2
1 3
1 4
2 0
2 1
2 2
2 3
Breaking
Done

答案 2

从技术上讲,正确的答案是标记外部循环。在实践中,如果你想在内部循环内的任何时候退出,那么你最好将代码外部化为一个方法(如果需要,则使用静态方法),然后调用它。

这将为可读性带来回报。

代码将变成这样:

private static String search(...) 
{
    for (Type type : types) {
        for (Type t : types2) {
            if (some condition) {
                // Do something and break...
                return search;
            }
        }
    }
    return null; 
}

匹配已接受答案的示例:

 public class Test {
    public static void main(String[] args) {
        loop();
        System.out.println("Done");
    }

    public static void loop() {
        for (int i = 0; i < 5; i++) {
            for (int j = 0; j < 5; j++) {
                if (i * j > 6) {
                    System.out.println("Breaking");
                    return;
                }
                System.out.println(i + " " + j);
            }
        }
    }
}

推荐