如何迭代n维数组(n未知)?
我已经找到了c++的结果,其中一个会简单地通过数组的内存区域运行,但我不知道我是否可以在JAVA中做到这一点。
我在别的地方发现了这个。对于你的问题,这是一个很好的递归解决方案:
interface Callback {
void visit(int[] p); // n-dimensional point
}
void visit(int[] bounds, int currentDimension, int[] p, Callback c) {
for (int i = 0; i < bounds[currentDimension]; i++) {
p[currentDimension] = i;
if (currentDimension == p.length - 1) c.visit(p);
else visit(bounds, currentDimension + 1, p, c);
}
}
visit(new int[] {10, 10, 10}, 0, new int[3], new Callback() {
public void visit(int[] p) {
System.out.println(Arrays.toString(p));
}
});
这可以满足您的需求:
public interface ElementProcessor {
void process(Object e);
}
public static void iterate(Object o, ElementProcessor p) {
int n = Array.getLength(o);
for (int i = 0; i < n; i++) {
Object e = Array.get(o, i);
if (e != null && e.getClass().isArray()) {
iterate(e, p);
} else {
p.process(e);
}
}
}
当调用
时:// the process method will be called on each element of the n-dimensional
ElementProcessor p = new ElementProcessor() {
@Override
public void process(Object e) {
// simply log for example
System.out.println(e);
}
};
int[] a1 = new int[] { 1, 2 };
int[][] a2 = new int[][] { new int[] { 3, 4 }, new int[] { 5, 6 } };
iterate(a1, p);
iterate(a2, p);
这个打印:
1
2
3
4
5
6
在C/c++中,多维数组(int[][]
)在内存中以平面方式表示,索引操作符被转换为指针算术。这就是为什么在这些语言中这样做是容易和直接的。
然而,这不是Java中的情况,多维数组是数组的数组。由于类型是严格检查的,因此在数组的数组中进行索引将产生数组类型,而不是内部数组所包含的类型。
所以要回答这个问题:不,在Java中不能像在C/c++中那样简单
要做到这一点,请参阅其他答案。: -)