String[] str;
String str[];
int[] temps = new int[99];
使用new创建数组对象时,其所有元素都被自动地初始化(数字数组为0,布尔数组为false,字符数组为‘\0’,对象数组为null)。
String titles[]={"da","Mr","farther"};
float[] rating = new float[20];
rating[2]=3.22F;
java对象数组是一组到对象的引用。将对象赋给这种数组数组中的元素时,将创建一个到该对象的引用。移动数组中的值,是在重新指定引用,而不是将值从一个元素复制到另一个中。对于基本数据类型(如int或float)的数组,这种操作实际上是将值从一个元素复制到另一个元素中;String数组也是如此,虽然它们是对象。
public class HalfDollars {
public static void main(String[] args) {
int[] denver = {1_700_000, 4_600_000, 2_100_000};
int[] philadelphia = new int[denver.length];
int[] total = new int[denver.length];
int average;
philadelphia[0] = 1_800_000;
philadelphia[1] = 5_000_000;
philadelphia[2] = 2_500_000;
total[0] = denver[0] + philadelphia[0];
total[1] = denver[1] + philadelphia[1];
total[2] = denver[2] + philadelphia[2];
average = (total[0] + total[1] + total[2]) / 3;
System.out.println("2012 production: ");
System.out.format("%,d%n", total[0]);
System.out.println("2013 production: ");
System.out.format("%,d%n", total[1]);
System.out.println("2014 production: ");
System.out.format("%,d%n", total[2]);
System.out.println("Average production: ");
System.out.format("%,d%n", average);
}
}
输出:
2012 production:
3,500,000
2013 production:
9600000.00000000000
2014 production:
4,600,000
Average production:
5,900,000
class Try{
public static void main(String[] args){
int[][][] cen = new int[100][52][7];
System.out.println(cen.length);
System.out.println(cen[0].length);
System.out.println(cen[0][0].length);
}
}
块也叫块语句(block statement),因为整个块可用任何可使用单条语句的地方。
if(a>b){
操作1;
}
else{
操作2;
}
String A="B";
switch(A){
case "A":
System.out.println("1");
break;
case "B":
System.out.println("2");
break;
case "C":
System.out.println("3");
break;
default:
System.out.println("null");
}
switch语句中的测试只能是可转换为int的基本数据类型,如char或字符串。不能在switch中使用更大的数据类型,如long、float,也不能测试除相等性外的其他关系。
test ? trueResult : falseResult;
for(initialization; test; increment){
statement;
}
while(i<13){
x=x*i++; //the body of the loop
}
long i =1;
do{
i*=2;
System.out.print(i+" ");
}while(i<3_000_000_000_000L);
out: for(int i=0;i<10;i++){
for(int j=0;j<50;j++){
if(i*j>400){
break out;
}
}
}
在上述代码片段中,标号out标记的是外层循环。然后,在for和while循环中,当特定条件满足时,break将跳出这两个循环。如果没有标号out,break将跳出内层循环,并继续执行外层循环。