共计 2339 个字符,预计需要花费 6 分钟才能阅读完成。
Apple 在 iOS 6 中添加了 UIRefreshControl
,但只能在UITableViewController
中使用,不能在 UIScrollView
和UICollectionView
中使用。
iOS 10 新特性
从 iOS 10 开始,UIScrollView
增加了一个 refreshControl
属性,用于把配置好的 UIRefreshControl
赋值给该属性,这样 UIScrollView
就有了下拉刷新功能。和之前在 UITableViewController
中使用一样,不需要设置 UIRefreshControl
的frame
,只需要配置UIRefreshControl
。
因为 UITableView
和UICollectionView
继承自 UIScrollView
,所以UITableView
和UICollectionView
也继承了 refreshControl
属性,也就是可以很方便的把刷新控件添加到滚动视图、集合视图和表视图(不再需要表视图控制器)。
截止目前,Xcode 8.2.1 的 Interface Builder 还没有支持
refreshControl
属性,如果你需要在UIScrollView
、UITableView
和UICollectionView
中使用UIRefreshControl
只能通过代码添加。通过 Interface Builder 可以为UITableViewController
添加刷新控件。
滚动视图示例
这个 demo 使用 Single View Application 模板,打开 storyboard,在系统创建的ViewController
上添加一个 UIScrollView
,在UIScrollView
上添加两个 UILabel
,并在UILabel
上添加内容。想要实现的功能是,下拉刷新页面时隐藏第二个UILabel
,再次刷新时显示该UILabel
。
这里只对 demo 简单描述,如果需要查看详细代码,可以在我的 GitHub 中查看。另外,文章底部也会提供源码地址。
创建刷新控件
在 UIScrollView
、UITableView
和UICollectionView
中创建刷新控件步骤是一样的。在这个示例中,在 ViewController
的viewDidLoad
方法中创建并配置 UIRefreshControl
。scrollView
是连接到 Interface Builder 中的 UIScrollView
的 IBOutlet 属性。
- (void)viewDidLoad
{[super viewDidLoad];
// 1 先判断系统版本
if ([NSProcessInfo.processInfo isOperatingSystemAtLeastVersion:(NSOperatingSystemVersion){10,0,0}])
{
// 2 初始化
UIRefreshControl *refreshControl = [[UIRefreshControl alloc] init];
// 3.1 配置刷新控件
refreshControl.tintColor = [UIColor brownColor];
NSDictionary *attributes = @{NSForegroundColorAttributeName : [UIColor redColor]};
refreshControl.attributedTitle = [[NSAttributedString alloc] initWithString:@"Pull To Refresh" attributes:attributes];
// 3.2 添加响应事件
[refreshControl addTarget:self action:@selector(refresh:) forControlEvents:UIControlEventValueChanged];
// 4 把创建的 refreshControl 赋值给 scrollView 的 refreshControl 属性
self.scrollView.refreshControl = refreshControl;
}
}
注意以下几点:
-
UIScrollView
从 iOS 10 开始才有refreshControl
属性,所以第一步判断当前系统版本。 - 初始化刷新控件。
UIKit
会自动设置frame
,不需要手动设定。 - 3.1 配置刷新控件,可以通过
tintColor
设置进度滚轮指示器颜色,通过attributedTitle
添加刷新时显示的提示文字。3.2 添加响应事件,当UIControlEventValueChanged
事件发生时指定响应的动作。 - 把上面创建、配置的
refreshControl
赋值给scrollView
的refreshControl
属性
现在实现动作方法。available
是在 interface 部分声明的 BOOL
类型的对象。
- (void)refresh:(UIRefreshControl *)sender
{
self.available = ! self.available;
self.secondLabel.hidden = self.available;
// 停止刷新
[sender endRefreshing];
}
如果 secondLabel
目前显示,下拉后隐藏,如果目前隐藏,下拉后显示。最后使用 endRefreshing
停止刷新。
Demo 名称:RefreshControl
源码地址:https://github.com/pro648/Bas…
参考资料:
- Refresh Control Changes in iOS 10
- What’s New in UICollectionView in iOS 10
本文地址:https://github.com/pro648/tip…