在接触IOS开发一个星期左右,师傅开始留一些练习作业,其中一个就是比较经典的练习程序——列出系统所有字体,并用相应字体显示,主要是表视图的应用。说到表就不得不说这个TableViewController,我想单独把这个控件记录下来,找到来自CSDN大神 Kenshin Cui's 的博客,转载过来

原文链接:Kenshin 的博客    转载请注明出处!!

概述

在iOS开发中UITableView可以说是使用最广泛的控件,我们平时使用的软件中到处都可以看到它的影子,类似于微信、QQ、新浪微博等软件基本上随处都是UITableView。当然它的广泛使用自然离不开它强大的功能,今天这篇文章将针对UITableView重点展开讨论。今天的主要内容包括:

  1. 基本介绍
  2. 数据源
  3. 代理
  4. 性能优化
  5. UITableViewCell
  6. 常用操作
  7. UITableViewController
  8. MVC模式

基本介绍

UITableView有两种风格:UITableViewStylePlain和UITableViewStyleGrouped。这两者操作起来其实并没有本质区别,只是后者按分组样式显示前者按照普通样式显示而已。大家先看一下两者的应用:

1>分组样式

      

2>不分组样式

       

大家可以看到在UITableView中数据只有行的概念,并没有列的概念,因为在手机操作系统中显示多列是不利于操作的。UITableView中每行数据都是一个UITableViewCell,在这个控件中为了显示更多的信息,iOS已经在其内部设置好了多个子控件以供开发者使用。如果我们查看UITableViewCell的声明文件可以发现在内部有一个UIView控件(contentView,作为其他元素的父控件)、两个UILable控件(textLabel、detailTextLabel)、一个UIImage控件(imageView),分别用于容器、显示内容、详情和图片。使用效果类似于微信、QQ信息列表:

      

当然,这些子控件并不一定要全部使用,具体操作时可以通过UITableViewCellStyle进行设置,具体每个枚举表示的意思已经在代码中进行了注释:

typedef NS_ENUM(NSInteger, UITableViewCellStyle) {UITableViewCellStyleDefault,    // 左侧显示textLabel(不显示detailTextLabel),imageView可选(显示在最左边)UITableViewCellStyleValue1,        // 左侧显示textLabel、右侧显示detailTextLabel(默认蓝色),imageView可选(显示在最左边)UITableViewCellStyleValue2,        // 左侧依次显示textLabel(默认蓝色)和detailTextLabel,imageView可选(显示在最左边)UITableViewCellStyleSubtitle    // 左上方显示textLabel,左下方显示detailTextLabel(默认灰色),imageView可选(显示在最左边)
};

数据源

由于iOS是遵循MVC模式设计的,很多操作都是通过代理和外界沟通的,但对于数据源控件除了代理还有一个数据源属性,通过它和外界进行数据交互。 对于UITableView设置完dataSource后需要实现UITableViewDataSource协议,在这个协议中定义了多种 数据操作方法,下面通过创建一个简单的联系人管理进行演示:

首先我们需要创建一个联系人模型KCContact

KCContact.h

//
//  Contact.h
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import <Foundation/Foundation.h>@interface KCContact : NSObject#pragma mark 姓
@property (nonatomic,copy) NSString *firstName;
#pragma mark 名
@property (nonatomic,copy) NSString *lastName;
#pragma mark 手机号码
@property (nonatomic,copy) NSString *phoneNumber;#pragma mark 带参数的构造函数
-(KCContact *)initWithFirstName:(NSString *)firstName andLastName:(NSString *)lastName andPhoneNumber:(NSString *)phoneNumber;#pragma mark 取得姓名
-(NSString *)getName;#pragma mark 带参数的静态对象初始化方法
+(KCContact *)initWithFirstName:(NSString *)firstName andLastName:(NSString *)lastName andPhoneNumber:(NSString *)phoneNumber;
@end

KCContact.m

//
//  Contact.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCContact.h"@implementation KCContact-(KCContact *)initWithFirstName:(NSString *)firstName andLastName:(NSString *)lastName andPhoneNumber:(NSString *)phoneNumber{if(self=[super init]){self.firstName=firstName;self.lastName=lastName;self.phoneNumber=phoneNumber;}return self;
}-(NSString *)getName{return [NSString stringWithFormat:@"%@ %@",_lastName,_firstName];
}+(KCContact *)initWithFirstName:(NSString *)firstName andLastName:(NSString *)lastName andPhoneNumber:(NSString *)phoneNumber{KCContact *contact1=[[KCContact alloc]initWithFirstName:firstName andLastName:lastName andPhoneNumber:phoneNumber];return contact1;
}@end

为了演示分组显示我们不妨将一组数据也抽象成模型KCContactGroup

KCContactGroup.h

//
//  KCContactGroup.h
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import <Foundation/Foundation.h>
#import "KCContact.h"@interface KCContactGroup : NSObject#pragma mark 组名
@property (nonatomic,copy) NSString *name;#pragma mark 分组描述
@property (nonatomic,copy) NSString *detail;#pragma mark 联系人
@property (nonatomic,strong) NSMutableArray *contacts;#pragma mark 带参数个构造函数
-(KCContactGroup *)initWithName:(NSString *)name andDetail:(NSString *)detail andContacts:(NSMutableArray *)contacts;#pragma mark 静态初始化方法
+(KCContactGroup *)initWithName:(NSString *)name andDetail:(NSString *)detail andContacts:(NSMutableArray *)contacts;@end

KCContactGroup.m

//
//  KCContactGroup.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCContactGroup.h"@implementation KCContactGroup-(KCContactGroup *)initWithName:(NSString *)name andDetail:(NSString *)detail andContacts:(NSMutableArray *)contacts{if (self=[super init]) {self.name=name;self.detail=detail;self.contacts=contacts;}return self;
}+(KCContactGroup *)initWithName:(NSString *)name andDetail:(NSString *)detail andContacts:(NSMutableArray *)contacts{KCContactGroup *group1=[[KCContactGroup alloc]initWithName:name andDetail:detail andContacts:contacts];return group1;
}
@end

然后在viewDidLoad方法中创建一些模拟数据同时实现数据源协议方法:

KCMainViewController.m

//
//  KCMainViewController.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCMainViewController.h"
#import "KCContact.h"
#import "KCContactGroup.h"@interface KCMainViewController ()<UITableViewDataSource>{UITableView *_tableView;NSMutableArray *_contacts;//联系人模型
}@end@implementation KCMainViewController- (void)viewDidLoad {[super viewDidLoad];//初始化数据[self initData];//创建一个分组样式的UITableView_tableView=[[UITableView alloc]initWithFrame:self.view.bounds style:UITableViewStyleGrouped];//设置数据源,注意必须实现对应的UITableViewDataSource协议_tableView.dataSource=self;[self.view addSubview:_tableView];
}#pragma mark 加载数据
-(void)initData{_contacts=[[NSMutableArray alloc]init];KCContact *contact1=[KCContact initWithFirstName:@"Cui" andLastName:@"Kenshin" andPhoneNumber:@"18500131234"];KCContact *contact2=[KCContact initWithFirstName:@"Cui" andLastName:@"Tom" andPhoneNumber:@"18500131237"];KCContactGroup *group1=[KCContactGroup initWithName:@"C" andDetail:@"With names beginning with C" andContacts:[NSMutableArray arrayWithObjects:contact1,contact2, nil]];[_contacts addObject:group1];KCContact *contact3=[KCContact initWithFirstName:@"Lee" andLastName:@"Terry" andPhoneNumber:@"18500131238"];KCContact *contact4=[KCContact initWithFirstName:@"Lee" andLastName:@"Jack" andPhoneNumber:@"18500131239"];KCContact *contact5=[KCContact initWithFirstName:@"Lee" andLastName:@"Rose" andPhoneNumber:@"18500131240"];KCContactGroup *group2=[KCContactGroup initWithName:@"L" andDetail:@"With names beginning with L" andContacts:[NSMutableArray arrayWithObjects:contact3,contact4,contact5, nil]];[_contacts addObject:group2];KCContact *contact6=[KCContact initWithFirstName:@"Sun" andLastName:@"Kaoru" andPhoneNumber:@"18500131235"];KCContact *contact7=[KCContact initWithFirstName:@"Sun" andLastName:@"Rosa" andPhoneNumber:@"18500131236"];KCContactGroup *group3=[KCContactGroup initWithName:@"S" andDetail:@"With names beginning with S" andContacts:[NSMutableArray arrayWithObjects:contact6,contact7, nil]];[_contacts addObject:group3];KCContact *contact8=[KCContact initWithFirstName:@"Wang" andLastName:@"Stephone" andPhoneNumber:@"18500131241"];KCContact *contact9=[KCContact initWithFirstName:@"Wang" andLastName:@"Lucy" andPhoneNumber:@"18500131242"];KCContact *contact10=[KCContact initWithFirstName:@"Wang" andLastName:@"Lily" andPhoneNumber:@"18500131243"];KCContact *contact11=[KCContact initWithFirstName:@"Wang" andLastName:@"Emily" andPhoneNumber:@"18500131244"];KCContact *contact12=[KCContact initWithFirstName:@"Wang" andLastName:@"Andy" andPhoneNumber:@"18500131245"];KCContactGroup *group4=[KCContactGroup initWithName:@"W" andDetail:@"With names beginning with W" andContacts:[NSMutableArray arrayWithObjects:contact8,contact9,contact10,contact11,contact12, nil]];[_contacts addObject:group4];KCContact *contact13=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joy" andPhoneNumber:@"18500131246"];KCContact *contact14=[KCContact initWithFirstName:@"Zhang" andLastName:@"Vivan" andPhoneNumber:@"18500131247"];KCContact *contact15=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joyse" andPhoneNumber:@"18500131248"];KCContactGroup *group5=[KCContactGroup initWithName:@"Z" andDetail:@"With names beginning with Z" andContacts:[NSMutableArray arrayWithObjects:contact13,contact14,contact15, nil]];[_contacts addObject:group5];}#pragma mark - 数据源方法
#pragma mark 返回分组数
-(NSInteger)numberOfSectionsInTableView:(UITableView *)tableView{NSLog(@"计算分组数");return _contacts.count;
}#pragma mark 返回每组行数
-(NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section{NSLog(@"计算每组(组%i)行数",section);KCContactGroup *group1=_contacts[section];return group1.contacts.count;
}#pragma mark返回每行的单元格
-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{//NSIndexPath是一个结构体,记录了组和行信息NSLog(@"生成单元格(组:%i,行%i)",indexPath.section,indexPath.row);KCContactGroup *group=_contacts[indexPath.section];KCContact *contact=group.contacts[indexPath.row];UITableViewCell *cell=[[UITableViewCell alloc]initWithStyle:UITableViewCellStyleDefault reuseIdentifier:nil];cell.textLabel.text=[contact getName];cell.detailTextLabel.text=contact.phoneNumber;return cell;
}#pragma mark 返回每组头标题名称
-(NSString *)tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger)section{NSLog(@"生成组(组%i)名称",section);KCContactGroup *group=_contacts[section];return group.name;
}#pragma mark 返回每组尾部说明
-(NSString *)tableView:(UITableView *)tableView titleForFooterInSection:(NSInteger)section{NSLog(@"生成尾部(组%i)详情",section);KCContactGroup *group=_contacts[section];return group.detail;
}
@end

运行可以看到如下效果:

大家在使用iPhone通讯录时会发现右侧可以按字母检索,使用起来很方便,其实这个功能使用UITableView实现很简单,只要实现数据源协议的一个方法,构建一个分组标题的数组即可实现。数组元素的内容和组标题内容未必完全一致,UITableView是按照数组元素的索引和每组数据索引顺序来定位的而不是按内容查找。

#pragma mark 返回每组标题索引
-(NSArray *)sectionIndexTitlesForTableView:(UITableView *)tableView{NSLog(@"生成组索引");NSMutableArray *indexs=[[NSMutableArray alloc]init];for(KCContactGroup *group in _contacts){[indexs addObject:group.name];}return indexs;
}

效果如下:

需要注意的是上面几个重点方法的执行顺序,请看下图:

值得指出的是生成单元格的方法并不是一次全部调用,而是只会生产当前显示在界面上的单元格,当用户滚动操作时再显示其他单元格。

注意:随着我们的应用越来越复杂,可能经常需要调试程序,在iOS中默认情况下不能定位到错误代码行,我们可以通过如下设置让程序定位到出错代码行:Show the Breakpoint  navigator—Add Exception breakpoint。

代理

上面我们已经看到通讯录的简单实现,但是我们发现单元格高度、分组标题高度以及尾部说明的高度都需要调整,此时就需要使用代理方法。UITableView代理方法有很多,例如监听单元格显示周期、监听单元格选择编辑操作、设置是否高亮显示单元格、设置行高等。

1.设置行高

