您好我正在尝试通过一个二维数组(特别是一个4x4数组),并且都找到重复的任何数字,然后计算该数字重复的次数。到目前为止,我有4个for循环工作但是做的比我真正想要的更多。
int counter1 =1;
String huh="";
for (int x = 0; x< dataTable.length; x++)
{
for (int y=0; y< dataTable.length; y++)
{
for (int z = 0; z< dataTable.length; z++)
{
for (int a=0; a< dataTable.length; a++)
{
if ( x != z && x !=a && y != z && y !=a)
{
if (dataTable[x][y] == dataTable[z][a])
{
counter1++;
}
}
}
}
if (counter1 > 1)
{
huh += ("\n " + dataTable[x][y] + " repeats " + counter1 + " times!");
}
counter1=1;
}
}
基本上这是有效的,它将我的数组中的每个数字与包括其自身在内的所有其他数字进行比较(但是if语句使它不能自我计数)。基本上我需要输出来陈述像
这样简单的东西The number 3 repeats 3 times
然而,对于我的设置工作方式,它会在每次比较数组中每个位置的数字3时向字符串添加相同的语句。那么我的方法是否正确,只需要一些调整?或者完全错了,我需要一些完全不同的东西?我只是在我大学的初学者编程课程中,所以我们到目前为止只知道java的基础知识,如数组,循环和其他一些东西。
答案 0 :(得分:1)
我认为最好的方法是保持跟踪数字频率的Map<Integer, Integer>
(即它将数组中的每个数字映射到它出现的次数)。循环遍历整个数组并相应地更新此映射并不困难。你现在正在做什么似乎方式比它真正需要的更复杂(在我看来)。
为什么使用 4 for-loops?也许我误解了你的特定代码的目的,但是你应该只需要两个循环遍历2D数组(并最终计算数字频率):
for (int[] a : array)
for (int i : a)
// do something
相关文件:
答案 1 :(得分:1)
只需将此数组转换为Map<Integer, Integer>
,然后将其打印出来,如下所示:
public static void main(String[] args) throws Exception {
final int[][] dataTable = new int[][] {
new int[] {0, 1, 2, 1},
new int[] {0, 1, 3, 1},
new int[] {0, 1, 2, 2},
new int[] {0, 1, 2, 0}
};
final Map<Integer, Integer> map = new HashMap<Integer, Integer> ();
for (int i = 0; i < 4; i++) {
for (int j = 0; j < 4; j++) {
final int value = dataTable[i][j];
final Integer currentCount = map.get(value);
final Integer newCount;
if (currentCount == null) {
newCount = 1;
}
else {
newCount = currentCount + 1;
}
map.put (value, newCount);
}
}
for (final Map.Entry<Integer, Integer> entry : map.entrySet()) {
System.out.println(String.format ("The number %d repeats %d times", entry.getKey(), entry.getValue()));
}
}
Here您可以找到结果。
答案 2 :(得分:0)
最普遍的解决方案是使用地图,正如其他人所建议的那样。但是,如果数组值在相对较小的范围内,则可以使用数组而不是地图。如果min
(最多)是数组中的最小值,max
是(至少)最大值:
public int[] getFrequencyMap(int[][] array, int min, int max) {
int[] map = new int[max - min + 1];
for (int[] row : array) {
for (int val : row) {
map[val - min]++;
}
}
return map;
}
在返回的数组中,索引val - min
处的值将是值val
在数组中出现的次数。
答案 3 :(得分:0)
你可以有一个n * n行和2列的数组:
/*being n the number of rows/columns*/
int count[]][] = new int[n*n][2];
for (int i = 0; i < dataTable.length; i++) {
for (int k = 0; k < dataTable.length; k++) {
/*this loop finds the position in which it should go*/
for (int h = 0; h < n*n; h++) {
if (count[h][0] == dataTable[i][k]) {
break;
}
/*Assuming that '0' is not a possible number in dataTable, use '-1' or a number that */
if (count[h][0] == 0) {
break;
}
}
count[h][0] = dataTable[i][k];
count[h][1]++;
}
}