学习
最近在学习Swift这门新的语言,基本都是按着allenwong的30DaysofSwift(GithHub地址)来走着学习,有时候碰到实在不会了,也会参考他的代码。
学到DAY18的类似发微博界面时,在键盘方面遇到了一些问题,以下为个人的一点总结。
键盘监听
看到很多Demo中为了实现对键盘的监听,都注册了两个
通知:UIKeyboardWillShowNotification(弹出)和
UIKeyboardWillHideNotification(收回) 。
然后再在方法中去实现View的位置调整。其实如果单纯的想要控制View的位置调整,只要选择监听UIKeyboardWillChangeFrameNotification即可,这样就不用在两个方法中分别做类似的View位置调整工作。
示例代码如下:
//注册通知
func signNotification() {
NSNotificationCenter.defaultCenter().addObserver(self, selector: "keyBoardFrameChange:", name: UIKeyboardWillChangeFrameNotification, object: nil)
}
//MARK: - NotificationAction
func keyBoardFrameChange(notification:NSNotification) {
//获取键盘移动前初始位置
let keyBoardBeginFrame = (notification.userInfo![UIKeyboardFrameBeginUserInfoKey]?.CGRectValue)!
//获取键盘移动后位置
let keyBoardEndFrame = (notification.userInfo![UIKeyboardFrameEndUserInfoKey]?.CGRectValue)!
//获取键盘移动动画时间,并做格式转换
let duration : NSTimeInterval = notification.userInfo![UIKeyboardAnimationDurationUserInfoKey] as! NSTimeInterval
//获取键盘动画方式,并作转换 参考:http://stackoverflow.com/questions/7327249/ios-how-to-convert-uiviewanimationcurve-to-uiviewanimationoptions
// http://www.cocoachina.com/swift/20151020/13740.html
let options = UIViewAnimationOptions(rawValue: UInt((notification.userInfo![UIKeyboardAnimationCurveUserInfoKey] as! NSNumber).integerValue << 16))
//计算纵轴移动量
let deltaY = keyBoardEndFrame.origin.y - keyBoardBeginFrame.origin.y
//工具条根据以上参数进行动画平移动
UIView.animateWithDuration(duration, delay: 0, options: options, animations: { () -> Void in
self.toolBar.transform = CGAffineTransformTranslate(self.toolBar.transform, 0, deltaY)
}, completion: { (success) -> Void in
}
)
}
以上为实现部分的主要代码。
使用Transform来进行平移主要是发现用Frame去做平移处理时,不仅计算坐标麻烦,而且还有和输入框delegate方法有一点冲突,不建议使用。
输入字数限制
很简单的一个方法,实现输入框的代理方法即可,代码如下(限制140字):
//MARK: - UITextViewDelegate
func textView(textView: UITextView, shouldChangeTextInRange range: NSRange, replacementText text: String) -> Bool {
// lblCount 是一个Label,用于显示还剩下多少字可以输入
lblCount.text = "\(140 - range.location)"
return range.location < 140
}
textField也有类似的代理方法。
上面这个方法似乎在做输入文字的时候,都会调用。当你打印一下参数range和text的时候你就会发现range就是你光标的位置,text是你准备输入的文字。
比如输入第一个字“A”的时候range为(0,0),text为“A”
准备输入第10个字“B”的时候range为(9,0),text为“B”
观察了一下,无论是中文还是英文,无论一下子输入多少字符,无论是不是粘贴来的,只要是输入状态时,range的length都是0,location则根据光标位置来决定。
删除情况下,range则是有length的,length为所删除字符串的长度,location则为删除后光标所在位置。