我已经对以下程序进行了编码以递归地实现四色映射定理(简而言之,任何映射都只能用 4 种颜色着色,而没有任何相邻区域的颜色相同)。一切都可以编译,但我的输出给了我错误的数据(每个区域的颜色为-1,而不是现在的值 0-3)。我最大的问题是为什么输出不正确。
对于那些想知道的人,输入文件是一个邻接矩阵,如下所示:
0 1 0 1
1 0 1 0
0 1 0 1
1 0 1 0
这是我的代码:
public class FourColorMapThm
{
public static boolean acceptable(int[] map, int[][] matrix, int r, int c)
{
for(int i = 0; i < map.length; i++)
{
if(matrix[r][i] == 1)
{
if(map[i] == c) return false;
}
}
return true;
}
public static boolean colorTheMap(int[] map, int[][] matrix, int r, int c)
{
boolean q = false;
int i = 0;
if(!acceptable(map, matrix, r, i)) return false;
map[r] = i;
boolean done = true;
for(int j = 0; j < map.length; j++)
{
if(map[j] == -1)
{
done = false;
}
}
if(done) return true;
do
{
i++;
q = colorTheMap(map, matrix, r+1, i);
if(q) return true;
}
while(i <= 3);
map[r] = -1;
return false;
}
public static void main(String[] args) throws IOException
{
Scanner in = new Scanner(System.in);
String snumRegions, fileName;
int numRegions;
System.out.print("Enter the number of regions: ");
snumRegions = in.nextLine();
numRegions = Integer.parseInt(snumRegions);
System.out.print("\nEnter filename for adjacency matrix: ");
fileName = in.nextLine();
in.close();
Scanner inFile = new Scanner(new FileReader(fileName));
PrintWriter outFile = new PrintWriter("coloredMap.txt");
int[][] matrix = new int[numRegions][numRegions];
int[] map = new int[numRegions];
//initializing matrix from file
for(int row = 0; row < matrix.length; row++)
{
for(int col = 0; col < matrix.length; col++)
{
matrix[row][col] = inFile.nextInt();
}
}
inFile.close();
//initialize map vals to -1
for(int i = 0; i < map.length; i++)
{
map[i] = -1;
}
colorTheMap(map, matrix, 0, 0);
outFile.println("Region\t\tColor");
for(int i = 0; i < map.length; i++)
{
outFile.println(i+1 + "\t\t" + map[i]);
}
outFile.close();
}
}