Giter Site home page Giter Site logo

shabesoglu / elm-style-animation Goto Github PK

View Code? Open in Web Editor NEW

This project forked from mdgriffith/elm-style-animation

0.0 2.0 0.0 682 KB

Home Page: http://package.elm-lang.org/packages/mdgriffith/elm-style-animation/latest

License: BSD 3-Clause "New" or "Revised" License

Elm 98.20% Python 1.80%

elm-style-animation's Introduction

elm-style-animation

A library to simplify creating html and svg animations in elm. My focus was to create something I could use as a UI designer to prototype animations quickly, accurately, and without sneaky errors.

Note - elm-style-animation is for Elm 0.17 only at the moment. There are also some breaking syntax changes vs elm-html-animation v3.0.4. Here's an overview if you want to port code.

  1. Showing a menu on hover - demo / view code
  2. Chaining Keyframes - demo / view code
  3. Animating a List of Elements - demo / view code
  4. Stacking transformations for complex animations - demo / view code
  5. Animating SVG
  6. Realistic scenario (flower menu) (separate repo) - demo / view code

Installation

First have Elm installed, then

If you just want to play with the examples, run the following in a console:

git clone https://github.com/mdgriffith/elm-style-animation.git
cd elm-style-animation/examples
elm-reactor
# Make sure to cd into the examples folder.
# The library and the examples have different dependencies
# So, running elm-reactor on the base folder will not work
# if you just want to run examples.

Or, if you want to install the package in one of your elm projects.

elm-package install mdgriffith/elm-style-animation

The Basics

I recommend checking out the Elm Architecture if you haven't already. These examples will be much easier if you're already familiar with Elm in general and the standard model, update, view pattern.

So, with all that in mind, here's a basic overview of what you'll need to do to use this library.

To add animations to a module, you'll need to do the following:

  • Store the styling data in your model, and define an initial style.
  • Subscribe to the browser's animation frame

Note all properties that are going to be animated need to be accounted for in the initial style.

import Html.App as Html
import Html exposing (..)
import Html.Attributes exposing (..)
import Color exposing (rgba)
import AnimationFrame
import Time exposing (Time)
import Style
import Style.Properties exposing (..)

type alias Model = { style : Style.Animation }

init : Model
init = { style =
            Style.init
                [ Left -350.0 Px
                , Opacity 0.0
                , Color (rgba 50 50 50 1.0)
                ]
        }

-- Create a subscription to the browser's animation frame
subscriptions : Model -> Sub Msg
subscriptions model =
    AnimationFrame.times Animate


main =
    Html.program
        { init = init
        , view = view
        , update = update
        , subscriptions = subscriptions
        }
  • In your view, render the animation as a css style.
view : Model -> Html Msg
view model =
      div [ style (Style.render model.style) ] []
  • Add a new action to your Action type to allow updates to be sent to an animation.
type Msg = Show -- This message triggers the animation
         | Animate Time -- This message forwards all updates to the elm-style-animation core.

-- In our update function, we can use the helper function trigger animations
-- and to pass updates to an animation
update : Msg -> Model -> ( Model, Cmd Msg )
update action model =
  case action of

    Show ->
      let
          style =
              Style.animate
                 |> Style.to [ Opacity 1]
                 |> Style.on model.style
      in
        ( { model | style = style}
        , Cmd.none
        )

     -- for each animation frame, update the style.
     -- If we have multiple styles to manage, they will need to be updated in this action.
     Animate time ->
        ( { model
              | style = Style.tick time model.style
          }
        , Cmd.none
        )
  • Now that we're set up, we can begin animating.

Example 1: Showing a Menu on Hover

demo / view code

Our first example is a menu that is shown when the mouse enters a certain area, and hides when the mouse leaves.

So, our first step is to add two values to our Action type, Show and Hide, and in the update function, we start an animation when those actions occur. Let's take a look at how we construct an animation.

-- ... we add this to the case statement in our update function.

    Style.animate
    -- |> Style.delay (0.5*second)
       |> Style.to
           [ Left 0 Px
           , Opacity 1
           ]
       |> Style.on model.style

