Приветствую, я читаю, что по умолчанию UITableView
строки заголовков разделов закрепляются в верхней части таблицы при прокрутке разделов до тех пор, пока следующий раздел не вытолкнет строку предыдущего раздела из поля зрения.
У меня есть UITableView
внутри a, UIViewController
и это, похоже, не так.
Это просто поведение по умолчанию UITableViewController
?
Вот упрощенный код на основе того, что у меня есть. Я покажу UIController
интерфейс и каждый метод представления таблицы, который я реализовал для создания представления таблицы. У меня есть вспомогательный класс источника данных, который помогает мне индексировать мои объекты для использования с таблицей.
@interface MyUIViewController ()<UITableViewDelegate, UITableViewDataSource>
@property (nonatomic, readonly) UITableView *myTableView;
@property (nonatomic, readonly) MyCustomHelperDataSource *helperDataSource;
@end
//when section data is set, get details for each section and reload table on success
- (void)setSectionData:(NSArray *)sections {
super.sectionData = sections; //this array drives the sections
//get additional data for section details
[[RestKitService sharedClient] getSectionDetailsForSection:someId
success:^(RKObjectRequestOperation *operation, RKMappingResult *details) {
NSLog(@"Got section details data");
_helperDataSource = [[MyCustomHelperDataSource alloc] initWithSections:sections andDetails:details.array];
[myTableView reloadData];
} failure:^(RKObjectRequestOperation *operation, NSError *error) {
NSLog(@"Failed getting section details");
}];
}
#pragma mark <UITableViewDataSource, UITableViewDelegate>
- (NSInteger)numberOfSectionsInTableView:(UITableView *)tableView {
if (!_helperDataSource) return 0;
return [_helperDataSource countSectionsWithDetails]; //number of section that have details rows, ignore any empty sections
}
- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section {
//get the section object for the current section int
SectionObject *section = [_helperDataSource sectionObjectForSection:section];
//return the number of details rows for the section object at this section
return [_helperDataSource countOfSectionDetails:section.sectionId];
}
- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {
UITableViewCell * cell;
NSString *CellIdentifier = @"SectionDetailCell";
cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];
if (cell == nil) {
initWithStyle:UITableViewCellStyleValue1 reuseIdentifier:CellIdentifier];
cell = [[UITableViewCell alloc] initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:CellIdentifier];
cell.textLabel.font = [UIFont systemFontOfSize:12.0f];
}
//get the detail object for this section
SectionObject *section = [_helperDataSource sectionObjectForSection:indexPath.section];
NSArray* detailsForSection = [_helperDataSource detailsForSection:section.sectionId] ;
SectionDetail *sd = (SectionDetail*)[detailsForSection objectAtIndex:indexPath.row];
cell.textLabel.text = sd.displayText;
cell.detailTextLabel.text = sd.subText;
cell.detailTextLabel.textColor = [UIColor blueTextColor];
return cell;
}
- (CGFloat)tableView:(UITableView *)tableView heightForRowAtIndexPath:(NSIndexPath *)indexPath {
return 50.0f;
}
- (CGFloat)tableView:(UITableView *)tableView heightForHeaderInSection:(NSInteger)section {
return 30.0f;
}
- (NSString *)tableView:(UITableView *)tableView titleForHeaderInSection:(NSInteger) section {
//get the section object for the current section
SectionObject *section = [_helperDataSource sectionObjectForSection:section];
NSString *title = @"%@ (%d)";
return [NSString stringWithFormat:title, section.name, [_helperDataSource countOfSectionDetails:section.sectionId]];
}
- (UIView *)tableView:(UITableView *)tableView viewForHeaderInSection:(NSInteger)section {
UIView *header = [[UIView alloc] initWithFrame:CGRectMake(0, 0, 260, 0)];
header.autoresizingMask = UIViewAutoresizingFlexibleWidth;
header.backgroundColor = [UIColor darkBackgroundColor];
SSLabel *label = [[SSLabel alloc] initWithFrame:CGRectMake(3, 3, 260, 24)];
label.font = [UIFont boldSystemFontOfSize:10.0f];
label.verticalTextAlignment = SSLabelVerticalTextAlignmentMiddle;
label.backgroundColor = [UIColor clearColor];
label.text = [self tableView:tableView titleForHeaderInSection:section];
label.textColor = [UIColor whiteColor];
label.shadowColor = [UIColor darkGrayColor];
label.shadowOffset = CGSizeMake(1.0, 1.0);
[header addSubview:label];
return header;
}
ios
objective-c
uitableview
Topwik
источник
источник
Ответы:
Заголовки остаются фиксированными, только если для
UITableViewStyle
свойства таблицы установлено значениеUITableViewStylePlain
. Если у вас установлено значениеUITableViewStyleGrouped
, заголовки будут прокручиваться вверх вместе с ячейками.источник
initWithStyle:UITableViewStylePlain
, так как вызов чего-то вроде tableView.style = UITableViewStylePlain не сработает.Измените стиль TableView:
Согласно документации Apple для UITableView:
Надеюсь, это небольшое изменение поможет вам ...
источник
Plain
, а неGrouped
Swift 3.0
Создайте ViewController с протоколами UITableViewDelegate и UITableViewDataSource . Затем создайте внутри него tableView, объявив его стиль как UITableViewStyle.grouped . Это исправит заголовки.
источник
Вы также можете установить для свойства bounces tableview значение NO. Это сохранит заголовки разделов неплавающими / статическими, но тогда вы также потеряете свойство bounce для tableview.
источник
чтобы сделать заголовок разделов UITableView не липким или липким:
измените стиль представления таблицы - сделайте его сгруппированным, чтобы он не был липким, и сделайте его простым для липких заголовков разделов - не забывайте: вы можете сделать это из раскадровки без написания кода. (щелкните вид таблицы и измените его стиль в правой части меню / компонента)
если у вас есть дополнительные компоненты, такие как пользовательские представления и т. д., проверьте поля табличного представления, чтобы создать соответствующий дизайн. (например, высота заголовка для разделов и высота ячейки в пути индекса, разделы)
источник
источник