1

起初我认为这很容易,但当我开始这样做时,我不知道如何继续。我的想法是使用面板,然后画粗线,但是绘制墙壁并使我的角色不会超出这些墙壁的正确方法是什么?我只是无法想象我怎么可能做到这一点。这是一个迷宫的草图来说明我将如何做:

在此处输入图像描述

我刚从 a 开始Frame,仍然试图抓住这样做的想法。

4

1 回答 1

5

首先,您需要一个代表迷宫的数据结构。然后你可以担心画它。

我会建议这样的课程:

class Maze {
    public enum Tile { Start, End, Empty, Blocked };
    private final Tile[] cells;
    private final int width;
    private final int height;

    public Maze(int width, int height) {
         this.width = width;
         this.height = height;
         this.cells = new Tile[width * height];
         Arrays.fill(this.cells, Tile.Empty);
    }

    public int height() {
        return height;
    }

    public int width() {
        return width;
    }

    public Tile get(int x, int y) {
        return cells[index(x, y)];
    }

    public void set(int x, int y, Tile tile) {
         Cells[index(x, y)] = tile;
    }

    private int index(int x, int y) {
        return y * width + x;
    }
}

然后我会用块(正方形)而不是线来绘制这个迷宫。一个暗块用于阻塞的瓷砖,一个透明的用于空瓷砖。

要绘画,请执行以下操作。

public void paintTheMaze(graphics g) {
    final int tileWidth = 32;
    final int tileHeight = 32;
    g.setColor(Color.BLACK);

    for (int x = 0; x < maze.width(); ++x) {
        for (int y = 0;  y < maze.height(); ++y) {
            if (maze.get(x, y).equals(Tile.Blocked)) (
                 g.fillRect(x*tileWidth, y*tileHeight, tileWidth, tileHeight);
            }
        }
    )

}
于 2012-04-13T07:05:41.713 回答