(持续更新中……更新 SWTableViewCell 和 SVPullToRefresh 遇到的两个小问题)
在做自己的第一个 iOS app,一路遇到不少困难,好在靠 Google 和 StackOverflow 都解决了,自己也不知道是否是 best practice。
隐藏 Tab bar
在以 Tab bar 划分模块的 app 中有些非一级界面是不需要底部的标签栏的,只需要在该 ViewController 的viewWillAppear:
中加入设置标签栏隐藏的语句:
- (void)viewWillAppear:(BOOL)animated {
[super viewWillAppear:animated];
self.tabBarController.tabBar.hidden = YES;
}
但是,更好的作法是在 push 一个 ViewController 之前,将其属性hidesBottomBarWhenPushed
设置为YES
:
SomeViewController *svc = [SomeViewController new];
svc.hidesBottomBarWhenPushed = YES;
[self.navigationController pushViewController:svc animated:YES];
计算 UIScrollView 的 ContentSize
有些 UIScrollView 的内容是动态增减的,这就需要重新计算 ContentSize,在改变内容后增加以下代码:
-(void)resizeScrollViewContentSize {
[self layoutIfNeeded];
CGRect contentRect = CGRectZero;
for (UIView *view in self.subviews) {
contentRect = CGRectUnion(contentRect, view.frame);
}
self.contentSize = CGSizeMake(contentRect.size.width, contentRect.size.height);
}
貌似必须要在计算前最好执行layoutIfNeeded
,否则有些 sub view 还没有布局好。
计算多行文本的高度
UILabel 和 UITextView 可以显示多行的文本,如果字符串是动态获取的话就需要计算整个文本的高度了(宽度一般是固定的),这时就要用到boundingRectWithSize: options: attributes: context:
这个 API 了(iOS7新增的)。为了方便自己工程中调用,我封装了一下:
+ (CGRect)stringRect:(NSString *)string fontSize:(CGFloat)fontSize constraintWidth:(CGFloat)width constraintHeight:(CGFloat)height {
UIFont *font = [UIFont systemFontOfSize:fontSize];
CGSize constraint = CGSizeMake(width, height);
NSDictionary *attributes = @{NSFontAttributeName : font};
return [string boundingRectWithSize:constraint
options:NSStringDrawingUsesLineFragmentOrigin | NSStringDrawingUsesFontLeading
attributes:attributes
context:nil];
}
去掉字符串头尾的空格
对于 UITextField 中输入的字符串往往都要进行 trim 处理,需要用到以下代码:
NSString *result = [self..nameTextField.text
stringByTrimmingCharactersInSet:[NSCharacterSet whitespaceCharacterSet]];
监听 UITextView 的输入,实时显示字数
首先要 conform(遵从?实现?) UITextViewDelegate
,在textViewDidChange:
中实现在 UILabel 中显示当前 UITextView 中的字数:
- (void)textViewDidChange:(UITextView *)textView {
_countLabel.text = [NSString stringWithFormat:@"%lu", (unsigned long)textView.text.length];
[self setNeedsDisplay];
}
设置 UITextView 的最大输入长度
实现UITextViewDelegate
中的textView:shouldChangeTextInRange:
方法:
-(BOOL)textView:(UITextView *)textView shouldChangeTextInRange:(NSRange)range replacementText:(NSString *)text {
// if (range.location >= kMaxTextLength) { 这样会导致移动光标后再输入最大长度就失效
if(textView.text.length >= kMaxTextLength) {
return NO;
}
return YES;
}
SWTableViewCell 在滑动的时候按钮和 Cell 其他内容重叠
用 SWTableViewCell 可以轻松实现滑动 Cell 并露出操作按钮,但是遇到过操作按钮和 Cell 上面的其他内容重叠的情况,原因是被重叠的内容没有添加到contentView
而是直接添加到了 Cell 上。
SVPullToRefreshControl 的上拉动作只能执行一次
用 SVPullToRefreshControl 可以实现对 UITableView
的上拉加载更多的功能,但是如果发生只有第一次能够成功触发但是第二次就不行的情况,那么原因就是在加载完成时没有停止刷新的动画,只需要加入:
[self.tableView.infiniteScrollingView stopAnimating];
就可以解决。
本文为博主原创,转载请保留链接,谢谢
网友评论
这个如果移动了光标,怕是无法正确验证的。