我目前正在开发中使用NSMutableArrays
来存储从HTTP Servlet中获取的一些数据。
一切都很好,因为现在我必须对我的数组中的内容进行排序。
这就是我的所作所为:
NSMutableArray *array = [[NSMutableArray arrayWithObjects:nil] retain];
[array addObject:[NSArray arrayWithObjects: "Label 1", 1, nil]];
[array addObject:[NSArray arrayWithObjects: "Label 2", 4, nil]];
[array addObject:[NSArray arrayWithObjects: "Label 3", 2, nil]];
[array addObject:[NSArray arrayWithObjects: "Label 4", 6, nil]];
[array addObject:[NSArray arrayWithObjects: "Label 5", 0, nil]];
第一列包含Label,第二列是我希望数组按降序排序的分数。
我存储数据的方式是好的吗?有没有比使用NSMutableArrays
中的NSMutableArray
更好的方法呢?
我是iPhone开发人员的新手,我看过一些关于排序的代码,但对此并不满意。
提前感谢您的回答!
答案 0 :(得分:10)
如果要创建自定义对象(或者至少使用NSDictionary
)来存储信息,而不是使用数组,这将会容易得多。
例如:
//ScoreRecord.h
@interface ScoreRecord : NSObject {
NSString * label;
NSUInteger score;
}
@property (nonatomic, retain) NSString * label;
@property (nonatomic) NSUInteger score;
@end
//ScoreRecord.m
#import "ScoreRecord.h"
@implementation ScoreRecord
@synthesize label, score;
- (void) dealloc {
[label release];
[super dealloc];
}
@end
//elsewhere:
NSMutableArray * scores = [[NSMutableArray alloc] init];
ScoreRecord * first = [[ScoreRecord alloc] init];
[first setLabel:@"Label 1"];
[first setScore:1];
[scores addObject:first];
[first release];
//...etc for the rest of your scores
填充scores
数组后,您现在可以执行以下操作:
//the "key" is the *name* of the @property as a string. So you can also sort by @"label" if you'd like
NSSortDescriptor * sortByScore = [NSSortDescriptor sortDescriptorWithKey:@"score" ascending:YES];
[scores sortUsingDescriptors:[NSArray arrayWithObject:sortByScore]];
在此之后,您的scores
数组将按分数升序排序。
答案 1 :(得分:5)
您不需要为如此微不足道的事情创建自定义类,这会浪费代码。你应该使用NSDictionary
的数组(ObjC中的字典=其他语言的哈希)。
这样做:
NSMutableArray * array = [NSMutableArray arrayWithObjects:
[NSDictionary dictionaryWithObject:@"1" forKey:@"my_label"],
[NSDictionary dictionaryWithObject:@"2" forKey:@"my_label"],
[NSDictionary dictionaryWithObject:@"3" forKey:@"my_label"],
[NSDictionary dictionaryWithObject:@"4" forKey:@"my_label"],
[NSDictionary dictionaryWithObject:@"5" forKey:@"my_label"],
nil];
NSSortDescriptor * sortDescriptor = [[[NSSortDescriptor alloc] initWithKey:@"my_label" ascending:YES] autorelease];
[array sortUsingDescriptors:[NSArray arrayWithObject:sortDescriptor]];