NetBeans предупреждает меня сообщением "Переопределяемый вызов метода в конструкторе", но что в этом должно быть не так? Единственная альтернатива, которую я могу себе представить, - это передавать результаты других абстрактных методов суперконструктору в подклассах. Но это может быть трудно прочитать со многими параметрами.
Переведено автоматически
Ответ 1
О вызове переопределяемого метода из конструкторов
Проще говоря, это неправильно, потому что это без необходимости открывает возможности для МНОГИХ ошибок. Когда @Override вызывается, состояние объекта может быть непоследовательным и / или неполным.
Цитата из Effective Java 2nd Edition, пункт 17: Разрабатывайте и документируйте для наследования, иначе запретите это:
Есть еще несколько ограничений, которым класс должен подчиняться, чтобы разрешить наследование. Конструкторы не должны вызывать переопределяемые методы, прямо или косвенно. Нарушение этого правила приведет к сбою программы. Конструктор суперкласса запускается раньше конструктора подкласса, поэтому переопределяющий метод в подклассе будет вызван до запуска конструктора подкласса. Если переопределяющий метод зависит от какой-либо инициализации, выполняемой конструктором подкласса, метод не будет вести себя так, как ожидалось.
Здесь, когда Base конструктор вызывает overrideMe, Child не завершена инициализация final int x, и метод получает неправильное значение. Это почти наверняка приведет к ошибкам.
Конструкторы со многими параметрами могут привести к ухудшению читаемости, и существуют альтернативы получше.
Вот цитата из Effective Java 2nd Edition, пункт 2: Рассмотрите шаблон builder, когда сталкиваетесь со многими параметрами конструктора:
Traditionally, programmers have used the telescoping constructor pattern, in which you provide a constructor with only the required parameters, another with a single optional parameters, a third with two optional parameters, and so on...
The telescoping constructor pattern is essentially something like this:
publicclassTelescope { final String name; finalint levels; finalboolean isAdjustable;
You can't, however, currently set only the name and isAdjustable, and leaving levels at default. You can provide more constructor overloads, but obviously the number would explode as the number of parameters grow, and you may even have multiple boolean and int arguments, which would really make a mess out of things.
As you can see, this isn't a pleasant pattern to write, and even less pleasant to use (What does "true" mean here? What's 13?).
Bloch recommends using a builder pattern, which would allow you to write something like this instead:
Note that now the parameters are named, and you can set them in any order you want, and you can skip the ones that you want to keep at default values. This is certainly much better than telescoping constructors, especially when there's a huge number of parameters that belong to many of the same types.
If you run this code, you get the following output:
Constructing A Using C Constructing C
You see? foo() makes use of C before C's constructor has been run. If foo() requires C to have a defined state (i.e. the constructor has finished), then it will encounter an undefined state in C and things might break. And since you can't know in A what the overwritten foo() expects, you get a warning.
Ответ 3
Invoking an overridable method in the constructor allows subclasses to subvert the code, so you can't guarantee that it works anymore. That's why you get a warning.
In your example, what happens if a subclass overrides getTitle() and returns null ?
To "fix" this, you can use a factory method instead of a constructor, it's a common pattern of objects instanciation.
Ответ 4
Here is an example that reveals the logical problems that can occur when calling an overridable method in the super constructor.
This is because the constructor of class B first calls the constructor of class A, where the overridable method inside B gets executed. But inside the method we are using the instance variable factor which has not yet been initialized (because the constructor of A has not yet finished), thus factor is 0 and not 1 and definitely not 2 (the thing that the programmer might think it will be). Imagine how hard would be to track an error if the calculation logic was ten times more twisted.