加入收藏 | 设为首页 | 会员中心 | 我要投稿 李大同 (https://www.lidatong.com.cn/)- 科技、建站、经验、云计算、5G、大数据,站长网!
当前位置: 首页 > 百科 > 正文

swift: mutating关键字

发布时间:2020-12-14 06:59:00 所属栏目:百科 来源:网络整理
导读:在 swift 中,包含三种类型(type): structure , enumeration , class 其中 structure 和 enumeration 是值类型( value type ), class 是引用类型( reference type ) 但是与objective-c不同的是,structure和enumeration也可以拥有方法(method),其中方法可以

swift中,包含三种类型(type):structure,enumeration,class

其中structureenumeration是值类型(value type),class是引用类型(reference type)

但是与objective-c不同的是,structure和enumeration也可以拥有方法(method),其中方法可以为实例方法(instance method),也可以为类方法(type method),实例方法是和类型的一个实例绑定的。

在swift官方教程中有这样一句话:

“Structures and enumerations are value types.
 By default,the properties of a value type cannot be modified from within its instance methods.”
摘录来自: Apple Inc. “The Swift Programming Language”。 iBooks. https://itunes.apple.com/WebObjects/MZStore.woa/wa/viewBook?id=881256329

大致意思就是说,虽然结构体和枚举可以定义自己的方法,但是默认情况下,实例方法中是不可以修改值类型的属性。

举个简单的例子,假如定义一个点结构体,该结构体有一个修改点位置的实例方法:

struct Point {
  var x = 0,y = 0
  
  func moveXBy(x:Int,yBy y:Int) {
    self.x += x
    // Cannot invoke '+=' with an argument list of type '(Int,Int)'
    self.y += y
    // Cannot invoke '+=' with an argument list of type '(Int,Int)'
  }
}

编译器抛出错误,说明确实不能在实例方法中修改属性值。

为了能够在实例方法中修改属性值,可以在方法定义前添加关键字mutating

struct Point {
  var x = 0,y = 0
  mutating func moveXBy(x:Int,yBy y:Int) {
    self.x += x
    self.y += y
  }
}
var p = Point(x: 5,y: 5)
p.moveXBy(3,yBy: 3)
另外,在值类型的实例方法中,也可以直接修改self属性值。

enum TriStateSwitch {
  case Off,Low,High
  mutating func next() {
    switch self {
    case Off:
      self = Low
    case Low:
      self = High
    case High:
      self = Off
    }
  }
}
var ovenLight = TriStateSwitch.Low
ovenLight.next()
// ovenLight is now equal to .High
ovenLight.next()
// ovenLight is now equal to .Off”

TriStateSwitch枚举定义了一个三个状态的开关,在next实例方法中动态改变self属性的值。

当然,在引用类型中(即class)中的方法默认情况下就可以修改属性值,不存在以上问题。

(编辑:李大同)

【声明】本站内容均来自网络,其相关言论仅代表作者个人观点,不代表本站立场。若无意侵犯到您的权利,请及时与联系站长删除相关内容!

    推荐文章
      热点阅读