It is a way to hide the keyboard with a button in SwiftUI. It is realized by extending UIApplication.
How to lower (hide) the keyboard in SwiftUI
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import SwiftUI | |
struct ContentView: View { | |
@State var text: String = "" | |
@ObservedObject var keyboard: KeyboardObserver = KeyboardObserver() | |
var body: some View { | |
VStack { | |
TextField("Input Your Text", text: $text) | |
.padding() | |
Text("KeyboardHeight: \(keyboard.height)") | |
Text("\(keyboard.isShowing ? "Keyboard Is Showing" : "Keyboard Is Not Showing")") | |
Spacer() | |
}.onAppear{ | |
self.keyboard.addObserver() | |
}.onDisappear { | |
self.keyboard.removeObserver() | |
} | |
} | |
} | |
struct ContentView_Previews: PreviewProvider { | |
static var previews: some View { | |
ContentView() | |
} | |
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import SwiftUI | |
class KeyboardObserver: ObservableObject { | |
@Published var isShowing = false | |
@Published var height: CGFloat = 0 | |
func addObserver() { | |
NotificationCenter.default.addObserver(self, selector: #selector(self.keyboardWillShow(_:)), name: UIResponder.keyboardWillShowNotification, object: nil) | |
NotificationCenter.default.addObserver(self, selector: #selector(self.keyboardWillHide(_:)), name: UIResponder.keyboardWillHideNotification, object: nil) | |
} | |
func removeObserver() { | |
NotificationCenter.default.removeObserver(self,name: UIResponder.keyboardWillShowNotification,object: nil) | |
NotificationCenter.default.removeObserver(self,name: UIResponder.keyboardWillHideNotification,object: nil) | |
} | |
@objc func keyboardWillShow(_ notification: Notification) { | |
isShowing = true | |
guard let userInfo = notification.userInfo as? [String: Any] else { | |
return | |
} | |
guard let keyboardInfo = userInfo[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue else { | |
return | |
} | |
let keyboardSize = keyboardInfo.cgRectValue.size | |
height = keyboardSize.height | |
} | |
@objc func keyboardWillHide(_ notification: Notification) { | |
isShowing = false | |
height = 0 | |
} | |
} |