2

为什么这是编译错误?Java 无法同时达到bar.

import java.util.Random;

public class SwitchTest {
  public static void main(String[] args) {
    Random r = new Random();
    int foo = r.nextInt(2);

    switch(foo) {
    case 0:
      int bar = r.nextInt(10);
      System.out.println(bar);
      break;
    case 1:
      int bar = r.nextInt(10) + 10; // Doesn't compile!!
      System.out.println(bar);
      break;
    }
  }
}
4

2 回答 2

6

它们都在同一个词法范围内,这与执行可达性不同。

在每个内部的代码周围加上大括号case,它就会起作用。

于 2013-09-06T21:47:57.710 回答
3

您也可以在范围之外声明 bar

import java.util.Random;

public class SwitchTest {
  public static void main(String[] args) {
    Random r = new Random();
    int foo = r.nextInt(2);

    int bar;    //bar is out of the switch scope

    switch(foo) {
    case 0:
      bar = r.nextInt(10);
      System.out.println(bar);
      break;
    case 1:
      bar = r.nextInt(10) + 10;
      System.out.println(bar);
      break;
    }
  }
}
于 2013-09-06T21:50:58.197 回答