UI绘制流程(二)-- 测量、布局、绘制方法

上一篇中 ActivityThread 的handleResumeActivity 执行了Activity的onResume方法大概的路径是

performResumeActivity() -> activity.performResume -> mInstrumentation.callActivityOnResume -> activity.onResume()

    @Override
    public void handleResumeActivity(IBinder token, boolean finalStateRequest, boolean isForward,
            String reason) {
        // If we are getting ready to gc after going to the background, well
        // we are back active so skip it.
        unscheduleGcIdler();
        mSomeActivitiesChanged = true;
		//1、开始调用onResume方法
        // TODO Push resumeArgs into the activity for consideration
        final ActivityClientRecord r = performResumeActivity(token, finalStateRequest, reason);
       
          //删除部分代码
          //...do something

            r.activity.mVisibleFromServer = true;
            mNumVisibleActivities++;
            if (r.activity.mVisibleFromClient) {
            	//2 、 开始View的绘制
                r.activity.makeVisible();
            }
   
 		// 删除部分代码
 		//...do something

    }

由上可以知道View的绘制其实是发生在onResume之后,而不是OnCreate或者OnStart
注释1、performResumeActivity
ActivityThread.java

    public ActivityClientRecord performResumeActivity(IBinder token, boolean finalStateRequest,
            String reason) {
        final ActivityClientRecord r = mActivities.get(token);

 		// 删除部分代码
 		//...do something
        if (finalStateRequest) {
            r.hideForNow = false;
            r.activity.mStartedActivity = false;
        }
        // 删除部分代码
 		//...do something
        try {
            r.activity.onStateNotSaved();
            r.activity.mFragments.noteStateNotSaved();
            checkAndBlockForNetworkAccess();
            if (r.pendingIntents != null) {
                deliverNewIntents(r, r.pendingIntents);
                r.pendingIntents = null;
            }
            if (r.pendingResults != null) {
                deliverResults(r, r.pendingResults, reason);
                r.pendingResults = null;
            }
            // 调用Activity的performResume
            r.activity.performResume(r.startsNotResumed, reason);

            r.state = null;
            r.persistentState = null;
            r.setState(ON_RESUME);
        } 
        return r;
    }

Activity.java

    final void performResume(boolean followedByPause, String reason) {
    	//restart方法调用
        performRestart(true /* start */, reason);

        mFragments.execPendingActions();

		//Activity 的 onResume
        // mResumed is set by the instrumentation
        mInstrumentation.callActivityOnResume(this);
        

        // Now really resume, and install the current status bar and menu.
        mCalled = false;
		//Fragmen的 onResume
        mFragments.dispatchResume();
        mFragments.execPendingActions();
        
		//Activity 的 onPostResume
        onPostResume();

    }

Instrumentation.java

    public void callActivityOnResume(Activity activity) {
        activity.mResumed = true;
        activity.onResume();
        
        if (mActivityMonitors != null) {
            synchronized (mSync) {
                final int N = mActivityMonitors.size();
                for (int i=0; i<N; i++) {
                    final ActivityMonitor am = mActivityMonitors.get(i);
                    am.match(activity, activity, activity.getIntent());
                }
            }
        }
    }

接下来回到ActivityThread类中handleResumeActivity 方法中第二条注释activity.makeVisible() 开始显示View,也就是开始绘制View

二 View 的绘制前的准备

void makeVisible() {
    if (!mWindowAdded) {
        ViewManager wm = getWindowManager();
        wm.addView(mDecor, getWindow().getAttributes());
        mWindowAdded = true;
    }
    mDecor.setVisibility(View.VISIBLE);
}

