Customize Consent Preferences

We use cookies to help you navigate efficiently and perform certain functions. You will find detailed information about all cookies under each consent category below.

The cookies that are categorized as "Necessary" are stored on your browser as they are essential for enabling the basic functionalities of the site. ... 

Always Active

Necessary cookies are required to enable the basic features of this site, such as providing secure log-in or adjusting your consent preferences. These cookies do not store any personally identifiable data.

No cookies to display.

Functional cookies help perform certain functionalities like sharing the content of the website on social media platforms, collecting feedback, and other third-party features.

No cookies to display.

Analytical cookies are used to understand how visitors interact with the website. These cookies help provide information on metrics such as the number of visitors, bounce rate, traffic source, etc.

No cookies to display.

Performance cookies are used to understand and analyze the key performance indexes of the website which helps in delivering a better user experience for the visitors.

No cookies to display.

Advertisement cookies are used to provide visitors with customized advertisements based on the pages you visited previously and to analyze the effectiveness of the ad campaigns.

No cookies to display.

Crear un carrusel de imágenes con efecto 3D usando React

Tiempo de lectura: 2 minutos

Hoy os traigo un tutorial paso a paso para crear el componente QuantumCarousel en React con animaciones 3D y transiciones suaves.

Paso 1: Configuración del Proyecto

Asegúrate de tener Node.js y npm instalados en tu máquina. Luego, crea un nuevo proyecto de React utilizando Create React App:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
npx create-react-app quantum-carousel-tutorial
cd quantum-carousel-tutorial
npx create-react-app quantum-carousel-tutorial cd quantum-carousel-tutorial
npx create-react-app quantum-carousel-tutorial
cd quantum-carousel-tutorial

Paso 2: Estructura del Proyecto

Organiza tu proyecto creando un componente QuantumCarousel y un archivo CSS QuantumCarousel.css para los estilos.

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
src/
|-- components/
| |-- QuantumCarousel.js
|-- App.js
|-- App.css
|-- QuantumCarousel.css
src/ |-- components/ | |-- QuantumCarousel.js |-- App.js |-- App.css |-- QuantumCarousel.css
src/
|-- components/
|   |-- QuantumCarousel.js
|-- App.js
|-- App.css
|-- QuantumCarousel.css

Paso 3: Instalación de Dependencias

Instala las dependencias necesarias para las animaciones y transiciones:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
npm install react-transition-group
npm install react-transition-group
npm install react-transition-group

Paso 4: Implementación del QuantumCarousel

Crea el componente QuantumCarousel.js en la carpeta components:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// components/QuantumCarousel.js
import React, { useState, useEffect } from 'react';
import './QuantumCarousel.css';
const QuantumCarousel = ({ images }) => {
const [currentIndex, setCurrentIndex] = useState(0);
useEffect(() => {
const interval = setInterval(() => {
const nextIndex = (currentIndex + 1) % images.length;
setCurrentIndex(nextIndex);
}, 3000); // Cambia de imagen cada 3 segundos
return () => clearInterval(interval);
}, [currentIndex, images.length]);
const handlePrev = () => {
const prevIndex = (currentIndex - 1 + images.length) % images.length;
setCurrentIndex(prevIndex);
};
const handleNext = () => {
const nextIndex = (currentIndex + 1) % images.length;
setCurrentIndex(nextIndex);
};
return (
<div className="quantum-carousel">
<div className="carousel-container">
{images.map((image, index) => (
<div
key={index}
className={`carousel-item ${index === currentIndex ? 'active' : ''}`}
style={{ backgroundImage: `url(${image.src})` }}
>
<h2>{image.title}</h2>
</div>
))}
</div>
<button className="carousel-button prev" onClick={handlePrev}>
&#8249;
</button>
<button className="carousel-button next" onClick={handleNext}>
&#8250;
</button>
</div>
);
};
export default QuantumCarousel;
// components/QuantumCarousel.js import React, { useState, useEffect } from 'react'; import './QuantumCarousel.css'; const QuantumCarousel = ({ images }) => { const [currentIndex, setCurrentIndex] = useState(0); useEffect(() => { const interval = setInterval(() => { const nextIndex = (currentIndex + 1) % images.length; setCurrentIndex(nextIndex); }, 3000); // Cambia de imagen cada 3 segundos return () => clearInterval(interval); }, [currentIndex, images.length]); const handlePrev = () => { const prevIndex = (currentIndex - 1 + images.length) % images.length; setCurrentIndex(prevIndex); }; const handleNext = () => { const nextIndex = (currentIndex + 1) % images.length; setCurrentIndex(nextIndex); }; return ( <div className="quantum-carousel"> <div className="carousel-container"> {images.map((image, index) => ( <div key={index} className={`carousel-item ${index === currentIndex ? 'active' : ''}`} style={{ backgroundImage: `url(${image.src})` }} > <h2>{image.title}</h2> </div> ))} </div> <button className="carousel-button prev" onClick={handlePrev}> &#8249; </button> <button className="carousel-button next" onClick={handleNext}> &#8250; </button> </div> ); }; export default QuantumCarousel;
// components/QuantumCarousel.js
import React, { useState, useEffect } from 'react';
import './QuantumCarousel.css';

