iOS: How to draw a 1 pixel line correctly

iOS: How to draw a 1 pixel line correctly

[[140291]]

1. Point Vs Pixel

In iOS, when we use frameworks such as Quartz, UIKit, and CoreAnimation, all coordinate systems are measured in Point. The system will help us process the conversion from Point to Pixel when actually rendering to the settings.

The advantage of doing this is that it isolates changes, that is, we don't need to pay attention to whether the current device is Retina after layout, and we can directly layout according to a set of coordinate systems.

In actual use, we need to keep the following in mind:

  1. One point does not necessarily correspond to one physical pixel.

A 1-point line is one pixel on a non-Retina screen, but may be 2 or 3 on a Retina screen, depending on the DPI of the system device.

In the iOS system, UIScreen, UIView, UIImage, and CALayer classes all provide related properties to obtain the scale factor.

Native drawing technology naturally helps us handle the scale factor. For example, in the drawRect: method, UIKit automatically sets the tangent scale factor based on the current running device. So anything we draw in the drawRect: method will be automatically scaled to the physical screen of the device.

Based on the above information, we can see that in most cases we don’t need to pay attention to pixels, but there are some cases where we need to consider pixel conversion.

For example, draw a 1-pixel dividing line

When you see this problem, your first thought may be to directly calculate the Point corresponding to the 1 pixel line according to the current screen zoom factor, and then set the line width.

The code is as follows:

  1. 1.0f/[UIScreen mainScreen].scale

On the surface, everything seems normal, but through actual device testing you will find that the rendered line width is not 1 pixel.

Why?

In order to achieve good visual effects, the graphics system usually uses a technology called "antialiasing", and iOS is no exception.

The display screen is composed of many small display units, which can be simply understood as one unit representing one pixel. If you want to draw a black line, and the line happens to fall within a column or row of display units, a standard one-pixel black line will be rendered.

But if the line falls in the middle of two rows or columns, then you get a "distorted" line, which is actually a two-pixel wide gray line.

As shown in the following figure:

  1. Positions defined by whole-numbered points fall at the midpoint between pixels.
  2. For example, if you draw a one-pixel-wide vertical line from (1.0, 1.0) to (1.0, 10.0),
  3. you get a fuzzy gray line. If you draw a two-pixel-wide line,
  4. you get a solid black line because it fully covers two pixels (one on either side of the specified point).
  5. As a rule, lines that are an odd number of physical pixels wide appear softer than lines with widths
  6. measured in even numbers of physical pixels unless you adjust their position to make them cover pixels fully.

The official explanation is as above, a simple translation:

  1. Rules: Lines with odd pixel widths will appear as lines with soft widths extending upward to integer widths when rendered.
  2. Unless you manually adjust the position of the line so that the line falls exactly within a row or column of display cells.

How to align it?

  1. On a low-resolution display (with a scale factor of 1.0), a one-point-wide line
  2. is one pixel wide. To avoid antialiasing when you draw a one-point-wide horizontal or vertical line,
  3. if the line is an odd number of pixels in width, you must offset the position by 0.5 points to
  4. either side of a whole-numbered position. If the line is an even number of points in width,
  5. to avoid a fuzzy line, you must not do so.
  6. On a high-resolution display (with a scale factor of 2.0), a line that is one point wide is
  7. not antialiased at all because it occupies two full pixels (from -0.5 to +0.5).
  8. To draw a line that covers only a single physical pixel, you would need to make it 0.5 points in thickness and offset its position by 0.25 points. A comparison between the two types of screens is shown in Figure 1-4.

Translate

  1. On non-HD screens, one Point corresponds to one pixel. To prevent distortion when rendering lines with odd pixels due to "antialiasing", you need to set an offset of 0.5 Point.
  2. On a high-definition screen, to draw a one-pixel line, you need to set the line width to 0.5 points and the offset to 0.25 points.
  3. If the line width is an even number, do not set the offset, otherwise the line will be distorted.

As shown in the following figure:

After reading the above explanation, we understand the cause of 1-pixel wide line distortion and the solution.

