| 12
 3
 4
 5
 6
 7
 8
 9
 10
 11
 12
 13
 14
 15
 16
 17
 18
 19
 20
 21
 22
 23
 24
 25
 26
 27
 28
 29
 30
 31
 32
 33
 34
 35
 36
 37
 38
 39
 40
 41
 42
 43
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 
 | package regexp;
 
import javax.swing.JFrame;
import javax.swing.JTextField;
import javax.swing.SwingUtilities;
import javax.swing.text.AbstractDocument;
import javax.swing.text.AttributeSet;
import javax.swing.text.BadLocationException;
import javax.swing.text.DocumentFilter;
 
public class Test {
    public Test() {
        initComponents();
    }
 
    public static void main(String[] args) {
        SwingUtilities.invokeLater(new Runnable() {
            @Override
            public void run() {
                new Test();
            }
        });
    }
 
    private void initComponents() {
        JFrame frame = new JFrame();
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        JTextField jtf = new JTextField(); // add filter to document
        ((AbstractDocument) jtf.getDocument())
                .setDocumentFilter(new MyDocumentFilter());
        frame.add(jtf);
        frame.pack();
        frame.setVisible(true);
    }
}
 
class MyDocumentFilter extends DocumentFilter {
    @Override
    public void replace(FilterBypass fb, int i, int i1, String string,
            AttributeSet as) throws BadLocationException {
        for (int n = string.length(); n > 0; n--) {
 
            char c = string.charAt(n - 1);// get a single character of the
                                            // string
            System.out.println(c);
            if (Character.isLetter(c)) {
                // if its an alphabetic character
                super.replace(fb, i, i1, String.valueOf(c), as); 
            } else {
                // it was not an alphabetic character or white space
                System.out.println("Not allowed");
            }
        }
    }
 
    @Override
    public void remove(FilterBypass fb, int i, int i1)
            throws BadLocationException {
        super.remove(fb, i, i1);
    }
 
    @Override
    public void insertString(FilterBypass fb, int i, String string,
            AttributeSet as) throws BadLocationException {
        super.insertString(fb, i, string, as);
    }
} | 
Partager