Home > Articles > Programming > Java

Like this article? We recommend

Generic Types

A generic type is a class or interface with a type-generalized implementation. The class or interface name is followed by a formal type parameter section, which is surrounded with angle brackets (<>). Although space characters can appear between the type name and the open angle bracket (<), it is conventional to avoid placing spaces between these syntax elements:

class classname<formal-type-parameter-section>
{
}

interface interfacename<formal-type-parameter-section>
{
}

The formal type parameter section declares one or more formal type parameters, in which each parameter describes a range of types. The E in public class ArrayList<E> and T extends Number in class Vertex<T extends Number> are examples of formal type parameters.

If multiple formal type parameters are present, a comma separates each parameter from its predecessor: <type-parm1, type-parm2, type-parm3, ...>. For example, public interface Map<K,V>’s formal type parameter section declares K and V formal type parameters.

Each formal type parameter identifies a type variable. Examples of type variables include E in public class ArrayList<E>, T in class Vertex<T extends Number>, and K and V in public interface Map<K,V>. Formal type parameters and type variables are often identical.

By convention, type variables are represented by single uppercase letters to distinguish them from the names of their enclosing classes or interfaces. It is common to use T and surrounding letters such as S to name type variables; the Collections API also uses E to denote an element type, K to denote a key type, and V to denote a value type.

A generic class can specify type variables as the types of its non-static fields, non-static method parameters, and local variables; and as non-static method return types. For example, ArrayList specifies type variable E as the type of its private transient E[] elementData field and as the return type of its public E get(int index) method. Listing 3 presents another example.

Listing 3 GenericClass.java

// GenericClass.java

public class GenericClass<T>
{
  T field;

  public T getField ()
  {
   return field;
  }

  public void setField (T field)
  {
   this.field = field;
  }

  public void someOtherMethod ()
  {
   T local = field;

   // Use local in some way.
  }
}

A generic type is instantiated by replacing its type variables with actual type arguments. This instantiation is also known as a parameterized type. For example, GenericClass<T> is a generic type, GenericClass<String> is a parameterized type, and String is an actual type argument. Think of this instantiation as turning Listing 3’s generic class into this class:

public class GenericClass
{
  String field;

  public String getField ()
  {
   return field;
  }

  public void setField (String field)
  {
   this.field = field;
  }

  public void someOtherMethod ()
  {
   String local = field;

   // Use local in some way.
  }
}

Type Variable Bounds

A type variable can be specified as being unbounded or upper-bounded in the formal type parameter section. For unbounded type variables (such as E in ArrayList<E>), you can pass any actual type argument ranging from Object down to the lowest subclass or interface to the type variable.

However, if you need to restrict the range of types that a type variable can take on (such as being passed only Number and its subclasses), you must specify an upper bound. You can specify single or multiple upper bounds. These upper bounds let you set an upper limit on what types can be chosen as actual type arguments.

A type variable can be assigned a single upper bound via extends. For example, in class Foo<T extends Number>, T is assigned Number as its single upper bound. This type variable can receive only Number and subtypes as actual type arguments—Foo<Float> is legal; Foo<String> is illegal.

More than one upper bound can be assigned to a type variable. The first (leftmost) bound is a class or an interface; all remaining bounds must be interfaces. An ampersand (&) is used to separate each bound from its predecessor. The following generic class accepts only types that subclass Number and implement Comparable (which is redundant since Number implements this interface):

class CMP<T extends Number & Comparable<T>>
{
  CMP (T first, T second)
  {
    System.out.println (first.compareTo (second));
  }
}

Type Variable Scope

As revealed in Listing 3, a type variable’s scope (visibility) is the entire class or interface in which its formal type parameter section is present; static members are exceptions. This scope also extends to the formal type parameter section, where a type variable can be declared in terms of itself (as shown below) or a previously declared type variable:

class CMP<T extends Comparable<T>>
{
  CMP(T first, T second)
  {
   System.out.println (first.compareTo (second));
  }
}

