Window: requestAnimationFrame() method
        
        
          
                Baseline
                
                  Widely available
                
                
              
        
        
        
          
                
              
                
              
                
              
        
        
      
      This feature is well established and works across many devices and browser versions. It’s been available across browsers since July 2015.
The window.requestAnimationFrame() method tells the
browser you wish to perform an animation. It requests the browser to call a
user-supplied callback function before the next repaint.
The frequency of calls to the callback function will generally match the display
refresh rate. The most common refresh rate is 60hz,
(60 cycles/frames per second), though 75hz, 120hz, and 144hz are also widely used.
requestAnimationFrame() calls are paused in most browsers when running in
background tabs or hidden <iframe>s, in order to improve
performance and battery life.
Note:
Your callback function must call requestAnimationFrame() again if
you want to animate another frame. requestAnimationFrame() is one-shot.
Warning: Be sure always to use the first argument (or some other method for getting the current time) to calculate how much the animation will progress in a frame — otherwise, the animation will run faster on high refresh-rate screens. For ways to do that, see the examples below.
Syntax
requestAnimationFrame(callback)
Parameters
- callback
- 
The function to call when it's time to update your animation for the next repaint. This callback function is passed a single argument: - timestamp
- 
A DOMHighResTimeStampindicating the end time of the previous frame's rendering (based on the number of milliseconds since time origin). The timestamp is a decimal number, in milliseconds, but with a minimal precision of 1 millisecond. ForWindowobjects (notWorkers), it is equal todocument.timeline.currentTime. This timestamp is shared between all windows that run on the same agent (all same-origin windows and, more importantly, same-origin iframes) — which allows synchronizing animations across multiplerequestAnimationFramecallbacks. The timestamp value is also similar to callingperformance.now()at the start of the callback function, but it is never the same value.When multiple callbacks queued by requestAnimationFrame()begin to fire in a single frame, each receives the same timestamp even though time has passed during the computation of every previous callback's workload.
 
Return value
An unsigned long integer value, the request ID, that uniquely identifies the entry
in the callback list. You should not make any assumptions about its value. You can pass this value to
window.cancelAnimationFrame() to cancel the refresh callback request.
Warning:
The request ID is typically implemented as a per-window incrementing counter. Therefore, even when it starts counting at 1, it may overflow and end up reaching 0.
While unlikely to cause issues for short-lived applications, you should avoid 0 as a sentinel value for invalid request identifier IDs and instead prefer unattainable values such as null.
The spec doesn't specify the overflowing behavior, so browsers have divergent behaviors. When overflowing, the value would either wrap around to 0, to a negative value, or fail with an error.
Unless overflow throws, request IDs are also not truly unique because there are only finitely many 32-bit integers for possibly infinitely many callbacks.
Note, however, that it would take ~500 days to reach the issue when rendering at 60Hz with 100 calls to requestAnimationFrame() per frame.
Examples
In this example, an element is animated for 2 seconds (2000 milliseconds). The element
moves at a speed of 0.1px/ms to the right, so its relative position (in CSS pixels) can
be calculated in function of the time elapsed since the start of the animation (in
milliseconds) with 0.1 * elapsed. The element's final position is 200px
(0.1 * 2000) to the right of its initial position.
const element = document.getElementById("some-element-you-want-to-animate");
let start;
function step(timestamp) {
  if (start === undefined) {
    start = timestamp;
  }
  const elapsed = timestamp - start;
  // Math.min() is used here to make sure the element stops at exactly 200px
  const shift = Math.min(0.1 * elapsed, 200);
  element.style.transform = `translateX(${shift}px)`;
  if (shift < 200) {
    requestAnimationFrame(step);
  }
}
requestAnimationFrame(step);
The following three examples illustrate different approaches to setting the zero point in time,
the baseline for calculating the progress of your animation in each frame. If you
want to synchronize to an external clock, such as BaseAudioContext.currentTime,
the highest precision available is the duration of a single frame, 16.67ms @60Hz. The
callback's timestamp argument represents the end of the previous frame, so the soonest
your newly calculated value(s) will be rendered is in the next frame.
This example waits until the first callback executes to set zero. If your animation
jumps to a new value when it starts, you must structure it this way. If you do not need to
synchronize to anything external, such as audio, then this approach is recommended because
some browsers have a multi-frame delay between the initial call to requestAnimationFrame()
and the first call to the callback function.
let zero;
requestAnimationFrame(firstFrame);
function firstFrame(timestamp) {
  zero = timestamp;
  animate(timestamp);
}
function animate(timestamp) {
  const value = (timestamp - zero) / duration;
  if (value < 1) {
    element.style.opacity = value;
    requestAnimationFrame((t) => animate(t));
  } else element.style.opacity = 1;
}
This example uses document.timeline.currentTime to set a zero value
before the first call to requestAnimationFrame. document.timeline.currentTime
aligns with the timestamp argument, so the zero value is equivalent to the
0th frame's timestamp.
const zero = document.timeline.currentTime;
requestAnimationFrame(animate);
function animate(timestamp) {
  const value = (timestamp - zero) / duration; // animation-timing-function: linear
  if (value < 1) {
    element.style.opacity = value;
    requestAnimationFrame((t) => animate(t));
  } else element.style.opacity = 1;
}
This example animates using performance.now() instead of the callback's
timestamp value. You might use this to achieve slightly higher synchronization
precision, though the extra degree of precision is variable and not much of an increase.
Note: This example does not allow you to synchronize animation callbacks reliably.
const zero = performance.now();
requestAnimationFrame(animate);
function animate() {
  const value = (performance.now() - zero) / duration;
  if (value < 1) {
    element.style.opacity = value;
    requestAnimationFrame((t) => animate(t));
  } else element.style.opacity = 1;
}
Specifications
| Specification | 
|---|
| HTML> # dom-animationframeprovider-requestanimationframe> | 
Browser compatibility
Loading…
See also
- Window.cancelAnimationFrame()
- DedicatedWorkerGlobalScope.requestAnimationFrame()
- Animating with JavaScript: from setInterval to requestAnimationFrame - Blog post
- TestUFO: Test your web browser for requestAnimationFrame() Timing Deviations
- Firefox switching to uint32_t for the requestAnimationFrame request ID