如何获取在JLabel [] []中单击的标签鼠标的索引?

时间:2019-07-10 09:08:47

标签: java arrays swing jlabel mouselistener

我有一个JLabel组件的二维数组,我想像这样在鼠标单击的位置。

Jlabel [x] [y] // I want this x & y

我该怎么做?

我已经尝试过了,但是一无所获!

new MouseAdapter(){
    public void mousePressed(MouseEvent e){
        int a=e.getX();
        int b=e.getY();
        MainBoard.ML.label=MainBoard.disk1[a][b];
        Color c=MainBoard.ML.label.getForeground();
        if(color==1)
            MainBoard.ML.label.setForeground(Color.black);
        else
            MainBoard.ML.label.setForeground(Color.white);
        new Play(a,b,color);
        new Player2(r);
        MainBoard.disk1[a][b].addMouseListener(new ML1(a,b));
    }
};

我想获取标签数组的x&y索引。

1 个答案:

答案 0 :(得分:1)

下面未找到要查找的 x y 的未经编译的代码。
请注意,类getX()的方法MouseEvent获取鼠标指针在计算机屏幕上的位置,而不是数组中的 x 。对于方法getY()同样。这就是为什么你什么都没得到的原因。

在下面的代码中,我将相同的MouseListener添加到所有JLabel中。

MouseEvent包含单击鼠标的JLabel,类getSource()的方法MouseEvent返回它。然后,您需要遍历JLabel数组,并查看与MouseEvent源匹配的数组。

int rows = // number of rows in 2D array
int cols = // number of cols in 2D array
final JLabel[][] labels = new JLabel[rows][cols]
MouseListener ml = new MouseAdapter() {
    public void mousePressed(MouseEvent me) {
        Object src = me.getSource();
        int x = -1;
        int y = -1;
        for (int i = 0; i < labels.length(); i++) {
            for (int j = 0; j < labels[i].length; j++) {
                if (src == labels[i][j]) {
                    x = i;
                    y = j;
                    break;
                }
            }
            if (x >= 0) {
                break;
            }
        }
        if (x > 0) {
            System.out.printf("JLabel[%d][%d] was clicked.%n", x, y);
        }
        else {
            System.out.println("Could not find clicked label.");
        }
    }
}
for (int row = 0; row < rows; row++) {
    for (int col = 0; col < cols; col++) {
        labels[row][col] = new JLabel(row + "," + col);
        labels[row][col].addMouseListener(ml);
    }
}