摇摆块

时间:2014-01-22 22:20:55

标签: java swing grid jpanel

我正在制作一个简单的游戏,用户点击彩色块,同一颜色的所有相邻块一起消失。当一个块消失时,它顶部的所有块都应该落下并填满空白区域。我该如何实施这种行动?我可以检查网格中的所有块,但这是一个巨大的浪费。我还可以跟踪给定列中有多少空白空间,但我认为应该有更好的方法来实现它。以下是一些代码,显示了我如何制作网格和每个单元格:

public class GridPanel extends JPanel{

    private GridCell[][] grid;
    private static final int DEFAULT_SIZE = 25;
    private static final Color[] COLORS = {Color.RED, Color.GREEN, Color.BLUE, Color.YELLOW};
    private Random random;


    public GridPanel(int x, int y){
        random = new Random();
        grid = new GridCell[x][y];
        GridBagConstraints gbc = new GridBagConstraints();
        setLayout(new GridBagLayout());
        for(int i = 0; i < grid.length; i++){
            for(int j = 0; j < grid[i].length; j++){
                GridCell gc = new GridCell(i, j, DEFAULT_SIZE);
                Border border = new MatteBorder(1, 1, 1, 1, Color.GRAY);
                gc.setBorder(border);
                gc.setBackground(COLORS[random.nextInt(COLORS.length)]);
                gbc.gridx = i;
                gbc.gridy = j;
                add(gc, gbc);
                grid[i][j] = gc;
            }
        }
    }
}

public class GridCell extends JPanel{

private int x;
private int y;
private int size;

public GridCell(int x, int y, int size){
    this.x = x;
    this.y = y;
    this.size = size;
}

@Override
public Dimension getPreferredSize() {
    return new Dimension(size, size);
}

public GridCoordinate getCoordinates(){
    return new GridCoordinate(x, y);
}

public int getCellSize(){
    return this.size;
}

}

1 个答案:

答案 0 :(得分:3)

你将面临的最大绊脚石是处理“空”块。大多数布局不会“保留”屏幕未使用部分的空间。

GridBagLayout提供了获取用于布置原始组件的GridBagConstraints的方法。

GridBagLayout gbl = new GridBagLayout();
//...
GridBagConstarints gbc = gbl.getConstraints(comp);

这为您提供了调整组件约束的方法,只是不要忘记重新应用它们....

gbl.setConstraints(comp, gbc);

我要做的是创建一个“空白”GridCell的概念。这是一个无法点击的单元格,并以中性色绘制(或根据您的需要透明)。当您“删除”某个有效的GridCell时,您会将其替换为“空白”单元格。

然后,您需要计算空白单元格的位置,并调整其周围所有单元格的位置。

这最好通过使用“虚拟”模型来实现。您只需在此模型中维护游戏状态(例如int数组),并在更新时,只需更新实际视图以匹配模型。

这将使确定单个细胞需要排列的位置变得更加简单。

但那只是我......

<强>更新

您还可以考虑使用GridLayout并查看组件的Z顺序,例如......