So far, the problem seems to be solved? Think again why the adjustment value is different on non-Retina and Retina screens, 0.5Point on the former and 0.25Point on the latter, so how much should the 6 Plus device with a scale of 3 be adjusted?

To answer this question, we need to understand the principles of how much adjustment to make.

Let's look back at the picture above. Each grid in the picture represents a pixel, and the mark on the top is the coordinate code of our layout.

As you can see on the left side of the non-Retina screen, when we want to draw a one-pixel-wide vertical line at (3,0), since the smallest unit of rendering is a pixel, and the coordinate (3,0) is exactly between two pixels, the system will fill the two columns of pixels on the left and right of coordinate 3. In order to prevent the line from appearing too wide, the color of the line is faded. Based on the above information, we can conclude that if we want to draw a one-pixel-wide line, we have to move the drawing coordinates to (2.5, 0) or (3.5,0), so that the system can fill a column of pixels when rendering, which is a standard one-pixel line.

Based on the above analysis, we can conclude that if the "6 Plus with Scale 3" device wants to draw a line with a width of 1 pixel, the position adjustment should also be 0.5 pixels. The corresponding Point calculation is as follows:

  1. ( 1 .0f / [UIScreen mainScreen].scale) / 2 ;

Here is a macro for drawing a pixel line:

  1. #define SINGLE_LINE_WIDTH ( 1 / [UIScreen mainScreen].scale)
  2. #define SINGLE_LINE_ADJUST_OFFSET (( 1 / [UIScreen mainScreen].scale) / 2 )

The usage code is as follows:

  1. CGFloat xPos = 5 ;
  2. UIView *view = [[UIView alloc] initWithFrame:CGrect(x - SINGLE_LINE_ADJUST_OFFSET, 0 , SINGLE_LINE_WIDTH, 100 )];

#p#

2. Correctly draw Grid lines

Here is a GridView code I wrote. The code offsets the odd pixels of the Grid lines to prevent blurred lines.

SvGridView.h

  1. //  
  2. // SvGridView.h  
  3. // SvSinglePixel  
  4. //  
  5. // Created by xiaoyong.cxy on 6/23/15.  
  6. // Copyright (c) 2015 smileEvday. All rights reserved.  
  7. //  
  8. # import   @interface SvGridView : UIView
  9. /**
  10. * @brief grid spacing, default 30
  11. */  
  12. @property (nonatomic, assign) CGFloat gridSpacing;
  13. /**
  14. * @brief grid line width, default is 1 pixel (1.0f / [UIScreen mainScreen].scale)
  15. */  
  16. @property (nonatomic, assign) CGFloat gridLineWidth;
  17. /**
  18. * @brief grid color, default blue
  19. */  
  20. @property (nonatomic, strong) UIColor *gridColor;
  21. @end  

