Подтвердить что ты не робот

Как отключить JTextField

Когда мое приложение загружается, что делается с помощью netbeans, первый JTextField автоматически сфокусирован, и в этом JTextField я написал "Enter your Username", он исчезнет, ​​когда пользователь нажмет на это поле, но когда приложение загружено, это поле сфокусировано, значит я не вижу "Введите ваше имя пользователя", как сфокусировать его при запуске?

4b9b3361

Ответ 1

Лог-вход лучше всего делать в модальном диалоговом окне, но это создает проблемы в том, что метод requestFocusInWindow() должен вызываться после того, как компонент виден, но это блокируется тем фактом, что диалог является модальным!

В этом примере используется Rob Camick RequestFocusListener (как показано в Диалоговый фокус) для управления фокусом после просмотра диалога.

Login with focused password field

Примечание.. Так оно появляется перед тем, как пользователь что-то делает. Поле пароля сфокусировано по умолчанию.

package test.t100.t001;

import java.awt.BorderLayout;
import java.awt.GridLayout;

import javax.swing.JComponent;
import javax.swing.JFrame;
import javax.swing.JLabel;
import javax.swing.JOptionPane;
import javax.swing.JPanel;
import javax.swing.JPasswordField;
import javax.swing.JTextField;
import javax.swing.SwingConstants;
import javax.swing.SwingUtilities;
import javax.swing.event.AncestorEvent;
import javax.swing.event.AncestorListener;

public class LoginRequired {

    LoginRequired() {
        JFrame f = new JFrame("Login Required");
        f.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);

        f.setSize(400, 300);
        f.setResizable(false);
        f.setLocationByPlatform(true);
        f.setVisible(true);

        showLogin(f);
    }

    private void showLogin(JFrame frame) {
        JPanel p = new JPanel(new BorderLayout(5,5));

        JPanel labels = new JPanel(new GridLayout(0,1,2,2));
        labels.add(new JLabel("User Name", SwingConstants.RIGHT));
        labels.add(new JLabel("Password", SwingConstants.RIGHT));
        p.add(labels, BorderLayout.WEST);

        JPanel controls = new JPanel(new GridLayout(0,1,2,2));
        JTextField username = new JTextField("Joe Blogs");
        controls.add(username);
        JPasswordField password = new JPasswordField();
        password.addAncestorListener(new RequestFocusListener(false));
        controls.add(password);
        p.add(controls, BorderLayout.CENTER);

        //LayoutManager l = new GroupLayout(p);
        //p.setLayout(l);
        JOptionPane.showMessageDialog(
            frame, p, "Log In", JOptionPane.QUESTION_MESSAGE);
    }

    /**
     * @param args  none
     */
    public static void main(String[] args) {
        SwingUtilities.invokeLater(new Runnable(){
            @Override
            public void run() {
                new LoginRequired();
            }
        });
    }

}

/**
 *  Convenience class to request focus on a component.
 *
 *  When the component is added to a realized Window then component will
 *  request focus immediately, since the ancestorAdded event is fired
 *  immediately.
 *
 *  When the component is added to a non realized Window, then the focus
 *  request will be made once the window is realized, since the
 *  ancestorAdded event will not be fired until then.
 *
 *  Using the default constructor will cause the listener to be removed
 *  from the component once the AncestorEvent is generated. A second constructor
 *  allows you to specify a boolean value of false to prevent the
 *  AncestorListener from being removed when the event is generated. This will
 *  allow you to reuse the listener each time the event is generated.
 */
class RequestFocusListener implements AncestorListener
{
    private boolean removeListener;

    /*
     *  Convenience constructor. The listener is only used once and then it is
     *  removed from the component.
     */
    public RequestFocusListener()
    {
        this(true);
    }

    /*
     *  Constructor that controls whether this listen can be used once or
     *  multiple times.
     *
     *  @param removeListener when true this listener is only invoked once
     *                        otherwise it can be invoked multiple times.
     */
    public RequestFocusListener(boolean removeListener)
    {
        this.removeListener = removeListener;
    }

    @Override
    public void ancestorAdded(AncestorEvent e)
    {
        JComponent component = e.getComponent();
        component.requestFocusInWindow();

        if (removeListener)
            component.removeAncestorListener( this );
    }

    @Override
    public void ancestorMoved(AncestorEvent e) {}

    @Override
    public void ancestorRemoved(AncestorEvent e) {}
}

Ответ 2

Используйте requestFocusInWindow(), чтобы сначала сфокусироваться на каком-то другом компоненте, а не на вашем JTextfield.

Но я бы предложил не изменять собственную систему фокусировки, а скорее setText(String s) в вызове JTextfield после initComponents() в constructor (предположительно в netbeans).

Дополнительное дополнительное чтение: Как использовать подсистему фокуса

Ответ 3

Я думаю, что приведение фокуса клавиатуры к полю username - правильное поведение, предполагая, что пользователю нужно сначала делать это. Вместо того, чтобы очищать фокус, почему бы не очистить только после того, как пользователь что-то нарисовал?:

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

public class PlaceholderTextField extends JTextField {

    public static void main(final String[] args) {
        final PlaceholderTextField tf = new PlaceholderTextField("");
        tf.setColumns(20);
        tf.setPlaceholder("All your base are belong to us!");
        final Font f = tf.getFont();
        tf.setFont(new Font(f.getName(), f.getStyle(), 30));
        JOptionPane.showMessageDialog(null, tf);
    }

    private String placeholder;

    public PlaceholderTextField() {
    }

    public PlaceholderTextField(
        final Document pDoc,
        final String pText,
        final int pColumns)
    {
        super(pDoc, pText, pColumns);
    }

    public PlaceholderTextField(final int pColumns) {
        super(pColumns);
    }

    public PlaceholderTextField(final String pText) {
        super(pText);
    }

    public PlaceholderTextField(final String pText, final int pColumns) {
        super(pText, pColumns);
    }

    public String getPlaceholder() {
        return placeholder;
    }

    @Override
    protected void paintComponent(final Graphics pG) {
        super.paintComponent(pG);

        if (placeholder.length() == 0 || getText().length() > 0) {
            return;
        }

        final Graphics2D g = (Graphics2D) pG;
        g.setRenderingHint(
            RenderingHints.KEY_ANTIALIASING,
            RenderingHints.VALUE_ANTIALIAS_ON);
        g.setColor(getDisabledTextColor());
        g.drawString(placeholder, getInsets().left, pG.getFontMetrics()
            .getMaxAscent() + getInsets().top);
    }

    public void setPlaceholder(final String s) {
        placeholder = s;
    }

}

Если вы действительно хотите удалить фокус, некоторые параметры:

  • component.setFocusable(false);
  • KeyboardFocusManager.getCurrentKeyboardFocusManager().focusNextComponent();
  • KeyboardFocusManager.getCurrentKeyboardFocusManager().clearGlobalFocusOwner();

Ответ 4

textField.setFocusable(false);
textField.setFocusable(true);

Если и только если textField имеет фокус, следующий компонент в порядке заказа TAB автоматически сфокусируется. Эффект такой же, как у TAB-пресса.

(не тестировался в графическом интерфейсе с одним настраиваемым компонентом:))

Ответ 5

Используйте setFocusable (false) для вашего текстового поля, затем установите MouseListener, переопределите mouseClicked (чтобы очистить существующий текст) и mouseEntered, чтобы снова установить текстовое поле "фокусируемое" (setFocusable (True)). Я новичок в Java, и я нашел, что возиться, поэтому я не знаю, есть ли более "правильный" путь.