Change strokeDashoffset of a SVG line in a for loop

前端 未结 1 1658
北海茫月
北海茫月 2021-02-15 01:01

I\'m trying to animate a line expanding. I already have it in css, but I need to do it in javaScript, because that is the only way I can get the lenght of the path, which I need

相关标签:
1条回答
  • 2021-02-15 01:26

    The code:

    function animateRoute (e) 
    {
       e.style.strokeDashoffset = e.style.strokeDashoffset - 100;
    }
    
    for (i = 0; i < 100; i++)
    {
       animateRoute(element);
    }
    

    Is basically equivalent to

    e.style.strokeDashoffset = e.style.strokeDashoffset - 10000;
    

    Because the loop whips through all its iterations without giving the browser a chance to update the page.

    To get around that, do one step in the loop and then call setTimeout() to tell the browser to come back to us in a little bit so we can do the next iteration.

    var element = document.getElementById("animpath");
    var pathLength = element.getTotalLength();
    
    element.style.strokeDasharray = pathLength;
    element.style.strokeDashoffset = pathLength;
    
    function animateRoute(e, len) 
    {
      // Each step we decrement the dash offset
      len -= 10;
      if (len < 0)
        len = 0;  // clamp to minimum 0
    
      element.style.strokeDashoffset = len;
    
      // We need to stop looping when the length gets to 0
      if (len > 0) {
        // Do another step
        setTimeout(function() { animateRoute(e, len); }, 10);
      }
    }
    
    animateRoute(element, pathLength);
    <svg viewBox="-10 -10 420 120">
      
        <path id="animpath" d="M 0 0 L 400 10 0 20 400 30 0 40 400 50 0 60 400 70 0 80 400 90 0 100"
              stroke="black" stroke-width="3" fill="none"/>
      
    </svg>

    0 讨论(0)
提交回复
热议问题