在Java 8 中使用 Lambda 表达式将 ArrayList 转换为 HashMap
lambda 表达式是一行或多行代码,其工作方式类似于函数或方法。它接受一个参数并返回值。 Lambda 表达式可用于将 ArrayList 转换为 HashMap。
句法:
(parms1, parms2) -> expression
例子:
Input : List : [1="1", 2="2", 3="3"]
Output: Map : {1=1, 2=2, 3=3, 4=4, 5=5}
Input : List : [1="I", 2="love", 3="Geeks" , 4="for" , 5="Geeks"]
Output: Map : {1=I, 2=Love, 3=Geeks, 4=For, 5=Geeks}
方法:
- 获取要转换为Map的List
- 创建一个空地图
- 使用 Lambda 表达式将列表值放入地图
- 返回形成的 Map
下面是上述方法的实现。
Java
// Converting ArrayList to HashMap
// in Java 8 using a Lambda Expression
import java.util.*;
import java.util.ArrayList;
import java.util.Scanner;
// here we are making a class , and we will make
class ListItems {
// key will act as an id of the value
private Integer key;
// value will be the value of the above key
private String value;
// create constructor for reference
public ListItems(Integer id, String name)
{
// assigning the value of key and value
this.key = id;
this.value = name;
}
// return private variable key
public Integer getkey() { return key; }
// return private variable name
public String getvalue() { return value; }
}
class Main {
public static void main(String[] args)
{
// Write your code here
// Creating a List of type ListItems using ArrayList
List list = new ArrayList();
// add the member of list
list.add(new ListItems(1, "I"));
list.add(new ListItems(2, "Love"));
list.add(new ListItems(3, "Geeks"));
list.add(new ListItems(4, "For"));
list.add(new ListItems(5, "Geeks"));
// Map which will store the list items
Map map = new HashMap<>();
// for (ListItems n : list) { map.put(n.getkey(),
// n.getvalue()); }
// the below lambda performs the same task as the
// above given for loop will do
// put the list items in the Map
list.forEach(
(n) -> { map.put(n.getkey(), n.getvalue()); });
// Printing the given map
System.out.println("Map : " + map);
}
}
输出
Map : {1=I, 2=Love, 3=Geeks, 4=For, 5=Geeks}
时间复杂度: O(N),其中 N 是 Arraylist 的长度。