我通过在我的数据模型中硬编码一些静态数据(酒店信息)来启动我的应用程序,以便在我的应用程序的任何地方都可以访问它们。这很好,直到列表开始增长(仍然是静态数据)。我试图弄清楚如何通过使用 plist 来重新创建硬编码数据。似乎直截了当,但似乎无法弄清楚。
我的“酒店”对象标题:
@interface Hotel : NSObject {}
@property (nonatomic, assign) int HotelID;
@property (nonatomic, copy) NSString* Name;
@property (nonatomic, copy) int Capacity;
@end
我的“酒店”对象实现:
@implementation Hotel
@synthesize HotelID, Name, Capacity;
-(void)dealloc {
[Name release];
[Capacity release];
}
“Hotel”对象由我的 DataModel 管理。
DataModel 的 header :
@class Hotel;
@interface DataModel : NSObject {}
-(int)hotelCount;
DataModel 实现:
#import "DataModel.h"
#import "Hotel.h"
// Private methods
@interface DataModel ()
@property (nonatomic, retain) NSMutableArray *hotels;
-(void)loadHotels;
@end
@implementation DataModel
@synthesize hotels;
- (id)init {
if ((self = [super init])) {
[self loadHotels];
}
return self;
}
- (void)dealloc {
[hotels release];
[super dealloc];
}
- (void)loadHotels
hotels = [[NSMutableArray arrayWithCapacity:30] retain];
Hotel *hotel = [[Hotel alloc] init];
hotel.HotelID = 0;
hotel.Name = @"Solmar";
hotel.Capacity = 186;
// more data to be added eventually
[hotels addObject:hotel];
[hotel release];
Hotel *hotel = [[Hotel alloc] init];
hotel.HotelID = 1;
hotel.Name = @"Belair";
hotel.Capacity = 389;
[hotels addObject:hotel];
[hotel release];
// and so on... I have 30 hotels hard coded here.
- (int)hotelCount {
return self.hotels.count;
}
@end
此设置工作正常。但是,我不知道如何实现对数据进行硬编码的 loadHotel 部分。我想用具有相同信息的 plist 替换它。如何读取 plist 文件以分配每个键的信息(名称、容量等)?
Best Answer-推荐答案 strong>
创建 plist 后,您可以将其内容加载到字典中,如下所示:
NSString *plistPath = [[NSBundle mainBundle] pathForResource:plistFileName ofType:nil];
NSDictionary *plistDict = [NSDictionary dictionaryWithContentsOfFile:plistPath];
然后您可以使用 plist 中的键查询您需要的任何数据:
NSArray *hotelsFromPlist = [plistDict objectForKey:"hotels"];
// remember this is autoreleased, so use alloc/initWithCapacity of you need to keep it
NSMutableArray *hotels = [NSMutableArray arrayWithCapacity:[hotelsFromPlist count]];
for (NSDictionary *hotelDict in hotelsFromPlist) {
Hotel *hotel = [[Hotel alloc] init];
hotel.name = [hotelDict objectForKey"name"];
hotel.capacity = [hotelDict objectForKey"capacity"];
[hotels addObject:hotel];
}
希望这会有所帮助。
为了代码的正确性而编辑
关于iphone - 如何将 plist 数据读入数据模型?,我们在Stack Overflow上找到一个类似的问题:
https://stackoverflow.com/questions/7422482/
|