JAVA基础【1.2】《Java核心技术1》Java程序设计概述-Java JDK1.5新特性【收集】

时间:2023-02-16 11:19:47
JDK5新特性
 
1、For-Each循环
For-Each循环得加入简化了集合的遍历。假设我们要遍历一个集合对其中的元素进行一些处理。
典型的代码为:
 void processAll(Collection c){
         for(Iterator i=c.iterator(); i.hasNext();){
                MyClass myObject = (MyClass)i.next();
                 myObject.process();
          }
 }
使用For-Each循环,我们可以把代码改写成:
void processAll(Collection<MyClass> c){
       for (MyClass myObject :c)
               myObject.process();
        }
}
 
2、 泛型
 
以ArrayList为例,包括创建一个容器对象和取得容器内对象操作:
 
1.5 :ArrayList<Type> arrayList =new ArrayList<Type>(); arrayList.get(i)
 
1.4: ArrayList arrayList =new ArrayList();  (Type) arrayList.get(i)
 
3、 自动装箱拆箱
 
在JDK5.0以前,在原始类型与相应的包装类之间的转化是不能自动完成的。要完成这种转化,需要手动调用包装类的构造函数,在JDK5.0环境中,可以自动转化:
 
1.5: int a = 0; Integer wrapper = a;    int n = wrapper;
 
1.4 :Integer wrapper = new Integer(n);    int n = wrapper.intValue();
 
4 、可变的返回类型
 
在JDK5.0以前,当覆盖父类方法时,返回类型是不能改变的。现在有新的规则用于覆盖方法。如下,一个典型的例子就是clone()方法:
 
1.5 :public Employee clone() { ... }
 
    ...
 
    Employee cloned = e.clone();
 
1.4 :public Object clone() { ... }
 
    ...
 
    Employee cloned = (Employee) e.clone();
 
5、 静态导入
 
静态导入功能对于JDK 5.0以前的版本是不支持的。
 
import static java.lang.Math;
 
import static java.lang.System;
 
...
 
1.5: out.println(sqrt(PI));
 
1.4 :System.out.println(Math.sqrt(Math.PI));
 
6 、控制台输入
 
JDK 5.0先前的版本没有Scanner类,只能使用JOptionPane.showInputDialog类代替。
 
1.5: Scanner in = new Scanner(System.in);
 
    System.out.print(prompt);
 
    int n = in.nextInt();
 
    double x = in.nextDouble();
 
    String s = in.nextLine();
 
1.4 :String input = JOptionPane.showInputDialog(prompt);
 
    int n = Integer.parseInt(input);
 
    double x = Double.parseDouble(input);
 
    s = input;
 
7 、格式化输出
 
JDK5.0以前的版本没有printf方法,只能使用NumberFormat.getNumberInstance来代替。
 
1.5: System.out.printf("%8.2f", x);
 
1.4 :NumberFormat formatter= NumberFormat.getNumberInstance();
 
       String formatted = formatter.format(x);
 
        for (int i = formatted.length(); i < 8; i++)
 
        System.out.print(" "); System.out.print(formatted);
 
8 、内容面板代理
 
在JDK5.0先前的版本中,JFrame,JDialog,JApplet等类没有代理add和setLayout方法。
 
1.5: add(component);  setLayout(manager);
 
1.4 :getContentPane().add(component);getContentPane().setLayout(manager);
 
9 、StringBuilder类
 
jDK 5.0引入了StringBuilder类,这个类的方法不具有同步,这使得该类比StringBuffer类更高效。


10、枚举
  代码示例
 
  构建一个表示色彩的枚举,并赋值,在1.5版本中可以写为:
 
  public enum MyColor{ Red, Yellow, Blue }
 
  MyColor color = MyColor.Red;
 
  for ( MyColor mycolor : MyColor.values() )
 
  System.out.println( mycolor );
 
   以往的Java版本中没有enum关键词,1.5版本中终于加入了进来,这确实是一个令人高兴的改进。此外,enum还提供了一个名为values() 的静态方法,用以返回枚举的所有值的集合。所以,以上程序的输出结果是把“Red”、“Yellow”、“Blue”分行输出。
 
   而enum提供的静态方法valueOf()则将以字符串的形式返回某一个具体枚举元素的值,比如“MyColor.valueOf(“Red”)”会返 回“Color.Red”。静态方法name()则返回某一个具体枚举元素的名字,比如“MyColor.Red.name()”会返回“Red”。类似 的方法还有不少。此外,enum自身还可以有构造方法。