#pragma mark - 代理方法
#pragma mark 设置分组标题内容高度
-(CGFloat)tableView:(UITableView *)tableView heightForHeaderInSection:(NSInteger)section{if(section==0){return 50;}return 40;
}#pragma mark 设置每行高度(每行高度可以不一样)
-(CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath{return 45;
}#pragma mark 设置尾部说明内容高度
-(CGFloat)tableView:(UITableView *)tableView heightForFooterInSection:(NSInteger)section{return 40;
}

2.监听点击

在iOS中点击某联系个人就可以呼叫这个联系人,这时就需要监听点击操作,这里就不演示呼叫联系人操作了,我们演示一下修改人员信息的操作。

KCMainViewContrller.m

//
//  KCMainViewController.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCMainViewController.h"
#import "KCContact.h"
#import "KCContactGroup.h"@interface KCMainViewController ()<UITableViewDataSource,UITableViewDelegate,UIAlertViewDelegate>{UITableView *_tableView;NSMutableArray *_contacts;//联系人模型NSIndexPath *_selectedIndexPath;//当前选中的组和行
}@end@implementation KCMainViewController- (void)viewDidLoad {[super viewDidLoad];//初始化数据[self initData];//创建一个分组样式的UITableView_tableView=[[UITableView alloc]initWithFrame:self.view.bounds style:UITableViewStyleGrouped];//设置数据源,注意必须实现对应的UITableViewDataSource协议_tableView.dataSource=self;//设置代理_tableView.delegate=self;[self.view addSubview:_tableView];
}#pragma mark 加载数据
-(void)initData{_contacts=[[NSMutableArray alloc]init];KCContact *contact1=[KCContact initWithFirstName:@"Cui" andLastName:@"Kenshin" andPhoneNumber:@"18500131234"];KCContact *contact2=[KCContact initWithFirstName:@"Cui" andLastName:@"Tom" andPhoneNumber:@"18500131237"];KCContactGroup *group1=[KCContactGroup initWithName:@"C" andDetail:@"With names beginning with C" andContacts:[NSMutableArray arrayWithObjects:contact1,contact2, nil]];[_contacts addObject:group1];KCContact *contact3=[KCContact initWithFirstName:@"Lee" andLastName:@"Terry" andPhoneNumber:@"18500131238"];KCContact *contact4=[KCContact initWithFirstName:@"Lee" andLastName:@"Jack" andPhoneNumber:@"18500131239"];KCContact *contact5=[KCContact initWithFirstName:@"Lee" andLastName:@"Rose" andPhoneNumber:@"18500131240"];KCContactGroup *group2=[KCContactGroup initWithName:@"L" andDetail:@"With names beginning with L" andContacts:[NSMutableArray arrayWithObjects:contact3,contact4,contact5, nil]];[_contacts addObject:group2];KCContact *contact6=[KCContact initWithFirstName:@"Sun" andLastName:@"Kaoru" andPhoneNumber:@"18500131235"];KCContact *contact7=[KCContact initWithFirstName:@"Sun" andLastName:@"Rosa" andPhoneNumber:@"18500131236"];KCContactGroup *group3=[KCContactGroup initWithName:@"S" andDetail:@"With names beginning with S" andContacts:[NSMutableArray arrayWithObjects:contact6,contact7, nil]];[_contacts addObject:group3];KCContact *contact8=[KCContact initWithFirstName:@"Wang" andLastName:@"Stephone" andPhoneNumber:@"18500131241"];KCContact *contact9=[KCContact initWithFirstName:@"Wang" andLastName:@"Lucy" andPhoneNumber:@"18500131242"];KCContact *contact10=[KCContact initWithFirstName:@"Wang" andLastName:@"Lily" andPhoneNumber:@"18500131243"];KCContact *contact11=[KCContact initWithFirstName:@"Wang" andLastName:@"Emily" andPhoneNumber:@"18500131244"];KCContact *contact12=[KCContact initWithFirstName:@"Wang" andLastName:@"Andy" andPhoneNumber:@"18500131245"];KCContactGroup *group4=[KCContactGroup initWithName:@"W" andDetail:@"With names beginning with W" andContacts:[NSMutableArray arrayWithObjects:contact8,contact9,contact10,contact11,contact12, nil]];[_contacts addObject:group4];KCContact *contact13=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joy" andPhoneNumber:@"18500131246"];KCContact *contact14=[KCContact initWithFirstName:@"Zhang" andLastName:@"Vivan" andPhoneNumber:@"18500131247"];KCContact *contact15=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joyse" andPhoneNumber:@"18500131248"];KCContactGroup *group5=[KCContactGroup initWithName:@"Z" andDetail:@"With names beginning with Z" andContacts:[NSMutableArray arrayWithObjects:contact13,contact14,contact15, nil]];[_contacts addObject:group5];}#pragma mark - 数据源方法
#pragma mark 返回分组数
-(NSInteger)numberOfSectionsInTableView:(UITableView *)tableView{NSLog(@"计算分组数");return _contacts.count;
}#pragma mark 返回每组行数
-(NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section{NSLog(@"计算每组(组%i)行数",section);KCContactGroup *group1=_contacts[section];return group1.contacts.count;
}#pragma mark返回每行的单元格
-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{//NSIndexPath是一个对象,记录了组和行信息NSLog(@"生成单元格(组:%i,行%i)",indexPath.section,indexPath.row);KCContactGroup *group=_contacts[indexPath.section];KCContact *contact=group.contacts[indexPath.row];UITableViewCell *cell=[[UITableViewCell alloc]initWithStyle:UITableViewCellStyleValue1 reuseIdentifier:nil];cell.textLabel.text=[contact getName];cell.detailTextLabel.text=contact.phoneNumber;return cell;
}#pragma mark 返回每组头标题名称
-(NSString *)tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger)section{NSLog(@"生成组(组%i)名称",section);KCContactGroup *group=_contacts[section];return group.name;
}#pragma mark 返回每组尾部说明
-(NSString *)tableView:(UITableView *)tableView titleForFooterInSection:(NSInteger)section{NSLog(@"生成尾部(组%i)详情",section);KCContactGroup *group=_contacts[section];return group.detail;
}#pragma mark 返回每组标题索引
-(NSArray *)sectionIndexTitlesForTableView:(UITableView *)tableView{NSLog(@"生成组索引");NSMutableArray *indexs=[[NSMutableArray alloc]init];for(KCContactGroup *group in _contacts){[indexs addObject:group.name];}return indexs;
}#pragma mark - 代理方法
#pragma mark 设置分组标题内容高度
-(CGFloat)tableView:(UITableView *)tableView heightForHeaderInSection:(NSInteger)section{if(section==0){return 50;}return 40;
}#pragma mark 设置每行高度(每行高度可以不一样)
-(CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath{return 45;
}#pragma mark 设置尾部说明内容高度
-(CGFloat)tableView:(UITableView *)tableView heightForFooterInSection:(NSInteger)section{return 40;
}#pragma mark 点击行
-(void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath{_selectedIndexPath=indexPath;KCContactGroup *group=_contacts[indexPath.section];KCContact *contact=group.contacts[indexPath.row];//创建弹出窗口UIAlertView *alert=[[UIAlertView alloc]initWithTitle:@"System Info" message:[contact getName] delegate:self cancelButtonTitle:@"Cancel" otherButtonTitles:@"OK", nil];alert.alertViewStyle=UIAlertViewStylePlainTextInput; //设置窗口内容样式UITextField *textField= [alert textFieldAtIndex:0]; //取得文本框textField.text=contact.phoneNumber; //设置文本框内容[alert show]; //显示窗口
}#pragma mark 窗口的代理方法,用户保存数据
-(void)alertView:(UIAlertView *)alertView clickedButtonAtIndex:(NSInteger)buttonIndex{//当点击了第二个按钮(OK)if (buttonIndex==1) {UITextField *textField= [alertView textFieldAtIndex:0];//修改模型数据KCContactGroup *group=_contacts[_selectedIndexPath.section];KCContact *contact=group.contacts[_selectedIndexPath.row];contact.phoneNumber=textField.text;//刷新表格[_tableView reloadData];}
}#pragma mark 重写状态样式方法
-(UIStatusBarStyle)preferredStatusBarStyle{return UIStatusBarStyleLightContent;
}
@end

在上面的代码中我们通过修改模型来改变UI显示,这种方式是经典的MVC应用,在后面的代码中会经常看到。当然UI的刷新使用了UITableView的reloadData方法,该方法会重新调用数据源方法,包括计算分组、计算每个分组的行数,生成单元格等刷新整个UITableView。当然这种方式在实际开发中是不可取的,我们不可能因为修改了一个人的信息就刷新整个UITableViewView,此时我们需要采用局部刷新。局部刷新使用起来很简单,只需要调用UITableView的另外一个方法:

#pragma mark 窗口的代理方法,用户保存数据
-(void)alertView:(UIAlertView *)alertView clickedButtonAtIndex:(NSInteger)buttonIndex{//当点击了第二个按钮(OK)if (buttonIndex==1) {UITextField *textField= [alertView textFieldAtIndex:0];//修改模型数据KCContactGroup *group=_contacts[_selectedIndexPath.section];KCContact *contact=group.contacts[_selectedIndexPath.row];contact.phoneNumber=textField.text;//刷新表格NSArray *indexPaths=@[_selectedIndexPath];//需要局部刷新的单元格的组、行[_tableView reloadRowsAtIndexPaths:indexPaths withRowAnimation:UITableViewRowAnimationLeft];//后面的参数代表更新时的动画}
}

性能优化

前面已经说过UITableView中的单元格cell是在显示到用户可视区域后创建的,那么如果用户往下滚动就会继续创建显示在屏幕上的单元格,如果用户向上滚动返回到查看过的内容时同样会重新创建之前已经创建过的单元格。如此一来即使UITableView的内容不是太多,如果用户反复的上下滚动,内存也会瞬间飙升,更何况很多时候UITableView的内容是很多的(例如微博展示列表,基本向下滚动是没有底限的)。

前面一节中我们曾经提到过如何优化UIScrollView,当时就是利用有限的UIImageView动态切换其内容来尽可能减少资源占用。同样的,在UITableView中也可以采用类似的方式,只是这时我们不是在滚动到指定位置后更改滚动的位置而是要将当前没有显示的Cell重新显示在将要显示的Cell的位置然后更新其内容。原因就是UITableView中的Cell结构布局可能是不同的,通过重新定位是不可取的,而是需要重用已经不再界面显示的已创建过的Cell。

当然,听起来这么做比较复杂,其实实现起来很简单,因为UITableView已经为我们实现了这种机制。在UITableView内部有一个缓存池,初始化时使用initWithStyle:(UITableViewCellStyle) reuseIdentifier:(NSString *)方法指定一个可重用标识,就可以将这个cell放到缓存池。然后在使用时使用指定的标识去缓存池中取得对应的cell然后修改cell内容即可。

#pragma mark返回每行的单元格
-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{//NSIndexPath是一个对象,记录了组和行信息NSLog(@"生成单元格(组:%i,行%i)",indexPath.section,indexPath.row);KCContactGroup *group=_contacts[indexPath.section];KCContact *contact=group.contacts[indexPath.row];//由于此方法调用十分频繁,cell的标示声明成静态变量有利于性能优化static NSString *cellIdentifier=@"UITableViewCellIdentifierKey1";//首先根据标识去缓存池取UITableViewCell *cell=[tableView dequeueReusableCellWithIdentifier:cellIdentifier];//如果缓存池没有到则重新创建并放到缓存池中if(!cell){cell=[[UITableViewCell alloc]initWithStyle:UITableViewCellStyleValue1 reuseIdentifier:cellIdentifier];}cell.textLabel.text=[contact getName];cell.detailTextLabel.text=contact.phoneNumber;NSLog(@"cell:%@",cell);return cell;
}

上面的代码中已经打印了cell的地址,如果大家运行测试上下滚动UITableView会发现滚动时创建的cell地址是初始化时已经创建的。

这里再次给大家强调两点:

  1. -(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)方法调用很频繁,无论是初始化、上下滚动、刷新都会调用此方法,所有在这里执行的操作一定要注意性能;
  2. 可重用标识可以有多个,如果在UITableView中有多类结构不同的Cell,可以通过这个标识进行缓存和重新;

UITableViewCell

1.自带的UITableViewCell

UITableViewCell是构建一个UITableView的基础,在UITableViewCell内部有一个UIView控件作为其他内容的容器,它上面有一个UIImageView和两个UILabel,通过UITableViewCellStyle属性可以对其样式进行控制。其结构如下:

有时候我们会发现很多UITableViewCell右侧可以显示不同的图标,在iOS中称之为访问器,点击可以触发不同的事件,例如设置功能:

要设置这些图标只需要设置UITableViewCell的accesoryType属性,这是一个枚举类型具体含义如下:

typedef NS_ENUM(NSInteger, UITableViewCellAccessoryType) {UITableViewCellAccessoryNone,                   // 不显示任何图标UITableViewCellAccessoryDisclosureIndicator,    // 跳转指示图标UITableViewCellAccessoryDetailDisclosureButton, // 内容详情图标和跳转指示图标UITableViewCellAccessoryCheckmark,              // 勾选图标UITableViewCellAccessoryDetailButton NS_ENUM_AVAILABLE_IOS(7_0) // 内容详情图标
};

例如在最近通话中我们通常设置为详情图标,点击可以查看联系人详情:

很明显iOS设置中第一个accessoryType不在枚举之列,右侧的访问器类型是UISwitch控件,那么如何显示自定义的访问器呢?其实只要设置UITableViewCell的accessoryView即可,它支持任何UIView控件。假设我们在通讯录每组第一行放一个UISwitch,同时切换时可以输出对应信息:

//
//  KCMainViewController.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCMainViewController.h"
#import "KCContact.h"
#import "KCContactGroup.h"@interface KCMainViewController ()<UITableViewDataSource,UITableViewDelegate,UIAlertViewDelegate>{UITableView *_tableView;NSMutableArray *_contacts;//联系人模型NSIndexPath *_selectedIndexPath;//当前选中的组和行
}@end@implementation KCMainViewController- (void)viewDidLoad {[super viewDidLoad];//初始化数据[self initData];//创建一个分组样式的UITableView_tableView=[[UITableView alloc]initWithFrame:self.view.bounds style:UITableViewStyleGrouped];//设置数据源,注意必须实现对应的UITableViewDataSource协议_tableView.dataSource=self;//设置代理_tableView.delegate=self;[self.view addSubview:_tableView];
}#pragma mark 加载数据
-(void)initData{_contacts=[[NSMutableArray alloc]init];KCContact *contact1=[KCContact initWithFirstName:@"Cui" andLastName:@"Kenshin" andPhoneNumber:@"18500131234"];KCContact *contact2=[KCContact initWithFirstName:@"Cui" andLastName:@"Tom" andPhoneNumber:@"18500131237"];KCContactGroup *group1=[KCContactGroup initWithName:@"C" andDetail:@"With names beginning with C" andContacts:[NSMutableArray arrayWithObjects:contact1,contact2, nil]];[_contacts addObject:group1];KCContact *contact3=[KCContact initWithFirstName:@"Lee" andLastName:@"Terry" andPhoneNumber:@"18500131238"];KCContact *contact4=[KCContact initWithFirstName:@"Lee" andLastName:@"Jack" andPhoneNumber:@"18500131239"];KCContact *contact5=[KCContact initWithFirstName:@"Lee" andLastName:@"Rose" andPhoneNumber:@"18500131240"];KCContactGroup *group2=[KCContactGroup initWithName:@"L" andDetail:@"With names beginning with L" andContacts:[NSMutableArray arrayWithObjects:contact3,contact4,contact5, nil]];[_contacts addObject:group2];KCContact *contact6=[KCContact initWithFirstName:@"Sun" andLastName:@"Kaoru" andPhoneNumber:@"18500131235"];KCContact *contact7=[KCContact initWithFirstName:@"Sun" andLastName:@"Rosa" andPhoneNumber:@"18500131236"];KCContactGroup *group3=[KCContactGroup initWithName:@"S" andDetail:@"With names beginning with S" andContacts:[NSMutableArray arrayWithObjects:contact6,contact7, nil]];[_contacts addObject:group3];KCContact *contact8=[KCContact initWithFirstName:@"Wang" andLastName:@"Stephone" andPhoneNumber:@"18500131241"];KCContact *contact9=[KCContact initWithFirstName:@"Wang" andLastName:@"Lucy" andPhoneNumber:@"18500131242"];KCContact *contact10=[KCContact initWithFirstName:@"Wang" andLastName:@"Lily" andPhoneNumber:@"18500131243"];KCContact *contact11=[KCContact initWithFirstName:@"Wang" andLastName:@"Emily" andPhoneNumber:@"18500131244"];KCContact *contact12=[KCContact initWithFirstName:@"Wang" andLastName:@"Andy" andPhoneNumber:@"18500131245"];KCContactGroup *group4=[KCContactGroup initWithName:@"W" andDetail:@"With names beginning with W" andContacts:[NSMutableArray arrayWithObjects:contact8,contact9,contact10,contact11,contact12, nil]];[_contacts addObject:group4];KCContact *contact13=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joy" andPhoneNumber:@"18500131246"];KCContact *contact14=[KCContact initWithFirstName:@"Zhang" andLastName:@"Vivan" andPhoneNumber:@"18500131247"];KCContact *contact15=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joyse" andPhoneNumber:@"18500131248"];KCContactGroup *group5=[KCContactGroup initWithName:@"Z" andDetail:@"With names beginning with Z" andContacts:[NSMutableArray arrayWithObjects:contact13,contact14,contact15, nil]];[_contacts addObject:group5];}#pragma mark - 数据源方法
#pragma mark 返回分组数
-(NSInteger)numberOfSectionsInTableView:(UITableView *)tableView{NSLog(@"计算分组数");return _contacts.count;
}#pragma mark 返回每组行数
-(NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section{NSLog(@"计算每组(组%i)行数",section);KCContactGroup *group1=_contacts[section];return group1.contacts.count;
}#pragma mark返回每行的单元格
-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{//NSIndexPath是一个对象,记录了组和行信息NSLog(@"生成单元格(组:%i,行%i)",indexPath.section,indexPath.row);KCContactGroup *group=_contacts[indexPath.section];KCContact *contact=group.contacts[indexPath.row];//由于此方法调用十分频繁,cell的标示声明成静态变量有利于性能优化static NSString *cellIdentifier=@"UITableViewCellIdentifierKey1";static NSString *cellIdentifierForFirstRow=@"UITableViewCellIdentifierKeyWithSwitch";//首先根据标示去缓存池取UITableViewCell *cell;if (indexPath.row==0) {cell=[tableView dequeueReusableCellWithIdentifier:cellIdentifierForFirstRow];}else{cell=[tableView dequeueReusableCellWithIdentifier:cellIdentifier];}//如果缓存池没有取到则重新创建并放到缓存池中if(!cell){if (indexPath.row==0) {cell=[[UITableViewCell alloc]initWithStyle:UITableViewCellStyleValue1 reuseIdentifier:cellIdentifierForFirstRow];UISwitch *sw=[[UISwitch alloc]init];[sw addTarget:self action:@selector(switchValueChange:) forControlEvents:UIControlEventValueChanged];cell.accessoryView=sw;}else{cell=[[UITableViewCell alloc]initWithStyle:UITableViewCellStyleValue1 reuseIdentifier:cellIdentifier];cell.accessoryType=UITableViewCellAccessoryDetailButton;}}if(indexPath.row==0){((UISwitch *)cell.accessoryView).tag=indexPath.section;}cell.textLabel.text=[contact getName];cell.detailTextLabel.text=contact.phoneNumber;NSLog(@"cell:%@",cell);return cell;
}#pragma mark 返回每组头标题名称
-(NSString *)tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger)section{NSLog(@"生成组(组%i)名称",section);KCContactGroup *group=_contacts[section];return group.name;
}#pragma mark 返回每组尾部说明
-(NSString *)tableView:(UITableView *)tableView titleForFooterInSection:(NSInteger)section{NSLog(@"生成尾部(组%i)详情",section);KCContactGroup *group=_contacts[section];return group.detail;
}#pragma mark 返回每组标题索引
-(NSArray *)sectionIndexTitlesForTableView:(UITableView *)tableView{NSLog(@"生成组索引");NSMutableArray *indexs=[[NSMutableArray alloc]init];for(KCContactGroup *group in _contacts){[indexs addObject:group.name];}return indexs;
}#pragma mark - 代理方法
#pragma mark 设置分组标题内容高度
-(CGFloat)tableView:(UITableView *)tableView heightForHeaderInSection:(NSInteger)section{if(section==0){return 50;}return 40;
}#pragma mark 设置每行高度(每行高度可以不一样)
-(CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath{return 45;
}#pragma mark 设置尾部说明内容高度
-(CGFloat)tableView:(UITableView *)tableView heightForFooterInSection:(NSInteger)section{return 40;
}#pragma mark 点击行
-(void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath{_selectedIndexPath=indexPath;KCContactGroup *group=_contacts[indexPath.section];KCContact *contact=group.contacts[indexPath.row];//创建弹出窗口UIAlertView *alert=[[UIAlertView alloc]initWithTitle:@"System Info" message:[contact getName] delegate:self cancelButtonTitle:@"Cancel" otherButtonTitles:@"OK", nil];alert.alertViewStyle=UIAlertViewStylePlainTextInput; //设置窗口内容样式UITextField *textField= [alert textFieldAtIndex:0]; //取得文本框textField.text=contact.phoneNumber; //设置文本框内容[alert show]; //显示窗口
}#pragma mark 窗口的代理方法,用户保存数据
-(void)alertView:(UIAlertView *)alertView clickedButtonAtIndex:(NSInteger)buttonIndex{//当点击了第二个按钮(OK)if (buttonIndex==1) {UITextField *textField= [alertView textFieldAtIndex:0];//修改模型数据KCContactGroup *group=_contacts[_selectedIndexPath.section];KCContact *contact=group.contacts[_selectedIndexPath.row];contact.phoneNumber=textField.text;//刷新表格NSArray *indexPaths=@[_selectedIndexPath];//需要局部刷新的单元格的组、行[_tableView reloadRowsAtIndexPaths:indexPaths withRowAnimation:UITableViewRowAnimationLeft];//后面的参数代码更新时的动画}
}#pragma mark 重写状态样式方法
-(UIStatusBarStyle)preferredStatusBarStyle{return UIStatusBarStyleLightContent;
}#pragma mark 切换开关转化事件
-(void)switchValueChange:(UISwitch *)sw{NSLog(@"section:%i,switch:%i",sw.tag, sw.on);
}
@end

最终运行效果:

注意:

  1. 由于此时我们需要两种UITableViewCell样式,考虑到性能我们需要在缓存池缓存两种Cell。
  2. UISwitch继承于UIControl而不是UIView(当然UIControl最终也是继承于UIView),继承于UIControl的控件使用addTarget添加对应事件而不是代理,同时有“是否可用”、“是否高亮”、“是否选中”等属性;
  3. 上面代码中如果有些UITableViewCell的UISwitch设置为on当其他控件重用时状态也是on,解决这个问题可以在模型中设置对应的属性记录其状态,在生成cell时设置当前状态(为了尽可能简化上面的代码这里就不再修复这个问题);

2.自定义UITableViewCell

虽然系统自带的UITableViewCell已经够强大了,但是很多时候这并不能满足我们的需求。例如新浪微博的Cell就没有那么简单:

没错,这个界面布局也是UITableView实现的,其中的内容就是UITableViewCell,只是这个UITableViewCell是用户自定义实现的。当然要实现上面的UITableViewCell三言两语我们是说不完的,这里我们实现一个简化版本,界面原型如下:

我们对具体控件进行拆分:

在这个界面中有2个UIImageView控件和4个UILabel,整个界面显示效果类似于新浪微博的消息内容界面,但是又在新浪微博基础上进行了精简以至于利用现有知识能够顺利开发出来。

在前面的内容中我们的数据都是手动构建的,在实际开发中自然不会这么做,这里我们不妨将微博数据存储到plist文件中然后从plist文件读取数据构建模型对象(实际开发微博当然需要进行网络数据请求,这里只是进行模拟就不再演示网络请求的内容)。假设plist文件内容如下:

接下来就定义一个KCStatusTableViewCell实现UITableViewCell,一般实现自定义UITableViewCell需要分为两步:第一初始化控件;第二设置数据,重新设置控件frame。原因就是自定义Cell一般无法固定高度,很多时候高度需要随着内容改变。此外由于在单元格内部是无法控制单元格高度的,因此一般会定义一个高度属性用于在UITableView的代理事件中设置每个单元格高度。

1.首先看一下微博模型KCStatus,这个模型主要的方法就是根据plist字典内容生成微博对象:

KCStatus.h

//
//  KCStatus.h
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import <Foundation/Foundation.h>@interface KCStatus : NSObject#pragma mark - 属性
@property (nonatomic,assign) long long Id;//微博id
@property (nonatomic,copy) NSString *profileImageUrl;//头像
@property (nonatomic,copy) NSString *userName;//发送用户
@property (nonatomic,copy) NSString *mbtype;//会员类型
@property (nonatomic,copy) NSString *createdAt;//创建时间
@property (nonatomic,copy) NSString *source;//设备来源
@property (nonatomic,copy) NSString *text;//微博内容#pragma mark - 方法
#pragma mark 根据字典初始化微博对象
-(KCStatus *)initWithDictionary:(NSDictionary *)dic;#pragma mark 初始化微博对象(静态方法)
+(KCStatus *)statusWithDictionary:(NSDictionary *)dic;
@end

KCStatus.m

//
//  KCStatus.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCStatus.h"@implementation KCStatus#pragma mark 根据字典初始化微博对象
-(KCStatus *)initWithDictionary:(NSDictionary *)dic{if(self=[super init]){self.Id=[dic[@"Id"] longLongValue];self.profileImageUrl=dic[@"profileImageUrl"];self.userName=dic[@"userName"];self.mbtype=dic[@"mbtype"];self.createdAt=dic[@"createdAt"];self.source=dic[@"source"];self.text=dic[@"text"];}return self;
}#pragma mark 初始化微博对象(静态方法)
+(KCStatus *)statusWithDictionary:(NSDictionary *)dic{KCStatus *status=[[KCStatus alloc]initWithDictionary:dic];return status;
}-(NSString *)source{return [NSString stringWithFormat:@"来自 %@",_source];
}
@end

2.然后看一下自定义的Cell

KCStatusTableViewCell.h

//
//  KCStatusTableViewCell.h
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import <UIKit/UIKit.h>
@class KCStatus;@interface KCStatusTableViewCell : UITableViewCell#pragma mark 微博对象
@property (nonatomic,strong) KCStatus *status;#pragma mark 单元格高度
@property (assign,nonatomic) CGFloat height;@end

KCStatusTableViewCell.m

//
//  KCStatusTableViewCell.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCStatusTableViewCell.h"
#import "KCStatus.h"
#define KCColor(r,g,b) [UIColor colorWithHue:r/255.0 saturation:g/255.0 brightness:b/255.0 alpha:1] //颜色宏定义
#define kStatusTableViewCellControlSpacing 10 //控件间距
#define kStatusTableViewCellBackgroundColor KCColor(251,251,251)
#define kStatusGrayColor KCColor(50,50,50)
#define kStatusLightGrayColor KCColor(120,120,120)#define kStatusTableViewCellAvatarWidth 40 //头像宽度
#define kStatusTableViewCellAvatarHeight kStatusTableViewCellAvatarWidth
#define kStatusTableViewCellUserNameFontSize 14
#define kStatusTableViewCellMbTypeWidth 13 //会员图标宽度
#define kStatusTableViewCellMbTypeHeight kStatusTableViewCellMbTypeWidth
#define kStatusTableViewCellCreateAtFontSize 12
#define kStatusTableViewCellSourceFontSize 12
#define kStatusTableViewCellTextFontSize 14@interface KCStatusTableViewCell(){UIImageView *_avatar;//头像UIImageView *_mbType;//会员类型UILabel *_userName;UILabel *_createAt;UILabel *_source;UILabel *_text;
}@end@implementation KCStatusTableViewCell- (instancetype)initWithStyle:(UITableViewCellStyle)style reuseIdentifier:(NSString *)reuseIdentifier {self = [super initWithStyle:style reuseIdentifier:reuseIdentifier];if (self) {[self initSubView];}return self;
}#pragma mark 初始化视图
-(void)initSubView{//头像控件_avatar=[[UIImageView alloc]init];[self.contentView addSubview:_avatar];//用户名_userName=[[UILabel alloc]init];_userName.textColor=kStatusGrayColor;_userName.font=[UIFont systemFontOfSize:kStatusTableViewCellUserNameFontSize];[self.contentView addSubview:_userName];//会员类型_mbType=[[UIImageView alloc]init];[self.contentView addSubview:_mbType];//日期_createAt=[[UILabel alloc]init];_createAt.textColor=kStatusLightGrayColor;_createAt.font=[UIFont systemFontOfSize:kStatusTableViewCellCreateAtFontSize];[self.contentView addSubview:_createAt];//设备_source=[[UILabel alloc]init];_source.textColor=kStatusLightGrayColor;_source.font=[UIFont systemFontOfSize:kStatusTableViewCellSourceFontSize];[self.contentView addSubview:_source];//内容_text=[[UILabel alloc]init];_text.textColor=kStatusGrayColor;_text.font=[UIFont systemFontOfSize:kStatusTableViewCellTextFontSize];_text.numberOfLines=0;
//    _text.lineBreakMode=NSLineBreakByWordWrapping;[self.contentView addSubview:_text];
}#pragma mark 设置微博
-(void)setStatus:(KCStatus *)status{//设置头像大小和位置CGFloat avatarX=10,avatarY=10;CGRect avatarRect=CGRectMake(avatarX, avatarY, kStatusTableViewCellAvatarWidth, kStatusTableViewCellAvatarHeight);_avatar.image=[UIImage imageNamed:status.profileImageUrl];_avatar.frame=avatarRect;//设置会员图标大小和位置CGFloat userNameX= CGRectGetMaxX(_avatar.frame)+kStatusTableViewCellControlSpacing ;CGFloat userNameY=avatarY;//根据文本内容取得文本占用空间大小CGSize userNameSize=[status.userName sizeWithAttributes:@{NSFontAttributeName: [UIFont systemFontOfSize:kStatusTableViewCellUserNameFontSize]}];CGRect userNameRect=CGRectMake(userNameX, userNameY, userNameSize.width,userNameSize.height);_userName.text=status.userName;_userName.frame=userNameRect;//设置会员图标大小和位置CGFloat mbTypeX=CGRectGetMaxX(_userName.frame)+kStatusTableViewCellControlSpacing;CGFloat mbTypeY=avatarY;CGRect mbTypeRect=CGRectMake(mbTypeX, mbTypeY, kStatusTableViewCellMbTypeWidth, kStatusTableViewCellMbTypeHeight);_mbType.image=[UIImage imageNamed:status.mbtype];_mbType.frame=mbTypeRect;//设置发布日期大小和位置CGSize createAtSize=[status.createdAt sizeWithAttributes:@{NSFontAttributeName:[UIFont systemFontOfSize:kStatusTableViewCellCreateAtFontSize]}];CGFloat createAtX=userNameX;CGFloat createAtY=CGRectGetMaxY(_avatar.frame)-createAtSize.height;CGRect createAtRect=CGRectMake(createAtX, createAtY, createAtSize.width, createAtSize.height);_createAt.text=status.createdAt;_createAt.frame=createAtRect;//设置设备信息大小和位置CGSize sourceSize=[status.source sizeWithAttributes:@{NSFontAttributeName:[UIFont systemFontOfSize:kStatusTableViewCellSourceFontSize]}];CGFloat sourceX=CGRectGetMaxX(_createAt.frame)+kStatusTableViewCellControlSpacing;CGFloat sourceY=createAtY;CGRect sourceRect=CGRectMake(sourceX, sourceY, sourceSize.width,sourceSize.height);_source.text=status.source;_source.frame=sourceRect;//设置微博内容大小和位置CGFloat textX=avatarX;CGFloat textY=CGRectGetMaxY(_avatar.frame)+kStatusTableViewCellControlSpacing;CGFloat textWidth=self.frame.size.width-kStatusTableViewCellControlSpacing*2;CGSize textSize=[status.text boundingRectWithSize:CGSizeMake(textWidth, MAXFLOAT) options:NSStringDrawingUsesLineFragmentOrigin attributes:@{NSFontAttributeName: [UIFont systemFontOfSize:kStatusTableViewCellTextFontSize]} context:nil].size;CGRect textRect=CGRectMake(textX, textY, textSize.width, textSize.height);_text.text=status.text;_text.frame=textRect;_height=CGRectGetMaxY(_text.frame)+kStatusTableViewCellControlSpacing;
}#pragma mark 重写选择事件,取消选中
-(void)setSelected:(BOOL)selected animated:(BOOL)animated{}
@end

这是我们自定义Cell这个例子的核心,自定义Cell分为两个步骤:首先要进行各种控件的初始化工作,这个过程中只要将控件放到Cell的View中同时设置控件显示内容的格式(字体大小、颜色等)即可;然后在数据对象设置方法中进行各个控件的布局(大小、位置)。在代码中有几点需要重点提示大家:

  • 对于单行文本数据的显示调用- (CGSize)sizeWithAttributes:(NSDictionary *)attrs;方法来得到文本宽度和高度。
  • 对于多行文本数据的显示调用- (CGRect)boundingRectWithSize:(CGSize)size options:(NSStringDrawingOptions)options attributes:(NSDictionary *)attributes context:(NSStringDrawingContext *)context ;方法来得到文本宽度和高度;同时注意在此之前需要设置文本控件的numberOfLines属性为0。
  • 通常我们会在自定义Cell中设置一个高度属性,用于外界方法调用,因为Cell内部设置Cell的高度是没有用的,UITableViewCell在初始化时会重新设置高度。

3.最后我们看一下自定义Cell的使用过程:

KCStatusViewController.m

//
//  KCCutomCellViewController.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCStatusCellViewController.h"
#import "KCStatus.h"
#import "KCStatusTableViewCell.h"@interface KCStatusCellViewController ()<UITableViewDataSource,UITableViewDelegate,UIAlertViewDelegate>{UITableView *_tableView;NSMutableArray *_status;NSMutableArray *_statusCells;//存储cell,用于计算高度
}
@end@implementation KCStatusCellViewController
- (void)viewDidLoad {[super viewDidLoad];//初始化数据[self initData];//创建一个分组样式的UITableView_tableView=[[UITableView alloc]initWithFrame:self.view.bounds style:UITableViewStyleGrouped];//设置数据源,注意必须实现对应的UITableViewDataSource协议_tableView.dataSource=self;//设置代理_tableView.delegate=self;[self.view addSubview:_tableView];
}#pragma mark 加载数据
-(void)initData{NSString *path=[[NSBundle mainBundle] pathForResource:@"StatusInfo" ofType:@"plist"];NSArray *array=[NSArray arrayWithContentsOfFile:path];_status=[[NSMutableArray alloc]init];_statusCells=[[NSMutableArray alloc]init];[array enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {[_status addObject:[KCStatus statusWithDictionary:obj]];KCStatusTableViewCell *cell=[[KCStatusTableViewCell alloc]init];[_statusCells addObject:cell];}];
}
#pragma mark - 数据源方法
#pragma mark 返回分组数
-(NSInteger)numberOfSectionsInTableView:(UITableView *)tableView{return 1;
}#pragma mark 返回每组行数
-(NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section{return _status.count;
}#pragma mark返回每行的单元格
-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{static NSString *cellIdentifier=@"UITableViewCellIdentifierKey1";KCStatusTableViewCell *cell;cell=[tableView dequeueReusableCellWithIdentifier:cellIdentifier];if(!cell){cell=[[KCStatusTableViewCell alloc]initWithStyle:UITableViewCellStyleDefault reuseIdentifier:cellIdentifier];}//在此设置微博,以便重新布局KCStatus *status=_status[indexPath.row];cell.status=status;return cell;
}#pragma mark - 代理方法
#pragma mark 重新设置单元格高度
-(CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath{//KCStatusTableViewCell *cell=[tableView cellForRowAtIndexPath:indexPath];KCStatusTableViewCell *cell= _statusCells[indexPath.row];cell.status=_status[indexPath.row];return cell.height;
}#pragma mark 重写状态样式方法
-(UIStatusBarStyle)preferredStatusBarStyle{return UIStatusBarStyleLightContent;
}
@end

这个类中需要重点强调一下:Cell的高度需要重新设置(前面说过无论Cell内部设置多高都没有用,需要重新设置),这里采用的方法是首先创建对应的Cell,然后在- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath;方法中设置微博数据计算高度通知UITableView。

最后我们看一下运行的效果:

常用操作

UITableView和UITableViewCell提供了强大的操作功能,这一节中会重点讨论删除、增加、排序等操作。为了方便演示我们还是在之前的通讯录的基础上演示,在此之前先来给视图控制器添加一个工具条,在工具条左侧放一个删除按钮,右侧放一个添加按钮:

#pragma mark 添加工具栏
-(void)addToolbar{CGRect frame=self.view.frame;_toolbar=[[UIToolbar alloc]initWithFrame:CGRectMake(0, 0, frame.size.width, kContactToolbarHeight)];//    _toolbar.backgroundColor=[UIColor colorWithHue:246/255.0 saturation:246/255.0 brightness:246/255.0 alpha:1];[self.view addSubview:_toolbar];UIBarButtonItem *removeButton=[[UIBarButtonItem alloc]initWithBarButtonSystemItem:UIBarButtonSystemItemTrash target:self action:@selector(remove)];UIBarButtonItem *flexibleButton=[[UIBarButtonItem alloc]initWithBarButtonSystemItem:UIBarButtonSystemItemFlexibleSpace target:nil action:nil];UIBarButtonItem *addButton=[[UIBarButtonItem alloc]initWithBarButtonSystemItem:UIBarButtonSystemItemAdd target:self action:@selector(add)];NSArray *buttonArray=[NSArray arrayWithObjects:removeButton,flexibleButton,addButton, nil];_toolbar.items=buttonArray;
}

1.删除

在UITableView中无论是删除操作还是添加操作都是通过修改UITableView的编辑状态来改变的(除非你不用UITableView自带的删除功能)。在删除按钮中我们设置UITableView的编辑状态:

#pragma mark 删除
-(void)remove{//直接通过下面的方法设置编辑状态没有动画//_tableView.editing=!_tableView.isEditing;[_tableView setEditing:!_tableView.isEditing animated:true];
}

点击删除按钮会在Cell的左侧显示删除按钮:

此时点击左侧删除图标右侧出现删除:

用过iOS的朋友都知道,一般这种Cell如果向左滑动右侧就会出现删除按钮直接删除就可以了。其实实现这个功能只要实现代理-(void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath;方法,只要实现了此方法向左滑动就会显示删除按钮。只要点击删除按钮这个方法就会调用,但是需要注意的是无论是删除还是添加都是执行这个方法,只是第二个参数类型不同。下面看一下具体的删除实现:

#pragma mark 删除操作
//实现了此方法向左滑动就会显示删除按钮
-(void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath{KCContactGroup *group =_contacts[indexPath.section];KCContact *contact=group.contacts[indexPath.row];if (editingStyle==UITableViewCellEditingStyleDelete) {[group.contacts removeObject:contact];//考虑到性能这里不建议使用reloadData//[tableView reloadData];//使用下面的方法既可以局部刷新又有动画效果[tableView deleteRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationBottom];//如果当前组中没有数据则移除组刷新整个表格if (group.contacts.count==0) {[_contacts removeObject:group];[tableView reloadData];}}
}

从这段代码我们再次看到了MVC的思想,要修改UI先修改数据。而且我们看到了另一个刷新表格的方法- (void)deleteRowsAtIndexPaths:(NSArray *)indexPaths withRowAnimation:(UITableViewRowAnimation)animation;,使用这个方法可以再删除之后刷新对应的单元格。效果如下:

2.添加

添加和删除操作都是设置UITableView的编辑状态,具体是添加还是删除需要根据代理方法-(UITableViewCellEditingStyle)tableView:(UITableView *)tableView editingStyleForRowAtIndexPath:(NSIndexPath *)indexPath;的返回值来确定。因此这里我们定义一个变量来记录点击了哪个按钮,根据点击按钮的不同在这个方法中返回不同的值。

#pragma mark 取得当前操作状态,根据不同的状态左侧出现不同的操作按钮
-(UITableViewCellEditingStyle)tableView:(UITableView *)tableView editingStyleForRowAtIndexPath:(NSIndexPath *)indexPath{if (_isInsert) {return UITableViewCellEditingStyleInsert;}return UITableViewCellEditingStyleDelete;
}#pragma mark 编辑操作(删除或添加)
//实现了此方法向左滑动就会显示删除(或添加)图标
-(void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath{KCContactGroup *group =_contacts[indexPath.section];KCContact *contact=group.contacts[indexPath.row];if (editingStyle==UITableViewCellEditingStyleDelete) {[group.contacts removeObject:contact];//考虑到性能这里不建议使用reloadData//[tableView reloadData];//使用下面的方法既可以局部刷新又有动画效果[tableView deleteRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationBottom];//如果当前组中没有数据则移除组刷新整个表格if (group.contacts.count==0) {[_contacts removeObject:group];[tableView reloadData];}}else if(editingStyle==UITableViewCellEditingStyleInsert){KCContact *newContact=[[KCContact alloc]init];newContact.firstName=@"first";newContact.lastName=@"last";newContact.phoneNumber=@"12345678901";[group.contacts insertObject:newContact atIndex:indexPath.row];[tableView insertRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationBottom];//注意这里没有使用reladData刷新}
}

运行效果:

3.排序

只要实现-(void)tableView:(UITableView *)tableView moveRowAtIndexPath:(NSIndexPath *)sourceIndexPath toIndexPath:(NSIndexPath *)destinationIndexPath;代理方法当UITableView处于编辑状态时就可以排序。

#pragma mark 排序
//只要实现这个方法在编辑状态右侧就有排序图标
-(void)tableView:(UITableView *)tableView moveRowAtIndexPath:(NSIndexPath *)sourceIndexPath toIndexPath:(NSIndexPath *)destinationIndexPath{KCContactGroup *sourceGroup =_contacts[sourceIndexPath.section];KCContact *sourceContact=sourceGroup.contacts[sourceIndexPath.row];KCContactGroup *destinationGroup =_contacts[destinationIndexPath.section];[sourceGroup.contacts removeObject:sourceContact];if(sourceGroup.contacts.count==0){[_contacts removeObject:sourceGroup];[tableView reloadData];}[destinationGroup.contacts insertObject:sourceContact atIndex:destinationIndexPath.row];}

运行效果:

最后给大家附上上面几种操作的完整代码:

//
//  KCContactViewController.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCContactViewController.h"
#import "KCContact.h"
#import "KCContactGroup.h"
#define kContactToolbarHeight 44@interface KCContactViewController ()<UITableViewDataSource,UITableViewDelegate,UIAlertViewDelegate>{UITableView *_tableView;UIToolbar *_toolbar;NSMutableArray *_contacts;//联系人模型NSIndexPath *_selectedIndexPath;//当前选中的组和行BOOL _isInsert;//记录是点击了插入还是删除按钮
}@end@implementation KCContactViewController- (void)viewDidLoad {[super viewDidLoad];//初始化数据[self initData];//创建一个分组样式的UITableView_tableView=[[UITableView alloc]initWithFrame:self.view.bounds style:UITableViewStyleGrouped];_tableView.contentInset=UIEdgeInsetsMake(kContactToolbarHeight, 0, 0, 0);[self.view addSubview:_tableView];//添加工具栏[self addToolbar];//设置数据源,注意必须实现对应的UITableViewDataSource协议_tableView.dataSource=self;//设置代理_tableView.delegate=self;}#pragma mark 加载数据
-(void)initData{_contacts=[[NSMutableArray alloc]init];KCContact *contact1=[KCContact initWithFirstName:@"Cui" andLastName:@"Kenshin" andPhoneNumber:@"18500131234"];KCContact *contact2=[KCContact initWithFirstName:@"Cui" andLastName:@"Tom" andPhoneNumber:@"18500131237"];KCContactGroup *group1=[KCContactGroup initWithName:@"C" andDetail:@"With names beginning with C" andContacts:[NSMutableArray arrayWithObjects:contact1,contact2, nil]];[_contacts addObject:group1];KCContact *contact3=[KCContact initWithFirstName:@"Lee" andLastName:@"Terry" andPhoneNumber:@"18500131238"];KCContact *contact4=[KCContact initWithFirstName:@"Lee" andLastName:@"Jack" andPhoneNumber:@"18500131239"];KCContact *contact5=[KCContact initWithFirstName:@"Lee" andLastName:@"Rose" andPhoneNumber:@"18500131240"];KCContactGroup *group2=[KCContactGroup initWithName:@"L" andDetail:@"With names beginning with L" andContacts:[NSMutableArray arrayWithObjects:contact3,contact4,contact5, nil]];[_contacts addObject:group2];KCContact *contact6=[KCContact initWithFirstName:@"Sun" andLastName:@"Kaoru" andPhoneNumber:@"18500131235"];KCContact *contact7=[KCContact initWithFirstName:@"Sun" andLastName:@"Rosa" andPhoneNumber:@"18500131236"];KCContactGroup *group3=[KCContactGroup initWithName:@"S" andDetail:@"With names beginning with S" andContacts:[NSMutableArray arrayWithObjects:contact6,contact7, nil]];[_contacts addObject:group3];KCContact *contact8=[KCContact initWithFirstName:@"Wang" andLastName:@"Stephone" andPhoneNumber:@"18500131241"];KCContact *contact9=[KCContact initWithFirstName:@"Wang" andLastName:@"Lucy" andPhoneNumber:@"18500131242"];KCContact *contact10=[KCContact initWithFirstName:@"Wang" andLastName:@"Lily" andPhoneNumber:@"18500131243"];KCContact *contact11=[KCContact initWithFirstName:@"Wang" andLastName:@"Emily" andPhoneNumber:@"18500131244"];KCContact *contact12=[KCContact initWithFirstName:@"Wang" andLastName:@"Andy" andPhoneNumber:@"18500131245"];KCContactGroup *group4=[KCContactGroup initWithName:@"W" andDetail:@"With names beginning with W" andContacts:[NSMutableArray arrayWithObjects:contact8,contact9,contact10,contact11,contact12, nil]];[_contacts addObject:group4];KCContact *contact13=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joy" andPhoneNumber:@"18500131246"];KCContact *contact14=[KCContact initWithFirstName:@"Zhang" andLastName:@"Vivan" andPhoneNumber:@"18500131247"];KCContact *contact15=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joyse" andPhoneNumber:@"18500131248"];KCContactGroup *group5=[KCContactGroup initWithName:@"Z" andDetail:@"With names beginning with Z" andContacts:[NSMutableArray arrayWithObjects:contact13,contact14,contact15, nil]];[_contacts addObject:group5];}#pragma mark 添加工具栏
-(void)addToolbar{CGRect frame=self.view.frame;_toolbar=[[UIToolbar alloc]initWithFrame:CGRectMake(0, 0, frame.size.width, kContactToolbarHeight)];//    _toolbar.backgroundColor=[UIColor colorWithHue:246/255.0 saturation:246/255.0 brightness:246/255.0 alpha:1];[self.view addSubview:_toolbar];UIBarButtonItem *removeButton=[[UIBarButtonItem alloc]initWithBarButtonSystemItem:UIBarButtonSystemItemTrash target:self action:@selector(remove)];UIBarButtonItem *flexibleButton=[[UIBarButtonItem alloc]initWithBarButtonSystemItem:UIBarButtonSystemItemFlexibleSpace target:nil action:nil];UIBarButtonItem *addButton=[[UIBarButtonItem alloc]initWithBarButtonSystemItem:UIBarButtonSystemItemAdd target:self action:@selector(add)];NSArray *buttonArray=[NSArray arrayWithObjects:removeButton,flexibleButton,addButton, nil];_toolbar.items=buttonArray;
}
#pragma mark 删除
-(void)remove{//直接通过下面的方法设置编辑状态没有动画//_tableView.editing=!_tableView.isEditing;_isInsert=false;[_tableView setEditing:!_tableView.isEditing animated:true];
}
#pragma mark 添加
-(void)add{_isInsert=true;[_tableView setEditing:!_tableView.isEditing animated:true];
}#pragma mark - 数据源方法
#pragma mark 返回分组数
-(NSInteger)numberOfSectionsInTableView:(UITableView *)tableView{return _contacts.count;
}#pragma mark 返回每组行数
-(NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section{KCContactGroup *group1=_contacts[section];return group1.contacts.count;
}#pragma mark返回每行的单元格
-(UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath{//NSIndexPath是一个对象,记录了组和行信息KCContactGroup *group=_contacts[indexPath.section];KCContact *contact=group.contacts[indexPath.row];static NSString *cellIdentifier=@"UITableViewCellIdentifierKey1";//首先根据标识去缓存池取UITableViewCell *cell=[tableView dequeueReusableCellWithIdentifier:cellIdentifier];//如果缓存池没有取到则重新创建并放到缓存池中if(!cell){cell=[[UITableViewCell alloc]initWithStyle:UITableViewCellStyleValue1 reuseIdentifier:cellIdentifier];}cell.textLabel.text=[contact getName];cell.detailTextLabel.text=contact.phoneNumber;return cell;
}#pragma mark - 代理方法
#pragma mark 设置分组标题
-(NSString *)tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger)section{KCContactGroup *group=_contacts[section];return group.name;
}#pragma mark 编辑操作(删除或添加)
//实现了此方法向左滑动就会显示删除(或添加)图标
-(void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath{KCContactGroup *group =_contacts[indexPath.section];KCContact *contact=group.contacts[indexPath.row];if (editingStyle==UITableViewCellEditingStyleDelete) {[group.contacts removeObject:contact];//考虑到性能这里不建议使用reloadData//[tableView reloadData];//使用下面的方法既可以局部刷新又有动画效果[tableView deleteRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationBottom];//如果当前组中没有数据则移除组刷新整个表格if (group.contacts.count==0) {[_contacts removeObject:group];[tableView reloadData];}}else if(editingStyle==UITableViewCellEditingStyleInsert){KCContact *newContact=[[KCContact alloc]init];newContact.firstName=@"first";newContact.lastName=@"last";newContact.phoneNumber=@"12345678901";[group.contacts insertObject:newContact atIndex:indexPath.row];[tableView insertRowsAtIndexPaths:@[indexPath] withRowAnimation:UITableViewRowAnimationBottom];//注意这里没有使用reladData刷新}
}#pragma mark 排序
//只要实现这个方法在编辑状态右侧就有排序图标
-(void)tableView:(UITableView *)tableView moveRowAtIndexPath:(NSIndexPath *)sourceIndexPath toIndexPath:(NSIndexPath *)destinationIndexPath{KCContactGroup *sourceGroup =_contacts[sourceIndexPath.section];KCContact *sourceContact=sourceGroup.contacts[sourceIndexPath.row];KCContactGroup *destinationGroup =_contacts[destinationIndexPath.section];[sourceGroup.contacts removeObject:sourceContact];[destinationGroup.contacts insertObject:sourceContact atIndex:destinationIndexPath.row];if(sourceGroup.contacts.count==0){[_contacts removeObject:sourceGroup];[tableView reloadData];}
}#pragma mark 取得当前操作状态,根据不同的状态左侧出现不同的操作按钮
-(UITableViewCellEditingStyle)tableView:(UITableView *)tableView editingStyleForRowAtIndexPath:(NSIndexPath *)indexPath{if (_isInsert) {return UITableViewCellEditingStyleInsert;}return UITableViewCellEditingStyleDelete;
}#pragma mark 重写状态样式方法
-(UIStatusBarStyle)preferredStatusBarStyle{return UIStatusBarStyleLightContent;
}@end

通过前面的演示这里简单总结一些UITableView的刷新方法:

- (void)reloadData;刷新整个表格。

- (void)reloadRowsAtIndexPaths:(NSArray *)indexPaths withRowAnimation:(UITableViewRowAnimation)animation NS_AVAILABLE_IOS(3_0);刷新指定的分组和行。

- (void)reloadSections:(NSIndexSet *)sections withRowAnimation:(UITableViewRowAnimation)animation NS_AVAILABLE_IOS(3_0);刷新指定的分组。

- (void)deleteRowsAtIndexPaths:(NSArray *)indexPaths withRowAnimation:(UITableViewRowAnimation)animation;删除时刷新指定的行数据。

- (void)insertRowsAtIndexPaths:(NSArray *)indexPaths withRowAnimation:(UITableViewRowAnimation)animation;添加时刷新指定的行数据。

UITableViewController

很多时候一个UIViewController中只有一个UITableView,因此苹果官方为了方便大家开发直接提供了一个UITableViewController,这个控制器 UITableViewController实现了UITableView数据源和代理协议,内部定义了一个tableView属性供外部访问,同时自动铺满整个屏幕、自动伸缩以方便我们的开发。当然UITableViewController也并不是简单的帮我们定义完UITableView并且设置了数据源、代理而已,它还有其他强大的功能,例如刷新控件、滚动过程中固定分组标题等。

有时候一个表格中的数据特别多,检索起来就显得麻烦,这个时候可以实现一个搜索功能帮助用户查找数据,其实搜索的原理很简单:修改模型、刷新表格。下面使用UITableViewController简单演示一下这个功能:

//
//  KCContactTableViewController.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCContactTableViewController.h"
#import "KCContact.h"
#import "KCContactGroup.h"
#define kSearchbarHeight 44@interface KCContactTableViewController ()<UISearchBarDelegate>{UITableView *_tableView;UISearchBar *_searchBar;//UISearchDisplayController *_searchDisplayController;NSMutableArray *_contacts;//联系人模型NSMutableArray *_searchContacts;//符合条件的搜索联系人BOOL _isSearching;
}
@end@implementation KCContactTableViewController- (void)viewDidLoad {[super viewDidLoad];//初始化数据[self initData];//添加搜索框[self addSearchBar];}#pragma mark - 数据源方法- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView {if (_isSearching) {return 1;}return _contacts.count;;
}- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {if (_isSearching) {return _searchContacts.count;}KCContactGroup *group1=_contacts[section];return group1.contacts.count;
}- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {KCContact *contact=nil;if (_isSearching) {contact=_searchContacts[indexPath.row];}else{KCContactGroup *group=_contacts[indexPath.section];contact=group.contacts[indexPath.row];}static NSString *cellIdentifier=@"UITableViewCellIdentifierKey1";//首先根据标识去缓存池取UITableViewCell *cell=[tableView dequeueReusableCellWithIdentifier:cellIdentifier];//如果缓存池没有取到则重新创建并放到缓存池中if(!cell){cell=[[UITableViewCell alloc]initWithStyle:UITableViewCellStyleValue1 reuseIdentifier:cellIdentifier];}cell.textLabel.text=[contact getName];cell.detailTextLabel.text=contact.phoneNumber;return cell;
}#pragma mark - 代理方法
#pragma mark 设置分组标题
-(NSString *)tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger)section{KCContactGroup *group=_contacts[section];return group.name;
}#pragma mark - 搜索框代理
#pragma mark  取消搜索
-(void)searchBarCancelButtonClicked:(UISearchBar *)searchBar{_isSearching=NO;_searchBar.text=@"";[self.tableView reloadData];
}#pragma mark 输入搜索关键字
-(void)searchBar:(UISearchBar *)searchBar textDidChange:(NSString *)searchText{if([_searchBar.text isEqual:@""]){_isSearching=NO;[self.tableView reloadData];return;}[self searchDataWithKeyWord:_searchBar.text];
}#pragma mark 点击虚拟键盘上的搜索时
-(void)searchBarSearchButtonClicked:(UISearchBar *)searchBar{[self searchDataWithKeyWord:_searchBar.text];[_searchBar resignFirstResponder];//放弃第一响应者对象,关闭虚拟键盘
}#pragma mark 重写状态样式方法
-(UIStatusBarStyle)preferredStatusBarStyle{return UIStatusBarStyleLightContent;
}#pragma mark 加载数据
-(void)initData{_contacts=[[NSMutableArray alloc]init];KCContact *contact1=[KCContact initWithFirstName:@"Cui" andLastName:@"Kenshin" andPhoneNumber:@"18500131234"];KCContact *contact2=[KCContact initWithFirstName:@"Cui" andLastName:@"Tom" andPhoneNumber:@"18500131237"];KCContactGroup *group1=[KCContactGroup initWithName:@"C" andDetail:@"With names beginning with C" andContacts:[NSMutableArray arrayWithObjects:contact1,contact2, nil]];[_contacts addObject:group1];KCContact *contact3=[KCContact initWithFirstName:@"Lee" andLastName:@"Terry" andPhoneNumber:@"18500131238"];KCContact *contact4=[KCContact initWithFirstName:@"Lee" andLastName:@"Jack" andPhoneNumber:@"18500131239"];KCContact *contact5=[KCContact initWithFirstName:@"Lee" andLastName:@"Rose" andPhoneNumber:@"18500131240"];KCContactGroup *group2=[KCContactGroup initWithName:@"L" andDetail:@"With names beginning with L" andContacts:[NSMutableArray arrayWithObjects:contact3,contact4,contact5, nil]];[_contacts addObject:group2];KCContact *contact6=[KCContact initWithFirstName:@"Sun" andLastName:@"Kaoru" andPhoneNumber:@"18500131235"];KCContact *contact7=[KCContact initWithFirstName:@"Sun" andLastName:@"Rosa" andPhoneNumber:@"18500131236"];KCContactGroup *group3=[KCContactGroup initWithName:@"S" andDetail:@"With names beginning with S" andContacts:[NSMutableArray arrayWithObjects:contact6,contact7, nil]];[_contacts addObject:group3];KCContact *contact8=[KCContact initWithFirstName:@"Wang" andLastName:@"Stephone" andPhoneNumber:@"18500131241"];KCContact *contact9=[KCContact initWithFirstName:@"Wang" andLastName:@"Lucy" andPhoneNumber:@"18500131242"];KCContact *contact10=[KCContact initWithFirstName:@"Wang" andLastName:@"Lily" andPhoneNumber:@"18500131243"];KCContact *contact11=[KCContact initWithFirstName:@"Wang" andLastName:@"Emily" andPhoneNumber:@"18500131244"];KCContact *contact12=[KCContact initWithFirstName:@"Wang" andLastName:@"Andy" andPhoneNumber:@"18500131245"];KCContactGroup *group4=[KCContactGroup initWithName:@"W" andDetail:@"With names beginning with W" andContacts:[NSMutableArray arrayWithObjects:contact8,contact9,contact10,contact11,contact12, nil]];[_contacts addObject:group4];KCContact *contact13=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joy" andPhoneNumber:@"18500131246"];KCContact *contact14=[KCContact initWithFirstName:@"Zhang" andLastName:@"Vivan" andPhoneNumber:@"18500131247"];KCContact *contact15=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joyse" andPhoneNumber:@"18500131248"];KCContactGroup *group5=[KCContactGroup initWithName:@"Z" andDetail:@"With names beginning with Z" andContacts:[NSMutableArray arrayWithObjects:contact13,contact14,contact15, nil]];[_contacts addObject:group5];}#pragma mark 搜索形成新数据
-(void)searchDataWithKeyWord:(NSString *)keyWord{_isSearching=YES;_searchContacts=[NSMutableArray array];[_contacts enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {KCContactGroup *group=obj;[group.contacts enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {KCContact *contact=obj;if ([contact.firstName.uppercaseString containsString:keyWord.uppercaseString]||[contact.lastName.uppercaseString containsString:keyWord.uppercaseString]||[contact.phoneNumber containsString:keyWord]) {[_searchContacts addObject:contact];}}];}];//刷新表格[self.tableView reloadData];
}#pragma mark 添加搜索栏
-(void)addSearchBar{CGRect searchBarRect=CGRectMake(0, 0, self.view.frame.size.width, kSearchbarHeight);_searchBar=[[UISearchBar alloc]initWithFrame:searchBarRect];_searchBar.placeholder=@"Please input key word...";//_searchBar.keyboardType=UIKeyboardTypeAlphabet;//键盘类型//_searchBar.autocorrectionType=UITextAutocorrectionTypeNo;//自动纠错类型//_searchBar.autocapitalizationType=UITextAutocapitalizationTypeNone;//哪一次shitf被自动按下_searchBar.showsCancelButton=YES;//显示取消按钮//添加搜索框到页眉位置_searchBar.delegate=self;self.tableView.tableHeaderView=_searchBar;
}@end

运行效果:

在上面的搜索中除了使用一个_contacts变量去保存联系人数据还专门定义了一个_searchContact变量用于保存搜索的结果。在输入搜索关键字时我们刷新了表格,此时会调用表格的数据源方法,在这个方法中我们根据定义的搜索状态去决定显示原始数据还是搜索结果。

我们发现每次搜索完后都需要手动刷新表格来显示搜索结果,而且当没有搜索关键字的时候还需要将当前的tableView重新设置为初始状态。也就是这个过程中我们要用一个tableView显示两种状态的不同数据,自然会提高程序逻辑复杂度。为了简化这个过程,我们可以使用UISearchDisplayController,UISearchDisplayController内部也有一个UITableView类型的对象searchResultsTableView,如果我们设置它的数据源代理为当前控制器,那么它完全可以像UITableView一样加载数据。同时它本身也有搜索监听的方法,我们不必在监听UISearchBar输入内容,直接使用它的方法即可自动刷新其内部表格。为了和前面的方法对比在下面的代码中没有直接删除原来的方式而是注释了对应代码大家可以对照学习:

//
//  KCContactTableViewController.m
//  UITableView
//
//  Created by Kenshin Cui on 14-3-1.
//  Copyright (c) 2014年 Kenshin Cui. All rights reserved.
//#import "KCContactTableViewControllerWithUISearchDisplayController.h"
#import "KCContact.h"
#import "KCContactGroup.h"
#define kSearchbarHeight 44@interface KCContactTableViewControllerWithUISearchDisplayController ()<UISearchBarDelegate,UISearchDisplayDelegate>{UITableView *_tableView;UISearchBar *_searchBar;UISearchDisplayController *_searchDisplayController;NSMutableArray *_contacts;//联系人模型NSMutableArray *_searchContacts;//符合条件的搜索联系人//BOOL _isSearching;
}
@end@implementation KCContactTableViewControllerWithUISearchDisplayController- (void)viewDidLoad {[super viewDidLoad];//初始化数据[self initData];//添加搜索框[self addSearchBar];}#pragma mark - 数据源方法- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView {
//    if (_isSearching) {
//        return 1;
//    }//如果当前是UISearchDisplayController内部的tableView则不分组if (tableView==self.searchDisplayController.searchResultsTableView) {return 1;}return _contacts.count;;
}- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
//    if (_isSearching) {
//        return _searchContacts.count;
//    }//如果当前是UISearchDisplayController内部的tableView则使用搜索数据if (tableView==self.searchDisplayController.searchResultsTableView) {return _searchContacts.count;}KCContactGroup *group1=_contacts[section];return group1.contacts.count;
}- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {KCContact *contact=nil;//    if (_isSearching) {
//        contact=_searchContacts[indexPath.row];
//    }else{
//        KCContactGroup *group=_contacts[indexPath.section];
//        contact=group.contacts[indexPath.row];
//    }//如果当前是UISearchDisplayController内部的tableView则使用搜索数据if (tableView==self.searchDisplayController.searchResultsTableView) {contact=_searchContacts[indexPath.row];}else{KCContactGroup *group=_contacts[indexPath.section];contact=group.contacts[indexPath.row];}static NSString *cellIdentifier=@"UITableViewCellIdentifierKey1";//首先根据标识去缓存池取UITableViewCell *cell=[tableView dequeueReusableCellWithIdentifier:cellIdentifier];//如果缓存池没有取到则重新创建并放到缓存池中if(!cell){cell=[[UITableViewCell alloc]initWithStyle:UITableViewCellStyleValue1 reuseIdentifier:cellIdentifier];}cell.textLabel.text=[contact getName];cell.detailTextLabel.text=contact.phoneNumber;return cell;
}#pragma mark - 代理方法
#pragma mark 设置分组标题
-(NSString *)tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger)section{if (tableView==self.searchDisplayController.searchResultsTableView) {return @"搜索结果";}KCContactGroup *group=_contacts[section];return group.name;
}
#pragma mark 选中之前
-(NSIndexPath *)tableView:(UITableView *)tableView willSelectRowAtIndexPath:(NSIndexPath *)indexPath{[_searchBar resignFirstResponder];//退出键盘return indexPath;
}#pragma mark - 搜索框代理
//#pragma mark  取消搜索
//-(void)searchBarCancelButtonClicked:(UISearchBar *)searchBar{
//    //_isSearching=NO;
//    _searchBar.text=@"";
//    //[self.tableView reloadData];
//    [_searchBar resignFirstResponder];
//}
//
//#pragma mark 输入搜索关键字
//-(void)searchBar:(UISearchBar *)searchBar textDidChange:(NSString *)searchText{
//    if([_searchBar.text isEqual:@""]){
//        //_isSearching=NO;
//        //[self.tableView reloadData];
//        return;
//    }
//    [self searchDataWithKeyWord:_searchBar.text];
//}//#pragma mark 点击虚拟键盘上的搜索时
//-(void)searchBarSearchButtonClicked:(UISearchBar *)searchBar{
//
//    [self searchDataWithKeyWord:_searchBar.text];
//
//    [_searchBar resignFirstResponder];//放弃第一响应者对象,关闭虚拟键盘
//}#pragma mark - UISearchDisplayController代理方法
-(BOOL)searchDisplayController:(UISearchDisplayController *)controller shouldReloadTableForSearchString:(NSString *)searchString{[self searchDataWithKeyWord:searchString];return YES;
}#pragma mark 重写状态样式方法
-(UIStatusBarStyle)preferredStatusBarStyle{return UIStatusBarStyleLightContent;
}#pragma mark 加载数据
-(void)initData{_contacts=[[NSMutableArray alloc]init];KCContact *contact1=[KCContact initWithFirstName:@"Cui" andLastName:@"Kenshin" andPhoneNumber:@"18500131234"];KCContact *contact2=[KCContact initWithFirstName:@"Cui" andLastName:@"Tom" andPhoneNumber:@"18500131237"];KCContactGroup *group1=[KCContactGroup initWithName:@"C" andDetail:@"With names beginning with C" andContacts:[NSMutableArray arrayWithObjects:contact1,contact2, nil]];[_contacts addObject:group1];KCContact *contact3=[KCContact initWithFirstName:@"Lee" andLastName:@"Terry" andPhoneNumber:@"18500131238"];KCContact *contact4=[KCContact initWithFirstName:@"Lee" andLastName:@"Jack" andPhoneNumber:@"18500131239"];KCContact *contact5=[KCContact initWithFirstName:@"Lee" andLastName:@"Rose" andPhoneNumber:@"18500131240"];KCContactGroup *group2=[KCContactGroup initWithName:@"L" andDetail:@"With names beginning with L" andContacts:[NSMutableArray arrayWithObjects:contact3,contact4,contact5, nil]];[_contacts addObject:group2];KCContact *contact6=[KCContact initWithFirstName:@"Sun" andLastName:@"Kaoru" andPhoneNumber:@"18500131235"];KCContact *contact7=[KCContact initWithFirstName:@"Sun" andLastName:@"Rosa" andPhoneNumber:@"18500131236"];KCContactGroup *group3=[KCContactGroup initWithName:@"S" andDetail:@"With names beginning with S" andContacts:[NSMutableArray arrayWithObjects:contact6,contact7, nil]];[_contacts addObject:group3];KCContact *contact8=[KCContact initWithFirstName:@"Wang" andLastName:@"Stephone" andPhoneNumber:@"18500131241"];KCContact *contact9=[KCContact initWithFirstName:@"Wang" andLastName:@"Lucy" andPhoneNumber:@"18500131242"];KCContact *contact10=[KCContact initWithFirstName:@"Wang" andLastName:@"Lily" andPhoneNumber:@"18500131243"];KCContact *contact11=[KCContact initWithFirstName:@"Wang" andLastName:@"Emily" andPhoneNumber:@"18500131244"];KCContact *contact12=[KCContact initWithFirstName:@"Wang" andLastName:@"Andy" andPhoneNumber:@"18500131245"];KCContactGroup *group4=[KCContactGroup initWithName:@"W" andDetail:@"With names beginning with W" andContacts:[NSMutableArray arrayWithObjects:contact8,contact9,contact10,contact11,contact12, nil]];[_contacts addObject:group4];KCContact *contact13=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joy" andPhoneNumber:@"18500131246"];KCContact *contact14=[KCContact initWithFirstName:@"Zhang" andLastName:@"Vivan" andPhoneNumber:@"18500131247"];KCContact *contact15=[KCContact initWithFirstName:@"Zhang" andLastName:@"Joyse" andPhoneNumber:@"18500131248"];KCContactGroup *group5=[KCContactGroup initWithName:@"Z" andDetail:@"With names beginning with Z" andContacts:[NSMutableArray arrayWithObjects:contact13,contact14,contact15, nil]];[_contacts addObject:group5];}#pragma mark 搜索形成新数据-(void)searchDataWithKeyWord:(NSString *)keyWord{//_isSearching=YES;_searchContacts=[NSMutableArray array];[_contacts enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {KCContactGroup *group=obj;[group.contacts enumerateObjectsUsingBlock:^(id obj, NSUInteger idx, BOOL *stop) {KCContact *contact=obj;if ([contact.firstName.uppercaseString containsString:keyWord.uppercaseString]||[contact.lastName.uppercaseString containsString:keyWord.uppercaseString]||[contact.phoneNumber containsString:keyWord]) {[_searchContacts addObject:contact];}}];}];//刷新表格//[self.tableView reloadData];
}#pragma mark 添加搜索栏
-(void)addSearchBar{_searchBar=[[UISearchBar alloc]init];[_searchBar sizeToFit];//大小自适应容器_searchBar.placeholder=@"Please input key word...";_searchBar.autocapitalizationType=UITextAutocapitalizationTypeNone;_searchBar.showsCancelButton=YES;//显示取消按钮//添加搜索框到页眉位置_searchBar.delegate=self;self.tableView.tableHeaderView=_searchBar;_searchDisplayController=[[UISearchDisplayController alloc]initWithSearchBar:_searchBar contentsController:self];_searchDisplayController.delegate=self;_searchDisplayController.searchResultsDataSource=self;_searchDisplayController.searchResultsDelegate=self;[_searchDisplayController setActive:NO animated:YES];}@end

运行效果:

注意如果使用Storyboard或xib方式创建上述代码则无需定义UISearchDisplayController成员变量,因为每个UIViewController中已经有一个searchDisplayController对象。

MVC模式

通过UITableView的学习相信大家对于iOS的MVC已经有一个大致的了解,这里简单的分析一下iOS中MVC模式的设计方式。在iOS中多数数据源视图控件(View)都有一个dataSource属性用于和控制器(Controller)交互,而数据来源我们一般会以数据模型(Model)的形式进行定义,View不直接和模型交互,而是通过Controller间接读取数据。

就拿前面的联系人应用举例,UITableView作为视图(View)并不能直接访问模型Contact,它要显示联系人信息只能通过控制器(Controller)来提供数据源方法。同样的控制器本身就拥有视图控件,可以操作视图,也就是说视图和控制器之间可以互相访问。而模型既不能访问视图也不能访问控制器。具体依赖关系如下图:

源代码下载

本作品采用知识共享署名 2.5 中国大陆许可协议进行许可,欢迎转载,演绎或用于商业目的。但转载请注明来自崔江涛(KenshinCui),并包含相关链接。
好文要顶 关注我 收藏该文  

KenshinCui
关注 - 3
粉丝 - 2851

荣誉:推荐博客
+加关注

133
2
(请您对文章做出评价)

« 上一篇:iOS开发系列--无限循环的图片浏览器
» 下一篇:iOS开发系列--视图切换

  • 分类: IOS
  • 标签: UITableView, UITableViewCell, UITableViewController, MVC
< Prev12

ADD YOUR COMMENT

  1. #51楼 lantern  2015-05-31 11:54
    博主我有个疑问,我之前自定义cell时,子控件都是添加到cell的contentView里面的,而你这里直接加到cell里面。是博主笔误,还是真的可以这样写?有什么异同呢?
    支持(4)反对(0)
  2. #52楼 遍历博客园  2015-05-31 21:11
    从前面介绍 ios 开始看起.
    博主更多的是通过纯代码来创建界面.
    看了你写的,真是受益匪浅..
    支持(0)反对(0)
  3. #53楼 lqios  2015-06-01 15:55
    学习了
    支持(0)反对(0)
  4. #54楼 languis  2015-06-04 17:43
    写得太棒了
    支持(0)反对(0)
  5. #55楼 乔乔乔乔乔  2015-06-17 16:06
    楼主好人,写的太详细了
    支持(0)反对(0)
  6. #56楼 痞子胡先生  2015-06-22 13:49
    写得真心好,楼主加油,希望能再接再励!
    支持(0)反对(0)
  7. #57楼 Y蓝天Y  2015-07-10 20:10
    这几天正在学TABVIEW,楼主写得真的好详细 啊。。
    支持(0)反对(0)
  8. #58楼 文武bin  2015-07-13 16:49
    楼主你好,有个问题请问下,按照你的做法,数据源那些做完后运行效果是和你一样没有显示电话号码的,再加上sectionIndexTitlesForTableView后看到你这边运行起来直接显示电话号码了,我这边还是没显示,其中是不是漏掉了什么步骤啊?sectionIndexTitlesForTableView应该只是添加索引啊
    支持(1)反对(0)
  9. #59楼 文武bin  2015-07-13 16:53
    接上面的留言,找到问题了,原来是UITableViewCell的style不能用默认的,改一下就好了
    支持(0)反对(0)
  10. #60楼 pheromone程序猿  2015-07-16 22:33
    顶.谢谢...
    支持(0)反对(0)
  11. #61楼 钊哥  2015-07-21 16:51
    博主,为什么还要在定义一个_statusCells数组呢? 实际上只需要

    1
    2
    3
    4
    5
    -(CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath{
        KCStatusTableViewCell *cell=[KCStatusTableViewCell alloc] init;
        cell.status=_status[indexPath.row];
        return cell.height;
    }

    支持(0)反对(0)
  12. #62楼 乌拉小考  2015-07-22 15:24
    博主,最新的群也满了,请问还有吗,谢谢
    支持(0)反对(0)
  13. #63楼 starnight_cyber  2015-08-10 14:28
    有难度啊,不过写的很好!
    支持(0)反对(0)
  14. #64楼[楼主] KenshinCui  2015-08-10 14:57
    @乌拉小考
    已经创建新群,欢迎加入!
    支持(0)反对(0)
  15. #65楼[楼主] KenshinCui  2015-08-10 14:58
    @Hi-blog
    如果觉得有难度的话建议你从这个系列的入门开始看,多运行一下示例代码。
    支持(0)反对(0)
  16. #66楼 starnight_cyber  2015-08-10 15:24
    @KenshinCui
    你好:
    从最初的文章开始我都认真看过了,前面的C语言和Objective-C中除了Foundation框架那篇博文中部分代码没有运行成功,所有的代码都是手敲输入运行的。而且期间还看了两本入门的书籍,不知道博主可否推荐两本书配合学习。
    但是到了IOS那部分,感觉就比较困难,感觉一下子有很多的概念出来,很之前没有学习相关的内容,而且我还比较讨厌Objective-C的语法,哈哈。
    我想我还会再认真读读您的文章,理解一下代码的,多谢。
    支持(0)反对(0)
  17. #67楼 然然爱楠楠  2015-08-10 19:47
    博主能否把qq群发一下 谢谢
    支持(0)反对(0)
  18. #68楼[楼主] KenshinCui  2015-08-10 20:57
    @然然爱楠楠
    471538952
    支持(0)反对(0)
  19. #69楼 leixiang  2015-08-12 10:46
    感谢楼主的分享,好人一生平安
    支持(0)反对(0)
  20. #70楼 AlexLearnsToCode  2015-08-15 20:09
    楼主,我在模拟器里选择行的时候, alertView就是出不来,好奇怪,在didSelectRow事件打断点,然后再运行选择行,根本就没进入断点啊
    支持(0)反对(0)
  21. #71楼[楼主] KenshinCui  2015-08-17 10:46
    @AlexLearnsToCode
    那你需要检查代理是否设置,事件名称是否正确。。。
    支持(0)反对(0)
  22. #72楼 AlexLearnsToCode  2015-08-18 16:49
    @KenshinCui
    代理是否设置是指是否遵从哪几个协议吗?方法应该不会错,我都是写了一点联想出来的。
    还有个问题,博主,我按照你的教程走到添加时候发现,editingStyleForRowAtIndexpath这个重写之后根本程序就没进去,每次都是默认删除的UITableViewCellStyleDelete出来。。。快崩溃了
    支持(0)反对(0)
  23. #73楼 AlexLearnsToCode  2015-08-18 17:16
    @KenshinCui
    嗯,博主果然是大神,膜拜!!发现_tableView忘了添加代理了,所以事件不响应,看来学编程的确很有门路啊
    支持(0)反对(0)
  24. #74楼 AlexLearnsToCode  2015-08-18 21:34
    博主,你最后一个例子,tableviewcontroller已经有自带的属性tableview了,为什么还要再声明一个成员变量_tableview呢?还有一点挺纳闷我点搜索框模拟器的键盘不弹出来?就算加语句给键盘添加类型 还是出不来
    支持(0)反对(0)
  25. #75楼 Echo.  2015-08-19 13:46
    @lantern
    奇怪,我swift 自定义的cell中用 addSubview()可以的
    支持(0)反对(0)
  26. #76楼[楼主] KenshinCui  2015-08-19 17:54
    @lantern
    你说的对,笔误,已经纠正!
    支持(0)反对(0)
  27. #77楼 Ukenn  2015-08-21 19:53
    @KenshinCui
    @lantern
    子控件添加到cell的contentView里面,和直接加到cell里面有什么区别么?
    支持(0)反对(0)
  28. #78楼 潇潇雨歌  2015-08-24 16:56
    @文武bin
    cell的style,楼主的是uitableviewcellstyledefult,应该是笔误了,改成uitableviewcellstylevalue1;电话就显示了!
    支持(0)反对(0)
  29. #79楼 abdurekef  2015-08-26 15:22
    楼主 能不能加我QQ 。。。。。。 我QQ32848979
    支持(0)反对(0)
  30. #80楼 abdurekef  2015-09-03 17:00
    i love u 楼主.....
    支持(0)反对(0)
  31. #81楼 假行僧1992  2015-09-09 20:44
    楼主,感觉你写的很好,能加我入群么,我QQ1204903035.
    支持(0)反对(0)
  32. #82楼 hafubote  2015-09-20 11:29
    博主太棒啦!!!
    支持(0)反对(0)
  33. #83楼 一夜飞度  2015-09-22 10:02
    赞一个
    支持(0)反对(0)
  34. #84楼 foud  2015-09-23 17:05
    alert.alertViewStyle=UIAlertViewStylePlainTextInput; //设置窗口内容样式
    UITextField *textField= [alert textFieldAtIndex:0]; //取得文本框
    textField.text=contact.phoneNumber; //设置文本框内容
    [alert show]; 
    楼主好,您写的非常好,这段代码在ios9情况下不能运行,alert在ios9变更了,能麻烦你帮忙重打一下嘛,我研究半天没弄出来谢谢你
    支持(0)反对(0)
  35. #85楼 olay_map  2015-10-07 08:55
    @foud
    使用 UIAlertController。 可以参考http://blog.csdn.net/zhixinhuacom/article/details/48594769
    支持(0)反对(0)
  36. #86楼 iOS小菜鸡  2015-10-21 17:12
    楼主你写的那个微博的简版的代码有吗
    支持(0)反对(0)
  37. #87楼 iOS小菜鸡  2015-10-21 17:34
    楼主我按照你的代码来为什么右边的索引不出现呢,连号码也没有出现
    支持(0)反对(0)
  38. #88楼 tsinghua476  2015-10-26 09:47
    博主~用您的微博的代码,运行出来之后cell都重叠在一起了~这是怎么回事,其实人没遇到这个问题吗?
    支持(0)反对(0)
  39. #89楼 聰  2015-11-09 11:27
    楼主,写得很详细,每一方面都注意到了,学习的榜样,收获良多!
    支持(0)反对(0)
  40. #90楼 fuweiming  2015-11-13 19:50
    初学UILableView看到你写的这篇博客,真心不错。是我的榜样!!!果断收藏!!!
    支持(0)反对(0)
< Prev12

刷新评论刷新页面返回顶部
注册用户登录后才能发表评论,请 登录 或 注册,访问网站首页。
【推荐】50万行VC++源码: 大型组态工控、电力仿真CAD与GIS源码库
【推荐】融云即时通讯云-专注为 App 开发者提供IM云服务
【福利】极光推送-富媒体+大数据驱动精准推送,完全免费开放啦
最新IT新闻:
· 只需要一个 APK,Android用户也能体验Firefox OS
· 128GB版iPad Pro预订一空 笔至少4周发货
· “拍拍之死”是必然事件,暴露了C2C的缺陷基因
· 融资成功就万事大吉了?错,还有9个陷阱正在等着你
· Intel 4004处理器44周年
» 更多新闻...
最新知识库文章:

· 被误解的MVC和被神化的MVVM
· 再谈设计和编码
· 什么时候应该避免写代码注释?
· 持续集成是什么?
· 人,技术与流程

» 更多知识库文章...

About

确定了目标之后你成功了10%,但是剩下的90%之中,多数是坚持不懈的努力,你会遇到迷茫、遇到挫折,此时不要放弃,回忆你立定目标的决心,成功就在你眼前!习惯很容易养成,一件事情,只要你能咬牙坚持10天,它自然就成了习惯!

现代人变得越来越浮躁,不妨静下心来用音乐洗礼你的心灵!

iOS技术交流群,欢迎大家加入:64555322(已满),132785059(已满),438027817(已满),249654078(已满),464560978(已满)
欢迎加入新群: 471538952

你能面对多少人说话,你的成就就有多大!

昵称:KenshinCui
园龄:6年6个月
荣誉:推荐博客
粉丝:2851
关注:3

+加关注

最新随笔

  • iOS开发系列--Swift进阶
  • iOS开发系列--Swift语言
  • iOS开发系列--通讯录、蓝牙、内购、GameCenter、iCloud、Passbook系统服务开发汇总
  • iOS开发系列--音频播放、录音、视频播放、拍照、视频录制
  • iOS开发系列--通知与消息机制
  • iOS开发系列--地图与定位
  • iOS开发系列--数据存取
  • iOS开发系列--网络开发
  • iOS开发系列文章(持续更新……)
  • iOS开发系列--并行开发其实很容易

最新评论

  • Re:iOS开发系列--视图切换 
    为何这里没人!!!!!写的这么好 么么哒 -- 乡道狗毛草
  • Re:iOS开发系列--无限循环的图片浏览器 
    崔大大,transform中当图片倾斜,向下移时,图片不是垂直下移,要想改成垂直的,要怎么改? -- iosmm
  • Re:iOS开发系列--地图与定位 
    博主,那个地图定位,你没有考虑定位失败的情况,如果第一次定位失败不会执行(- (void)mapView:(MKMapView *)mapView didUpdateUserLocation:(MKU...... -- 天生的普通人
  • Re:iOS开发系列--UITableView全面解析 
    初学UILableView看到你写的这篇博客,真心不错。是我的榜样!!!果断收藏!!! -- fuweiming
  • Re:iOS开发系列--并行开发其实很容易 
    好仔细,内容多,看了一天才基本看完了,留言,赞一下!! -- 只是找工的

随笔档案

  • 2015年9月(1)
  • 2015年8月(1)
  • 2015年1月(1)
  • 2014年12月(2)
  • 2014年11月(2)
  • 2014年10月(1)
  • 2014年9月(5)
  • 2014年8月(5)
  • 2014年7月(11)
  • 2013年9月(2)
  • 2013年8月(3)
  • 2012年2月(1)
  • 2012年1月(1)
  • 2011年12月(4)
  • 2011年11月(4)
  • 2011年10月(2)
  • 2011年9月(1)
  • 2011年8月(2)
  • 2011年7月(1)
  • 2011年6月(1)
  • 2011年5月(1)
  • 2011年4月(4)
  • 2011年3月(4)
  • 2011年1月(2)
  • 2010年12月(6)
  • 2010年11月(3)

随笔分类

  • .Net(7)
  • C(4)
  • Entity Framework(5)
  • HTML(1)
  • IOS(28)
  • Javascript(6)
  • Objective-C(7)
  • Other Technology(2)
  • PHP(3)
  • Silverlight(6)
  • Source Control(1)
  • SQL Server(5)
  • Swift(2)
  • Windows Phone(1)
  • WPF(1)
  • XNA(4)

推荐排行榜

  • 1. iOS开发系列--让你的应用“动”起来(140)
  • 2. iOS开发系列--音频播放、录音、视频播放、拍照、视频录制(138)
  • 3. iOS开发系列--UITableView全面解析(133)
  • 4. iOS开发系列--IOS程序开发概览(125)
  • 5. iOS开发系列—Objective-C之Foundation框架(91)

阅读排行榜

  • 1. iOS开发系列--UITableView全面解析(107484)
  • 2. iOS开发系列--音频播放、录音、视频播放、拍照、视频录制(93338)
  • 3. iOS开发系列--地图与定位(76390)
  • 4. iOS开发系列文章(持续更新……)(68109)
  • 5. iOS开发系列--通知与消息机制(63481)

IOS学习——TableViewController相关推荐

  1. 【原】iOS学习之事件处理的原理

    在iOS学习23之事件处理中,小编详细的介绍了事件处理,在这里小编叙述一下它的相关原理 1.UITouch对象 在触摸事件的处理方法中都会有一个存放着UITouch对象的集合,这个参数有什么用呢? ( ...

  2. iOS学习——核心动画之Layer基础

    iOS学习--核心动画之Layer基础 1.CALayer是什么? CALayer我们又称它叫做层.在每个UIView内部都有一个layer这样一个属性,UIView之所以能够显示,就是因为它里面有这 ...

  3. OpenCV for Ios 学习笔记(4)-标记检测1

    本文原始地址:OpenCV for Ios 学习笔记(4)-标记检测1 简单的标记经常是以白色块和黑色块构成的规则图形.因为我们预先知道这些因素,所以我们可以很容易检测标记. 如图: 首先,我们需要找 ...

  4. IOS学习笔记(九)之UIAlertView(警告视图)和UIActionSheet(操作表视图)基本概念和使用方法...

    IOS学习笔记(九)之UIAlertView(警告视图)和UIActionSheet(操作表视图)基本概念和使用方法 Author:hmjiangqq Email:jiangqqlmj@163.com ...

  5. IOS学习笔记(四)之UITextField和UITextView控件学习

    IOS学习笔记(四)之UITextField和UITextView控件学习(博客地址:http://blog.csdn.net/developer_jiangqq) Author:hmjiangqq ...

  6. iOS学习资源(一)

    用了印象笔记也很久了,这里就把自己整理的一些学习资源分享出来.需要共享印象笔记的小伙伴可以联系: shavekevin@gmail.com 我会把自己的工作笔记共享给大家,和大家一起学习,一起进步. ...

  7. iOS学习之iOS沙盒(sandbox)机制和文件操作(二)

    接上篇 iOS学习之iOS沙盒(sandbox)机制和文件操作(一) 我们看看如何获取应用程序沙盒目录.包括真机的沙盒的目录. 1.获取程序的Home目录 [cpp] view plaincopy N ...

  8. IOS学习之蓝牙4.0

    转载请注明出处 作者:小马 IOS学习也一段时间了,该上点干货了.前段时间研究了一下IOS蓝牙通讯相关的东西,把研究的一个成果给大家分享一下. 一 项目背景 简单介绍一下做的东西,设备是一个金融刷卡器 ...

  9. IOS学习之UINavigationController详解与使用(一)添加UIBarButtonItem

    转:http://blog.csdn.net/totogo2010/article/details/7681879 1.UINavigationController导航控制器如何使用 UINaviga ...

最新文章

  1. 《数据结构》是计算机应用,《数据结构》期中测试-2014计算机应用技术用.doc
  2. java testng 优化_java+testNG测试框架搭建----jenkins自动化执行
  3. CityEngine Web Scene如何在IIS下部署
  4. struts+hibernate+oracle+easyui实现lazyout组件的简单案例——EmpDao层代码
  5. 机器学习——对三种模式的看法
  6. 背景纹理素材|为前景元素添加焦点
  7. sqlite 事务处理 java_SQLite事务处理
  8. 全球唯一标识符 System.Guid.NewGuid().ToString()
  9. springboot testcontext @sql_SpringBoot图文教程11—从此不写mapper文件「集成MybatisPlus」...
  10. C# List用法;用Find查找list中的指定元素
  11. 苹果双系统怎么切换_华为双系统,你会用吗?实在太神了!一键开启,一台手机当两台用...
  12. 海思 3559 SVP NNIE demo解读
  13. 美团一面:线程崩溃了,进程也会崩溃吗?
  14. cocos creator实现读取白鹭movieClip组件(尝试)
  15. 协同过滤和基于内容推荐有什么区别?
  16. 计算机主题绘画能画什么,电脑绘画活动方案
  17. 公安专网与视频专网内使用离线互联网百度高德地图
  18. linux离线安装redmine_举个栗子!Tableau 技巧(97):离线安装 Linux 版 Tableau Server...
  19. FreeSwitch接通30s就挂断
  20. 空洞卷积/扩张卷积(Dilated convolution)-笔记

热门文章

  1. Springboot毕设项目线上售楼系统的设计与实现 fm258java+VUE+Mybatis+Maven+Mysql+sprnig)
  2. 以图搜图算法pytorch,Python以图搜图爬虫
  3. css3运动后留下轨迹尾巴_利用CSS+JS实现唯美星空轨迹运动效果
  4. WMM: WiFi MultiMedia WiFi多媒体应用
  5. Google的网页排名算法
  6. iOS 启动页实现方案
  7. 位运算之异或运算的理解
  8. word图片无法保存问题
  9. 450g吐司烘烤温度_柔软漂亮的吐司,烘烤时间和温度不容忽视,配方揉面发酵也是重点...
  10. 正交实验空白列的理解