将DecorView添加到获取的WindowManager中,DecorView是在onCreate方法中的setContentView中创建的,WindowManager其实就是一个WindowManagerImpl在这个类中还会创建一个叫WindowManagerGlobal的类继续addView,最后会创建一个叫ViewRootImpl 的核心类在这个执行一个setView方法将DecorView传入。
WindowManagerImpl.java

    public void addView(@NonNull View view, @NonNull ViewGroup.LayoutParams params) {
        applyDefaultToken(params);
        mGlobal.addView(view, params, mContext.getDisplay(), mParentWindow);
    }
    public void addView(View view, ViewGroup.LayoutParams params,
            Display display, Window parentWindow) {
       //删除一些多余的代码
       //ViewRootImpl  View绘制的核心类 起始点
        ViewRootImpl root;
        View panelParentView = null;

		//删除一些多余的代码
		
            root = new ViewRootImpl(view.getContext(), display);

            view.setLayoutParams(wparams);

            mViews.add(view);
            mRoots.add(root);
            mParams.add(wparams);

            // do this last because it fires off messages to start doing things
            try {
            	//将decorview添加到ViewRootImpl中
                root.setView(view, wparams, panelParentView);
            }
        }
    }

在这个setView方法中会执行一个叫做requestLayout的方法

    public void setView(View view, WindowManager.LayoutParams attrs, View panelParentView) {
    	//删除一些多余的代码
   	   mAdded = true;
       int res; /* = WindowManagerImpl.ADD_OKAY; */

       // Schedule the first layout -before- adding to the window
       // manager, to make sure we do the relayout before receiving
       // any other events from the system.
       //安排第一个layout之后添加到windowmanager
       requestLayout();
       if ((mWindowAttributes.inputFeatures
               & WindowManager.LayoutParams.INPUT_FEATURE_NO_INPUT_CHANNEL) == 0) {
           mInputChannel = new InputChannel();
       }
       mForceDecorViewVisibility = (mWindowAttributes.privateFlags
               & PRIVATE_FLAG_FORCE_DECOR_VIEW_VISIBILITY) != 0;
    	//删除一些多余的代码
    }
    @Override
    public void requestLayout() {
        if (!mHandlingLayoutInLayoutRequest) {
            checkThread();
            mLayoutRequested = true;
            //安排计划任务
            scheduleTraversals();
        }
    }

在scheduleTraversals方法中mChoreographer.postCallback添加一个回调方法,其中第二个参数传递的是一个Runnable接口的实现,并在run方法中调用了doTraversal 并在这个方法中执行了performTraversals 核心方法,在这个方法中调用了测量 布局 绘制三个自定义view相关的核心方法。

    void scheduleTraversals() {
        if (!mTraversalScheduled) {
            mTraversalScheduled = true;
            mTraversalBarrier = mHandler.getLooper().getQueue().postSyncBarrier();
            mChoreographer.postCallback(
                    Choreographer.CALLBACK_TRAVERSAL, mTraversalRunnable, null);
            if (!mUnbufferedInputDispatch) {
                scheduleConsumeBatchedInput();
            }
            notifyRendererOfFramePending();
            pokeDrawLockIfNeeded();
        }
    }
    void doTraversal() {
        if (mTraversalScheduled) {
            mTraversalScheduled = false;
            mHandler.getLooper().getQueue().removeSyncBarrier(mTraversalBarrier);

            if (mProfile) {
                Debug.startMethodTracing("ViewAncestor");
            }

            performTraversals();

            if (mProfile) {
                Debug.stopMethodTracing();
                mProfile = false;
            }
        }
    }

