発生している問題
スーパークラスでコンストラクタを定義してあるのに、そのクラスのサブクラスをインスタンス化しようとすると、The named parameter 'xxx' isn't defined
というエラーが発生する。
super_class.dart
import 'package:flutter/material.dart';
class SuperClass {
const SuperClass({this.argument});
@protected
final String argument;
}
child_class.dart
import 'super_class.dart';
class ChildClass extends SuperClass {
void method() {
print(argument);
}
}
main.dart
import 'child_class.dart';
final myClass = ChildClass(argument: 'hoge');
原因
Dartの公式ドキュメントによると、コンストラクタは継承されないらしい。
以下抜粋。
Constructors aren’t inherited
Subclasses don’t inherit constructors from their superclass. A subclass that declares no constructors has only the default (no argument, no name) constructor.
日本語訳
コンストラクタは継承されない。
サブクラスはそのスーパークラスのコンストラクタを継承しない。コンストラクタを定義していないサブクラスは、デフォルト(引数なし、名前なし)のコンストラクタしか持たない。
だそうです。
つまりサブクラスでもコンストラクタを定義すればOK。
child_class.dart
import 'super_class.dart';
class ChildClass extends SuperClass {
const ChildClass({String argument}) : super(argument: argument);
void method() {
print(argument);
}
}
うーん。サブクラスでいちいち定義するの面倒くさくないか?