将元素插入列表


可变列表可以在运行时动态增长。List.add ()函数将指定的值追加到 List 的末尾并返回修改后的 List 对象。下图同样如此。

void main() { 
   List l = [1,2,3]; 
   l.add(12); 
   print(l); 
}

它将产生以下输出-

[1, 2, 3, 12]

List.addAll ()函数接受用逗号分隔的多个值并将它们附加到列表中。

void main() { 
   List l = [1,2,3]; 
   l.addAll([12,13]); 
   print(l); 
}

它将产生以下输出-

[1, 2, 3, 12, 13]

List.addAll ()函数接受用逗号分隔的多个值并将它们附加到列表中。

void main() { 
   List l = [1,2,3]; 
   l.addAll([12,13]); 
   print(l); 
} 

它将产生以下输出-

[1, 2, 3, 12, 13]

Dart 还支持在列表中的特定位置添加元素。insert ()函数接受一个值并将其插入到指定的索引处。类似地,insertAll()函数从指定的索引开始插入给定的值列表。insert 和insertAll函数的语法如下 -

List.insert(index,value) 
List.insertAll(index, iterable_list_of _values)

以下示例分别说明了insert()insertAll()函数的使用。

句法

List.insert(index,value)  
List.insertAll([Itearble])

示例:List.insert()

void main() { 
   List l = [1,2,3]; 
   l.insert(0,4); 
   print(l); 
}

它将产生以下输出-

[4, 1, 2, 3]

示例:List.insertAll()

void main() { 
   List l = [1,2,3]; 
   l.insertAll(0,[120,130]); 
   print(l); 
}

它将产生以下输出-

[120, 130, 1, 2, 3]
dart_programming_lists_basic_operations.htm