MacMusic  |  PcMusic  |  440 Software  |  440 Forums  |  440TV  |  Zicos
type
Recherche

How to use Java generics to avoid ClassCastExceptions

jeudi 10 octobre 2024, 11:00 , par InfoWorld
Generics are used in Java to allow types or methods to operate on objects of various types while providing compile-time type safety. Generics address the problem of ClassCastExceptions being thrown at runtime as a result of code that is not type safe.

In this Java 101: Learn Java article, I introduce you to generics and how to use generic features in your Java programs.

What you’ll learn in this Java tutorial

What is type safety?
About generic types and type arguments
How to declare and use generic types in Java
How to specify upper bounds
About generic methods
About generics and type inference
Type erasure and other limitations of generics in Java
What you need to know about generics and heap pollution

What is type safety?
ClassCastExceptions happen when you cast objects from their current types to incompatible types. Type safe code ensures this does not happen.

The following code fragment demonstrates the lack of type safety in the context of the Java Collections Framework’s java.util.LinkedList class. This type of code was common before generics were introduced:
List doubleList = new LinkedList();
doubleList.add(new Double(3.5));
Double d = (Double) doubleList.iterator().next();

Although the goal of the above program is to store only java.lang.Double objects in the list, nothing prevents other kinds of objects from being stored. For example, you could specify doubleList.add('Hello'); to add a java.lang.String object. However, when storing another kind of object, the final line’s (Double) cast operator causes a ClassCastException to be thrown.

Because this lack of type safety isn’t detected until runtime, a developer might not be aware of the problem, leaving it to the client, instead of the compiler, to discover. Generics solve this issue by allowing the developer to mark the list as containing only Double objects. The compiler then alerts the developer if there is an attempt to store an object with a non-Double type in the list. This example of type safety is demonstrated below:

List doubleList = new LinkedList();
doubleList.add(new Double(3.5));
Double d = doubleList.iterator().next();

List now reads “List of Double.” List is a generic interface, expressed as List, that takes a Double type argument, which is also specified when creating the actual object. The compiler can now enforce type correctness when adding an object to the list—for instance, the list could store Double values only. This enforcement removes the need for the (Double) cast.

download
Get the code
Download the source code for examples in this tutorial. Created by Jeff Friesen.

About generic types and type arguments
A generic type is a class or interface that introduces a set of parameterized types via a formal type parameter list, which is a comma-separated list of type parameter names between a pair of angle brackets. Generic types adhere to the following syntax:

class identifier
{
// class body
}
interface identifier
{
// interface body
}

The Java Collections Framework offers many examples of generic types and their parameter lists. For example, java.util.Set is a generic type,  is its formal type parameter list, and E is the list’s solitary type parameter. Another example is java.util.Map.

A parameterized type is a generic type instance where the generic type’s type parameters are replaced with actual type arguments (type names). For example, Set is a parameterized type where String is the actual type argument replacing type parameter E.

The Java language supports the following kinds of actual type arguments:

Concrete type: A class or other reference type name is passed to the type parameter. For example, in List, Animal is passed to E.
Concrete parameterized type: A parameterized type name is passed to the type parameter. For example, in Set, List is passed to E.
Array type: An array is passed to the type parameter. For example, in Map, String is passed to K and String[] is passed to V.
Type parameter: A type parameter is passed to the type parameter. For example, in class
Container { Set elements; }, E is passed to E.
Wildcard: The question mark (?) is passed to the type parameter. For example, in Class,? is passed to T.

Each generic type implies the existence of a raw type, which is a generic type without a formal type parameter list. For example, Class is the raw type for Class. Unlike generic types, raw types can be used with any kind of object.

How to declare and use generic types in Java
Declaring a generic type involves specifying a formal type parameter list and accessing these type parameters throughout its implementation. Using the generic type involves passing actual type arguments to its type parameters when instantiating the generic type, as shown in Listing 1.
Listing 1. GenDemo.java (version 1)

