npm package discovery and stats viewer.

Discover Tips

  • General search

    [free text search, go nuts!]

  • Package details

    pkg:[package-name]

  • User packages

    @[username]

Sponsor

Optimize Toolset

I’ve always been into building performant and accessible sites, but lately I’ve been taking it extremely seriously. So much so that I’ve been building a tool to help me optimize and monitor the sites that I build to make sure that I’m making an attempt to offer the best experience to those who visit them. If you’re into performant, accessible and SEO friendly sites, you might like it too! You can check it out at Optimize Toolset.

About

Hi, 👋, I’m Ryan Hefner  and I built this site for me, and you! The goal of this site was to provide an easy way for me to check the stats on my npm packages, both for prioritizing issues and updates, and to give me a little kick in the pants to keep up on stuff.

As I was building it, I realized that I was actually using the tool to build the tool, and figured I might as well put this out there and hopefully others will find it to be a fast and useful way to search and browse npm packages as I have.

If you’re interested in other things I’m working on, follow me on Twitter or check out the open source projects I’ve been publishing on GitHub.

I am also working on a Twitter bot for this site to tweet the most popular, newest, random packages from npm. Please follow that account now and it will start sending out packages soon–ish.

Open Software & Tools

This site wouldn’t be possible without the immense generosity and tireless efforts from the people who make contributions to the world and share their work via open source initiatives. Thank you 🙏

© 2024 – Pkg Stats / Ryan Hefner

ks-vue-scrollmagic

v1.0.2

Published

A Vue.js Plugin

Downloads

444

Readme

Ks Vue Scrollmagic

ks-vue-scrollmagic vue2

Easily use ScrollMagic with vue.js (and nuxt.js...). Now production ready!!!

Try it in this fiddle .


Getting started

The plugin only works with 2nd version of Vue.js. You don't need to include scrollmagic.js nor GSAP in your bundle or html, as they're included in the package (for the moment, I'll maybe remove gsap and create a new plugin for it in the future).

    npm i --save ks-vue-scrollmagic

Usage

With Webpack
import KsVueScrollmagic from 'ks-vue-scrollmagic'
Vue.use(KsVueScrollmagic)
With Nuxt

Create a ksvuescrollmagic.js file in yur plugins folder, and add it to yout nuxt.config.js file with ssr: false option

ksvuefp.js

import KsVueScrollmagic from 'ks-vue-scrollmagic'
Vue.use(KsVueScrollmagic)

nuxt.config.js

{
  ...
  plugins: [{
    src: '~/plugins/ksvuescrollmagic',
    ssr: false
  }]
  ...
}
With a script tag
<script src="your/assets/folder/ks-vue-scrollmagic/dist/ks-vue-scrollmagic.min.js"></script>  

Once installed, the plugin adds $scrollmagic and $gsap to Vue.prototype, to make them easily accessibles in every components.

To use them:

TweenMax.to('.whatever', 1, { autoAlpha: 0 }) // won't work
const scene = new ScrollMagic.Scene() // won't work neither

// Instead, do this:

// To use TweenMax or TimelineMax
vm.$gsap.TweenMax.to('.whatever', 1, { autoAlpha: 0 }) // Works in every components
// To use ScrollMagic
const scene = new vm.$scrollmagic.Scene() // Works in every components

The communication between components and ScrollMagic controller is done via an event bus, available at vm.$ksvuescr. You can emit and listen to:

Event name | Datas | Description ----- | ------------- | --- addScene | scene name, scene object | Add a new scene to ScrollMagic controller destroyScene | scene name | Destroy a specific scene from ScrollMagic controller destroy | - | Destroy ScrollMagic and remove it all

//some examples of using Ks Vue Scrollmagic events
created () {
  this.$ksvuescr.$on('addScene', (sceneName, scene) => {
    console.log(`${sceneName} has been added to controller`)
  })
},
methods: {
  destroyScrollmagic () {
    this.$ksvuescr.$emit('destroy') // Destroy the plugin
  }
}

Example code

To better understand how the plugin works, let's reproduce the "Wipes panels effect" (from Scrollmagic documentation itself, see original here) in a vue component.

First of all, let's create our template:

<template>
  <div id="app"> // Where our app is mounted
    <div class="pinContainer" ref="pin"> // The panels wrapper, that has to be pinned during all our animation
      <section
        v-for="(p, index) in panels"
        class="panel"
        :class="`panel-${index}`"
        :style="{backgroundColor: p.bgColor}"
      > // Single panel element, used with with v-for.
      {{ p.title }}
      </section>
    </div>
  </div>
</template>

Then, we add a bit of css to style our elements

  body {
    margin: 0;
  }
  .pinContainer {
    width: 100%;
    height: 100vh;
    overflow: hidden;
    position: relative;
  }
  .panel {
    height: 100%;
    width: 100%;
    position: absolute;
    top: 0;
    left:0;
    display: flex;
    justify-content: center;
    align-items: center;
    color: white;
  }

Finally we dig into the js part

export default {
  mounted () {
    this.$nextTick(this.pinContainerScene)
  },
  data () {
    return {
      panels:[
        {
          title: 'panel 1',
          bgColor: '#29b6f6'
        },
        {
          title: 'panel 2',
          bgColor: '#ef5350'
        },
        {
          title: 'panel 3',
          bgColor: '#ec407a'
        },
        {
          title: 'panel 4',
          bgColor: '#66bb6a'
        }
      ]
    }
  },
  methods: {
    pinContainerScene () {
      const Length = this.panels.length

      // Create a new Timeline (equivalent to new TimelineMax())
      const tl = new this.$gsap.TimelineMax()

      for (var i = 0; i < Length; i++) { // For each panel in this.panels array:
        let animFrom, animOutLetters;
        switch (i) { // Set animFrom value, depending on the index i of the item
          case 0:
            break; // First panel is already visible on page load, so no animation
          case 1:
            animFrom = {x: '-100%'} // Second panel comes from the left
            break;
          case 2:
            animFrom = {x: '100%'} // Third one comes from the right
            break;
          case 3:
            animFrom = {y: '-100%'} // Finally, the last one comes from the top
            break;
        }
        if (i !== 0) { // For each panel except the one whom index is 0, create the tween and add it to the tl timeline
          tl.fromTo(`section.panel-${i}`, 1.5, animFrom, {x: '0%', y: '0%', ease: Linear.easeNone})
        }
      }

      // create scene and set its params
      const scene = new this.$scrollmagic.Scene({
        triggerElement: '.pinContainer',
        triggerHook: 'onLeave',
        duration: `${Length * 100}%`
      })
      .setPin('.pinContainer')
      .setTween(tl)

      // Add scene to ScrollMagic controller by emiting an 'addScene' event on vm.$ksvuescr (which is our global event bus)
      this.$ksvuescr.$emit('addScene', 'pinContainerScene', scene)

      // TAAAAAAADAAAAAAAAAAAA
    }
  },
  destroyed () {
    // Destroy ScrollMagic when our component is removed from DOM
    this.$ksvuescr.$emit('destroy')
  }
}

You can visualize the result of this example in this fiddle .

Remaining tasks

  • [x] Add installation and utilisation infos to readme.md
  • [ ] Add Iscroll option
  • [ ] Maybe create a directive to automatically destroy scrollmagic's controller

Contribution

If your facing difficulties to use it, find some bugs or unexpected behaviour... feel free to open a new issue, I'll try to answer you asap ;)

I'm just a lowly frontend developer trying to master ES6, so suggestions are more than welcome, not only for feature requests but also for coding style improvements.


Licence

MIT