Пример книги основных данных Добавление пользовательской ячейки - PullRequest
0 голосов
/ 16 января 2012

Я основал свое приложение на примере проекта «Базовые книги», предоставленного Apple, и сделал каждую ячейку специальной ячейкой, которая отображает определенные данные, работает магическим образом.

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

Я пробовал вот так:

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath 
{    
    if (indexPath.row == 0) 
    {
        static NSString *CellIdentifier = @"statsCell";

        GuestStatsCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];
        if (cell == nil) 
        {
            cell = [[GuestStatsCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:CellIdentifier];
        }

        //Configure the cell.
        [self configureStatsCell:cell];

        return cell;
    }
    else
    {
        static NSString *CellIdentifier = @"guestCell";

        customGuestCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];
        if (cell == nil) 
        {
            cell = [[customGuestCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:CellIdentifier];
        }

        // Configure the cell.
        [self configureGuestCell:cell atIndexPath:indexPath];

        return cell;
    }
}

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

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

Я пытался исправить это, например, кажется логичным, что этот кусок:

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

Такэто только установка достаточного количества ячеек для основных записей данных и не учитывает эту дополнительную пользовательскую ячейку.Поэтому я пытаюсь сделать что-то настолько простое, что это:

return [sectionInfo numberOfObjects] + 1;

Тогда это приводит к тому, что в этой строке я получаю сбой и ошибка индекса за пределами границ:

GuestInfo *guest = [fetchedResultsController objectAtIndexPath:indexPath];

Эта строка изМетод configureCell, который устанавливает основные ячейки записи данных.Так что я довольно озадачен тем, что делать.

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

Любая помощь будет принята с благодарностью, и если вам нужно больше увидеть код или вам нужно больше объяснений, дайте мне знать.

РЕДАКТИРОВАТЬ:

Больше кода в соответствии с просьбой, чтобы помочь мне.Это код NSFetchedController.

- (NSFetchedResultsController *)fetchedResultsController 
{

    if (fetchedResultsController != nil) 
    {
        return fetchedResultsController;
    }

    // Create and configure a fetch request with the Book entity.
    NSFetchRequest *fetchRequest = [[NSFetchRequest alloc] init];
    NSEntityDescription *entity = [NSEntityDescription entityForName:@"GuestInfo" inManagedObjectContext:managedObjectContext];
    [fetchRequest setEntity:entity];

    // Create the sort descriptors array.
    NSSortDescriptor *lastNameDescriptor = [[NSSortDescriptor alloc] initWithKey:@"lastName" ascending:YES];
    NSSortDescriptor *firstNameDescriptor = [[NSSortDescriptor alloc] initWithKey:@"firstName" ascending:YES];
    NSArray *sortDescriptors = [[NSArray alloc] initWithObjects:lastNameDescriptor, firstNameDescriptor, nil];
    [fetchRequest setSortDescriptors:sortDescriptors];

    // Create and initialize the fetch results controller.
    NSFetchedResultsController *aFetchedResultsController = [[NSFetchedResultsController alloc] initWithFetchRequest:fetchRequest managedObjectContext:managedObjectContext sectionNameKeyPath:@"displayOrder" cacheName:@"Root"];

    self.fetchedResultsController = aFetchedResultsController;
    fetchedResultsController.delegate = self;

    // Memory management.
    //No releasing with ARC!

    return fetchedResultsController;
}    


/**
 Delegate methods of NSFetchedResultsController to respond to additions, removals and so on.
 */

- (void)controllerWillChangeContent:(NSFetchedResultsController *)controller {
    // The fetch controller is about to start sending change notifications, so prepare the table view for updates.
    [self.tableView beginUpdates];
}


- (void)controller:(NSFetchedResultsController *)controller didChangeObject:(id)anObject atIndexPath:(NSIndexPath *)indexPath forChangeType:(NSFetchedResultsChangeType)type newIndexPath:(NSIndexPath *)newIndexPath {

    UITableView *tableView = self.tableView;

    switch(type) {

        case NSFetchedResultsChangeInsert:
            [tableView insertRowsAtIndexPaths:[NSArray arrayWithObject:newIndexPath] withRowAnimation:UITableViewRowAnimationFade];
            break;

        case NSFetchedResultsChangeDelete:
            [tableView deleteRowsAtIndexPaths:[NSArray arrayWithObject:indexPath] withRowAnimation:UITableViewRowAnimationFade];
            break;

        case NSFetchedResultsChangeUpdate:
            [self configureGuestCell:[tableView cellForRowAtIndexPath:indexPath] atIndexPath:indexPath];
            [self.tableView reloadData];
            break;

        case NSFetchedResultsChangeMove:
            [tableView deleteRowsAtIndexPaths:[NSArray arrayWithObject:indexPath] withRowAnimation:UITableViewRowAnimationFade];
            [tableView insertRowsAtIndexPaths:[NSArray arrayWithObject:newIndexPath] withRowAnimation:UITableViewRowAnimationFade];
            break;
    }
}


- (void)controller:(NSFetchedResultsController *)controller didChangeSection:(id <NSFetchedResultsSectionInfo>)sectionInfo atIndex:(NSUInteger)sectionIndex forChangeType:(NSFetchedResultsChangeType)type {

    switch(type) {

        case NSFetchedResultsChangeInsert:
            [self.tableView insertSections:[NSIndexSet indexSetWithIndex:sectionIndex] withRowAnimation:UITableViewRowAnimationFade];
            break;

        case NSFetchedResultsChangeDelete:
            [self.tableView deleteSections:[NSIndexSet indexSetWithIndex:sectionIndex] withRowAnimation:UITableViewRowAnimationFade];
            break;
    }
}


- (void)controllerDidChangeContent:(NSFetchedResultsController *)controller {
    // The fetch controller has sent all current change notifications, so tell the table view to process all updates.
    [self.tableView endUpdates];
}

1 Ответ

0 голосов
/ 25 января 2012

Я реализую ту же функцию и использую смещение с решением indexPath @ Toro. Не знаю, есть ли лучший способ или нет, вот мое приспособление для тех, кто заинтересован.

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
    id <NSFetchedResultsSectionInfo> sectionInfo = [[self.fetchedResultsController sections] objectAtIndex:section];
    return [sectionInfo numberOfObjects] + 1;
}

Добавьте еще одну строку для моей пользовательской ячейки, в моем выбранном результате нет раздела, поэтому я прекрасно работаю.

- (NSIndexPath *)adjustedIndexPath:(NSIndexPath *)indexPath
{
    NSIndexPath *newPath = [NSIndexPath indexPathForRow:indexPath.row - 1 inSection:indexPath.section];
    return newPath;
}

закрытый метод для настройки indexpath для получения нужного объекта из NsFetchedResultController.

Вот метод, который я применяю adjustedIndexPath:

- (void)configureCell:(UITableViewCell *)cell atIndexPath:(NSIndexPath *)indexPath
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...