深入理解Android之View的繪制流程

概述

本篇文章會從源碼(基于Android 6.0)角度分析Android中View的繪制流程,側(cè)重于對整體流程的分析,對一些難以理解的點加以重點闡述,目的是把View繪制的整個流程把握好,而對于特定實現(xiàn)細節(jié)則可以日后再對相應(yīng)源碼進行研讀。
在進行實際的分析之前,我們先來看下面這張圖:



我們來對上圖做出簡單解釋:DecorView是一個應(yīng)用窗口的根容器,它本質(zhì)上是一個FrameLayout。DecorView有唯一一個子View,它是一個垂直LinearLayout,包含兩個子元素,一個是TitleView(ActionBar的容器),另一個是ContentView(窗口內(nèi)容的容器)。關(guān)于ContentView,它是一個FrameLayout(android.R.id.content),我們平常用的setContentView就是設(shè)置它的子View。上圖還表達了每個Activity都與一個Window(具體來說是PhoneWindow)相關(guān)聯(lián),用戶界面則由Window所承載。

Window

Window即窗口,這個概念在Android Framework中的實現(xiàn)為android.view.Window這個抽象類,這個抽象類是對Android系統(tǒng)中的窗口的抽象。在介紹這個類之前,我們先來看看究竟什么是窗口呢?

實際上,窗口是一個宏觀的思想,它是屏幕上用于繪制各種UI元素及響應(yīng)用戶輸入事件的一個矩形區(qū)域。通常具備以下兩個特點:

  • 獨立繪制,不與其它界面相互影響;
  • 不會觸發(fā)其它界面的輸入事件;

在Android系統(tǒng)中,窗口是獨占一個Surface實例的顯示區(qū)域,每個窗口的Surface由WindowManagerService分配。我們可以把Surface看作一塊畫布,應(yīng)用可以通過Canvas或OpenGL在其上面作畫。畫好之后,通過SurfaceFlinger將多塊Surface按照特定的順序(即Z-order)進行混合,而后輸出到FrameBuffer中,這樣用戶界面就得以顯示。

android.view.Window這個抽象類可以看做Android中對窗口這一宏觀概念所做的約定,而PhoneWindow這個類是Framework為我們提供的Android窗口概念的具體實現(xiàn)。接下來我們先來介紹一下android.view.Window這個抽象類。

這個抽象類包含了三個核心組件:

  • WindowManager.LayoutParams: 窗口的布局參數(shù);
  • Callback: 窗口的回調(diào)接口,通常由Activity實現(xiàn);
  • ViewTree: 窗口所承載的控件樹。

下面我們來看一下Android中Window的具體實現(xiàn)(也是唯一實現(xiàn))——PhoneWindow。

PhoneWindow

前面我們提到了,PhoneWindow這個類是Framework為我們提供的Android窗口的具體實現(xiàn)。我們平時調(diào)用setContentView()方法設(shè)置Activity的用戶界面時,實際上就完成了對所關(guān)聯(lián)的PhoneWindow的ViewTree的設(shè)置。我們還可以通過Activity類的requestWindowFeature()方法來定制Activity關(guān)聯(lián)PhoneWindow的外觀,這個方法實際上做的是把我們所請求的窗口外觀特性存儲到了PhoneWindow的mFeatures成員中,在窗口繪制階段生成外觀模板時,會根據(jù)mFeatures的值繪制特定外觀。

從setContentView()說開去

在分析setContentView()方法前,我們需要明確:這個方法只是完成了Activity的ContentView的創(chuàng)建,而并沒有執(zhí)行View的繪制流程。
當我們自定義Activity繼承自android.app.Activity時候,調(diào)用的setContentView()方法是Activity類的,源碼如下:

public void setContentView(@LayoutRes int layoutResID) {    
  getWindow().setContentView(layoutResID);    
  . . .
}

getWindow()方法會返回Activity所關(guān)聯(lián)的PhoneWindow,也就是說,實際上調(diào)用到了PhoneWindow的setContentView()方法,源碼如下:

@Override
public void setContentView(int layoutResID) {
  if (mContentParent == null) {
    // mContentParent即為上面提到的ContentView的父容器,若為空則調(diào)用installDecor()生成
    installDecor();
  } else if (!hasFeature(FEATURE_CONTENT_TRANSITIONS)) {
    // 具有FEATURE_CONTENT_TRANSITIONS特性表示開啟了Transition
    // mContentParent不為null,則移除decorView的所有子View
    mContentParent.removeAllViews();
  }
  if (hasFeature(FEATURE_CONTENT_TRANSITIONS)) {
    // 開啟了Transition,做相應(yīng)的處理,我們不討論這種情況
    // 感興趣的同學(xué)可以參考源碼
    . . .
  } else {
    // 一般情況會來到這里,調(diào)用mLayoutInflater.inflate()方法來填充布局
    // 填充布局也就是把我們設(shè)置的ContentView加入到mContentParent中
    mLayoutInflater.inflate(layoutResID, mContentParent);
  }
  . . .
  // cb即為該Window所關(guān)聯(lián)的Activity
  final Callback cb = getCallback();
  if (cb != null && !isDestroyed()) {
    // 調(diào)用onContentChanged()回調(diào)方法通知Activity窗口內(nèi)容發(fā)生了改變
    cb.onContentChanged();
  }

  . . .
}

