Добавление дополнительных разделов в NSFetchedResultsController

Я пишу небольшое приложение для iPhone для своей компании, которое показывает заказы для каждого сотрудника по одной за раз. Я использую основные данные, чтобы получить список "бронирований" за определенную неделю и хочу отображать их в UITableView с разбивкой на один раздел в день недели.

Проблема заключается в том, что мне нужно показывать 7 разделов для каждого дня недели (показывая ячейку "Нет бронирований", где у секции / даты нет бронирований).

У меня есть скриншот приложения в его текущем состоянии (извините, я пока не могу опубликовать изображения, так как я новичок в StackOverlow)

В настоящий момент я достигаю этого, используя метод fetchResults, который получает заказы и организует их в массив возможных дат:

- (void)refetchResults {    

// Drop bookings Array, replacing with new empty one
// 7 slots for 7 days each holding mutable array to recieve bookings where appropraite
self.bookings = [NSArray arrayWithObjects:[NSMutableArray array],
                  [NSMutableArray array], [NSMutableArray array],
                  [NSMutableArray array], [NSMutableArray array],
                  [NSMutableArray array], [NSMutableArray array], nil];

// Create the fetch request for the entity.
NSFetchRequest *fetchRequest = [[NSFetchRequest alloc] init];
NSEntityDescription *entity = [NSEntityDescription entityForName:@"Booking" inManagedObjectContext:self.managedObjectContext];
[fetchRequest setEntity:entity];

// Limit to this weeks data
[fetchRequest setPredicate:
 [NSPredicate predicateWithFormat:@"(date >= %@) && (date <= %@) && (resource == %@)",
  firstDate,lastDate,resourceId]];

// Edit the sort key as appropriate.
NSSortDescriptor *sortDescriptor = [[NSSortDescriptor alloc] initWithKey:@"date" ascending:YES];
NSSortDescriptor *sortDescriptor2 = [[NSSortDescriptor alloc] initWithKey:@"recId" ascending:YES];
NSArray *sortDescriptors = [[NSArray alloc] initWithObjects:sortDescriptor, sortDescriptor2, nil];
[fetchRequest setSortDescriptors:sortDescriptors];

// Fetch records in to array
NSError *error;
NSArray *results = [self.managedObjectContext executeFetchRequest:fetchRequest error:&error];
if (results == nil) {
    NSLog(@"Unresolved error %@, %@", error, [error userInfo]);
    abort();
}

[fetchRequest release];
[sortDescriptor release];
[sortDescriptor2 release];
[sortDescriptors release];

// Walk through records and place in bookings Array as required
for (Booking *item in results) {
    // Decide on array index by difference in firstDate and booking date
    int idx = (int)[[item date] timeIntervalSinceDate:firstDate]/86400;
    // Add the item to the approp MutArray
    [(NSMutableArray *)[bookings objectAtIndex:idx] addObject:item];
}

// Reload table
[tableView reloadData];

}

Мой вопрос: есть ли способ достичь того же результата с помощью NSFetchedResultsController? Каким-то образом мне нужно, чтобы NSFetchedResultsController имел 7 разделов, по одному на каждый день недели, некоторые из них, возможно, не имели заказов.

Любая помощь высоко ценится:)

3 ответа

Поэтому, поскольку на улице не очень хорошая погода, я решил ответить на свой вопрос и применить "обходной путь", описанный в моем ответе на westsider.

Идея состоит в том, чтобы содержать массив 'mapping' (просто простой int-массив с 7 слотами), который отобразит секцию, которую запрашивает tableview, в секцию fetchedresultscontroller. Каждый слот массива будет иметь соответствующий индекс секции или "-1", где нет нижележащих секций (и вместо этого должна отображаться ячейка "Нет бронирования").

Итак, мой метод refetchResults становится:

- (void)refetchResults {    

    // Create the fetch request for the entity.
    NSFetchRequest *fetchRequest = [[NSFetchRequest alloc] init];
    NSEntityDescription *entity = [NSEntityDescription entityForName:@"Booking" inManagedObjectContext:self.managedObjectContext];
    [fetchRequest setEntity:entity];

    // Limit to this weeks data
    [fetchRequest setPredicate:
     [NSPredicate predicateWithFormat:@"(date >= %@) && (date <= %@) && (resource == %@)",
      firstDate,lastDate,resourceId]];

    // Edit the sort key as appropriate.
    NSSortDescriptor *sortDescriptor = [[NSSortDescriptor alloc] initWithKey:@"date" ascending:YES];
    NSSortDescriptor *sortDescriptor2 = [[NSSortDescriptor alloc] initWithKey:@"recId" ascending:YES];
    NSArray *sortDescriptors = [[NSArray alloc] initWithObjects:sortDescriptor, sortDescriptor2, nil];
    [fetchRequest setSortDescriptors:sortDescriptors];

    // Set up FRC
    NSFetchedResultsController *aFetchedResultsController = [[NSFetchedResultsController alloc] initWithFetchRequest:fetchRequest managedObjectContext:self.managedObjectContext sectionNameKeyPath:@"date" cacheName:nil];
    self.fetchedResultsController = aFetchedResultsController;
    self.fetchedResultsController.delegate = self;
    [aFetchedResultsController release];
    [fetchRequest release];
    [sortDescriptor release];
    [sortDescriptor2 release];
    [sortDescriptors release];

    // Run up FRC
    NSError *error = nil;
    if (![fetchedResultsController_ performFetch:&error]) {
        NSLog(@"Unresolved error %@, %@", error, [error userInfo]);
        abort();
    }

    // Update FRC map
    [self updateFRCMap];

    // Reload table
    [tableView reloadData];
}

