好的,我正在尝试使用此代码生成平铺地图。但是,我一直在使数组索引超出范围。所以,它的工作原理是我在文本文件中添加的“路径”。它包含不同的数字,每个数字代表自己的瓷砖纹理文本文件的前2个数字是我们使用它的宽度和高度。这个for循环正在做的是将每个tile [x] [y]数组分配给它所属的位置的tile。这是我正在使用的文本文件:
15 5
1 1 1 1 1 1 1 1 1 1 1 1 1 1
2 2 2 2 2 2 2 2 2 2 2 2 2 2 2
2 2 2 2 2 2 2 2 2 2 2 2 2 2 2
2 2 2 2 2 2 2 2 2 2 2 2 2 2 2
(行之间没有额外的空格idk为什么这样做)
如果我需要清理任何事情请告诉我
String textFile = TextUtility.loadTextAsString(path);
String[] tileValue = textFile.split("\\s+");
width = TextUtility.parseToInt(tileValue[0]);
height = TextUtility.parseToInt(tileValue[1]);
System.out.println(width+" "+height + " " + tileValue.length);
tiles = new int[width][height];
for (int y = 0; y < height; y++) {
for (int x = 0; x < width; x++) {
tiles[x][y] = TextUtility.parseToInt(tileValue[(x+y*(width))+2]);
System.out.print(""+ tileValue[(x+ y*(width))+2]);
}
}
答案 0 :(得分:0)
IndexOutOfBounds
归因于(x+ y*(width))+2
表达式。但是,如果您只是想在tile[][]
中保留每个磁贴的值,那么可以采用更简单的方式来完成它!
我假设你的loadTextAsString(path)
有点像这样:
public static String loadTextAsString(String path) {
StringBuilder builder = new StringBuilder();
try (BufferedReader fileReader = Files.newBufferedReader(Paths.get(path))) {
String eachLine = "";
while ((eachLine = fileReader.readLine()) != null) {
builder.append(eachLine);
builder.append(System.lineSeparator());
}
} catch (IOException e) {
e.printStackTrace();
}
return builder.toString();
}
这将返回文件的文本表示,如下例所示:
15 5
1 1 1 1 1 1 1 1 1 1 1 1 1 1 1 2 2 2 2 2 2 2 2 2 2 2 2 2 2 2
3 3 3 3 3 3 3 3 3 3 3 3 3 3 3
4 4 4 4 4 4 4 4 4 4 4 4 4 4 4
5 5 5 5 5 5 5 5 5 5 5 5 5 5 5
现在,让我们从实际方法开始,将所有这些值放在二维数组中。
public int[][] createTiles(String path){
String textFile = loadTextAsString(path);
//Get all individual lines in an array
String[] allLinesInFile = textFile.split("\\n|\\r");
int width = Integer.parseInt(allLinesInFile[0].split("\\s")[0]);
int height = Integer.parseInt(allLinesInFile[0].split("\\s")[1]);
System.out.println("Width -> " + width);
System.out.println("Height -> " + height);
//2-D array to hold the tiles
int[][] tiles = new int[height][width];
//Row count for the array
int row = 0;
for(String eachLine : allLinesInFile){
String[] allTiles = eachLine.split("\\s");
/*
* This will ignore the very first line of the file with width and
* height and new line characters
*
*/
if(allTiles.length != width){
continue;
}
//Column count for the array
int col = 0;
for(String eachTile : allTiles){
tiles[row][col] = Integer.parseInt(eachTile);
// Increment column
col++;
}
// Increment Row
row++;
}
//Return the 2-D array.
return tiles;
}
我希望这是你想要实现的目标。
注意:我希望您的TextUtility.parseToInt(String val)
方法等同于Integer.parseInt(String val)
,因此我已经使用了后者。
答案 1 :(得分:-1)
您的输入高度为5,但您只有4行瓷砖。