Приложение JavaScript: попытка заставить слушателя события «wheel» прерываться - PullRequest
0 голосов
/ 30 июня 2018

Я работаю над небольшим приложением «Браузер картинок» в Bootstrap 4 и JavaScript.

Как видно ниже, есть кнопки «Назад» и «Далее», которые помогают перемещаться по изображениям.

Я пытался найти надежный способ заставить хорошо прокручивать мышь функционировать так же, как эти кнопки. Прокрутка вниз будет эквивалентна нажатию кнопки «Далее». Прокрутка вверх будет эквивалентна нажатию кнопки «Предыдущая».

var picArr = $('#pictures_list li');
// The index of the last element of the array is "maxIndex"
var maxIndex = picArr.length - 1;
// Initialize counter
var counter = 0;
var updateCounter = function(btn) {
  var direction = $(btn).data("direction")
  if (direction === "left") {
    if (counter > 0) {
      counter--;
    } else {
      counter = maxIndex;
    }
  } else {
    if (counter < maxIndex) {
      counter++;
    } else {
      counter = 0;
    }
  }
}

var showCount = function(container_id) {
  var pageCount = counter + 1;
  document.getElementById(container_id).innerHTML = "Picture " + pageCount + " of " + picArr.length;
}

var showSlide = function() {
  var mTop = (200 * counter) * (-1) + 'px';
  $('#pictures_list').animate({
    'marginTop': mTop
  }, 400);
}

showCount('show_count');

$('#controls button').on('click', function() {
  updateCounter(this);
  showSlide();
  showCount('show_count');
});

document.getElementById("picture_frame").addEventListener("wheel", function() {
  updateCounter(this);
  showSlide();
  showCount('show_count')
});
#picture_frame {
  width: 200px;
  height: 200px;
  margin: 5px auto;
  border: 1px solid #ccc;
  border-radius: 2px;
  overflow: hidden;
}

.controls>div {
  display: inline-block;
}

#picture_frame {
  height: 200px;
  overflow: hidden;
}

#pictures_list {
  flex-flow: row wrap;
  align-items: stretch;
  width: 200px;
}

#pictures_list li {
  display: flex;
  height: 200px;
  flex: 1 100%;
}
<link href="https://maxcdn.bootstrapcdn.com/bootstrap/4.1.0/css/bootstrap.min.css" rel="stylesheet" />
<script src="https://ajax.googleapis.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<div class="container">
  <div id="picture_frame">
    <ul id="pictures_list" class="list-unstyled d-flex">
      <li><img src="https://picsum.photos/200/200
" alt="First picture"></li>
      <li><img src="https://picsum.photos/200/200?gravity=east
" alt="Second picture"></li>
      <li><img src="https://picsum.photos/200/200?gravity=west
" alt="Third picture"></li>
      <li><img src="https://picsum.photos/200/200?gravity=north
" alt="Fourth picture"></li>
    </ul>
  </div>
  <div class="text-center mb-2">
    <span class="badge badge-primary" id="show_count"></span>
  </div>
  <div class="controls text-center">
    <div class="btn-group" id="controls">
      <button type="button" class="btn btn-primary btn-sm" data-direction="left">Prev</button>
      <button type="button" class="btn btn-primary btn-sm" data-direction="right">Next</button>
    </div>
  </div>
</div>

Включение функции showSlide() на колесе мыши работает, но переход слишком ... непрерывный . Я хотел бы, чтобы это было идентично переходу, вызванному кнопками.

Чего мне не хватает?

1 Ответ

0 голосов
/ 30 июня 2018

Вот несколько решений:

- Чтобы прокрутка не прокручивала несколько изображений, вы можете использовать эту функцию:

// Returns a function, that, as long as it continues to be invoked, will not
// be triggered. The function will be called after it stops being called for
// N milliseconds. If `immediate` is passed, trigger the function on the
// leading edge, instead of the trailing.
function debounce(func, wait, immediate) {
    var timeout;
    return function() {
        var context = this, args = arguments;
        var later = function() {
            timeout = null;
            if (!immediate) func.apply(context, args);
        };
        var callNow = immediate && !timeout;
        clearTimeout(timeout);
        timeout = setTimeout(later, wait);
        if (callNow) func.apply(context, args);
    };
};

