Summary of circular progress bar in Android custom View

Summary of circular progress bar in Android custom View

Recently, I have developed an open source project for a circular progress bar. This is the first time I have used a custom View completely. Here is a summary of the project development ideas. Welcome to Star and Fork.

This project implements a total of three circular progress bar effects

  1. CircleProgress: A circular progress bar that can simulate the effect of QQ Health Pedometer. It supports configuration of progress bar background color, width, starting angle, and supports progress bar gradient
  2. DialProgress: Similar to CircleProgress, but supports scale
  3. WaveProgress: Implements a circular progress bar with a water ripple effect. It does not support gradient and starting angle configuration. If you need this function, you can refer to CircleProgress to implement it yourself.

Let me post the renderings first. It will be easier to explain with pictures.

CircleProgress effect diagram

DialProgress and WaveProgress effects

Well, next, let’s talk about how to achieve the effect of the above custom progress bar.

Circular progress bar

The circular progress bar is the first progress bar effect implemented. It took me most of the day and it is not complicated to implement.

The idea can be divided into the following steps:

  1. View Measurement
  2. Calculate the parameters required to draw the View
  3. Arc drawing and gradient realization
  4. Drawing text
  5. Implementation of animation effects

First, we need to measure the size of the drawn View, that is, rewrite the onMeasure() method. The code is as follows:

  1. @Override
  2.  
  3. protected void onMeasure( int widthMeasureSpec, int heightMeasureSpec) {
  4.  
  5. super.onMeasure(widthMeasureSpec, heightMeasureSpec);
  6.  
  7. setMeasuredDimension(MiscUtil.measure(widthMeasureSpec, mDefaultSize),
  8.  
  9. MiscUtil.measure(heightMeasureSpec, mDefaultSize));
  10.  
  11. }

Since the other two progress bar classes need to implement View measurement, the code is encapsulated here:

  1. /**
  2.  
  3. * Measuring View  
  4.  
  5. *
  6.  
  7. * @param measureSpec
  8.  
  9. * @param defaultSize View 's default size
  10.  
  11. * @return The measured View size
  12.  
  13. */
  14.  
  15. public   static   int measure( int measureSpec, int defaultSize) {
  16.  
  17. int result = defaultSize;
  18.  
  19. int specMode = View .MeasureSpec.getMode(measureSpec);
  20.  
  21. int specSize = View .MeasureSpec.getSize(measureSpec);
  22.  
  23.   
  24.  
  25. if (specMode == View .MeasureSpec.EXACTLY) {
  26.  
  27. result = specSize;
  28.  
  29. } else if (specMode == View .MeasureSpec.AT_MOST) {
  30.  
  31. result = Math. min (result, specSize);
  32.  
  33. }
  34.  
  35. return result;
  36.  
  37. }

For more information about View measurement, please refer to this blog: Usage of onMeasure in Android Custom View

Next, in onSizeChanged(), we calculate the parameters needed to draw the circle and text. Considering the screen rotation, we do not calculate directly in the onMeasure() method. Here is a sketch to explain the precautions in the drawing calculation process. Please forgive me if the picture is ugly.

In the figure, the outer blue rectangle is the View, the inner black rectangle is the circumscribed rectangle of the circle, and the blank space between the blue and black rectangles is the padding of the View. The two blue circles are actually one circle, representing the thickness of the circle. This is because when Android draws a circle or arc, the center of the circle's side width intersects with the circumscribed rectangle, so the padding and the intersection of the circle and the circumscribed rectangle must be considered during calculation.

