稀疏数组基本介绍:
当一个数组中大部分元素为0,或者为同一个值的数组时,可以使用稀疏数组来保存该数组(保存棋盘和地图) 。
稀疏数组的处理方法是:
1)第一行记录原数组一共有几行几列,有多少个不同的值
2)把具有不同值的元素的行列及值记录在一个小规模的数组中,从而缩小程序的规模
二维数组转稀疏数组的思路 :
1.遍历原始的二维数组,得到有效数据的个数sum
2.根据sum就可以创建稀疏数组 sparseArr int[sum+1] [3]
3.将二维数组的有效数据数据存入到 稀疏数组
稀疏数组转原始的二维数组的思路:
1.先读取稀疏数组的第一行,根据第一行的数据,创建原始的二维数组,比如上面的 chessArr2 = int[6][7]
2.在读取稀疏数组后几行的数据,并赋给原始的二维数组即可
代码实现:
以下是代码实现,并且实现了将稀疏数组存储到本地文件和从本地文件中读取稀疏数组
public class ReadAndWrite {
//将稀疏数组存入txt文件当中
public static void writeArray(int[][] arr) throws IOException {
File file = new File("sparse.txt");
FileWriter fw = new FileWriter(file);
//遍历二维数组将数组写入txt文件中
for(int i = 0;i < arr.length;i++){
for(int j = 0;j < arr[0].length - 1;j++){
fw.write(arr[i][j] + ","); //加逗号是为了在进行读操作时方便将其变为数组
}
fw.write(arr[i][2] + "");
fw.write("\n");
}
fw.close();
}
//将稀疏数组从文件中读取出来
public static int[][] readSparse() throws IOException {
FileReader fr = new FileReader("sparse.txt");
BufferedReader br = new BufferedReader(fr);
//创建一个集合用来存放读取文件中的内容
ArrayList<String> list = new ArrayList<>();
//用来存放一行的数据
String line;
while((line = br.readLine())!= null){
list.add(line);
}
int[][] arr = new int[list.size()][3];
int count = 0; //计数器
for (String s : list) {
//将字符串s通过split方法变为字符串数组
String[] strs = s.split("\\,");
arr[count][0] = Integer.parseInt(strs[0]);
arr[count][1] = Integer.parseInt(strs[1]);
arr[count][2] = Integer.parseInt(strs[2]);
count++;
}
fr.close();
br.close();
return arr;
}
}
public class SparseArray {
public static void main(String[] args) throws IOException {
// 创建一个原始的二维数组 11 * 11
// 0: 表示没有棋子, 1 表示 黑子 2表 白子
int[][] chessArr1 = new int[11][11];
chessArr1[1][2] = 1;
chessArr1[2][3] = 2;
//输出原始的二维数组
System.out.println("原始的二维数组为:");
for(int[] row : chessArr1 ){
for(int data : row){
System.out.printf("%d\t",data);
}
System.out.println();
}
// 将二维数组 转 稀疏数组的思路
// 1. 先遍历二维数组 得到非0数据的个数
int sum = 0;
for(int[] row : chessArr1 ){
for(int data : row){
if(data != 0) sum++;
}
}
//2.创建对应的稀疏数组
int[][] sparseArr = new int[sum + 1][3];
sparseArr[0][0] = chessArr1.length;
sparseArr[0][1] = chessArr1[0].length;
int count = 0; //计数器
for(int i = 0;i < chessArr1.length;i++){
for (int j = 0;j < chessArr1[0].length;j++){
if(chessArr1[i][j] != 0){
count++;
sparseArr[count][0] = i;
sparseArr[count][1] = j;
sparseArr[count][2] = chessArr1[i][j];
}
}
}
ReadAndWrite.writeArray(sparseArr);
// 输出稀疏数组的形式
System.out.println("得到稀疏数组为~~~~");
for(int i = 0;i < sparseArr.length;i++){
System.out.printf("%d\t%d\t%d\t\n",sparseArr[i][0],sparseArr[i][1],sparseArr[i][2]);
}
//将稀疏数组 --》 恢复成 原始的二维数组
/*
* 1. 先读取稀疏数组的第一行,根据第一行的数据,创建原始的二维数组,比如上面的 chessArr2 = int [11][11]
2. 在读取稀疏数组后几行的数据,并赋给 原始的二维数组 即可.
*/
int[][] sparse = ReadAndWrite.readSparse();
int[][] chessArr2 = new int[sparse[0][0]][sparse[0][1]];
for(int i = 1;i <= sum;i++){
chessArr2[sparse[i][0]][sparse[i][1]] = sparse[i][2];
}
// 输出恢复后的二维数组
for(int[] row : chessArr2){
for(int data : row){
System.out.printf("%d\t",data);
}
System.out.println();
}
}
}