var dict = ["alpha": ["a", "b", "c", "d"]]
// output : ["alpha": ["a", "b", "c", "d"]]
var alphaList = dict["alpha"]
// output : {["a", "b", "c", "d"]
alphaList?.removeAtIndex(1)
// output : {Some "b"}
alphaList
// output : {["a", "c", "d"]}
dict
// output : ["alpha": ["a", "b", "c", "d"]]
为什么' dict'没改变?是因为' alphaList'是数组的副本而不是字典中的实际数组?有人能指出我在Swift语言文档中哪里可以找到这些信息吗?
操纵字典值(复杂类型)的正确/功能方法是什么?
答案 0 :(得分:5)
好问题是它在你的情况下创建值的副本,值为Array
var alphaList = dict["alpha"]
/* which is the copy of original array
changing it will change the local array alphaList as you can see by your output */
output : {Some "b"}
为了直接使用原始数组
dict["alpha"]?.removeAtIndex(1)
或使用密钥
更新它alphaList?.removeAtIndex(1)
dict["alpha"] = alphaList
Apple:Assignment and Copy Behavior for Strings, Arrays, and Dictionaries
Swift的String,Array和Dictionary类型实现为结构。这意味着字符串,数组和字典在分配给新常量或变量时,或者传递给函数或方法时,都会被复制。
此行为与Foundation中的NSString,NSArray和NSDictionary不同,它们实现为类,而不是结构。 NSString,NSArray和NSDictionary实例始终作为对现有实例的引用进行分配和传递,而不是作为副本传递。 “
答案 1 :(得分:1)
Swift数组和字典是值(struct
)次。这种情况只有一个参考。虽然NSArray
和NSDictonary
是class
类型,但可能会有多个此类实例的引用。
声明var alphaList = dict["alpha"]
复制["a", "b", "c", "d"]
,因此您无法更改原始数组。
如果您想改变原始"alpha"
,则必须使用dict
作为根变量:
dict["alpha"]?.removeAtIndex(1)
答案 2 :(得分:1)
您是对的,alphaList
是副本,因此您对其所做的任何更改都是本地的,不会影响原始数组。该文档在Structures and Enumerations Are Value Types中描述了该内容。
在从其他地方提取数组后对数组进行更改的唯一方法是使用inout
参数修饰符通过引用将数组传递给函数:
func modifyAlphaList(inout alphaList: [String]?) {
alphaList?.removeAtIndex(1)
}
modifyAlphaList(&dict["alpha"])
dict // (.0 "alpha", ["a", "c", "d"])
答案 3 :(得分:0)
此链接应该有帮助
Swift的String,Array和Dictionary类型实现为结构。这意味着字符串,数组和字典在分配给新常量或变量时或者传递给函数或方法时会被复制。