Currently when a super class and a subclass both have default parameters for a function (including init ) the subclass overrides the logic, but not the default values of the function.
class MySuperClass {
func printStatement( statement : String = "I am the superclass") {
print( "superclass: \(statment)")
}
}
class MySubClass : mySuperClass {
override func printStatement( statement : String = "I am the subclass") {
print( "subclass: \(statement)")
}
}
Considering the classes defined above the following code
let classInstance : MySuperClass = MySubClass.init()
classInstance.printStatement()
produces: "subclass: I am the superclass"
This is not the behavior that a developer would expect to find under these conditions and should be corrected to have consistent logic.
In this simple case the solution to the issue would be to move the printStatement function to a protocol and have both classes reference the protocol. However in more complex cases the subclass may need to build on superclass functionality for the function.
Edit Protocols handle overrides in a different way as well
protocol OverridePrintProtocol {
func printTest(param : String)
}
extension OverridePrintProtocol {
func printTest(param : String = "Ex Default") {
print("extension logic: \(param)")
}
}
class ImplementationClass : OverridePrintProtocol {
func printTest(param : String = "Class Default") {
print("Class logic: \(param)")
}
}
With the above code the following code
let overrideTest : OverridePrintProtocol = ImplementationClass.init() overrideTest.printTest()
produces: "extension logic: Ex Default"
while
overrideTest.printTest(param: "anything")
produces: "Class logic: anything
So here with no argument the extension logic is executed, and with an argument the class logic is executed. Note that it doesn't matter if the default value is the same in all cases giving the exact same signature. The behavior is the same