How to remove duplicate values from array
I have one NSMutableArray which containing duplicates value e.g.[1,2,3,1,1,6]. I want to rem开发者_高级运维ove duplicates value and want new array with distinct values.
two liner
NSMutableArray *uniqueArray = [NSMutableArray array];
[uniqueArray addObjectsFromArray:[[NSSet setWithArray:duplicateArray] allObjects]];
My solution:
array1=[NSMutableArray arrayWithObjects:@"1",@"2",@"2",@"3",@"3",@"3",@"2",@"5",@"6",@"6",nil];
array2=[[NSMutableArray alloc]init];
for (id obj in array1)
{
if (![array2 containsObject:obj])
{
[array2 addObject: obj];
}
}
NSLog(@"new array is %@",array2);
The output is: 1,2,3,5,6..... Hope it's help you. :)
I've made a category on NSArray with this method in :
- (NSArray *)arrayWithUniqueObjects {
NSMutableArray *newArray = [NSMutableArray arrayWithCapacity:[self count]];
for (id item in self)
if (NO == [newArray containsObject:item])
[newArray addObject:item];
return [NSArray arrayWithArray:newArray];
}
However, this is brute force and not very efficient, there's probably a better approach.
If the order of the values is not important, the easiest way is to create a set from the array:
NSSet *set = [NSSet setWithArray:myArray];
It will only contain unique objects:
If the same object appears more than once in array, it is added only once to the returned set.
If you are worried about the order, check this solution
// iOS 5.0 and later
NSArray * newArray = [[NSOrderedSet orderedSetWithArray:oldArray] array];
NSSet approach is the best if you're not worried about the order of the objects
uniquearray = [[NSSet setWithArray:yourarray] allObjects];
精彩评论