Notice we are programming declaratively by defining what style property should be by using Style.to. A delay is present but commented out.

Instead of using a duration and an easing function, this library defaults to animating by using a spring. By modeling real-world springs, we can create organic animations by defining two numbers, stiffness and damping.

-- ... we add this to the case statement in our update function.
    Style.animate
    -- |> Style.spring Style.Spring.Preset.wobbly -- you can use a UI preset
    -- or specify manually.
       |> Style.spring
            { stiffness = 400
            , damping = 28
            }
       |> Style.to
           [ Left 0 Px
           , Opacity 1
           ]
       |> Style.on model.style

Alternatively, we also have the option of defining a duration, and an easing function. I've generally found that springs are a more natural way for animating user interfaces, but there are some cases where easing and duration could be preferable. Here's how it's done.

      Style.animate
          |> Style.easing (\x -> x)  -- linear easing
          |> Style.duration (0.5*second)
          |> Style.to
              [ Left 0 Px
              , Opacity 1
              ]
          |> Style.on model.style

Note The duration you provide will not do anything unless you also provide an easing function. This is because spring based animations set the duration dynamically. Make sure to check out the elm community easing library if you're looking for easing functions.

Now that we have this animation, it has a few properties that may not be immediately apparent. If a Hide action is called halfway through execution of the Show animation, the animation will be smoothly interrupted.

There may be a situation where we don't want our animation to be interrupted and instead we want an animation to queue up after a currently running animation. To do this, we would use Style.queue instead of Style.animate

To create a repeating animation, you can use Style.repeat 3 instead of Style.animate. To repeat an animation forever you can use Style.repeat forever where forever is just defined as 1/0 or Infinity.

Example 2: Chaining Keyframes

demo / view code

What we've been doing is creating a single keyframe animation, but we also have the option of adding more keyframes.

We use Style.andThen to create a new keyframe. This new keyframe will have it's own independent delay, properties, and spring (or easing + duration). Again, it can be interrupted smoothely at any point.

-- we need to import Color to begin working with color.
import Color exposing (rgba)

-- in our update function, we'd change our animation to:
      Style.animate
        |> Style.to
            [ BackgroundColor (rgba 100 100 100 1.0) ]
        |> Style.andThen -- create a new keyframe
        |> Style.to
            [ BackgroundColor (rgba 178 201 14 1.0) ]
        |> Style.andThen
        |> Style.to
            [ BackgroundColor (rgba 58 40 69 1.0) ]
        |> on model.menuStyle

Example 3: Animating Lists of Elements

demo / view code

We can animate a list of styles by updating the styles either with List.map or List.indexedMap.

First, our model would be something like this:

type alias Model = { widgets : List Style.Animation }

-- Later, in our update statement...
      -- where j is the index of the widget we want to animate.
      let
        widgets =
            List.indexedMap
              (\i widget ->
                  -- only update a specific widget in a list.
                  if i == j then
                     Style.animate
                        |> Style.duration (5*second)
                        |> Style.to
                            [ Opacity 0  
                            ]
                        |> Style.on widget
                  else
                    widget
              ) model.widgets


      in
        ( { model | widgets = widgets }
        , Cmd.none )

-- Later in the `Animate` section of our `update` function, we need to send updates to every style we're animating.

    Animate time ->
        ( { model
            | widgets =
                List.map
                    (\widget ->
                        Style.tick time widget
                    )
                    model.widgets
          }
        , Cmd.none
        )

By using List.map and List.indexedMap we have a natural way to do things like staggering a series of animations. We can just calculate the delay of an animation based on it's index in a list.

Staggering animations - demo / view code

    List.indexedMap
        (\i widget ->
           Style.animate
             |> Style.delay (i * 0.05 * second) -- stagger this animation.
             |> Style.duration (0.3 * second)
             |> Style.to
                 [ Left 200 Px
                 ]
             |> Style.on widget
        ) model.widgets

Example 4: Stacking Transformations

demo / view code

CSS has support for transforms such as translate, rotate, and scale. We also have access to some more complicated transformations such as rotate3d and transform3d.

