Why is super.super.method(); not allowed in Java?

It violates encapsulation. You shouldn’t be able to bypass the parent class’s behaviour. It makes sense to sometimes be able to bypass your own class’s behaviour (particularly from within the same method) but not your parent’s. For example, suppose we have a base “collection of items”, a subclass representing “a collection of red items” and a subclass of that representing “a collection of big red items”. It makes sense to have:

public class Items
{
    public void add(Item item) { ... }
}

public class RedItems extends Items
{
    @Override
    public void add(Item item)
    {
        if (!item.isRed())
        {
            throw new NotRedItemException();
        }
        super.add(item);
    }
}

public class BigRedItems extends RedItems
{
    @Override
    public void add(Item item)
    {
        if (!item.isBig())
        {
            throw new NotBigItemException();
        }
        super.add(item);
    }
}

That’s fine – RedItems can always be confident that the items it contains are all red. Now suppose we were able to call super.super.add():

public class NaughtyItems extends RedItems
{
    @Override
    public void add(Item item)
    {
        // I don't care if it's red or not. Take that, RedItems!
        super.super.add(item);
    }
}

Now we could add whatever we like, and the invariant in RedItems is broken.

Does that make sense?

Leave a Comment