Immutable.js:表示2D游戏领域的数据结构

时间:2016-04-13 16:09:30

标签: javascript immutability immutable.js

我想知道我应该使用什么数据结构来表示方形游戏板(考虑每个单元格可以有一些颜色)。最自然的想法是二维列表,但查询和更改它很难。

所以,现在使用一个地图,其中键是${x}.${y}(JS :()中没有元组,值是表示颜色的stings 像这样:

Map([['0.0', 'red'], ['0.1', 'red'], ['1.0', 'blue'], ['1.1', 'red']])

使用这样的数据结构是否可以?在Immutable.js方面有没有更好的解决方案?

3 个答案:

答案 0 :(得分:5)

我正在制作一些我自己的2D游戏板,我遇到了同样的问题。我所做的解决方案是Record

它看起来像一个物体,也表现得像一个物体。但是对于vanilla对象,你不能做以下映射字典的事情。

const dict = {};

const key1 = { row: 0, col: 1 };
const value1 = { some: 'value' };

dict[key1] = value; // will not work

这就是我想要的,我试图让映射尽可能简单。使用 Immutable.js 中的RecordMap,您可以执行以下操作。

import { Map, Record } from 'immutable';

const dict = Map();
const Pos = Record({ row: 0, col: 0 }); // some initial value.
const Val = Record({ some: 'value' }); // same here.

const key1 = new Pos({ row: 0, col: 1 });
const value1 = new Val({ some: 'value' });

dict = dict.set(key1, value1); // works like you wish

您可以阅读官方文档以获取更多信息。也许你有更好的解决方案,请告诉我:)。

答案 1 :(得分:0)

有没有理由不能像这样使用二维数组:

let square = [
    ['red', 'green', 'blue'],
    ['orange', 'red', 'blue'],
    ['red', 'blue', 'blue']
];

然后,您可以将上述数据结构添加到地图中。

因此,要访问中间磁贴,您只需使用数组的[1][1]索引即可。

答案 2 :(得分:0)

我很好奇为什么你认为列表列表很难查询和更改。您可以将长度为2的数组用作[x, y]对,并将其传递给getInsetInupdateIn方法。

let grid = Immutable.toJS([
    ['red', 'green'],
    ['blue', 'yellow']
]);

grid.getIn([0, 1]); // => 'green';
grid = grid.setIn([0, 1], 'purple');
grid.getIn([0, 1]); // => 'purple';
grid = grid.updateIn([0, 0], cell => cell.toUpperCase());
grid.getIn([0, 0]); // => 'RED';

使用map(...)

将一些函数应用于网格中的每个单元格都很容易
grid.map((row, x) => row.map(cell, y) => x + cell + y);
grid.get([1, 1]); // => '1yellow1'

可能比使用Map更棘手的一件事是尝试查找值的坐标。

const x = grid.findIndex(row => row.contains('blue')); // => 1
const y = grid.get(x).indexOf('blue'); // => 0
grid.get([x, y]); // => blue