class Container
{
private E[] elements;
private int index;
Container(int size)
{
elements = (E[]) new Object[size];
index = 0;
}
void add(E element)
{
elements[index++] = element;
}
E get(int index)
{
return elements[index];
}
int size()
{
return index;
}
}
public class GenDemo
{
public static void main(String[] args)
{
Container con = new Container(5);
con.add('North');
con.add('South');
con.add('East');
con.add('West');
for (int i = 0; i < con.size(); i++)
System.out.println(con.get(i));
}
}
Listing 1 demonstrates generic type declaration and usage in the context of a simple container type that stores objects of the appropriate argument type. To keep the code simple, I’ve omitted error checking.
The Container class declares itself to be a generic type by specifying the formal type parameter list. Type parameter E is used to identify the type of stored elements, the element to be added to the internal array, and the return type when retrieving an element.
The Container(int size) constructor creates the array via elements = (E[]) new Object[size];. If you’re wondering why I didn’t specify elements = new E[size];, the reason is that it isn’t possible. Doing so could lead to a ClassCastException.
Compile Listing 1 (javac GenDemo.java). The (E[]) cast causes the compiler to output a warning about the cast being unchecked. It flags the possibility that downcasting from Object[] to E[] might violate type safety because Object[] can store any type of object.
Note, however, that there is no way to violate type safety in this example. It’s simply not possible to store a non-E object in the internal array. Prefixing the Container(int size) constructor with @SuppressWarnings('unchecked') would suppress this warning message.
Execute java GenDemo to run this application. You should observe the following output:
North
South
East
West

Specifying upper bounds
The E in Set is an example of an unbounded type parameter because you can pass any actual type argument to E. For example, you can specify Set, Set, or Set.
Sometimes you’ll want to restrict the types of actual type arguments that can be passed to a type parameter. For example, perhaps you want to restrict a type parameter to accept only Employee and its subclasses.
You can limit a type parameter by specifying an upper bound, which is a type that serves as the upper limit on the types that can be passed as actual type arguments. Specify the upper bound by using the reserved word extends followed by the upper bound’s type name.
For example, class Employees restricts the types that can be passed to Employees to Employee or a subclass (e.g., Accountant). Specifying new
Employees would be legal, whereas new Employees would be illegal.
You can assign more than one upper bound to a type parameter. However, the first bound must always be a class, and the additional bounds must always be interfaces. Each bound is separated from its predecessor by an ampersand (&). This is shown in Listing 2.
Listing 2. GenDemo.java (version 2)
import java.math.BigDecimal;
import java.util.Arrays;
abstract class Employee
{
private BigDecimal hourlySalary;
private String name;
Employee(String name, BigDecimal hourlySalary)
{
this.name = name;
this.hourlySalary = hourlySalary;
}
public BigDecimal getHourlySalary()
{
return hourlySalary;
}
public String getName()
{
return name;
}
public String toString()
{
return name + ': ' + hourlySalary.toString();
}
}
class Accountant extends Employee implements Comparable
{
Accountant(String name, BigDecimal hourlySalary)
{
super(name, hourlySalary);
}
public int compareTo(Accountant acct)
{
return getHourlySalary().compareTo(acct.getHourlySalary());
}
}
class SortedEmployees
{
private E[] employees;
private int index;
@SuppressWarnings('unchecked')
SortedEmployees(int size)
{
employees = (E[]) new Employee[size];
int index = 0;
}
void add(E emp)
{
employees[index++] = emp;
Arrays.sort(employees, 0, index);
}
E get(int index)
{
return employees[index];
}
int size()
{
return index;
}
}
public class GenDemo
{
public static void main(String[] args)
{
SortedEmployees se = new SortedEmployees(10);
se.add(new Accountant('John Doe', new BigDecimal('35.40')));
se.add(new Accountant('George Smith', new BigDecimal('15.20')));
se.add(new Accountant('Jane Jones', new BigDecimal('25.60')));
for (int i = 0; i < se.size(); i++)
System.out.println(se.get(i));
}
}
Listing 2’s Employee class abstracts the concept of an employee that receives an hourly wage. This class is subclassed by Accountant, which also implements Comparable to indicate that Accountants can be compared according to their natural order, which happens to be hourly wage in this example.
The java.lang.Comparable interface is declared as a generic type with a single type parameter named T. This interface provides an int compareTo(T o) method that compares the current object with the argument (of type T), returning a negative integer, zero, or a positive integer as this object is less than, equal to, or greater than the specified object.
The SortedEmployees class lets you store Employee subclass instances that implement Comparable in an internal array. This array is sorted (via the java.util.Arrays class’s void sort(Object[] a, int fromIndex, int toIndex) class method) in ascending order of the hourly wage after an Employee subclass instance is added.
Compile Listing 2 (javac GenDemo.java) and run the application (java GenDemo). You should observe the following output:
George Smith: 15.20
Jane Jones: 25.60
John Doe: 35.40