performMeasure 、performLayout、performDraw三个方法被调用,由于代码行数实在太多,这里只粘贴部分

	//1676 ~ 2499行
    private void performTraversals() {
    	//删除多余代码
    	 boolean focusChangedDueToTouchMode = ensureTouchModeLocally(
          (relayoutResult&WindowManagerGlobal.RELAYOUT_RES_IN_TOUCH_MODE) != 0);
         if (focusChangedDueToTouchMode || mWidth != host.getMeasuredWidth()
                 || mHeight != host.getMeasuredHeight() || contentInsetsChanged ||
                 updatedConfiguration) {
             int childWidthMeasureSpec = getRootMeasureSpec(mWidth, lp.width);
             int childHeightMeasureSpec = getRootMeasureSpec(mHeight, lp.height);

              // Ask host how big it wants to be
             performMeasure(childWidthMeasureSpec, childHeightMeasureSpec);

             // Implementation of weights from WindowManager.LayoutParams
             // We just grow the dimensions as needed and re-measure if
             // needs be
             int width = host.getMeasuredWidth();
             int height = host.getMeasuredHeight();
             boolean measureAgain = false;

             if (lp.horizontalWeight > 0.0f) {
                 width += (int) ((mWidth - width) * lp.horizontalWeight);
                 childWidthMeasureSpec = MeasureSpec.makeMeasureSpec(width,
                         MeasureSpec.EXACTLY);
                 measureAgain = true;
             }
             if (lp.verticalWeight > 0.0f) {
                 height += (int) ((mHeight - height) * lp.verticalWeight);
                 childHeightMeasureSpec = MeasureSpec.makeMeasureSpec(height,
                         MeasureSpec.EXACTLY);
                 measureAgain = true;
             }

             if (measureAgain) {
                 if (DEBUG_LAYOUT) Log.v(mTag,
                         "And hey let's measure once more: width=" + width
                         + " height=" + height);
                 performMeasure(childWidthMeasureSpec, childHeightMeasureSpec);
             }

             layoutRequested = true;
         }
		//删除多余代码
		final boolean didLayout = layoutRequested && (!mStopped || mReportNextDraw);
        boolean triggerGlobalLayoutListener = didLayout
                || mAttachInfo.mRecomputeGlobalAttributes;
        if (didLayout) {
            performLayout(lp, mWidth, mHeight);
			
		}
		//删除多余代码
    	boolean cancelDraw = mAttachInfo.mTreeObserver.dispatchOnPreDraw() || !isViewVisible;

        if (!cancelDraw && !newSurface) {
            if (mPendingTransitions != null && mPendingTransitions.size() > 0) {
                for (int i = 0; i < mPendingTransitions.size(); ++i) {
                    mPendingTransitions.get(i).startChangingAnimations();
                }
                mPendingTransitions.clear();
            }
			
            performDraw();
        }
    }

三、onMeasure

