Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Cast via reflection and use of Class.cast() [duplicate]

Possible Duplicate:
Java Class.cast() vs. cast operator

I am unsuccessfully trying to find out what Class.cast() does or what it may be good for. At the same time I am wondering whether I can somehow cast an object via reflection.

First I thought something like the lines below might work:

Object o = "A string"; String str = Class.forName("java.lang.String").cast(object); 

But without an explicit cast it does not work.

So what is the cast method of Class class good for? And is it somehow possible just with reflection to cast objects, so you find the object's class, use Class.forName on it and cast it somehow?

like image 543
Jarek Avatar asked Jan 18 '12 22:01

Jarek


2 Answers

An example where is does work:

class Favorites {     private Map<Class<?>, Object> map = new HashMap<Class<?>, Object>();      public <T> T get(Class<T> clazz) {         return clazz.cast(map.get(clazz));     }      public <T> void put(Class<T> clazz, T favorite) {         map.put(clazz, favorite);     } } 

which allows you to write:

Favorites favs = new Favorites(); favs.put(String.class, "Hello"); String favoriteString = favs.get(String.class); 

The reason your code doesn't work is that Class.forName() returns a Class<?>, i.e. a class object representing an unknown type. While the compiler could possibly infer the type in your example, it can not in general. Consider:

Class.forName(new BufferedReader(System.in).readLine()) 

what's the type of this expression? Clearly the compiler can not know what the class name will be at runtime, so it doesn't know whether

String s = Class.forName(new BufferedReader(System.in).readLine()).cast(o); 

is safe. Therefore it requests an explicit cast.

like image 127
meriton Avatar answered Sep 21 '22 23:09

meriton


The return type of Class.forName will be Class<? extends Object>. You want Class<? extends String>, for instance using String.class.

String str = String.class.cast(object); 

Not very useful, until you start replacing String with some kind of interface type.

In any case, reflection is generally evil.

like image 36
Tom Hawtin - tackline Avatar answered Sep 21 '22 23:09

Tom Hawtin - tackline