在Dart中这两个实例等效吗?
//version 1
Map<String, List<Component>> map = new Map<String, List<Component>>();
//version 2
Map<String, List<Component>> map = new Map(); //type checker doesn't complain
使用版本2是否有任何问题(我更喜欢它,因为它不那么详细)?
请注意,我知道我可以使用:
var map = new Map<String, List<Component>>();
但这不是我想要面对的问题。感谢。
答案 0 :(得分:3)
不,它们不等同,实例化在运行时类型上有所不同,您可能会在使用运行时类型的代码中遇到意外 - 比如类型检查。
new Map()
是new Map<dynamic, dynamic>()
的快捷方式,意思是“映射您想要的任何内容”。
测试略有修改的原始实例化:
main(List<String> args) {
//version 1
Map<String, List<int>> map1 = new Map<String, List<int>>();
//version 2
Map<String, List<int>> map2 = new Map(); // == new Map<dynamic, dynamic>();
// runtime type differs
print("map1 runtime type: ${map1.runtimeType}");
print("map2 runtime type: ${map2.runtimeType}");
// type checking differs
print(map1 is Map<int, int>); // false
print(map2 is Map<int, int>); // true
// result of operations the same
map1.putIfAbsent("onetwo", () => [1, 2]);
map2.putIfAbsent("onetwo", () => [1, 2]);
// analyzer in strong mode complains here on both
map1.putIfAbsent("threefour", () => ["three", "four"]);
map2.putIfAbsent("threefour", () => ["three", "four"]);
// content the same
print(map1);
print(map2);
}
update1:DartPad中的代码。
update2:看来强模式将来会抱怨map2实例化,请参阅https://github.com/dart-lang/sdk/issues/24712