Swift-서브 클래스에 의해 재정의되어야하는 클래스 메소드
Swift에서 "순수한 가상 기능"을 만드는 표준 방법이 있습니까? 일 해야한다 , 그렇지 않은 경우, 컴파일 시간 오류가 발생합니다 모든 서브 클래스를 오버라이드 (override) 할, 그리고?
두 가지 옵션이 있습니다.
1. 프로토콜 사용
수퍼 클래스를 클래스 대신 프로토콜로 정의
장점 : 각 "하위 클래스"(실제 하위 클래스가 아님)가 필요한 메서드를 구현하는지 컴파일 시간 확인
단점 : "수퍼 클래스"(프로토콜)는 메서드 나 속성을 구현할 수 없습니다.
2. 메서드의 슈퍼 버전에서 어설 션
예:
class SuperClass {
func someFunc() {
fatalError("Must Override")
}
}
class Subclass : SuperClass {
override func someFunc() {
}
}
장점 : 수퍼 클래스에서 메서드 및 속성 구현 가능
단점 : 컴파일 시간 확인 없음
추상 클래스 / 가상 함수에 대한 지원은 없지만 대부분의 경우 프로토콜을 사용할 수 있습니다.
protocol SomeProtocol {
func someMethod()
}
class SomeClass: SomeProtocol {
func someMethod() {}
}
SomeClass가 someMethod를 구현하지 않으면 다음 컴파일 시간 오류가 발생합니다.
error: type 'SomeClass' does not conform to protocol 'SomeProtocol'
다음은 클래스에서 상속하고 프로토콜의 컴파일 시간 검사를 허용합니다. :)
protocol ViewControllerProtocol {
func setupViews()
func setupConstraints()
}
typealias ViewController = ViewControllerClass & ViewControllerProtocol
class ViewControllerClass : UIViewController {
override func viewDidLoad() {
self.setup()
}
func setup() {
guard let controller = self as? ViewController else {
return
}
controller.setupViews()
controller.setupConstraints()
}
//.... and implement methods related to UIViewController at will
}
class SubClass : ViewController {
//-- in case these aren't here... an error will be presented
func setupViews() { ... }
func setupConstraints() { ... }
}
"가상"메서드가 너무 많지 않은 경우 다른 해결 방법은 하위 클래스가 "구현"을 기본 클래스 생성자에 함수 개체로 전달하도록하는 것입니다.
class MyVirtual {
// 'Implementation' provided by subclass
let fooImpl: (() -> String)
// Delegates to 'implementation' provided by subclass
func foo() -> String {
return fooImpl()
}
init(fooImpl: (() -> String)) {
self.fooImpl = fooImpl
}
}
class MyImpl: MyVirtual {
// 'Implementation' for super.foo()
func myFoo() -> String {
return "I am foo"
}
init() {
// pass the 'implementation' to the superclass
super.init(myFoo)
}
}
iOS 개발을 처음 접했기 때문에 이것이 언제 구현되었는지 확실하지 않지만 두 가지를 최대한 활용하는 한 가지 방법은 프로토콜에 대한 확장을 구현하는 것입니다.
protocol ThingsToDo {
func doThingOne()
}
extension ThingsToDo {
func doThingTwo() { /* Define code here */}
}
class Person: ThingsToDo {
func doThingOne() {
// Already defined in extension
doThingTwo()
// Rest of code
}
}
확장은 함수에 대한 기본값을 가질 수있게 해주는 반면 정규 프로토콜의 함수는 정의되지 않은 경우에도 컴파일 시간 오류를 제공합니다.
참고URL : https://stackoverflow.com/questions/24111356/swift-class-method-which-must-be-overridden-by-subclass
'Programing' 카테고리의 다른 글
'git credential-osxkeychain'에 저장된 자격 증명을 어떻게 재설정합니까? (0) | 2020.09.23 |
---|---|
Sublime Text 2 Windows의 여러 커서 (0) | 2020.09.23 |
젠킨스 파이프 라인 작업 내에서 모든`env` 속성을 나열하는 방법은 무엇입니까? (0) | 2020.09.23 |
Eclipse에서 JRE의 소스 코드를 보려면 어떻게해야합니까? (0) | 2020.09.23 |
구문 나쁜 관행을 만족시키기 위해 return 문이 있습니까? (0) | 2020.09.22 |