当用户输入来自粘贴板时如何限制文本字段中的小数位数,iOS Swift

How to limit number of decimals in textfield when user input is from pasteboard, iOS Swift

我有一个文本字段,用户只能在其中输入 6 位小数,如果有小数,如果没有,则允许他输入用户想要的任意多个字符。

例如,我允许这个:7472828282 和这个:0,123456,而不是这个:0,2139213773219312。

我当前的实现对于上面的这个例子是可以的,当用户从电子键盘输入时,但是当用户粘贴一些值时我无法让它工作,例如用户可以粘贴这个值:0, 123456789,但我想在小数点后 6 位后将其截断,实际上是这样的:0,123456,不,我不需要在更大的小数点上四舍五入,我需要截断它!

感谢您的帮助,我目前的代码如下

func textField(_ textField: UITextField, shouldChangeCharactersIn range: NSRange, replacementString string: String) -> Bool {
if textField === self.amountView.textField {
    
    guard let text = textField.text, let decimalSeparator = NSLocale.current.decimalSeparator else {
        return true
    }
    
    var splitText = text.components(separatedBy: decimalSeparator)
    let totalDecimalSeparators = splitText.count - 1
    let isEditingEnd = (text.count - 3) < range.lowerBound
    
    splitText.removeFirst()
    
    if  splitText.last?.count ?? 0 > 5 && string.count != 0 && isEditingEnd {
        return false
    }
    
    if totalDecimalSeparators > 0 && string == decimalSeparator {
        return false
    }
}
return true
}

此代码始终更新 textField 的内容,但限制小数位数:

func textField(_ textField: UITextField, shouldChangeCharactersIn range: NSRange, replacementString string: String) -> Bool {

    guard let decimalSeparator = NSLocale.current.decimalSeparator else {return true}

    // Updates the text
    var updatedText = (textView.text as NSString).replacingCharacters(in: range, with: text) 

    // If someone needs to cover all possible decimal separator values, the commented line below is the solution
    // let textComponents = updatedText.components(separatedBy: [",", "."])

    let textComponents = updatedText.components(separatedBy: decimalSeparator)
    
    // Truncates the decimals
    if textComponents.count > 1 && textComponents[1].count > 6{
       updatedText = textComponents[0].appending(decimalSeparator).appending((textComponents[1] as NSString).substring(to: 6))
    }
        
    textView.text = updatedText

    // The text has already been updated, so returns false
    return false 
}

你的错误:你检查的是旧内容。

shouldChangeCharacters 为您提供旧文本(仍在文本字段中)、要替换的范围(选择或只是插入点)和替换。如果范围被替换,您首先需要计算新文本,然后检查结果。