我有一个名为 tPvv 的 Jtextfield,写了一个 DocumentFilter 只接受数字,最大长度为 3。我有一个按钮编辑,当我单击该按钮时,整个行加载到 textfield 中以便从 jtable 进行编辑(Jtextfield tPvv 中的值保持不变)。没有 documentFilter 定义的 Jtextfield 运行良好(根据行选择将值从 jtable 加载到文本字段)。此外,当我评论 DocumentFilter 时,它运行良好,但我无法提供验证(仅接受数字和 3 的长度)。
我需要检查 tPvv 的验证,并通过单击编辑按钮根据不同的行选择从 jtable 加载值。
`class NumericAndLengthFilter extends DocumentFilter {
/**
* Number of characters allowed.
*/
private int length = 0;
/**
* Restricts the number of charcacters can be entered by given length.
* @param length Number of characters allowed.
*/
public NumericAndLengthFilter(int length) {
this.length = length;
}
@Override
public void insertString(FilterBypass fb, int offset, String string,
AttributeSet attr) throws
BadLocationException {
if (isNumeric(string)) {
if (this.length > 0 && fb.getDocument().getLength() + string.
length()
> this.length) {
return;
}
super.insertString(fb, offset, string, attr);
}
}
@Override
public void replace(FilterBypass fb, int offset, int length, String text,
AttributeSet attrs) throws
BadLocationException {
if (isNumeric(text)) {
if (this.length > 0 && fb.getDocument().getLength() + text.
length()
> this.length) {
return;
}
super.insertString(fb, offset, text, attrs);
}
}
/**
* This method tests whether given text can be represented as number.
* This method can be enhanced further for specific needs.
* @param text Input text.
* @return {@code true} if given string can be converted to number; otherwise returns {@code false}.
*/
private boolean isNumeric(String text) {
if (text == null || text.trim().equals("")) {
return false;
}
for (int iCount = 0; iCount < text.length(); iCount++) {
if (!Character.isDigit(text.charAt(iCount))) {
return false;
}
}
return true;
}
}
//((AbstractDocument) tPvv.getDocument()).setDocumentFilter(new NumericAndLengthFilter(3));
`我在代码中为验证目的调用定义的最后注释行。请解决这个问题。