需求:
一个密码框的UITextField:
默认 展示 ****
不编辑时候 展示 ***
编辑时候正常
自定义控件
1.创建一个类,继承UITextField
.h 中添加属性
@property(nonatomic,strong)NSString *actualText;
.m 初始化时,添加监听方法
- (instancetype)initWithFrame:(CGRect)frame {
self = [super initWithFrame:frame];
if(self) {
self.showText = @"********";
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(begingEdit) name:UITextFieldTextDidBeginEditingNotification object:self]; //通知:监听
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(changeEdit) name:UITextFieldTextDidChangeNotification object:self]; //通知:监听
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(endEdit) name:UITextFieldTextDidEndEditingNotification object:self]; //通知:监听
}
return self;
}
添加实现方法
开始输入的时候
-(void)begingEdit{
self.text = @"";
if (self.actualText != nil && ![self.actualText isEqualToString:@""]) {
// 恢复
self.text = self.actualText;
}
}
结束输入
-(void)endEdit{
self.actualText = [self.text copy];
self.text = @"*******";
}
这样可以实现需要的效果,但是只有属性actualText
是正确的值,而text
的数据是错误的。想优化一下:
text
的数据是正确的,对于使用者,不需要关心actualText
我尝试了
·添加BOOL的成员变量
·添加string的属性
·重写-get
,-set
方法发现
当编辑,或者完成编辑时
-(NSString *)text{
if (isEdit) {
return _tempText;
}
return self.actualText;
}
改方法无法正确返回实际的text值。
如有人能够解决此问题,欢迎讨论,感激不尽
添加一个控件
上面的方法走不通就只能换一个写法。
添加一个Label 来模拟******
简单粗暴:
-(UILabel *)showLabel{
if (!_showLabel) {
_showLabel = [[UILabel alloc]init];
_showLabel.backgroundColor = self.backgroundColor;
_showLabel.text = @"******";
UITapGestureRecognizer *tap = [[UITapGestureRecognizer alloc]initWithTarget:self action:@selector(touchLabel)];
[_showLabel addGestureRecognizer:tap];
}
return _showLabel;
}
// 点击模拟视图
-(void)touchLabel{
_showLabel.hidden = YES;
}
-(void)layoutSubviews{
[super layoutSubviews];
CGFloat X = self.leftView.frame.size.width ;
CGFloat W = self.frame.size.width - self.leftView.frame.size.width - self.rightView.frame.size.width;
self.showLabel.frame = CGRectMake(X, 1, W, self.frame.size.height-2);
[self addSubview:self.showLabel];
}
注:
1.不能再initWithFrame:
中添加Label 会有问题
2.注意Label的位置,考虑UITextField的左右视图
-(void)begingEdit{
_showLabel.hidden = YES;
}
-(void)endEdit{
_showLabel.hidden = NO;
}
网友评论