Android Custom View

Android Custom View

Preface

The detailed steps of customizing Android View are skills that every Android developer must master, because there will always be a need for customizing View in development. In order to improve my technical level, I have systematically studied it and wrote down some of my thoughts here. If there are any deficiencies, I hope you can point them out in time.

process

In Android, layout drawing requests are processed at the Android framework layer. Drawing starts from the root node, measuring and drawing the layout tree. PerformTraversals in RootViewImpl is deployed. What it does is measure (measure the view size), layout (determine the view position) and draw (draw the view) the required view. The following figure can well show the view drawing process:

When the user calls requestLayout, only measure and layout are triggered, but the system also triggers draw when it starts calling

The following is a detailed introduction to these processes.

measure

Measure is a final method in View and cannot be overridden. It measures and calculates the size of the view, but it will call back the onMeasure method, so when we customize the View, we can override the onMeasure method to measure the View as we need. It has two parameters widthMeasureSpec and heightMeasureSpec. In fact, these two parameters contain two parts, size and mode. Size is the measured size and mode is the view layout mode.

We can obtain them respectively through the following code:

  1. int widthSize = MeasureSpec.getSize(widthMeasureSpec);
  2. int heightSize = MeasureSpec.getSize(heightMeasureSpec);
  3. int widthMode = MeasureSpec.getMode(widthMeasureSpec);
  4. int heightMode = MeasureSpec.getMode(heightMeasureSpec);

The obtained mode types are divided into the following three types:

MODE EXPLAIN
UNSPECIFiED The parent view does not constrain the child view, and the child view can be of any size. It is usually customized for ListView , ScrollView , etc., and is generally not used.
EXACTLY The parent view sets an exact size for the child view, and the child view does not exceed this size. It is usually an exact value such as 200dp or uses match_parent
AT_MOST The parent view specifies a certain size for the child view to ensure that all the content of the child view can be displayed within this size, usually wrap_content . In this case, the parent view cannot obtain the size of the child view, and the child view can only calculate the size by itself. This is also the logical situation we want to achieve in measurement.

setMeasuredDimension

To get the width and height of the view through the above logic, the first thing to do is to call the setMeasuredDimension method to pass the measured width and height. In fact, the final method is to call the setMeasuredDimensionRaw method to assign the passed values ​​to the attributes. The calling logic of calling super.onMeasure() is the same.

Let's take a custom verification code View as an example. Its onMeasure method is as follows:

  1. @Override
  2. protected void onMeasure( int widthMeasureSpec, int heightMeasureSpec) {
  3. int widthSize = MeasureSpec.getSize(widthMeasureSpec);
  4. int heightSize = MeasureSpec.getSize(heightMeasureSpec);
  5. int widthMode = MeasureSpec.getMode(widthMeasureSpec);
  6. int heightMode = MeasureSpec.getMode(heightMeasureSpec);
  7. if (widthMode == MeasureSpec.EXACTLY) {
  8. //Get the exact width directly
  9. width = widthSize;
  10. } else if (widthMode == MeasureSpec.AT_MOST) {
  11. //Calculate the width (text width + padding size)
  12. width = bounds.width() + getPaddingLeft() + getPaddingRight();
  13. }
  14. if (heightMode == MeasureSpec.EXACTLY) {
  15. //Get the exact height directly
  16. height = heightSize;
  17. } else if (heightMode == MeasureSpec.AT_MOST) {
  18. //Calculate the height (text height + padding size)
  19. height = bounds.height() + getPaddingBottom() + getPaddingTop();
  20. }
  21. //Set the acquired width and height
  22. setMeasuredDimension(width, height);
  23. }

You can set different attributes for the layout_width and layout_height of the custom View to achieve different mode types, and you can see different effects.

measureChildren

If you are customizing a View that inherits ViewGroup, you must also measure the size of the subviews when measuring your own size. Generally, the size of the subviews is measured through the measureChildren(int widthMeasureSpec, int heightMeasureSpec) method.

  1. protected void measureChildren( int widthMeasureSpec, int heightMeasureSpec) {
  2. final int   size = mChildrenCount;
  3. final View [] children = mChildren;
  4. for ( int i = 0; i < size ; ++i) {
  5. final View child = children[i];
  6. if ((child.mViewFlags & VISIBILITY_MASK) != GONE) {
  7. measureChild(child, widthMeasureSpec, heightMeasureSpec);
  8. }
  9. }
  10. }