LayoutInflater.inflate()

在上面我們看到了,PhoneWindow的setContentView()方法中調(diào)用了LayoutInflater的inflate()方法來填充布局,這個方法的源碼如下:

public View inflate(@LayoutRes int resource, @Nullable ViewGroup root) {
  return inflate(resource, root, root != null);
}

public View inflate(@LayoutRes int resource, @Nullable ViewGroup root, boolean attachToRoot) {
  final Resources res = getContext().getResources();
  . . .
  final XmlResourceParser parser = res.getLayout(resource);
  try {
    return inflate(parser, root, attachToRoot);
  } finally {
    parser.close();
  }
}

在PhoneWindow的setContentView()方法中傳入了decorView作為LayoutInflater.inflate()的root參數(shù),我們可以看到,通過層層調(diào)用,最終調(diào)用的是inflate(XmlPullParser, ViewGroup, boolean)方法來填充布局。這個方法的源碼如下:

public View inflate(XmlPullParser parser, @Nullable ViewGroup root, boolean attachToRoot) {
  synchronized (mConstructorArgs) {
    . . .
    final Context inflaterContext = mContext;
    final AttributeSet attrs = Xml.asAttributeSet(parser);
    Context lastContext = (Context) mConstructorArgs[0];
    mConstructorArgs[0] = inflaterContext;

    View result = root;

    try {
      // Look for the root node.
      int type;
      // 一直讀取xml文件,直到遇到開始標記
      while ((type = parser.next()) != XmlPullParser.START_TAG &&
          type != XmlPullParser.END_DOCUMENT) {
        // Empty
       }
      // 最先遇到的不是開始標記,報錯
      if (type != XmlPullParser.START_TAG) {
        throw new InflateException(parser.getPositionDescription()
+ ": No start tag found!");
      }

      final String name = parser.getName();
      . . .
      // 單獨處理<merge>標簽,不熟悉的同學(xué)請參考官方文檔的說明
      if (TAG_MERGE.equals(name)) {
        // 若包含<merge>標簽,父容器(即root參數(shù))不可為空且attachRoot須為true,否則報錯
        if (root == null || !attachToRoot) {
          throw new InflateException("<merge /> can be used only with a valid "
+ "ViewGroup root and attachToRoot=true");
        }
        
        // 遞歸地填充布局
        rInflate(parser, root, inflaterContext, attrs, false);
     } else {
        // temp為xml布局文件的根View
        final View temp = createViewFromTag(root, name, inflaterContext, attrs); 
        ViewGroup.LayoutParams params = null;
        if (root != null) {
          . . .
          // 獲取父容器的布局參數(shù)(LayoutParams)
          params = root.generateLayoutParams(attrs);
          if (!attachToRoot) {
            // 若attachToRoot參數(shù)為false,則我們只會將父容器的布局參數(shù)設(shè)置給根View
            temp.setLayoutParams(params);
          }

        }

        // 遞歸加載根View的所有子View
        rInflateChildren(parser, temp, attrs, true);
        . . .

        if (root != null && attachToRoot) {
          // 若父容器不為空且attachToRoot為true,則將父容器作為根View的父View包裹上來
          root.addView(temp, params);
        }
      
        // 若root為空或是attachToRoot為false,則以根View作為返回值
        if (root == null || !attachToRoot) {
           result = temp;
        }
      }

    } catch (XmlPullParserException e) {
      . . . 
    } catch (Exception e) {
      . . . 
    } finally {

      . . .
    }
    return result;
  }
}

在上面的源碼中,首先對于布局文件中的<merge>標簽進行單獨處理,調(diào)用rInflate()方法來遞歸填充布局。這個方法的源碼如下:

void rInflate(XmlPullParser parser, View parent, Context context,
    AttributeSet attrs, boolean finishInflate) throws XmlPullParserException, IOException {
    // 獲取當前標記的深度,根標記的深度為0
    final int depth = parser.getDepth();
    int type;
    while (((type = parser.next()) != XmlPullParser.END_TAG ||
        parser.getDepth() > depth) && type != XmlPullParser.END_DOCUMENT) {
      // 不是開始標記則繼續(xù)下一次迭代
      if (type != XmlPullParser.START_TAG) {
        continue;
      }
      final String name = parser.getName();
      // 對一些特殊標記做單獨處理
      if (TAG_REQUEST_FOCUS.equals(name)) {
        parseRequestFocus(parser, parent);
      } else if (TAG_TAG.equals(name)) {
        parseViewTag(parser, parent, attrs);
      } else if (TAG_INCLUDE.equals(name)) {
        if (parser.getDepth() == 0) {
          throw new InflateException("<include /> cannot be the root element");
        }
        // 對<include>做處理
        parseInclude(parser, context, parent, attrs);
      } else if (TAG_MERGE.equals(name)) {
        throw new InflateException("<merge /> must be the root element");
      } else {
        // 對一般標記的處理
        final View view = createViewFromTag(parent, name, context, attrs);
        final ViewGroup viewGroup = (ViewGroup) parent;
        final ViewGroup.LayoutParams params=viewGroup.generateLayoutParams(attrs);
        // 遞歸地加載子View
        rInflateChildren(parser, view, attrs, true);
        viewGroup.addView(view, params);
      }
    }

    if (finishInflate) {
        parent.onFinishInflate();
    }
}

