I’m struggling to understand the difference between forEach and map. In the following render function if the ‘forEach’ is replaced with ‘map’ it works. I don’t understand why it doesn’t work with the ‘forEach’. Both {item.id} and {item.text} are present with both methods. So, why are the props for ‘TodoItem’ not being set when using ‘forEach’ ?
JavaScript
x
13
13
1
render() {
2
return(
3
4
<ul>
5
{this.props.items.forEach(function(item) {
6
7
return (
8
<TodoItem id={item.id} text={item.text} />)
9
})}
10
</ul>
11
);
12
}
13
So if ‘forEach’ doesn’t return anything how come this doesn’t work either:
JavaScript
1
12
12
1
render() {
2
return(
3
4
<ul>
5
{this.props.items.forEach(function(item) {
6
7
<TodoItem id={item.id} text={item.text} />
8
})}
9
</ul>
10
);
11
}
12
Advertisement
Answer
The map
function returns an array of items and forEach
just loop over them. To make this code work use :
JavaScript
1
14
14
1
render() {
2
const items = [];
3
this.props.items
4
.forEach(item => items.push(
5
<li>
6
<TodoItem id={item.id} key={item.id} text={item.text} />
7
</li>
8
))
9
10
return(
11
<ul>{items}</ul>
12
);
13
}
14