在此先感谢您的帮助。我是Java的新手,在处理2D整数数组的行时遇到了困难。我搜索了这个论坛和其他足智多谋的地方,但是没有什么足够的帮助。
以下是数组元素:
1 2 3 4
4 9 17 26
2 4 6 8
1 3 5 7
9 12 32 33
4 8 10 16
3 7 9 21
10 11 12 13
这是我的错误代码:
for (int row=0; row<list.length; row++) {
for (int col=0; col<list[row].length; col++) {
if (list[row][0] + 1 != list[row][1] &&
list[row][1] + 1 != list[row][2] &&
list[row][2] + 1 != list[row][3]) {
System.out.print(list[row][col] + " ");
}
}
System.out.println()
我需要一个代码,可以测试和打印其元素不连续递增1的数组行,例如1 2 3 4和10 11 12 13,假设您不知道该元素的值。数组。
答案 0 :(得分:1)
您可以遍历整列,比较每个值,并使用布尔值来跟踪它们是否连续递增。像这样:
boolean rowIsConsecutive;
int previousValue;
for (int row = 0; row<list.length; row++)
{
rowIsConsecutive = true;
previousValue = list[row][0]; // This will blow up with a 1D array. Just wrote it like this for readability.
for (int col = 1; col<list[row].length && rowIsConsecutive; col++)
{
if (list[row][col] == previousValue + 1)
{
previousValue = list[row][col];
}
else
{
rowIsConsecutive = false;
}
}
if (rowIsConsecutive)
{
System.out.println(Arrays.toString(list[row]));
}
}
免责声明:我没有对此进行测试,但是遵循这些原则的东西应该可以工作。我将它留给您,以提出更高效的方法:)