我想创建一个小应用程序。在我的应用程序中,我有jLabel1
和Jbutton1
。我想使用jLabel1
点击将jButton
从一侧动画到另一侧。我不知道如何在jButton1ActionPerformed
中调用来创建jLabel1
的动画。我已经完成了一个绘图应用程序代码,如下所示。
这是我的代码:
public void paint(Graphics g)
{
super.paint(g);
Graphics2D g2=(Graphics2D)g;
g2.drawString("ancd", x, y);
try {
Thread.sleep(10000);
} catch (Exception e) {
System.out.println(""+e);
}
x+=10;
if(x>this.getWidth())
{
x=0;
}
repaint();
}
答案 0 :(得分:5)
为简单起见,您可以使用Swing计时器进行动画制作。但是,如果我是你,我就不会移动JLabel。但我会直接在JPanel上绘制并保留一组位置(图像的x和y)。在计时器中,更新位置并重新绘制它。
由于您想在屏幕上移动JLabel,您可以执行以下操作:
class DrawingSpace extends JPanel{
private JLabel label;
private JButton button;
private Timer timer;
public DrawingSpace(){
setPreferredSize(new Dimension(200, 300));
initComponents();
add(label);
add(button);
}
public void initComponents(){
label = new JLabel("I am a JLabel !");
label.setBackground(Color.YELLOW);
label.setOpaque(true);
button = new JButton("Move");
//Move every (approx) 5 milliseconds
timer = new Timer(5, new ActionListener(){
@Override
public void actionPerformed(ActionEvent e){
//Move 1 px everytime
label.setLocation(label.getLocation().x, label.getLocation().y+1);
}
});
button.addActionListener(new ActionListener(){
@Override
public void actionPerformed(ActionEvent e){
if(!timer.isRunning())
timer.start();
else
timer.stop();
}
});
}
}
然后运行程序的类:
class Mover{
public static void main(String[] args){
SwingUtilities.invokeLater(new Runnable() { // Run the GUI codes on the EDT
@Override
public void run() {
JFrame frame = new JFrame("Some Basic Animation");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
frame.add(new DrawingSpace());
frame.pack();
frame.setLocationRelativeTo(null);
frame.setVisible(true);
}
});
}
}
如果您计划使用paint()
实施,我会说您可能应该从Java组件覆盖paintComponents(Graphics g)
而不是paint(Graphics g)
。
也不要使用像Thread.sleep()
之类的东西来混淆你的绘画方法,它可能会冻结你的UI。 paint方法应该只包含绘画所需的代码而不包含任何其他内容。