Определите, какой контроллер UIPopover был отклонен

У меня есть несколько UIPopoverв моем приложении, которые содержат UITableViews. Все отправляют сообщение popoverControllerDidDismissPopover: когда они уволены. Когда определенный поповер отклонен, я хочу взять все выборы пользователя и переместить их в UITextView,

Я не могу сделать это, если я не знаю, какой поповер увольняют. Есть идеи, как мне это сделать?

    UIViewController* popoverContent = [[UIViewController alloc] init];

    UIView *popoverView = [[UIView alloc] initWithFrame:CGRectMake(0, 0, 300, 416)];  //  was 216
    popoverView.backgroundColor = [UIColor redColor];
    popoverContent.contentSizeForViewInPopover = CGSizeMake(300.0, 416.0);

    //  define UITableView
    tvServices = [[UITableView alloc] init];
    tvServices.frame = CGRectMake(0, 0, 300, 416);
    tvServices.tag = 1201;

    tvServices.delegate = self;
    tvServices.dataSource = self;

    //  add it to the popover
    [popoverView addSubview:tvServices];
    popoverContent.view = popoverView;
    popoverController = [[UIPopoverController alloc] initWithContentViewController:popoverContent];
    popoverController.delegate = (id)self;
    [popoverController setPopoverContentSize:CGSizeMake(300, 416) animated:NO];

    //  show it next to services textbox
    [popoverController presentPopoverFromRect:soServices.frame inView:self.view permittedArrowDirections:UIPopoverArrowDirectionRight animated:YES];
}

4 ответа

Решение

popoverControllerDidDismissPopover: Метод делегата говорит вам, какой поповер увольняется. Оттуда вы можете посмотреть на поповера contentViewController по мере необходимости.

- (void)popoverControllerDidDismissPopover:(UIPopoverController *)popoverController {
    UITableViewController *controller = (UITableViewController *)popoverController.contentViewController;

    UITableView *tableView = controller.tableView;
}

Это должно указать вам в правильном каталоге. Но вам не нужен доступ к представлению таблицы. Вы получаете доступ к данным из контроллера представления, а не из представления таблицы.

Вы должны сделать это в popoverControllerDidDismissPopover:

- (void)popoverControllerDidDismissPopover:(UIPopoverController *)popoverController {
    UITableView *tableView = (UITableView*)[popoverController.contentViewController.view viewWithTag:1201];
    if (tableView != nil) {
        // here you know that this UIPopover has tvServices as you set its tag to 1201
    }
}

Вы должны сделать это наоборот:

Контроллеры, которые вы представляете, должны использовать делегирование для информирования контроллера, который начал презентацию.

В контроллерах popover вы отправляете сообщение делегату (представляющему контроллеру), чтобы сообщить ему о выборе / отмене выбора.


#import "ViewController.h"
#import "QuestionGroupViewController.h"

@interface ViewController () <QuestionGroupViewControllerDelegate>
@end

@implementation ViewController

- (IBAction)presentQuestionnaire:(id)sender {

    NSArray *q = @[@{@"question" : @"what cities would you like to visit?" , @"answers": @[@"Paris", @"barcelona", @"Istanbul"]}];

        QuestionGroupViewController *qvc = [QuestionGroupViewController new];
        qvc.delegate = self;
        qvc.questions = q;
        [self presentViewController:qvc animated:YES completion:NULL];
    }
}

-(void)selectedAnswer:(NSString *)answer forQuestion:(NSString *)question
{
    NSLog(@"selectedt\t\t%@: %@", question, answer);
}
-(void)deSelectedAnswer:(NSString *)answer forQuestion:(NSString *)question
{
    NSLog(@"deselectedt\t\t%@: %@", question, answer);
}
@end

#import <Foundation/Foundation.h>    
@protocol QuestionGroupViewControllerDelegate<NSObject>
-(void) selectedAnswer:(NSString *)answer forQuestion:(NSString *) question;
-(void) deSelectedAnswer:(NSString *)answer forQuestion:(NSString *) question;

@end

@interface QuestionGroupViewController : UITableViewController

@property (nonatomic, strong) NSArray *questions;
@property (nonatomic, weak) id<QuestionGroupViewControllerDelegate> delegate;
@end

#import "QuestionGroupViewController.h"


@interface QuestionGroupViewController ()
@property (nonatomic, strong) NSMutableArray *selectedCells;

@end


@implementation QuestionGroupViewController {

}
- (void)viewDidLoad
{
    [super viewDidLoad];
    self.selectedCells = [NSMutableArray array];
}


- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView {
    return [self.questions count];
}

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {

    return [self.questions[section][@"answers"] count] +1 ;

}

- (NSString *)tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger)section
{
    return self.questions[section][@"question"];
}


- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    static NSString *identifier =@"Cell";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:identifier];
    if(!cell){
        cell = [[UITableViewCell alloc] initWithStyle: UITableViewCellStyleDefault reuseIdentifier:identifier];

    }
    if (indexPath.row == [self.questions[indexPath.section][@"answers"] count]) {
        cell.textLabel.text = @"done";
    } else {
        cell.textLabel.text = [[self.questions objectAtIndex:indexPath.section][@"answers"] objectAtIndex:indexPath.row];
    }


    return cell;
}


-(void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
{

    if (indexPath.row == [self.questions[indexPath.section][@"answers"] count]) {
        [self dismissViewControllerAnimated:YES completion:NULL];
        return;
    }

    NSString *answer = self.questions[indexPath.section][@"answers"][indexPath.row];

    UITableViewCell *cell = [self.tableView cellForRowAtIndexPath:indexPath];

    if([self isRowSelectedOnTableView:tableView atIndexPath:indexPath]){
        [self.selectedCells removeObject:indexPath];

        cell.accessoryType = UITableViewCellAccessoryNone;
        [self.delegate deSelectedAnswer: answer forQuestion:self.questions[indexPath.section][@"question"]];

    } else {
        [self.selectedCells addObject:indexPath];

        cell.accessoryType = UITableViewCellAccessoryCheckmark;
        [self.delegate selectedAnswer: answer forQuestion:self.questions[indexPath.section][@"question"]];

    }

}

-(BOOL)isRowSelectedOnTableView:(UITableView *)tableView atIndexPath:(NSIndexPath *)indexPath
{
    return ([self.selectedCells containsObject:indexPath]) ? YES : NO;
}

@end

Если вы представляете всплывающие окна из своего кода, то у вас должна быть ссылка на них. Когда вызов делегата popover получен, все, что вам нужно сделать, это проверить, какой экземпляр отклоняется. Звучит просто для меня, если я что-то пропустил.

Другие вопросы по тегам