我的班级“TypographicNumberLabel”是UILabel的子类。这个类重写了UILabel的“文本”设置器和getter,目的是在表中生成很好的渲染数字。例如,它可以为正确对齐,一元加号,附加单位等添加一些额外的空白区域。
我的问题是这个类在iOS 5.1中运行得非常好,但在iOS 6中,它已停止工作:它现在正在渲染与标准UILabel完全一样(但是当从代码访问其属性时,它们仍然是给出正确的结果)。 由于此类用于大量遗留代码,我真的想修复我的原始代码,而不是使用全新的方法重写它。因此,请集中解答如何在iOS 6中为UILabel覆盖“-text”和“-setText:”。
这是我的代码的简化版本:
@interface TypographicNumberLabel : UILabel {
NSString *numberText;
}
// PROPERTIES
// "text" will be used to set and retrieve the number string in its original version.
// integerValue, doubleValue, etc. will work as expected on the string.
// The property "text" is declared in UILabel, but overridden here!
// "typographicText" will be used to retrieve the string exactly as it is rendered in the view.
// integerValue, doubleValue, etc. WILL NOT WORK on this string.
@property (nonatomic, readonly) NSString* typographicText;
@end
@implementation TypographicNumberLabel
- (void) renderTypographicText
{
NSString *renderedString = nil;
if (numberText)
{
// Simplified example!
// (Actual code is much longer.)
NSString *fillCharacter = @"\u2007"; // = "Figure space" character
renderedString = [fillCharacter stringByAppendingString: numberText];
}
// Save the typographic version of the string in the "text" property of the superclass (UILabel)
// (Can be retreived by the user through the "typographicText" property.)
super.text = renderedString;
}
#pragma mark - Overridden UILabel accessor methods
- (NSString *) text
{
return numberText;
}
- (void) setText:(NSString *) newText
{
if (numberText != newText)
{
NSString *oldText = numberText;
numberText = [newText copy];
[oldText release];
}
[self renderTypographicText];
}
#pragma mark - TypographicNumberLabel accessor methods
- (NSString *) typographicText
{
return super.text;
}
@end
使用示例(aLabel从.xib文件加载):
@property(nonatomic, retain) IBOutlet TypographicNumberLabel *aLabel;
self.aLabel.text = @"12";
int interpretedNumber = [self.aLabel.text intValue];
这种类型的代码在iOS 5.1和iOS 6中都能很好地工作,但iOS 6中的屏幕渲染是错误的!在那里,TypographicNumberLabel就像UILabel一样工作。不会添加“数字空间”字符。
答案 0 :(得分:1)
问题出在
- (NSString *) text
{
return numberText;
}
你可以看到内部调用方法([self text]),所以最好返回你想要显示的文本,否则你很容易毁掉内部控制逻辑:
- (NSString *) text
{
return [super text];
}
答案 1 :(得分:0)
提交问题后,我自己找到了解决方案。也许不是明确的解决方案,但至少是一个有用的解决方法。显然,在iOS 6中引入 attributedText 时,UILabel的渲染逻辑已经改变。我发现设置 attributedText 属性而不是 super.text 会工作的。
更具体一点: renderTypographicText
中的以下行 super.text = renderedString;
应替换为
if (renderedString && [UILabel instancesRespondToSelector: @selector(setAttributedText:)])
super.attributedText = [[[NSAttributedString alloc] initWithString: renderedString] autorelease];
else
super.text = renderedString;
然后渲染再次正常工作!
我承认,这有点“hackish”,但它使我免于重写大量遗留代码。