tl  tr
  Home | Tutorials | Articles | Videos | Products | Tools | Search
Interviews | Open Source | Tag Cloud | Follow Us | Bookmark | Contact   
 Java 8 Features > Stream API > Convert List to Map

Convert List to Map

Author: Venkata Sudhakar

The below example shows how to convert Object list into a Map

01package com.bethecoder.java8.streams;
02 
03import java.util.Arrays;
04import java.util.List;
05import java.util.Map;
06import java.util.stream.Collectors;
07 
08public class StreamToMapExample {
09 
10    public static void main(String[] args) {
11        List<Student> sudents = Arrays.asList(
12                new Student(1, "Sriram", 10),
13                new Student(2, "Tanvie", 6),
14                new Student(3, "Charan", 10)
15        );
16         
17        Map<Integer, String> studentMap = sudents.stream()
18                .collect(Collectors.toMap(Student::getId, Student::getName));
19     
20        System.out.println(studentMap);
21    }
22 
23    private static class Student {
24        private int id;
25        private String name;
26        private int age;
27 
28        public Student(int id, String name, int age) {
29            this.id = id;
30            this.name = name;
31            this.age = age;
32        }
33 
34        public int getId() {
35            return id;
36        }
37 
38        public void setId(int id) {
39            this.id = id;
40        }
41 
42        public String getName() {
43            return name;
44        }
45 
46        public void setName(String name) {
47            this.name = name;
48        }
49 
50        public int getAge() {
51            return age;
52        }
53 
54        public void setAge(int age) {
55            this.age = age;
56        }
57 
58    }
59}

It gives the following output,

{1=Sriram, 2=Tanvie, 3=Charan}

 
  


  
bl  br