目前我有一个基于导航的应用程序,显然RootViewController是一个UITableView。但是,我认为有必要创建一个浮动在UITableView上方的UIToolbar。目前我这样做。
- (void)viewWillAppear:(BOOL)animated {
[super viewWillAppear:animated];
//Initialize the toolbar
toolbar = [[UIToolbar alloc] init];
toolbar.barStyle = UIBarStyleDefault;
//Set the toolbar to fit the width of the app.
[toolbar sizeToFit];
//Caclulate the height of the toolbar
CGFloat toolbarHeight = [toolbar frame].size.height;
//Get the bounds of the parent view
CGRect rootViewBounds = self.parentViewController.view.bounds;
//Get the height of the parent view.
CGFloat rootViewHeight = CGRectGetHeight(rootViewBounds);
//Get the width of the parent view,
CGFloat rootViewWidth = CGRectGetWidth(rootViewBounds);
//Create a rectangle for the toolbar
CGRect rectArea = CGRectMake(0, rootViewHeight - toolbarHeight, rootViewWidth, toolbarHeight);
//Reposition and resize the receiver
[toolbar setFrame:rectArea];
//Create a button
UIBarButtonItem *infoButton = [[UIBarButtonItem alloc] initWithTitle:@"Settings" style:UIBarButtonItemStyleBordered target:self action:@selector(account_details)];
[toolbar setItems:[NSArray arrayWithObjects:infoButton,nil]];
//Add the toolbar as a subview to the navigation controller.
[self.navigationController.view addSubview:toolbar];
[infoButton release];
[self.tableView reloadData];
}
然而,在使用Leaks仪器工具之后,我能够确定这是造成一些内存泄漏的原因,但只是很小,但内存泄漏仍然存在。然后我进一步向下钻,并能够确定导致内存泄漏的确切行。它们如下。
UIBarButtonItem *infoButton = [[UIBarButtonItem alloc] initWithTitle:@"Settings" style:UIBarButtonItemStyleBordered target:self action:@selector(account_details)];
[toolbar setItems:[NSArray arrayWithObjects:infoButton,nil]];
[self.navigationController.view addSubview:toolbar];
我正在努力弄清楚如何消除这些内存泄漏,从而使我的应用程序运行更顺畅。任何帮助将被理解为什么上述行导致泄漏!
答案 0 :(得分:3)
每次出现视图时,都会创建一个新工具栏,添加到视图中并且永不释放。这意味着该工具栏及其栏按钮项将永远持续。您可以通过在将其添加到视图后简单地释放工具栏,或在创建它时向其发送自动释放消息来解决此问题。因此,一个体面的方法是替换:
toolbar = [[UIToolbar alloc] init];
使用:
toolbar = [[[UIToolbar alloc] init] autorelease];
此外,您执行此操作的方式,每次您的视图出现时,您最终都会在导航控制器的视图中添加另一个工具栏。因此,您几乎肯定会有相当多的这些对象相互叠加(因此您仍会看到泄漏,直到导航视图最终消失)。您可能想要做的是将此工具栏保留为ivar。当视图消失后,从导航控制器的视图中删除工具栏。出现时,添加它。在viewDidLoad
方法中创建工具栏本身并在viewDidUnload
中清理它,然后在dealloc中释放它。所以你的新类可能看起来像这样(让我们假设你创建一个名为toolbar的合成属性,保留):
- (void)viewDidLoad
{
[super viewDidLoad];
UIToolbar* toolbar = [[[UIToolbar alloc] init] autorelease];
// set up toolbar
[self setToolbar:toolbar];
// other load code
}
- (void)viewWillAppear:(BOOL)animated
{
[super viewWillAppear:animated];
[[[self navigationController] view] addSubview:[self toolbar]];
// other vwa code
}
- (void)viewDidDisappear:(BOOL)animated
{
[super viewDidDisappear:animated];
[[self toolbar] removeFromSuperview];
}
- (void)viewDidUnload
{
[self setToolbar:nil];
[super viewDidUnload];
}
- (void)dealloc
{
UIToolbar* toolbar = [self toolbar];
[toolbar removeFromSuperview]; // shouldn't ever need this, but be safe
[toolbar release];
// other dealloc
[super dealloc];
}