我只需循环遍历NSAttributedString
的所有属性并增加其字体大小。到目前为止,我已经达到了成功遍历和操作属性的程度,但我无法保存回NSAttributedString
。我评论出的这条线对我不起作用。如何储蓄?
NSAttributedString *attrString = self.richTextEditor.attributedText;
[attrString enumerateAttributesInRange: NSMakeRange(0, attrString.string.length)
options:NSAttributedStringEnumerationReverse usingBlock:
^(NSDictionary *attributes, NSRange range, BOOL *stop) {
NSMutableDictionary *mutableAttributes = [NSMutableDictionary dictionaryWithDictionary:attributes];
UIFont *font = [mutableAttributes objectForKey:NSFontAttributeName];
UIFont *newFont = [UIFont fontWithName:font.fontName size:font.pointSize*2];
[mutableAttributes setObject:newFont forKey:NSFontAttributeName];
//Error: [self.richTextEditor.attributedText setAttributes:mutableAttributes range:range];
//no interfacce for setAttributes:range:
}];
答案 0 :(得分:54)
这样的事情应该有效:
NSMutableAttributedString *res = [self.richTextEditor.attributedText mutableCopy];
[res beginEditing];
__block BOOL found = NO;
[res enumerateAttribute:NSFontAttributeName inRange:NSMakeRange(0, res.length) options:0 usingBlock:^(id value, NSRange range, BOOL *stop) {
if (value) {
UIFont *oldFont = (UIFont *)value;
UIFont *newFont = [oldFont fontWithSize:oldFont.pointSize * 2];
[res removeAttribute:NSFontAttributeName range:range];
[res addAttribute:NSFontAttributeName value:newFont range:range];
found = YES;
}
}];
if (!found) {
// No font was found - do something else?
}
[res endEditing];
self.richTextEditor.attributedText = res;
此时res
有一个新的属性字符串,所有字体都是原始大小的两倍。
答案 1 :(得分:5)
在开始之前,从原始属性字符串创建NSMutableAttributedString
。在循环的每次迭代中,在可变属性字符串上调用addAttribute:value:range:
(这将替换该范围内的旧属性)。
答案 2 :(得分:2)
这是maddy的答案的Swift端口(对我来说真的很好!)。它包裹在一个扩展中。
import UIKit
extension NSAttributedString {
func changeFontSize(factor: CGFloat) -> NSAttributedString {
guard let output = self.mutableCopy() as? NSMutableAttributedString else {
return self
}
output.beginEditing()
output.enumerateAttribute(NSAttributedString.Key.font,
in: NSRange(location: 0, length: self.length),
options: []) { (value, range, stop) -> Void in
guard let oldFont = value as? UIFont else {
return
}
let newFont = oldFont.withSize(oldFont.pointSize * factor)
output.removeAttribute(NSAttributedString.Key.font, range: range)
output.addAttribute(NSAttributedString.Key.font, value: newFont, range: range)
}
output.endEditing()
return output
}
}