Как сериализовать и десериализовать 2D матрицу? - PullRequest
0 голосов
/ 26 января 2020

У меня есть класс матрицы, к которому я хочу добавить методы сериализации и десериализации.

А вот реализация, которую я до сих пор пробовал.


  // serialize
  Map<String, dynamic> toJson() {
    return {
      'rows': rows,
      'cols': cols,
      'matrix': matrix,
    };
  }

  // deserialize
  Matrix.fromJson(Map<String, dynamic> json) {
    this.rows = json['rows'];
    this.cols = json['cols'];
    var mat = json['matrix'];
    //this.matrix = (jsonMap['matrix'] as List).map((i) => Matrix.fromJson(i)).toList();
    //this.matrix = List<List<double>>.from((mat) => List<double>.from(i));
    List<double> mapper(m) {
      var x = List<double>.from(m);
      print(x.runtimeType);
      return x;
    }
    print(json['matrix'].map(mapper).toList().runtimeType);
  }

  static String serialize(Matrix mat) {
    return jsonEncode(mat);
  }

  static Matrix deserialize(String jsonString) {
    Map mat = jsonDecode(jsonString);
    var result = Matrix.fromJson(mat);
    return result;
  }

В приведенной выше функции fromJson он не может определить тип возвращаемого значения как List<List<double>>, и вместо этого он обнаруживает его как List<dynamic> из-за этого я не могу установить его значение в матрице.

РЕДАКТИРОВАТЬ: я добавил голое костная версия моего Matrix класса ниже.

// Matrix Class
class Matrix {
  int rows;
  int cols;
  List<List<double>> matrix;

  Matrix(int rows, int cols) {
    this.rows = rows;
    this.cols = cols;
    this.matrix = List.generate(rows, (_) => List(cols));
    this.ones();
  }

  Matrix ones() {
    for(int i = 0; i < rows; i++) {
      for(int j = 0; j < cols; j++) {
        matrix[i][j] = 1.0;
      }
    }
    return this;
  }
}

РЕДАКТИРОВАТЬ 2: Сериализованный json выглядит так,

{
  "rows": 3,
  "cols": 2,
  "matrix": [
    [-0.659761529168694, -0.3484637091350998],
    [7.24485752819742, 7.197552403928113],
    [5.551818494659232, 5.600521388162702]
  ]
}

1 Ответ

1 голос
/ 26 января 2020

Попробуйте это

factory Matrix.fromJson(Map<String, dynamic> json) => Matrix(
    rows: json["rows"],
    cols: json["cols"],
    matrix: List<List<double>>.from(json["matrix"].map((x) => List<double>.from(x.map((x) => x.toDouble())))),
);

Map<String, dynamic> toJson() => {
    "rows": rows,
    "cols": cols,
    "matrix": List<dynamic>.from(matrix.map((x) => List<dynamic>.from(x.map((x) => x)))),
};
...