A key is a unique identifier. In React, it is used to identify which items have changed, updated, or deleted from the Lists. It is useful when we dynamically created components or when the users alter the lists. It also helps to determine which components in a collection needs to be re-rendered instead of re-rendering the entire set of components every time.
Keys should be given inside the array to give the elements a stable identity. The best way to pick a key as a string that uniquely identifies the items in the list. It can be understood with the below example.
const stringLists = [ 'Peter', 'Sachin', 'Kevin', 'Dhoni', 'Alisa' ]; const updatedLists = stringLists.map((strList)=>{
If there are no stable IDs for rendered items, you can assign the item index as a key to the lists. It can be shown in the below example.
const stringLists = [ 'Peter', 'Sachin', 'Kevin', 'Dhoni', 'Alisa' ]; const updatedLists = stringLists.map((strList, index)=>{
Consider you have created a separate component for ListItem and extracting ListItem from that component. In this case, you should have to assign keys on the <ListItem /> elements in the array, not to the <li> elements in the ListItem itself. To avoid mistakes, you have to keep in mind that keys only make sense in the context of the surrounding array. So, anything you are returning from map() function is recommended to be assigned a key.
import React from 'react'; import ReactDOM from 'react-dom'; function ListItem(props) { const item = props.item; return ( // Wrong! No need to specify the key here.
In the given example, the list is rendered successfully. But it is not a good practice that we had not assigned a key to the map() iterator.
Output
To correct the above example, we should have to assign key to the map() iterator.
import React from 'react'; import ReactDOM from 'react-dom'; function ListItem(props) { const item = props.item; return ( // No need to specify the key here.
Output
We had discussed that keys assignment in arrays must be unique among their siblings. However, it doesn't mean that the keys should be globally unique. We can use the same set of keys in producing two different arrays. It can be understood in the below example.
import React from 'react'; import ReactDOM from 'react-dom'; function MenuBlog(props) { const titlebar = ({props.data.map((show) =>
); const content = props.data.map((show) =>- {show.title}
)}); return ({show.title}: {show.content}
{titlebar}); } const data = [ {id: 1, title: 'First', content: 'Welcome to rookienerd!!'}, {id: 2, title: 'Second', content: 'It is the best ReactJS Tutorial!!'}, {id: 3, title: 'Third', content: 'Here, you can learn all the ReactJS topics!!'} ]; ReactDOM.render(
{content}, document.getElementById('app') ); export default App;
Output