有一个带有GridLayout的JPanel,它是由使用ArrayList创建的JButtons随机填充的。数组的每个元素(Tile)都包含一个字符。 It's supposed to be a tile removing game.但是,我意识到我编写的代码不起作用,因为一旦删除了一个tile,其他的索引就会改变。
KeyListener应用于JPanel。这个方法在我的Model类中,首先创建ArrayList。在Tile类中,getChar只返回它的字符。
public void removeChar(char typedChar) {
for(Tile t: _al){
if(t.getChar() == typedChar) {
System.out.println(typedChar + " is in the game, at index " + _al.indexOf(t) + " of the array.");
_p.remove(_al.indexOf(t));
}
使用我的代码,我基本上只想在键入字符键时删除相应的tile。任何人都可以帮我看一个更好的(好的,有效的)方法吗?我的代码似乎变得更加复杂,因为ArrayList中充满了对象,但我稍后会需要这些对象。
答案 0 :(得分:2)
不要使用KeyListener。 Swing旨在与Key Bindings一起使用。
为每个按钮添加一个键绑定。然后,当输入字母时,按钮将成为事件的来源,因此您只需从面板中删除该按钮。
有关键绑定如何工作的示例,请参阅下文:
import java.awt.*;
import java.awt.event.*;
import javax.swing.*;
import javax.swing.border.*;
public class CalculatorPanel extends JPanel
{
private JTextField display;
public CalculatorPanel()
{
Action numberAction = new AbstractAction()
{
@Override
public void actionPerformed(ActionEvent e)
{
// display.setCaretPosition( display.getDocument().getLength() );
display.replaceSelection(e.getActionCommand());
}
};
setLayout( new BorderLayout() );
display = new JTextField();
display.setEditable( false );
display.setHorizontalAlignment(JTextField.RIGHT);
add(display, BorderLayout.NORTH);
JPanel buttonPanel = new JPanel();
buttonPanel.setLayout( new GridLayout(0, 5) );
add(buttonPanel, BorderLayout.CENTER);
for (int i = 0; i < 10; i++)
{
String text = String.valueOf(i);
JButton button = new JButton( text );
button.addActionListener( numberAction );
button.setBorder( new LineBorder(Color.BLACK) );
button.setPreferredSize( new Dimension(30, 30) );
buttonPanel.add( button );
InputMap inputMap = button.getInputMap(JComponent.WHEN_IN_FOCUSED_WINDOW);
inputMap.put(KeyStroke.getKeyStroke(text), text);
inputMap.put(KeyStroke.getKeyStroke("NUMPAD" + text), text);
button.getActionMap().put(text, numberAction);
}
}
private static void createAndShowUI()
{
JFrame frame = new JFrame("Calculator Panel");
frame.setDefaultCloseOperation( JFrame.EXIT_ON_CLOSE );
frame.add( new CalculatorPanel() );
frame.pack();
frame.setLocationRelativeTo( null );
frame.setVisible(true);
}
public static void main(String[] args)
{
EventQueue.invokeLater(new Runnable()
{
public void run()
{
createAndShowUI();
}
});
}
}
因此,在您的情况下,Action的actionPerformed()方法中的代码将类似于:
JButton button = (JButton)e.getSource();
JPanel parent = (JPanel)button.getParent();
parent.remove(button);
parent.revalidate();
parent.repaint();
编辑:
使用KeyListener时,您可以使用HashMap将字符绑定到相关按钮:
HashMap<Character, JButton> buttons = new HashMap<Character, JButton>();
...
buttons.put('a', aButton);
buttons.put('b', bButton);
然后KeyListener代码中的keyTyped()代码类似于:
JButton button = buttons.get( e.getKeyChar() );
panel.remove( button );
panel.revalidate();
panel.repaint();