之前看到曾经有很多的人希望实现类似“短信”程序中的多选功能,我也看到了许多的第三方实现方法,做得都是不错的。
但是后来才发现,原来iOS系统本身已经实现了这个功能,只是没有向开发者开放(没有在文档中标明)。
现在我将如何用iOS本身提供的方法来实现这个功能的完整代码给大家列出:
首先我们设置一下TableView的编辑形式:
// Allows customization of the editingStyle for a particular cell located at 'indexPath'. If not implemented, all editable cells will have UITableViewCellEditingStyleDelete set for them when the table has editing property set to YES.
- (UITableViewCellEditingStyle)tableView:(UITableView *)tableView editingStyleForRowAtIndexPath:(NSIndexPath *)indexPath { return UITableViewCellEditingStyleDelete | UITableViewCellEditingStyleInsert; // return 3;}注:UITableViewCellEditingStyleDelete | UITableViewCellEditingStyleInsert 这是被苹果隐藏的第三种编辑模式(前两种是删除和插入),其实我们也可以直接返回一个数字 3 。
这样当我们的tableView处于编辑状态时就处于多选状态了:
就是如此简单就可以实现tableView的多选功能了(坑爹的苹果居然没有把他公布出来,同样苹果苹果也没有给出如何获取被选中的行,事实上tableView也有一个专门变量来保存被选中的行:_selectedIndexPaths)
遗憾的是tableView提供的来保存被选中行的变量是个私有变量(用@private修饰的变量)我们在tableView外部是无法访问它的,下面我们就使用运行时方法来获得这个变量:
#include <objc/runtime.h>
@interface UITableView (MultiSelected)- (NSArray *)selectedIndexPaths;@end@implementation UITableView (MultiSelected)- (NSArray *)selectedIndexPaths { NSArray *retVal = nil; object_getInstanceVariable(self, "_selectedIndexPaths", (void **)&retVal); return retVal;} @end我们写了一个TableView的类别(MultiSelected),使用了运行时获得tableView的私有变量的方法得到一个元素为NSIndexPath的Array,这就是被我们选中的行了。此外,我们还可以用KeyValueCoding的方式获得这个私有变量。