Отображение устанавливается следующим способом. Это вызывается всякий раз, когда необходимо обновить отображение - например, когда я получаю обратные вызовы из контроллера fetchedresults для элементов, которые были добавлены / удалены / и т.д.

- (void)updateFRCMap {

    // Set mapping table for seven days of week to appropriate section in frc
    for (int idx=0;idx<7;idx++) { frcMap[idx] = -1; }   // Reset mappings
    // For each section
    for (int sidx=0; sidx<[[self.fetchedResultsController sections] count]; sidx++) 
    {
        // If section has items
        if ([[[self.fetchedResultsController sections] objectAtIndex:sidx] numberOfObjects] > 0) 
        {
            // Look at first booking of section to get date
            NSDate *date = [(Booking *)[self.fetchedResultsController objectAtIndexPath:[NSIndexPath indexPathForRow:0 inSection:sidx]] date];
            // Decide on array index by difference in firstDate and booking date
            int idx = (int)[date timeIntervalSinceDate:firstDate]/86400;
            // Set map
            frcMap[idx] = sidx;
        }
    }
}

Это может быть немного оптимизировано, но пока работает нормально. Я подозреваю, что это может страдать от проблем смены часов по Гринвичу /BST, которые нужно будет исправить... разве проблемы со сменой часов не так важны, а, Apple?;П

После этого это просто случай использования массива отображения при ответе на просмотр таблицы:

#pragma mark -
#pragma mark Table view data source

// Gets the booking from the fetchedResultsController using a remapped indexPath
- (Booking *)bookingForMappedIndexPath:(NSIndexPath *)indexPath {
    return (Booking *)[self.fetchedResultsController objectAtIndexPath:
                       [NSIndexPath indexPathForRow:indexPath.row inSection:frcMap[indexPath.section]]];
}

- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView {
    return 7;   // 7 days viewed
}

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

    // Rows in section or 1 if no section
    if (frcMap[section] != -1) {
        id <NSFetchedResultsSectionInfo> sectionInfo = [[self.fetchedResultsController sections] objectAtIndex:frcMap[section]];
        return [sectionInfo numberOfObjects];
    } else {
        return 1;
    }

}

- (UITableViewCell *)tableView:(UITableView *)_tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {

    static NSString *CellIdentifier = @"RegularCell";

    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];
    if (cell == nil) {
        cell = [[[UITableViewCell alloc] initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:CellIdentifier] autorelease];
    }

    // Configure the cell.
    [self configureCell:cell atIndexPath:indexPath];
    return cell;
}

- (void)configureCell:(UITableViewCell *)cell atIndexPath:(NSIndexPath *)indexPath {

    // If no actual bookings for section then its a blank cell
    if (frcMap[indexPath.section] == -1) {

        // Configure a blank cell.
        cell.textLabel.text = @"No Bookings";
        cell.detailTextLabel.text = @"";

        cell.textLabel.font = [UIFont systemFontOfSize:16];
        cell.textLabel.textColor = [UIColor lightGrayColor];

        cell.accessoryType = UITableViewCellAccessoryNone;
        cell.selectionStyle = UITableViewCellSelectionStyleNone;

    } else {

        // Regular cell
        Booking *booking = [self bookingForMappedIndexPath:indexPath];
        cell.textLabel.text = booking.desc;
        cell.detailTextLabel.text = [NSString stringWithFormat:@"%@ %@", booking.location, booking.detail];

        cell.textLabel.font = [UIFont systemFontOfSize:14];
        cell.textLabel.textColor = [UIColor darkTextColor];
        cell.detailTextLabel.font = [UIFont systemFontOfSize:12];

        cell.accessoryType = UITableViewCellAccessoryDisclosureIndicator;
        cell.selectionStyle = UITableViewCellSelectionStyleBlue;
    }
}

Любые комментарии или лучшие способы написания этого очень приветствуются:)

Я не использовал это много, но вы могли бы проверить протокол NSFetchedResultsSectionInfo. Это может быть использовано так, по-видимому:

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section 
{
NSInteger numberOfRows = 0; 
if ([[fetchedResultsController sections] count] > 0)
    {
    id <NSFetchedResultsSectionInfo> sectionInfo = [[fetchedResultsController sections] objectAtIndex:section];
    numberOfRows = [sectionInfo numberOfObjects];
    }
return numberOfRows;
}

Удачи.

У меня тоже была эта пробема. Я написал подкласс NSFetchedResultsController для решения этой проблемы:

https://github.com/timothyarmes/TAFetchedResultsController

Тим

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