我尝试对Java应用程序进行编程,如果鼠标给定的Point位于给定的Polygon的内部或外部,则会打印出来。但是我不知道如何使用包含Methode的公共布尔值。有人可以帮我吗?我的数组arrx和arry保存了Poly的坐标,但是我该怎么说呢,他必须检查我的poly中是否有Point。

import java.awt.*;
import java.awt.event.*;
import javax.swing.*;

public class PiP extends JPanel implements MouseListener,MouseMotionListener  {
int x0,x1,y0,y1,i = 0,z = 1;
int [][] pkt;
boolean zeichnen;
int []points = new int[100];
double y;
public static void main(String[] args) {
PiP p= new PiP();
}
public PiP() {
  JFrame fenster = new JFrame("Fenster");
  fenster.setBounds(0,0,600,600);
  fenster.setVisible(true);
  fenster.add(this);
  fenster.addMouseListener(this);
  fenster.addMouseMotionListener(this);
  fenster.setDefaultCloseOperation(JFrame.EXIT_ON_CLOSE);
}

public void mousePressed(MouseEvent e) {          //if mouse pressed
  pkt = new int[z][4];
  zeichnen = true;
  x1 = e.getX();
  y1 = e.getY();
  pkt[i][0] = x1;
  pkt[i][1] = y1;
  System.out.println("x = "+pkt[i][0]+" und"+" y = "+pkt[i][1]);
  repaint();
  i++;
  z++;
}
public void Polygon(int arrx, int arry){
return arrx;
}
public boolean contains(int x1,int y1){     //here I tried to use contains, but I am
return true;                                 //not sure how to take the variables from
}                                           //the polygon to test if the Points are in
else {                                      //the Polygon
 return false;
}
}
public void mouseClicked(MouseEvent e) { }
public void mouseReleased(MouseEvent e) { }
public void mouseMoved(MouseEvent e) { }
public void mouseDragged(MouseEvent e) { }
public void mouseEntered(MouseEvent e) { }
public void mouseExited(MouseEvent e) { }
public void paint(Graphics g) {
    g.setColor(Color.RED);
int []arrx = {163,123,81,163,293,332,426,461,493,491,383,328,313,263};     //Poly x coordinates
int []arry = {143,219,359,433,478,523,448,401,306,238,219,205,168,158};   //Poly y coordinates
    g.drawPolygon(arrx,arry,arrx.length);
    if (zeichnen) {
     g.drawRect(x1,y1,10,10);
    g.fillRect(x1,y1,10,10);
    } // end of if
  }
  }

最佳答案

//here I tried to use contains, but I am
//not sure how to take the variables from
//the polygon to test if the Points are in
//the Polygon


Polygonarrx数组值建立基于AWT的arry,然后调用contains(x,y)方法。

例如。

public boolean containsPoint(int x1, int y1) {
    Polygon polygon = new Polygon(arrx, arry, arrx.length);
    return polygon.contains(x1,y1);
}


在旁边

在可以执行该测试之前(甚至在代码编译之前),需要对代码进行更改。例如,arrxarry数组必须可用于检查包含点的方法(在其范围内)。

提示


对于任何JComponent(如JPanel),要重写的正确方法是paintComponent(Graphics)方法,而不是paint(Graphics)方法。始终先调用super方法,以清除以前的所有图形。
鼠标侦听器应添加到面板,而不是框架。
与设置框架的大小相比,最好在添加所有组件之后覆盖getPreferedSize()JPanelpack()框架。
Swing(&AWT)GUI应该在EDT上创建和更新。

10-04 17:48