0

我正在尝试创建一个小程序,将一个圆圈(定义为一个对象)绘制到屏幕上,然后可以使用鼠标在屏幕上拖动这个圆圈。到目前为止,当按下鼠标时,对象被绘制并可以拖动,但我想要它做的是在小程序启动时绘制对象,然后允许用户单击对象并拖动它。任何帮助或线索将不胜感激。这是代码:

import java.applet.Applet;
import java.awt.*;
import java.awt.event.*;

public class sheepDog extends Applet implements ActionListener, MouseListener, MouseMotionListener
{
    manAndDog dog;
    int xposR;
    int yposR;

    public void init()
    {
        addMouseListener(this);
        addMouseMotionListener(this);

    }
    public void paint(Graphics g)
    {
        dog.display(g);

    }
    public void actionPerformed(ActionEvent ev)
    {}
    public void mousePressed(MouseEvent e)
    {

    }
    public void mouseReleased(MouseEvent e)
    {


    }
    public void mouseEntered(MouseEvent e)
    {}
    public void mouseExited(MouseEvent e)
    {}
    public void mouseMoved(MouseEvent e)
    {
    }
    public void mouseClicked(MouseEvent e)
    {}
    public void mouseDragged(MouseEvent e)
    {
        dog = new manAndDog(xposR, yposR);
        xposR = e.getX();
        yposR = e.getY();
        repaint();

    }
}

class manAndDog implements MouseListener, MouseMotionListener
{
    int xpos;
    int ypos;
    int circleWidth = 30;
    int circleHeight = 30;
    Boolean mouseClick;

    public manAndDog(int x, int y)
    {
        xpos = x;
        ypos = y;
        mouseClick = true;
        if (!mouseClick){
            xpos = 50;
            ypos = 50;
        }

    }

    public void display(Graphics g)
    {
        g.setColor(Color.blue);
        g.fillOval(xpos, ypos, circleWidth, circleHeight);
    }

    public void mousePressed(MouseEvent e)
    {
        mouseClick = true;
    }
    public void mouseReleased(MouseEvent e)
    {

    }
    public void mouseEntered(MouseEvent e)
    {}
    public void mouseExited(MouseEvent e)
    {}
    public void mouseMoved(MouseEvent e)
    {}
    public void mouseClicked(MouseEvent e)
    {}
    public void mouseDragged(MouseEvent e)
    {
        if (mouseClick){
            xpos = e.getX();
            ypos = e.getY();
        }


    }
}

谢谢

4

2 回答 2

1

最简单的方法是在您的方法中创建ManAndDog对象init(),例如:

dog = new ManAndDog(0, 0);
于 2012-08-25T00:15:46.640 回答
1

start您的小程序的方法中,为对象分配一个位置manAndDog并调用repaint

Reimeus 更正确,该init方法是初始化 manAndDog 的更好地方。

希望你不介意一些反馈;)

  1. 你应该调用super.paint(g)你的paint方法。事实上,我鼓励你使用JApplet和覆盖paintComponent,但这只是我
  2. 我认为不需要不断地重新创建 manAndDog 对象。

例如。如果您添加了一个方法setLocation,您可以在拖动鼠标时简单地调用“setLocation”。

public void mouseDragged(MouseEvent e) {
    dog.setLocation(xposR, yposR);
    xposR = e.getX();
    yposR = e.getY();
    repaint();
}

这更有效,因为它不会连续创建短寿命的对象。这也意味着您可以对manAndDog对象执行更多操作,例如应用动画。恕我直言

于 2012-08-25T00:14:54.053 回答