一、需求背景介绍
最近在梳理项目是发现,针对xib创建的控件字体大小使用了runtime替换initWithCoder来实现了统一的处理,而代码创建的控件都使用了手动处理。这对于后期需求变动开发维护造成很大的工作量。我就考虑如何实现统一的处理?
1.1使用runtime替换UILabel初始化方法
采用runtime机制替换掉UILabel的初始化方法,在其中对label的字体进行默认设置。因为Label可以从initWithFrame、init、new和nib文件4个来源初始化,所以我们需要将这几个初始化的方法都替换掉。这里我只放出替换一个的方法,其他方法替换自行补全
#import "UILabel+myFont.h"
#define IPHONE_HEIGHT [[UIScreen mainScreen] bounds].size.height
#define SizeScale ((IPHONE_HEIGHT > 568) ? IPHONE_HEIGHT/568 : 1)
@implementation UILabel (myFont)
+ (void)load{
Method imp = class_getInstanceMethod([self class], @selector(init));
Method myImp = class_getInstanceMethod([self class], @selector(myInit));
BOOL addMethod = class_addMethod([self class], @selector(init), method_getImplementation(myImp), method_getTypeEncoding(myImp));
if (addMethod) {
class_replaceMethod([self class],
@selector(init),
method_getImplementation(imp),
method_getTypeEncoding(imp));
} else {
method_exchangeImplementations(imp, myImp);
}
}
- (id)myInit{
[self myInit];
if (self) {
CGFloat fontSize = self.font.pointSize;
CGFloat myFont = SizeScale;
if (SizeScale >1) {
myFont = SizeScale* 0.9;
}
self.font = [UIFont systemFontOfSize:fontSize*myFont];
}
return self;
}
@end
这种方式需要针对不同的控件分别来实现,在后续修改的时候需要修改不同的实现,还是需要处理多个category,这里就考虑不针对个别控件来处理字体大小,而是统一到一个文件来处理所有控件的字体大小。
1.2使用runtime替换UIFont初始化方法
所以控件的字体设置都需要调用uifont的初始化方法,考虑到所有的字体大小设置无非通过如下几个官方提供的方法。
+ (UIFont *)systemFontOfSize:(CGFloat)fontSize;
+ (UIFont *)boldSystemFontOfSize:(CGFloat)fontSize;
+ (UIFont *)italicSystemFontOfSize:(CGFloat)fontSize;
// Weights used here are analogous to those used with UIFontDescriptor's UIFontWeightTrait.
// See the UIFontWeight... constants in UIFontDescriptor.h for suggested values.
// The caveat above about the use of ...systemFont... methods applies to these methods too.
+ (UIFont *)systemFontOfSize:(CGFloat)fontSize weight:(CGFloat)weight NS_AVAILABLE_IOS(8_2);
所以就给了我们替换这些方法来实现的可能。(我只展示了替换其中一个方法,其他的自行添加)代码如下:
#define SizeScale ((kScreenHeight > 568) ? kScreenHeight/568 : 1)
#import@implementation NSObject (Extension)
+ (void)originalClassSelector:(SEL)originalSelector withSwizzledClassSelector:(SEL)swizzledSelector{
Method originalMethod = class_getClassMethod(self, originalSelector);
Method swizzledMethod = class_getClassMethod(self, swizzledSelector);
method_exchangeImplementations(originalMethod, swizzledMethod);
}
@end
@implementation UIFont (KCFont)
+ (void)load{
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
[self originalClassSelector:@selector(systemFontOfSize:) withSwizzledClassSelector:@selector(kc_systemFontOfSize:)];
});
}
+ (UIFont *)kc_systemFontOfSize:(CGFloat)fontSize{
return [self kc_systemFontOfSize:fontSize*(SizeScale>1?SizeScale*0.9:SizeScale)];
}
二、写在最后
通过实现UIlabel等控件的category的好处是可以根据不同的tag来处理不同的控件字体需求,缺点是需要针对不同控件都需要处理。通过实现UIFont的category可以做到所有的控件字体,但是对于特殊化需求支持有所欠缺。
相关链接: