我有许多在窗口中移动的平面(线程),我想根据平面的方向切换 ImageIcon。例如:如果一个平面向右走,平面的imageIcon向右,然后平面向左,把imageIcon换成向左的平面。如何在方法paintComponent 中做到这一点?对不起,我的英语不好。
问问题
1158 次
3 回答
3
如果您正在寻找逻辑事物,那么这里有一个小示例,尽管您可能必须根据需要对其进行修改。
import java.awt.*;
import java.awt.event.*;
import java.awt.image.BufferedImage;
import java.util.Random;
import javax.swing.*;
public class FlyingAeroplane
{
private Animation animation;
private Timer timer;
private ActionListener timerAction = new ActionListener()
{
@Override
public void actionPerformed(ActionEvent ae)
{
animation.setValues();
}
};
private void displayGUI()
{
JFrame frame = new JFrame("Aeroplane Flying");
frame.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
animation = new Animation();
frame.setContentPane(animation);
frame.pack();
frame.setLocationByPlatform(true);
frame.setVisible(true);
timer = new Timer(100, timerAction);
timer.start();
}
public static void main(String... args)
{
SwingUtilities.invokeLater(new Runnable()
{
@Override
public void run()
{
new FlyingAeroplane().displayGUI();
}
});
}
}
class Animation extends JPanel
{
private final int HEIGHT = 150;
private final int WIDTH = 200;
private int x;
private int y;
private ImageIcon image;
private boolean flag;
private Random random;
public Animation()
{
x = 0;
y = 0;
image = new ImageIcon(getClass().getResource("/image/aeroplaneright.jpeg"));
flag = true;
random = new Random();
}
public void setValues()
{
x = getXOfImage();
y = random.nextInt(70);
repaint();
}
private int getXOfImage()
{
if (flag)
{
if ((x + image.getIconWidth()) == WIDTH)
{
flag = false;
x--;
return x;
}
x++;
image = new ImageIcon(getClass().getResource("/image/aeroplaneright.jpeg"));
}
else if (!flag)
{
if (x == 0)
{
flag = true;
x++;
return x;
}
x--;
image = new ImageIcon(getClass().getResource("/image/aeroplaneleft.jpeg"));
}
return x;
}
@Override
public Dimension getPreferredSize()
{
return (new Dimension(WIDTH, HEIGHT));
}
@Override
protected void paintComponent(Graphics g)
{
super.paintComponent(g);
g.drawImage(image.getImage(), x, y, this);
}
}
使用的图像:
于 2012-12-10T04:52:16.640 回答
3
如果您正在谈论交换 JLabel 显示的 ImageIcon,那么您不应该在 paintComponent 中切换 ImageIcons,而应该在代码的 non-paintComponent 区域中执行此操作,也许在 Swing Timer 中。即使您不是在谈论 JLabel,paintComponent 方法也不应该用于更改对象的状态。
但是,您的问题留下了太多未说的内容,无法让我们能够完整而良好地回答。考虑更多地讲述和展示。
于 2012-12-10T01:50:44.383 回答
2
在设置方向时,您也应该设置图像图标,或者有一个getImageIcon(direction)
.
在paintComponent中不应发生繁重的逻辑;它应该尽可能快。您无法(完全)控制调用paintComponent 的时间和频率。
于 2012-12-10T01:55:32.890 回答