我正在尝试制作一种方法,该方法将int[][]
列表和文件名字符串outName作为参数,读取每个list[i][j]
条目并将它们相应地转换为ascii字符。
这就是我所拥有的:
public static void makeAscii(int[][] list, String outName) {
try {
PrintStream output = new PrintStream(new File(outName));
for (int i = 0; i<list.length; i++) {
for (int j = 0; j<list[0].length; j++){
if (list[i][j] <= 20 && list[i][j] >= 0) {
System.out.print('M');
}
if (list[i][j] <= 21 && list[i][j] >= 40) {
output.print('L');
}
if (list[i][j] <= 41 && list[i][j] >= 60) {
output.print('I');
}
if (list[i][j] <= 61 && list[i][j] >= 80) {
output.print('o');
}
if (list[i][j] <= 81 && list[i][j] >= 100) {
output.print('|');
}
if (list[i][j] <= 101 && list[i][j] >= 120) {
output.print('=');
}
if (list[i][j] <= 121 && list[i][j] >= 140) {
output.print('*');
}
if (list[i][j] <= 141 && list[i][j] >= 160) {
output.print(':');
}
if (list[i][j] <= 161 && list[i][j] >= 180) {
output.print('-');
}
if (list[i][j] <= 181 && list[i][j] >= 200) {
output.print(',');
}
if (list[i][j] <= 201 && list[i][j] >= 220) {
output.print('.');
}
if (list[i][j] <= 221 && list[i][j] >= 255) {
output.print(' ');
}
}
System.out.println();
}
}
catch (FileNotFoundException e) {
System.out.println("Coudln't create file");
System.exit(-1);
}
}
我的问题是,尽管此方法相应地创建了一个txt文件,但它没有在文本文件中写入任何字符,因此使该文件为空白。为什么是这样?
最佳答案
您已经颠倒了if
中的条件。
以第一个为例:
if (list[i][j] <= 21 && list[i][j] >= 40) {
这意味着当存在一个既小于21又大于40的数字时将是正确的。显然,这不会发生。您需要将条件反转为:
if (list[i][j] <= 40 && list[i][j] >= 21) {
其他
if
也是如此。另外,请注意,您需要在方法末尾关闭
PrintStream
。一个好的做法是用try-with-resources语句包装它。关于java - PrintStream数组,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/33751420/