Practical explanation of efficiently adding rounded corners effect on iOS

Practical explanation of efficiently adding rounded corners effect on iOS

[[163500]]

Rounded corners are a very common visual effect. Compared with right angles, they are softer, more beautiful and easier to accept. However, many people do not know the correct way and principle of setting rounded corners. Setting rounded corners will bring certain performance loss. How to improve performance is another topic that needs to be discussed in detail. I consulted some existing materials and gained a lot, but also found some misleading errors. This article summarizes some knowledge points, which are summarized as follows:

  • The correct posture and principle for setting rounded corners
  • Performance loss of setting rounded corners
  • Other ways to set rounded corners, and the best choice

I made a demo for this article, you can clone it from my github: CornerRadius, if you find it helpful, please give it a star to show your support. The project is implemented in Swift, but please believe me that even if you only know Objective-C, you can understand it because the key knowledge has nothing to do with Swift.

I made a demo for this article, you can clone it from my github: CornerRadius, if you find it helpful, please give it a star to show your support. The project is implemented in Swift, but please believe me that even if you only know Objective-C, you can understand it because the key knowledge has nothing to do with Swift.

Correct posture

First of all, I want to make it clear that setting rounded corners is simple and it does not incur any performance loss.

Because it's so simple, it only takes one line of code:

  1. view.layer.cornerRadius = 5  

Don't rush to close the webpage or reply, let's let the facts speak for themselves. Open Instruments and select Core Animation debugging, you will find that there is no Off-Screen Rendering and no reduction in the frame rate. For more information about using Instruments to analyze applications, you can refer to my article: UIKit Performance Tuning Practical Explanation. From the screenshot, you can see that the third brown view does have rounded corners:

However, if you look at the code, you can find that there is a UILabel that also has rounded corners, but it does not show any changes. For this, you can check the comments of the cornerRadius property:

By default, the corner radius does not apply to the image in the layer's contents property; it applies only to the background color and border of the layer. However, setting the masksToBounds property to true causes the content to be clipped to the rounded corners.

That is to say, by default, this property only affects the background color and border of the view. It has no effect on controls like UILabel that have subviews inside. So in many cases we will see code like this:

  1. label.layer.cornerRadius = 5  
  2. label.layer.masksToBounds = true  

We add the second line of code to the constructor of CustomTableViewCell and run the Instrument again to see the rounded corners effect.

Performance loss

If you check Color Offscreen-Rendered Yellow, you will find yellow marks around the label, indicating that off-screen rendering has occurred. For an introduction to off-screen rendering, you can also refer to: UIKit Performance Tuning Practical Explanation, which will not be repeated in this article.

One thing that needs to be emphasized is that off-screen rendering is not caused by setting rounded corners! It is easy to draw this conclusion by controlling variables, because UIView only sets cornerRadius, but it does not render off-screen. Some authoritative articles, such as Stackoverflow and CodeReview, mention that setting cornerRadius will cause off-screen rendering and affect performance. I think this is really unfair to the lovely cornerRadius variable and misleads others.

Although setting masksToBounds will cause off-screen rendering, thus affecting performance, how big will this impact be? On my iPhone 6, even if there are 17 views with rounded corners, the frame rate when sliding still fluctuates around 58-59 fps.

However, this does not mean that iOS 9 has made any special optimizations, or that off-screen rendering has little impact. The main reason is that there are not enough rounded corners. When I set a UIImageView to have rounded corners, that is, when there are 34 rounded corner views on the screen, the fps drops significantly to only about 33. Basically, it has reached the range that affects the user experience. Therefore, any optimization without basis is a hooligan. If you don’t have many rounded corner views and your cells are not complicated, don’t bother to mess with it.

Efficiently rounding corners

Assuming that there are many views with rounded corners (such as in UICollectionView), how can we add rounded corners to the views efficiently? Most online tutorials do not explain it completely, because this matter needs to be considered in two cases. The principle of setting rounded corners for ordinary UIView is completely different from that of setting rounded corners for UIImageView.

