我想实现二维数组。
哪种数据结构最适合这种情况?数组或其他数据结构都可以。如果有任何其他数据结构符合我的要求,请告诉我。
我不想使用数组,因为需要在程序的早期声明二维数组,但它不是固定的;大小将在运行时确定。
此外,行数将等于列数;这是固定的,因为行和列都将使用相同的名称。
我也希望像通过Map一样遍历这个二维数据结构。
答案 0 :(得分:6)
听起来您想要使用行键,col键,然后使用该位置的值。没有内置的数据结构可以帮助你。
最简单的使用方法可能是实际数据的二维数组。使用以下内容从行或列名称到数组中的实际索引。根据需要添加任意数量的名称到索引绑定。
Map<String, Integer> rows = new HashMap<String, Integer>();
Map<String, Integer> cols = new HashMap<String, Integer>();
然后在网格中获取该值......
grid[rows.get("Row name")][cols.get("Column name")];
如果您想要更干净的API,请将网格和get(String rowName, String colName)
方法放在类中。
编辑:我看到问题已经更新,看起来行和列的名称到索引对是相同的。所以这是一个更新版本:
class SquareMap<V> {
private V[][] grid;
private Map<String, Integer> indexes;
public SquareMap(int size) {
grid = (V[][]) new Object[size][size];
indexes = new HashMap<String, Integer>();
}
public void setIndex(String name, int index) {
indexes.put(name, index);
}
public void set(String row, String col, V value) {
grid[indexes.get(row)][indexes.get(col)] = value;
}
public V get(String row, String col) {
return grid[indexes.get(row)][indexes.get(col)];
}
}
答案 1 :(得分:1)
(根据评论编辑)
如果在运行时确定的大小不是问题。这可能有效:
final int[][] data;
final int size;
final Map<String, Integer> names;
// code that sets the size variable
names = new HashMap<String, Integer>();
data = new int[size][size];
names.put("ID-A", 0);
names.put("ID-B", 1);
data[names.get("ID-A")][names.get("ID-A")] = 39;
data[names.get("ID-A")][names.get("ID-B")] = 40;
data[names.get("ID-B")][names.get("ID-A")] = 41;
data[names.get("ID-B")][names.get("ID-B")] = 42;
答案 2 :(得分:0)
阵列可以在运行时调整大小。如果您的行/列大小不会经常变化,并且数据不是太稀疏,那么数组是您最好的选择。
class TwoDimArray {
public int[][] createArray(int nRows, int nCols) {
return new int[nRows][nCols];
}
public int[][] resizeArray(int[][] oldArray, int nRows, int nCols) {
int[][] newArray = new int[nRows][nCols];
for (int i=0; i<Math.min(oldArray.length, nRows); ++i)
for (int j=0; j<Math.min(oldArray[i].length, nCols); ++j)
newArray[i][j] = oldArray[i][j];
return newArray;
}
}
答案 3 :(得分:0)
你可以使用像
这样的地图class TwoDArray<V> implements Iterable<Map.Entry<Point, V>> {
private final Map<Point, V> map = new LinkedHashMap<Point, V>();
public V set(int x, int y, V value) {
return map.put(new Point(x,y), value);
}
public V get(int x, int y) {
return map.get(new Point(x, y));
}
public Iterator<Map.Entry<Point, V>> iterator() {
return map.entrySet().iterator();
}
}
// to iterate
TwoDArray<Double> twoDArray = new TwoDArray();
twoDArray.set(3, 5, 56.0);
twoDArray.set(-1000, 5, 123.4);
twoDArray.set(789012345, -100000000, -156.9);
for(Map.Entry<Point, Double> entry: twoDArray) {
//
}