Подчеркнутый текст UITextField приводит к подчеркиванию всего текстового поля

#ios #swift #uitextfield #underline

#iOS #swift #uitextfield #подчеркивание

Вопрос:

Когда вы подчеркиваете некоторый текст UITextField и затем щелкаете по нему, если курсор находился справа от подчеркнутого текста или внутри него, все текстовое поле становится подчеркнутым. Есть ли способ избежать этого?

 override func viewDidLoad() {
    super.viewDidLoad()

    let textField1 = UITextField(frame: CGRect(x: 20, y: 100, width: 300, height: 40))
    textField1.borderStyle = UITextField.BorderStyle.roundedRect
    textField1.allowsEditingTextAttributes = true
    view.addSubview(textField1)

    let textField2 = UITextField(frame: CGRect(x: 20, y: 150, width: 300, height: 40))
    textField2.borderStyle = UITextField.BorderStyle.roundedRect
    textField2.allowsEditingTextAttributes = true
    view.addSubview(textField2)
}
  

Комментарии:

1. Вместо этого используйте UITextView.

2. @AdilSoomro: Спасибо. Это сработало. UITextView ведет себя корректно для подчеркивания, но нужно проделать некоторую работу, чтобы оно выглядело и вело себя как UITextField. Вы должны сами заполнить текст-заполнитель и убедиться, что клавиша возврата не запускает новую строку. Я использовал UILabel для текста-заполнителя. В TextView(_:shouldChangeTextIn:replacementText) Я проверил наличие пустого текста для скрытия метки-заполнителя. В той же функции я проверил наличие символов новой строки. Мне также пришлось немного поиграть со вставками, чтобы правильно расположить текст.

Ответ №1:

Это то, что я сделал, объединив решения от других гениев SO. Обратите внимание, что каждый TextView в контроллере представления должен иметь уникальный последовательный тег, начинающийся с 0. Если у кого-то есть улучшения, я был бы признателен.

 var textViewPlaceholder1: UILabel!
var textViewPlaceholders = [UILabel]()
let kFontSize: CGFloat = 17.0
let kPlaceholderLeftInset: CGFloat = 8.0

override func viewDidLoad() {
    super.viewDidLoad()
    
    let textView1Frame = CGRect(x: 20.0, y: 100.0, width: 300.0, height: 34.0)
    let textView1 = makeTextView(withFrame: textView1Frame)
    textView1.tag = 0
    // For testing: textView1.attributedText = NSAttributedString(string: "One two three", attributes: [.foregroundColor : UIColor.systemRed, .font : UIFont.systemFont(ofSize: kFontSize)])
    view.addSubview(textView1)

    let textViewPlaceholder1Frame = CGRect(x: textView1Frame.origin.x   kPlaceholderLeftInset,
                                           y: textView1Frame.origin.y,
                                           width: textView1Frame.width,
                                           height: textView1Frame.height)
    textViewPlaceholder1 = UILabel(frame: textViewPlaceholder1Frame)
    textViewPlaceholder1.attributedText = NSAttributedString(string: "Text view 1...", attributes: [.foregroundColor : UIColor.systemGray3, .font : UIFont.systemFont(ofSize: kFontSize)])
    textViewPlaceholder1.isHidden = true
    textViewPlaceholders.append(textViewPlaceholder1)
    view.addSubview(textViewPlaceholder1)

    let textField2 = UITextField(frame: CGRect(x: 20.0, y: 150.0, width: 300.0, height: 34.0))
    textField2.font = .systemFont(ofSize: kFontSize)
    textField2.borderStyle = UITextField.BorderStyle.roundedRect
    textField2.allowsEditingTextAttributes = true
    textField2.placeholder = "Text field 2..."
    view.addSubview(textField2)
}

func makeTextView(withFrame: CGRect) -> UITextView {
    let textView = UITextView(frame: withFrame)
    textView.delegate = self
    textView.layer.cornerRadius = 5.0
    textView.layer.borderWidth = 1.0
    textView.layer.borderColor = UIColor.systemGray4.cgColor
    textView.textContainerInset = UIEdgeInsets(top: 7.0, left: 2.0, bottom: 5.0, right: 5.0)
    textView.font = .systemFont(ofSize: kFontSize)
    textView.allowsEditingTextAttributes = true
    return textView
}

func textView(_ textView: UITextView, shouldChangeTextIn range: NSRange, replacementText text: String) -> Bool {
    guard text.rangeOfCharacter(from: CharacterSet.newlines) == nil else {
        // textView.resignFirstResponder() // uncomment this to close the keyboard when return key is pressed
        return false
    }
    if (range.location > 0 || text.count != 0) {
        textViewPlaceholders[textView.tag].isHidden = true
    } else {
        textViewPlaceholders[textView.tag].isHidden = false
    }
    return true
}