const QuantumCarousel = ({ images }) => {
  const [currentIndex, setCurrentIndex] = useState(0);

  useEffect(() => {
    const interval = setInterval(() => {
      const nextIndex = (currentIndex + 1) % images.length;
      setCurrentIndex(nextIndex);
    }, 3000); // Cambia de imagen cada 3 segundos

    return () => clearInterval(interval);
  }, [currentIndex, images.length]);

  const handlePrev = () => {
    const prevIndex = (currentIndex - 1 + images.length) % images.length;
    setCurrentIndex(prevIndex);
  };

  const handleNext = () => {
    const nextIndex = (currentIndex + 1) % images.length;
    setCurrentIndex(nextIndex);
  };

  return (
    <div className="quantum-carousel">
      <div className="carousel-container">
        {images.map((image, index) => (
          <div
            key={index}
            className={`carousel-item ${index === currentIndex ? 'active' : ''}`}
            style={{ backgroundImage: `url(${image.src})` }}
          >
            <h2>{image.title}</h2>
          </div>
        ))}
      </div>
      <button className="carousel-button prev" onClick={handlePrev}>
        &#8249;
      </button>
      <button className="carousel-button next" onClick={handleNext}>
        &#8250;
      </button>
    </div>
  );
};

export default QuantumCarousel;

Paso 5: Estilos con CSS

Crea el archivo QuantumCarousel.css en la misma carpeta que tu componente:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
/* components/QuantumCarousel.css */
.quantum-carousel {
position: relative;
width: 80%;
margin: 20px auto;
overflow: hidden;
}
.carousel-container {
display: flex;
transition: transform 0.5s ease-in-out;
}
.carousel-item {
flex: 0 0 100%;
height: 300px;
background-size: cover;
display: flex;
align-items: center;
justify-content: center;
color: #fff;
font-size: 24px;
transform: scale(1);
opacity: 0.8;
transition: transform 0.5s ease-in-out, opacity 0.5s ease-in-out;
}
.carousel-item h2 {
margin: 0;
}
.carousel-item.active {
transform: scale(1.2);
opacity: 1;
z-index: 1;
}
.carousel-button {
position: absolute;
top: 50%;
transform: translateY(-50%);
font-size: 24px;
background: none;
border: none;
color: #fff;
cursor: pointer;
outline: none;
}
.carousel-button.prev {
left: 10px;
}
.carousel-button.next {
right: 10px;
}
/* components/QuantumCarousel.css */ .quantum-carousel { position: relative; width: 80%; margin: 20px auto; overflow: hidden; } .carousel-container { display: flex; transition: transform 0.5s ease-in-out; } .carousel-item { flex: 0 0 100%; height: 300px; background-size: cover; display: flex; align-items: center; justify-content: center; color: #fff; font-size: 24px; transform: scale(1); opacity: 0.8; transition: transform 0.5s ease-in-out, opacity 0.5s ease-in-out; } .carousel-item h2 { margin: 0; } .carousel-item.active { transform: scale(1.2); opacity: 1; z-index: 1; } .carousel-button { position: absolute; top: 50%; transform: translateY(-50%); font-size: 24px; background: none; border: none; color: #fff; cursor: pointer; outline: none; } .carousel-button.prev { left: 10px; } .carousel-button.next { right: 10px; }
/* components/QuantumCarousel.css */
.quantum-carousel {
  position: relative;
  width: 80%;
  margin: 20px auto;
  overflow: hidden;
}

.carousel-container {
  display: flex;
  transition: transform 0.5s ease-in-out;
}

.carousel-item {
  flex: 0 0 100%;
  height: 300px;
  background-size: cover;
  display: flex;
  align-items: center;
  justify-content: center;
  color: #fff;
  font-size: 24px;
  transform: scale(1);
  opacity: 0.8;
  transition: transform 0.5s ease-in-out, opacity 0.5s ease-in-out;
}

.carousel-item h2 {
  margin: 0;
}

.carousel-item.active {
  transform: scale(1.2);
  opacity: 1;
  z-index: 1;
}

.carousel-button {
  position: absolute;
  top: 50%;
  transform: translateY(-50%);
  font-size: 24px;
  background: none;
  border: none;
  color: #fff;
  cursor: pointer;
  outline: none;
}

.carousel-button.prev {
  left: 10px;
}

.carousel-button.next {
  right: 10px;
}

Paso 6: Implementación en App.js

Utiliza el componente QuantumCarousel en tu App.js:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
// App.js
import React from 'react';
import QuantumCarousel from './components/QuantumCarousel';
const App = () => {
const images = [
{ src: 'image1.jpg', title: 'Imagen 1' },
{ src: 'image2.jpg', title: 'Imagen 2' },
{ src: 'image3.jpg', title: 'Imagen 3' },
// Agrega más imágenes según sea necesario
];
return (
<div>
<h1>¡Carrusel Cuántico Impresionante!</h1>
<QuantumCarousel images={images} />
</div>
);
};
export default App;
// App.js import React from 'react'; import QuantumCarousel from './components/QuantumCarousel'; const App = () => { const images = [ { src: 'image1.jpg', title: 'Imagen 1' }, { src: 'image2.jpg', title: 'Imagen 2' }, { src: 'image3.jpg', title: 'Imagen 3' }, // Agrega más imágenes según sea necesario ]; return ( <div> <h1>¡Carrusel Cuántico Impresionante!</h1> <QuantumCarousel images={images} /> </div> ); }; export default App;
// App.js
import React from 'react';
import QuantumCarousel from './components/QuantumCarousel';

const App = () => {
  const images = [
    { src: 'image1.jpg', title: 'Imagen 1' },
    { src: 'image2.jpg', title: 'Imagen 2' },
    { src: 'image3.jpg', title: 'Imagen 3' },
    // Agrega más imágenes según sea necesario
  ];

  return (
    <div>
      <h1>¡Carrusel Cuántico Impresionante!</h1>
      <QuantumCarousel images={images} />
    </div>
  );
};

export default App;

Paso 7: Ejecutar la Aplicación

Finalmente, ejecuta tu aplicación con el siguiente comando:

Plain text
Copy to clipboard
Open code in new window
EnlighterJS 3 Syntax Highlighter
npm start
npm start
npm start

Esto abrirá tu aplicación en el navegador.

0

Deja un comentario