我們可以看到,上面的inflate()和rInflate()方法中都調(diào)用了rInflateChildren()方法,這個方法的源碼如下:

final void rInflateChildren(XmlPullParser parser, View parent, AttributeSet attrs, boolean finishInflate) throws XmlPullParserException, IOException {
    rInflate(parser, parent, parent.getContext(), attrs, finishInflate);
}

從源碼中我們可以知道,rInflateChildren()方法實際上調(diào)用了rInflate()方法。

到這里,setContentView()的整體執(zhí)行流程我們就分析完了,至此我們已經(jīng)完成了Activity的ContentView的創(chuàng)建與設(shè)置工作。接下來,我們開始進入正題,分析View的繪制流程。

ViewRoot

在介紹View的繪制前,首先我們需要知道是誰負責(zé)執(zhí)行View繪制的整個流程。實際上,View的繪制是由ViewRoot來負責(zé)的。每個應(yīng)用程序窗口的decorView都有一個與之關(guān)聯(lián)的ViewRoot對象,這種關(guān)聯(lián)關(guān)系是由WindowManager來維護的。

那么decorView與ViewRoot的關(guān)聯(lián)關(guān)系是在什么時候建立的呢?答案是Activity啟動時,ActivityThread.handleResumeActivity()方法中建立了它們兩者的關(guān)聯(lián)關(guān)系。這里我們不具體分析它們建立關(guān)聯(lián)的時機與方式,感興趣的同學(xué)可以參考相關(guān)源碼。下面我們直入主題,分析一下ViewRoot是如何完成View的繪制的。

View繪制的起點

當建立好了decorView與ViewRoot的關(guān)聯(lián)后,ViewRoot類的requestLayout()方法會被調(diào)用,以完成應(yīng)用程序用戶界面的初次布局。實際被調(diào)用的是ViewRootImpl類的requestLayout()方法,這個方法的源碼如下:

@Override
public void requestLayout() {
  if (!mHandlingLayoutInLayoutRequest) {
    // 檢查發(fā)起布局請求的線程是否為主線程  
    checkThread();
    mLayoutRequested = true;
    scheduleTraversals();
  }
}

上面的方法中調(diào)用了scheduleTraversals()方法來調(diào)度一次完成的繪制流程,該方法會向主線程發(fā)送一個“遍歷”消息,最終會導(dǎo)致ViewRootImpl的performTraversals()方法被調(diào)用。下面,我們以performTraversals()為起點,來分析View的整個繪制流程。

三個階段

View的整個繪制流程可以分為以下三個階段:

  • measure: 判斷是否需要重新計算View的大小,需要的話則計算;
  • layout: 判斷是否需要重新計算View的位置,需要的話則計算;
  • draw: 判斷是否需要重新繪制View,需要的話則重繪制。
    這三個子階段可以用下圖來描述:

measure階段

此階段的目的是計算出控件樹中的各個控件要顯示其內(nèi)容的話,需要多大尺寸。起點是ViewRootImpl的measureHierarchy()方法,這個方法的源碼如下:

private boolean measureHierarchy(final View host, final WindowManager.LayoutParams lp, final Resources res, 
    final int desiredWindowWidth, final int desiredWindowHeight) {
  // 傳入的desiredWindowXxx為窗口尺寸
  int childWidthMeasureSpec;
  int childHeightMeasureSpec;
  boolean windowSizeMayChange = false;
  . . .
  boolean goodMeasure = false;

  if (!goodMeasure) {
    childWidthMeasureSpec = getRootMeasureSpec(desiredWindowWidth, lp.width);
    childHeightMeasureSpec = getRootMeasureSpec(desiredWindowHeight, lp.height);
    performMeasure(childWidthMeasureSpec, childHeightMeasureSpec);

    if (mWidth != host.getMeasuredWidth() || mHeight != host.getMeasuredHeight()) {
      windowSizeMayChange = true;
    }
  }
  return windowSizeMayChange;
}

上面的代碼中調(diào)用getRootMeasureSpec()方法來獲取根MeasureSpec,這個根MeasureSpec代表了對decorView的寬高的約束信息。繼續(xù)分析之前,我們先來簡單地介紹下MeasureSpec的概念。
MeasureSpec是一個32位整數(shù),由SpecMode和SpecSize兩部分組成,其中,高2位為SpecMode,低30位為SpecSize。SpecMode為測量模式,SpecSize為相應(yīng)測量模式下的測量尺寸。View(包括普通View和ViewGroup)的SpecMode由本View的LayoutParams結(jié)合父View的MeasureSpec生成。
SpecMode的取值可為以下三種:

  • EXACTLY: 對子View提出了一個確切的建議尺寸(SpecSize);
  • AT_MOST: 子View的大小不得超過SpecSize;
  • UNSPECIFIED: 對子View的尺寸不作限制,通常用于系統(tǒng)內(nèi)部。

傳入performMeasure()方法的MeasureSpec的SpecMode為EXACTLY,SpecSize為窗口尺寸。
performMeasure()方法的源碼如下:

private void performMeasure(int childWidthMeasureSpec, int childHeightMeasureSpec) {
  . . .
  try { 
    mView.measure(childWidthMeasureSpec, childHeightMeasureSpec);
  } finally {
    . . .
  }
}

