所以我有这个BaseCell类,它也有这个BaseCellViewModel.当然,最重要的是一些FancyViewController和FancyViewModel.这里的情况是BaseCell上有UIButton,它触发了这个IBAction方法 – 这很好,很酷,因为我可以做任何我想做的事,但是……我不知道我应该怎么知道FacyViewController关于一些动作的事实发生在BaseCell上.
我可以在FancViewModel中RACObserve属性,因为它具有那些单元格视图模型的NSArray,但是如何监视实际操作并通知在单元格上触发的确切操作?
我想到的第一件事就是授权或通知,但由于我们的项目中有RAC,所以不使用RAC是完全愚蠢的,对吧?
[编辑]到目前为止我做了什么……
因此,事实证明,你可以使用RACCommand来实际处理特定按钮上的UI事件.在那种情况下,我添加了:
@property (strong, nonatomic) RACCommand *showAction;
我的BaseCellViewModel具有简单的实现,如:
- (RACCommand *)showAction {
return [[RACCommand alloc] initWithSignalBlock:^RACSignal *(id input) {
NSLog(@"TEST");
return [[RACSignal empty] logAll];
}];
}
按照这种模式,我必须在我的BaseCell中做一些事情,结果很简单,最后我添加了:
- (void)configureWithViewModel:(JDLBasePostCellViewModel *)viewModel {
self.viewModel = viewModel;
self.actionButton.rac_command = self.viewModel.showAction;
}
并且…它的工作原理!但…
我需要在发生这种情况时提供UIActionSheet,这只有在我需要当前的parentViewController时才会显示,因为我没有将这种信息传递到任何地方,我现在不知道该怎么做.
FancyViewModel拥有一个私有的@property(非原子的,强大的)NSMutableArray< BaseCellViewModel *> * cellViewModels;,但是如何在FancyViewController上注册一些东西来实际监听BaseCellViewModel上RACCommand的执行?
最佳答案 单元可以通过几种方式与视图控制器通信.常见的是通过授权.让单元格声明一个公共委托,例如:
// BaseCell.h
@protocol BaseCellDelegate;
@interface BaseCell : UITableViewCell
@property(nonatomic, weak) id<BaseCellDelegate> delegate;
// ...
@end
@protocol BaseCellDelegate <NSObject>
- (void)baseCell:(BaseCell *)cell didReceiveAction:(NSString *)actionName;
@end
按下按钮后,找出你想告诉代表的内容,然后告诉它:
// BaseCell.m
- (IBAction)buttonWasPressed:(id)sender {
self.delegate baseCell:self didReceiveAction:@"someAction";
}
然后,在视图控制器中,声明您符合协议:
// FancyViewController.m
@interface FancyViewController () <BaseCellDelegate>
在cellForRowAtIndexPath中,设置单元格的委托:
// dequeue, etc
cell.delegate = self;
您现在需要在vc中实现此功能:
- (void)baseCell:(BaseCell *)cell didReceiveAction:(NSString *)actionName {
// the cell got an action, but at what index path?
NSIndexPath *indexPath = [self.tableView indexPathForCell:cell];
// now we can look up our model at self.model[indexPath.row]
}