React is a popular JavaScript library for building user interfaces (UIs). Think of it like building with LEGO blocks - you create small, reusable pieces (called components) and combine them to build complex web applications.
This guide covers:
Before React, building web applications was like trying to organize a messy room where everything is connected to everything else. When you moved one thing, it could unexpectedly affect something else. React helps solve this by organizing your code into neat, separate containers (components) that are easier to manage.
A component is like a reusable blueprint for a part of your website. For example:
// A simple Button component
function Button({ text, onClick }) {
return (
<button onClick={onClick}>
{text}
</button>
);
}
// Using the Button component
function App() {
return (
<div>
<Button text="Click me!" onClick={() => alert('Hello!')} />
<Button text="Sign up" onClick={() => alert('Welcome!')} />
</div>
);
}
To learn more about components, check out the Components guide.
Let's look at why React has become so popular by examining its key features:
Imagine a TV remote control. When you press a button (an action), you expect a specific change on the TV screen (the view). React works the same way - data flows in one direction, making it easier to understand and predict what will happen in your app.
Think of components like recipe cards in a cookbook:
// Recipe card example
function RecipeCard({ title, ingredients, instructions }) {
return (
<div className="recipe">
<h2>{title}</h2>
<ul>
{ingredients.map(ingredient => (
<li>{ingredient}</li>
))}
</ul>
<p>{instructions}</p>
</div>
);
}
State is like the memory of your application. It keeps track of things that can change, like:
function Counter() {
// useState creates a piece of state
const [count, setCount] = useState(0);
return (
<div>
<p>You clicked {count} times</p>
<button onClick={() => setCount(count + 1)}>
Click me
</button>
</div>
);
}
To learn more about state, check out the React useState Hook guide.
React uses a concept called the Virtual DOM to make updates efficient. Here's how it works:
function TodoList() {
const [todos, setTodos] = useState([
'Learn React',
'Build something cool'
]);
// Only the new todo gets added
// The rest of the list stays the same
function addTodo(newTodo) {
setTodos([...todos, newTodo]);
}
return (
<ul>
{todos.map(todo => (
<li>{todo}</li>
))}
</ul>
);
}