正确实现 iOS 行间距

  1. 设置行间距的方式
    例如设置 label 的行间距为 10,通常我们会设置 NSAttributedString.lineSpacing = 10 。如下图左侧所示。然而 UI 要求的是右侧的效果。通过对比发现,单纯设置 NSAttributedString.lineSpacing ,会使得行间距要大于10。


    行间距对比

    原因如下图所示,文字的上下均有留白(蓝色与红色重叠的部分)。NSAttributedString.lineSpacing 是下图绿色的部分,而 UI 设计师想要的是蓝色的部分。因此要达到上图中右侧部分需要将下图重叠的部分减去即可。


    实质
NSMutableParagraphStyle *rightLabelPragraphStyle = [NSMutableParagraphStyle new];
rightLabelPragraphStyle.lineSpacing = 10 - (self.rightLabel.font.lineHeight - self.rightLabel.font.pointSize);
NSMutableDictionary *RightLabelAttribute = [NSMutableDictionary dictionary];
[RightLabelAttribute setObject:rightLabelPragraphStyle forKey:NSParagraphStyleAttributeName];
self.rightLabel.attributedText = [[NSAttributedString alloc] initWithString:labelStr attributes:RightLabelAttribute];

备注:当文本是单行时,文字底部会多出 lineSpacing 的情况(如下图所示),因此需要判断文本为单行时,不设置 lineSpacing

单行文本的情况

  1. 设置行高的方式
    设置 NSAttributedString.maximumLineHeight 与 .minimumLineHeight ,可以精确控制文本行的高度。然后利用 baselineOffset 修复为此带来的偏移,修复公式: (lineHeight - self.bottomLabel.font.lineHeight)/4。
NSMutableParagraphStyle *bottomParagraphStyle = [NSMutableParagraphStyle new];
bottomParagraphStyle.maximumLineHeight = lineHeight;
bottomParagraphStyle.minimumLineHeight = lineHeight;
NSMutableDictionary *bottomAttributes = [NSMutableDictionary dictionary];
bottomAttributes[NSParagraphStyleAttributeName] = bottomParagraphStyle;
CGFloat baselineOffset = (lineHeight - self.bottomLabel.font.lineHeight)/4;
bottomAttributes[NSBaselineOffsetAttributeName] = @(baselineOffset);
self.bottomLabel.attributedText = [[NSAttributedString alloc] initWithString:labelStr attributes:bottomAttributes];

备注:如果在设置 baselineOffset 的同时设置 range 范围的背景色或者前景色时,修复公式变为 (lineHeight - self.bottomLabel.font.lineHeight)/2 ,并且 label 中文本其实位置出错如图所示,具体原因暂时未知。

参考

  1. iOS 如何精确还原 UI 稿多行文字间距
  2. 在iOS中如何正确的实现行间距与行高

你可能感兴趣的:(正确实现 iOS 行间距)