The key
prop is a unique identifier assigned to each element in a list of components in React. It's used to help React identify which items have changed, are added, or removed.
Using the key prop provides several benefits:
Here's an example of how you can use the key
prop:
import React from 'react';
function TodoList(props) {
const todos = props.todos;
return (
<ul>
{todos.map((todo, index) => (
<li key={todo.id} value={todo.value}>
{todo.value}
</li>
))}
</ul>
);
}
// Usage:
const todos = [
{ id: 1, value: 'Task 1' },
{ id: 2, value: 'Task 2' },
{ id: 3, value: 'Task 3' },
];
function App() {
return (
<div>
<TodoList todos={todos} />
</div>
);
}
In this example, TodoList
uses the map
function to iterate over the todos
array and assigns a unique key (todo.id
) to each list item.
If you don't use keys in a list of components, React may encounter issues like:
Here are some best practices to keep in mind when using the key prop:
id
, slug
, or any other unique value.The key
prop is an essential component in React that helps optimize performance and ensure correct updates. By using unique identifiers like id
, you'll create more maintainable and scalable applications.
Remember to use the key prop effectively by:
By following these guidelines, you'll be well on your way to creating high-performance and scalable React applications.