Reputation: 537
How do you define a read-only property in Swift? I have one parent class which needs to define a public property eg. itemCount
. Here's my code:
Class Parent: UIView {
private(set) var itemCount: Int = 0
}
class Child {
private(set) override var itemCount {
get {
return items.count
}
}
}
I get the error: Cannot override mutable property with read-only property
Well I can't use a protocol because they can't inherit from classes (UIView
)
I add a var view = UIView
to my Child class and drop the UIView
inheritance from my Parent
class. This seems to be the only possible way, but in my actual project it seems like the wrong thing to do, eg. addSubview(myCustomView.view)
UIView
on the Child
classI can't do this either because I intend to have multiple related Child
classes with different properties and behaviour, and I need to be able to declare instances of my Child
classes as the Parent
class to take advantage of UIView
's properties and Parent
's public properties.
Upvotes: 5
Views: 13233
Reputation: 307
You can declare setter as private while getter is public.
public class someClass {
public private(set) var count: String
}
Refer to this link
Upvotes: 4
Reputation: 3906
As one more option you can use private variable for read/write and another for read-only. Count you're using for internal class changes, and numberOfItems for public access. Little bit weird, but it solves the problem.
class someClass {
private var count: Int = 0
var numberOfItems: Int { return count }
func doSomething() {
count += 1
}
}
Upvotes: 1
Reputation: 59496
You can use a Computed Property
which (like a method) can be overridden.
class Parent: UIView {
var itemCount: Int { return 0 }
}
class Child: Parent {
override var itemCount: Int { return 1 }
}
This is how you declared and override a function
class Parent: UIView {
func doSomething() { print("Hello") }
}
class Child: Parent {
override func doSomething() { print("Hello world!") }
}
Upvotes: 6