5

我有一个名为的对象Delivery,它有一组Customer与之关联的对象。每个 Delivery 对象还存储 a mainCustomerIdwhich is an NSNumber*。我有一个 NSFetchedResultsController 用于管理UITableView. customers问题是我想按客户的 lastName 字段对 NSFetchedResultsController 进行排序(客户再次存储在对象上调用的多对多关系中Delivery),其中一组客户的 customerId 等于 Delivery 的 MainCustomerId .

交付类看起来像这样(仅相关部分)

@interface Delivery : NSManagedObject
@property (nonatomic, retain) NSNumber * mainCustomerId;
@property (nonatomic, retain) NSSet *customers;
@end

客户类看起来像这样

@interface Customer : NSManagedObject
@property (nonatomic, retain) NSNumber * customerId;
@property (nonatomic, retain) NSString * lastName;
// And the inverse relationship to the deliveries
@property (nonatomic, retain) NSSet *deliveries;
@end

我需要制作一个 NSSortDescriptor 来做这样的事情(注意,我知道这是错误的格式并且不会起作用。我希望它可以传达这个想法)

NSSortDescriptor *sortDescriptor = [[NSSortDescriptor alloc] initWithKey:@"customers.AnyobjectInSet.lastName WHERE AnyobjectInSet.customerId == masterCustomerId ascending:YES];

我使用子查询和 NSExpressions 尝试了几件事,但总是失败,因为我不能使用任何使用 Cocoa 的功能(比如使用 @selector 排序),因为它必须能够生成一个真正的 mysql 查询,而不需要 Cocoa 处理数据。但我觉得必须有某种方法可以做到这一点,因为这将是 mysql 中的一个简单查询。

select * from Delivery JOIN Customer ON Customer.customerId=Delivery.mainCustomerId ORDER BY Customer.lastName;

我试图避免在获取结果后进行排序并将排序顺序存储回对象上(这很容易,但我觉得这是错误的解决方案,因为我选择了相关数据。必须有一种方法排序)。任何帮助将不胜感激。

提前致谢。

4

1 回答 1

2

好的,所以也许我遗漏了一些东西,但谓词建议对我来说非常有意义。如果我错了,请纠正我,但是(假设你知道 mainCustomerID):

NSNumber *mainCustomerID = ...

NSPredicate *predicate = [NSPredicate predicateWithFormat:@"customerID == %@", mainCustomerID];
NSSortDescriptor *sortDescriptor = [NSSortDescriptor sortDescriptorWithKey:@"lastName" ascending:YES];

NSFetchRequest *request = [NSFetchRequest fetchRequestWithEntityName:@"Customer"];
[request setPredicate:predicate];
[request setSortDescriptors:@[ sortDescriptor ]];

NSFetchedResultsController *controller = [[NSFetchedResultsController alloc] initWithFetchRequest:request ...

所以基本上如果不清楚,这将获取 customerID 等于 mainCustomerID 的所有客户记录,然后按姓氏对这些结果进行排序。这将在内部生成 SQL 语句来为您执行此操作。

这不是你想要做的吗?

此外,如果您想查看 CoreData 在运行时生成的 SQL(有用的调试工具),请打开您的方案并转到“参数”选项卡并将以下内容添加到“启动时传递的参数”中:

-com.apple.CoreData.SQLDebug 1

快乐编码:)

于 2013-04-23T16:03:15.277 回答