4

考虑一个 JFormattedTextField(或任何 JTextComponent,实际上),其中有一个前缀和一个后缀显示在字段的实际“文本”周围。

例如,双 3.5 将是字符串(通过格式化)“3.50”,其周围将是前缀“$”和后缀“”,用于显示文本“$ 3.50”。

显然,这很容易做到。但是,仍然允许用户选择前缀/后缀中的文本,因此他们可以想象删除部分或全部前缀/后缀。我希望用户受到限制,以至于根本无法选择前缀/后缀(虽然仍然是文本字段的一部分,所以没有 JLabels)。我几乎可以使用 CaretListener(或通过覆盖 setCaretPosition/moveCaretPosition)来完成此操作,它可以防止 Ca 选择整个字段,并且可以防止使用箭头键移动到前缀/后缀。但是,鼠标拖动和 shift 箭头键仍然允许选择移动到这些受限区域。

有任何想法吗?

4

1 回答 1

7

您可以为此使用 NavigationFilter。

这是一个帮助您入门的示例:

import java.awt.event.*;
import javax.swing.*;
import javax.swing.text.*;

public class NavigationFilterPrefixWithBackspace extends NavigationFilter
{
    private int prefixLength;
    private Action deletePrevious;

    public NavigationFilterPrefixWithBackspace(int prefixLength, JTextComponent component)
    {
        this.prefixLength = prefixLength;
        deletePrevious = component.getActionMap().get("delete-previous");
        component.getActionMap().put("delete-previous", new BackspaceAction());
        component.setCaretPosition(prefixLength);
    }

    public void setDot(NavigationFilter.FilterBypass fb, int dot, Position.Bias bias)
    {
        fb.setDot(Math.max(dot, prefixLength), bias);
    }

    public void moveDot(NavigationFilter.FilterBypass fb, int dot, Position.Bias bias)
    {
        fb.moveDot(Math.max(dot, prefixLength), bias);
    }

    class BackspaceAction extends AbstractAction
    {
        public void actionPerformed(ActionEvent e)
        {
            JTextComponent component = (JTextComponent)e.getSource();

            if (component.getCaretPosition() > prefixLength)
            {
                deletePrevious.actionPerformed( null );
            }
        }
    }

    public static void main(String args[]) throws Exception {

        JTextField textField = new JTextField("Prefix_", 20);
        textField.setNavigationFilter( new NavigationFilterPrefixWithBackspace(7, textField) );

        JFrame frame = new JFrame("Navigation Filter Example");
        frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
        frame.getContentPane().add(textField);
        frame.pack();
        frame.setLocationRelativeTo( null );
        frame.setVisible(true);
    }
}

我相信这是 JFormattedTextField 的工作方式。所以我不确定你是否可以将它与格式化的文本字段一起使用,因为它可能会替换默认行为。

于 2011-09-14T18:49:07.037 回答