iOS 数组排序

iOS对存放对象的数组排序

//我们将要排序的对象是一个Persion类,如下定义:

@interface Person : NSObject 
@property (nonatomic, copy) NSString *name; 
@property (nonatomic, strong) NSDate *dateOfBirth; 
@end 
//而数组中包含如下内容:
//Smith 03/01/1984 
//Andersen 16/03/1979 
//Clark 13/09/1995 

1.使用NSComparator进行排序

typedef NSComparisonResult (^NSComparator)(id obj1, id obj2);
上面的参数(obj1、obj2)就是我们将要做比较的对象。block返回的结果为NSComparisonResult类型来表示两个对象的顺序。
要对整个数组做排序,则需要使用NSArray的sortArrayUsingComparator:方法,如下代码所示:

NSArray *sortedArray = [self.persons sortedArrayUsingComparator:^NSComparisonResult(Person *p1, Person *p2){ 
//对数组进行排序(升序)
    return [p1.dateOfBirth compare:p2.dateOfBirth]; 
//对数组进行排序(降序)
// return [p2.dateOfBirth compare:p1.dateOfBirth]; 
}]; 

2.使用NSDescriptor进行排序
Sort descriptor不仅可以用来对数组进行排序,还能指定element在table view中的排序,以及Core Data中对fetch request返回的数据做排序处理。通过sort descriptor可以很方便的对数组进行多个key的排序。下面来看看如何对我们的数组做surname排序,然后在进行name排序:

NSSortDescriptor *firstDescriptor = [[NSSortDescriptor alloc] initWithKey:@"dateOfBirth" ascending:YES]; 
NSSortDescriptor *secondDescriptor = [[NSSortDescriptor alloc] initWithKey:@"name" ascending:YES]; 
 
NSArray *sortDescriptors = [NSArray arrayWithObjects:firstDescriptor, secondDescriptor, nil]; 
 
NSArray *sortedArray = [self.persons sortedArrayUsingDescriptors:sortDescriptors]; 

上面代码的排序结果如下所示:
Andersen Jane
Clark Anne

3.使用selector进行排序
当面,我们也可以定义自己的方法进行两个对象做比较,并将该方法用于数组排序。comparator消息会被发送到数值中的每个对象中,并携带数组 中另外的一个对象当做参数。自定义的的方法的返回结果是这样的:如果本身对象小于参数中的对象,就返回NSOrederedAscending,相反,则 返回NSOrderedDescending,如果相等,那么返回NSOrderedSame。如下代码所示:

- (NSComparisonResult)compare:(Person *)otherPerson { 
    return [self.dateOfBirth compare:otherPerson.dateOfBirth]; 
} 

这个方法定义在Person类中,用来对person的生日进行排序。

  //日期去重
    NSSet *set = [NSSet setWithArray:@[@"2019-05-23 11:48:17",@"2019-05-23 11:48:32"]];
    NSArray *userArray = [set allObjects];
    
    //重新降序排序
    NSSortDescriptor *sd1 = [NSSortDescriptor sortDescriptorWithKey:nil ascending:NO];//yes升序排列,no,降序排列
    NSArray *descendingDateArr = [userArray sortedArrayUsingDescriptors:[NSArray arrayWithObjects:sd1, nil]];

你可能感兴趣的:(iOS 数组排序)