Как анимировать всплывающее окно при показе и закрытии с помощью css?

#javascript #html #css #css-animations #css-animation-direction

Вопрос:

У меня есть макет следующим образом,

введите описание изображения здесь

контейнер — для хранения всех карт.

карточка — div для хранения информации.

На приведенном выше изображении слева показан начальный рендеринг экрана, когда пользователь нажимает на любую внутреннюю карту, соответствующая карта должна выскочить/уменьшиться,

и когда пользователь нажимает на всплывающую карту, она должна исчезнуть, и должно появиться первое изображение.

Всплывающая анимация должна быть такой, она должна начинаться с позиции карты, на которую мы нажали.

Анимация закрытия всплывающего окна после второго щелчка(когда всплывающее окно открыто), анимация должна выглядеть так, всплывающее окно должно быть сведено к минимуму, чтобы карта была нажата на первом шаге.

Я пробовал следовать коду, но он действительно оживляет..

 let isOpen = false;

$(".child").on("click", function() {
  if (!isOpen) {
    $(".child").removeClass("active");
    $(this).addClass("active");
    isOpen = true;
  } else {
    $(this).removeClass("active");
    isOpen = false;
  }
}) 
 * {
  box-sizing: border-box;
}

.parent {
  margin: 40px auto;
  width: 400px;
  height: 600px;
  border: 1px solid #3b3b3b;
  border-radius: 20px;
  padding: 20px 40px;
  position: relative;
  display: grid;
  grid-template-columns: repeat(2, 1fr);
  gap: 20px;
}

.child {
  display: flex;
  justify-content: center;
  align-items: center;
  border: 1px solid #000;
  border-radius: 40px;
  cursor: pointer;
  transition: all 0.5s ease-in;
}

.child.active {
  width: 100%;
  height: 100%;
  position: absolute;
  top: 0;
  left: 0;
  z-index: 10;
  border: 1px solid red;
  background: #000;
  border-radius: 20px;
  color: #fff;
}

@keyframes zoomIn {
  0% {
    transform: scale(1.1);
  }
  50% {
    transform: scale(1.2);
  }
  100% {}
} 
 <script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<div class="parent">
  <div class="child">1</div>
  <div class="child">2</div>
  <div class="child">3</div>
  <div class="child">4</div>
</div> 

Пожалуйста, помогите мне смоделировать то же самое.

Комментарии:

1. Я не понимаю, что не работает, анимация в порядке ?

2. анимация работает не так, как ожидалось.

Ответ №1:

Ваша анимация в значительной степени завершена. Проблема, как я вижу, заключается в том, что, когда .active класс добавляется к дочернему, другие дочерние элементы заполняют пустоту в сетке. Это делает активного ребенка не увеличивающимся с его первоначального положения.

Я сделал свое собственное решение, используя CSS, но без анимации и ванильного JavaScript. В моем коде (так же, как и в вашем) ребенок выходит из сетки, получает абсолютную позицию, а затем заполняет весь родительский контейнер, width: 100%; и height: 100%; я также добавил спецификации CSS для других детей, чтобы оставаться на месте, когда это происходит (см. Ниже).

Это довольно быстрый эффект, потому transition что он не применяется к ширине и высоте, если только дочерний элемент не находится в абсолютном положении до добавления активного класса. Добиться более «масштабного» эффекта немного сложнее:

  • Вы можете наблюдать за мутациями атрибута (класса) DOM с помощью JavaScript (другими словами, добавьте класс с абсолютным позиционированием, а когда эта операция будет завершена, добавьте другой класс с width: 100%; помощью и height: 100%; ).
  • Или вы можете использовать position: absolute все дочерние элементы с самого начала, но тогда вам также нужно указать ширину, высоту, верх, левое и т. Д.
  • Какое-то другое решение, о котором я слишком устал или недостаточно квалифицирован, чтобы думать.

Текущее Решение

 // Turn all 4 .child selectors into an integer array ranging from 0-3
let cardArray = Array.from(document.querySelectorAll(".child"));

// Loop over each integer [0-3] and give them an index number
// Listen for clicks, and then toggle the "larger" class onto the item with the corresponding index number [0-3]
cardArray.forEach(function(everyItem, index) {

    everyItem.addEventListener("click", function() {
        cardArray[index].classList.toggle("larger");

    });

}); 
 * {
    box-sizing: border-box;
}

