我正在开发一个具有广泛的泛型继承和依赖关系树的项目。进行编辑以查看更好的示例。基础看起来像这样:

class A {
  ...
}

class B {
  ...
}

class C extends B {
  ...
}

class D<T extends B> extends A {
  ...
}

class StringMap<T extends A> {
   HashMap<String, T> _elements;
   ...
}

因此,现在我要编写一个包含特定StringMap类型的类。
class X {
  StringMap<D<C>> _thing = new StringMap<D<C>>;
  ...
}

到目前为止,一切正常。 D<C>实际上是一个很长的名称,并且特定的组合将在代码的其他部分中频繁出现,因此我决定为该特定的组合使用一个类,这样它将更清楚且名称更短。
class DC extends D<C> {

}

//and go to update X
class X {
  StringMap<D<C>> _thing = new StringMap<D<C>>(); //still works fine
  StringMap<DC> _thing = new StringMap<DC>(); //error
  ...
}

Eclipse给出了错误

绑定不匹配:DC类型不是<T extends A>类型的有界参数StringMap<T>的有效替代品

所以问题是,为什么这不行呢? DC除了扩展D<C>并回显构造函数外,什么也不做。当StringMap只是其子类的子类时,为什么DC认为clone()不同?

编辑:
好的,重新编写示例以使其更接近我的实际工作。我测试了它,并确实产生了错误。我在这里使用的是泛型类型,以确保B<T extends B<T>>为在继承树下实现该方法的人返回正确的类。然后在子类中,我使用B来确保T的子类将B的子类作为通用类型ojit_code传递。
public abstract class Undoable<T> implements Comparable<T> {
  public abstract T clone();
  public abstract void updateFields(T modified);
}

abstract public class A<T extends A<T, U>, U extends Comparable<U>>
    extends Undoable<T> {
  abstract U getKey();

  @Override
  public int compareTo(T element)
  {
    return getKey().compareTo(element.getKey());
  }
}

public class B<T extends B<T>> extends A<T, String> {
  @Override
  public T clone()
  {
    // TODO Auto-generated method stub
    return null;
  }

  @Override
  public void updateFields(T modified)
  {
    // TODO Auto-generated method stub
  }

  @Override
  String getKey()
  {
    // TODO Auto-generated method stub
    return null;
  }
}

public class C extends B<C> {

}

public class D<T extends B<T>> extends A<D<T>, String> {
  @Override
  String getKey()
  {
    // TODO Auto-generated method stub
    return null;
  }

  @Override
  public D<T> clone()
  {
    // TODO Auto-generated method stub
    return null;
  }

  @Override
  public void updateFields(D<T> modified)
  {
    // TODO Auto-generated method stub
  }
}

public class DC extends D<C> {

}

public class StringMap<T extends Undoable<T>> {
  HashMap<String, T> _elements;

}

public class Main {
  public static void main(String[] args)
  {
    StringMap<D<C>> _thing = new StringMap<D<C>>(); //works
    StringMap<DC> _thing1 = new StringMap<DC>(); //error
//Bound mismatch: The type DC is not a valid substitute for
//the bounded parameter <T extends Undoable<T>> of the type StringMap<T>

  }
}

最佳答案

您可能在做其他事情上做错了,因为以下工作正常:

import java.util.HashMap;

public class Q {
    class A {
    }
    class B {
    }
    class C extends B {
    }
    class D<T extends B> extends A {
    }

    class StringMap<T extends A> {
        HashMap<String, T> _elements;
    }

    class DC extends D<C> {

    }

    //and go to update X
    class X {
        StringMap<D<C>> thing1 = new StringMap<D<C>>(); // still works fine
        StringMap<DC> thing2 = new StringMap<DC>(); // NO error!!!
    }
}

尝试发布此类重现您的错误。

07-28 07:56