Existem várias maneiras de fazer isso, e acho que cada uma pode se encaixar em um projeto, mas não em outro, então pensei em mantê-las aqui, talvez outra pessoa vá para um caso diferente.
1- Substituir presente
Se você tiver um, BaseViewController
poderá substituir o present(_ viewControllerToPresent: animated flag: completion:)
método.
class BaseViewController: UIViewController {
// ....
override func present(_ viewControllerToPresent: UIViewController,
animated flag: Bool,
completion: (() -> Void)? = nil) {
viewControllerToPresent.modalPresentationStyle = .fullScreen
super.present(viewControllerToPresent, animated: flag, completion: completion)
}
// ....
}
Dessa forma, você não precisa fazer nenhuma alteração em nenhuma present
chamada, pois acabamos de substituir o present
método.
2- Uma extensão:
extension UIViewController {
func presentInFullScreen(_ viewController: UIViewController,
animated: Bool,
completion: (() -> Void)? = nil) {
viewController.modalPresentationStyle = .fullScreen
present(viewController, animated: animated, completion: completion)
}
}
Uso:
presentInFullScreen(viewController, animated: true)
3- Para um UIViewController
let viewController = UIViewController()
viewController.modalPresentationStyle = .fullScreen
present(viewController, animated: true, completion: nil)
4- Do Storyboard
Selecione uma segue e defina a apresentação como FullScreen
.
5- Swizzling
extension UIViewController {
static func swizzlePresent() {
let orginalSelector = #selector(present(_: animated: completion:))
let swizzledSelector = #selector(swizzledPresent)
guard let orginalMethod = class_getInstanceMethod(self, orginalSelector), let swizzledMethod = class_getInstanceMethod(self, swizzledSelector) else{return}
let didAddMethod = class_addMethod(self,
orginalSelector,
method_getImplementation(swizzledMethod),
method_getTypeEncoding(swizzledMethod))
if didAddMethod {
class_replaceMethod(self,
swizzledSelector,
method_getImplementation(orginalMethod),
method_getTypeEncoding(orginalMethod))
} else {
method_exchangeImplementations(orginalMethod, swizzledMethod)
}
}
@objc
private func swizzledPresent(_ viewControllerToPresent: UIViewController,
animated flag: Bool,
completion: (() -> Void)? = nil) {
if #available(iOS 13.0, *) {
if viewControllerToPresent.modalPresentationStyle == .automatic {
viewControllerToPresent.modalPresentationStyle = .fullScreen
}
}
swizzledPresent(viewControllerToPresent, animated: flag, completion: completion)
}
}
Uso:
No seu AppDelegate
interior, application(_ application: didFinishLaunchingWithOptions)
adicione esta linha:
UIViewController.swizzlePresent()
Dessa forma, você não precisa fazer nenhuma alteração em nenhuma chamada atual, pois estamos substituindo a implementação do método atual em tempo de execução.
Se você precisa saber o que é swizzling, pode verificar este link:
https://nshipster.com/swift-objc-runtime/
fullScreen
opção deve ser o padrão para impedir a quebra de alterações na interface do usuário.