Pen Settings

HTML

CSS

CSS Base

Vendor Prefixing

Add External Stylesheets/Pens

Any URLs added here will be added as <link>s in order, and before the CSS in the editor. You can use the CSS from another Pen by using its URL and the proper URL extension.

+ add another resource

JavaScript

Babel includes JSX processing.

Add External Scripts/Pens

Any URL's added here will be added as <script>s in order, and run before the JavaScript in the editor. You can use the URL of any other Pen and it will include the JavaScript from that Pen.

+ add another resource

Packages

Add Packages

Search for and use JavaScript packages from npm here. By selecting a package, an import statement will be added to the top of the JavaScript editor for this package.

Behavior

Auto Save

If active, Pens will autosave every 30 seconds after being saved once.

Auto-Updating Preview

If enabled, the preview panel updates automatically as you code. If disabled, use the "Run" button to update.

Format on Save

If enabled, your code will be formatted when you actively save your Pen. Note: your code becomes un-folded during formatting.

Editor Settings

Code Indentation

Want to change your Syntax Highlighting theme, Fonts and more?

Visit your global Editor Settings.

HTML

              
                <div class="container">
  
  <h1>MultiRangeSlider</h1>

  <ul>
    <li>No dependencies</li>
    <li>Keyboard accessible</li>
  </ul>

  <div class="multi-range"></div>

  <h2><span class="start-hour"></span> - <span class="end-hour"></span></h2>
  
</div>
              
            
!

CSS

              
                html
    height 100%

body
    background #252527
    height 100%
    font-family "Helvetica Neue", "Helvetica", sans-serif
    display flex
    justify-content center
    align-items center
    text-align center

h1
    font-size 2rem

h2
    font-size 1.5rem

ul
    margin 1rem
    line-height 1.25em

li
    &:before
        content '✓'
        margin-right 3px
        color green

.container
    background-color #efefef
    padding 2em
    width 50%
    border-radius 4px

.multi-range
    width 100%
    height 45px
    position relative
    margin-bottom 2em

.multi-range__track
    height 10px
    width 100%
    background transparent
    position absolute
    top 50%
    transform translateY(-50%)
    left 0

.multi-range__track-bg
    height 100%
    width 95%
    background #ccc
    position absolute
    top 0
    left 2.5%

