Гаразд, я знаю, що пізно, але мені довелося це зробити. Зараз я витратив 10 годин на пошук робочого рішення, але не знайшов повної відповіді. Знайшов якісь підказки, але для початківців важко зрозуміти. Тож мені довелося покласти свої 2 копійки та завершити відповідь.
Як було запропоновано в кількох відповідях, єдиним робочим рішенням, яке мені вдалося реалізувати, є вставлення нормальних комірок у подання таблиці та обробка ними як заголовки розділів, але кращий спосіб досягти цього - вставляючи ці комірки на рядок 0 кожного розділу. Таким чином, ми можемо легко обробляти ці нестандартні заголовки.
Отже, кроки є.
Реалізація UITableView зі стилем UITableViewStylePlain.
-(void) loadView
{
[super loadView];
UITableView *tblView =[[UITableView alloc] initWithFrame:CGRectMake(0, frame.origin.y, frame.size.width, frame.size.height-44-61-frame.origin.y) style:UITableViewStylePlain];
tblView.delegate=self;
tblView.dataSource=self;
tblView.tag=2;
tblView.backgroundColor=[UIColor clearColor];
tblView.separatorStyle = UITableViewCellSeparatorStyleNone;
}
Реалізуйте заголовокForHeaderInSection як завжди (ви можете отримати це значення, використовуючи власну логіку, але я вважаю за краще використовувати стандартні делегати).
- (NSString *)tableView: (UITableView *)tableView titleForHeaderInSection:(NSInteger)section
{
NSString *headerTitle = [sectionArray objectAtIndex:section];
return headerTitle;
}
Як правило, номер виконанняOfSectionsInTableView
- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView
{
int sectionCount = [sectionArray count];
return sectionCount;
}
Реалізуйте номерOfRowsInSection як завжди.
- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section
{
int rowCount = [[cellArray objectAtIndex:section] count];
return rowCount +1; //+1 for the extra row which we will fake for the Section Header
}
Поверніть 0,0f у висотуForHeaderInSection.
- (CGFloat)tableView:(UITableView *)tableView heightForHeaderInSection:(NSInteger)section
{
return 0.0f;
}
НЕ застосовуйте viewForHeaderInSection. Видаліть метод повністю замість повернення нуля.
У висотуForRowAtIndexPath. Перевірте, чи (indexpath.row == 0) і поверніть бажану висоту комірки для заголовка розділу, а інше поверніть висоту комірки.
- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath
{
if(indexPath.row == 0)
{
return 80; //Height for the section header
}
else
{
return 70; //Height for the normal cell
}
}
Тепер у cellForRowAtIndexPath перевірте, чи немає (indexpath.row == 0), і реалізуйте комірку так, як ви хочете, щоб був заголовок розділу, і встановіть стиль вибору не. ELSE реалізуйте цю клітинку так, як ви хочете, щоб вона була нормальною.
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
if (indexPath.row == 0)
{
UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:@"SectionCell"];
if (cell == nil)
{
cell = [[[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:@"SectionCell"] autorelease];
cell.selectionStyle = UITableViewCellSelectionStyleNone; //So that the section header does not appear selected
cell.backgroundView = [[UIImageView alloc] initWithImage:[UIImage imageNamed:@"SectionHeaderBackground"]];
}
cell.textLabel.text = [tableView.dataSource tableView:tableView titleForHeaderInSection:indexPath.section];
return cell;
}
else
{
UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:@"Cell"];
if (cell == nil)
{
cell = [[[UITableViewCell alloc] initWithStyle:UITableViewCellStyleDefault reuseIdentifier:@"Cell"] autorelease];
cell.selectionStyle = UITableViewCellSelectionStyleGray; //So that the normal cell looks selected
cell.backgroundView =[[[UIImageView alloc] initWithImage:[UIImage imageNamed:@"CellBackground"]]autorelease];
cell.selectedBackgroundView=[[[UIImageView alloc] initWithImage:[UIImage imageNamed:@"SelectedCellBackground"]] autorelease];
}
cell.textLabel.text = [[cellArray objectAtIndex:indexPath.section] objectAtIndex:indexPath.row -1]; //row -1 to compensate for the extra header row
return cell;
}
}
Тепер реалізуйте willSelectRowAtIndexPath та поверне нуль, якщо indexpath.row == 0. Це піклується про те, що didSelectRowAtIndexPath ніколи не буде звільнено для рядка заголовка розділу.
- (NSIndexPath *)tableView:(UITableView *)tableView willSelectRowAtIndexPath:(NSIndexPath *)indexPath
{
if (indexPath.row == 0)
{
return nil;
}
return indexPath;
}
І, нарешті, у didSelectRowAtIndexPath, перевірте, чи є (indexpath.row! = 0) та продовжуйте.
- (void)tableView:(UITableView *)tableView didSelectRowAtIndexPath:(NSIndexPath *)indexPath
{
if (indexPath.row != 0)
{
int row = indexPath.row -1; //Now use 'row' in place of indexPath.row
//Do what ever you want the selection to perform
}
}
З цим ви все зробили. Тепер у вас ідеально прокручується заголовок розділу, що не плаває.