См. https://davidwalsh.name/javascript-debounce-function

- Вам следует изменить параметр вашей функции updateCounter, чтобы он принимал направление прокрутки изображений. (пример: логическое: true = следующий, false = предыдущий)

- Чтобы восстановить направление прокрутки, обратитесь к этому ответу: https://stackoverflow.com/a/45719399/4864628

var picArr = $('#pictures_list li');
// The index of the last element of the array is "maxIndex"
var maxIndex = picArr.length - 1;
// Initialize counter
var counter = 0;
var updateCounter = function(direction) {
  if (direction) {
    if (counter > 0) {
      counter--;
    } else {
      counter = maxIndex;
    }
  } else {
    if (counter < maxIndex) {
      counter++;
    } else {
      counter = 0;
    }
  }
}

var showCount = function(container_id) {
  var pageCount = counter + 1;
  document.getElementById(container_id).innerHTML = "Picture " + pageCount + " of " + picArr.length;
}

var showSlide = function() {
  var mTop = (200 * counter) * (-1) + 'px';
  $('#pictures_list').animate({
    'marginTop': mTop
  }, 400);
}

// Returns a function, that, as long as it continues to be invoked, will not
    // be triggered. The function will be called after it stops being called for
    // N milliseconds. If `immediate` is passed, trigger the function on the
    // leading edge, instead of the trailing.
    function debounce(func, wait, immediate) {
    	var timeout;
    	return function() {
    		var context = this, args = arguments;
    		var later = function() {
    			timeout = null;
    			if (!immediate) func.apply(context, args);
    		};
    		var callNow = immediate && !timeout;
    		clearTimeout(timeout);
    		timeout = setTimeout(later, wait);
    		if (callNow) func.apply(context, args);
    	};
    };
    
showCount('show_count');

$('#controls button').on('click', function() {
  updateCounter($(this).attr('data-direction') == 'left');
  showSlide();
  showCount('show_count');
});

var pictureFrame = document.getElementById("picture_frame");
var onScroll = debounce(function(direction) {
  updateCounter(direction);
  showSlide();
  showCount('show_count')
}, 100, true);

pictureFrame.addEventListener("wheel", function(e) {
  e.preventDefault();
  var delta;
  if (event.wheelDelta){
      delta = event.wheelDelta;
  }else{
      delta = -1 * event.deltaY;
  }
  
  onScroll(delta >= 0);
});
#picture_frame {
  width: 200px;
  height: 200px;
  margin: 5px auto;
  border: 1px solid #ccc;
  border-radius: 2px;
  overflow: hidden;
}

.controls>div {
  display: inline-block;
}

#picture_frame {
  height: 200px;
  overflow: hidden;
}

#pictures_list {
  flex-flow: row wrap;
  align-items: stretch;
  width: 200px;
}

#pictures_list li {
  display: flex;
  height: 200px;
  flex: 1 100%;
}
<link href="https://maxcdn.bootstrapcdn.com/bootstrap/4.1.0/css/bootstrap.min.css" rel="stylesheet" />
<script src="https://ajax.googleapis.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<div class="container">
  <div id="picture_frame">
    <ul id="pictures_list" class="list-unstyled d-flex">
      <li><img src="https://picsum.photos/200/200
" alt="First picture"></li>
      <li><img src="https://picsum.photos/200/200?gravity=east
" alt="Second picture"></li>
      <li><img src="https://picsum.photos/200/200?gravity=west
" alt="Third picture"></li>
      <li><img src="https://picsum.photos/200/200?gravity=north
" alt="Fourth picture"></li>
    </ul>
  </div>
  <div class="text-center mb-2">
    <span class="badge badge-primary" id="show_count"></span>
  </div>
  <div class="controls text-center">
    <div class="btn-group" id="controls">
      <button type="button" class="btn btn-primary btn-sm" data-direction="left">Prev</button>
      <button type="button" class="btn btn-primary btn-sm" data-direction="right">Next</button>
    </div>
  </div>
</div>
...