Ali
Ali

Reputation: 11560

How can I sort an NSMutableArray alphabetically?

I want to sort an NSMutableArray alphabetically.

Upvotes: 25

Views: 42029

Answers (7)

Asif Newaz
Asif Newaz

Reputation: 587

In the simplest scenarios, if you had an array of strings:

NSArray* data = @[@"Grapes", @"Apples", @"Oranges"];

And you wanted to sort it, you'd simply pass in nil for the key of the descriptor, and call the method i mentioned above:

NSSortDescriptor *descriptor = [[NSSortDescriptor alloc] initWithKey:nil ascending:YES];
data = [data sortedArrayUsingDescriptors:@[descriptor]];

The output would look like this:

Apples, Grapes, Oranges

For more details check this

Upvotes: 1

Gonzer
Gonzer

Reputation: 511

Maybe this can help you:

[myNSMutableArray sortUsingDescriptors:@[[NSSortDescriptor sortDescriptorWithKey:@"firstName" ascending:YES],[NSSortDescriptor sortDescriptorWithKey:@"lastName" ascending:YES]]];

All is acording to NSSortDescriptor...

Upvotes: 0

Maulik Pandya
Maulik Pandya

Reputation: 2220

NSSortDescriptor * sortDescriptor;
sortDescriptor = [[NSSortDescriptor alloc] initWithKey:@"Name_your_key_value" ascending:YES];
NSArray * sortDescriptors = [NSArray arrayWithObject:sortDescriptor]; 
NSArray * sortedArray;
sortedArray = [Your_array sortedArrayUsingDescriptors:sortDescriptors];

Upvotes: 0

Programming Learner
Programming Learner

Reputation: 4411

NSSortDescriptor *valueDescriptor = [[NSSortDescriptor alloc] initWithKey:@"name" ascending:YES]; // Describe the Key value using which you want to sort. 
NSArray * descriptors = [NSArray arrayWithObject:valueDescriptor]; // Add the value of the descriptor to array.
sortedArrayWithName = [yourDataArray sortedArrayUsingDescriptors:descriptors]; // Now Sort the Array using descriptor.

Here you will get the sorted array list.

Upvotes: 1

JP Hribovsek
JP Hribovsek

Reputation: 6707

The other answers provided here mention using @selector(localizedCaseInsensitiveCompare:)
This works great for an array of NSString, however the OP commented that the array contains objects and that sorting should be done according to object.name property.
In this case you should do this:

NSSortDescriptor *sort = [NSSortDescriptor sortDescriptorWithKey:@"name" ascending:YES];
[yourArray sortUsingDescriptors:[NSArray arrayWithObject:sort]];

Your objects will be sorted according to the name property of those objects.

Upvotes: 48

Sudhanshu
Sudhanshu

Reputation: 3960

Use the NSSortDescriptor class and rest you will get every thing here

Upvotes: 0

You can do this to sort NSMutableArray:

[yourArray sortUsingSelector:@selector(localizedCaseInsensitiveCompare:)];

Upvotes: 103

Related Questions