浅谈自定义UITextField的方法

浅谈自定义UITextField的方法

观察效果图

UITextField有以下几种特点:

1.默认占位文字是灰色的

2.当光标点上去时,占位文字变为白色

3.光标是白色的

接下来我们通过不同的方法来解决问题

一.将xib中的UITextField与代码关联

通过NSAttributeString方法来更改占位文字的属性

- (void)viewDidLoad {
[super viewDidLoad];
// Do any additional setup after loading the view from its nib. //文字属性
NSMutableDictionary *dict = [NSMutableDictionary dictionary];
dict[NSForegroundColorAttributeName] = [UIColor grayColor]; //带有属性的文字(富文本属性)NSAttributeString
NSAttributedString *attr = [[NSAttributedString alloc] initWithString:@"手机号" attributes:dict];
self.phoneField.attributedPlaceholder = attr;
}

但是这种方法只能做出第一种效果,而且不具有通用性。

二.自定义一个UITextField的类

重写它的drawPlaceholderInRect方法

//画出占位文字
- (void)drawPlaceholderInRect:(CGRect)rect {
[self.placeholder drawInRect:CGRectMake(, , self.size.width, ) withAttributes:@{
NSForegroundColorAttributeName : [UIColor grayColor],
NSFontAttributeName : [UIFont systemFontOfSize:]
}];
}

这个方法和上一个方法类似,只能做出第一种效果,但这个具有通用性

三.利用Runtime运行时机制

Runtime是官方的一套C语言库

能做出很多底层的操作(比如访问隐藏的一些成员变量\成员方法)

+ (void)initialize {

    unsigned int count = ;
Ivar *ivars = class_copyIvarList([UITextField class] , &count); for (int i = ; i < count; i++) {
//取出成员变量
Ivar ivar = *(ivars + i); //打印成员变量名字
DDZLog(@"%s",ivar_getName(ivar));
} }

利用class_copyIvarList这个C函数,将所有的成员变量打印出来

浅谈自定义UITextField的方法

这样我们就可以直接通过KVC进行属性设置了

- (void)awakeFromNib {

    //修改占位文字颜色
[self setValue:[UIColor grayColor] forKeyPath:@"_placeholderLabel.textColor"];
//设置光标颜色和文字颜色一致
self.tintColor = self.textColor; }

通过这个方法可以完成所有的效果,既具有通用性也简单

最后一个效果是

在获得焦点时改变占位文字颜色

在失去焦点时再改回去

//获得焦点时
- (BOOL)becomeFirstResponder {
//改变占位文字颜色
[self setValue:self.textColor forKeyPath:@"_placeholderLabel.textColor"];
return [super becomeFirstResponder];

}

//失去焦点时
- (BOOL)resignFirstResponder { //改变占位文字颜色
[self setValue:[UIColor grayColor] forKeyPath:@"_placeholderLabel.textColor"];
return [super resignFirstResponder];
}
上一篇:matlab中fopen 和 fprintf函数总结


下一篇:Java多线程技术:实现多用户服务端Socket通信