在 JTextField 控件中将用户输入限制为正整数一直是编程中的常见问题。虽然您尝试使用 KeyListener 来实现此目的,但还有一种更有效的方法。
与依赖 KeyListener 相比,实现 DocumentFilter 具有以下几个优点:
要使用 DocumentFilter 实现此目的,请考虑以下内容示例:
import javax.swing.text.PlainDocument; import javax.swing.text.DocumentFilter; import javax.swing.text.AttributeSet; import javax.swing.text.BadLocationException; class IntDocumentFilter extends PlainDocument { @Override public void insertString(FilterBypass fb, int offset, String string, AttributeSet attr) throws BadLocationException { if (string == null || string.isEmpty()) { super.insertString(fb, offset, string, attr); } else { try { Integer.parseInt(string); super.insertString(fb, offset, string, attr); } catch (NumberFormatException e) { // warn the user and don't allow the insert } } } @Override public void replace(FilterBypass fb, int offset, int length, String text, AttributeSet attrs) throws BadLocationException { if (text == null || text.isEmpty()) { super.replace(fb, offset, length, text, attrs); } else { try { Integer.parseInt(text); super.replace(fb, offset, length, text, attrs); } catch (NumberFormatException e) { // warn the user and don't allow the insert } } } }
要使用此过滤器,请实例化它并将其设置在与 JTextField 关联的 PlainDocument 对象上:
JTextField textField = new JTextField(); PlainDocument doc = (PlainDocument) textField.getDocument(); doc.setDocumentFilter(new IntDocumentFilter());
此实现:
请记住,这些技术可确保输入符合所需的约束,允许您控制 JTextField 接受的数据类型。
以上是如何有效地将 JTextField 输入限制为仅整数?的详细内容。更多信息请关注PHP中文网其他相关文章!