项目中填写个人信息,发布招聘,添加商品等功能,难免会遇到输入框,由于tableview的复用功能,不做处理的话,数据就会混乱。
下面列举下我的处理方法。
1.远古时期
做和微信个人页面相同处理,避开输入框,通过跳转新页面填写数据并回调。优点没有复用问题,输入页面也可高度定制,缺点是每个信息都得跳转,很繁琐。
图1.1 图1.2
2.中期
cell中的输入框还是无法避免了,那就想办法处理复用问题。网上百度到自定义一个textfield给他附上indexPath属性,说做就做。
1.自定义一个UITextField
@interface CustomTextField : UITextField
@property(nonatomic ,strong) NSIndexPath *indexPath;
@end
2.在cell赋值是附上indexPath属性
cell.textF.indexPath = indexPath;
3.通过注册通知 实现方法 可以获取到输入的数据
[[NSNotificationCenter defaultCenter] addObserver:self selector:@selector(contentTextFieldDidEndEditing:) name:UITextFieldTextDidEndEditingNotification object:nil];
// 在这个方法中,我们就可以通过自定义textField的indexPath属性区分不同行的cell,然后拿到textField.text
- (void)contentTextFieldDidEndEditing:(NSNotification *)noti
{
CustomTextField *textField = noti.object;
DLog(@"%ld %ld",textField.indexPath.section,textField.indexPath.row);
}
这个方法主要的问题是书写繁琐,而且通知需要写在viewWillAppear
里注册,并在viewWillDisappear
里移除,不然后续push出来的子页面这个通知仍会处理。
而且一个cell里有多个输入框@property(nonatomic ,assign) NSInteger count;
我又得添加一个属性判断是哪个。
这个方法是实现了 cell里的输入框,但是步骤繁琐,临时用用可以,一定得抛弃。
3.后期 也是我现在使用的方法 不一定是最好的
1.首先给自定义的对象 添加数据源和对应的key属性
@interface SubmitInputTableViewCell : UITableViewCell
@property(nonatomic ,strong) NSString *key;
///任意对象
@property(nonatomic ,strong) id model;
@end
2.给textField添加输入结束事件
[self.textField addTarget:self action:@selector(textChange:) forControlEvents:UIControlEventEditingDidEnd];
3.实现model的set方法 和 textfield的输入方法更改数据源
-(void)textChange:(UITextField *)textField{
[self.model setValue:textField.text forKey:self.key];
}
- (void)setModel:(id)model{
_model = model;
_textField.text = [self.model valueForKey:self.key];
}
利用浅拷贝的特性,修改数据源,当cell复用的时候,由于数据源已经被赋值,所以解决了问题。
网友评论