One approach is to try to achieve the effect of cornerRadius = 3:

  1. override func drawRect(rect: CGRect) {
  2. let maskPath = UIBezierPath(roundedRect: rect,
  3. byRoundingCorners: .AllCorners,
  4. cornerRadii: CGSize(width: 3 , height: 3 ))
  5. let maskLayer = CAShapeLayer()
  6. maskLayer.frame = self.bounds
  7. maskLayer.path = maskPath.CGPath
  8. self.layer.mask = maskLayer
  9. }

But this is an extremely wrong way of writing!

First of all, we should try to avoid overriding the drawRect method. Improper use of this method will cause a surge in memory usage. For example, a UIView on an iPhone 6 that is the same size as the screen will take up at least 750 * 1134 * 4 bytes ≈ 3.4 Mb of memory even if an empty drawRect method is overridden. In the Memory Demon drawRect and its sequel, the author introduced the principle in detail. According to his test, overriding the drawRect method on an empty view that is the same size as the screen on an iPhone 6 will consume 5.2 Mb of memory. In short, avoid overriding the drawRect method as much as possible.

Secondly, this method is essentially implemented using a mask layer, so it will inevitably lead to off-screen rendering. I tried to use this method to implement the rounded corners of the previous 34 views, and the fps dropped to around 11. It was already a very slow pace.

Forget about this way of writing. Here are the correct and efficient ways to set rounded corners.

Add rounded corners to UIView

The principle of this method is to draw rounded corners manually. Although we have said before that we can directly set the cornerRadius property for ordinary views, if it is inevitable to use masksToBounds, you can use the following method. Its core code is as follows:

  1. func kt_drawRectWithRoundedCorner(radius radius: CGFloat,
  2. borderWidth: CGFloat,
  3. backgroundColor: UIColor,
  4. borderColor: UIColor) -> UIImage {
  5. UIGraphicsBeginImageContextWithOptions(sizeToFit, false , UIScreen.mainScreen().scale)
  6. let context = UIGraphicsGetCurrentContext()
  7.       
  8. CGContextMoveToPoint(context, start position); // Start from the right side of the start coordinate  
  9. CGContextAddArcToPoint(context, x1, y1, x2, y2, radius); // This type of code is repeated four times  
  10.     
  11. CGContextDrawPath(UIGraphicsGetCurrentContext(), .FillStroke)
  12. let output = UIGraphicsGetImageFromCurrentImageContext();
  13. UIGraphicsEndImageContext();
  14. return output
  15. }

This method returns a UIImage, which means we use Core Graphics to draw a rounded rectangle. In addition to some necessary codes, the core is the CGContextAddArcToPoint function. The four parameters in the middle represent the coordinates of the starting and ending points of the curve, and the last parameter represents the radius. After calling the function four times, the rounded rectangle can be drawn. Finally, get the image from the current drawing context and return it.

With this image in hand, we create a UIImageView and insert it at the bottom of the view hierarchy:

  1. extension UIView {
  2. func kt_addCorner(radius radius: CGFloat,
  3. borderWidth: CGFloat,
  4. backgroundColor: UIColor,
  5. borderColor: UIColor) {
  6. let imageView = UIImageView(image: kt_drawRectWithRoundedCorner(radius: radius,
  7. borderWidth: borderWidth,
  8. backgroundColor: backgroundColor,
  9. borderColor: borderColor))
  10. self.insertSubview(imageView, atIndex: 0 )
  11. }
  12. }

The complete code can be found in the project. To use it, you only need to write:

  1. let view = UIView(frame: CGRectMake( 1 , 2 , 3 , 4 ))
  2. view.kt_addCorner(radius: 6 )

Add rounded corners to UIImageView

