如何迭代n维数组( n 未知)?
我已经找到了C ++的结果,其中一个只是运行数组的内存区域,但我不知道我是否可以在JAVA中执行此操作。
答案 0 :(得分:2)
我在其他地方找到了这个。这是一个相当不错的递归解决方案:
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));
}
});
答案 1 :(得分:2)
这可能符合您的需求:
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
答案 2 :(得分:1)
在C / C ++中,多维数组(int[][]
)在内存中以平面方式表示,索引操作符被转换为指针算术。这就是为什么用这些语言做到这一点很简单直接。
然而,这不是Java中的情况,多维数组是数组的数组。在严格检查类型时,数组数组中的索引会产生数组类型,而不是内部数组包含的类型。
所以回答这个问题:不,你不能像在C / C ++中那样在Java中做到这一点
要做到这一点,请参阅其他答案..: - )