Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Casting an array of Objects into an array of my intended class

Just for review, can someone quickly explain what prevents this from working (on compile):

private HashSet data;  ...  public DataObject[] getDataObjects( ) {     return (DataObject[]) data.toArray(); } 

...and what makes this the way that DOES work:

public DataObject[] getDataObjects( ) {     return (DataObject[]) data.toArray( new DataObject[ Data.size() ] ); } 

I'm not clear on the mechanism at work with casting (or whatever it is) that makes this so.

like image 917
Daddy Warbox Avatar asked Dec 27 '08 14:12

Daddy Warbox


People also ask

Can you cast an object array to a string array in Java?

Java For Testers toArray() returns an Object[], it can be converted to String array by passing the String[] as parameter.

How do you declare an array of objects of a class student?

Syntax: Class_Name obj[ ]= new Class_Name[Array_Length]; For example, if you have a class Student, and we want to declare and instantiate an array of Student objects with two objects/object references then it will be written as: Student[ ] studentObjects = new Student[2];


2 Answers

Because toArray() creates an array of Object, and you can't make Object[] into DataObject[] just by casting it. toArray(DataObject[]) creates an array of DataObject.

And yes, it is a shortcoming of the Collections class and the way Generics were shoehorned into Java. You'd expect that Collection<E>.toArray() could return an array of E, but it doesn't.

Interesting thing about the toArray(DataObject[]) call: you don't have to make the "a" array big enough, so you can call it with toArray(new DataObject[0]) if you like.

Calling it like toArray(new DateObject[0]) is actually better if you use .length later to get the array length. if the initial length was large and the same array object you passed was returned then you may face NullPointerExceptions later

I asked a question earlier about Java generics, and was pointed to this FAQ that was very helpful: http://www.angelikalanger.com/GenericsFAQ/JavaGenericsFAQ.html

like image 125
Paul Tomblin Avatar answered Oct 02 '22 18:10

Paul Tomblin


To ensure type safety when casting an array like you intended (DataObject[] dataArray = (DataObject[]) objectArray;), the JVM would have to inspect every single object in the array, so it's not actually a simple operation like a type cast. I think that's why you have to pass the array instance, which the toArray() operation then fills.

like image 21
Henning Avatar answered Oct 02 '22 19:10

Henning