.parent {
    margin: 40px auto;
    width: 400px;
    height: 600px;
    border: 1px solid #3b3b3b;
    border-radius: 20px;
    padding: 20px 40px;
    display: grid;
    grid-template-columns: repeat(2, 1fr);
    grid-gap: 20px;
    transition: all 0.5s;
    
    /* relative position required for enlarged items to stay within parent container */
    position: relative; 
}

.child {
    display: flex;
    justify-content: center;
    align-items: center;
    border: 1px solid #000;
    border-radius: 40px;
    cursor: pointer;
    transition: all 0.2s;
    
    /* z-index not neccessary, just a precaution */
    z-index: 1;
}

/* top/bottom/left/right required for the CURRENTLY ACTIVE child to resize from the correct corner.
:nth-child() with grid-area specified required for NOT CURRENTLY active children to stay put in grid. */
.child:nth-child(1) {
    grid-area: 1 / 1;
    top: 0;
    left: 0;
}

.child:nth-child(2) {
    grid-area: 1 / 2;
    top: 0;
    right: 0;
}

.child:nth-child(3) {
    grid-area: 2 / 1;
    bottom: 0;
    left: 0;
}

.child:nth-child(4) {
    grid-area: 2 / 2;
    bottom: 0;
    right: 0;
}

/* .larger class added with the help 
of JavaScript on click */
.child.larger {

    /* Unhinge from the grid */
    grid-area: unset;
    
    /* Position absolute in order to resize it */
    position: absolute; 
    
    /* Fill the WIDTH of the parent container */
    width: 100%;
    
     /* Fill the HEIGHT of the parent container */
    height: 100%;
    
    /* z-index not neccessary, just a precaution */
    z-index: 2; 
    background: #000;
    opacity: 0.5;
    color: #fff;
} 
 <div class="parent">
  <div class="child">1</div>
  <div class="child">2</div>
  <div class="child">3</div>
  <div class="child">4</div>
</div> 

Ответ №2:

Вы можете попытаться достичь этого с помощью вычисления переменных css position: absolute и отдельного .active класса для каждого элемента.

 let isOpen = false;
  
$('.child').on('click', function() {
  if (!isOpen) {
    $('.child').removeClass('active');
    $(this).addClass('active');
    isOpen = true;
  } else {
    $(this).removeClass('active');
    isOpen = false;
  }
}); 
 *,
::after,
::before {
  margin: 0;
  padding: 0;
  box-sizing: border-box;
}

:root {
  --parent-width: 400px;
  --parent-height: 600px;
  --gap: 20px;
}
.parent {
  margin: 40px auto;
  width: var(--parent-width);
  height: var(--parent-height);
  border: 1px solid #3b3b3b;
  border-radius: 20px;
  position: relative;
}

.child {
  display: flex;
  justify-content: center;
  align-items: center;
  border: 1px solid #000;
  border-radius: 40px;
  cursor: pointer;
  transition: all 0.5s ease-in;
  position: absolute;
  height: calc((var(--parent-height) / 2) - (var(--gap) * 2));
  width: calc((var(--parent-width) / 2) - (var(--gap) * 3));
}

/* Init size */
.child:nth-child(1) {
  top: var(--gap); /* padding top 20px */
  left: calc(var(--gap) * 2); /* padding left 40px */
}
.child:nth-child(2) {
  top: var(--gap);
  right: calc(var(--gap) * 2); /* padding right 40px */
}
.child:nth-child(3) {
  bottom: var(--gap); /* padding bottom 20px */
  left: calc(var(--gap) * 2); /* padding left 40px */
}
.child:nth-child(4) {
  bottom: var(--gap);
  right: calc(var(--gap) * 2);
}

/* Full size */
.child:nth-child(1).active {
  top: 0;
  left: 0;
}
.child:nth-child(2).active {
  top: 0;
  right: 0;
}
.child:nth-child(3).active {
  bottom: 0;
  left: 0;
}
.child:nth-child(4).active {
  bottom: 0;
  right: 0;
}

.child.active {
  width: 100%;
  height: 100%;
  z-index: 10;
  border: 1px solid red;
  background: #000;
  border-radius: 20px;
  color: #fff;
} 
 <script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<div class="parent">
  <div class="child">1</div>
  <div class="child">2</div>
  <div class="child">3</div>
  <div class="child">4</div>
</div>