From the above source code, you will find that it actually traverses each subview, and if the subview is not hidden, the measureChild method is called. Then take a look at the measureChild source code:

  1. protected void measureChild( View child, int parentWidthMeasureSpec,
  2. int parentHeightMeasureSpec) {
  3. final LayoutParams lp = child.getLayoutParams();
  4. final int childWidthMeasureSpec = getChildMeasureSpec(parentWidthMeasureSpec,
  5. mPaddingLeft + mPaddingRight, lp.width);
  6. final int childHeightMeasureSpec = getChildMeasureSpec(parentHeightMeasureSpec,
  7. mPaddingTop + mPaddingBottom, lp.height);
  8. child.measure(childWidthMeasureSpec, childHeightMeasureSpec);
  9. }

You will find that it first calls the getChildMeasureSpec method to obtain the width and height respectively, and then calls the View's measure method. From the previous analysis, we already know that it calculates the size of the view. The parameters in measure are obtained through getChildMeasureSpec. Let's take a look at its source code:

  1. public   static   int getChildMeasureSpec( int spec, int padding, int childDimension) {
  2. int specMode = MeasureSpec.getMode(spec);
  3. int specSize = MeasureSpec.getSize(spec);
  4.   
  5. int   size = Math. max (0, specSize - padding);
  6.   
  7. int resultSize = 0;
  8. int resultMode = 0;
  9.   
  10. switch (specMode) {
  11. // Parent has imposed an exact size   on us
  12. case MeasureSpec.EXACTLY:
  13. if (childDimension >= 0) {
  14. resultSize = childDimension;
  15. resultMode = MeasureSpec.EXACTLY;
  16. } else if (childDimension == LayoutParams.MATCH_PARENT) {
  17. // Child wants to be our size . So be it.
  18. resultSize = size ;
  19. resultMode = MeasureSpec.EXACTLY;
  20. } else if (childDimension == LayoutParams.WRAP_CONTENT) {
  21. // Child wants to determine its own size . It can't be
  22. // bigger than us.
  23. resultSize = size ;
  24. resultMode = MeasureSpec.AT_MOST;
  25. }
  26. break;
  27.   
  28. // Parent has imposed a maximum size   on us
  29. case MeasureSpec.AT_MOST:
  30. if (childDimension >= 0) {
  31. // Child wants a specific size ... so be it
  32. resultSize = childDimension;
  33. resultMode = MeasureSpec.EXACTLY;
  34. } else if (childDimension == LayoutParams.MATCH_PARENT) {
  35. // Child wants to be our size , but our size   is   not fixed.
  36. // Constrain child to   not be bigger than us.
  37. resultSize = size ;
  38. resultMode = MeasureSpec.AT_MOST;
  39. } else if (childDimension == LayoutParams.WRAP_CONTENT) {
  40. // Child wants to determine its own size . It can't be
  41. // bigger than us.
  42. resultSize = size ;
  43. resultMode = MeasureSpec.AT_MOST;
  44. }
  45. break;
  46.   
  47. // Parent asked to see how big we want to be
  48. case MeasureSpec.UNSPECIFIED:
  49. if (childDimension >= 0) {
  50. // Child wants a specific size ... let him have it
  51. resultSize = childDimension;
  52. resultMode = MeasureSpec.EXACTLY;
  53. } else if (childDimension == LayoutParams.MATCH_PARENT) {
  54. // Child wants to be our size ... find out how big it should
  55. // be
  56. resultSize = View .sUseZeroUnspecifiedMeasureSpec ? 0 : size ;
  57. resultMode = MeasureSpec.UNSPECIFIED;
  58. } else if (childDimension == LayoutParams.WRAP_CONTENT) {
  59. // Child wants to determine its own size .... find out how
  60. // big it should be
  61. resultSize = View .sUseZeroUnspecifiedMeasureSpec ? 0 : size ;
  62. resultMode = MeasureSpec.UNSPECIFIED;
  63. }
  64. break;
  65. }
  66. //noinspection ResourceType
  67. return MeasureSpec.makeMeasureSpec(resultSize, resultMode);
  68. }

Is it easier to understand now? What it does is to get the corresponding size according to the mode type as mentioned above. The mode of the subview is determined according to the mode type of the parent view and the LayoutParams type of the subview, and then the obtained size and mode are integrated and returned through the MeasureSpec.makeMeasureSpec method. Passed to measure, these are the two values ​​contained in the widthMeasureSpec and heightMeasureSpec mentioned above. The whole process is measureChildren->measureChild->getChildMeasureSpec->measure->onMeasure->setMeasuredDimension, so the subview can be measured and calculated through measureChildren.

