Trying to design a superclass that ensures all sub-classes are inherently Comparable
.
/**
* A base class implementing Comparable with itself by delegation.
* @param <T> - The type being wrapped.
*/
static class Distinct<T extends Comparable<T>> implements Comparable<Distinct<T>> {
final T it;
public Distinct(T it) {
this.it = it;
}
@Override
public int compareTo(Distinct<T> o) {
return it.compareTo(o.it);
}
}
/**
* A set of distinct items.
*
* @param <T>
*/
static class ThingHolder<T extends Comparable<T>> {
final Set<T> things;
public ThingHolder() {
this.things = new TreeSet<>();
}
}
/**
* A sample real thing.
*/
static class Thing extends Distinct<String> {
public Thing(String it) {
super(it);
}
}
// This doesn't work - Why?
final ThingHolder<Thing> yz = new ThingHolder<>();
The error I get reads:
com/oldcurmudgeon/test/Test.java:[70,22] error: type argument Thing is not within bounds of type-variable T
where T is a type-variable:
T extends Comparable<T> declared in class ThingHolder
Why is this not working? Can it be done?
X
to ThingHolder
it has to be a subtype of Comparable<X>
(by the class declaration of ThingHolder
).Thing
to ThingHolder
it has to be a subtype of Comparable<Thing>
. (Follows from the previous statement by substitution of Thing
for X
.)Thing
extends Distinct<String>
and therefore implements Comparable<Distinct<String>>
(by the class declaration of Thing
).Thing
is not the same type as Distinct<String>
- although it's a subtype - and therefore type matching fails.You could fix this by adjusting the class declaration of ThingHolder
as follows:
class ThingHolder<T extends Comparable<? super T>> {
...
}