SvGridView.m

  1. //  
  2. // SvGridView.m  
  3. // SvSinglePixel  
  4. //  
  5. // Created by xiaoyong.cxy on 6/23/15.  
  6. // Copyright (c) 2015 smileEvday. All rights reserved.  
  7. //  
  8. # import   "SvGridView.h"  
  9. #define SINGLE_LINE_WIDTH ( 1 / [UIScreen mainScreen].scale)
  10. #define SINGLE_LINE_ADJUST_OFFSET (( 1 / [UIScreen mainScreen].scale) / 2 )
  11. @implementation SvGridView
  12. @synthesize gridColor = _gridColor;
  13. @synthesize gridSpacing = _gridSpacing;
  14. - (instancetype)initWithFrame:(CGRect)frame
  15. {
  16. self = [ super initWithFrame:frame];
  17. if (self) {
  18. self.backgroundColor = [UIColor clearColor];
  19.           
  20. _gridColor = [UIColor blueColor];
  21. _gridLineWidth = SINGLE_LINE_WIDTH;
  22. _gridSpacing = 30 ;
  23. }
  24.       
  25. return self;
  26. }
  27. - ( void )setGridColor:(UIColor *)gridColor
  28. {
  29. _gridColor = gridColor;
  30.       
  31. [self setNeedsDisplay];
  32. }
  33. - ( void )setGridSpacing:(CGFloat)gridSpacing
  34. {
  35. _gridSpacing = gridSpacing;
  36.       
  37. [self setNeedsDisplay];
  38. }
  39. - ( void )setGridLineWidth:(CGFloat)gridLineWidth
  40. {
  41. _gridLineWidth = gridLineWidth;
  42.       
  43. [self setNeedsDisplay];
  44. }
  45. // Only override drawRect: if you perform custom drawing.  
  46. // An empty implementation adversely affects performance during animation.  
  47. - ( void )drawRect:(CGRect)rect
  48. {
  49. CGContextRef context = UIGraphicsGetCurrentContext();
  50.       
  51. CGContextBeginPath(context);
  52. CGFloat lineMargin = self.gridSpacing;
  53.       
  54. /**
  55. * https://developer.apple.com/library/ios/documentation/2DDrawing/Conceptual/DrawingPrintingiOS/GraphicsDrawingOverview/GraphicsDrawingOverview.html
  56. * The drawing position needs to be adjusted only when the line width to be drawn is an odd number of pixels
  57. */  
  58. CGFloat pixelAdjustOffset = 0 ;
  59. if ((( int )(self.gridLineWidth * [UIScreen mainScreen].scale) + 1 ) % 2 == 0 ) {
  60. pixelAdjustOffset = SINGLE_LINE_ADJUST_OFFSET;
  61. }
  62.       
  63. CGFloat xPos = lineMargin - pixelAdjustOffset;
  64. CGFloat yPos = lineMargin - pixelAdjustOffset;
  65. while (xPos < self.bounds.size.width) {
  66. CGContextMoveToPoint(context, xPos, 0 );
  67. CGContextAddLineToPoint(context, xPos, self.bounds.size.height);
  68. xPos += lineMargin;
  69. }
  70.       
  71. while (yPos < self.bounds.size.height) {
  72. CGContextMoveToPoint(context, 0 , yPos);
  73. CGContextAddLineToPoint(context, self.bounds.size.width, yPos);
  74. yPos += lineMargin;
  75. }
  76.       
  77. CGContextSetLineWidth(context, self.gridLineWidth);
  78. CGContextSetStrokeColorWithColor(context, self.gridColor.CGColor);
  79. CGContextStrokePath(context);
  80. }
  81. @end  

Here’s how to use it:

  1. SvGridView *gridView = [[SvGridView alloc] initWithFrame:self.view.bounds];
  2. gridView.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight;
  3. gridView.alpha = 0.6 ;
  4. gridView.gridColor = [UIColor greenColor];
  5. [self.view addSubview:gridView];

3. A question

Okay, that's the end of this article, but I still have a question.

Why do designers need one pixel line?

A one-pixel line may look appropriate on a non-Retina device, but may appear thinner on a Retina screen. Whether a one-pixel line is necessary depends on the situation.

<<:  Alipay challenges real-name social networking, what is the success rate?

>>:  [Recommended by Zhihu] Those Android development tools that you can’t stop using

Recommend

How to quickly become familiar with a language

[[142469]] First of all, please forgive me for th...

Xiaohongshu Marketing Creates Hot Products from 0 to 1

The budget is not enough. How can we do a good jo...

How can you quickly achieve results for a new SEM promotion account?

When you don't know an industry and take over...

How to build a user points system?

Points is a magical word and the boss is always t...

The fourth session of the Aiti Tribe Technical Clinic

【51CTO.com original article】 [51CTO original arti...

Using apt in Android Studio

1. Introduction Are you still blindly copying and...

How does Pinduoduo achieve user growth?

Since 2017, remarks about the arrival of the ceil...

YS Graphic Basic Training Camp 5th Session 2019

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

How to promote on Xiaohongshu? 2 program steps!

In fact, most of the Xiaohongshu merchants are mo...

Let's talk about the use of RemoteViews in Android applications

RemoteViews Introduction RemoteViews allows devel...

Product operation fission growth model!

Invitation-based rewards is one of the common fis...