上面代碼中的mView即為decorView,也就是說會轉(zhuǎn)向?qū)iew.measure()方法的調(diào)用,這個方法的源碼如下:

/**
 * 調(diào)用這個方法來算出一個View應(yīng)該為多大。參數(shù)為父View對其寬高的約束信息。
 * 實際的測量工作在onMeasure()方法中進行
 */
public final void measure(int widthMeasureSpec, int heightMeasureSpec) {
  . . . 
  // 判斷是否需要重新布局

  // 若mPrivateFlags中包含PFLAG_FORCE_LAYOUT標記,則強制重新布局
  // 比如調(diào)用View.requestLayout()會在mPrivateFlags中加入此標記
  final boolean forceLayout = (mPrivateFlags & PFLAG_FORCE_LAYOUT) == PFLAG_FORCE_LAYOUT;
  final boolean specChanged = widthMeasureSpec != mOldWidthMeasureSpec
      || heightMeasureSpec != mOldHeightMeasureSpec;
  final boolean isSpecExactly = MeasureSpec.getMode(widthMeasureSpec) == MeasureSpec.EXACTLY
      && MeasureSpec.getMode(heightMeasureSpec) == MeasureSpec.EXACTLY;
  final boolean matchesSpecSize = getMeasuredWidth() == MeasureSpec.getSize(widthMeasureSpec)
      && getMeasuredHeight() == MeasureSpec.getSize(heightMeasureSpec);
  final boolean needsLayout = specChanged
      && (sAlwaysRemeasureExactly || !isSpecExactly || !matchesSpecSize);

  // 需要重新布局  
  if (forceLayout || needsLayout) {
    . . .
    // 先嘗試從緩從中獲取,若forceLayout為true或是緩存中不存在或是
    // 忽略緩存,則調(diào)用onMeasure()重新進行測量工作
    int cacheIndex = forceLayout ? -1 : mMeasureCache.indexOfKey(key);
    if (cacheIndex < 0 || sIgnoreMeasureCache) {
      // measure ourselves, this should set the measured dimension flag back
      onMeasure(widthMeasureSpec, heightMeasureSpec);
      . . .
    } else {
      // 緩存命中,直接從緩存中取值即可,不必再測量
      long value = mMeasureCache.valueAt(cacheIndex);
      // Casting a long to int drops the high 32 bits, no mask needed
      setMeasuredDimensionRaw((int) (value >> 32), (int) value);
      . . .
    }
    . . .
  }
  mOldWidthMeasureSpec = widthMeasureSpec;
  mOldHeightMeasureSpec = heightMeasureSpec;
  mMeasureCache.put(key, ((long) mMeasuredWidth) << 32 |
      (long) mMeasuredHeight & 0xffffffffL); // suppress sign extension
}

從measure()方法的源碼中我們可以知道,只有以下兩種情況之一,才會進行實際的測量工作:

  • forceLayout為true:這表示強制重新布局,可以通過View.requestLayout()來實現(xiàn);
  • needsLayout為true,這需要specChanged為true(表示本次傳入的MeasureSpec與上次傳入的不同),并且以下三個條件之一成立:
  • sAlwaysRemeasureExactly為true: 該變量默認為false;
  • isSpecExactly為false: 若父View對子View提出了精確的寬高約束,則該變量為true,否則為false
  • matchesSpecSize為false: 表示父View的寬高尺寸要求與上次測量的結(jié)果不同

對于decorView來說,實際執(zhí)行測量工作的是FrameLayout的onMeasure()方法,該方法的源碼如下:

@Override
protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
  int count = getChildCount();
  . . .
  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) {
      measureChildWithMargins(child, widthMeasureSpec, 0, heightMeasureSpec, 0);
      final LayoutParams lp = (LayoutParams) child.getLayoutParams();
      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());

      . . .
    }
  }

  // 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));
  . . . 
}

FrameLayout是ViewGroup的子類,后者有一個View[]類型的成員變量mChildren,代表了其子View集合。通過getChildAt(i)能獲取指定索引處的子View,通過getChildCount()可以獲得子View的總數(shù)。

在上面的源碼中,首先調(diào)用measureChildWithMargins()方法對所有子View進行了一遍測量,并計算出所有子View的最大寬度和最大高度。而后將得到的最大高度和寬度加上padding,這里的padding包括了父View的padding和前景區(qū)域的padding。然后會檢查是否設(shè)置了最小寬高,并與其比較,將兩者中較大的設(shè)為最終的最大寬高。最后,若設(shè)置了前景圖像,我們還要檢查前景圖像的最小寬高。

經(jīng)過了以上一系列步驟后,我們就得到了maxHeight和maxWidth的最終值,表示當前容器View用這個尺寸就能夠正常顯示其所有子View(同時考慮了padding和margin)。而后我們需要調(diào)用resolveSizeAndState()方法來結(jié)合傳來的MeasureSpec來獲取最終的測量寬高,并保存到mMeasuredWidth與mMeasuredHeight成員變量中。

從以上代碼的執(zhí)行流程中,我們可以看到,容器View通過measureChildWithMargins()方法對所有子View進行測量后,才能得到自身的測量結(jié)果。也就是說,對于ViewGroup及其子類來說,要先完成子View的測量,再進行自身的測量(考慮進padding等)。
接下來我們來看下ViewGroup的measureChildWithMargins()方法的實現(xiàn):

