Sunflame
Sunflame

Reputation: 3186

Java8: Stream map two properties in the same stream

I have a class Model with the following signature:

class Model {
        private String stringA;
        private String stringB;

        public Model(String stringA, String stringB) {
            this.stringA = stringA;
            this.stringB = stringB;
        }

        public String getStringA() {
            return stringA;
        }

        public String getStringB() {
            return stringB;
        }
}

I would like to map a List<Model> to a List<String> containing both stringA and stringB in a single stream

List<String> strings = models.stream()
                .mapFirst(Model::getStringA)
                .thenMap(Model::getStringB)
                .collect(Collectors.toList());

or:

List<String> strings = models.stream()
                .map(Mapping.and(Model::getStringA,Model::getStringB))
                .collect(Collectors.toList());

Of course none of them compiles, but you get the idea.

Is it somehow possible?

Edit:

Example:

Model ab = new Model("A","B");
Model cd = new Model("C","D");
List<String> stringsFromModels = {"A","B","C","D"};

Upvotes: 16

Views: 18402

Answers (2)

arthur
arthur

Reputation: 3325

flatMap is your friend here:

models
    .stream()
    .flatMap(model -> Stream.of(model.getStringA(),model.getStringB()))
    .collect(Collectors.toList());

flatMap takes a type R and expects to give a Stream (from list,collections, Array) of new Type RR back. For each 1 model you get n new elements (in this case StringA and StringB):

{model_1[String_A1,String_B1] , model_2[String_A2,String_B2] , model_3[String_A3,String_B3]}

All your n elements { [String_A1,String_B1], [String_A2,String_B2],[String_A3,String_B3]}

are then flattened that are placed into a new Stream with structure

{String_A1,String_B1,String_A2,String_B2,String_A3,String_B3}

of Type String. That's how you have a new Stream.

You can use flatMap e.g when you have many collections/streams of elements that need to be merged into only one. For more simple explanations, check this answer

Upvotes: 7

Ousmane D.
Ousmane D.

Reputation: 56413

You can have a list of all the values one after another like so:

List<String> resultSet =
               modelList.stream()
                        .flatMap(e -> Stream.of(e.getStringA(), e.getStringB()))
                        .collect(Collectors.toList());

The function passed to flatMap will be applied to each element yielding a Stream<String>. The use of flatMap is necessary here to collapse all the nested Stream<Stream<String>> to a Stream<String> and therefore enabling us to collect the elements into a List<String>.

Upvotes: 28

Related Questions