I'm trying to restrict the characters' number in a JFormattedTextField. I'm using a regular expression to validate the field but I need to limit the input too.
I tried DocumentFilter and PlainDocument but it didn't work. Here is my code:
public class UsingRegexFormatter {
public static void main(String[] a) {
JFrame frame = new JFrame();
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
JFormattedTextField formattedField = new JFormattedTextField(new RegexFormatter("[0-9]+([,\\.][0-9]+)*"));
//trying to limit to 3 characters with no success...
formattedField.setDocument(new JTextFieldLimit(3));
frame.add(formattedField, "North");
frame.add(new JTextField(), "South");
frame.setSize(300, 200);
frame.setVisible(true);
}
static class JTextFieldLimit extends PlainDocument {
private int limit;
public JTextFieldLimit(int limit) {
super();
this.limit = limit;
}
public void insertString(int offset, String str, AttributeSet attr) throws BadLocationException {
if (str == null) {
return;
}
if ((getLength() + str.length()) <= limit) {
super.insertString(offset, str, attr);
}
}
}
static class RegexFormatter extends DefaultFormatter {
private Pattern pattern;
private Matcher matcher;
public RegexFormatter() {
super();
}
/**
* Creates a regular expression based AbstractFormatter. pattern
* specifies the regular expression that will be used to determine if a
* value is legal.
*/
public RegexFormatter(String pattern) throws PatternSyntaxException {
this();
setPattern(Pattern.compile(pattern));
}
/**
* Creates a regular expression based AbstractFormatter. pattern
* specifies the regular expression that will be used to determine if a
* value is legal.
*/
public RegexFormatter(Pattern pattern) {
this();
setPattern(pattern);
}
/**
* Sets the pattern that will be used to determine if a value is legal.
*/
public void setPattern(Pattern pattern) {
this.pattern = pattern;
}
/**
* Returns the Pattern used to determine if a value is legal.
*/
public Pattern getPattern() {
return pattern;
}
/**
* Sets the Matcher used in the most recent test if a value is legal.
*/
protected void setMatcher(Matcher matcher) {
this.matcher = matcher;
}
/**
* Returns the Matcher from the most test.
*/
protected Matcher getMatcher() {
return matcher;
}
public Object stringToValue(String text) throws ParseException {
Pattern pattern = getPattern();
if (pattern != null) {
Matcher matcher = pattern.matcher(text);
if (matcher.matches()) {
setMatcher(matcher);
return super.stringToValue(text);
}
throw new ParseException("Pattern did not match", 0);
}
return text;
}
}
}
Thank you so much
Besides implementing your own JFormattedTextField class, a possible workaround would be to use a maskformatter and then just use * as the delimiter to allow for any character
original post: http://www.javalobby.org/java/forums/t48584.html