When using these transformations in normal css, you're able to stack them. So, in your css file you can have something like the following:

.transformed {
  transform: rotate(20deg) translateY(100px) rotate(-20deg)
}

In this case, the transforms are performed in order. Rotate by 20deg, translateY (which is now angled 20deg) by 100px, and then rotate again -20deg.

This can be very useful, especially if we can animate each transform element individually.

Here's how we're able to do this in Html.Animation.

First, we define our initial style. This will define the order that the transforms will appear.

initialWidgetStyle =
        Style.init
            [ Rotate 0 Deg
            , TranslateY 0 Px
            , Rotate 0 Deg
            ]

Now let's animate these properties. Let's say we want do the following animation:

  1. Make the first Style.Rotate move to 20deg.
  2. Once that's finished, we want to translateY to -200px
  3. Now we want to rotate 1 revolution locally
  4. Now we want to rotate 1 revolution around the original center
  5. Then once that's finished, reset everything to 0.
  Style.animate
      |> Style.duration (0.5*second)
      |> Style.to
          [ Rotate 20 Deg
          ]
      |> Style.andThen
      |> Style.duration (0.7*second)
      |> Style.to
          [ TranslateY -200 Px
          ]
      |> Style.andThen
      |> Style.duration (0.7*second)
      |> Style.update
          [ Rotate identity Deg
          , Rotate (\_ -> 360) Deg
          ]
      |> Style.andThen
      |> Style.duration (0.7*second)
      |> Style.to
          [ Rotate 380 Deg
          ]
      |> Style.andThen
      |> Style.delay (1*second)
      |> Style.to
          [ Rotate 0 Deg
          , TranslateY 0 Px
          , Rotate 0 Deg
          ]

Animating SVG

Animating svg has to be handled slightly differently than animating html because the majority of the interesting properties that we'd want to animate are actually attributes that can't be controlled by CSS.

However there's an easy solution. Just use Style.renderAttr instead of Style.render, and everything will be take care of. For example:

import Color exposing (blue, green)
import Style
import Style.Properties exposing (..)

-- Style.Propeties also exposes svg properties
model {
    svgStyle = Style.init
          [ Fill blue
          , Cx 200
          , Cy 300
          , R 50
          ]
}

...in your view function, use Style.renderAttr like so.

    svg []
        [ circle (Style.renderAttr model.svgStyle) []
        ]

Everything else that you learned applies exactly the same to svg properties. Only the render function changes.

Here are the properties you can use in svg animations.

  • X
  • Y
  • Cx
  • Cy
  • R
  • Rx
  • Ry
  • D
  • Points
  • Fill
  • Stroke

Morphing Shapes

Elm Logo demo / view code

If you create an svg polygon you can animate using the points attribute. Elm-style-animation will automatically convert between polygons with differing numbers of points.

-- We can define two polygon styles and morph between them

      [ Points
              <| alignStartingPoint
                  [ ( 161.649, 152.782 )
                  , ( 231.514, 82.916 )
                  , ( 91.783, 82.916 )
                  ]
        , Fill palette.orange
        ]
      , [ Points
              <| alignStartingPoint
                  [ ( 8.867, 0 )
                  , ( 79.241, 70.375 )
                  , ( 232.213, 70.375 )
                  , ( 161.838, 0 )
                  ]
        , Fill palette.green
        ]


To smoothly morph between two polygons, we need to align the starting points. Fortunately we can do that with alignStartingPoint, which rotates a list of coordinates to that the one closest to the origin comes first and the rest follow.

Morphing Paths - Batman Logos

inspiration / demo / view code

You can also morph between svg paths using the d property. Unlike the points property, we can't animate between two paths unless they have the same number of path commands.

Paths are defined using the following.

model = {
  myPath = Style.init
      [ D [ MoveTo 256 213
          , CurveTo [(245,181), (206,187), (234,262), (147,181), (169,71.2), (233,18)]
          , Close
          ]
      ]      
}

Check out the batman morphing example to dive in.

elm-style-animation's People

Contributors

mdgriffith avatar trotha01 avatar

Watchers

 avatar  avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.