一个困扰了我很久的问题,如何生成一个有通路且足够复杂的迷宫
后来,我发现了一个很特别的思路,如果对深度优先遍历算法加入一个随机化的能力,生成的就是一个迷宫,为了增加迷宫的复杂性,我选择从终点搜索到起点的方法,而不是从起点搜索到终点的方法。
由于迷宫需要用UI显示,故我用C#写了以下的算法。。。
namespace 测试10 { class Point { public bool[] Inter = new bool[4]; public void Clear() { Inter[0] = Inter[1] = Inter[2] = Inter[3] = false; } } class MiGong { const int MAX = 300; public Point[,] Data = new Point[MAX,MAX]; public int Length; private int[] FindX = new int [4]{ -1, 0, 1, 0 }; private int[] FindY = new int [4]{ 0, 1,0,-1 }; private int[] FindIF = new int[4] { 0, 1, 2, 3 }; private bool[,] Exist = new bool[MAX, MAX]; private int[] LastX = new int[MAX * MAX]; private int[] LastY = new int[MAX * MAX]; private Random MyRandom = new Random(DateTime.Now.Millisecond); public MiGong() { for (int i = 0; i != MAX; ++i) for (int j = 0; j != MAX; ++j) Data[i, j] = new Point(); SetLength(30); } public void SetLength(int length) { Length = length; for (int i = 0; i != Length; ++i) { for (int j = 0; j != Length; ++j) { Exist[i, j] = false; Data[i, j].Clear(); } } Data[0, 0].Inter[0] = true; Data[Length - 1, Length - 1].Inter[2] = true; RandomDFS(Length-1, Length-1); } private bool GetNext(int x, int y) { if (x >= 0 && x < Length && y >= 0 && y < Length && Exist[x, y] == false) return true; else return false; } private void GenerateRandom( out int []ResultX , out int[]ResultY , out int []ResultIF,int x , int y ) { ResultX = (int[])FindX.Clone(); ResultY = (int[])FindY.Clone(); ResultIF = (int[])FindIF.Clone(); for (int i = 0; i != 4; ++i) { int mid = MyRandom.Next(i, 4); int mid2; mid2 = ResultX[i]; ResultX[i] = ResultX[mid]; ResultX[mid] = mid2; mid2 = ResultY[i]; ResultY[i] = ResultY[mid]; ResultY[mid] = mid2; mid2 = ResultIF[i]; ResultIF[i] = ResultIF[mid]; ResultIF[mid] = mid2; } for (int i = 0; i != 4; ++i) { ResultX[i] += x; ResultY[i] += y; } } private void RandomDFS( int x , int y ) { Exist[x, y] = true; int[] ResultX;int []ResultY;int[] ResultIF; GenerateRandom(out ResultX, out ResultY,out ResultIF,x,y); for (int i = 0; i != 4; ++i) { if (GetNext(ResultX[i], ResultY[i]) ) { Data[x, y].Inter[ResultIF[i]] = true; Data[ResultX[i], ResultY[i]].Inter[(ResultIF[i] + 2) % 4] = true; RandomDFS( ResultX[i],ResultY[i]); } } } } }
迷宫的入口是左上角,出口时右下角