layout

The same is true for layout. The onLayout method will be called back internally. This method is used to determine the drawing position of the subview, but this method is an abstract method in ViewGroup, so if the custom View inherits ViewGroup, it must be implemented. But if it inherits View, it is not necessary, and there is an empty implementation in View. The setting of the subview position is through the layout method of View by passing the calculated left, top, right and bottom values, and these values ​​are generally calculated with the help of the width and height of View. The width and height of the view can be obtained through the getMeasureWidth and getMeasureHeight methods. The values ​​obtained by these two methods are the values ​​passed by setMeasuredDimension in onMeasure above, that is, the width and height measured by the subview.

getWidth, getHeight are different from getMeasureWidth, getMeasureHeight. The former can only get the value after onLayout, which are left-right and top-bottom respectively; while the latter can only get the value after onMeasure. However, the values ​​obtained by these two methods are generally the same, so pay attention to the timing of calling.

The following is an example of defining a View that places subviews at the four corners of the parent view:

  1. @Override
  2. protected void onLayout(boolean changed, int l, int t, int r, int b) {
  3. int   count = getChildCount();
  4. MarginLayoutParams params;
  5.          
  6. int cl;
  7. int ct;
  8. int cr;
  9. int cb;
  10.              
  11. for ( int i = 0; i < count ; i++) {
  12. View child = getChildAt(i);
  13. params = (MarginLayoutParams) child.getLayoutParams();
  14.                  
  15. if (i == 0) {
  16. //Upper left corner
  17. cl = params.leftMargin;
  18. ct = params.topMargin;
  19. } else if (i == 1) {
  20. //Upper right corner
  21. cl = getMeasuredWidth() - params.rightMargin - child.getMeasuredWidth();
  22. ct = params.topMargin;
  23. } else if (i == 2) {
  24. //lower left corner
  25. cl = params.leftMargin;
  26. ct = getMeasuredHeight() - params.bottomMargin - child.getMeasuredHeight()
  27. - params.topMargin;
  28. } else {
  29. //lower right corner
  30. cl = getMeasuredWidth() - params.rightMargin - child.getMeasuredWidth();
  31. ct = getMeasuredHeight() - params.bottomMargin - child.getMeasuredHeight()
  32. - params.topMargin;
  33. }
  34. cr = cl + child.getMeasuredWidth();
  35. cb = ct + child.getMeasuredHeight();
  36. //Determine where the subview is placed in the parent view
  37. child.layout(cl, ct, cr, cb);
  38. }
  39. }

As for the implementation source code of onMeasure, I will link it later. If you want to see the effect diagram, I will also post it later. The same is true for the previous verification code.

draw

Draw is initiated by dispatchDraw, which is a method in ViewGroup and has an empty implementation in View. You do not need to manage this method when customizing View. The draw method only exists in View. What ViewGroup does is just calling the drawChild method in dispatchDraw, and what is called in drawChild is the draw method of View. Let's take a look at the source code of draw:

  1. public void draw(Canvas canvas) {
  2. final int privateFlags = mPrivateFlags;
  3. final boolean dirtyOpaque = (privateFlags & PFLAG_DIRTY_MASK) == PFLAG_DIRTY_OPAQUE &&
  4. (mAttachInfo == null || !mAttachInfo.mIgnoreDirtyState);
  5. mPrivateFlags = (privateFlags & ~PFLAG_DIRTY_MASK) | PFLAG_DRAWN;
  6.           
  7. /*
  8. * Draw traversal performs several drawing steps which must be executed
  9. * in the appropriate order :
  10. *
  11. * 1. Draw the background
  12. * 2. If necessary, save the canvas' layers to   prepare   for fading
  13. * 3. Draw view 's content
  14. * 4. Draw children
  15. * 5. If necessary, draw the fading edges and restore layers
  16. * 6. Draw decorations (scrollbars for instance)
  17. */
  18.            
  19. // Step 1, draw the background, if needed
  20. int saveCount;
  21.   
  22. if (!dirtyOpaque) {
  23. drawBackground(canvas);
  24. }
  25.           
  26. // skip step 2 & 5 if possible (common case )
  27. final int viewFlags = mViewFlags;
  28. boolean horizontalEdges = (viewFlags & FADING_EDGE_HORIZONTAL) != 0;
  29. boolean verticalEdges = (viewFlags & FADING_EDGE_VERTICAL) != 0;
  30. if (!verticalEdges && !horizontalEdges) {
  31. // Step 3, draw the content
  32. if (!dirtyOpaque) onDraw(canvas);
  33.               
  34. // Step 4, draw the children
  35. dispatchDraw(canvas);
  36.               
  37. // Overlay is part of the content and draws beneath Foreground
  38. if (mOverlay != null && !mOverlay.isEmpty()) {
  39. mOverlay.getOverlayView().dispatchDraw(canvas);
  40. }
  41.                           
  42. // Step 6, draw decorations (foreground, scrollbars)
  43. onDrawForeground(canvas);
  44.                         
  45. // we're done...
  46. return ;
  47. }
  48. //Omit 2&5
  49. ....
  50. }