By default, the width of the arc is not considered, and the resulting drawing effect is as follows:

  1. @Override
  2.  
  3. protected void onSizeChanged( int w, int h, int oldw, int oldh) {
  4.  
  5. super.onSizeChanged(w, h, oldw, oldh);
  6.  
  7. Log.d(TAG, "onSizeChanged: w = " + w + "; h = " + h + "; oldw = " + oldw + "; oldh = " + oldh);
  8.  
  9. //Find the maximum width of the arc and the background arc
  10.  
  11. float maxArcWidth = Math. max (mArcWidth, mBgArcWidth);
  12.  
  13. //Find the minimum value as the actual value
  14.  
  15. int minSize = Math. min (w - getPaddingLeft() - getPaddingRight() - 2 * ( int ) maxArcWidth,
  16.  
  17. h - getPaddingTop() - getPaddingBottom() - 2 * ( int ) maxArcWidth);
  18.  
  19. // Subtract the width of the arc, otherwise part of the arc will be drawn on the periphery
  20.  
  21. mRadius = minSize / 2;
  22.  
  23. //Get the relevant parameters of the circle
  24.  
  25. mCenterPoint.x = w / 2;
  26.  
  27. mCenterPoint.y = h / 2;
  28.  
  29. //Draw the arc boundary
  30.  
  31. mRectF. left = mCenterPoint.x - mRadius - maxArcWidth / 2;
  32.  
  33. mRectF.top = mCenterPoint.y - mRadius - maxArcWidth / 2;
  34.  
  35. mRectF. right = mCenterPoint.x + mRadius + maxArcWidth / 2;
  36.  
  37. mRectF.bottom = mCenterPoint.y + mRadius + maxArcWidth / 2;
  38.  
  39. //Calculate the baseline when drawing text
  40.  
  41. //Since the text's baseline, descent, ascent and other properties are only related to textSize and typeface, they can be calculated directly at this time
  42.  
  43. //If value, hint, and unit are drawn with the same brush or the text size needs to be set dynamically, they need to be calculated again after each update
  44.  
  45. mValueOffset = mCenterPoint.y - (mValuePaint.descent() + mValuePaint.ascent()) / 2;
  46.  
  47. mHintOffset = mCenterPoint.y * 2 / 3 - (mHintPaint.descent() + mHintPaint.ascent()) / 2;
  48.  
  49. mUnitOffset = mCenterPoint.y * 4 / 3 - (mUnitPaint.descent() + mUnitPaint.ascent()) / 2;
  50.  
  51. updateArcPaint();
  52.  
  53. Log.d(TAG, "onSizeChanged: control size = " + "(" + w + ", " + h + ")"  
  54.  
  55. + "Circle center coordinates = " + mCenterPoint.toString()
  56.  
  57. + ";Circle radius = " + mRadius
  58.  
  59. + ";Circle's circumscribed rectangle = " + mRectF.toString());

For more information about Chinese text drawing in Android, please refer to the following two articles:

1. Android custom View learning (Part 3) - Paint drawing text attributes

2. measureText() vs. getTextBounds()

Above, we have basically completed the calculation of all the parameters required for View drawing. The next step is to draw the arc and text.

Drawing an arc requires the use of Canvas

  1. // oval is of RectF type, i.e. the arc display area
  2.  
  3. // startAngle and sweepAngle are both float types, representing the arc start angle and arc degree respectively. 0 degrees at 3 o'clock, increasing clockwise
  4.  
  5. // If startAngle < 0 or > 360, it is equivalent to startAngle % 360
  6.  
  7. // useCenter: If true , the center of the circle will be included when drawing the arc, usually used to draw sectors
  8.  
  9. // Brush for drawing arcs
  10.  
  11. drawArc(RectF oval, float startAngle, float sweepAngle, boolean useCenter, Paint paint);

In order to facilitate calculation, the Canvas rotate() method is used when drawing the arc to rotate the coordinate system.

  1. private void drawArc(Canvas canvas) {
  2.  
  3. // Draw the background arc
  4.  
  5. // Redraw from the end of the progress arc to optimize performance
  6.  
  7. canvas.save();
  8.  
  9. float currentAngle = mSweepAngle * mPercent;
  10.  
  11. canvas.rotate(mStartAngle, mCenterPoint.x, mCenterPoint.y);
  12.  
  13. // +2 is because there is a problem of the arc starting point having a tail when drawing
  14.  
  15. canvas.drawArc(mRectF, currentAngle, mSweepAngle - currentAngle + 2, false , mBgArcPaint);
  16.  
  17. canvas.drawArc(mRectF, 2, currentAngle, false , mArcPaint);
  18.  
  19. canvas.restore();
  20.  
  21. }

Well, the ring has been drawn, so the next step is to implement the gradient of the ring. Here we use the SweepGradient class. SweepGradient can achieve the effect of radial gradient from the center, as shown below:

The SweepGradient class has two constructors.

  1. /**
  2.  
  3. * @param cx rendering center point x coordinate
  4.  
  5. * @param cy rendering center point y coordinate
  6.  
  7. * @param colors The color array rendered around the center, at least two color values
  8.  
  9. * @param positions The color array of relative positions, can be null . If it is null , the colors are evenly distributed along the gradient line. Generally, this parameter does not need to be set
  10.  
  11. /
  12.  
  13. public SweepGradient( float cx, float cy, int [] colors, float [] positions)
  14.  
  15.   
  16.  
  17. /**
  18.  
  19. * @param cx rendering center point x coordinate
  20.  
  21. * @param cy rendering center point y coordinate
  22.  
  23. * @param color0 starting rendering color
  24.  
  25. * @param color1 End rendering color
  26.  
  27. /
  28.  
  29. public SweepGradient( float cx, float cy, int color0, int color1)

Here we choose the first construction method. Since setting the gradient requires creating a new SweepGradient object each time, it is best not to update it in the onDraw method, but to set it during initialization to avoid frequent creation and memory jitter.

  1. private void updateArcPaint() {
  2.  
  3. // Set the gradient
  4.  
  5. int [] mGradientColors = {Color.GREEN, Color.YELLOW, Color.RED};
  6.  
  7. mSweepGradient = new SweepGradient(mCenterPoint.x, mCenterPoint.y, mGradientColors, null );
  8.  
  9. mArcPaint.setShader(mSweepGradient);
  10.  
  11. }

There is another thing worth noting here. The sketch is as follows

Assume that the gradient colors are as follows:

  1. int [] mGradientColors = {Color.GREEN, Color.YELLOW, Color.RED, Color.BLUE};

Because the SweepGradient gradient is 360 degrees, if you draw an arc of only 270 degrees, the blue part (the black shaded part in the figure) of the gradient will not be visible.

Next, it is time to draw the text. Text drawing has been explained in detail in the above-mentioned article, so I will not repeat it here. The code is as follows:

  1. private void drawText(Canvas canvas) {
  2.  
  3. canvas.drawText(String.format(mPrecisionFormat, mValue), mCenterPoint.x, mValueOffset, mValuePaint);
  4.  
  5.   
  6.  
  7. if (mHint != null ) {
  8.  
  9. canvas.drawText(mHint.toString(), mCenterPoint.x, mHintOffset, mHintPaint);
  10.  
  11. }
  12.  
  13.   
  14.  
  15. if (mUnit != null ) {
  16.  
  17. canvas.drawText(mUnit.toString(), mCenterPoint.x, mUnitOffset, mUnitPaint);
  18.  
  19. }
  20.  
  21. }

***, let's implement the animation effect of the progress bar. Here we use Android's attribute animation to implement progress updates.

  1. private void startAnimator( float start, float   end , long animTime) {
  2.  
  3. mAnimator = ValueAnimator.ofFloat(start, end );
  4.  
  5. mAnimator.setDuration(animTime);
  6.  
  7. mAnimator.addUpdateListener(new ValueAnimator.AnimatorUpdateListener() {
  8.  
  9. @Override
  10.  
  11. public void onAnimationUpdate(ValueAnimator animation) {
  12.  
  13. mPercent = ( float ) animation.getAnimatedValue();
  14.  
  15. mValue = mPercent * mMaxValue;
  16.  
  17. if (BuildConfig.DEBUG) {
  18.  
  19. Log.d(TAG, "onAnimationUpdate: percent = " + mPercent
  20.  
  21. + ";currentAngle = " + (mSweepAngle * mPercent)
  22.  
  23. + ";value = " + mValue);
  24.  
  25. }
  26.  
  27. invalidate();
  28.  
  29. }
  30.  
  31. });
  32.  
  33. mAnimator.start();
  34.  
  35. }

There are two points to note here:

1. Do not output Log in ValueAnimator.AnimatorUpdateListener, especially when animation is called frequently, because frequent output of Log will generate a large number of String objects and cause memory jitter. Of course, you can also use StringBuilder to optimize.

2. The most essential thing about invalidate() and postInvalidate() is that the former can only be used in UI threads, while the latter can be used in non-UI threads. In fact, postInvalidate() is also implemented using Handler.

For Android attribute animation, please refer to:

1. A complete analysis of Android Property Animation (Part 1)

2. Android Property Animation (Property Animation) Complete Analysis (Part 2)

Supplement: How to support color and color array in the same attribute

Considering the difference between setting a single color and a gradient for an arc, that is, a single color only needs to provide one color value, while a gradient needs to provide at least two color values, there are several solutions:

  1. Define two properties, the gradient has a higher priority than the solid color.
  2. Define a format as a string attribute, providing a color value in the form of #FFFFFF|#000000
  3. Define a property with the format color|reference, where the reference property refers to an array of gradient colors.

The third solution is selected here and implemented as follows:

  1. &lt;! -- Circular progress bar --&gt;  
  2.  
  3. &lt; declare -styleable name = "CircleProgressBar" &gt;
  4.  
  5. &lt;! -- arc color, --&gt;  
  6.  
  7. &lt;attr name = "arcColors" format= "color|reference" /&gt;
  8.  
  9. &lt;/ declare -styleable&gt;
  10.  
  11.   
  12.  
  13. &lt;! --colors.xml--&gt;  
  14.  
  15. &lt;color name = "green" &gt;#00FF00&lt;/color&gt;
  16.  
  17. &lt;color name = "blue" &gt;#EE9A00&lt;/color&gt;
  18.  
  19. &lt;color name = "red" &gt;#EE0000&lt;/color&gt;
  20.  
  21. &lt;! -- gradient color array --&gt;  
  22.  
  23. &lt; integer -array name = "gradient_arc_color" &gt;
  24.  
  25. &lt;item&gt;@color/green&lt;/item&gt;
  26.  
  27. &lt;item&gt;@color/blue&lt;/item&gt;
  28.  
  29. &lt;item&gt;@color/red&lt;/item&gt;
  30.  
  31. &lt;/ integer -array&gt;
  32.  
  33.   
  34.  
  35. &lt;! -- Used in layout files --&gt;  
  36.  
  37. &lt;! -- Use Gradient --&gt;  
  38.  
  39. &lt;com.littlejie.circleprogress.DialProgress
  40.  
  41. android:id= "@+id/dial_progress_bar"  
  42.  
  43. android:layout_width= "300dp"  
  44.  
  45. android:layout_height= "300dp"  
  46.  
  47. app:arcColors= "@array/gradient_arc_color" /&gt;
  48.  
  49. &lt;! -- Use monochrome --&gt;  
  50.  
  51. &lt;com.littlejie.circleprogress.DialProgress
  52.  
  53. android:id= "@+id/dial_progress_bar"  
  54.  
  55. android:layout_width= "300dp"  
  56.  
  57. android:layout_height= "300dp"  
  58.  
  59. app:arcColors= "@color/green" /&gt;

Read the configuration in xml in the code:

  1. int gradientArcColors = typedArray.getResourceId(R.styleable.CircleProgressBar_arcColors, 0);
  2.  
  3. if (gradientArcColors != 0) {
  4.  
  5. try {
  6.  
  7. int [] gradientColors = getResources().getIntArray(gradientArcColors);
  8.  
  9. if (gradientColors.length == 0) { // If the gradient color array is 0, try to read the color value in monochrome
  10.  
  11. int color = getResources().getColor(gradientArcColors);
  12.  
  13. mGradientColors = new int [2];
  14.  
  15. mGradientColors[0] = color;
  16.  
  17. mGradientColors[1] = color;
  18.  
  19. } else if (gradientColors.length == 1) { // If the gradient array has only one color, it is set to two identical colors by default
  20.  
  21. mGradientColors = new int [2];
  22.  
  23. mGradientColors[0] = gradientColors[0];
  24.  
  25. mGradientColors[1] = gradientColors[0];
  26.  
  27. } else {
  28.  
  29. mGradientColors = gradientColors;
  30.  
  31. }
  32.  
  33. } catch (Resources.NotFoundException e) {
  34.  
  35. throw new Resources.NotFoundException( "the give resource not found." );
  36.  
  37. }
  38.  
  39. }

Progress bar with scale

Earlier, I explained in detail how to draw CircleProgress. Now let’s talk about DialProgress.

To be honest, the implementation of DialProgress and CircleProgress is very similar, because there is only one tick mark between the two, but considering the expansion and the single responsibility of the class, the two are separated.

Here we mainly talk about the drawing of scales. The scale drawing mainly uses the save(), rotate() and restore() methods of the Canvas class. Of course, you can also use the translate() method to translate the coordinate system for easy calculation.

  1. /**
  2.  
  3. * Used to save the state of Canvas. After saving, you can call operations such as translation, scaling, rotation, shearing, and cropping of Canvas.
  4.  
  5. */
  6.  
  7. public void save()
  8.  
  9.   
  10.  
  11. /**
  12.  
  13. * Rotate the image to a certain angle
  14.  
  15. * @param degrees rotation angle
  16.  
  17. * @param x The x-axis coordinate of the rotation center point
  18.  
  19. * @param y y-axis coordinate of the rotation center point
  20.  
  21. */
  22.  
  23. public void rotate( float degrees, float x, float y)
  24.  
  25.   
  26.  
  27. /**
  28.  
  29. * Translate (x,y) pixel units on the current coordinates
  30.  
  31. * If dx <0, translate upward along the x-axis; dx >0 translate downward along the x-axis
  32.  
  33. * If dy <0, translate upward along the y axis; dy >0 translate downward along the y axis
  34.  
  35. */
  36.  
  37. public void translate( float dx, float dy)
  38.  
  39.   
  40.  
  41. /**
  42.  
  43. * Used to restore the previously saved state of the Canvas. Prevent operations performed on the Canvas after save from affecting subsequent drawing.
  44.  
  45. */
  46.  
  47. public void restore()
  48.  
  49.  
  50. private void drawDial(Canvas canvas) {
  51.  
  52. int total = ( int ) (mSweepAngle / mDialIntervalDegree);
  53.  
  54. canvas.save();
  55.  
  56. canvas.rotate(mStartAngle, mCenterPoint.x, mCenterPoint.y);
  57.  
  58. for ( int i = 0; i <= total; i++) {
  59.  
  60. canvas.drawLine(mCenterPoint.x + mRadius, mCenterPoint.y, mCenterPoint.x + mRadius + mArcWidth, mCenterPoint.y, mDialPaint);
  61.  
  62. canvas.rotate(mDialIntervalDegree, mCenterPoint.x, mCenterPoint.y);
  63.  
  64. }
  65.  
  66. canvas.restore();
  67.  
  68. }

For Canvas operations, please refer to this article: Android Custom View Advanced - Canvas Operations

Progress bar with water ripple effect

The implementation of the progress bar with water ripple effect requires the use of Bezier curves. The main difficulty lies in the calculation of the drawing area and the implementation of the wave effect. The rest of the logic is similar to the above two progress bars.

The Path class is used here, which is very important in Android 2D drawing. Path can not only draw simple graphics, but also draw these more complex graphics. You can also perform Boolean operations on multiple paths, similar to setting Paint's setXfermode(). For specific usage, please refer to this blog: Android Custom View Advanced-Path Basic Operations. I will not go into details here. I will summarize the knowledge of Android custom views when I have the chance, but I feel that it will take forever.

Continue to upload the schematic diagram, please call me a soul painter~

The black circle in the figure is the progress bar circle we want to draw, and the black curve is the wave in the initial state. The wave is drawn using a Bezier curve, where the odd-numbered points are the starting points of the Bezier curve and the even-numbered points are the control points of the Bezier curve. For example: 1-->2-->3 is a Bezier curve, 1 is the starting point, 2 is the control point, and 3 is the end point. From the figure, you can see that there is one wave inside the circle and one outside the circle (1-->5 and 5->9). The dynamic effect of the wave is achieved by translating the wave on the x-axis, that is, the blue solid line in the figure, so the complete animation effect of a wave requires two waves to achieve. Similarly, by controlling the offset of the y-axis, that is, the blue dotted line in the figure, the wave can rise and fall with the progress.

The calculation of the starting point and control point on the Bezier curve is as follows:

  1. /**
  2.  
  3. * Calculate the starting point and control point on the Bezier curve
  4.  
  5. * @param waveWidth The width of a complete wave
  6.  
  7. */
  8.  
  9. private Point[] getPoint( float waveWidth) {
  10.  
  11. Point[] points = new Point[mAllPointCount];
  12.  
  13. //Special treatment for the first point, i.e. the center of the array
  14.  
  15. points[mHalfPointCount] = new Point(( int ) (mCenterPoint.x - mRadius), mCenterPoint.y);
  16.  
  17. //Bezier curve points within the screen
  18.  
  19. for ( int i = mHalfPointCount + 1; i < mAllPointCount; i += 4) {
  20.  
  21. float width = points[mHalfPointCount].x + waveWidth * (i / 4 - mWaveNum);
  22.  
  23. points[i] = new Point(( int ) (waveWidth / 4 + width), ( int ) (mCenterPoint.y - mWaveHeight));
  24.  
  25. points[i + 1] = new Point(( int ) (waveWidth / 2 + width), mCenterPoint.y);
  26.  
  27. points[i + 2] = new Point(( int ) (waveWidth * 3 / 4 + width), ( int ) (mCenterPoint.y + mWaveHeight));
  28.  
  29. points[i + 3] = new Point(( int ) (waveWidth + width), mCenterPoint.y);
  30.  
  31. }
  32.  
  33. //Bezier curve points outside the screen
  34.  
  35. for ( int i = 0; i < mHalfPointCount; i++) {
  36.  
  37. int reverse = mAllPointCount - i - 1;
  38.  
  39. points[i] = new Point(points[mHalfPointCount].x - points[reverse].x,
  40.  
  41. points[mHalfPointCount].y * 2 - points[reverse].y);
  42.  
  43. }
  44.  
  45. return points;
  46.  
  47. }

Above, we have obtained the path points required to draw the Bezier curve. Next, we need to calculate the drawing area, that is, use the Path class.

The purple area is the entire area where the Bezier curve needs to be drawn.

The red area is the intersection of the purple area and the circle in the above figure, which is the area where the wave is to be displayed.

The code is as follows:

  1. //This method must be used in Android 19 and above (Path.op())
  2.  
  3. @TargetApi(Build.VERSION_CODES.KITKAT)
  4.  
  5. private void drawWave(Canvas canvas, Paint paint, Point[] points, float waveOffset) {
  6.  
  7. mWaveLimitPath.reset();
  8.  
  9. mWavePath.reset();
  10.  
  11. //lockWave is used to determine whether the wave rises and falls with the progress bar
  12.  
  13. float height = lockWave ? 0 : mRadius - 2 * mRadius * mPercent;
  14.  
  15. //moveTo and lineTo draw the water wave area rectangle
  16.  
  17. mWavePath.moveTo(points[0].x + waveOffset, points[0].y + height);
  18.  
  19.   
  20.  
  21. for ( int i = 1; i < mAllPointCount; i += 2) {
  22.  
  23. mWavePath.quadTo(points[i].x + waveOffset, points[i].y + height,
  24.  
  25. points[i + 1].x + waveOffset, points[i + 1].y + height);
  26.  
  27. }
  28.  
  29. mWavePath.lineTo(points[mAllPointCount - 1].x, points[mAllPointCount - 1].y + height);
  30.  
  31. //No matter how it moves, the bottom of the intersection of the wave and the circular path is always fixed, otherwise the bottom will be empty when moving up
  32.  
  33. mWavePath.lineTo(points[mAllPointCount - 1].x, mCenterPoint.y + mRadius);
  34.  
  35. mWavePath.lineTo(points[0].x, mCenterPoint.y + mRadius);
  36.  
  37. mWavePath.close () ;
  38.  
  39. mWaveLimitPath.addCircle(mCenterPoint.x, mCenterPoint.y, mRadius, Path.Direction.CW);
  40.  
  41. // Take the intersection of the circle and the wave path to create the effect of the wave inside the circle
  42.  
  43. mWaveLimitPath.op(mWavePath, Path.Op. INTERSECT );
  44.  
  45. canvas.drawPath(mWaveLimitPath, paint);

The above has achieved the dynamic effect of water waves. Of course, you can also configure whether the water waves rise and fall with the progress. In order to achieve a better effect, you can set a light-colored water wave and support setting the direction of the water wave (R2L and L2R). By setting the animation time of the light-colored wave and the dark-colored wave, the effect of the Yangtze River's back waves pushing the front waves can be achieved. Well, the effect is very natural~ You can imagine the realization of the wave from right to left and the calculation of the Bezier point.

Optimize the code for obtaining coordinate points:

  1. /**
  2.  
  3. * Get Bezier points from left to right or from right to left
  4.  
  5. *
  6.  
  7. * @return  
  8.  
  9. */
  10.  
  11. private Point[] getPoint(boolean isR2L, float waveWidth) {
  12.  
  13. Point[] points = new Point[mAllPointCount];
  14.  
  15. //Special treatment for the first point, i.e. the midpoint of the array
  16.  
  17. points[mHalfPointCount] = new Point(( int ) (mCenterPoint.x + (isR2L ? mRadius : -mRadius)), mCenterPoint.y);
  18.  
  19. //Bezier curve points within the screen
  20.  
  21. for ( int i = mHalfPointCount + 1; i < mAllPointCount; i += 4) {
  22.  
  23. float width = points[mHalfPointCount].x + waveWidth * (i / 4 - mWaveNum);
  24.  
  25. points[i] = new Point(( int ) (waveWidth / 4 + width), ( int ) (mCenterPoint.y - mWaveHeight));
  26.  
  27. points[i + 1] = new Point(( int ) (waveWidth / 2 + width), mCenterPoint.y);
  28.  
  29. points[i + 2] = new Point(( int ) (waveWidth * 3 / 4 + width), ( int ) (mCenterPoint.y + mWaveHeight));
  30.  
  31. points[i + 3] = new Point(( int ) (waveWidth + width), mCenterPoint.y);
  32.  
  33. }
  34.  
  35. //Bezier curve points outside the screen
  36.  
  37. for ( int i = 0; i < mHalfPointCount; i++) {
  38.  
  39. int reverse = mAllPointCount - i - 1;
  40.  
  41. points[i] = new Point((isR2L ? 2 : 1) * points[mHalfPointCount].x - points[reverse].x,
  42.  
  43. points[mHalfPointCount].y * 2 - points[reverse].y);
  44.  
  45. }
  46.  
  47. //Reverse the order of the Bezier point array from right to left for subsequent processing
  48.  
  49. return isR2L ? MiscUtil.reverse(points) : points;
  50.  
  51. }

So far, the ideas related to custom circular progress bar have been fully described. All the codes have been uploaded to Git. Welcome to Star and Fork. Portal: CircleProgress.

https://github.com/MyLifeMyTravel/CircleProgress

<<:  Detailed explanation of Android Transition Framework --- super cool animation framework

>>:  The recruitment of administrators for the 51CTO Developer Exchange Group has been successfully completed. Congratulations to the new administrators~

Recommend

What are the “menstrual-like” hot spots in Beijing, Shanghai and Guangzhou?

In this article, Li Jiaoshou analyzes: After chan...

iHP Band & Pulley Top 20

: : : : : : : : : : : : : : : : : : : : : : : : : ...

How to write a short video script? Tik Tok script template planning!

This article breaks down several common script fo...

Record design software installation video, earn 100+ projects a day

Today I want to share with you a project suitable...

Deep dive into the four major ways to grow educational apps

Online education has been a very hot field in rec...

How can brands use Xiaohongshu’s lucky draw to acquire customers at low cost?

Speaking of lotteries, I believe everyone is fami...

How do these Werewolf Killing APPs build channels and quickly acquire users?

In addition to short videos , Werewolf was also a...

How to operate KOL well? Here are 8 tips for you

As an operator , you should know that sometimes o...

Zhihu Institutional Account Operation Manual

Last year, I wrote Zhihu Institutional Account Op...

5 aspects to understand private domain traffic!

Private domain traffic is a popular term in the I...