我在哪里为iOS应用程序创建全局变量



这是我的代码:

我希望能够创建一个全局NSMutableArray,它可以存储Budget*对象,然后可以将这些对象写入.pList文件。。。我只是在学习pLists是什么,我对如何实现它们有点模糊。。。

我哪里错了?

- (IBAction)btnCreateBudget:(id)sender 
{
    Budget *budget = [[Budget alloc] init];
    budget.name = self.txtFldBudgetName.text;
    budget.amount = [self.txtFldBudgetAmount.text intValue];    
    // Write the data to the pList
    NSMutableArray *anArray = [[NSMutableArray alloc] init]; // I want this to be a global variable for the entire app. Where do I put this?
    [anArray addObject:budget];
    [anArray writeToFile:[self dataFilePath] atomically:YES];
    /* As you can see, below is where I test the code. Unfortunately, 
    every time I run this, I get only 1 element in the array. I'm assuming 
    that this is because everytime the button is pressed, I create a brand new 
    NSMutableArray *anArray. I want that to be global for the entire app. */
    int i = 0;
    for (Budget * b in anArray)
    {
        i++;
    }
    NSLog(@"There are %d items in anArray",i);
}
-(NSString *) dataFilePath
{ 
    NSArray *path = NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES); 
    NSString *documentDirectory = [path objectAtIndex:0]; 
    return [documentDirectory stringByAppendingPathComponent:@"BudgetData.plist"];
}

edit:我想补充一点,我正在创建anArray数组,以便其他视图可以访问它。我知道NSNotification可以做到这一点?或者我应该在appDelegate类中执行此操作吗?最终目标是让anArray对象填充在单独视图中的UITableView。

只需将声明放在方法外部,而不是放在方法内部。

NSMutableArray *anArray = nil;
- (IBAction)btnCreateBudget:(id)sender 
{
    ...
    if ( anArray == nil )
      anArray = [[NSMutableArray alloc] init]; 
    ...
}

如果它只在一个文件中使用,请将其设置为"静态",以防止与其他文件发生名称冲突:

    static NSMutableArray *anArray = nil;

如果它只在一个方法中使用,请将其设置为"静态"并放入该方法中:

- (IBAction)btnCreateBudget:(id)sender 
{
    static NSMutableArray *anArray = nil;
    ...
    if ( anArray == nil )
      anArray = [[NSMutableArray alloc] init]; 
    ...
}

请注意,人们通常对全局变量使用某种命名约定,如"gArray",以轻松地将它们与局部变量、实例变量或方法参数区分开来。

在这种情况下不需要全局变量。你可以这样做:

  1. 将旧数据读取到可变数组(initWithContentsOfFile:
  2. 向数组中添加新记录
  3. 将数组保存到同一文件中

但代码中的第二个问题是,如果Budget类不是属性列表类型(NSString、NSData、NSArray或NSDictionary对象),writeToFile:将无法成功保存它。

您需要确保Budget类调用NSCoder,然后调用NSCoder initWithCoder:NSCoder decodeWithCoder:方法。否则,writeToFile:将不适用于NSObject类。

但我离题了。原问题的答案如下。

.h文件中,您需要执行以下操作。

@interface WhateverClassName : UIViewController 
{
    NSMutableArray *anArray;
}
@property(nonatomic, retain) NSMutableArray *anArray;
@end

然后,你需要确保@synthesizeNSMutableArray,这样你就不会收到任何奇怪的警告。这是在.m文件中的@implementation行之后完成的。

然后,在您希望将其分配到内存中的函数中,只需执行以下操作即可。

anArray = [[NSMutableArray alloc] initWithObjects:nil];

这现在是一个global变量。它是global,因为它可以从任何函数中使用,而不限于在一个函数中使用。

如果您想让整个应用程序或上下文("全局")都可以访问数据,可以使用singleton。但是,要谨慎行事,并确保这确实是必要和适当的。我建议在实现singleton之前,先对其进行大量的阅读。Carter Allen在这里有一个很好的基本实现。

根据"最终目标是让anArray对象填充在单独视图中的UITableView",您不需要向文件、数据库或单例写入任何内容。只需设置对象。正如Sebastien Peek所说。

如果您希望离线数据存储,请查看sqlite、json、plist等

相关内容

  • 没有找到相关文章

最新更新