0

我在 UIAlertView 上有 ARCfied 简单的包装器(我们称之为 customAlert),它有自己的委托,比如

@protocol customAlert
-(void)pressedOnYES;
- (void)pressedNO

自定义警报本身包含 UIAlertView 作为强属性和 alertView.delegate = self; (customAlert 是 UIAlertView 的代表)

我遇到的问题 - 当 UIAlertView 委托的方法被调用时,customAlert 被释放。

customAlert *alert = [customAlert alloc] initWithDelegate:self];
[alert show]; // it will call customAlert [self.alertView show]

customAlert 将在运行循环中被释放,并且下一个事件(按下 UIAlertView 按钮将被发送到释放的对象)

我必须以某种方式保留 customAlert 对象以避免它(我不能使用 customAlert 实例的属性)

4

1 回答 1

0

关于您面临的问题,作为一个即时解决方案,不要将“警报”保留为本地对象,而是尝试将其声明为类的强属性。

但最好将“customAlert”保留为“UIAlertView”的子类,而不是将“UIAlertView”作为 customAlert 的属性。

自定义警报类的示例(没有添加太多注释。代码简单且具有自我描述性)。

CustomAlert.h

    #import <UIKit/UIKit.h>

    @protocol customAlertDelegate<NSObject>
    - (void)pressedOnYES;
    - (void)pressedNO;
    @end

    @interface CustomAlert : UIAlertView
    - (CustomAlert *)initWithDelegate:(id)delegate;
    @property (weak) id <customAlertDelegate> delegate1;
    @end

CustomAlert.m

#import "CustomAlert.h"

@implementation CustomAlert
@synthesize delegate1;


- (id)initWithFrame:(CGRect)frame
{
    self = [super initWithFrame:frame];
    if (self) {
        // Initialization code
    }
    return self;
}

- (CustomAlert *)initWithDelegate:(id)delegate
{
    self = [super initWithTitle:@"Title" message:@"Message" delegate:self cancelButtonTitle:@"No" otherButtonTitles:@"Yes", nil];
    if (self) {
        //Assigning an object for customAlertDelegate
        self.delegate1 = delegate;
    }

    return self;
}
//Method called when a button clicked on alert view
- (void)alertView:(UIAlertView *)alertView clickedButtonAtIndex:(NSInteger)buttonIndex
{
    if (buttonIndex) {
        [self.delegate1 pressedOnYES];
    } else {
        [self.delegate1 pressedNO];
    }
}
@end

带有委托方法的视图控制器

视图控制器.h

#import <UIKit/UIKit.h>
#import "CustomAlert.h"

@interface ViewController : UIViewController <customAlertDelegate>
@end

视图控制器.m

#import "ViewController.h"

@implementation ViewController

- (IBAction)pressBtn:(id)sender
{
    CustomAlert *alert=[[CustomAlert alloc] initWithDelegate:self] ;
   [alert show];
}

- (void)pressedOnYES
{
    //write code for yes
}

- (void)pressedNO
{
    //write code for No
}

@end
于 2013-07-01T14:38:05.747 回答