Compared with the above implementation method, adding rounded corners to UIImageView is more commonly used. Its implementation idea is to directly capture the image:

  1. extension UIImage {
  2. func kt_drawRectWithRoundedCorner(radius radius: CGFloat, _ sizetoFit: CGSize) -> UIImage {
  3. let rect = CGRect(origin: CGPoint(x: 0 , y: 0 ), size: sizetoFit)
  4.           
  5. UIGraphicsBeginImageContextWithOptions(rect.size, false , UIScreen.mainScreen().scale)
  6. CGContextAddPath(UIGraphicsGetCurrentContext(),
  7. UIBezierPath(roundedRect: rect, byRoundingCorners: UIRectCorner.AllCorners,
  8. cornerRadii: CGSize(width: radius, height: radius)).CGPath)
  9. CGContextClip(UIGraphicsGetCurrentContext())
  10.           
  11. self.drawInRect(rect)
  12. CGContextDrawPath(UIGraphicsGetCurrentContext(), .FillStroke)
  13. let output = UIGraphicsGetImageFromCurrentImageContext();
  14. UIGraphicsEndImageContext();
  15.           
  16. return output
  17. }
  18. }

The rounded corner path is drawn directly with Bezier curves. An unexpected bonus is that you can also choose which corners have rounded corners. The effect of this function is to cut the original UIImage into rounded corners. With this function, we can expand a method for setting rounded corners for UIImageView:

  1. extension UIImageView {
  2. /**
  3. / !!!Calling this method will only work if imageView is not nil
  4. :param: radius fillet radius
  5. */  
  6. override func kt_addCorner(radius radius: CGFloat) {
  7. self.image = self.image?.kt_drawRectWithRoundedCorner(radius: radius, self.bounds.size)
  8. }
  9. }

The complete code can be found in the project. To use it, you only need to write:

  1. let imageView = let imgView1 = UIImageView(image: UIImage(name: "" ))
  2. imageView.kt_addCorner(radius: 6 )

remind:

No matter which method you use, you need to be careful when using the background color. Because we did not set masksToBounds at this time, the part beyond the rounded corners will still be displayed. Therefore, you should not use the background color anymore, and you can set the fill color when drawing the rounded rectangle to achieve a similar effect.

When adding rounded corners to a UIImageView, make sure the image property is not nil, otherwise the setting will have no effect.

Field test

Back to the demo, let's test the two methods for setting rounded corners that we just defined. First, uncomment these two lines of code in the setupContent method:

  1. imgView1.kt_addCorner(radius: 5 )
  2. imgView2.kt_addCorner(radius: 5 )

Then use a custom method to set the rounded corners for the label and view:

  1. view.kt_addCorner(radius: 6 )
  2. label.kt_addCorner(radius: 6 )

Now, we have successfully added the rounded corners while ensuring that performance is not affected:

Performance Testing

Summarize

  • If the problem can be solved with just cornerRadius, there is no need for optimization.
  • If you must set masksToBounds, you can refer to the number of rounded corner views. If the number is small (only a few on a page), you can consider not optimizing.
  • The rounded corners of UIImageView are achieved by directly capturing the image, and the rounded corners of other views can be achieved by drawing rounded rectangles using Core Graphics.

References

Be careful not to let rounded corners become a frame rate killer for your list

Some questions about performance

<<:  WeChat payment practice version

>>:  Will WP become the real 1% in 4 years?

Recommend

Two Key Points for B Station's Hot Videos

This article analyzes how the UP host "bobo ...

8 directions to create Douyin catering influencers!

From Haidilao, McDonald's, to Coco, Naixue...

Material Design: Flat but not level

Preface This article was originally just a short ...

How to effectively and accurately reach users with activities

In fact, in the user-operated activity-based mark...

How to operate and promote APP effectively? Share these 4 points!

With the continuous development of the APP indust...

Velocity Official Guide - Using Velocity

[[143748]] If you are using VelocityViewServlet o...

Central Bank: Digital RMB will coexist with Alipay and WeChat Pay

Since the digital RMB was proposed, many people h...

Today's headlines have come up with a new advertising method, come and watch~

At present, embedding information flow ads may be...

Full-network marketing, one marketing matrix can do it all!

Concepts in the marketing field are different fro...

《PIMP Core Notes》Dating Course for Boys

Introduction to the content of the training course...

The most comprehensive guide to campus promotion activities!

Today I will share with you the most comprehensiv...