Considering wildcards
Let’s say you want to print out a list of objects, regardless of whether these objects are strings, employees, shapes, or some other type. Your first attempt might look like what’s shown in Listing 3.
Listing 3. GenDemo.java (version 3)
import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;
public class GenDemo
{
public static void main(String[] args)
{
List directions = new ArrayList();
directions.add('north');
directions.add('south');
directions.add('east');
directions.add('west');
printList(directions);
List grades = new ArrayList();
grades.add(new Integer(98));
grades.add(new Integer(63));
grades.add(new Integer(87));
printList(grades);
}
static void printList(List list)
{
Iterator iter = list.iterator();
while (iter.hasNext())
System.out.println(iter.next());
}
}
It seems logical that a list of strings or a list of integers is a subtype of a list of objects, yet the compiler complains when you attempt to compile this listing. Specifically, it tells you that a list-of-string cannot be converted to a list-of-object, and similarly for a list-of-integer.
The error message you’ve received is related to the fundamental rule of generics:

For a given subtype x of type y, and given G as a raw type declaration, G is not a subtype of G.

According to this rule, although String and java.lang.Integer are subtypes of java.lang.Object, it’s not true that List and List are subtypes of List.

Why do we have this rule? Remember that generics are designed to catch type-safety violations at compile time, which is helpful. Without generics, you are much more likely to be called in to work at 2 a.m. because your Java program has thrown a ClassCastException and crashed!

As a demonstration, let’s assume that List was a subtype of List. If this was true, you might end up with the following code:
List directions = new ArrayList();
List objects = directions;
objects.add(new Integer());
String s = objects.get(0);
This code fragment creates a list of strings based on an array list. It then upcasts this list to a list of objects (which isn’t legal, but for now just pretend it is). Next, it adds an integer to the list of objects, which violates type safety. The problem occurs in the final line, which throws ClassCastException because the stored integer cannot be cast to a string.
You could prevent such a violation of type safety by passing an object of type List to the printList() method in Listing 3. However, doing so wouldn’t be very useful. Instead, you can use wildcards to solve the problem, as shown in Listing 4.
Listing 4. GenDemo.java (version 4)
import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;
public class GenDemo
{
public static void main(String[] args)
{
List directions = new ArrayList();
directions.add('north');
directions.add('south');
directions.add('east');
directions.add('west');
printList(directions);
List grades = new ArrayList();
grades.add(Integer.valueOf(98));
grades.add(Integer.valueOf(63));
grades.add(Integer.valueOf(87));
printList(grades);
}
static void printList(List list)
{
Iterator iter = list.iterator();
while (iter.hasNext())
System.out.println(iter.next());
}
}
In Listing 4, I use a wildcard (the? symbol) in place of Object in the parameter list and body of printList(). Because this symbol stands for any type, it’s legal to pass List and List to this method.
Compile Listing 4 (javac GenDemo.java) and run the application (java GenDemo). You should observe the following output:
north
south
east
west
98
63
87

About generic methods
Now say you want to copy a list of objects to another list subject to a filter. You might consider declaring a void copy(List src, List dst, Filter filter) method, but this method would only be able to copy Lists of Objects and nothing else.
To pass source and destination lists of arbitrary type, you need to use the wildcard for a type placeholder. For example, consider the following copy() method:
void copy(List src, List dest, Filter filter)
{
for (int i = 0; i < src.size(); i++)
if (filter.accept(src.get(i)))
dest.add(src.get(i));
}
This method’s parameter list is correct, but there’s a problem. According to the compiler, dest.add(src.get(i)); violates type safety. The? implies that any kind of object can be the list’s element type, and it’s possible that the source and destination element types are incompatible.
For example, if the source list was a List of Shape and the destination list was a List of String, and copy() was allowed to proceed, ClassCastException would be thrown when attempting to retrieve the destination list’s elements.
You could partially solve this problem by providing upper and lower bounds for the wildcards, as follows:
void copy(List
https://www.infoworld.com/article/2257860/how-to-use-java-generics-to-avoid-classcastexceptions.html

Voir aussi

News copyright owned by their original publishers | Copyright © 2004 - 2024 Zicos / 440Network
Date Actuelle
mer. 16 oct. - 14:17 CEST