我有一组城市和一组国家。
这两个对象有一个共同的属性:城市名称。
我需要创建一个新数组,添加城市数组中没有城市名称的所有国家/地区。
我尝试在两个数组上进行迭代,比较城市名称并将不同的名称添加到新数组中。结果是,当它检查第一个城市时,所有具有其他名称的城市都被添加到数组中,因此 Cities 数组中的其他城市也已经存在。
self.filteredCountriesArray = [NSMutableArray new];
for (Country* country in self.countries) {
for (City *city in self.cities) {
if (![country.city isEqualToString:city.name]) {
[self.filteredCountriesArray addObject:country];
}
}
}
建议?
Best Answer-推荐答案 strong>
不确定我是否明白你想要什么,我猜你想做这样的事情:
for (Country *country in self.countries) {
BOOL found = NO;
for (City *city in self.cities) {
if ([country.city isEqualToString:city.name]) {
found = YES;
break;
}
}
if (!found) {
[self.filteredCountriesArray addObject:country];
}
}
为了加快速度,我会先创建一个带有城市名称的 NSSet :
NSMutableSet *cityNames = [NSMutableSet set];
for (City *city in self.cities) {
[cityNames addObject:city.name];
}
for (Country *country in self.countries) {
if (![cityNames containsObject:county.city]) {
[self.filteredCountriesArray addObject:country];
}
}
关于ios - 合并两个 NSArray 删除重复项,我们在Stack Overflow上找到一个类似的问题:
https://stackoverflow.com/questions/26884328/
|