protected void measureChildWithMargins(View child,
  int parentWidthMeasureSpec, int widthUsed,
  int parentHeightMeasureSpec, int heightUsed) {
  final MarginLayoutParams lp = (MarginLayoutParams) child.getLayoutParams();
  final int childWidthMeasureSpec = getChildMeasureSpec(parentWidthMeasureSpec,
      mPaddingLeft + mPaddingRight + lp.leftMargin + lp.rightMargin + widthUsed, lp.width);
  final int childHeightMeasureSpec = getChildMeasureSpec(parentHeightMeasureSpec
      mPaddingTop + mPaddingBottom + lp.topMargin + lp.bottomMargin + heightUsed, lp.height);

  child.measure(childWidthMeasureSpec, childHeightMeasureSpec);

}

由以上代碼我們可以知道,對于ViewGroup來說,它會調(diào)用child.measure()來完成子View的測量。傳入ViewGroup的MeasureSpec是它的父View用于約束其測量的,那么ViewGroup本身也需要生成一個childMeasureSpec來限制它的子View的測量工作。這個childMeasureSpec就由getChildMeasureSpec()方法生成。接下來我們來分析這個方法:

public static int getChildMeasureSpec(int spec, int padding, int childDimension) {
  // spec為父View的MeasureSpec
  // padding為父View在相應(yīng)方向的已用尺寸加上父View的padding和子View的margin
  // childDimension為子View的LayoutParams的值
  int specMode = MeasureSpec.getMode(spec);
  int specSize = MeasureSpec.getSize(spec);

  // 現(xiàn)在size的值為父View相應(yīng)方向上的可用大小
  int size = Math.max(0, specSize - padding);

  int resultSize = 0;
  int resultMode = 0;

  switch (specMode) {
    // Parent has imposed an exact size on us
    case MeasureSpec.EXACTLY:
      if (childDimension >= 0) {
        // 表示子View的LayoutParams指定了具體大小值(xx dp)
        resultSize = childDimension;
        resultMode = MeasureSpec.EXACTLY;
      } else if (childDimension == LayoutParams.MATCH_PARENT) {
        // 子View想和父View一樣大
        resultSize = size;
        resultMode = MeasureSpec.EXACTLY;
      } else if (childDimension == LayoutParams.WRAP_CONTENT) {
        // 子View想自己決定其尺寸,但不能比父View大 
        resultSize = size;
        resultMode = MeasureSpec.AT_MOST;
      }
      break;

    // Parent has imposed a maximum size on us
    case MeasureSpec.AT_MOST:
      if (childDimension >= 0) {
        // 子View指定了具體大小
        resultSize = childDimension;
        resultMode = MeasureSpec.EXACTLY;
      } else if (childDimension == LayoutParams.MATCH_PARENT) {
        // 子View想跟父View一樣大,但是父View的大小未固定下來
        // 所以指定約束子View不能比父View大
        resultSize = size;
        resultMode = MeasureSpec.AT_MOST;
      } else if (childDimension == LayoutParams.WRAP_CONTENT) {
        // 子View想要自己決定尺寸,但不能比父View大
        resultSize = size;
        resultMode = MeasureSpec.AT_MOST;
      }
      break;

      . . .
  }

  //noinspection ResourceType
  return MeasureSpec.makeMeasureSpec(resultSize, resultMode);
}

上面的方法展現(xiàn)了根據(jù)父View的MeasureSpec和子View的LayoutParams生成子View的MeasureSpec的過程,** 子View的LayoutParams表示了子View的期待大小**。這個產(chǎn)生的MeasureSpec用于指導(dǎo)子View自身的測量結(jié)果的確定。
在上面的代碼中,我們可以看到當ParentMeasureSpec的SpecMode為EXACTLY時,表示父View對子View指定了確切的寬高限制。此時根據(jù)子View的LayoutParams的不同,分以下三種情況:

  • 具體大?。╟hildDimension):這種情況下令子View的SpecSize為childDimension,即子View在LayoutParams指定的具體大小值;令子View的SpecMode為EXACTLY,即這種情況下若該子View為容器View,它也有能力給其子View指定確切的寬高限制(子View只能在這個寬高范圍內(nèi)),若為普通View,它的最終測量大小就為childDimension。
  • match_parent:此時表示子View想和父View一樣大。這種情況下得到的子View的SpecMode與上種情況相同,只不過SpecSize為size,即父View的剩余可用大小。
  • wrap_content: 這表示了子View想自己決定自己的尺寸(根據(jù)其內(nèi)容的大小動態(tài)決定)。這種情況下子View的確切測量大小只能在其本身的onMeasure()方法中計算得出,父View此時無從知曉。所以暫時將子View的SpecSize設(shè)為size(父View的剩余大小);令子View的SpecMode為AT_MOST,表示了若子View為ViewGroup,它沒有能力給其子View指定確切的寬高限制,畢竟它本身的測量寬高還懸而未定。

