美文网首页
对Objective C 简写方式的理解

对Objective C 简写方式的理解

作者: 智者向内寻求力量 | 来源:发表于2016-11-21 20:57 被阅读0次

    @literals(简写)

    NSNumber

    [NSNumber numberWithChar:‘X’]简写为 @‘X’;
    [NSNumber numberWithInt:12345] 简写为 @12345
    [NSNumber numberWithUnsignedLong:12345ul] 简写为 @12345ul
    [NSNumber numberWithLongLong:12345ll] 简写为 @12345ll
    [NSNumber numberWithFloat:123.45f] 简写为 @123.45f
    [NSNumber numberWithDouble:123.45] 简写为 @123.45 
    [NSNumber numberWithBool:YES] 简写为 @YES 
    

    NSDictionary

    [NSDictionary dictionary] 简写为 @{}
    [NSDictionary dictionaryWithObject:o1forKey:k1] 简写为 @{ k1 : o1 }
    [NSDictionarydictionaryWithObjectsAndKeys:o1, k1, o2, k2, o3, k3, nil] 
    简写为 @{ k1 : o1, k2 : o2, k3 : o3 }  
    

    当写下@{ k1 : o1, k2 : o2, k3 : o3 }时,实际的代码会是

    // compiler generates:
    id objects[] = { o1, o2, o3 };
    id keys[] = { k1, k2, k3 };
    NSUInteger count = sizeof(objects) / sizeof(id);
    dict = [NSDictionary dictionaryWithObjects:objects forKeys:keys count:count];
    

    NSArray

    [NSArray array] 简写为 @[]
    [NSArray arrayWithObject:a] 简写为 @[ a ]
    [NSArray arrayWithObjects:a, b, c, nil] 简写为 @[ a, b, c ]  
    

    比如对于@[ a, b, c ],实际编译时的代码是

    // compiler generates:
    id objects[] = { a, b, c };
    NSUInteger count = sizeof(objects)/ sizeof(id);
    array = [NSArray arrayWithObjects:objects count:count];
    
    

    Mutable版本和静态版本上面所生成的版本都是不可变的,想得到可变版本的话,可以对其发送-mutableCopy消息以生成一份可变的拷贝。

    例如一下代码:尽管使用NSMutableAarray 来存储初始化的数组,但是planets并不是可变数组,即planet不是mutable版本,如果对palnet进行修改,会异常:

     NSMutableArray* planets = @[
          @"Mercury",
          @"Venus",
          @"Earth",
          @"Mars",
          @"Jupiter",
          @"Saturn",
          @"Uranus",
          @"Neptune"
        ];
    

    我们可以通过对简写初始化的NSArray不可变版本进行一个mutable的拷贝,就可以获得一份可变拷贝,如下代码所示:

      NSMutableArray* mutablePlanets = [@[
          @"Mercury",
          @"Venus",
          @"Earth",
          @"Mars",
          @"Jupiter",
          @"Saturn",
          @"Uranus",
          @"Neptune"
        ] mutableCopy];
    

    另外,对于标记为static的数组,不能使用简写为其赋值(其实原来的传统写法也不行)。

    如果直接赋值就会提示出错

    Paste_Image.png

    相关文章

      网友评论

          本文标题:对Objective C 简写方式的理解

          本文链接:https://www.haomeiwen.com/subject/wjoupttx.html