22

我想强制子类实现我母类的实现方法。我看这个Java - 强制实现一个已实现的方法,但我无法将我的母类转换为抽象类。

public class myMotherClass { 

   myMethod {

      ...some code ..

   }

}

public class myClass extends myMotherClass {

   myMethod {

      ... other code ...
   }

}

所以,在这个例子中,我想强制 myClass 实现 myMethod。

对不起我的英语不好...

4

4 回答 4

22

您不能强制子类覆盖方法。您只能通过使其抽象来强制它实现方法。

因此,如果您不能将 myMotherClass 抽象化,则只能引入另一个扩展 myMotherClass 并委托给必须实现的方法的超类:

public abstract class EnforceImplementation extends myMotherClass {

        public final void myMethod(){
             implementMyMethod();
        }

        public abstract void implementMyMethod();
}

编辑

我发现了另一种有趣的方法来解决hemcrest例如 mockito 使用的 api 中的问题。

public interface Matcher<T> extends SelfDescribing {

    /**
     * Evaluates the matcher for argument <var>item</var>.
     * <p/>
     * This method matches against Object, instead of the generic type T. This is
     * because the caller of the Matcher does not know at runtime what the type is
     * (because of type erasure with Java generics). It is down to the implementations
     * to check the correct type. 
     *
     * @param item the object against which the matcher is evaluated.
     * @return <code>true</code> if <var>item</var> matches, otherwise <code>false</code>.
     *
     * @see BaseMatcher
     */
    boolean matches(Object item);

    /**
     * This method simply acts a friendly reminder not to implement Matcher directly and
     * instead extend BaseMatcher. It's easy to ignore JavaDoc, but a bit harder to ignore
     * compile errors .
     *
     * @see Matcher for reasons why.
     * @see BaseMatcher
     */
    void _dont_implement_Matcher___instead_extend_BaseMatcher_();
}

接口指定了一个方法_dont_implement_Matcher___instead_extend_BaseMatcher_。当然它不会阻止其他人实现Matcher接口,但它会引导开发人员朝着正确的方向前进。

并且BaseMatcher该类将_dont_implement_Matcher___instead_extend_BaseMatcher_方法实现为final

public final void _dont_implement_Matcher___instead_extend_BaseMatcher_() {
    // See Matcher interface for an explanation of this method.
}

最后我认为这是一个设计问题,因为显然实现了每个人都应该实现的BaseMatcher逻辑。Matcher因此,最好创建Matcher一个抽象类并使用模板方法。

但我猜他们这样做是因为这是字节码兼容性和新功能之间的最佳折衷。

于 2013-08-20T09:28:00.767 回答
7

您可以重新设计您的层次结构,以便您的具体类只是树的叶子。

代替

myClass extends myMotherClass

考虑

myClass extends myMotherAbstractClass
myMotherClass extends myMotherAbstractClass 

这样,两个实例化的类都继承了 Abstract 类。在这种情况下,它可能myMotherClass会非常薄,只是myMethod.

于 2013-08-20T09:23:27.557 回答
5

大多数人忽略的一件事是以下实现(尽管我在评论中看到了它的提及):

public class MyMotherClass { 

    public void myMethod() {
      throw new RuntimeException("Method not overwritten");
    }    

}

在大多数情况下,这应该足够了,因为您应该进行某种形式的验收测试(即使它只是手动测试继承类)。从理论上讲,您仍然在引入一种可能性,即没有人会意识到该方法在生产之前还没有被过度使用。

于 2017-10-07T15:59:09.740 回答
-1

如果你真的想强制执行方法使用应该使用interface.

public interface MyInterface{

   void myMethod();
}

现在如果有人想从这个接口实现MyClass implements MyInterface,你必须实现myMethod();

public MyClass implements MyInterface{

  public void myMethod{
     // do something
   }

}
于 2013-08-20T09:25:22.803 回答