當ParentMeasureSpec的SpecMode為AT_MOST時,我們也可以根據(jù)子View的LayoutParams的不同來分三種情況討論:

  • 具體大?。哼@時令子View的SpecSize為childDimension,SpecMode為EXACTLY。
  • match_parent:表示子View想和父View一樣大,故令子View的SpecSize為size,但是由于父View本身的測量寬高還無從確定,所以只是暫時令子View的測量結(jié)果為父View目前的可用大小。這時令子View的SpecMode為AT_MOST。
  • wrap_content:表示子View想自己決定大小(根據(jù)其內(nèi)容動態(tài)確定)。然而這時父View還無法確定其自身的測量寬高,所以暫時令子View的SpecSize為size,SpecMode為AT_MOST。
    從上面的分析我們可以得到一個通用的結(jié)論,當子View的測量結(jié)果能夠確定時,子View的SpecMode就為EXACTLY;當子View的測量結(jié)果還不能確定(只是暫時設(shè)為某個值)時,子View的SpecMode為AT_MOST。

在measureChildWithMargins()方法中,獲取了知道子View測量的MeasureSpec后,接下來就要調(diào)用child.measure()方法,并把獲取到的childMeasureSpec傳入。這時便又會調(diào)用onMeasure()方法,若此時的子View為ViewGroup的子類,便會調(diào)用相應(yīng)容器類的onMeasure()方法,其他容器View的onMeasure()方法與FrameLayout的onMeasure()方法執(zhí)行過程相似。

下面會我們回到FrameLayout的onMeasure()方法,當遞歸地執(zhí)行完所有子View的測量工作后,會調(diào)用resolveSizeAndState()方法來根據(jù)之前的測量結(jié)果確定最終對FrameLayout的測量結(jié)果并存儲起來。View類的resolveSizeAndState()方法的源碼如下:

public static int resolveSizeAndState(int size, int measureSpec, int childMeasuredState) {
  final int specMode = MeasureSpec.getMode(measureSpec);
  final int specSize = MeasureSpec.getSize(measureSpec);
  final int result;
  switch (specMode) {
    case MeasureSpec.AT_MOST:
      if (specSize < size) {
        // 父View給定的最大尺寸小于完全顯示內(nèi)容所需尺寸
        // 則在測量結(jié)果上加上MEASURED_STATE_TOO_SMALL
        result = specSize | MEASURED_STATE_TOO_SMALL;
      } else {
       result = size;
      }
      break;

    case MeasureSpec.EXACTLY:
      // 若specMode為EXACTLY,則不考慮size,result直接賦值為specSize
      result = specSize;
      break;

    case MeasureSpec.UNSPECIFIED:
    default:
      result = size;
  }

  return result | (childMeasuredState & MEASURED_STATE_MASK);

}

對于普通View,會調(diào)用View類的onMeasure()方法來進行實際的測量工作,該方法的源碼如下:

protected void onMeasure(int widthMeasureSpec, int heightMeasureSpec) {
    setMeasuredDimension(getDefaultSize(getSuggestedMinimumWidth(), widthMeasureSpec),
        getDefaultSize(getSuggestedMinimumHeight(), heightMeasureSpec));
}

對于普通View(非ViewgGroup)來說,只需完成自身的測量工作即可。以上代碼中通過setMeasuredDimension()方法設(shè)置測量的結(jié)果,具體來說是以getDefaultSize()方法的返回值來作為測量結(jié)果。getDefaultSize()方法的源碼如下:

public static int getDefaultSize(int size, int measureSpec) {
  int result = size;
  int specMode = MeasureSpec.getMode(measureSpec);
  int specSize = MeasureSpec.getSize(measureSpec);
  switch (specMode) {
    case MeasureSpec.UNSPECIFIED:
      result = size;
      break;
    case MeasureSpec.AT_MOST:
    case MeasureSpec.EXACTLY:
      result = specSize;
      break;
  }
  return result;
}

由以上代碼我們可以看到,View的getDefaultSize()方法對于AT_MOST和EXACTLY這兩種情況都返回了SpecSize作為result。所以若我們的自定義View直接繼承了View類,我們就要自己對wrap_content (對應(yīng)了AT_MOST)這種情況進行處理,否則對自定義View指定wrap_content就和match_parent效果一樣了。

layout階段

layout階段的基本思想也是由根View開始,遞歸地完成整個控件樹的布局(layout)工作。

View.layout()

我們把對decorView的layout()方法的調(diào)用作為布局整個控件樹的起點,實際上調(diào)用的是View類的layout()方法,源碼如下:

public void layout(int l, int t, int r, int b) {
    // l為本View左邊緣與父View左邊緣的距離
    // t為本View上邊緣與父View上邊緣的距離
    // r為本View右邊緣與父View左邊緣的距離
    // b為本View下邊緣與父View上邊緣的距離
    . . .
    boolean changed = isLayoutModeOptical(mParent) ?            setOpticalFrame(l, t, r, b) : setFrame(l, t, r, b);
    if (changed || (mPrivateFlags & PFLAG_LAYOUT_REQUIRED) == PFLAG_LAYOUT_REQUIRED) {
        onLayout(changed, l, t, r, b);
        . . .
            
    }
    . . .
}

這個方法會調(diào)用setFrame()方法來設(shè)置View的mLeft、mTop、mRight和mBottom四個參數(shù),這四個參數(shù)描述了View相對其父View的位置(分別賦值為l, t, r, b),在setFrame()方法中會判斷View的位置是否發(fā)生了改變,若發(fā)生了改變,則需要對子View進行重新布局,對子View的局部是通過onLayout()方法實現(xiàn)了。由于普通View( 非ViewGroup)不含子View,所以View類的onLayout()方法為空。因此接下來,我們看看ViewGroup類的onLayout()方法的實現(xiàn)。

