for loop using lambda expression in JAVA

后端 未结 3 1579
北荒
北荒 2020-12-20 16:39

My Code:

List ints = Stream.of(1,2,4,3,5).collect(Collectors.toList());
ints.forEach((i)-> System.out.print(ints.get(i-1)+ \" \"));
         


        
3条回答
  •  -上瘾入骨i
    2020-12-20 17:24

    The lambda parameter i takes the value of the items in the collection, not the indexes. You are subtracting 1 because the values happen to be one greater than their index.

    If you tried with

    List ints = Stream.of(10,20,40,30,50).collect(Collectors.toList());
    ints.forEach((i)-> System.out.print(ints.get(i-1)+ " "));
    

    You would find the code does not work so well.

    You should be able to simply do (not needing to do a get call)

    ints.forEach((i)-> System.out.print(i + " "));
    

    Your lambda and your proposed for loop are not equivalent.

    ints.forEach((i)-> System.out.print(ints.get(i-1)))
    

    Would be equivalent to

    for(Integer i:ints)
       System.out.print(ints.get(i-1));
    

    Note the preservation of the minus 1.


    In response to the comment:

    Lambdas are not loops, they are functions (effectively anyway). In your first example the forEach method is what provides the looping functionality. The argument lambda is what it should do on each iteration. This is equivalent to the body of your for loop

    In the example in the comment, max is the function that provides the loop like behavior. It will iterate (do a loop) of the items to find the maximum value). The lambda you provide i -> i would be an identity function. It takes one parameter and returns that object unmodified.

    Suppose you had a more complex object and you wanted to compare them on a particular member such as GetHighScore(). Then you could use i -> i.GetHighScore() to get the object with the highest score.

提交回复
热议问题