我目前正在这样使用我的工厂:

public class AbstractFactory
{
    public static AbstractHeader parseHeader(File file)
    {
            if(AFactory.canRead(file))return AFactory.parseHeader(file);
            if(BFactory.canRead(file))return BFactory.parseHeader(file);

            throw new UnsupportedOperationException("File ["+file+"] not supported");
    }

    public static AbstractContent parseContent(AbstractHeader h)
    {
            if(h instanceof AHeader){
                    return AFactory.parseContent((AHeader) h);
            }
            if(h instanceof BHeader){
                    return BFactory.parseContent((BHeader) h);
            }
            throw new UnsupportedOperationException("Header not supported");
    }
}


parseHeader()将返回AHeader或BHeader的实例,并在稍后的时间中询问AbstractContent。有一个更好的方法吗 ?摆脱instanceof检查?

最佳答案

将以下代码添加到现有的类中:

public abstract class AbstractHeader {
    abstract AbstractContent parseContent();
}

public class AHeader extends AbstractHeader {
    public AbstractContent parseContent() {
         return AFactory.parseContent((AHeader) h);
    }
}

public class BHeader extends AbstractHeader {
    public AbstractContent parseContent() {
         return BFactory.parseContent((AHeader) h);
    }
}


现在,您可以只调用h.parseContent()。这称为多态。

07-26 09:24