Przesuń pole tekstowe, gdy klawiatura wydaje się szybka


217

Używam Swift do programowania w iOS i używam tego kodu do przenoszenia UITextField, ale to nie działa. Wywołuję tę funkcję keyboardWillShowpoprawnie, ale pole tekstowe się nie porusza. Używam autolayout.

override func viewDidLoad() {
    super.viewDidLoad()
    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardWillShow:"), name:UIKeyboardWillShowNotification, object: nil);
    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardWillHide:"), name:UIKeyboardWillHideNotification, object: nil);
}

deinit {
    NSNotificationCenter.defaultCenter().removeObserver(self);
}

func keyboardWillShow(notification: NSNotification) {
    if let keyboardSize = (notification.userInfo?[UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.CGRectValue() {
        //let contentInsets = UIEdgeInsets(top: 0, left: 0, bottom: keyboardSize.height, right: 0)

        var frame = self.ChatField.frame
        frame.origin.y = frame.origin.y - keyboardSize.height + 167
        self.chatField.frame = frame
        println("asdasd")
    }
}

2
Przewodnik z plikami projektu: codebeaulieu.com/43/…
Dan Beaulieu

Być może deinit i viewDidLoad nie są zrównoważone.
Ricardo

Na podstawie dokumentacji Apple i osobistych doświadczeń. Oto moje repozytorium git przy użyciu UIScrollView do przenoszenia TF: github.com/29satnam/MoveTextFieldWhenKeyboardAppearsSwift
Codetard

Odpowiedzi:


315

Istnieje kilka ulepszeń w istniejących odpowiedziach.

Po pierwsze UIKeyboardWillChangeFrameNotification jest prawdopodobnie najlepszym powiadomieniem, ponieważ obsługuje zmiany, które nie są tylko pokazywanie / ukrywanie, ale zmiany spowodowane zmianami klawiatury (język, używanie klawiatur innych firm itp.) Oraz obrotami (ale uwaga poniżej uwaga wskazująca, że ​​klawiatura się ukryje powinna obsługiwane również w celu obsługi sprzętowego połączenia klawiatury).

Po drugie, parametry animacji można wyciągnąć z powiadomienia, aby upewnić się, że animacje są odpowiednio połączone.

Prawdopodobnie istnieją opcje, aby wyczyścić ten kod nieco bardziej, szczególnie jeśli nie masz nic przeciwko rozpakowaniu kodu słownika.

Szybki 3

class MyViewController: UIViewController {

// This constraint ties an element at zero points from the bottom layout guide
@IBOutlet var keyboardHeightLayoutConstraint: NSLayoutConstraint?

override func viewDidLoad() {
    super.viewDidLoad()
    // Note that SO highlighting makes the new selector syntax (#selector()) look
    // like a comment but it isn't one
    NotificationCenter.default.addObserver(self,
        selector: #selector(self.keyboardNotification(notification:)),
        name: NSNotification.Name.UIKeyboardWillChangeFrame,
        object: nil)
}

deinit {
    NotificationCenter.default.removeObserver(self)
}

@objc func keyboardNotification(notification: NSNotification) {
    if let userInfo = notification.userInfo {
        let endFrame = (userInfo[UIKeyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue
        let endFrameY = endFrame.origin.y ?? 0
        let duration:TimeInterval = (userInfo[UIKeyboardAnimationDurationUserInfoKey] as? NSNumber)?.doubleValue ?? 0
        let animationCurveRawNSN = userInfo[UIKeyboardAnimationCurveUserInfoKey] as? NSNumber
        let animationCurveRaw = animationCurveRawNSN?.uintValue ?? UIViewAnimationOptions.curveEaseInOut.rawValue
        let animationCurve:UIViewAnimationOptions = UIViewAnimationOptions(rawValue: animationCurveRaw)
        if endFrameY >= UIScreen.main.bounds.size.height {
            self.keyboardHeightLayoutConstraint?.constant = 0.0
        } else {
            self.keyboardHeightLayoutConstraint?.constant = endFrame?.size.height ?? 0.0
        }
        UIView.animate(withDuration: duration,
                                   delay: TimeInterval(0),
                                   options: animationCurve,
                                   animations: { self.view.layoutIfNeeded() },
                                   completion: nil)
    }
}

(Edytowane w celu uwzględnienia animacji klawiatury zamiast zmniejszania, zgodnie z niesamowitym komentarzem @ Gabox poniżej)

Szybki 5

class MyViewController: UIViewController {

// This constraint ties an element at zero points from the bottom layout guide
@IBOutlet var keyboardHeightLayoutConstraint: NSLayoutConstraint?

override func viewDidLoad() {
    super.viewDidLoad()
    // Note that SO highlighting makes the new selector syntax (#selector()) look
    // like a comment but it isn't one
    NotificationCenter.default.addObserver(self,
        selector: #selector(self.keyboardNotification(notification:)),
        name: UIResponder.keyboardWillChangeFrameNotification,
        object: nil)
}

deinit {
    NotificationCenter.default.removeObserver(self)
}

@objc func keyboardNotification(notification: NSNotification) {
    if let userInfo = notification.userInfo {
        let endFrame = (userInfo[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue
        let endFrameY = endFrame?.origin.y ?? 0
        let duration:TimeInterval = (userInfo[UIResponder.keyboardAnimationDurationUserInfoKey] as? NSNumber)?.doubleValue ?? 0
        let animationCurveRawNSN = userInfo[UIResponder.keyboardAnimationCurveUserInfoKey] as? NSNumber
        let animationCurveRaw = animationCurveRawNSN?.uintValue ?? UIView.AnimationOptions.curveEaseInOut.rawValue
        let animationCurve:UIView.AnimationOptions = UIView.AnimationOptions(rawValue: animationCurveRaw)
        if endFrameY >= UIScreen.main.bounds.size.height {
            self.keyboardHeightLayoutConstraint?.constant = 0.0
        } else {
            self.keyboardHeightLayoutConstraint?.constant = endFrame?.size.height ?? 0.0
        }
        UIView.animate(withDuration: duration,
                                   delay: TimeInterval(0),
                                   options: animationCurve,
                                   animations: { self.view.layoutIfNeeded() },
                                   completion: nil)
    }
}

1
@JosephLord nice. ale okazało się, że to nie działa, gdy klawiatura się ukrywa, ponieważ endFrame?.size.heightnie ma wartości zero. Mam ramkę końcową jak UIKeyboardFrameEndUserInfoKey = "NSRect: {{0, 1024}, {768, 264}}";. Działa z iOS 8.3 iPad Simulator, Portrait. Xcode6.3 beta4.
Hlung

8
jeśli klawiatura się nie ukrywa, spróbuj użyć tego kodu, jeśli endFrame? .origin.y> = UIScreen.mainScreen (). bounds.size.height {self.keyboardHeightLayoutConstraint? .constant = 0.0} else {self.keyboardHeightLayoutConstraint? .constant = endFrame.size.height}
Gabriel Goncalves

3
keyBoardHeightLayoutConstraint jest ograniczeniem zdefiniowanym w InterfaceBuilder, ograniczającym dolną część widoku, który chcesz przenieść / zmniejszyć do dolnej prowadnicy układu lub dolnej części głównego widoku kontrolera widoku. Stała jest początkowo ustawiona na zero i zostanie dostosowana, aby zrobić miejsce dla klawiatury, gdy klawiatura pojawi się lub zmieni rozmiar.
Joseph Lord,

2
Pamiętaj, że .UIKeyboardWillChangeFramenie uruchamia się po podłączeniu klawiatury sprzętowej, nawet jeśli klawiatura iOS znika. Musisz również obserwować, .UIKeyboardWillHideaby złapać ten przypadek krawędzi.
jamesk

1
@Sulthan działa dobrze. Moim problemem jest to, że staje się nieco wyższy niż keybaord. czy jest jakiś sposób, aby to naprawić?
Pavlos

128

Jeśli korzystasz z automatycznego układu, zakładam, że ustawiłeś dolną przestrzeń na ograniczenie Superview . W takim przypadku wystarczy zaktualizować wartość ograniczenia. Oto jak to zrobić przy odrobinie animacji.

func keyboardWasShown(notification: NSNotification) {
    let info = notification.userInfo!
    let keyboardFrame: CGRect = (info[UIKeyboardFrameEndUserInfoKey] as! NSValue).CGRectValue()

    UIView.animateWithDuration(0.1, animations: { () -> Void in
        self.bottomConstraint.constant = keyboardFrame.size.height + 20
    })
}

Twarda 20 jest dodawana tylko po to, aby nieco przesunąć pole tekstowe nad klawiaturą. W przeciwnym razie dotykałby się górny margines klawiatury i dolny margines pola tekstowego.

Po zwolnieniu klawiatury zresetuj wartość ograniczenia do pierwotnej.


1
Czy możesz mi wyjaśnić, jak to zdefiniować? Dzięki! zawsze kontroluję wszystko na scenorysie
Pedro Manfredi

4
bottomConstraint to nazwa, którą nadałem ograniczeniu. Wybrałem constrant, przeciągnąłem i utworzyłem IBOutlet i nadałem mu nazwę. Możesz tworzyć IBOutlety z ograniczeniami tak samo, jak w przypadku innych elementów interfejsu użytkownika, takich jak przyciski i pola tekstowe.
Isuru

2
Ta odpowiedź działała świetnie, ale animacja pojawiła się natychmiast dla mnie. Sprawdź Jak animować zmiany wiązań? jak prawidłowo animować.
Adam Johns

2
@ vinbhai4u Musisz się zarejestrować, aby otrzymać UIKeyboardWillShowNotificationpowiadomienie. Spójrz na kod w pytaniu PO.
Isuru

8
@AdamJohns Aby animować zmianę ograniczenia, zaktualizuj stałą poza animateWithDurationi wywołaj self.view.layoutIfNeeded()wewnątrz bloku animacji.
Maks.

110

Prostym rozwiązaniem jest przesunięcie widoku w górę przy stałej wysokości klawiatury.

override func viewDidLoad() {
   super.viewDidLoad()        
   NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardWillShow:"), name:UIKeyboardWillShowNotification, object: nil);
   NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardWillHide:"), name:UIKeyboardWillHideNotification, object: nil);
}

@objc func keyboardWillShow(sender: NSNotification) {
     self.view.frame.origin.y = -150 // Move view 150 points upward 
}

@objc func keyboardWillHide(sender: NSNotification) {
     self.view.frame.origin.y = 0 // Move view to original position  
}

Swift 5:

NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow(sender:)), name: UIResponder.keyboardWillShowNotification, object: nil);

NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide(sender:)), name: UIResponder.keyboardWillHideNotification, object: nil);

4
Podoba mi się to proste rozwiązanie. Ale dodałem boolean z klawiaturą, ponieważ mam ruch więcej niż jedno pole tekstowe. Klawiaturę poruszam tylko raz, gdy jest wyświetlana. Dzięki.
Ken

2
zamiast przesuwać widok, przenieś textView
ericgu 23.03.15

1
Będzie to utrzymywać minus wartość y widoku, jeśli użytkownik zmieni język wprowadzania.
Jeffrey Neo,

zamiast zmiany self.view zrobiłem wartość self.myConstraint, to działa, ale chodzi o to, że widok (do którego zastosowano ograniczenie) ciągle się przesuwa. czy ktoś napotkał ten problem?
Sashi

5
Zamiast używać self.view.frame.origin.y -= 150use self.view.frame.origin.y = -150i zamiast self.view.frame.origin.y += 150use self.view.frame.origin.y = 0. Zapobiega to przesunięciu widoku 150 za każdym razem, gdy dotknięte zostanie nowe pole.
gunwin

43

Aby przenieść widok podczas edycji pola tekstowego, spróbuj tego, zastosowałem to,

Opcja 1: - ** ** Aktualizacja w Swift 5.0 i iPhone X, XR, XS i XS Max Move za pomocą NotificationCenter

  • Zarejestruj to powiadomienie w func viewWillAppear(_ animated: Bool)

  • Wyrejestruj to powiadomienie w func viewWillDisappear(_ animated: Bool)

Uwaga: - Jeśli nie wyrejestrujesz się, to zadzwoni z klasy dziecięcej i będzie przyczyną awarii lub inaczej.

override func viewWillAppear(_ animated: Bool) {
    super.viewWillAppear(animated)
    NotificationCenter.default.addObserver( self, selector: #selector(keyboardWillShow(notification:)), name:  UIResponder.keyboardWillShowNotification, object: nil )
}
override func viewWillDisappear(_ animated: Bool) {
    super.viewWillDisappear(animated)
    NotificationCenter.default.removeObserver(self, name: UIResponder.keyboardWillShowNotification, object: nil)
}

@objc func keyboardWillShow( notification: Notification) {
    if let keyboardFrame: NSValue = notification.userInfo?[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue {
        var newHeight: CGFloat
        let duration:TimeInterval = (notification.userInfo![UIResponder.keyboardAnimationDurationUserInfoKey] as? NSNumber)?.doubleValue ?? 0
        let animationCurveRawNSN = notification.userInfo![UIResponder.keyboardAnimationCurveUserInfoKey] as? NSNumber
        let animationCurveRaw = animationCurveRawNSN?.uintValue ?? UIView.AnimationOptions.curveEaseInOut.rawValue
        let animationCurve:UIView.AnimationOptions = UIView.AnimationOptions(rawValue: animationCurveRaw)
        if #available(iOS 11.0, *) {
            newHeight = keyboardFrame.cgRectValue.height - self.view.safeAreaInsets.bottom
        } else {
            newHeight = keyboardFrame.cgRectValue.height
        }
        let keyboardHeight = newHeight  + 10 // **10 is bottom margin of View**  and **this newHeight will be keyboard height**
        UIView.animate(withDuration: duration,
                       delay: TimeInterval(0),
                       options: animationCurve,
                       animations: {
                        self.view.textViewBottomConstraint.constant = keyboardHeight **//Here you can manage your view constraints for animated show**
                        self.view.layoutIfNeeded() },
                       completion: nil)
    }
}

Opcja 2: - działa dobrze

func textFieldDidBeginEditing(textField: UITextField) {
        self.animateViewMoving(up: true, moveValue: 100)
}
func textFieldDidEndEditing(textField: UITextField) {
        self.animateViewMoving(up: false, moveValue: 100)
}

func animateViewMoving (up:Bool, moveValue :CGFloat){
    var movementDuration:NSTimeInterval = 0.3
    var movement:CGFloat = ( up ? -moveValue : moveValue)
    UIView.beginAnimations( "animateView", context: nil)
    UIView.setAnimationBeginsFromCurrentState(true)
    UIView.setAnimationDuration(movementDuration )
    self.view.frame = CGRectOffset(self.view.frame, 0,  movement)
    UIView.commitAnimations()
}

Otrzymałem tę odpowiedź z tego źródła UITextField przesuń w górę, gdy klawiatura pojawia się w Swift

W Swift 4 ---

func textFieldDidBeginEditing(_ textField: UITextField) {
        animateViewMoving(up: true, moveValue: 100)
    }

    func textFieldDidEndEditing(_ textField: UITextField) {
        animateViewMoving(up: false, moveValue: 100)
    }
    func animateViewMoving (up:Bool, moveValue :CGFloat){
        let movementDuration:TimeInterval = 0.3
        let movement:CGFloat = ( up ? -moveValue : moveValue)
        UIView.beginAnimations( "animateView", context: nil)
        UIView.setAnimationBeginsFromCurrentState(true)
        UIView.setAnimationDuration(movementDuration ) 
        self.view.frame = self.view.frame.offsetBy(dx: 0, dy: movement)
        UIView.commitAnimations()
    }

1
@ Jogendra.Com, Dzięki za ciężką pracę. Ale działa najlepiej na iPhone'ach 5,4s i 6. Ale jak mogę go wyłączyć na iPhone'ach 6plus i iPad (wyższe)
Thiha Aung

Jeśli używasz Opcji 1, pamiętaj o dodaniu ograniczenia IBOutlet. Utworzysz ograniczenie, którego rozmiar chcesz zmienić za pomocą Auto-układu, a następnie przeciągniesz go i upuścisz do kontrolera widoku, aby utworzyć IBOutlet, który będę określał jako self.iboutletConstraint.constant w funkcji animacji. Również to nie dostosowuje gniazda po ukryciu klawiatury, poradziłem sobie z tym, resetując ograniczenie do pierwotnej wartości.
Hammad Tariq,

21

Uwielbiam czysty kod Swift. Oto najostrzejszy kod, jaki mogłem wymyślić, aby przesunąć widok tekstu w górę / w dół za pomocą klawiatury. Obecnie działa w aplikacji produkcyjnej Swift 2 dla systemu iOS8 / 9.

AKTUALIZACJA (marzec 2016): Właśnie zaostrzyłem mój poprzedni kod tak bardzo, jak to możliwe. Istnieje również wiele popularnych odpowiedzi, które zakodują na stałe wysokość klawiatury i parametry animacji. Nie ma takiej potrzeby, nie wspominając o tym, że liczby w tych odpowiedziach nie zawsze pokrywają się z rzeczywistymi wartościami, które widzę na moim 6s + iOS9 (wysokość klawiatury 226, czas trwania 0,25 i krzywa animacji 7). W każdym razie prawie żaden dodatkowy kod nie pozwala uzyskać tych wartości bezpośrednio z systemu. Patrz poniżej.

override func viewDidLoad() {
    super.viewDidLoad()

    NSNotificationCenter.defaultCenter().addObserver(self, selector: "animateWithKeyboard:", name: UIKeyboardWillShowNotification, object: nil)
    NSNotificationCenter.defaultCenter().addObserver(self, selector: "animateWithKeyboard:", name: UIKeyboardWillHideNotification, object: nil)
}

func animateWithKeyboard(notification: NSNotification) {

    // Based on both Apple's docs and personal experience, 
    // I assume userInfo and its documented keys are available.
    // If you'd like, you can remove the forced unwrapping and add your own default values.

    let userInfo = notification.userInfo!
    let keyboardHeight = (userInfo[UIKeyboardFrameEndUserInfoKey] as! NSValue).CGRectValue().height
    let duration = userInfo[UIKeyboardAnimationDurationUserInfoKey] as! Double
    let curve = userInfo[UIKeyboardAnimationCurveUserInfoKey] as! UInt
    let moveUp = (notification.name == UIKeyboardWillShowNotification)

    // baseContraint is your Auto Layout constraint that pins the
    // text view to the bottom of the superview.

    baseConstraint.constant = moveUp ? -keyboardHeight : 0

    let options = UIViewAnimationOptions(rawValue: curve << 16)
    UIView.animateWithDuration(duration, delay: 0, options: options,
        animations: {
            self.view.layoutIfNeeded()
        },
        completion: nil
    )

}

UWAGA: Ten kod obejmuje większość komentarzy / ogólnych przypadków. Jednak może być potrzebny więcej kodu do obsługi różnych orientacji i / lub niestandardowych klawiatur. Oto szczegółowy artykuł na temat pracy z klawiaturą iOS. Jeśli musisz obsłużyć każdy scenariusz, może to pomóc.


Wygląda na Swift 1.1 i myślę, że nie skompiluje się w Swift 1.2, ponieważ używa asdo użycia rzutów wymuszonych. as!może działać, ale jak widać gdzie indziej na tej stronie, unikam wymuszania rzutów i wymuszania rozpakowywania.
Joseph Lord

Kompiluje teraz w Swift 1.2. I dodałem komentarz do kodu: wymuszone rozpakowywanie. Twoje zdrowie.
scootermg

Ups Miałem na myśli Swift 2.
scootermg

W zależności od sposobu połączenia baseConstraintmoże to być baseConstraint.constant = moveUp ? keyboardHeight : 0zamiast baseConstraint.constant = moveUp ? -keyboardHeight : 0.
limfinity

15

Edycja : Polecam łatwiejsze i czystsze rozwiązanie. Wystarczy zmienić klasę ograniczenia odstępów na dole na KeyboardLayoutConstraint . Automatycznie powiększy się do wysokości klawiatury.


To ulepszona wersja odpowiedzi @JosephLord.

Testowany na iPadzie iOS 8.3, portret. Xcode6.3 beta4, zauważyłem, że jego odpowiedź nie działa, gdy ukrywa się klawiatura, ponieważ UIKeyboardFrameEndUserInfoKeyjest "NSRect: {{0, 1024}, {768, 264}}";. Wysokość nigdy nie jest0 .

Powraca to do tradycyjnego UIKeyboardWillShowNotificationi UIKeyboardWillHideNotificationlepszego rozpoznania, kiedy klawiatura się ukrywa, zamiast polegać na wysokości ramki końcowej. UIKeyboardWillShowNotificationjest również wysyłany po zmianie ramki klawiatury, więc powinien obejmować wszystkie przypadki użycia.

    // You have to set this up in storyboard first!. 
    // It's a vertical spacing constraint between view and bottom of superview.
    @IBOutlet weak var bottomSpacingConstraint: NSLayoutConstraint! 

    override func viewDidLoad() {
        super.viewDidLoad()

        NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardNotification:"), name:UIKeyboardWillShowNotification, object: nil);
        NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardNotification:"), name:UIKeyboardWillHideNotification, object: nil);
    }

    deinit {
        NSNotificationCenter.defaultCenter().removeObserver(self)
    }

    func keyboardNotification(notification: NSNotification) {

        let isShowing = notification.name == UIKeyboardWillShowNotification

        if let userInfo = notification.userInfo {
            let endFrame = (userInfo[UIKeyboardFrameEndUserInfoKey] as? NSValue)?.CGRectValue()
            let endFrameHeight = endFrame?.size.height ?? 0.0
            let duration:NSTimeInterval = (userInfo[UIKeyboardAnimationDurationUserInfoKey] as? NSNumber)?.doubleValue ?? 0
            let animationCurveRawNSN = userInfo[UIKeyboardAnimationCurveUserInfoKey] as? NSNumber
            let animationCurveRaw = animationCurveRawNSN?.unsignedLongValue ?? UIViewAnimationOptions.CurveEaseInOut.rawValue
            let animationCurve:UIViewAnimationOptions = UIViewAnimationOptions(rawValue: animationCurveRaw)
            self.bottomSpacingConstraint?.constant = isShowing ? endFrameHeight : 0.0
            UIView.animateWithDuration(duration,
                delay: NSTimeInterval(0),
                options: animationCurve,
                animations: { self.view.layoutIfNeeded() },
                completion: nil)
        }
    }

Czy możesz wyjaśnić swoją edycję? Nie mogłem zmusić go do pracy. Mam UIScrollView z przyciskiem na dole. Ustawiłem klasę na dolnym ograniczeniu marginesu na dole.
schw4ndi,

@ schw4ndi do jakich poglądów wiążą się twoje dolne ograniczenia? powinien on łączyć dolną część przewijania z dolną częścią podglądu tego przewijania.
Hlung

Och, dzięki, miałem ograniczenie między przyciskiem a
scrollView

9

pracuję z swift 4 i rozwiązałem ten problem bez żadnego dodatkowego ograniczenia na dole, spójrz mój kod jest tutaj. naprawdę działa w mojej sprawie

1) Dodaj obserwatora powiadomień w załadowano

override func viewDidLoad() {
        super.viewDidLoad()
        setupManager()
        // Do any additional setup after loading the view.
        NotificationCenter.default.addObserver(self, selector: #selector(self.keyboardWillShow), name: NSNotification.Name.UIKeyboardWillShow, object: nil)
        NotificationCenter.default.addObserver(self, selector: #selector(self.keyboardWillHide), name: NSNotification.Name.UIKeyboardWillHide, object: nil)
    }

2) Usuń Notification Observer jak

deinit {
        NotificationCenter.default.removeObserver(self)
    }

3) Dodaj metody pokazywania / ukrywania klawiatury, takie jak

 @objc func keyboardWillShow(notification: NSNotification) {
            if let keyboardSize = (notification.userInfo?[UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.cgRectValue {
                UIView.animate(withDuration: 0.1, animations: { () -> Void in
                    self.view.frame.origin.y -= keyboardSize.height
                    self.view.layoutIfNeeded()
                })
            }
        }

@objc func keyboardWillHide(notification: NSNotification) {
        if let keyboardSize = (notification.userInfo?[UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.cgRectValue {
            UIView.animate(withDuration: 0.1, animations: { () -> Void in
                self.view.frame.origin.y += keyboardSize.height
                self.view.layoutIfNeeded()
            })
        }
    }

4) Dodaj delegata textfeild i dodaj metody touchesBegan. Przydatne do ukrywania klawiatury, gdy dotkniesz poza tekstem na ekranie

override func touchesBegan(_ touches: Set<UITouch>, with event: UIEvent?) {
        view.endEditing(true)

    }

musi byćUIKeyboardFrameEndUserInfoKey
Micro

1
NSNotification.Name.UIKeyboardWillShow przemianowano UIResponder.keyboardWillShowNotificationrównież UIKeyboardFrameBeginUserInfoKey naUIResponder.keyboardFrameBeginUserInfoKey
smj

7

To jest ulepszona wersja @JosephLord i odpowiedzi @ Hlung. Może mieć zastosowanie niezależnie od tego, czy masz pasek kart, czy nie. I idealnie przywróci widok, który jest przesuwany za pomocą klawiatury do pierwotnej pozycji.

// You have to set this up in storyboard first!. 
// It's a vertical spacing constraint between view and bottom of superview.
@IBOutlet weak var bottomSpacingConstraint: NSLayoutConstraint! 

override func viewDidLoad() {
        super.viewDidLoad()            

        //    Receive(Get) Notification
        NSNotificationCenter.defaultCenter().addObserver(self, selector: "keyboardNotification:", name: UIKeyboardWillShowNotification, object: nil)
        NSNotificationCenter.defaultCenter().addObserver(self, selector: "keyboardNotification:", name: UIKeyboardWillHideNotification, object: nil)


        self.originalConstraint = self.keyboardHeightLayoutConstraint?.constant //for original coordinate.
}

func keyboardNotification(notification: NSNotification) {
        let isShowing = notification.name == UIKeyboardWillShowNotification

        var tabbarHeight: CGFloat = 0
        if self.tabBarController? != nil {
            tabbarHeight = self.tabBarController!.tabBar.frame.height
        }
        if let userInfo = notification.userInfo {
            let endFrame = (userInfo[UIKeyboardFrameEndUserInfoKey] as? NSValue)?.CGRectValue()
            let duration:NSTimeInterval = (userInfo[UIKeyboardAnimationDurationUserInfoKey] as? NSNumber)?.doubleValue ?? 0
            let animationCurveRawNSN = userInfo[UIKeyboardAnimationCurveUserInfoKey] as? NSNumber
            let animationCurveRaw = animationCurveRawNSN?.unsignedLongValue ?? UIViewAnimationOptions.CurveEaseInOut.rawValue
            let animationCurve:UIViewAnimationOptions = UIViewAnimationOptions(rawValue: animationCurveRaw)
            self.keyboardHeightLayoutConstraint?.constant = isShowing ? (endFrame!.size.height - tabbarHeight) : self.originalConstraint!
            UIView.animateWithDuration(duration,
                delay: NSTimeInterval(0),
                options: animationCurve,
                animations: { self.view.layoutIfNeeded() },
                completion: nil)
        }
}

6

Najłatwiejszy sposób, który nie wymaga żadnego kodu:

  1. Pobierz KeyboardLayoutConstraint.swift i dodaj (przeciągnij i upuść) plik do swojego projektu, jeśli nie korzystasz już ze środowiska animacji Spring.
  2. W swoim scenorysie utwórz dolne ograniczenie dla obiektu / widoku / pola tekstowego, wybierz ograniczenie (kliknij je dwukrotnie) iw Inspektorze tożsamości zmień jego klasę z NSLayoutConstraint na KeyboardLayoutConstraint.
  3. Gotowe!

Obiekt automatycznie przesunie się w górę za pomocą klawiatury, w synchronizacji.


2
Świetne rozwiązanie! Ale potrzebujesz Bezpiecznego obszaru. Dolny jako pierwszy element ograniczenia (nie działał dla mnie, gdy był to drugi element). I działało najlepiej ze stałą ustawioną na 0, ponieważ zachowuje stałą i dostosowuje ją, zamiast przesuwać ją wystarczająco daleko, aby pokazać pole i klawiaturę.
Mythlandia

Czy masz wersję KeyboardLayoutConstraint swift4?
jeet.chanchawat

6

Stworzyłem protokół Swift 3 do obsługi wyglądu / znikania klawiatury

import UIKit

protocol KeyboardHandler: class {

var bottomConstraint: NSLayoutConstraint! { get set }

    func keyboardWillShow(_ notification: Notification)
    func keyboardWillHide(_ notification: Notification)
    func startObservingKeyboardChanges()
    func stopObservingKeyboardChanges()
}


extension KeyboardHandler where Self: UIViewController {

    func startObservingKeyboardChanges() {

        // NotificationCenter observers
        NotificationCenter.default.addObserver(forName: NSNotification.Name.UIKeyboardWillShow, object: nil, queue: nil) { [weak self] notification in
          self?.keyboardWillShow(notification)
        }

        // Deal with rotations
        NotificationCenter.default.addObserver(forName: NSNotification.Name.UIKeyboardWillChangeFrame, object: nil, queue: nil) { [weak self] notification in
          self?.keyboardWillShow(notification)
        }

        // Deal with keyboard change (emoji, numerical, etc.)
        NotificationCenter.default.addObserver(forName: NSNotification.Name.UITextInputCurrentInputModeDidChange, object: nil, queue: nil) { [weak self] notification in
          self?.keyboardWillShow(notification)
        }

        NotificationCenter.default.addObserver(forName: NSNotification.Name.UIKeyboardWillHide, object: nil, queue: nil) { [weak self] notification in
          self?.keyboardWillHide(notification)
        }
    }


    func keyboardWillShow(_ notification: Notification) {

      let verticalPadding: CGFloat = 20 // Padding between the bottom of the view and the top of the keyboard

      guard let value = notification.userInfo?[UIKeyboardFrameEndUserInfoKey] as? NSValue else { return }
      let keyboardHeight = value.cgRectValue.height

      // Here you could have more complex rules, like checking if the textField currently selected is actually covered by the keyboard, but that's out of this scope.
      self.bottomConstraint.constant = keyboardHeight + verticalPadding

      UIView.animate(withDuration: 0.1, animations: { () -> Void in
          self.view.layoutIfNeeded()
      })
  }


  func keyboardWillHide(_ notification: Notification) {
      self.bottomConstraint.constant = 0

      UIView.animate(withDuration: 0.1, animations: { () -> Void in
          self.view.layoutIfNeeded()
      })
  }


  func stopObservingKeyboardChanges() {
      NotificationCenter.default.removeObserver(self)
  }

}

Następnie, aby zaimplementować go w UIViewController, wykonaj następujące czynności:

  • niech viewController jest zgodny z tym protokołem:

    class FormMailVC: UIViewControlle, KeyboardHandler {
  • zacznij obserwować zmiany klawiatury w widoku

    // MARK: - View controller life cycle
    override func viewWillAppear(_ animated: Bool) {
      super.viewWillAppear(animated)
      startObservingKeyboardChanges()
    }
  • przestań obserwować zmiany klawiatury w widoku

    override func viewWillDisappear(_ animated: Bool) {
      super.viewWillDisappear(animated)
      stopObservingKeyboardChanges()
    }
  • utwórz IBOutlet dla dolnego ograniczenia z scenorysu:

    // NSLayoutConstraints
    @IBOutlet weak var bottomConstraint: NSLayoutConstraint!

    (Zalecam osadzenie całego interfejsu użytkownika w „contentView” i połączenie z tą właściwością dolnego ograniczenia z contentView do dolnego przewodnika po układzie) Ograniczenie dolne widoku zawartości

  • zmień priorytet ograniczenia górnego ograniczenia na 250 (niski)

Górne ograniczenie widoku treści

Pozwala to na przesuwanie całego widoku w górę, gdy pojawia się klawiatura. Priorytet musi być niższy niż jakikolwiek inny priorytet ograniczenia w widokach podrzędnych, w tym priorytety przytulania treści / priorytety odporności na kompresję treści.

  • Upewnij się, że autoukład ma wystarczające ograniczenia, aby określić, w jaki sposób contentView powinien się przesuwać w górę.

W tym celu może być konieczne dodanie ograniczenia „większego niż równego”: ograniczenie „większe niż równe”

I proszę bardzo! Bez klawiatury

Z klawiaturą


Działa to, jeśli wstawisz „Relacja = Równa”, bez ostrzeżeń.
Valtoni Boaventura

Jeśli umieścisz równy związek, może on działać tylko w określonych sytuacjach. W innych możesz mieć ostrzeżenie o niespójności układu automatycznego. To zależy od twojego układu. Dlatego powiedziałem „być może będziesz musiał”.
Frédéric Adda

Zgadzam się, Frédéric. Było miłym rozwiązaniem!
Valtoni Boaventura,

zaginionyimport UIKit
Mirko

6

Można zastosować takie proste UIViewController rozszerzenie

//MARK: - Observers
extension UIViewController {

    func addObserverForNotification(notificationName: String, actionBlock: (NSNotification) -> Void) {
        NSNotificationCenter.defaultCenter().addObserverForName(notificationName, object: nil, queue: NSOperationQueue.mainQueue(), usingBlock: actionBlock)
    }

    func removeObserver(observer: AnyObject, notificationName: String) {
        NSNotificationCenter.defaultCenter().removeObserver(observer, name: notificationName, object: nil)
    }
}

//MARK: - Keyboard observers
extension UIViewController {

    typealias KeyboardHeightClosure = (CGFloat) -> ()

    func addKeyboardChangeFrameObserver(willShow willShowClosure: KeyboardHeightClosure?,
        willHide willHideClosure: KeyboardHeightClosure?) {
            NSNotificationCenter.defaultCenter().addObserverForName(UIKeyboardWillChangeFrameNotification,
                object: nil, queue: NSOperationQueue.mainQueue(), usingBlock: { [weak self](notification) in
                    if let userInfo = notification.userInfo,
                        let frame = (userInfo[UIKeyboardFrameEndUserInfoKey] as? NSValue)?.CGRectValue(),
                        let duration = userInfo[UIKeyboardAnimationDurationUserInfoKey] as? Double,
                        let c = userInfo[UIKeyboardAnimationCurveUserInfoKey] as? UInt,
                        let kFrame = self?.view.convertRect(frame, fromView: nil),
                        let kBounds = self?.view.bounds {

                            let animationType = UIViewAnimationOptions(rawValue: c)
                            let kHeight = kFrame.size.height
                            UIView.animateWithDuration(duration, delay: 0, options: animationType, animations: {
                                if CGRectIntersectsRect(kBounds, kFrame) { // keyboard will be shown
                                    willShowClosure?(kHeight)
                                } else { // keyboard will be hidden
                                    willHideClosure?(kHeight)
                                }
                                }, completion: nil)
                    } else {
                            print("Invalid conditions for UIKeyboardWillChangeFrameNotification")
                    }
            })
    }

    func removeKeyboardObserver() {
        removeObserver(self, notificationName: UIKeyboardWillChangeFrameNotification)
    }
}

Przykład użycia

override func viewWillDisappear(animated: Bool) {
        super.viewWillDisappear(animated)

        removeKeyboardObserver()
    }

override func viewWillAppear(animated: Bool) {
    super.viewWillAppear(animated)

    addKeyboardChangeFrameObserver(willShow: { [weak self](height) in
        //Update constraints here
        self?.view.setNeedsUpdateConstraints()
        }, willHide: { [weak self](height) in
        //Reset constraints here
        self?.view.setNeedsUpdateConstraints()
    })
}

Rozwiązanie Swift 4

//MARK: - Observers
extension UIViewController {

  func addObserverForNotification(_ notificationName: Notification.Name, actionBlock: @escaping (Notification) -> Void) {
    NotificationCenter.default.addObserver(forName: notificationName, object: nil, queue: OperationQueue.main, using: actionBlock)
  }

  func removeObserver(_ observer: AnyObject, notificationName: Notification.Name) {
    NotificationCenter.default.removeObserver(observer, name: notificationName, object: nil)
  }
}

//MARK: - Keyboard handling
extension UIViewController {

  typealias KeyboardHeightClosure = (CGFloat) -> ()

  func addKeyboardChangeFrameObserver(willShow willShowClosure: KeyboardHeightClosure?,
                                      willHide willHideClosure: KeyboardHeightClosure?) {
    NotificationCenter.default.addObserver(forName: NSNotification.Name.UIKeyboardWillChangeFrame,
                                           object: nil, queue: OperationQueue.main, using: { [weak self](notification) in
                                            if let userInfo = notification.userInfo,
                                              let frame = (userInfo[UIKeyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue,
                                              let duration = userInfo[UIKeyboardAnimationDurationUserInfoKey] as? Double,
                                              let c = userInfo[UIKeyboardAnimationCurveUserInfoKey] as? UInt,
                                              let kFrame = self?.view.convert(frame, from: nil),
                                              let kBounds = self?.view.bounds {

                                              let animationType = UIViewAnimationOptions(rawValue: c)
                                              let kHeight = kFrame.size.height
                                              UIView.animate(withDuration: duration, delay: 0, options: animationType, animations: {
                                                if kBounds.intersects(kFrame) { // keyboard will be shown
                                                  willShowClosure?(kHeight)
                                                } else { // keyboard will be hidden
                                                  willHideClosure?(kHeight)
                                                }
                                              }, completion: nil)
                                            } else {
                                              print("Invalid conditions for UIKeyboardWillChangeFrameNotification")
                                            }
    })
  }

  func removeKeyboardObserver() {
    removeObserver(self, notificationName: NSNotification.Name.UIKeyboardWillChangeFrame)
  }
}

Szybki 4.2

//MARK: - Keyboard handling
extension UIViewController {

    func addObserverForNotification(_ notificationName: Notification.Name, actionBlock: @escaping (Notification) -> Void) {
        NotificationCenter.default.addObserver(forName: notificationName, object: nil, queue: OperationQueue.main, using: actionBlock)
    }

    func removeObserver(_ observer: AnyObject, notificationName: Notification.Name) {
        NotificationCenter.default.removeObserver(observer, name: notificationName, object: nil)
    }

    typealias KeyboardHeightClosure = (CGFloat) -> ()

    func removeKeyboardObserver() {
        removeObserver(self, notificationName: UIResponder.keyboardWillChangeFrameNotification)
    }

    func addKeyboardChangeFrameObserver(willShow willShowClosure: KeyboardHeightClosure?,
                                        willHide willHideClosure: KeyboardHeightClosure?) {
        NotificationCenter.default.addObserver(forName: UIResponder.keyboardWillChangeFrameNotification,
                                               object: nil, queue: OperationQueue.main, using: { [weak self](notification) in
                                                if let userInfo = notification.userInfo,
                                                    let frame = (userInfo[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue)?.cgRectValue,
                                                    let duration = userInfo[UIResponder.keyboardAnimationDurationUserInfoKey] as? Double,
                                                    let c = userInfo[UIResponder.keyboardAnimationCurveUserInfoKey] as? UInt,
                                                    let kFrame = self?.view.convert(frame, from: nil),
                                                    let kBounds = self?.view.bounds {

                                                    let animationType = UIView.AnimationOptions(rawValue: c)
                                                    let kHeight = kFrame.size.height
                                                    UIView.animate(withDuration: duration, delay: 0, options: animationType, animations: {
                                                        if kBounds.intersects(kFrame) { // keyboard will be shown
                                                            willShowClosure?(kHeight)
                                                        } else { // keyboard will be hidden
                                                            willHideClosure?(kHeight)
                                                        }
                                                    }, completion: nil)
                                                } else {
                                                    print("Invalid conditions for UIKeyboardWillChangeFrameNotification")
                                                }
        })
    }
}

2
znacznie więcej „Swift” niż inne rozwiązania / działa świetnie / wielokrotnego użytku w każdym kontrolerze bez przepisywania wszystkiego -> zdecydowanie najlepszy tutaj :)
Tib

Próbowałem, ale nie ma szans, czy UIScrollView jest potrzebny czy co?
erdemgc

@erdemgc widziałeś Przykład użycia? Wystarczy UIViewControlller + addKeyboardChangeFrameObserver, a następnie nie zapomnij go usunąć
ale_stro

removeKeyboardObserver()Metoda tutaj faktycznie nie usunąć obserwatora. Jeśli nie wywołasz tego, zobaczysz Invalid conditions for UIKeyboardWillChangeFrameNotificationw konsoli symbol z metody add. Jeśli nazwiesz to, zobaczysz ten sam błąd, co oznacza, że ​​obserwator nie zostanie usunięty. Dokumentacja mówi „Aby wyrejestrować obserwacje, przekazujesz obiekt zwrócony tą metodą do removeObserver(_:)”. Zamiast tego zapisz obiekt zwrócony tą metodą, a następnie przekaż go, gdy chcesz usunąć obserwatora.
Huy-Anh Hoang

W rzeczywistości, po załadowaniu widoku przewijania, bind ma przypisaną wartość i nie można wykryć, czy klawiatura zostanie ukryta, jeśli ramka klawiatury przecina się z wiązaniem.
James Kim

5

Możesz użyć tej biblioteki i tylko jednego wiersza kodu w appDidFinishedLaunching i gotowe.

func application(application: UIApplication,didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool {

    IQKeyboardManager.sharedManager().enable = true
    return true
}

IQKeyboardManager - dostosuj widok za każdym razem, gdy pojawi się klawiatura - link - https://github.com/hackiftekhar/IQKeyboardManager


4
struct MoveKeyboard {
    static let KEYBOARD_ANIMATION_DURATION : CGFloat = 0.3
    static let MINIMUM_SCROLL_FRACTION : CGFloat = 0.2;
    static let MAXIMUM_SCROLL_FRACTION : CGFloat = 0.8;
    static let PORTRAIT_KEYBOARD_HEIGHT : CGFloat = 216;
    static let LANDSCAPE_KEYBOARD_HEIGHT : CGFloat = 162;
}


  func textFieldDidBeginEditing(textField: UITextField) {
    let textFieldRect : CGRect = self.view.window!.convertRect(textField.bounds, fromView: textField)
    let viewRect : CGRect = self.view.window!.convertRect(self.view.bounds, fromView: self.view)

    let midline : CGFloat = textFieldRect.origin.y + 0.5 * textFieldRect.size.height
    let numerator : CGFloat = midline - viewRect.origin.y - MoveKeyboard.MINIMUM_SCROLL_FRACTION * viewRect.size.height
    let denominator : CGFloat = (MoveKeyboard.MAXIMUM_SCROLL_FRACTION - MoveKeyboard.MINIMUM_SCROLL_FRACTION) * viewRect.size.height
    var heightFraction : CGFloat = numerator / denominator

    if heightFraction < 0.0 {
        heightFraction = 0.0
    } else if heightFraction > 1.0 {
        heightFraction = 1.0
    }

    let orientation : UIInterfaceOrientation = UIApplication.sharedApplication().statusBarOrientation
    if (orientation == UIInterfaceOrientation.Portrait || orientation == UIInterfaceOrientation.PortraitUpsideDown) {
        animateDistance = floor(MoveKeyboard.PORTRAIT_KEYBOARD_HEIGHT * heightFraction)
    } else {
        animateDistance = floor(MoveKeyboard.LANDSCAPE_KEYBOARD_HEIGHT * heightFraction)
    }

    var viewFrame : CGRect = self.view.frame
    viewFrame.origin.y -= animateDistance

    UIView.beginAnimations(nil, context: nil)
    UIView.setAnimationBeginsFromCurrentState(true)
    UIView.setAnimationDuration(NSTimeInterval(MoveKeyboard.KEYBOARD_ANIMATION_DURATION))

    self.view.frame = viewFrame

    UIView.commitAnimations()
}


func textFieldDidEndEditing(textField: UITextField) {
    var viewFrame : CGRect = self.view.frame
    viewFrame.origin.y += animateDistance

    UIView.beginAnimations(nil, context: nil)
    UIView.setAnimationBeginsFromCurrentState(true)

    UIView.setAnimationDuration(NSTimeInterval(MoveKeyboard.KEYBOARD_ANIMATION_DURATION))

    self.view.frame = viewFrame

    UIView.commitAnimations()

}

I wreszcie, ponieważ używamy metod delegatów

func textFieldShouldReturn(textField: UITextField) -> Bool {
        textField.resignFirstResponder()
        return true
    }

zrefaktoryzowano z użycia celu-c http://www.cocoawithlove.com/2008/10/sliding-uitextfields-around-to-avoid.html


To rozwiązanie działało dla mnie, chociaż musiałem wykonać dodatkową pracę: zadeklarować var animateDistance: CGFloat!plus, że musiałem obsługiwać UIKeyboardWillHideNotification, gdy użytkownik naciska przycisk ukrywania klawiatury.
Rhuantavan

4

Inne rozwiązanie, które nie zależy od autolayout, ograniczeń lub jakichkolwiek gniazd. Potrzebujesz tylko swoich pól w widoku przewijania.

override func viewDidLoad() {
    super.viewDidLoad()

    NSNotificationCenter.defaultCenter().addObserver(self, selector: "makeSpaceForKeyboard:", name: UIKeyboardWillShowNotification, object: nil)
    NSNotificationCenter.defaultCenter().addObserver(self, selector: "makeSpaceForKeyboard:", name: UIKeyboardWillHideNotification, object: nil)
}

func makeSpaceForKeyboard(notification: NSNotification) {
    let info = notification.userInfo!
    let keyboardHeight:CGFloat = (info[UIKeyboardFrameEndUserInfoKey] as! NSValue).CGRectValue().size.height
    let duration:Double = info[UIKeyboardAnimationDurationUserInfoKey] as! Double

    if notification.name == UIKeyboardWillShowNotification {
        UIView.animateWithDuration(duration, animations: { () -> Void in
            var frame = self.view.frame
            frame.size.height = frame.size.height - keyboardHeight
            self.view.frame = frame
        })
    } else {
        UIView.animateWithDuration(duration, animations: { () -> Void in
            var frame = self.view.frame
            frame.size.height = frame.size.height + keyboardHeight
            self.view.frame = frame
        })
    }

}

1
Pokazuje czarny ekran po UIKeyboardWillShowNotificationwywołaniu.
Sachin Kumaram,

4

Oto moja wersja rozwiązania dla Swift 2.2:

Najpierw zarejestruj się, aby wyświetlać / ukrywać powiadomienia z klawiatury

NSNotificationCenter.defaultCenter().addObserver(self,
                                                 selector: #selector(MessageThreadVC.keyboardWillShow(_:)),
                                                 name: UIKeyboardWillShowNotification,
                                                 object: nil)
NSNotificationCenter.defaultCenter().addObserver(self,
                                                 selector: #selector(MessageThreadVC.keyboardWillHide(_:)),
                                                 name: UIKeyboardWillHideNotification,
                                                 object: nil)

Następnie w metodach odpowiadających tym powiadomieniom przesuń widok główny w górę lub w dół

func keyboardWillShow(sender: NSNotification) {
if let keyboardSize = (sender.userInfo?[UIKeyboardFrameEndUserInfoKey] as? NSValue)?.CGRectValue() {
  self.view.frame.origin.y = -keyboardSize.height
  }
}

func keyboardWillHide(sender: NSNotification) {
self.view.frame.origin.y = 0
}

Sztuką jest część „keyboardWillShow”, która odbiera połączenia za każdym razem, gdy „Pasek sugestii QuickType” jest rozwinięty lub zwinięty. Następnie zawsze ustawiamy współrzędną y głównego widoku, która jest równa ujemnej wartości całkowitej wysokości klawiatury (z częścią paska „QuickType” lub bez).

Na koniec nie zapomnij usunąć obserwatorów

deinit {
NSNotificationCenter.defaultCenter().removeObserver(self)
}

3

Poniżej przedstawiono proste rozwiązanie, w którym pole tekstowe ma ograniczenie wiążące je z dolnym przewodnikiem układu. Po prostu dodaje wysokość klawiatury do stałej ograniczenia.

// This constraint ties the text field to the bottom layout guide
@IBOutlet var textFieldToBottomLayoutGuideConstraint: NSLayoutConstraint!

override func viewDidLoad() {
    super.viewDidLoad()

    NSNotificationCenter.defaultCenter().addObserver(self, selector: "keyboardWillShow:", name:UIKeyboardWillShowNotification, object: nil);
    NSNotificationCenter.defaultCenter().addObserver(self, selector: "keyboardWillHide:", name:UIKeyboardWillHideNotification, object: nil);
}

func keyboardWillShow(sender: NSNotification) {
    if let keyboardSize = (sender.userInfo?[UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.CGRectValue() {
        self.textFieldToBottomLayoutGuideConstraint?.constant += keyboardSize.height
    }
}

func keyboardWillHide(sender: NSNotification) {
    if let keyboardSize = (sender.userInfo?[UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.CGRectValue() {
        self.textFieldToBottomLayoutGuideConstraint?.constant -= keyboardSize.height
    }
}

3

Cóż, myślę, że mogę się spóźnić, ale znalazłem inną prostą wersję odpowiedzi Saqiba. Używam autolayout z ograniczeniami. Mam mały widok innego widoku głównego z polami nazwy użytkownika i hasła. Zamiast zmieniać współrzędną y widoku zapisuję oryginalną wartość ograniczenia w zmiennej i zmieniam stałą ograniczenia na pewną wartość i ponownie po zwolnieniu klawiatury, konfiguruję ograniczenie do pierwotnej. W ten sposób unika się problemu, jaki ma odpowiedź Saqiba: (widok ciągle się przesuwa i nie zatrzymuje się). Poniżej znajduje się mój kod ...

override func viewDidLoad() {
    super.viewDidLoad()
    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardWillShow:"), name:UIKeyboardWillShowNotification, object: nil);
    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardWillHide:"), name:UIKeyboardWillHideNotification, object: nil);
    self.originalConstraint = self.centerYConstraint.constant
  }

  func keyboardWillShow(sender: NSNotification) {
    self.centerYConstraint.constant += 30
  }

  func keyboardWillHide(sender: NSNotification) {
    self.centerYConstraint.constant = self.originalConstraint
  }

W metodzie keyboardWillShow sprawdź warunek, jeśli self.centerYConstraint.constant == self.originalCenterYConstraint ma wtedy ten jeden wiersz kodu pomiędzy tymi warunkami. OriginalCenterYContraint to oryginalna wartość CenterYContraint, którą przechowuję w viewdidload. To zadziałało dla mnie.
Sashi

3

Szybka odpowiedź 4.x, łącząca odpowiedzi @Joseph Lord i @Isuru. bottomConstraintreprezentuje dolne ograniczenie widoku, który chcesz przenieść.

override func viewDidLoad() {
    // Call super
    super.viewDidLoad()

    // Subscribe to keyboard notifications
    NotificationCenter.default.addObserver(self,
                                           selector: #selector(keyboardNotification(notification:)),
                                           name: UIResponder.keyboardWillChangeFrameNotification,
                                           object: nil)        
}


deinit {
    NotificationCenter.default.removeObserver(self)
}


@objc func keyboardNotification(notification: NSNotification) {
    if let userInfo = notification.userInfo {
        // Get keyboard frame
        let keyboardFrame = (userInfo[UIResponder.keyboardFrameEndUserInfoKey] as! NSValue).cgRectValue

        // Set new bottom constraint constant
        let bottomConstraintConstant = keyboardFrame.origin.y >= UIScreen.main.bounds.size.height ? 0.0 : keyboardFrame.size.height

        // Set animation properties
        let duration = (userInfo[UIResponder.keyboardAnimationDurationUserInfoKey] as? NSNumber)?.doubleValue ?? 0
        let animationCurveRawNSN = userInfo[UIResponder.keyboardAnimationCurveUserInfoKey] as? NSNumber
        let animationCurveRaw = animationCurveRawNSN?.uintValue ?? UIView.AnimationOptions.curveEaseInOut.rawValue
        let animationCurve = UIView.AnimationOptions(rawValue: animationCurveRaw)

        // Animate the view you care about
        UIView.animate(withDuration: duration, delay: 0, options: animationCurve, animations: {
            self.bottomConstraint.constant = bottomConstraintConstant
            self.view.layoutIfNeeded()
        }, completion: nil)
    }
}

2

Zrobiłem to w następujący sposób:

Jest to przydatne, gdy podglądem pola tekstowego jest widok

class AdminLoginViewController: UIViewController,
UITextFieldDelegate{

    @IBOutlet weak var txtUserName: UITextField!
    @IBOutlet weak var txtUserPassword: UITextField!
    @IBOutlet weak var btnAdminLogin: UIButton!

    private var activeField : UIView?

    var param:String!
    var adminUser : Admin? = nil
    var kbHeight: CGFloat!

    override func viewDidLoad()
    {
        self.addKeyBoardObserver()
        self.addGestureForHideKeyBoard()
    }

    override func viewWillDisappear(animated: Bool) {
        super.viewWillDisappear(animated)
    }
    override func didReceiveMemoryWarning() {
        super.didReceiveMemoryWarning()
    }

    func addGestureForHideKeyBoard()
    {
        let tapGesture = UITapGestureRecognizer(target: self, action: Selector("hideKeyboard"))
        tapGesture.cancelsTouchesInView = false
        view.addGestureRecognizer(tapGesture)
    }

    func hideKeyboard() {
        self.view.endEditing(true)
    }

    func addKeyBoardObserver(){

        NSNotificationCenter.defaultCenter().addObserver(self, selector: "willChangeKeyboardFrame:",
name:UIKeyboardWillShowNotification, object: nil)
        NSNotificationCenter.defaultCenter().addObserver(self, selector: "willChangeKeyboardFrame:",
name:UIKeyboardWillHideNotification, object: nil)
    }

    func removeObserver(){
        NSNotificationCenter.defaultCenter().removeObserver(self)
    }

    //MARK:- textfiled Delegate

    func textFieldShouldBeginEditing(textField: UITextField) -> Bool
    {
         activeField = textField

        return true
    }
    func textFieldShouldEndEditing(textField: UITextField) -> Bool
    {
        if activeField == textField
        {
            activeField = nil
        }

        return true
    }

    func textFieldShouldReturn(textField: UITextField) -> Bool {

        if txtUserName == textField
        {
            txtUserPassword.becomeFirstResponder()
        }
        else if (textField == txtUserPassword)
        {
            self.btnAdminLoginAction(nil)
        }
        return true;
    }

    func willChangeKeyboardFrame(aNotification : NSNotification)
    {
       if self.activeField != nil && self.activeField!.isFirstResponder()
    {
        if let keyboardSize =  (aNotification.userInfo![UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.CGRectValue()
        {
            let dy = (self.activeField?.superview?.convertRect((self.activeField?.frame)!, toView: view).origin.y)!

            let height = (self.view.frame.size.height - keyboardSize.size.height)

            if dy > height
            {
                var frame = self.view.frame

                frame.origin.y = -((dy - height) + (self.activeField?.frame.size.height)! + 20)

                self.view.frame = frame
            }
        }
    }
    else
    {
        var frame = self.view.frame
        frame.origin.y = 0
        self.view.frame = frame
    }
    } }

2
    func registerForKeyboardNotifications(){
        //Keyboard
        NSNotificationCenter.defaultCenter().addObserver(self, selector: #selector(keyboardWasShown), name: UIKeyboardDidShowNotification, object: nil)
        NSNotificationCenter.defaultCenter().addObserver(self, selector: #selector(keyboardWillBeHidden), name: UIKeyboardDidHideNotification, object: nil)


    }
    func deregisterFromKeyboardNotifications(){

        NSNotificationCenter.defaultCenter().removeObserver(self, name: UIKeyboardWillShowNotification, object: nil)
        NSNotificationCenter.defaultCenter().removeObserver(self, name: UIKeyboardWillHideNotification, object: nil)

    }
    func keyboardWasShown(notification: NSNotification){

        let userInfo: NSDictionary = notification.userInfo!
        let keyboardInfoFrame = userInfo.objectForKey(UIKeyboardFrameEndUserInfoKey)?.CGRectValue()

        let windowFrame:CGRect = (UIApplication.sharedApplication().keyWindow!.convertRect(self.view.frame, fromView:self.view))

        let keyboardFrame = CGRectIntersection(windowFrame, keyboardInfoFrame!)

        let coveredFrame = UIApplication.sharedApplication().keyWindow!.convertRect(keyboardFrame, toView:self.view)

        let contentInsets = UIEdgeInsetsMake(0, 0, (coveredFrame.size.height), 0.0)
        self.scrollViewInAddCase .contentInset = contentInsets;
        self.scrollViewInAddCase.scrollIndicatorInsets = contentInsets;
        self.scrollViewInAddCase.contentSize = CGSizeMake((self.scrollViewInAddCase.contentSize.width), (self.scrollViewInAddCase.contentSize.height))

    }
    /**
     this method will fire when keyboard was hidden

     - parameter notification: contains keyboard details
     */
    func keyboardWillBeHidden (notification: NSNotification) {

        self.scrollViewInAddCase.contentInset = UIEdgeInsetsZero
        self.scrollViewInAddCase.scrollIndicatorInsets = UIEdgeInsetsZero

    }

1
Użyj powyższego kodu, aby przenieść pole tekstowe nad klawiaturą w swift 2.2, będzie dobrze. mam nadzieję, że to pomoże komuś.
Kamalkumar.E

1

Zrobiłem w następujący sposób:

class SignInController: UIViewController , UITextFieldDelegate {

@IBOutlet weak var scrollView: UIScrollView!

// outlet declartion
@IBOutlet weak var signInTextView: UITextField!

var kbHeight: CGFloat!

/**
*
* @method viewDidLoad
*
*/

override func viewDidLoad() {
    super.viewDidLoad()

    self.signInTextView.delegate = self

}// end viewDidLoad

/**
*
* @method viewWillAppear
*
*/

override func viewWillAppear(animated: Bool) {
    super.viewWillAppear(animated)

    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardWillShow:"), name: UIKeyboardWillShowNotification, object: nil)

    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("keyboardWillHide:"), name: UIKeyboardWillHideNotification, object: nil)

}// end viewWillAppear

/**
*
* @method viewDidAppear
*
*/

override func viewDidAppear(animated: Bool) {
    super.viewDidAppear(animated)


}// end viewDidAppear

/**
*
* @method viewWillDisappear
*
*/
override func viewWillDisappear(animated: Bool) {
    super.viewWillDisappear(animated)
    NSNotificationCenter.defaultCenter().removeObserver(self)
}

/**
*
* @method textFieldShouldReturn
* retun the keyboard value
*
*/

// MARK -
func textFieldShouldReturn(textField: UITextField) -> Bool {
    signInTextView.resignFirstResponder()
    return true;

}// end textFieldShouldReturn

// MARK - keyboardWillShow
func keyboardWillShow(notification: NSNotification) {
    if let userInfo = notification.userInfo {
        if let keyboardSize =  (userInfo[UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.CGRectValue() {
            kbHeight = keyboardSize.height
            self.animateTextField(true)
        }
    }
}// end keyboardWillShow

// MARK - keyboardWillHide
func keyboardWillHide(notification: NSNotification) {
    self.animateTextField(false)
}// end keyboardWillHide

// MARK - animateTextField
func animateTextField(up: Bool) {
    var movement = (up ? -kbHeight : kbHeight)

    UIView.animateWithDuration(0.3, animations: {
        self.view.frame = CGRectOffset(self.view.frame, 0, movement)
    })
}// end animateTextField

/**
*
* @method didReceiveMemoryWarning
*
*/

override func didReceiveMemoryWarning() {
    super.didReceiveMemoryWarning()
    // Dispose of any resources that can be recreated.

}// end didReceiveMemoryWarning


}// end SignInController

1

Jeśli jesteś podobny do mnie, który wypróbował wszystkie powyższe rozwiązania, a mimo to Twój problem nie został rozwiązany, mam dla Ciebie świetne rozwiązanie, które działa jak urok. Najpierw chcę wyjaśnić kilka rzeczy na temat niektórych wyżej wymienionych rozwiązań.

  1. W moim przypadku IQkeyboardmanager działał tylko wtedy, gdy na elementach nie zastosowano automatycznego układu, jeśli zostanie zastosowany, menedżer IQkeyboard nie będzie działał tak, jak myślimy.
  2. To samo dotyczy ruchu self.view w górę.
  3. napisałem nagłówek c celu z szybką obsługą popychania UITexfield w górę, gdy użytkownik go kliknie, co rozwiązuje problem klawiatury pokrywającej pole UIText: https://github.com/coolvasanth/smart_keyboard .
  4. Osoba, która ma pośredni lub wyższy poziom rozwoju aplikacji na iOS, może łatwo zrozumieć repozytorium i je wdrożyć. Wszystkiego najlepszego

1

Oto ogólne rozwiązanie dla wszystkich kroków TextField -

1) Utwórz wspólny ViewController, który jest rozszerzony przez inne ViewController

override func viewDidLoad() {
    super.viewDidLoad()
    NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
    NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)

}
 @objc func keyboardWillShow(notification: NSNotification) {
    if let keyboardSize = (notification.userInfo?[UIResponder.keyboardFrameBeginUserInfoKey] as? NSValue)?.cgRectValue {
        if self.view.frame.origin.y == 0 {
            self.view.frame.origin.y -= getMoveableDistance(keyboarHeight: keyboardSize.height)
        }
    }
}

@objc func keyboardWillHide(notification: NSNotification) {
    if self.view.frame.origin.y != 0 {
        self.view.frame.origin.y = 0
    }
}
deinit {
    NotificationCenter.default.removeObserver(self)
}

//get the distance to move up the main view for the focus textfiled
func getMoveableDistance(keyboarHeight : CGFloat) ->  CGFloat{
    var y:CGFloat = 0.0
    if let activeTF = getSelectedTextField(){
        var tfMaxY = activeTF.frame.maxY
        var containerView = activeTF.superview!
        while containerView.frame.maxY != self.view.frame.maxY{
            let contViewFrm = containerView.convert(activeTF.frame, to: containerView.superview)
            tfMaxY = tfMaxY + contViewFrm.minY
            containerView = containerView.superview!
        }
        let keyboardMinY = self.view.frame.height - keyboarHeight
        if tfMaxY > keyboardMinY{
            y = (tfMaxY - keyboardMinY) + 10.0
        }
    }

    return y
}

2) Utwórz rozszerzenie UIViewController i aktualnie aktywny TextField

//get active text field

rozszerzenie UIViewController {func getSelectedTextField () -> UITextField? {

    let totalTextFields = getTextFieldsInView(view: self.view)

    for textField in totalTextFields{
        if textField.isFirstResponder{
            return textField
        }
    }

    return nil

}

func getTextFieldsInView(view: UIView) -> [UITextField] {

    var totalTextFields = [UITextField]()

    for subview in view.subviews as [UIView] {
        if let textField = subview as? UITextField {
            totalTextFields += [textField]
        } else {
            totalTextFields += getTextFieldsInView(view: subview)
        }
    }

    return totalTextFields
}

}


Z jakiegoś powodu miałem problem z funkcją keyboardWillShow, rozmiar keyboardSize był nieprawidłowy po pierwszym przełączeniu klawiatury (pierwszy przełącznik ma poprawną ramkę). Rozwiązałem ten problem, zmieniając go na warta niech userInfo = powiadomienie.userInfo else {return} warta niech klawiaturaSize = userInfo [UIResponder.keyboardFrameEndUserInfoKey] jako? NSValue else {return} pozwól keyboardFrame = keyboardSize.cgRectValue jeśli self.view.frame.origin.y == 0 {self.view.frame.origin.y - = getMoveableDistance (keyboarHeight: keyboardFrame.height)}. Mam nadzieję, że to pomoże jeśli ktoś dostał ten sam problem :)
Youstanzr

1

Bardzo proste i nie trzeba więcej kodować. Po prostu dodaj pod 'IQKeyboardManagerSwift'swój plik pod, a na AppDelegatestronie dodaj kod poniżej.

import IQKeyboardManagerSwift

i w didFinishLaunchingWithOptions()typie metody

IQKeyboardManager.shared.enable = true

to jest to. sprawdź ten link wideo, aby lepiej zrozumieć https://youtu.be/eOM94K1ZWN8 Mam nadzieję, że to ci pomoże.


Czy to działa w przypadku TextView i jak mogę zmienić tytuł klucza powrotu „Gotowe”?
tdt kien

Idź do: - „IQKeyboardManager.m” Zamień ten wiersz (wiersz nr 968): - [textField addDoneOnKeyboardWithTarget: self action: @selector (doneAction :) shouldShowPlaceholder: _shouldShowTextFieldPlaceholder] z tym: - [textField addRightButtonOextTeyboard: docelowyTekst: self action: @selector (doneAction :) shouldShowPlaceholder: _shouldShowTextFieldPlaceholder]; I jeszcze nie próbowałem zobaczyć tekstu, mam nadzieję, że to ci pomoże.
Raghib Arshi

1

Kompletny kod do zarządzania klawiaturą.

        override func viewWillAppear(_ animated: Bool) {
            NotificationCenter.default.addObserver(self, selector: #selector(StoryMediaVC.keyboardWillShow), name: UIResponder.keyboardWillShowNotification, object: nil)
            NotificationCenter.default.addObserver(self, selector: #selector(StoryMediaVC.keyboardWillHide), name: UIResponder.keyboardWillHideNotification, object: nil)
        }
        override func viewWillDisappear(_ animated: Bool) {
            NotificationCenter.default.removeObserver(self, name: UIResponder.keyboardWillShowNotification, object: nil)
            NotificationCenter.default.removeObserver(self, name: UIResponder.keyboardWillHideNotification, object: nil)
        }
        @objc func keyboardWillShow(notification: NSNotification) {
            guard let userInfo = notification.userInfo else {return}
            guard let keyboardSize = userInfo[UIResponder.keyboardFrameEndUserInfoKey] as? NSValue else {return}
            let keyboardFrame = keyboardSize.cgRectValue

            if self.view.bounds.origin.y == 0{
                self.view.bounds.origin.y += keyboardFrame.height
            }
        }


        @objc func keyboardWillHide(notification: NSNotification) {
            if self.view.bounds.origin.y != 0 {
                self.view.bounds.origin.y = 0
            }
        }

0

Trochę zmodyfikowałem rozwiązanie @Simpa .........

override func viewDidLoad() 
{

    super.viewDidLoad()
    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("makeSpaceForKeyboard:"), name:UIKeyboardWillShowNotification, object: nil);
    NSNotificationCenter.defaultCenter().addObserver(self, selector: Selector("makeSpaceForKeyboard:"), name:UIKeyboardWillHideNotification, object: nil);
}

deinit{
    NSNotificationCenter.defaultCenter().removeObserver(self)
}

var keyboardIsVisible = false
override func makeSpaceForKeyboard(notification: NSNotification) {

    let info = notification.userInfo!
    let keyboardHeight:CGFloat = (info[UIKeyboardFrameEndUserInfoKey] as! NSValue).CGRectValue().size.height
    let duration:Double = info[UIKeyboardAnimationDurationUserInfoKey] as! Double

    if notification.name == UIKeyboardWillShowNotification && keyboardIsVisible == false{

        keyboardIsVisible = true

        UIView.animateWithDuration(duration, animations: { () -> Void in
            var frame = self.view.frame
            frame.size.height = frame.size.height - keyboardHeight
            self.view.frame = frame
        })

    } else if keyboardIsVisible == true && notification.name == UIKeyboardWillShowNotification{

    }else {
        keyboardIsVisible = false

        UIView.animateWithDuration(duration, animations: { () -> Void in
            var frame = self.view.frame
            frame.size.height = frame.size.height + keyboardHeight
            self.view.frame = frame
        })
    }
}

0

Żadne z nich nie działało i skończyło się to na wstawianiu zawartości, aby przesunąć mój widok w górę, gdy pojawia się klawiatura.

Uwaga: korzystałem z UITableView

Referenced solution @ keyboard-content-offset które zostało w całości napisane w celu C, poniższe rozwiązanie jest czyste Swift.

Dodaj obserwatora powiadomień @ viewDidLoad ()

NSNotificationCenter.defaultCenter().addObserver(self, selector: #selector(yourClass.keyboardWillBeShown), name:UIKeyboardWillShowNotification, object: nil);
NSNotificationCenter.defaultCenter().addObserver(self, selector: #selector(yourClass.keyboardWillBeHidden), name:UIKeyboardWillHideNotification, object: nil);

Aby uzyskać rozmiar klawiatury, najpierw uzyskujemy słownik userInfo z obiektu powiadomienia, który przechowuje wszelkie dodatkowe obiekty, których może używać nasz odbiornik.

Z tego słownika możemy uzyskać obiekt CGRect opisujący ramkę klawiatury za pomocą klawisza UIKeyboardFrameBeginUserInfoKey.

Zastosuj wstawkę zawartości do metody widoku tabeli @ keyboardWillBeShown,

func keyboardWillBeShown(sender: NSNotification)
{        
    // Move the table view

    if let keyboardSize = (sender.userInfo?[UIKeyboardFrameEndUserInfoKey] as? NSValue)?.CGRectValue()
    {
        let contentInsets = UIEdgeInsetsMake(0.0, 0.0, (keyboardSize.height), 0.0);

        yourTableView.contentInset = contentInsets;

        yourTableView.scrollIndicatorInsets = contentInsets;
    }
}

Przywróć metodę view @ keyboardWillBeHidden

func keyboardWillBeHidden(sender: NSNotification)
{
    // Moving back the table view back to the default position

    yourTableView.contentInset = UIEdgeInsetsZero;

    yourTableView.scrollIndicatorInsets = UIEdgeInsetsZero;
}

Jeśli chcesz również uwzględnić orientację urządzenia, użyj instrukcji warunkowych, aby dostosować kod do swoich potrzeb.

// Portrait
UIEdgeInsetsMake(0.0, 0.0, (keyboardSize.height), 0.0);

// Landscape
UIEdgeInsetsMake(0.0, 0.0, (keyboardSize.width), 0.0);

0
override func viewDidLoad() {
    super.viewDidLoad()
    // Do any additional setup after loading the view, typically from a nib.

    NotificationCenter.default.addObserver(self, selector: #selector(ViewController.keyboardWillShow), name: NSNotification.Name.UIKeyboardWillShow, object: nil)
    NotificationCenter.default.addObserver(self, selector: #selector(ViewController.keyboardWillHide), name: NSNotification.Name.UIKeyboardWillHide, object: nil)
}

func keyboardWillShow(_ notification:Notification) {
    if let keyboardSize = (notification.userInfo?[UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.cgRectValue {
        tableView.contentInset = UIEdgeInsetsMake(0, 0, keyboardSize.height, 0)
    }
}

func keyboardWillHide(_ notification:Notification) {
    if let keyboardSize = (notification.userInfo?[UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.cgRectValue {
        tableView.contentInset = UIEdgeInsetsMake(0, 0, 0, 0)
    }
}

wprowadź opis zdjęcia tutaj


0

Rozwiązanie Swift 4, z którego korzystam, ma wielkość klawiatury. Zamień na serverStatusStackViewdowolny widok, na którym ci zależy, np . self.view:

deinit {
    NotificationCenter.default.removeObserver(self)
}

@objc func keyboardWillShow(notification: NSNotification) {
    if let keyboardSize = (notification.userInfo?[UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.cgRectValue {
        serverStatusStackView.frame.origin.y = keyboardSize.height * 2 - serverStatusStackView.frame.height
    }
}

@objc func keyboardWillHide(notification: NSNotification) {
    if let keyboardSize = (notification.userInfo?[UIKeyboardFrameBeginUserInfoKey] as? NSValue)?.cgRectValue {
        serverStatusStackView.frame.origin.y += keyboardSize.height
    }
}

override func viewDidLoad() {
    super.viewDidLoad()
    NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillShow(notification:)), name: NSNotification.Name.UIKeyboardWillShow, object: nil)

    NotificationCenter.default.addObserver(self, selector: #selector(keyboardWillHide(notification:)), name: NSNotification.Name.UIKeyboardWillHide, object: nil)
}

Korzystając z naszej strony potwierdzasz, że przeczytałeś(-aś) i rozumiesz nasze zasady używania plików cookie i zasady ochrony prywatności.
Licensed under cc by-sa 3.0 with attribution required.