.multi-range__fill
    height 100%
    width 100%
    background #2994b2
    background linear-gradient(to right, #2994b2 0%,#91157e 100%)
    position absolute
    top 0
    left 0

.multi-range__handle
    height 100%
    width 5%
    background #343434
    position absolute
    top 50%
    cursor grab
    transform translateY(-50%)
    border-radius 4px
    &:focus
        &:first-child
            border 3px solid #2994b2
        &:last-child
            border 3px solid #91157e

.multi-range__ticks
    height 100%
    width 95%
    background transparent
    position absolute
    top 0
    left 2.5%
    display flex
    justify-content space-between

.multi-range__tick
    width 2px
    height 100%
    background #fff

.multi-range__labels
    font-size 14px
    position absolute
    left 2.5%
    min-width 100%
    overflow visible
    top calc(100% + 0.5em)
    & > .label
        position absolute
        display none

@media screen and (max-width: 709px)
    .multi-range__labels
        & > .label
            &:nth-child(4n
                & + 1)
                    display block

@media screen and (min-width: 710px)
    .multi-range__labels
        & > .label
            &:nth-child(odd)
                display block

@media screen and (min-width: 1560px)
    .multi-range__labels
        & > .label
            display block

.label
    transform translateX(-50%)
              
            
!

JS

              
                /**
 * MultiRangeSlider
 * @param {HTMLElement} elmement - the dom element that will be made the slider
 * @param {object} settings 
 * @param {function} [getFormattedValue] - a function that will convert the label values
 */
function MultiRangeSlider(element, settings, getFormattedValue = (value) => value) {
  const slider = element;
  const DOM = {};
  let steps = [];
  let dragging = false;
  let currentHandle = null;
  const getHandleOffset = () => DOM.handles[0].offsetWidth / 2;
  const getTrackWidth = () => DOM.track.offsetWidth;
  const getFocusedHandle = () => DOM.handles.find(handle => document.activeElement === handle);

  const values = {
    start: settings.start,
    end: settings.end
  };

  function getSteps(sliderWidth, stepLen, handleOffset) {
    const steps = [];
    for (let i = 0; i <= stepLen; i++) {
      const stepX = i * (sliderWidth * 0.95 / stepLen) + handleOffset;
      const stepPercent = (i * (95 / stepLen)).toFixed(2);
      const value = i * settings.increment + settings.start;
      steps.push({
        value,
        stepX,
        stepPercent
      });
    }
    return steps;
  }

  const getStepLen = () => (settings.end - settings.start) / settings.increment;
  
  const startDrag = (event) => {
    currentHandle = event.target;
    dragging = true;
  };
  const stopDrag = () => dragging = false;

  function createLabels(container, settings) {
    const labels = document.createElement("div");
    labels.classList.add("multi-range__labels");
    steps = getSteps(slider.offsetWidth, getStepLen(), getHandleOffset());
    steps.forEach(step => {
      const label = document.createElement("label");
      label.classList.add("label");
      label.textContent = getFormattedValue(step.value);
      label.style.left = `${step.stepPercent}%`;
      labels.appendChild(label);
      const tick = document.createElement("div");
      tick.classList.add("multi-range__tick");
      container.appendChild(tick);
    });
    
    return labels;
  }
  
  function addElementsToDOM() {
    const track = document.createElement("div");
    track.classList.add("multi-range__track");
    DOM.track = track;
    const trackBg = document.createElement("div");
    trackBg.classList.add("multi-range__track-bg");
    const trackFill = document.createElement("div");
    trackFill.classList.add("multi-range__fill");
    DOM.trackFill = trackFill;
    const ticksContainer = document.createElement("div");
    ticksContainer.classList.add("multi-range__ticks");
    let handleContainer = document.createElement("div");
    handleContainer.classList.add("multi-range__handles");
    const leftHandle = document.createElement("div");
    leftHandle.classList.add("multi-range__handle");
    leftHandle.setAttribute("data-handle-position", "start");
    leftHandle.setAttribute("tabindex", 0);
    const rightHandle = document.createElement("div");
    rightHandle.classList.add("multi-range__handle");
    rightHandle.setAttribute("data-handle-position", "end");
    rightHandle.setAttribute("tabindex", 0);
    handleContainer.appendChild(leftHandle);
    handleContainer.appendChild(rightHandle);
    DOM.handles = [leftHandle, rightHandle];
    track.appendChild(trackBg);
    track.appendChild(trackFill);
    slider.appendChild(track);
    slider.appendChild(handleContainer);
    const labels = createLabels(ticksContainer, settings);
    slider.appendChild(labels);
    track.appendChild(ticksContainer);
  }
  
  function init() {
    addElementsToDOM();
    DOM.handles.forEach(handle => {
      handle.addEventListener("mousedown", startDrag);
      handle.addEventListener("touchstart", startDrag);
    });
    window.addEventListener("mouseup", stopDrag);
    window.addEventListener("touchend", stopDrag);
    window.addEventListener("resize", onWindowResize);
    window.addEventListener("mousemove", onHandleMove);
    window.addEventListener("touchmove", onHandleMove);
    window.addEventListener("keydown", onKeyDown);
  }

  function dispatchEvent() {
    let event;
    if (window.CustomEvent) {
      event = new CustomEvent("slider-change", {
        detail: { start: values.start, end: values.end }
      });
    } else {
      event = document.createEvent("CustomEvent");
      event.initCustomEvent("slider-change", true, true, {
        start: values.start,
        end: values.end
      });
    }
    slider.dispatchEvent(event);
  }

  function getClosestStep(newX, handlePosition) {
    const isStart = handlePosition === "start";
    const otherStep = getStep(values[isStart ? "end" : "start"]);
    let closestDistance = Infinity;
    let indexOfClosest = null;
    for (let i = 0; i < steps.length; i++) {
      if (
        (isStart && steps[i].stepX < otherStep.stepX) ||
        (!isStart && steps[i].stepX > otherStep.stepX)
      ) {
        const distance = Math.abs(steps[i].stepX - newX);
        if (distance < closestDistance) {
          closestDistance = distance;
          indexOfClosest = i;
        }
      }
    }
    return steps[indexOfClosest];
  }

  function updateHandles() {
    DOM.handles.forEach(function(handle, index) {
      const step = index === 0 ? getStep(values.start) : getStep(values.end);
      handle.style.left = `${step.stepPercent}%`;
    });
  }

  const getStep = value => steps.find(step => step.value === value);

  function updateFill() {
    const trackWidth = getTrackWidth();
    const startStep = getStep(values.start);
    const endStep = getStep(values.end);
    const newWidth =
      trackWidth - (startStep.stepX + (trackWidth - endStep.stepX));
    const percentage = newWidth / trackWidth * 100;
    DOM.trackFill.style.width = `${percentage}%`;
    DOM.trackFill.style.left = `${startStep.stepPercent}%`;
  }

  function render() {
    updateFill();
    updateHandles();
  }

  function onHandleMove(event) {
    event.preventDefault();
    if (!dragging) return;
    const handleOffset = getHandleOffset();
    const clientX = event.clientX || event.touches[0].clientX;
    window.requestAnimationFrame(() => {
      if (!dragging) return;
      const mouseX = clientX - slider.offsetLeft;
      const handlePosition = currentHandle.dataset.handlePosition;
      let newX = Math.max(
        handleOffset,
        Math.min(mouseX, slider.offsetWidth - handleOffset)
      );
      const currentStep = getClosestStep(newX, handlePosition);
      values[handlePosition] = currentStep.value;
      render();
      dispatchEvent();
    });
  }
  
  function onKeyDown(e) {
    const keyCode = e.keyCode;
    const handle = getFocusedHandle();
    const keys = {
      "37": "left",
      "39": "right"
    };
    const arrowKey = keys[keyCode];
    if(!handle || !arrowKey) return;
    const handlePosition = handle.dataset.handlePosition;
    const stepIncrement = arrowKey === "left" ? -1 : 1;
    const stepIndex = steps.findIndex(step => step.value === values[handlePosition]);
    const newIndex = stepIndex + stepIncrement;
    if(newIndex < 0 || newIndex >= steps.length) return;
    values[handlePosition] = steps[newIndex].value;
    render();
    dispatchEvent();
  }
  
  function onWindowResize() {
    steps = getSteps(slider.offsetWidth, getStepLen(), getHandleOffset());
    render();
  }

  function update(newValues) {
    values.start = newValues.start;
    values.end = newValues.end;
    render();
  }
  
  function on(eventType, fn) {
    slider.addEventListener(eventType, fn);
  }
  
  function off(eventType, fn) {
    slider.removeEventListener(eventType, fn);
  }
  
  function destroy(removeElement) {
    DOM.handles.forEach(handle => {
      handle.removeEventListener("mousedown", startDrag);
      handle.removeEventListener("touchstart", startDrag);
    });
    window.removeEventListener("mouseup", stopDrag);
    window.removeEventListener("touchend", stopDrag);
    window.removeEventListener("resize", onWindowResize);
    window.removeEventListener("mousemove", onHandleMove);
    window.removeEventListener("touchmove", onHandleMove);
    window.removeEventListener("keydown", onKeyDown);
    if(removeElement) slider.parentNode.removeChild(slider);
  }

  init();

  render();

  return {
    on,
    off,
    update,
    destroy
  };
}

/**
  * Slider settings
**/
const settings = {
  start: 7,
  end: 23,
  increment: 1
};

/**
 * A function such as this one can be passed into
 * MultiRangeSlider to transform the labels 
 * based on their values.
 */
function getFormattedValue(value) {
  let hour;
  hour = value % 12 == 0 ? 12 : value % 12;
  hour = value / 12 >= 1 ? hour + " PM" : hour + " AM";
  return hour;
}


/**
 * Initialize the slider
 */
var slider = MultiRangeSlider(
  document.querySelector(".multi-range"), 
  settings, 
  getFormattedValue
);

/**
 * You can listen to the slider-change event
 * which fires every time a handle is moved.
 */
slider.on("slider-change", event => view.update(event.detail));

/**
 * Helper for updating the view when slider changes
 */
const view = {
  start: document.querySelector(".start-hour"),
  end: document.querySelector(".end-hour"),
  update: function(values) {
    for (let key in values) {
      this[key].textContent = getFormattedValue(values[key]);
    }
  }
};

view.update({
  start: settings.start,
  end: settings.end
});
              
            
!
999px

Console