`
ihuashao
  • 浏览: 4861008 次
  • 性别: Icon_minigender_1
  • 来自: 济南
社区版块
存档分类
最新评论

Using and Programming Generics in J2SE 5.0

阅读更多


Article
Using and Programming Generics in J2SE 5.0
<!-- END PAGETITLE -->

<!-- MAIN CONTENT --><!-- ============ --><!-- BEGIN VCD4 PFV -->
<!-- END VCD4 PFV -->
By Qusay H. Mahmoud, October 2004
<!-- END VCD4 BYLINE AND TOOLS -->

In J2SE 1.4.x you can have a collection of objects where the elements may have any reference type. Some additional work, however, is still your responsibility in the sense that you are required to keep track of what types of objects your collections contain. Also, you cannot have collections of primitive data types such as ints, floats, doubles, etc. But since every data type has a corresponding reference type (for example, int has Integer), you can convert an int to an Integer before storing it in the collection. However, when an element is extracted from the collection an Object is returned that must be cast to an Integer in order to ensure type safety. All this makes Java programs unnecessarily hard to read and maintain, and are more likely to fail with runtime errors.

If a collection contains information about the element type, there would be no need to keep track of what collections you have and also there would be no need for casting. This would make programs easier to read and maintain, and less likely to fail at runtime. J2SE 5.0 has added a new core language feature known as generics (also known as parameterized types), that provides compile-time type safety for collections and eliminate the drudgery of casting. The effort of adding generics to Java is led by Sun Microsystems as JSR 14 under the Java Community Process (JCP).

Generics are one of the most frequently requested language extensions to Java, and they have been finally added in J2SE 5.0. This article provides an introduction to programming with generics.

<!-- <span class="sp10">&nbsp;</span><br /> -->
The Need for Generics

The motivation for adding generics to the Java programming language stems from the fact that a collection doesn't contain information about the element type, the need to keep track of what type of elements collections contain, and the need for casts all over the place. Using generics, a collection is no longer treated as a list of Object references, but you would be able to differentiate between a collection of references to Integers and collection of references to Bytes. A collection with a generic type has a type parameter that specifies the element type to be stored in the collection.

As an example, consider the following segment of code that creates a linked list and adds an element to the list:

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
LinkedList list = new LinkedList();
list.add(new Integer(1));
Integer num = (Integer) list.get(0);

<!-- END VCD7 CODE SAMPLE COMPONENT -->

As you can see, when an element is extracted from the list it must be cast. The casting is safe as it will be checked at runtime, but if you cast to a type that is different from, and not a supertype of, the extracted type then a runtime exception, ClassCastException will be thrown.

Using generic types, the previous segment of code can be written as follows:

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
LinkedList<Integer> list = new LinkedList<Integer>();
list.add(new Integer(1));
Integer num = list.get(0);

<!-- END VCD7 CODE SAMPLE COMPONENT -->

Here we say that LinkedList is a generic class that takes a type parameter, Integer in this case.

As you can see, you no longer need to cast to an Integer since the get() method would return a reference to an object of a specific type (Integer in this case). If you were to assign an extracted element to a different type, the error would be at compile-time instead of run-time. This early static checking increases the type safety of the Java language.

To reduce the clutter, the above example can be rewritten as follows...using autoboxing:

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
LinkedList<Integer> list = new LinkedList<Integer>();
list.add(1);
int num = list.get(0);

<!-- END VCD7 CODE SAMPLE COMPONENT -->

As a complete example, consider the following class, Ex1, which creates a collection of two Strings and one Integer, and then prints out the collection:

Ex1.java

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
import java.util.*;

public class Ex1 {

  private void testCollection() {
    List list = new ArrayList();
    list.add(new String("Hello world!"));
    list.add(new String("Good bye!"));
    list.add(new Integer(95));
    printCollection(list);
  }

  private void printCollection(Collection c) {
    Iterator i = c.iterator();
    while(i.hasNext()) {
      String item = (String) i.next();
      System.out.println("Item: "+item);
    }
  }

  public static void main(String argv[]) {
    Ex1 e = new Ex1();
    e.testCollection();
  }
}

<!-- END VCD7 CODE SAMPLE COMPONENT -->

Again, an explicit cast is required in the printCollection method. This class compiles fine, but throws a CLassCastException at runtime as it attempts to cast an Integer to a String:

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
Item: Hello world!
Item: Good bye!
Exception in thread "main" java.lang.ClassCastException: java.lang.Integer
        at Ex1.printCollection(Ex1.java:16)
        at Ex1.testCollection(Ex1.java:10)
        at Ex1.main(Ex1.java:23)

<!-- END VCD7 CODE SAMPLE COMPONENT -->
Using Generics

Using generics, the Ex1 class above can be written as follows:

Ex2.java

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
import java.util.*;

public class Ex2 {

  private void testCollection() {
    List<String> list = new ArrayList<String>();
    list.add(new String("Hello world!"));
    list.add(new String("Good bye!"));
    list.add(new Integer(95));
    printCollection(list);
  }

  private void printCollection(Collection c) {
    Iterator<String> i = c.iterator();
    while(i.hasNext()) {
      System.out.println("Item: "+i.next());
    }
  }

  public static void main(String argv[]) {
    Ex2 e = new Ex2();
    e.testCollection();
  }
}

<!-- END VCD7 CODE SAMPLE COMPONENT -->

Now, if you try to compile this code, a compile-time error will be produced informing you that you cannot add an Integer to a collection of Strings. Therefore, generics enable more compile-time type checking and therefore mismatch errors are caught at compile-time rather than at run-time.

You may have already noticed the new syntax used to create an instance of ArrayList (List<String> list = new ArrayList<String>()). ArrayList is now a parameterized type. A parameterized type consists of a class or interface name E and a parameter section <T1, T2, ..., Tn>, which must match the number of declared parameters of E, and each actual parameter must be a subtype of the formal parameter's bound types. The following segment of code shows parts of the new class definition for ArrayList:

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
public class ArrayList<E> extends AbstractList<E> implements List<E>, 
    RandomAccess, Cloneable, Serializable {
   // ...
}

<!-- END VCD7 CODE SAMPLE COMPONENT -->

Here E is a type variable, which is an unqualified identifier. It simply acts as a placeholder for a type to be defined when the list is used.

<!-- <span class="sp10">&nbsp;</span><br /> -->
Implementing Generic Types

In addition to using generic types, you can implement your own. A generic type has one or more type parameters. Here is an example with only one type parameter called E. A parameterized type must be a reference type, and therefore primitive types are not allowed to be parameterized types.

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
interface List<E> {
   void add(E x);
   Iterator<E> iterator();
}

interface Iterator<E> {
   E next();
   boolean hasNext();
}


class LinkedList<E> implements List<E> {
   // implementation   
}

<!-- END VCD7 CODE SAMPLE COMPONENT -->

Here, E represents the type of elements contained in the collection. Think of E as a placeholder that will be replaced by a concrete type. For example, if you write LinkedList<String> then E will be replaced by String.

In some of your code you may need to invoke methods of the element type, such as Object's hashCode() and equals(). Here is an example that takes two type parameters:

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
class HashMap<K, V> extends AbstractMap<K, V> implements Map<K, V> {

   // ...

   public V get(Object k) {
      ...
      int hash = k.hashCode();  
      ...
   }
   // ...   
}

<!-- END VCD7 CODE SAMPLE COMPONENT -->

The important thing to note is that you are required to replace the type variables K and V by concrete types that are subtypes of Object.

<!-- <span class="sp10">&nbsp;</span><br /> -->
Generic Methods

Genericity is not limited to classes and interfaces, you can define generic methods. Static methods, nonstatic methods, and constructors can all be parameterized in almost the same way as for classes and interfaces, but the syntax is a bit different. Generic methods are also invoked in the same way as non-generic methods.

Before we see an example of a generics method, consider the following segment of code that prints out all the elements in a collection:

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
public void printCollection(Collection c) {
   Iterator i = c.iterator();
   for(int k = 0;k<c.size();k++) {
     System.out.printn(i.next());
   }
}

<!-- END VCD7 CODE SAMPLE COMPONENT -->

Using generics, this can be re-written as follows. Note that the Collection<?> is the collection of an unknown type.

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
void printCollection(Collection<?> c) {
   for(Object o:c) {
      System.out.println(e);
   }
}

<!-- END VCD7 CODE SAMPLE COMPONENT -->

This example uses a feature of generics known as wildcards.

<!-- <span class="sp10">&nbsp;</span><br /> -->
Wildcards

There are three types of wildcards:

  1. "? extends Type": Denotes a family of subtypes of type Type. This is the most useful wildcard
  2. "? super Type": Denotes a family of supertypes of type Type
  3. "?": Denotes the set of all types or any

As an example of using wildcards, consider a draw() method that should be capable of drawing any shape such as circle, rectangle, and triangle. The implementation may look something like this. Here Shape is an abstract class with three subclasses: Circle, Rectangle, and Triangle.

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
public void draw(List<Shape> shape) {
  for(Shape s: shape) {
    s.draw(this);
  }
}

<!-- END VCD7 CODE SAMPLE COMPONENT -->

It is worth noting that the draw() method can only be called on lists of Shape and cannot be called on a list of Circle, Rectangle, and Triangle for example. In order to have the method accept any kind of shape, it should be written as follows:

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
public void draw(List<? extends Shape> shape) {
   // rest of the code is the same
}

<!-- END VCD7 CODE SAMPLE COMPONENT -->

Here is another example of a generics method that uses wildcards to sort a list into ascending order. Basically, all elements in the list must implement the Comparable interface.

<!-- BEGIN VCD7 CODE SAMPLE COMPONENT -->
public static <T extends Comparable<? super T>> void sort(List<T> list) {
   Object a[] = list.toArray();
   Arrays.sort(a);
   ListIterator<T> i = list.listIterator();
   for(int j=0; j<a.length; j++) {
      i.index();
      i.set((t)a[j]);
   }
}

<!-- END VCD7 CODE SAMPLE COMPONENT -->
Changes to the Java Specification, JVM, and APIs

In order to support generic types, some modifications are necessary to the Java programming language, the Java virtual machine1, and the Java APIs. The notable changes to the Java APIs are related to the Collection hierarchy in the java.util package, changes to the java.lang.Class class, and the java.lang.reflect package so that it is possible to examine a type, method, constructor or field declaration and obtain generic type information. If you like to learn about the exact changes, please see JSR 14: Adding Generics to the Java Programming Language.

Behind the Scenes

Generics are implemented by the Java compiler as a front-end conversion called erasure, which is the process of translating or rewriting code that uses generics into non-generic code (that is, maps the new syntax to the current JVM specification). In other words, this conversion erases all generic type information; all information between angle brackets is erased. For example, LinkedList<Integer> will become LinkedList. Uses of other type variables are replaced by the upper bound of the type variable (for example, Object), and when the resulting code is not type correct, a cast to the appropriate type is inserted.

Java Generics vs. C++ Templates

While generics look like the C++ templates, it is important to note that they are not the same. Generics simply provide compile-time type safety and eliminate the need for casts. The main difference is encapsulation: errors are flagged where they occur and not later at some use site, and source code is not exposed to clients. Generics use a technique known as type erasure as described above, and the compiler keeps track of the generics internally, and all instances use the same class file at compile/run time.

A C++ template on the other hand is just a fancy macro processor; whenever a template class is instantiated with a new class, the entire code for the class is reproduced and recompiled for the new class.

Conclusion

Generics are a new core feature in J2SE 5.0, and a major addition to the core language. This feature provides a useful abstract and compile-time type safety for collections and eliminates the drudgery of casting. This article provided an overview and introduction to Java generics, and showed how to use generics as well as write your own. The examples provided in this article demonstrate how useful this new core feature is.

For More Information

- Download J2SE 5.0
- GJ: Extending the Java programming language with type parameters
- JSR 14: Adding Generics to the Java Programming Language
- Generics Tutorial (Generics in the Java Programming Language)

Acknowledgments

Thanks to Gilad Bracha for commenting on earlier drafts, and for providing some of the examples used in this article.

<!-- END RATE AND REVIEW --><!-- =================== --><!-- END OF MAIN CONTENT -->

copyright © Sun Microsystems, Inc











分享到:
评论

相关推荐

    J2SE 5.0 API (中文版)

    J2SE 5.0,也被称为 Java 5.0,是 Java 发展历程中的一个重要版本,它引入了许多创新特性,极大地提升了开发效率和代码质量。此资源是一个中文版的 J2SE 5.0 API 文档,对于学习和理解 Java 5.0 的新特性和库函数...

    在Eclipse 3.1中体验J2SE 5.0的新特性.pdf

    这篇文章聚焦于Eclipse 3.1中对J2SE 5.0(也被称为Tiger)新特性的支持,其中重点介绍了枚举类型(enumeration)、注释类型(annotation types)和范型(generics)三大特性,并以枚举类型为例进行了深入探讨。...

    由韩国出版的J2SE 5.0版的JAVA 2教材源代码

    J2SE 5.0是这个平台的一个重要里程碑,它引入了许多关键的新特性,提升了Java的效率、可读性和可维护性。本教材源代码正是围绕这一版本展开,对于学习和理解Java编程具有很高的价值。 1. **自动装箱与拆箱**:J2SE ...

    J2SERuntimeEnvironment5.0开发者版

    J2SE 5.0,也被称为Java SE 5.0,是这个平台的一个重要版本,发布于2004年,它带来了许多重大的改进和新特性,对Java编程语言和Java虚拟机(JVM)进行了显著的升级。 1. **泛型(Generics)** J2SE 5.0引入了泛型...

    Collections & Generics in J2SE 1.5

    ### Collections与Generics在J2SE 1.5中的应用 #### 快速回顾Collections 在深入了解Generics之前,我们先快速回顾一下Java中的Collections框架。Collections是Java平台的一个核心特性,它为开发者提供了一组丰富...

    The swift programming language (Swift 5.0)

    《Swift编程语言(Swift 5.0)》是苹果公司为开发者提供的官方指南,详细介绍了Swift这门现代、强大且易学的编程语言。Swift 5.0版本引入了许多重要的改进和新特性,旨在提高代码的稳定性和性能,同时保持其易读性和...

    Java程序员5.0升级版本简介

    - **新特性**:J2SE 5.0引入了一系列新特性,包括泛型(Generics)、枚举(Enums)、可变参数(Varargs)、增强的for循环等,这些特性极大地简化了代码编写,提高了代码的可读性和维护性。 - **安全性提升**:增强了...

    Implementing Generics from JDK 5.0

    ### 泛型在JDK 5.0中的实现 #### 泛型概述 在Java语言的传统设计中,允许异构集合的存在,这使得从集合中提取的对象必须进行类型转换才能正常使用,增加了编程复杂性。例如,当我们从一个集合中取出元素时,由于...

    JAVA5.0新特性

    随着J2SE 5.0(即Java 5.0)的正式发布,开发者们迎来了新一轮的技术革新。这款新版本不仅增强了Java语言本身的功能,还提升了编程效率,使得开发者能够更加专注于业务逻辑而非繁琐的类型转换等操作。本文将深入探讨...

    JavaSE_J2SE_5.0_API_中文文档_html格式

    J2SE(Java 2 Platform, Standard Edition)是JavaSE早期的称呼,5.0是其一个重要的版本发布,它在Java发展历程中扮演了关键的角色,引入了许多新特性并优化了已有的功能。 在JavaSE 5.0(也称为Java 5.0)中,主要...

    The Java Programming Language.4th.Edition.Aug.2005.pdf

    - **泛型(Generics)**:本书新增了关于泛型的章节,这是J2SE 5.0中最强大的新特性之一。泛型允许开发者编写类型安全的代码,可以避免运行时类型转换异常,并提高代码的可读性和维护性。 - **枚举类型(Enums)**:...

    Generics_in_the_Java_Programming_Language译文

    Java 泛型详解 Java 中的泛型是 Java 5(JDK 1.5)中引入的一项新特性,旨在解决类型安全和代码重用的问题。泛型允许程序员对类型进行抽象,使得代码更加灵活和可维护。 泛型的优点: 1. 类型安全:泛型可以在...

    Essential C# 5.0-Englis

    effective exception handling into your code* Using generics, delegates, Lambda expressions, and events to reduce code complexity* Learning dynamic programming with reflection and attributes* Querying...

    j2se5_api_zh

    Java 2 Platform, Standard Edition (J2SE) 5.0 API 汉化版是为开发者提供的一份详尽的中文文档,旨在帮助Java程序员更好地理解和使用Java 5.0版本的核心库。这个压缩包文件`j2se5_api_zh.chm`包含了Java 5.0的所有...

    j2se1.5中文api

    Java 2 Platform, Standard Edition (J2SE) 1.5,也被称为Java SE 5.0,是Java编程语言的一个重要版本,它引入了大量的新特性和改进,对Java开发者来说具有里程碑式的意义。J2SE 1.5中文API为中国的开发者提供了方便...

    Java Generics and Collections

    在Java中,泛型(Generics)引入于J2SE 5.0,目的是提供类型安全的集合,避免了在集合操作中强制类型转换的需要,同时也消除了运行时可能发生的ClassCastException。而集合框架(Collections Framework)是一组接口...

    Data Structures and Algorithms in Java, 5th Edition (Part 3/3)

    Now revised to reflect the innovations of Java 5.0, Goodrich and Tamassia’s Fourth Edition of Data Structures and Algorithms in Java continues to offer accessible coverage of fundamental data ...

Global site tag (gtag.js) - Google Analytics