Why does this:
public <T> List<byte[]> getData(T data) {
Location loc = (Location) data;
// ...
}
not generate any warnings, while this:
public <T> List<byte[]> getData(T data) {
List<ScanResult> scanRes = (List<ScanResult>) data;
// ...
}
generates Type safety: Unchecked cast from T to List<ScanResult>
?
How can I resolve the warning?
As a design is this kind of method declaration a smell?
public <T> List<byte[]> getData(T data)
is an interface method implemented in different classes with different data types - the first line of all implementations is such a cast
You get the warning because the cast
(List<ScanResult>) data
is not safe. Due to type erasure,List<ScanResult>
will beList
during runtime, so there will be no real type check regarding the element type of the list. That is, that cast will succeed even if you getList<String>
as a parameter and later you will get aClassCastException
when you try to access the list:One way to avoid it is making the interface generic:
And then define the specific type argument at implementations:
I don't know if it is suitable for your needs.