我正在尝试将我的coredata转换为json,我一直在努力让这个工作起作用,但找到了一种几乎正常工作的方法。
我的代码:
NSArray *keys = [[[self.form entity] attributesByName] allKeys];
NSDictionary *dict = [self.form dictionaryWithValuesForKeys:keys];
NSLog(@"dict::%@",dict);
NSError *error;
NSData *jsonData = [NSJSONSerialization dataWithJSONObject:dict
options:NSJSONWritingPrettyPrinted // Pass 0 if you don't care about the readability of the generated string
error:&error];
if (! jsonData) {
NSLog(@"Got an error: %@", error);
} else {
NSString *jsonString = [[NSString alloc] initWithData:jsonData encoding:NSUTF8StringEncoding];
NSLog(@"json::%@",jsonString);
}
“形式”也是:
@property (strong, retain) NSManagedObject *form;
除非我在某些coredata属性中保存了NSIndexSet,否则这样可以正常工作。这给JSON写入带来了问题。现在,我的索引集不需要转换为json所以我想知道是否有办法从dict中删除所有索引?或者有更好的方法来做到这一点,我不知道。
这是dlog的nslog的一部分:
...
whereExtent = "";
wiring = (
);
wiring1 = "<NSIndexSet: 0x82b0600>(no indexes)";
wiringUpdated = "<null>";
yardFenceTrees = "<null>";
}
所以在这种情况下,我想从dict中删除“wiring1”,但需要能够以“动态”的方式进行(不使用名称“wiring1”来删除它)
答案 0 :(得分:18)
为了能够删除值,您的词典必须是NSMutableDictionary
类的实例。
要动态删除值,从dict获取所有键,测试每个键的对象并删除不必要的对象:
NSArray *keys = [dict allKeys];
for (int i = 0 ; i < [keys count]; i++)
{
if ([dict[keys[i]] isKindOfClass:[NSIndexSet class]])
{
[dict removeObjectForKey:keys[i]];
}
}
注意:删除值不适用于快速枚举。作为替代快速黑客,您可以创建一个没有不必要对象的新字典。
答案 1 :(得分:8)
使用NSMutableDictionary代替NSDictionary。您的代码将如下所示:
NSMutableDictionary *dict = [[self.form dictionaryWithValuesForKeys:keys] mutableCopy]; //create dict
[dict removeObjectForKey:@"wiring1"]; //remove object
不要忘记使用mutableCopy。
答案 2 :(得分:1)
此示例代码将通过NSDictionary
并构建一个仅包含JSON安全属性的新NSMutableDictionary
。
目前它不能递归地工作,例如如果你的字典包含字典或数组,它将丢弃它而不是通过字典本身并修复它,但这很简单,可以添加。
// Note: does not work recursively, e.g. if the dictionary contains an array or dictionary it will be dropped.
NSArray *allowableClasses = @[[NSString class], [NSNumber class], [NSDate class], [NSNull class]];
NSDictionary *properties = @{@"a":@"hello",@"B":[[NSIndexSet alloc] init]};
NSMutableDictionary *safeProperties = [[NSMutableDictionary alloc] init];
[properties enumerateKeysAndObjectsUsingBlock:^(id key, id obj, BOOL *stop){
BOOL allowable = NO;
for (Class allowableClass in allowableClasses) {
if ([obj isKindOfClass:allowableClass])
{
allowable = YES;
break;
}
}
if (allowable)
{
safeProperties[key] = obj;
}
}];
NSLog(@"unsafe: %@, safe: %@",properties,safeProperties);