ViewGroup.onLayout()

實際上ViewGroup類的onLayout()方法是abstract,這是因為不同的布局管理器有著不同的布局方式。
這里我們以decorView,也就是FrameLayout的onLayout()方法為例,分析ViewGroup的布局過程:

@Override
protected void onLayout(boolean changed, int left, int top, int right, int bottom) {
  layoutChildren(left, top, right, bottom, false /* no force left gravity */);
}

void layoutChildren(int left, int top, int right, int bottom, boolean forceLeftGravity) {
  final int count = getChildCount();
  final int parentLeft = getPaddingLeftWithForeground();
  final int parentRight = right - left - getPaddingRightWithForeground();
  final int parentTop = getPaddingTopWithForeground();
  final int parentBottom = bottom - top - getPaddingBottomWithForeground();

  for (int i = 0; i < count; i++) {
    final View child = getChildAt(i);
    if (child.getVisibility() != GONE) {
      final LayoutParams lp = (LayoutParams) child.getLayoutParams();
      final int width = child.getMeasuredWidth();
      final int height = child.getMeasuredHeight();
      int childLeft;
      int childTop;
      int gravity = lp.gravity;

      if (gravity == -1) {
        gravity = DEFAULT_CHILD_GRAVITY;
      }

      final int layoutDirection = getLayoutDirection();
      final int absoluteGravity = Gravity.getAbsoluteGravity(gravity, layoutDirection);
      final int verticalGravity = gravity & Gravity.VERTICAL_GRAVITY_MASK;

      switch (absoluteGravity & Gravity.HORIZONTAL_GRAVITY_MASK) {
        case Gravity.CENTER_HORIZONTAL:
          childLeft = parentLeft + (parentRight - parentLeft - width) / 2 +
lp.leftMargin - lp.rightMargin;
          break;

        case Gravity.RIGHT:
          if (!forceLeftGravity) {
            childLeft = parentRight - width - lp.rightMargin;
            break;
          }

        case Gravity.LEFT:
        default:
          childLeft = parentLeft + lp.leftMargin;

      }

      switch (verticalGravity) {
        case Gravity.TOP:
          childTop = parentTop + lp.topMargin;
          break;

        case Gravity.CENTER_VERTICAL:
          childTop = parentTop + (parentBottom - parentTop - height) / 2 +
lp.topMargin - lp.bottomMargin;
          break;

        case Gravity.BOTTOM:
          childTop = parentBottom - height - lp.bottomMargin;
          break;

        default:
          childTop = parentTop + lp.topMargin;
      }
      child.layout(childLeft, childTop, childLeft + width, childTop + height);
    }
  }
}

在上面的方法中,parentLeft表示當前View為其子View顯示區(qū)域指定的一個左邊界,也就是子View顯示區(qū)域的左邊緣到父View的左邊緣的距離,parentRight、parentTop、parentBottom的含義同理。確定了子View的顯示區(qū)域后,接下來,用一個for循環(huán)來完成子View的布局。
在確保子View的可見性不為GONE的情況下才會對其進行布局。首先會獲取子View的LayoutParams、layoutDirection等一系列參數(shù)。上面代碼中的childLeft代表了最終子View的左邊緣距父View左邊緣的距離,childTop代表了子View的上邊緣距父View的上邊緣的距離。會根據(jù)子View的layout_gravity的取值對childLeft和childTop做出不同的調(diào)整。最后會調(diào)用child.layout()方法對子View的位置參數(shù)進行設(shè)置,這時便轉(zhuǎn)到了View.layout()方法的調(diào)用,若子View是容器View,則會遞歸地對其子View進行布局。

到這里,layout階段的大致流程我們就分析完了,這個階段主要就是根據(jù)上一階段得到的View的測量寬高來確定View的最終顯示位置。顯然,經(jīng)過了measure階段和layout階段,我們已經(jīng)確定好了View的大小和位置,那么接下來就可以開始繪制View了。

draw階段

對于本階段的分析,我們以decorView.draw()作為分析的起點,也就是View.draw()方法,它的源碼如下:

public void draw(Canvas canvas) {
  . . . 
  // 繪制背景,只有dirtyOpaque為false時才進行繪制,下同
  int saveCount;
  if (!dirtyOpaque) {
    drawBackground(canvas);
  }

  . . . 

  // 繪制自身內(nèi)容
  if (!dirtyOpaque) onDraw(canvas);

  // 繪制子View
  dispatchDraw(canvas);

   . . .
  // 繪制滾動條等
  onDrawForeground(canvas);

}

簡單起見,在上面的代碼中我們省略了實現(xiàn)滑動時漸變邊框效果相關(guān)的邏輯。實際上,View類的onDraw()方法為空,因為每個View繪制自身的方式都不盡相同,對于decorView來說,由于它是容器View,所以它本身并沒有什么要繪制的。dispatchDraw()方法用于繪制子View,顯然普通View(非ViewGroup)并不能包含子View,所以View類中這個方法的實現(xiàn)為空。

ViewGroup類的dispatchDraw()方法中會依次調(diào)用drawChild()方法來繪制子View,drawChild()方法的源碼如下:

