4

好的,我有以下 JTextField 类。它创建一个圆形 JTextField。现在我想为我的 JPasswordField 使用相同的设置,因为我认为 JPasswordField 继承自 JTextField 我可以执行以下操作:JPasswordField new_field = new RoundField(SOME Parameters);但这是一场大灾难。有什么方法可以使 JPasswordField 舍入而不重复代码?

    public class RoundField extends JTextField {
    public RoundField(String text, int x, int y, int width, int height) {
        setText(text);
        setBounds(x, y, width, height);
        setForeground(Color.GRAY);
        setHorizontalAlignment(JTextField.CENTER);
        setOpaque(false);
        setBorder(BorderFactory.createEmptyBorder(2, 4, 2, 4));
    }

    protected void paintComponent(Graphics g) {
        g.setColor(getBackground());
        g.fillRoundRect(0, 0, getWidth(), getHeight(), 8, 8);
        super.paintComponent(g);
    }
}

PS:如有必要,可以将 setText 移出构造函数。

4

2 回答 2

3

InPursuit 是对的。您无法使用继承解决您的问题。

但是如何使用工厂设计模式来代替。您将创建一个外部类来处理您当前在RoundField.

前任:

class BorderUtil {

    @SuppressWarnings({ "unchecked", "serial" })
    public static <T extends JTextField> T createTextField(T field, String text, int x, int y, int width,
            int height) {

        T f = null;
        if (field instanceof JPasswordField) {
            f = (T) new JPasswordField(text) {
                @Override
                protected void paintComponent(Graphics g) {
                    g.setColor(getBackground());
                    g.fillRoundRect(0, 0, getWidth(), getHeight(), 8, 8);
                    super.paintComponent(g);
                }
            };
        } else {
            f = (T) new JTextField(text) {
                @Override
                protected void paintComponent(Graphics g) {
                    g.setColor(getBackground());
                    g.fillRoundRect(0, 0, getWidth(), getHeight(), 8, 8);
                    super.paintComponent(g);
                }
            };
        }

        f.setBounds(x, y, width, height);
        f.setForeground(Color.GRAY);
        f.setHorizontalAlignment(JTextField.CENTER);
        f.setOpaque(false);
        f.setBorder(BorderFactory.createEmptyBorder(2, 4, 2, 4));
        return f;
    }
}

通过这种方式,您可以避免大多数重复并获得清晰性。

要调用该方法,非常简单:

JPasswordField pf = BorderUtil.createTextField(yourPasswordField, "Text", 0, 0, 10, 10);
于 2012-08-18T19:11:42.413 回答
1

您不能更改 jpasswordfield 继承的类,所以不,如果不重复代码,就无法做到这一点。

于 2012-08-18T18:48:57.863 回答