我有两门课,形状和正方形
class Shape {
var numberOfSides = 0
var name: String
init(name:String) {
self.name = name
}
func simpleDescription() -> String {
return "A shape with \(numberOfSides) sides."
}
}
class Square: Shape {
var sideLength: Double
init(sideLength:Double, name:String) {
super.init(name:name) // Error here
self.sideLength = sideLength
numberOfSides = 4
}
func area () -> Double {
return sideLength * sideLength
}
}
通过上面的实现,我得到了错误:
property 'self.sideLength' not initialized at super.init call
super.init(name:name)
为什么我要设置self。调用super.init之前的sidelth ?
对不起,格式很难看。
只要在声明后加上一个问题字符,一切都会好起来的。
一个问题告诉编译器这个值是可选的。
class Square: Shape {
var sideLength: Double? // <=== like this ..
init(sideLength:Double, name:String) {
super.init(name:name) // Error here
self.sideLength = sideLength
numberOfSides = 4
}
func area () -> Double {
return sideLength * sideLength
}
}
Edit1:
有一种更好的方法可以跳过这个错误。根据jmaschad的评论,没有理由在你的情况下使用可选的,因为可选的是不舒服的使用,你总是要检查如果可选的不是nil之前访问它。所以你所要做的就是在声明后初始化member:
class Square: Shape {
var sideLength: Double=Double()
init(sideLength:Double, name:String) {
super.init(name:name)
self.sideLength = sideLength
numberOfSides = 4
}
func area () -> Double {
return sideLength * sideLength
}
}
Edit2:
在这个答案上得到两个负数后,我找到了更好的方法。如果你想在构造函数中初始化类成员,你必须在构造函数中并在super.init()调用之前给它赋初始值。是这样的:
class Square: Shape {
var sideLength: Double
init(sideLength:Double, name:String) {
self.sideLength = sideLength // <= before super.init call..
super.init(name:name)
numberOfSides = 4
}
func area () -> Double {
return sideLength * sideLength
}
}
祝你学习Swift好运。