The example’s formal type parameter section employs T extends Comparable<T> to require actual type arguments passed to T to implement the Comparable interface. Because String and Integer implement this interface, new CMP<String> ("ABC", "DEF"); and new CMP<Integer> (new Integer (1), new Integer (1)); are legal.

A type variable’s scope can be overridden by declaring a same-named type variable in the formal type parameter section of a nested class. In other words, the nested class’s type variable hides the outer class’s type variable. Because this scenario can lead to confusion, it is best to choose different names for these type variables:

// Outer’s T and Inner’s T are two different type variables.
// Outer’s T can be any type; Inner’s T is restricted to 
// Number and subtypes of Number (such as Float or Integer).

class Outer<T>
{
  class Inner<T extends Number>
  {
  }
}

// It is less confusing to specify a different name for the 
// nested class’s type variable. Here, S has been chosen to 
// make the distinction.

class Outer<T>
{
  class Inner<S extends Number>
  {
  }
}

// The following Outer and Inner class instantiations prove 
// that there are two different type variables.

Outer<String> o = new Outer<String> ();
Outer<String>.Inner<Float> i = o.new Inner<Float> ();

// T is assigned type argument String; S is assigned Float.

Five Kinds of Actual Type Arguments

When instantiating a generic type, which results in a parameterized type, an actual type argument is supplied for each formal type parameter. These arguments, which are specified as a comma-separated list between a pair of angle brackets, can be concrete types, concrete parameterized types, array types, type variables, or wildcards (depending on context and the generic type):

  • concrete type: The actual type argument is the name of a class or an interface that is passed to the type variable. Example: List<Integer> list = new ArrayList<Integer> ();. Each List element is an Integer.
  • concrete parameterized type: The actual type argument is the name of a parameterized type that is passed to the type variable. Example: List<List<Integer>> list = new ArrayList<List<Integer>> ();. Each List element is a List of Integers.
  • array type: The actual type argument is an array. Example: List<int []> list = new ArrayList<int []> ();. Each List element is an array of ints.
  • type variable: The actual type argument is a type variable. Example: List<T> list = new ArrayList<T> ();. Each list element is the type specified by T when the enclosing type is instantiated.
  • wildcard: The actual type argument is a ?. I’ll discuss this argument when I explore the wildcard type.

In addition to this list of actual type arguments, it is also possible to specify no arguments. The resulting type, which is known as a raw type, exists to allow legacy Java code (that is, code written prior to generics) to be compiled with the J2SE 5.0 compiler (albeit with warning messages). Example: List l = new ArrayList ();.

Wildcard Type

Having studied Java’s object-oriented capabilities, you understand that a subtype is a kind of supertype—an ArrayList is a kind of List, String and Integer are kinds of Objects, and so on. However, are List<String> and List<Integer> kinds of List<Object>s? Examine the following code:

List<Integer> li = new ArrayList<Integer> ();
List<Object> lo = li;
lo.add (new Object ());
Integer i = li.get (0);

The first line is correct; the second line is not correct. If it were correct, the list of integers would also be a list of objects, the third line would succeed, and the fourth line would throw a ClassCastException—you cannot cast Object to Integer. Because type safety would be violated, List<Integer> is not a kind of List<Object>.

This example can be generalized: For a given subtype x of type y, and given G as a generic type declaration, G<x> is not a subtype of G<y>. This fact might be the hardest thing to learn about generics because we are used to thinking about subtypes as being kinds of supertypes. Also, it can trip you up when writing code. Consider a first attempt at writing a method that outputs any collection:

public static void outputCollection (Collection<Object> c)
{
  for (Object o: c)
    System.out.println (o);
}

This method can be used to output any collection whose actual type argument is Object –- Set<Object> set = new TreeSet<Object> (); outputCollection (set); and List<Object> list = new ArrayList<Object> (); outputCollection (list); are legal, but List<String> list = new ArrayList<String> (); outputCollection (list); is illegal.

The problem is due to the fact that Collection<Object> is only the supertype of all other collection types whose actual type arguments are Object. If you need to pass other actual type arguments, you need to replace Object in the previous outputCollection() method with a ?. This character identifies the wildcard type, which accepts any actual type argument:

