I am still in the process of learning Lambda, please excuse me If I am doing something wrong
final Long tempId = 12345L;
List<Entry> updatedEntries = new LinkedList<>();
for (Entry entry : entryList) {
entry.setTempId(tempId);
updatedEntries.add(entityManager.update(entry, entry.getId()));
}
//entryList.stream().forEach(entry -> entry.setTempId(tempId));
Seems like forEach
can be executed for one statement only. It doesn't return updated stream or function to process further. I might have selected wrong one altogether.
Can someone guide me how to do this effectively?
One more question,
public void doSomething() throws Exception {
for(Entry entry: entryList){
if(entry.getA() == null){
printA() throws Exception;
}
if(entry.getB() == null){
printB() throws Exception;
}
if(entry.getC() == null){
printC() throws Exception;
}
}
}
//entryList.stream().filter(entry -> entry.getA() == null).forEach(entry -> printA()); something like this?
How do I convert this to Lambda expression?
Forgot to relate to the first code snippet. I wouldn't use
forEach
at all. Since you are collecting the elements of theStream
into aList
, it would make more sense to end theStream
processing withcollect
. Then you would needpeek
in order to set the ID.For the second snippet,
forEach
can execute multiple expressions, just like any lambda expression can :However (looking at your commented attempt), you can't use filter in this scenario, since you will only process some of the entries (for example, the entries for which
entry.getA() == null
) if you do.You don't have to cram multiple operations into one stream/lambda. Consider separating them into 2 statements (using static import of
toList()
):In the first case alternatively to multiline
forEach
you can use thepeek
stream operation:In the second case I'd suggest to extract the loop body to the separate method and use method reference to call it via
forEach
. Even without lambdas it would make your code more clear as the loop body is independent algorithm which processes the single entry so it might be useful in other places as well and can be tested separately.Update after question editing. if you have checked exceptions then you have two options: either change them to unchecked ones or don't use lambdas/streams at this piece of code at all.