0

在Java中,如何覆盖继承类中变量的类类型?例如:

class Parent {
  protected Object results;

  public Object getResults() { ... } 
}

class Child extends parent {

  public void operation() { 
  ... need to work on results as a HashMap
  ... results.put(resultKey, resultValue);
  ... I know it is possible to cast to HashMap everytime, but is there a better way?
  }

  public HashMap getResults() {
  return results;
}
4

1 回答 1

8

您可以使用泛型来实现这一点:

class Parent<T> {
    protected T results;

    public T getResults() {
        return results;
    } 
}

class Child extends Parent<HashMap<String, Integer>> {

    public void operation() { 
        HashMap<String, Integer> map = getResults();
        ...
    }
}

String这里我使用了和的键值类型Integer作为例子。Child如果键和值类型不同,您也可以对其进行通用化:

class Child<K, V> extends Parent<HashMap<K, V>> { ... }

如果您想知道如何初始化results字段,可以在构造函数中进行,例如:

class Parent<T> {

    protected T results;

    Parent(T results) {
        this.results = results;
    }

    ...
}

class Child<K, V> extends Parent<HashMap<K, V>> {

    Child() {
        super(new HashMap<K, V>());
    }

    ...
}

一些旁注:

如果您制作了field ,那么封装会更好,特别是因为它无论如何都有访问器。另外,如果它不会被重新分配,请考虑制作它。resultsprivategetResults()final

另外,我建议通过使用公共声明中的类型而不是专门来编程接口。仅在实例化时引用实现类型(在这种情况下):MapHashMapHashMap

class Child<K, V> extends Parent<Map<K, V>> {

    Child() {
        super(new HashMap<K, V>());
    }

    ...
}
于 2012-09-04T02:54:50.473 回答