如何在D中创建2D数组?

时间:2012-01-06 09:10:46

标签: d phobos

这应该很简单,但事实并非如此。

import std.container, std.stdio;

void main(){

  alias Array!double _1D;
  alias Array!_1D _2D;

  _1D a = _1D();
  _2D b = _2D();
  a.insert(1.2);
  a.insert(2.2);
  a.insert(4.2);
  b.insert(a);
  writeln(b[0][]);  // prints [1.2, 2.2, 4.2], then throws exception

  _2D c = _2D();
  c.insert(_1D());
  c[0].insert(3.3);
  c[0].insert(2.2);
  c[0].insert(7.7);
  writeln(c[0][]);  // prints []
}

1 个答案:

答案 0 :(得分:2)

this question提到的另一种方法是预先声明动态数组的大小,如下所示:

auto matrix = new double[][](3, 2);  // elements can be appended/removed

虽然有多种不同的方法可以做,这取决于你想要添加元素的任意方式。你当然希望选择最适合你程序的风格,但这里有一些可能性:

double[][] matrix = [[1.1, 1.2], [2.3, 2.4], [3.5, 3.6]];

double[][] matrix;
matrix ~= [1.1, 1.2];
matrix ~= [2.3, 2.4];
matrix ~= [3.5];
matrix[2] ~= 3.6;

double[][] matrix = new double[][](1,0);
matrix[0].length = 2;
matrix[0][0] = 1.1;
matrix[0][1] = 1.2;

++matrix.length;
matrix[1] ~= 2.3;
matrix[1] ~= 2.4;

matrix ~= new double[](0);
matrix[$-1] ~= [3.5, 3.6];

最后,如果你知道数组在编译时的大小并且它不会改变,你可以创建一个静态数组:

double[2][3] staticMatrix;            // size cannot be changed

这些都使用自然的内置数组机制。您是否需要使用Array容器类?