我正在从xib创建一个名为HeaderView的自定义UIView。我在这个HeaderView中有一个UIButton,在按钮上,我希望在ViewController上调用一个块,其中添加了HeaderView。这是我的HeaderView的代码。
标头文件代码
@interface HeaderView : UIView
- (instancetype)initWithFrame:(CGRect)frame;
@property (copy) void(^seeAllHandler)();
@end
实施文件代码
@interface HeaderView()
@property (weak, nonatomic) IBOutlet UILabel *titleLabel;
@property (weak, nonatomic) IBOutlet UIButton *seeAllButton;
@property (nonatomic, strong) UIView *contentView;
@end
@implementation HeaderView
- (instancetype)initWithFrame:(CGRect)frame
{
self = [super initWithFrame:frame];
if (self) {
[self setup];
}
return self;
}
- (instancetype)initWithCoder:(NSCoder *)coder
{
self = [super initWithCoder:coder];
if (self) {
}
return self;
}
- (void)awakeFromNib
{
[self.seeAllButton setTitleColor:[UIColor redColor] forState:UIControlStateNormal];
[self.seeAllButton setTitle:@"SEE ALL") forState:UIControlStateNormal];
[self.titleLabel setText:@"My Label")];
}
#pragma mark - Private methods
- (void)setup
{
//Setup view from the xib file.
self.contentView = [[[NSBundle mainBundle] loadNibNamed:NSStringFromClass(self.class) owner:self options:nil] firstObject];
[self.contentView setFrame:self.bounds];
[self addSubview:self.contentView];
self.contentView.backgroundColor = [UIColor ccNordeaPink];
self.contentView.autoresizingMask = UIViewAutoresizingFlexibleWidth | UIViewAutoresizingFlexibleHeight;
self.clipsToBounds = YES;
}
- (IBAction)sellAllTapped:(UIButton *)sender {
if(self.seeAllHandler != nil){
self.seeAllHandler();
}
}
@end
这是我的ViewController viewDidLoad方法。
@interface ViewController () <UIScrollViewDelegate, UICollectionViewDataSource, UICollectionViewDelegate>
@property (nonatomic, strong) HeaderView *headerView;
@end
- (void)viewDidLoad
{
[super viewDidLoad];
[self setupSubviews];
[self setupConstraints];
}
- (void)setupSubviews
{
self.headerView = [[HeaderView alloc] init ];
self.headerView.translatesAutoresizingMaskIntoConstraints = NO;
self.headerView.seeAllHandler = ^{
DDLogDebug(@"See all Tapped");
};
[self.view addSubView: self.headerView];
}
问题是当按下按钮时,指定的块为零,因此不会调用它。
答案 0 :(得分:2)
所以发生的事情是你在ViewController的viewDidLoad(通过setupSubviews方法)中分配块。我可以看到您以编程方式实例化HeaderView。因此,在分配块时,您实际上是在向实例发送消息。
但是,您还通过在HeaderView的loadNibNamed
方法中调用setup
来扩充另一个实例。 HeaderView没有你的块,而且是那个在UI中显示的块。您可以在HeaderView的contentView
内找到另一个HeaderView。
因此,实际/屏幕 HeaderView实例的处理程序属性为nil,因此当它尝试向您发送块时,它也正在使用nil。
了解正在发生的事情的最佳方法是进入HeaderView并在awakeFromNib
中设置断点,在setup
中设置另一个断点。您将看到首先调用该设置。如果您在lldb中po self
,那么您将获得当前实例的地址。接下来发生的事情是awakeFromNib被调用并且它会在那里遇到断点。如果再次po self
,您会看到不同的地址。一个不同的例子!这是您在UI中看到的那个。并且它没有设置处理程序!
如果你想保持这种加载视图层次结构的方法,那么一个简单的解决方法就是从你的ViewController中的nib实例化HeaderView。
所以不要执行self.headerView = [[HeaderView alloc] init]
,而是执行此操作:
self.headerView = [[[NSBundle mainBundle] loadNibNamed:@"HeaderView" owner:self options:nil] firstObject];