2

我知道这个问题可能看起来与许多以前提出的问题相似,但是在阅读了所有这些问题和答案后,我无法理解该怎么做。

我想写一些有wordNamesandwordDefinitions和 someID和 a的单词date ID。我有以下代码,但我有两个关于使用具有不同数据类型的数组的字典以及为字典定义键的方式的问题。

如果我制作的整个 .plist 文件有误,请纠正我。

提前致谢。

- (IBAction)addWord:(id)sender
{
NSString *destinationPath = [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) lastObject];
destinationPath = [destinationPath stringByAppendingPathComponent:@"Box.plist"];

NSFileManager *fileManager = [NSFileManager defaultManager];

if (![fileManager fileExistsAtPath:destinationPath]) 
{
    NSString *sourcePath = [[NSBundle mainBundle] pathForResource:@"Box" ofType:@"plist"];
    [fileManager copyItemAtPath:sourcePath toPath:destinationPath error:nil];
}

// Load the Property List.  
NSMutableArray* wordsInTheBox = [[NSMutableArray alloc] initWithContentsOfFile:destinationPath];


NSString *wordName = word.name;
NSString *wordDefinition = word.definition;
NSInteger deckID;
NSDate addedDate;


//is this correct to have an array of different types?
NSArray *values = [[NSArray alloc] initWithObjects:wordName, wordDefinition, deckID, addedDate, nil]; 
//How and where am I supposed to define these keys?
NSArray *keys = [[NSArray alloc] initWithObjects: NAME_KEY, DEFINITION_KEY, DECK_ID_KEY, DATE_KEY, nil]; 
NSDictionary *dict = [[NSDictionary alloc] initWithObjects:values forKeys:keys];
[wordsInTheBox addObject:dict];
[wordsInTheBox writeToFile:destinationPath atomically:YES];
}
4

1 回答 1

3

initWithContentsOfFile:总是返回一个不可变数组。你应该这样做:

NSMutableArray *wordsInTheBox = [[NSMutableArray alloc] initWithArray:[NSArray arrayWithContentsOfFile:destinationPath]];

我不完全理解的是word变量的定义位置。是ivar吗?

如果您使用的是最新版本的 Xcode(4.4 或 4.5),我建议使用更简单的文字来创建字典。

NSDictionary *dict = @{NAME_KEY       : wordName, 
                       DEFINITION_KEY : wordDefinition, 
                       DECK_ID_KEY    : deckID, 
                       DATE_KEY       : addedDate};

但我也没有看到你的字典定义有问题。它应该工作。

您必须确保在某处定义了 NAME_KEY、DEFINITION_KEY 等。所有大写字母通常仅用于预处理器宏,因此您可以执行以下操作:

#define NAME_KEY @"Name"
#define DEFINITION_KEY @"Definition"

您也可以直接在字典中使用字符串:

NSDictionary *dict = @{@"Name"       : wordName, 
                       @"Definition" : wordDefinition, 
                       @"DeckID"     : deckID, 
                       @"Date"       : addedDate};

但是使用宏也不是一个坏主意。

于 2012-09-16T13:46:03.977 回答