如何通过添加数组的最小值以及最小值所在的位置来完成此程序?
public static void main(String[] args) {
Scanner input;
/* A file for the program to open, the absolute location is based on
* the location of the project. /src/array2d/ locates the file in
* the current source folder
*/
File fileIn = new File("src/array2d/array2dtest1.txt");
// You can fetch the full absolute path with the method below
// System.out.println(fileIn.getAbsolutePath());
/* try...catch is necessary for reading files, as it is possible that
* the file does not exist.
*/
try {
//creating a scanner from the file, rather than using console.
input = new Scanner(fileIn);
}
catch (FileNotFoundException e) {
// if file is not found, terminate the program
System.out.println(fileIn.getName() + " is not found.");
return;
}
int row = input.nextInt();
int column = input.nextInt();
int [][] arr = new int[row][column];
int [] min = arr[0];
for (int i = 0; i < row; i++) {
for (int j = 0; j < column; j++) {
arr[i][j] = input.nextInt();
}
}
for (int i = 0; i < row; i++) {
for (int j = 0; j < column; j++) {
int k;
k = arr[i][j];
System.out.printf(" %3d", k );
}
System.out.println();
}
input.close();
//min
int i;
for(i = 1; i < arr.length; i++) {
if(i == 1)
min = arr[i];
}
System.out.printf(" min: " + min);
}
输出应为:
39 95 99 56 41
88 8 1 48 75
3 58 13 54 80
92 72 74 25 86
30 38 3 21 2
最小值为1,其位置为(无论位置如何)
答案 0 :(得分:2)
这是一个新的min
循环,填充到循环中,同时执行行和列,并为字符串提供更好的格式化方式:)
int min = 0; /* set initial minimum */
int minRowPos = 0; /* set minimum row and column positions */
int minColPos = 0;
for(int i = 0; i < row; i++)
{
for(int j = 0; j < column; j++)
{
int k;
k = arr[i][j];
System.out.printf(" %3d", k );
if(min < arr[i][j]){ /* test and set new min across arr */
min = arr[i][j];
minRowPos = i; /* set row position of new minimum */
minColPos = j; /* set col position of new minimum */
}
}
System.out.println();
System.out.printf("Array min: %d at row, column: %d,%d ", min, minRowPos, minColPos);
}
input.close();
另外,删除顶部的min
声明
int [] min = arr[0];
如果你愿意的话,你可以变得更干净并将所有声明移到课堂顶部,但我不想让事情变得混乱,并保持一小部分变化。
答案 1 :(得分:0)
//min
int i;
int pos;
for(i = 1; i < arr.length; i++) {
if(i == 1)
min = arr[i];
pos = i;
}
System.out.printf(" min: " + min + " position " + pos );
答案 2 :(得分:0)
首先,你的代码int [] min = arr[0];
会给你一个错误,因为你不能有int []类型的引用变量引用。
现在回答:
<java>
int minimum = arr[0];
int minimum_index = 0
for(int i = 1;i<arr.length;i++){
if(arr[i]<minimum){ // Found an array element lesser than previously recorded minimum
minimum = arr[i]; //update the recorded minimum
minimum_index = i; // update the recorded minimum index
}
}
System.out.printf("Array minimum %d found at %d",minimum,minimum_index);