public static void outputCollection (Collection<?> c)
{
  for (Object o: c)
    System.out.println (o);
}

By simply changing to the wildcard type, List<String> list = new ArrayList<String> (); outputCollection (list); is now legal. Because Collection<?> is the supertype of all kinds of collections, you can pass any actual type argument to the method, assign each collection element to Object (which is safe), and access the element. But you cannot add elements to the collection:

public static void copyCollection (Collection<?> c1,
                  Collection<?> c2)
{
  for (Object o: c1)
    c2.add (o);
}

The method above, which attempts to copy c1’s elements to a presumably empty c2, will not compile. Although c1’s elements can be assigned to Object, c2’s element type is unknown. If this type is anything other than Object (such as String), type safety is violated. You need a generic method to copy c1’s elements to c2.

InformIT Promotional Mailings & Special Offers

I would like to receive exclusive offers and hear about products from InformIT and its family of brands. I can unsubscribe at any time.

Overview


Pearson Education, Inc., 221 River Street, Hoboken, New Jersey 07030, (Pearson) presents this site to provide information about products and services that can be purchased through this site.

This privacy notice provides an overview of our commitment to privacy and describes how we collect, protect, use and share personal information collected through this site. Please note that other Pearson websites and online products and services have their own separate privacy policies.

Collection and Use of Information


To conduct business and deliver products and services, Pearson collects and uses personal information in several ways in connection with this site, including:

Questions and Inquiries

For inquiries and questions, we collect the inquiry or question, together with name, contact details (email address, phone number and mailing address) and any other additional information voluntarily submitted to us through a Contact Us form or an email. We use this information to address the inquiry and respond to the question.

Online Store

For orders and purchases placed through our online store on this site, we collect order details, name, institution name and address (if applicable), email address, phone number, shipping and billing addresses, credit/debit card information, shipping options and any instructions. We use this information to complete transactions, fulfill orders, communicate with individuals placing orders or visiting the online store, and for related purposes.

Surveys

Pearson may offer opportunities to provide feedback or participate in surveys, including surveys evaluating Pearson products, services or sites. Participation is voluntary. Pearson collects information requested in the survey questions and uses the information to evaluate, support, maintain and improve products, services or sites, develop new products and services, conduct educational research and for other purposes specified in the survey.

Contests and Drawings

Occasionally, we may sponsor a contest or drawing. Participation is optional. Pearson collects name, contact information and other information specified on the entry form for the contest or drawing to conduct the contest or drawing. Pearson may collect additional personal information from the winners of a contest or drawing in order to award the prize and for tax reporting purposes, as required by law.

Newsletters

If you have elected to receive email newsletters or promotional mailings and special offers but want to unsubscribe, simply email information@informit.com.

Service Announcements

On rare occasions it is necessary to send out a strictly service related announcement. For instance, if our service is temporarily suspended for maintenance we might send users an email. Generally, users may not opt-out of these communications, though they can deactivate their account information. However, these communications are not promotional in nature.

Customer Service

We communicate with users on a regular basis to provide requested services and in regard to issues relating to their account we reply via email or phone in accordance with the users' wishes when a user submits their information through our Contact Us form.

Other Collection and Use of Information


Application and System Logs

Pearson automatically collects log data to help ensure the delivery, availability and security of this site. Log data may include technical information about how a user or visitor connected to this site, such as browser type, type of computer/device, operating system, internet service provider and IP address. We use this information for support purposes and to monitor the health of the site, identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents and appropriately scale computing resources.

Web Analytics

Pearson may use third party web trend analytical services, including Google Analytics, to collect visitor information, such as IP addresses, browser types, referring pages, pages visited and time spent on a particular site. While these analytical services collect and report information on an anonymous basis, they may use cookies to gather web trend information. The information gathered may enable Pearson (but not the third party web trend services) to link information with application and system log data. Pearson uses this information for system administration and to identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents, appropriately scale computing resources and otherwise support and deliver this site and its services.