FrameLayout.java

    @Override
    protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
        int count = getChildCount();

		//假设父View有一个不是精确模式,设置的是wrap_content 设置成 true
        final boolean measureMatchParentChildren =
                MeasureSpec.getMode(widthMeasureSpec) != MeasureSpec.EXACTLY ||
                MeasureSpec.getMode(heightMeasureSpec) != MeasureSpec.EXACTLY;
        mMatchParentChildren.clear();

        int maxHeight = 0;
        int maxWidth = 0;
        int childState = 0;

        for (int i = 0; i < count; i++) {
            final View child = getChildAt(i);
            if (mMeasureAllChildren || child.getVisibility() != GONE) {
            	//通过父View的测量模式 以及子View 去测量子View, 假如子View是一个还有字View 在调用子View的测量方式。
            	//也就是说 View的大小是通过父窗体的测量模式和大小 加自己本身的大小计算的
                measureChildWithMargins(child, widthMeasureSpec, 0, heightMeasureSpec, 0);
                final LayoutParams lp = (LayoutParams) child.getLayoutParams();
                // 找到最大的一个宽度, 因为是FrameLayout
                maxWidth = Math.max(maxWidth,
                        child.getMeasuredWidth() + lp.leftMargin + lp.rightMargin);
                maxHeight = Math.max(maxHeight,
                        child.getMeasuredHeight() + lp.topMargin + lp.bottomMargin);
                childState = combineMeasuredStates(childState, child.getMeasuredState());
                // 如果父View不是精确模式, 且子View的长宽大小有一个是match_parent,就把这个View添加到集合中
                if (measureMatchParentChildren) {
                    if (lp.width == LayoutParams.MATCH_PARENT ||
                            lp.height == LayoutParams.MATCH_PARENT) {
                        mMatchParentChildren.add(child);
                    }
                }
            }
        }

        // Account for padding too
        maxWidth += getPaddingLeftWithForeground() + getPaddingRightWithForeground();
        maxHeight += getPaddingTopWithForeground() + getPaddingBottomWithForeground();

        // Check against our minimum height and width
        maxHeight = Math.max(maxHeight, getSuggestedMinimumHeight());
        maxWidth = Math.max(maxWidth, getSuggestedMinimumWidth());

        // Check against our foreground's minimum height and width
        final Drawable drawable = getForeground();
        if (drawable != null) {
            maxHeight = Math.max(maxHeight, drawable.getMinimumHeight());
            maxWidth = Math.max(maxWidth, drawable.getMinimumWidth());
        }

        setMeasuredDimension(resolveSizeAndState(maxWidth, widthMeasureSpec, childState),
                resolveSizeAndState(maxHeight, heightMeasureSpec,
                        childState << MEASURED_HEIGHT_STATE_SHIFT));
		// 如果父view是wrap_content 并且子View有一个是match_parent  那么意味这父view不知道自己有多大,这是需要在测量一次
        count = mMatchParentChildren.size();
        if (count > 1) {
            for (int i = 0; i < count; i++) {
                final View child = mMatchParentChildren.get(i);
                final MarginLayoutParams lp = (MarginLayoutParams) child.getLayoutParams();

                final int childWidthMeasureSpec;
                if (lp.width == LayoutParams.MATCH_PARENT) {
                	//如果宽度是MATCH_PARENT 那么取父view的大小
                    final int width = Math.max(0, getMeasuredWidth()
                            - getPaddingLeftWithForeground() - getPaddingRightWithForeground()
                            - lp.leftMargin - lp.rightMargin);
                    // 以父View加上EXACTLY重新组成一个MeasureSpec
                    childWidthMeasureSpec = MeasureSpec.makeMeasureSpec(
                            width, MeasureSpec.EXACTLY);
                } else {
                    childWidthMeasureSpec = getChildMeasureSpec(widthMeasureSpec,
                            getPaddingLeftWithForeground() + getPaddingRightWithForeground() +
                            lp.leftMargin + lp.rightMargin,
                            lp.width);
                }

                final int childHeightMeasureSpec;
                if (lp.height == LayoutParams.MATCH_PARENT) {
                    final int height = Math.max(0, getMeasuredHeight()
                            - getPaddingTopWithForeground() - getPaddingBottomWithForeground()
                            - lp.topMargin - lp.bottomMargin);
                    childHeightMeasureSpec = MeasureSpec.makeMeasureSpec(
                            height, MeasureSpec.EXACTLY);
                } else {
                    childHeightMeasureSpec = getChildMeasureSpec(heightMeasureSpec,
                            getPaddingTopWithForeground() + getPaddingBottomWithForeground() +
                            lp.topMargin + lp.bottomMargin,
                            lp.height);
                }
				// 意思就是所有子view测量完毕,将父view的大小设置给这个MATCH_PARENT的View
                child.measure(childWidthMeasureSpec, childHeightMeasureSpec);
            }
        }
    }
  • 0
    点赞
  • 0
    收藏
    觉得还不错? 一键收藏
  • 0
    评论

“相关推荐”对你有帮助么?

  • 非常没帮助
  • 没帮助
  • 一般
  • 有帮助
  • 非常有帮助
提交
评论
添加红包

请填写红包祝福语或标题

红包个数最小为10个

红包金额最低5元

当前余额3.43前往充值 >
需支付:10.00
成就一亿技术人!
领取后你会自动成为博主和红包主的粉丝 规则
hope_wisdom
发出的红包
实付
使用余额支付
点击重新获取
扫码支付
钱包余额 0

抵扣说明:

1.余额是钱包充值的虚拟货币,按照1:1的比例进行支付金额的抵扣。
2.余额无法直接购买下载,可以购买VIP、付费专栏及课程。

余额充值