输入框中的字符串长度限制问题,用到的地方很多。
通常情况会使用textfield的这个代理方法:
func textField(_ textField: UITextField, shouldChangeCharactersIn range: NSRange, replacementString string: String) -> Bool {
let nsString = textField.text as NSString?
if let replaced = nsString?.replacingCharacters(in: range, with: string) {
if textField == self.messageTextField {
return (replaced.characters.count <= 20)
}
return true
}
这个方法会在每次textfield中有输入的时候被调用,在这个方法中做截取,看似没有问题。
但在遇到中文输入法的时候,问题就会出现:这里以使用苹果原生的简体中文拼音输入法为例,textfield的限制为5个字数,当输入完前4个字的时候,最后一个中文字,打出拼音的第一个英文字母时,就会被截取,导致最后一个中文字永远无法正确拼写出来。
因为在拼音的时候,还在拼写并显示在屏幕上的字母属于marked text,会被
shouldChangeCharactersIn这个方法强制获取到,而我们并不希望没有完成拼写的英文字母被获取,所以只能采用以下办法:
先创建一个针对textfield的监听(注意使用UITextFieldTextDidChangeNotification):
NotificationCenter.default.addObserver(self, selector:
#selector(self.greetingTextFieldChanged), name:
NSNotification.Name(rawValue:
"UITextFieldTextDidChangeNotification"),
object: self.messageTextField)
触发方法的实现(关键代码textField.markedTextRange,判断当有markedtext的时候我们不做任何动作):
func greetingTextFieldChanged(obj: Notification) {
let textField: UITextField = obj.object as! UITextField
guard let _: UITextRange = textField.markedTextRange else{
if (textField.text! as NSString).length > 5{
textField.text = (textField.text! as NSString).substring(to: 5)
}
return
}
}
最后别忘了在销毁的方法里把监听给注销了:
deinit {
NotificationCenter.default.removeObserver(self, name:
NSNotification.Name(rawValue:
"UITextFieldTextDidChangeNotification"), object: self.messageTextField)
}
希望对你有所帮助,谢谢