1

我在 Java API Collection 类中遇到了这段代码。它是否像 switch 语句一样工作?这个成语怎么称呼?

public static int indexOfSubList(List<?> source, List<?> target) {
    int sourceSize = source.size();
    int targetSize = target.size();
    int maxCandidate = sourceSize - targetSize;

    if (sourceSize < INDEXOFSUBLIST_THRESHOLD ||
        (source instanceof RandomAccess&&target instanceof RandomAccess)) {
    nextCand:
        for (int candidate = 0; candidate <= maxCandidate; candidate++) {
            for (int i=0, j=candidate; i<targetSize; i++, j++)
                if (!eq(target.get(i), source.get(j)))
                    continue nextCand;  // Element mismatch, try next cand
            return candidate;  // All elements of candidate matched target
        }
    } else {  // Iterator version of above algorithm
        ListIterator<?> si = source.listIterator();
    nextCand:
        for (int candidate = 0; candidate <= maxCandidate; candidate++) {
            ListIterator<?> ti = target.listIterator();
            for (int i=0; i<targetSize; i++) {
                if (!eq(ti.next(), si.next())) {
                    // Back up source iterator to next candidate
                    for (int j=0; j<i; j++)
                        si.previous();
                    continue nextCand;
                }
            }
            return candidate;
        }
    }
    return -1;  // No candidate matched the target
}
4

2 回答 2

5

不,它只是一个标记的中断/继续。看这里:

http://docs.oracle.com/javase/tutorial/java/nutsandbolts/branch.html

Java 允许使用标签作为中断/继续目标。默认情况下,中断/继续会影响最里面的循环,但使用标签可以跳出外部循环。

于 2013-01-04T13:56:34.833 回答
1

假设您指的是nextCand:and continue nextCand;,它只是一种从内部循环中继续到外部循环的下一次迭代的方法。

一个简单continue的将继续内部循环。

于 2013-01-04T13:58:14.827 回答