diff --git a/beta/src/content/learn/sharing-state-between-components.md b/beta/src/content/learn/sharing-state-between-components.md
index cc98d8f82..d1d8e3b43 100644
--- a/beta/src/content/learn/sharing-state-between-components.md
+++ b/beta/src/content/learn/sharing-state-between-components.md
@@ -1,31 +1,31 @@
---
-title: Sharing State Between Components
+title: Compartir estado entre componentes
---
-Sometimes, you want the state of two components to always change together. To do it, remove state from both of them, move it to their closest common parent, and then pass it down to them via props. This is known as *lifting state up,* and it's one of the most common things you will do writing React code.
+Hay ocasiones en las que quieres que el estado de dos componentes cambien siempre juntos. Para hacerlo, elimina el estado de los dos, muévelo al padre común más cercano y luego pásalo a través de props. Esto se conoce como *elevar el estado (lifting state up)*, y es una de las cosas más comunes que harás al escribir código React.
-- How to share state between components by lifting it up
-- What are controlled and uncontrolled components
+- Cómo compartir el estado entre componentes por elevación
+- Qué son los componentes controlados y no controlados
-## Lifting state up by example {/*lifting-state-up-by-example*/}
+## Elevar el estado con un ejemplo {/*lifting-state-up-by-example*/}
-In this example, a parent `Accordion` component renders two separate `Panel`s:
+En este ejemplo, el componente padre `Accordion` renderiza dos componentes `Panel`:
* `Accordion`
- `Panel`
- `Panel`
-Each `Panel` component has a boolean `isActive` state that determines whether its content is visible.
+Cada componente `Panel` tiene un estado booleano 'isActive' que determina si su contenido es visible.
-Press the Show button for both panels:
+Presiona el botón Mostrar en ambos paneles:
@@ -41,7 +41,7 @@ function Panel({ title, children }) {
{children}
) : (
)}
@@ -51,12 +51,12 @@ function Panel({ title, children }) {
export default function Accordion() {
return (
<>
-
Almaty, Kazakhstan
-
- With a population of about 2 million, Almaty is Kazakhstan's largest city. From 1929 to 1997, it was its capital city.
+
Almaty, Kazajstán
+
+ Con una población de unos 2 millones de habitantes, Almaty es la mayor ciudad de Kazajstán. De 1929 a 1997 fue su capital.
-
- The name comes from алма, the Kazakh word for "apple" and is often translated as "full of apples". In fact, the region surrounding Almaty is thought to be the ancestral home of the apple, and the wild Malus sieversii is considered a likely candidate for the ancestor of the modern domestic apple.
+
+ El nombre proviene de алма, palabra Kazakh que significa "manzana" y suele traducirse como "lleno de manzanas". De hecho, se cree que la región que rodea a Almaty es el hogar ancestral de la manzana, y se considera que este fruto silvestre Malus sieversii es un candidato probable para el ancestro de la manzana doméstica moderna.
>
);
@@ -73,59 +73,59 @@ h3, p { margin: 5px 0px; }
-Notice how pressing one panel's button does not affect the other panel--they are independent.
+Observa que pulsar el botón de un panel no afecta al otro: son independientes.
-
+
-Initially, each `Panel`'s `isActive` state is `false`, so they both appear collapsed
+Inicialmente, el estado `isActive` de cada `Panel` es `false`, por lo que ambos aparecen colapsados
-
+
-Clicking either `Panel`'s button will only update that `Panel`'s `isActive` state alone
+Al hacer clic en cualquiera de los botones del `Panel` sólo se actualizará el estado `isActive` de ese `Panel`.
-**But now let's say you want to change it so that only one panel is expanded at any given time.** With that design, expanding the second panel should collapse the first one. How would you do that?
+**Pero ahora digamos que quieres cambiarlo para que solo se mantenga expandido un panel a la vez.** Con ese diseño, al expandir el segundo panel se debería colapsar el primero. ¿Cómo lo harías?
-To coordinate these two panels, you need to "lift their state up" to a parent component in three steps:
+Para coordinar estos dos paneles, es necesario "elevar su estado" a un componente padre en tres pasos:
-1. **Remove** state from the child components.
-2. **Pass** hardcoded data from the common parent.
-3. **Add** state to the common parent and pass it down together with the event handlers.
+1. **Remueve** el estado de los componentes hijos.
+2. **Transfiere** los datos codificados desde el padre común.
+3. **Añade** estado al padre común y pasarlo hacia abajo junto con los manejadores de eventos.
-This will allow the `Accordion` component to coordinate both `Panel`s and only expand one at a time.
+Esto permitirá que el componente `Accordion` coordine ambos `Panel` y sólo expanda uno a la vez.
-### Step 1: Remove state from the child components {/*step-1-remove-state-from-the-child-components*/}
+### Paso 1: Elimina el estado de los componentes hijos {/*step-1-remove-state-from-the-child-components*/}
-You will give control of the `Panel`'s `isActive` to its parent component. This means that the parent component will pass `isActive` to `Panel` as a prop instead. Start by **removing this line** from the `Panel` component:
+Le darás el control de `isActive` del `Panel` a su componente padre. Esto significa que el componente padre pasará `isActive` al `Panel` como prop. Empieza por **eliminar esta línea** del componente `Panel`:
```js
const [isActive, setIsActive] = useState(false);
```
-And instead, add `isActive` to the `Panel`'s list of props:
+Y en su lugar, añade `isActive` a la lista de props del `Panel`:
```js
function Panel({ title, children, isActive }) {
```
-Now the `Panel`'s parent component can *control* `isActive` by [passing it down as a prop.](/learn/passing-props-to-a-component) Conversely, the `Panel` component now has *no control* over the value of `isActive`--it's now up to the parent component!
+Ahora el componente padre de `Panel` puede *controlar* `isActive` [pasándolo como prop.](/learn/passing-props-to-a-component) A la inversa, el componente `Panel` ahora no tiene *ningún control* sobre el valor de `isActive`--¡ahora depende del componente padre!
-### Step 2: Pass hardcoded data from the common parent {/*step-2-pass-hardcoded-data-from-the-common-parent*/}
+### Paso 2: Pasa los datos codificados desde el componente padre común {/*step-2-pass-hardcoded-data-from-the-common-parent*/}
-To lift state up, you must locate the closest common parent component of *both* of the child components that you want to coordinate:
+Para elevar el estado, debes localizar el componente padre común más cercano de *ambos* componentes hijos que deseas coordinar:
-* `Accordion` *(closest common parent)*
+* `Accordion` *(padre común más cercano)*
- `Panel`
- `Panel`
-In this example, it's the `Accordion` component. Since it's above both panels and can control their props, it will become the "source of truth" for which panel is currently active. Make the `Accordion` component pass a hardcoded value of `isActive` (for example, `true`) to both panels:
+En este ejemplo, es el componente `Accordion`, dado que está por encima de ambos paneles y puede controlar sus props, se convertirá en la "fuente de la verdad" para saber qué panel está actualmente activo. Haz que el componente `Accordion` pase un valor codificado de `isActive` (por ejemplo, `true`) a ambos paneles:
@@ -135,12 +135,12 @@ import { useState } from 'react';
export default function Accordion() {
return (
<>
-
Almaty, Kazakhstan
-
- With a population of about 2 million, Almaty is Kazakhstan's largest city. From 1929 to 1997, it was its capital city.
+
Almaty, Kazajstán
+
+ Con una población de unos 2 millones de habitantes, Almaty es la mayor ciudad de Kazajstán. De 1929 a 1997 fue su capital.
-
- The name comes from алма, the Kazakh word for "apple" and is often translated as "full of apples". In fact, the region surrounding Almaty is thought to be the ancestral home of the apple, and the wild Malus sieversii is considered a likely candidate for the ancestor of the modern domestic apple.
+
+ El nombre proviene de алма, palabra Kazakh que significa "manzana" y suele traducirse como "lleno de manzanas". De hecho, se cree que la región que rodea a Almaty es el hogar ancestral de la manzana, y se considera que este fruto silvestre Malus sieversii es un candidato probable para el ancestro de la manzana doméstica moderna.
>
);
@@ -154,7 +154,7 @@ function Panel({ title, children, isActive }) {
{children}
) : (
)}
@@ -172,21 +172,20 @@ h3, p { margin: 5px 0px; }
-Try editing the hardcoded `isActive` values in the `Accordion` component and see the result on the screen.
+Intenta editar los valores codificados de `isActive` en el componente `Accordion` y ve el resultado en la pantalla.
-### Step 3: Add state to the common parent {/*step-3-add-state-to-the-common-parent*/}
+### Paso 3: Añadir el estado al componente padre común {/*step-3-add-state-to-the-common-parent*/}
-Lifting state up often changes the nature of what you're storing as state.
+Elevar el estado suele cambiar la naturaleza de lo que se almacena como estado.
-In this case, only one panel should be active at a time. This means that the `Accordion` common parent component needs to keep track of *which* panel is the active one. Instead of a `boolean` value, it could use a number as the index of the active `Panel` for the state variable:
+En este caso, solo un panel debe estar activo a la vez. Esto significa que el componente padre común `Accordion` necesita llevar la cuenta de *qué* panel es el que se encuentra activo. En lugar de un valor `booleano`, podría utilizar un número como índice del `Panel` activo para la variable de estado:
```js
const [activeIndex, setActiveIndex] = useState(0);
```
+Cuando el `activeIndex` es `0`, el primer panel está activo, y cuando es `1`, lo estará el segundo.
-When the `activeIndex` is `0`, the first panel is active, and when it's `1`, it's the second one.
-
-Clicking the "Show" button in either `Panel` needs to change the active index in `Accordion`. A `Panel` can't set the `activeIndex` state directly because it's defined inside the `Accordion`. The `Accordion` component needs to *explicitly allow* the `Panel` component to change its state by [passing an event handler down as a prop](/learn/responding-to-events#passing-event-handlers-as-props):
+Al hacer clic en el botón "Mostrar" en cualquiera de los dos `Paneles` es necesario cambiar el índice activo en el `Accordion`. Un `Panel` no puede establecer el estado `activeIndex` directamente porque está definido dentro del `Accordion`. El componente `Accordion` necesita *permitir explícitamente* que el componente `Panel` cambie su estado [pasando un manejador de eventos como prop](/learn/responding-to-events#passing-event-handlers-as-props):
```js
<>
@@ -205,7 +204,7 @@ Clicking the "Show" button in either `Panel` needs to change the active index in
>
```
-The `