The source code is very clear. Draw is divided into 6 steps in total;

  • Drawing the background
  • If necessary, save the layers
  • Draw your own text
  • Drawing subviews
  • Draw fading edges if necessary
  • Drawing scrollbars

Steps 2 and 5 are not necessary. In step 3, the onDraw method is called to draw its own content, which is an empty implementation in View. This is why we must rewrite this method when customizing View. And step 4 calls dispatchDraw to draw the subview. Let's take the verification code as an example:

  1. @Override
  2. protected void onDraw(Canvas canvas) {
  3. //Draw the background
  4. mPaint.setColor(getResources().getColor(R.color.autoCodeBg));
  5. canvas.drawRect(0, 0, getMeasuredWidth(), getMeasuredHeight(), mPaint);
  6.  
  7. mPaint.getTextBounds(autoText, 0, autoText.length(), bounds);
  8. //Draw the text
  9. for ( int i = 0; i < autoText.length(); i++) {
  10. mPaint.setColor(getResources().getColor(colorRes[random.nextInt(6)]));
  11. canvas.drawText(autoText, i, i + 1, getWidth() / 2 - bounds.width() / 2 + i * bounds.width() / autoNum
  12. , bounds.height() + random.nextInt(getHeight() - bounds.height())
  13. , mPaint);
  14. }
  15.   
  16. //Draw the interference points
  17. for ( int j = 0; j < 250; j++) {
  18. canvas.drawPoint(random.nextInt(getWidth()), random.nextInt(getHeight()), pointPaint);
  19. }
  20.   
  21. //Draw the interference line
  22. for ( int k = 0; k < 20; k++) {
  23. int startX = random.nextInt(getWidth());
  24. int startY = random.nextInt(getHeight());
  25. int stopX = startX + random.nextInt(getWidth() - startX);
  26. int stopY = startY + random.nextInt(getHeight() - startY);
  27. linePaint.setColor(getResources().getColor(colorRes[random.nextInt(6)]));
  28. canvas.drawLine(startX, startY, stopX, stopY, linePaint);
  29. }
  30. }

It's actually very simple, just some business logic for drawing. Well, that's basically it. Here's an example rendering, with a link to the source code

Example

By the way, there are also custom attributes, which I will briefly explain here. Custom attributes are generally required when customizing Views, so attr and declare-styleable are defined in res/values/attr.xml, and finally obtained through TypedArray in the custom View.

<<:  The top 10 global APP developers are released, with China accounting for half of the seats and performing well

>>:  Dagger2 - Unbelievable, but I love you so much

Recommend

How to play CPA advertising project? Use ad networks to earn revenue!

CPA is a common advertising promotion method at p...

5 ways to divert traffic from TikTok to WeChat!

With the explosive popularity of TikTok, more and...

APICloud, China's first "cloud-in-one" mobile application cloud released

Let mobile embrace the cloud and make development...

How to design SEM account structure from 0 to 1?

Account structure is a difficult problem for begi...

Understanding Apple Watch in one picture

This morning, Apple's Apple Watch was finally...

Why has Douyin recently produced a hit marketing case?

How to prove that a product is popular? From bein...

10 Taobao operation tips to increase your store’s popularity!

What are the Taobao operation skills? Sometimes T...

Google reveals three major security features of Android 5.0

[[121767]] A sweet lollipop wrapped in a tough Ke...

How to effectively place Internet advertisements?

Nowadays, facing more and more information impact...

8 Ways to Avoid Ineffective B2B Content Marketing

In 2015, brands’ content output increased 35% fro...