iPhone开发编程定制UIButton案例实现是本文要介绍的内容,主要是来讲述一下自动创建 UIButton 而不使用 XIB 文件。通过这一节的学习,我们可以掌握不通过 XIB (InterfaceBuilder) 来使用 UIControl 的 addTarget 方法、对应相应的事件动作。
具体的例子是基于上篇CustomViewController 类,并且按钮按下是计数器加一,并显示在视图上。
首先,在 CustomViewController 类中添加技术用的变量 count。
- @interface CustomViewController : UIViewController {
- int count; // 计数器变量。
- }
- @end
接下来,添加按钮按下时调用的方法。
- -(void)countup:(id)inSender {
- count++; // 计数器自加
- // inSender 是被点击的 Button 的实例,下面设置其标题
- [inSender setTitle:[NSString
- stringWithFormat:@"count:%d", count]
- forState:UIControlStateNormal];
- }
setTitle 方法设定 UIButton 的标题。使用 forState: 来指定该标题显示的状态(按下,弹起,通常),这里指定通常状态显示的标题。当然,使用 UIControlStateNormal 也是可以的。
注册按钮按下时的事件函数可以通过 UIControl 类中的 addTarget:action:forControlEvents: 方法(UIButton 继承了UIControl 类,所以可以直接使用)。如下所示:
- - (void)viewDidLoad {
- [super viewDidLoad];
- self.view.backgroundColor = [UIColor blueColor];
- UIButton* button = [UIButton buttonWithType:UIButtonTypeInfoLight];
- button.frame = CGRectMake(100,100,100,100);
- // 注册按钮按下时的处理函数
- [button addTarget:self action:@selector(countup:)
- forControlEvents:UIControlEventTouchUpInside];
- [self.view addSubview:button];
forControlEvents: 中设定 UIControlEventTouchUpInside 是指在按钮上按下时响应。
因为动作函数(countup)的类型是
- -(void)countup:(id)inSender
则在注册的时候需要写 countup: 。
而如果函数类型是
- -(void)countup
的话,则是 countup ,这时 addTarget 接收的函数类型如下所示:
- - (void) countup:(id)sender forEvent:(UIEvent *)event
同一响应,也可以注册多个处理,比如下面的代码,将上面两种类型的动作函数都注册了:
- // ***种处理方法
- -(void)countup:(id)inSender {
- count++;
- [inSender setTitle:[NSString
- stringWithFormat:@"count:%d", count]
- forState:UIControlStateNormal];
- }
- // 第二种处理方法
- -(void)countup {
- count++;
- }
- -(void)countup:(id)inSender forEvent:(UIEvent *)event {
- count++;
- [inSender setTitle:[NSString
- stringWithFormat:@"count:%d", count]
- forState:UIControlStateNormal];
- }
- - (void)viewDidLoad {
- [super viewDidLoad];
- self.view.backgroundColor = [UIColor blueColor];
- UIButton* button = [UIButton buttonWithType:UIButtonTypeInfoLight];
- button.frame = CGRectMake(100,100,100,100);
- // 注册***种方法
- [button addTarget:self action:@selector(countup:)
- forControlEvents:UIControlEventTouchUpInside];
- // 注册第二种方法
- [button addTarget:self action:@selector(countup)
- forControlEvents:UIControlEventTouchUpInside];
- [button addTarget:self action:@selector(countup:forEvent:)
- forControlEvents:UIControlEventTouchUpInside];
- [self.view addSubview:button];
- }
编译以后,显示如下:
小结:iPhone开发编程定制UIButton案例实现的内容介绍完了,希望通过本文的学习能对你有所帮助!如果想继续深入了解的话,请参考以下几篇文章: