2018-06-09 NSDictionary

字典Dictionary是集合类的一种。
集合:数组array、字典dictionary、set;数组是有顺序的,且元素可以重复的;字典是没有顺序的,键是唯一的,值是可重复的;set是无序的,且不可重复的。
字典就是以键值对的形式存在的数据集合;
字典的键是唯一的;
字典的值是可重复的;
字典的键值是一一对应的,即有多少个键,就有多少个值;
字典中的键值对是没有顺序的;
比如:身份证 & 姓名;身份证就是键,姓名就是值。

字典分不可变字典,可变字典两类。
注意:
键值都是对象类型,不能是基础数值;

特别是键,一般都是string对象设置;

[objc] view plaincopy

  1. // 不可变字典
  2. // 初始化
  3. NSDictionary *dict001 = [[NSDictionary alloc] initWithObjectsAndKeys:@"张绍锋", @"name", @"男", @"sex", nil nil];
  4. NSLog(@"\n dict001 = %@ \n", dict001);

[objc] view plaincopy

  1. // 属性

  2. // 1 个数

  3. NSInteger count = dict001.count;

  4. NSLog(@"\n count = %ld \n", count);

  5. // 2 所有的键

  6. NSArray *keyArray = dict001.allKeys;

  7. NSLog(@"\n");

  8. for (NSString *string in keyArray)

  9. {

  10. NSLog(@"string = %@", string);

  11. }

  12. // 3 所有的值

  13. NSArray *valueArray = dict001.allValues;

  14. NSLog(@"\n");

  15. for (NSString *string in valueArray)

  16. {

  17. NSLog(@"string = %@", string);

  18. }

[objc] view plaincopy

  1. // 字典操作
  2. // 获取键对应的值
  3. NSString *value = [dict001 objectForKey:@"name"];
  4. NSLog(@"\n");
  5. NSLog(@"name = %@", value);

[objc] view plaincopy

  1. // 可变字典
  2. NSMutableDictionary *dict002 = [NSMutableDictionary dictionaryWithDictionary:dict001];
  3. NSLog(@"\n dict002 = %@ \n", dict002);

[objc] view plaincopy

  1. // 添加对象

  2. // 1 setobject时,值必须是非空对象类型,如果值是非对象类型,则报错

  3. [dict002 setObject:@"大学比业" forKey:@"education"];

  4. //[dict002 setObject:nil forKey:@"education"]; // 编译报错

  5. NSLog(@"\n dict002 = %@ \n", dict002);

  6. // 2 setvalue时,不管值是不是对象类型,都不会报错,但对象不会添加到字典中

  7. [dict002 setValue:@"高级电工" forKey:@"job"];

  8. //[dict002 setValue:nil forKey:@"job"]; // 可正常编译运行,但对象不会添加到字典中

  9. NSLog(@"\n dict002 = %@ \n", dict002);

[objc] view plaincopy

  1. // 替换指定键对应的值
  2. [dict002 setValue:@"iOS Dve" forKey:@"job"];
  3. NSLog(@"\n dict002 = %@ \n", dict002);

[objc] view plaincopy

  1. // 删除指定键对应的值

  2. // 1 删除指定键对应的值

  3. [dict002 removeObjectForKey:@"job"];

  4. NSLog(@"\n dict002 = %@ \n", dict002);

  5. // 2 删除指定键数组对应的值

  6. NSArray *keys = @[@"education", @"sex"];

  7. [dict002 removeObjectsForKeys:keys];

  8. NSLog(@"+\n dict002 = %@ \n", dict002);

  9. // 3 删除所有的键值

  10. [dict002 removeAllObjects];

  11. NSLog(@"-\n dict002 = %@ \n", dict002);

[objc] view plaincopy

  1. // 重新初始化值
  2. [dict002 setDictionary:dict001];
  3. NSLog(@"\n dict002 = %@ \n", dict002);

你可能感兴趣的:(2018-06-09 NSDictionary)