所以我编写代码给我一个数组最小元素的最小索引,这意味着如果我的数组中有双精度数,它会给我一个索引最小的那个,例如:
myList = {1,3,1,4,5,5};
运行代码时,它会给我索引0而不是2
我遇到的麻烦是将此代码转换为二维数组?
我的代码:
public static int indexSmall(int[] array)
{
int index = 0;
int low = array[index];
for(int i = 0; i < array.length; i++)
{
if (low > array[i])
{
low = array[i];
index = i;
}
}
return index;
}
答案 0 :(得分:1)
基本上是相同的,但你必须利用两个变量来跟踪行和列索引,因为它不再是你正在寻找的2D数组中的一个索引。你想要归还的只是由你决定。
public static int indexSmall(int[] array)
{
int row = 0;
int col = 0;
int low = array[row][col];
for(int i = 0; i < array.length; i++) //array.length is the number of
//arrays in the 2D array aka the number of rows
{
for(int j = 0; j < array[i].length; j++) //array[i].length is the number of elements
//in one of the arrays in the 2D arrays aka
//the number of columns
{
if (low > array[i][j])
{
low = array[i][j];
row = i;
col = j
}
}
}
return row; //you can also return col or a combination of the two
}