Vsync signal mechanism and UI refresh process

Vsync signal mechanism and UI refresh process

[[439732]]

Preface

The screen refresh frame rate is unstable, the frame drops are serious, and 60 frames per second cannot be guaranteed, resulting in screen tearing;

Today we will explain the VSYNC mechanism and UI refresh process

1. Detailed explanation of Vsync signal

1. Knowledge points related to screen refresh

  • Screen refresh rate: the number of times the screen is refreshed in one second (how many frames of images are displayed in one second), the unit is Hz (Hertz), such as the common 60 Hz. The refresh rate depends on the fixed parameters of the hardware (it will not change);
  • Progressive scanning: The display does not display the image on the screen all at once, but scans from left to right and from top to bottom line by line, displaying the pixels of the entire screen in sequence, but this process is so fast that the human eye cannot detect the changes. Taking a 60 Hz refresh rate screen as an example, this process is 1000 / 60 ≈ 16ms;
  • Frame rate: indicates the number of frames drawn by the GPU in one second, in fps. For example, in the film industry, 24 frames is enough to make the screen run very smoothly. The Android system uses a more streamlined 60 fps, which means that the GPU draws a maximum of 60 frames per second. The frame rate changes dynamically. For example, when the screen is still, the GPU has no drawing operations, and the screen refreshes the data in the buffer, that is, the frame data of the last operation of the GPU;
  • Screen smoothness: running at 60 frames per second (16.6ms per frame), that is, 60fps, without any delay or frame drop;
  • FPS: frames per second;
  • Frame loss: The work was completed in 16.6ms but was not completed due to various reasons, which occupied the last n 16.6ms, equivalent to losing n frames;

2. VSYNC mechanism

VSync mechanism: The Android system sends out a VSYNC signal every 16ms to trigger the rendering of the UI. VSync is the abbreviation of Vertical Synchronization, which is a technology that has been widely used on PCs for a long time. It can be simply regarded as a timer interrupt. The VSync mechanism has been introduced in Android 4.1 (JB);

Drawing process under VSync mechanism; CPU/GPU receives vsync signal, Vsync is once every 16ms, so every time a Vsync command is issued, the CPU will perform a refresh operation. That is, at the first time of every 16ms, the CPU will respond to the Vsync command to refresh the data. The refresh time of the CPU and GPU is consistent with the FPS of the Display. Because only when the Vsync command is issued will the CPU and GPU perform refresh or display actions. The CPU/GPU receives the vsync signal to prepare the content to be displayed in the next frame in advance, so it can prepare the data of each frame in time to ensure the smoothness of the picture;

It can be seen that when the vsync signal does not remind the CPU/GPU to work, everything is normal within the first 16ms. However, within the second 16ms, the CPU calculates the data almost at the end of the time period and hands it over to the Graphics Driver, causing the GPU to draw at the end of the second period, and the entire action is delayed to the third period. This affects the drawing of the next screen. At this time, Jank (flickering, which can be understood as a freeze or pause) will appear. At this time, the CPU and GPU may be occupied by other operations, which is the reason for the freeze;

2. UI refresh principle process

1. VSYNC process diagram

When we change the content of TextView through setText, the UI interface will not change immediately. The App will first request the VSYNC service. After the next VSYNC signal is triggered, the UI of the App will really start to refresh. The basic process is as follows:

setText finally calls invalidate to apply for redrawing, and finally recursively calls invalidate of ViewRootImpl through ViewParent to request VSYNC. When requesting VSYNC, a synchronization fence will be added to prevent the execution of synchronization messages in the UI thread. This is done to speed up the response speed of VSYNC. If it is not set, a synchronization message is being executed when VSYNC arrives;

2. Invalidate view