Cookies and Related Technologies

This site uses cookies and similar technologies to personalize content, measure traffic patterns, control security, track use and access of information on this site, and provide interest-based messages and advertising. Users can manage and block the use of cookies through their browser. Disabling or blocking certain cookies may limit the functionality of this site.

Do Not Track

This site currently does not respond to Do Not Track signals.

Security


Pearson uses appropriate physical, administrative and technical security measures to protect personal information from unauthorized access, use and disclosure.

Children


This site is not directed to children under the age of 13.

Marketing


Pearson may send or direct marketing communications to users, provided that

  • Pearson will not use personal information collected or processed as a K-12 school service provider for the purpose of directed or targeted advertising.
  • Such marketing is consistent with applicable law and Pearson's legal obligations.
  • Pearson will not knowingly direct or send marketing communications to an individual who has expressed a preference not to receive marketing.
  • Where required by applicable law, express or implied consent to marketing exists and has not been withdrawn.

Pearson may provide personal information to a third party service provider on a restricted basis to provide marketing solely on behalf of Pearson or an affiliate or customer for whom Pearson is a service provider. Marketing preferences may be changed at any time.

Correcting/Updating Personal Information


If a user's personally identifiable information changes (such as your postal address or email address), we provide a way to correct or update that user's personal data provided to us. This can be done on the Account page. If a user no longer desires our service and desires to delete his or her account, please contact us at customer-service@informit.com and we will process the deletion of a user's account.

Choice/Opt-out


Users can always make an informed choice as to whether they should proceed with certain services offered by InformIT. If you choose to remove yourself from our mailing list(s) simply visit the following page and uncheck any communication you no longer want to receive: www.informit.com/u.aspx.

Sale of Personal Information


Pearson does not rent or sell personal information in exchange for any payment of money.

While Pearson does not sell personal information, as defined in Nevada law, Nevada residents may email a request for no sale of their personal information to NevadaDesignatedRequest@pearson.com.

Supplemental Privacy Statement for California Residents


California residents should read our Supplemental privacy statement for California residents in conjunction with this Privacy Notice. The Supplemental privacy statement for California residents explains Pearson's commitment to comply with California law and applies to personal information of California residents collected in connection with this site and the Services.

Sharing and Disclosure


Pearson may disclose personal information, as follows:

  • As required by law.
  • With the consent of the individual (or their parent, if the individual is a minor)
  • In response to a subpoena, court order or legal process, to the extent permitted or required by law
  • To protect the security and safety of individuals, data, assets and systems, consistent with applicable law
  • In connection the sale, joint venture or other transfer of some or all of its company or assets, subject to the provisions of this Privacy Notice
  • To investigate or address actual or suspected fraud or other illegal activities
  • To exercise its legal rights, including enforcement of the Terms of Use for this site or another contract
  • To affiliated Pearson companies and other companies and organizations who perform work for Pearson and are obligated to protect the privacy of personal information consistent with this Privacy Notice
  • To a school, organization, company or government agency, where Pearson collects or processes the personal information in a school setting or on behalf of such organization, company or government agency.

Links


This web site contains links to other sites. Please be aware that we are not responsible for the privacy practices of such other sites. We encourage our users to be aware when they leave our site and to read the privacy statements of each and every web site that collects Personal Information. This privacy statement applies solely to information collected by this web site.

Requests and Contact


Please contact us about this Privacy Notice or if you have any requests or questions relating to the privacy of your personal information.

Changes to this Privacy Notice


We may revise this Privacy Notice through an updated posting. We will identify the effective date of the revision in the posting. Often, updates are made to provide greater clarity or to comply with changes in regulatory requirements. If the updates involve material changes to the collection, protection, use or disclosure of Personal Information, Pearson will provide notice of the change through a conspicuous notice on this site or other appropriate way. Continued use of the site after the effective date of a posted revision evidences acceptance. Please contact us if you have questions or concerns about the Privacy Notice or any objection to any revisions.

Last Update: November 17, 2020