protected boolean drawChild(Canvas canvas, View child, long drawingTime) {
  return child.draw(canvas, this, drawingTime);
}

這個方法調(diào)用了View.draw(Canvas, ViewGroup,long)方法來對子View進行繪制。在draw(Canvas, ViewGroup, long)方法中,首先對canvas進行了一系列變換,以變換到將要被繪制的View的坐標系下。完成對canvas的變換后,便會調(diào)用View.draw(Canvas)方法進行實際的繪制工作,此時傳入的canvas為經(jīng)過變換的,在將被繪制View的坐標系下的canvas。

進入到View.draw(Canvas)方法后,會向之前介紹的一樣,執(zhí)行以下幾步:

  • 繪制背景;
  • 通過onDraw()繪制自身內(nèi)容;
  • 通過dispatchDraw()繪制子View;
  • 繪制滾動條

至此,整個View的繪制流程我們就分析完了。若文中有敘述不清晰或是不準確的地方,希望大家能夠指出,謝謝大家:)

參考資料

《深入理解Android(卷三)》
《Android開發(fā)藝術(shù)探索》
公共技術(shù)點之View的繪制流程


長按或掃描二維碼關(guān)注我們,讓您利用每天等地鐵的時間就能學(xué)會怎樣寫出優(yōu)質(zhì)app。

最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個濱河市,隨后出現(xiàn)的幾起案子,更是在濱河造成了極大的恐慌,老刑警劉巖,帶你破解...
    沈念sama閱讀 227,533評論 6 531
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件,死亡現(xiàn)場離奇詭異,居然都是意外死亡,警方通過查閱死者的電腦和手機,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 98,055評論 3 414
  • 文/潘曉璐 我一進店門,熙熙樓的掌柜王于貴愁眉苦臉地迎上來,“玉大人,你說我怎么就攤上這事?!?“怎么了?”我有些...
    開封第一講書人閱讀 175,365評論 0 373
  • 文/不壞的土叔 我叫張陵,是天一觀的道長。 經(jīng)常有香客問我,道長,這世上最難降的妖魔是什么? 我笑而不...
    開封第一講書人閱讀 62,561評論 1 307
  • 正文 為了忘掉前任,我火速辦了婚禮,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘。我一直安慰自己,他們只是感情好,可當我...
    茶點故事閱讀 71,346評論 6 404
  • 文/花漫 我一把揭開白布。 她就那樣靜靜地躺著,像睡著了一般。 火紅的嫁衣襯著肌膚如雪。 梳的紋絲不亂的頭發(fā)上,一...
    開封第一講書人閱讀 54,889評論 1 321
  • 那天,我揣著相機與錄音,去河邊找鬼。 笑死,一個胖子當著我的面吹牛,可吹牛的內(nèi)容都是我干的。 我是一名探鬼主播,決...
    沈念sama閱讀 42,978評論 3 439
  • 文/蒼蘭香墨 我猛地睜開眼,長吁一口氣:“原來是場噩夢啊……” “哼!你這毒婦竟也來了?” 一聲冷哼從身側(cè)響起,我...
    開封第一講書人閱讀 42,118評論 0 286
  • 序言:老撾萬榮一對情侶失蹤,失蹤者是張志新(化名)和其女友劉穎,沒想到半個月后,有當?shù)厝嗽跇淞掷锇l(fā)現(xiàn)了一具尸體,經(jīng)...
    沈念sama閱讀 48,637評論 1 333
  • 正文 獨居荒郊野嶺守林人離奇死亡,尸身上長有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點故事閱讀 40,558評論 3 354
  • 正文 我和宋清朗相戀三年,在試婚紗的時候發(fā)現(xiàn)自己被綠了。 大學(xué)時的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片。...
    茶點故事閱讀 42,739評論 1 369
  • 序言:一個原本活蹦亂跳的男人離奇死亡,死狀恐怖,靈堂內(nèi)的尸體忽然破棺而出,到底是詐尸還是另有隱情,我是刑警寧澤,帶...
    沈念sama閱讀 38,246評論 5 355
  • 正文 年R本政府宣布,位于F島的核電站,受9級特大地震影響,放射性物質(zhì)發(fā)生泄漏。R本人自食惡果不足惜,卻給世界環(huán)境...
    茶點故事閱讀 43,980評論 3 346
  • 文/蒙蒙 一、第九天 我趴在偏房一處隱蔽的房頂上張望。 院中可真熱鬧,春花似錦、人聲如沸。這莊子的主人今日做“春日...
    開封第一講書人閱讀 34,362評論 0 25
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽。三九已至,卻和暖如春,著一層夾襖步出監(jiān)牢的瞬間,已是汗流浹背。 一陣腳步聲響...
    開封第一講書人閱讀 35,619評論 1 280
  • 我被黑心中介騙來泰國打工, 沒想到剛下飛機就差點兒被人妖公主榨干…… 1. 我叫王不留,地道東北人。 一個月前我還...
    沈念sama閱讀 51,347評論 3 390
  • 正文 我出身青樓,卻偏偏與公主長得像,于是被迫代替她去往敵國和親。 傳聞我的和親對象是個殘疾皇子,可洞房花燭夜當晚...
    茶點故事閱讀 47,702評論 2 370

推薦閱讀更多精彩內(nèi)容