View will recursively call invalidateChild of the parent container, backtracking level by level, and finally reach invalidate of ViewRootImpl.

  1. View.java
  2. void invalidateInternal( int l, int t, int r, int b, boolean invalidateCache,
  3. boolean fullInvalidate) {
  4. // Propagate the damage rectangle to the parent view .
  5. final AttachInfo ai = mAttachInfo;
  6. final ViewParent p = mParent;
  7. if (p != null && ai != null && l < r && t < b) {
  8. final Rect damage = ai.mTmpInvalRect;
  9. damage.set (l, t, r, b);
  10. p.invalidateChild(this, damage);
  11. }
  12. ViewRootImpl.java
  13. void invalidate() {
  14. mDirty.set (0, 0, mWidth, mHeight);
  15. if (!mWillDrawSoon) {
  16. scheduleTraversals();
  17. }
  18. }

ViewRootImpl will call scheduleTraversals to prepare for redrawing. However, redrawing is generally not executed immediately. Instead, an mTraversalRunnable is added to the Choreographer.CALLBACK_TRAVERSAL queue of Choreographer, and VSYNC is applied at the same time. This mTraversalRunnable will not be executed until the requested VSYNC arrives.

3. Schedule Traversals

  1. ViewRootImpl.java
  2. // Add the mTraversalRunnable drawn by the UI to the callback waiting for the next vertical synchronization signal to arrive
  3. // mTraversalScheduled is used to ensure that before the current Traversals are executed, it will not require traversal on both sides, wasting 16ms, and there is no need to draw twice
  4. void scheduleTraversals() {
  5. if (!mTraversalScheduled) {
  6. mTraversalScheduled = true ;
  7. // Prevent synchronization fence, which means intercepting synchronization messages
  8. mTraversalBarrier = mHandler.getLooper().getQueue().postSyncBarrier();
  9. // When postCallback, request the vnsc vertical synchronization signal scheduleVsyncLocked
  10. mChoreographer.postCallback(
  11. Choreographer.CALLBACK_TRAVERSAL, mTraversalRunnable, null );
  12. <! --Add a callback to handle touch events to prevent Touch events from coming in the middle -->  
  13. if (!mUnbufferedInputDispatch) {
  14. scheduleConsumeBatchedInput();
  15. }
  16. notifyRendererOfFramePending();
  17. pokeDrawLockIfNeeded();
  18. }
  19. }

4. Apply for VSYNC synchronization signal

  1. Choreographer.java
  2. private void postCallbackDelayedInternal( int callbackType,
  3. Object action , Object token, long delayMillis) {
  4. synchronized (mLock) {
  5. final long now = SystemClock.uptimeMillis();
  6. final long dueTime = now + delayMillis;
  7. mCallbackQueues[callbackType].addCallbackLocked(dueTime, action , token);
  8. if (dueTime <= now) {
  9. <! --Apply for VSYNC synchronization signal-->  
  10. scheduleFrameLocked(now);
  11. }
  12. }
  13. }

5. scheduleFrameLocked

  1. // mFrameScheduled ensures that the vertical synchronization signal will only be requested once within 16ms
  2. // scheduleFrameLocked can be called multiple times, but mFrameScheduled ensures that no new requests will be issued before the next vsync arrives
  3. // Redundant scheduleFrameLocked calls are invalidated
  4. private void scheduleFrameLocked(long now) {
  5. if (!mFrameScheduled) {
  6. mFrameScheduled = true ;
  7. if (USE_VSYNC) {
  8. if (isRunningOnLooperThreadLocked()) {
  9. scheduleVsyncLocked();
  10. } else {
  11. // Because invalid already has a synchronization fence, mFrameScheduled is required so that the message can be executed by the UI thread
  12. Message msg = mHandler.obtainMessage(MSG_DO_SCHEDULE_VSYNC);
  13. msg.setAsynchronous( true );
  14. mHandler.sendMessageAtFrontOfQueue(msg);
  15. }
  16. }
  17. }
  18. }
  • Before the currently requested VSYNC arrives, no new VSYNC will be requested, because it is meaningless to request two VSYNCs within 16ms;
  • After VSYNC arrives, Choreographer uses Handler to encapsulate FrameDisplayEventReceiver into an asynchronous Message and sends it to the MessageQueue of the UI thread;

6. FrameDisplayEventReceiver

  1. private final class FrameDisplayEventReceiver extends DisplayEventReceiver
  2. implements Runnable {
  3. private boolean mHavePendingVsync;
  4. private long mTimestampNanos;
  5. private int mFrame;
  6. public FrameDisplayEventReceiver(Looper looper) {
  7. super(looper);
  8. }
  9. @Override
  10. public void onVsync(long timestampNanos, int builtInDisplayId, int frame) {
  11. long now = System.nanoTime();
  12. if (timestampNanos > now) {
  13. <! --Under normal circumstances, timestampNanos should not be greater than now. This is usually caused by a problem with the upload vsync mechanism. -->  
  14. timestampNanos = now;
  15. }
  16. <! --If the previous vsync synchronization signal is not executed, then the next one should not be responded to (it may be requested by other threads in some way)-->  
  17. if (mHavePendingVsync) {
  18. Log.w(TAG, "Already have a pending vsync event. There should only be "  
  19. + "one at a time." );
  20. } else {
  21. mHavePendingVsync = true ;
  22. }
  23. <! --timestampNanos is actually the time when this vsync was generated, sent from the server-->  
  24. mTimestampNanos = timestampNanos;
  25. mFrame = frame;
  26. Message msg = Message.obtain(mHandler, this);
  27. <! --Since a synchronization fence already exists, the message arriving from VSYNC needs to be sent as an asynchronous message-->  
  28. msg.setAsynchronous( true );
  29. mHandler.sendMessageAtTime(msg, timestampNanos / TimeUtils.NANOS_PER_MS);
  30. }
  31. @Override
  32. public void run() {
  33. mHavePendingVsync = false ;
  34. <! --The mTimestampNanos here is actually the time when the Vynsc synchronization signal arrives, but when executing this message, there may be a delay-->  
  35. doFrame(mTimestampNanos, mFrame);
  36. }
  37. }
  • The reason why it is encapsulated as an asynchronous Message is that a synchronization fence is added in front, and the synchronous message will not be executed;
  • The UI thread is awakened, the message is taken out, and finally doFrame is called to refresh and redraw the UI;

7. doFrame

  1. void doFrame(long frameTimeNanos, int frame) {
  2. final long startNanos;
  3. synchronized (mLock) {
  4. <! --A lot of things have been done to ensure that there is a vertical synchronization signal every 16ms, an input, refresh, and redraw -->  
  5. if (!mFrameScheduled) {
  6. return ; // no   work   to do
  7. }
  8. long intendedFrameTimeNanos = frameTimeNanos;
  9. startNanos = System.nanoTime();
  10. final long jitterNanos = startNanos - frameTimeNanos;
  11. <! -- Check if the frame is dropped due to delayed execution. For every 16ms delay, one more frame is dropped. -->  
  12. if (jitterNanos >= mFrameIntervalNanos) {
  13. final long skippedFrames = jitterNanos / mFrameIntervalNanos;
  14. <! -- Skipped frames are actually the time that the last refresh request was delayed, but the fact that skippedFrames is 0 does not mean that there is no frame drop. -->  
  15. if (skippedFrames >= SKIPPED_FRAME_WARNING_LIMIT) {
  16. <! --If skippedFrames is too large, frames will definitely be dropped, but if it is 0, it does not mean that there are no frame drops -->  
  17. Log.i(TAG, "Skipped " + skippedFrames + " frames! "  
  18. + "The application may be doing too much work on its main thread." );
  19. }
  20. final long lastFrameOffset = jitterNanos % mFrameIntervalNanos;
  21. <! --The real effective timestamp of starting doFrame-->  
  22. frameTimeNanos = startNanos - lastFrameOffset;
  23. }
  24. if (frameTimeNanos < mLastFrameTimeNanos) {
  25. <! --This situation usually means that there is a problem with the mechanism for generating vsync, so apply again-->  
  26. scheduleVsyncLocked();
  27. return ;
  28. }
  29. <! --intendedFrameTimeNanos is the timestamp that was originally drawn, frameTimeNanos is the real one, which can be used to identify the delay VSYNC in the rendering tool -->  
  30. mFrameInfo.setVsync(intendedFrameTimeNanos, frameTimeNanos);
  31. <! --Remove the mFrameScheduled judgment, indicating that the processing has started, -->  
  32. mFrameScheduled = false ;
  33. <! --Update mLastFrameTimeNanos-->  
  34. mLastFrameTimeNanos = frameTimeNanos;
  35. }
  36. try {
  37. <! --Really start doing business-->  
  38. Trace.traceBegin(Trace.TRACE_TAG_VIEW, "Choreographer#doFrame" );
  39. <! --Handle packaged move events-->  
  40. mFrameInfo.markInputHandlingStart();
  41. doCallbacks(Choreographer.CALLBACK_INPUT, frameTimeNanos);
  42. <! --Processing animation-->  
  43. mFrameInfo.markAnimationsStart();
  44. doCallbacks(Choreographer.CALLBACK_ANIMATION, frameTimeNanos);
  45. <! --Handle redrawing-->  
  46. mFrameInfo.markPerformTraversalsStart();
  47. doCallbacks(Choreographer.CALLBACK_TRAVERSAL, frameTimeNanos);
  48. <! --Submit->  
  49. doCallbacks(Choreographer.CALLBACK_COMMIT, frameTimeNanos);
  50. finally
  51. Trace.traceEnd(Trace.TRACE_TAG_VIEW);
  52. }
  53. }
  • doTraversal will first remove the fence, then process performTraversals, perform measurement, layout, drawing, and submit the current frame to SurfaceFlinger for layer synthesis display;
  • The above multiple boolean variables ensure that the UI is redrawn at most once every 16ms;

9. Partial UI redraw

View redrawing and refreshing does not cause all Views to perform measurement, layout, and drawing. Only the View link to be refreshed needs to be adjusted, and the remaining Views may not need to waste energy to do it again;

  1. View.java
  2. public RenderNode updateDisplayListIfDirty() {
  3. final RenderNode renderNode = mRenderNode;
  4. ...
  5. if ((mPrivateFlags & PFLAG_DRAWING_CACHE_VALID) == 0
  6. || !renderNode.isValid()
  7. || (mRecreateDisplayList)) {
  8. <! -- Invalid, need to redraw -->  
  9. } else {
  10. <! -- Still valid, no need to redraw -->  
  11. mPrivateFlags |= PFLAG_DRAWN | PFLAG_DRAWING_CACHE_VALID;
  12. mPrivateFlags &= ~PFLAG_DIRTY_MASK;
  13. }
  14. return renderNode;
  15. }

10. Draw the summary

  • Android has a maximum of 60 FPS, which is determined by VSYNC, with a maximum of one frame every 16 ms;
  • VSYNC will only be available if the client actively applies for it;
  • It will be refreshed only when VSYNC arrives;
  • If the UI does not change, VSYNC will not be requested and will not be refreshed;

Summarize

There are still many knowledge points about drawing, which will be summarized and released later;

<<:  Is your phone running slower and slower? Just three steps to make your phone work like new

>>:  Unexpectedly popular! iOS 15 update rate: nearly 60% of devices have installed it 80 days after release

Recommend

How to obtain information sources for bidding promotion?

We all know that all revenue-generating categorie...

How to become a Douyin Blue V certified promoter? How much do I need to pay?

What is the Douyin Blue V certification project? ...

Chen Xiang's short video compulsory course for novices to become popular

Chen Xiang’s compulsory short video course that c...

The current status of short videos on Tik Tok and a guide to advertising

1. Current status of Tik Tok short videos In toda...

Internet finance, how to quickly acquire a large number of real target users?

“Just like true love, you never need to chase aft...

Essential for developers: 2018 Android SDK tool recommendations

Pimple Popper is an app that pops virtual pimples...

A beginner's guide to financial management that is useful to everyone

Course file directory: V-1394: A beginner's g...

iOS 13 shortcuts add "automation", what changes will this bring to the iPhone?

Workflow was originally a third-party efficiency ...

Product operation: scenario-based operation plan for community group purchasing!

The generally mentioned scenario is directly base...