I have a class that accepts a ArrayList<?>
as a constructor argument:
JavaScript
x
public class Test {
public Test (ArrayList<?> data) {
}
}
I want to cast data
to ArrayList<Type>
, and pass Type
to constructor as an argument, something like this :
JavaScript
public class Test {
public Test (ArrayList<?> data, Class type) {
ArrayList<Type> newData = (ArrayList<type>) data;
}
}
How can i do this in Java?
Advertisement
Answer
You have to use a generic parameter, to get the class pointed by the Class
instance
JavaScript
public <T> Test(ArrayList<?> data, Class<T> type) {
ArrayList<T> newData = (ArrayList<T>) data;
}
But this is not safe as you just assume every object fits the class, you’d better cast every object one by one
JavaScript
public <T> Test(ArrayList<?> data, Class<T> type) {
ArrayList<T> newData = data.stream().map(o -> (T) o).collect(Collectors.toCollection(ArrayList::new));
}
Multiple classes
JavaScript
public <T, U> Test(ArrayList<?> data1, Class<T> type1, ArrayList<?> data2, Class<U> type2) {
ArrayList<T> newData1 = data1.stream().map(o -> (T) o).collect(Collectors.toCollection(ArrayList::new));
ArrayList<U> newData2 = data2.stream().map(o -> (U) o).collect(Collectors.toCollection(ArrayList::new));
}
Instanciate an object from a Class<T> type
JavaScript
T item = type.getDeclaredConstructor().newInstance();