我有一个JLabel
,当您单击它时,它会替换为JTextField
. 我需要JTextField
它在出现时自动选择它的所有文本。
问问题
27858 次
3 回答
11
解决方案一:通过焦点事件进行。不是最好的解决方案。
public static void main(final String[] args) {
// simple window preparation
final JFrame f = new JFrame();
f.setBounds(200, 200, 400, 400);
f.setVisible(true);
{ // this sleep part shall simulate a user doing some stuff
try {
Thread.sleep(2345);
} catch (final InterruptedException ignore) {}
}
{ // here's the interesting part for you, this is what you put inside your button listener or whatever
final JTextField t = new JTextField("Hello World!");
t.addFocusListener(new FocusListener() {
@Override public void focusLost(final FocusEvent pE) {}
@Override public void focusGained(final FocusEvent pE) {
t.selectAll();
}
});
f.add(t);
f.validate();
t.requestFocus();
}
}
于 2013-01-02T12:54:47.593 回答
8
JTextField.selectAll()是您所需要的。
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
public class SelectAll
{
private int count = 0;
private void displayGUI()
{
JFrame frame = new JFrame("Select All");
frame.setDefaultCloseOperation(JFrame.DISPOSE_ON_CLOSE);
final JPanel contentPane = new JPanel();
JButton addButton = new JButton("Add");
addButton.addActionListener(new ActionListener()
{
@Override
public void actionPerformed(ActionEvent ae)
{
JTextField tfield = new JTextField(10);
tfield.setText("" + (++count));
contentPane.add(tfield);
tfield.requestFocusInWindow();
tfield.selectAll();
contentPane.revalidate();
contentPane.repaint();
}
});
contentPane.add(addButton);
frame.setContentPane(contentPane);
frame.pack();
frame.setLocationByPlatform(true);
frame.setVisible(true);
}
public static void main(String... args)
{
EventQueue.invokeLater(new Runnable()
{
@Override
public void run()
{
new SelectAll().displayGUI();
}
});
}
}
于 2013-01-02T12:56:09.700 回答
2
JTextField 类在其 API 中包含用于此目的的方法。
这可以帮助:
http://forums.codeguru.com/showthread.php?308517-How-do-you-highlight-the-text-in-a-JTextfield
于 2013-01-02T12:48:51.803 回答