我正在尝试从网络上名为CABAL的mmorpg在线游戏中复制库存,游戏的库存如下:
基本上,库存有4个选项卡,每个选项卡都有8x8,因此每个选项卡上有64个单元格,总共256个,但每个选项卡上的索引从0到63开始,总数从0到255。 / p>
正如你可以看到一些物品占1:1(rowspan:colspan)约2:2,有些甚至可能是2:6,例如一件军装,无论如何,重点是我试过here复制为最好尽我所能,虽然我设法只制作一个标签。
function createCells(rows, cols) {
var cells = {},
x = 0,
startRow = 0,
endRow = 0;
for (var i = 0; i < rows; i++) {
cells[i] = {};
for (var j = 0; j < cols; j++) {
cells[i][j] = { id: "e" + x };
if (angular.isDefined(items[x])) {
cells[i][j] = items[x];
if (items[x].colspan > 1 && items[x].rowspan > 1) {
startRow = x % rows;
endRow = parseInt(x / cols, 10) + items[x].rowspan;
console.log(j);
console.log("Start column " + startRow + " end rowspan " + endRow + " x = " + x);
}
// console.log();
// if (j >= 5 && j <= 8) {
// x += j;
// }
}
if (!angular.equals(cells[i][j], {})) {
console.log(cells[i][j]);
}
x++;
}
}
return cells;
}
那么问题是,如果一个项目占用了大于1的rowspan和colspan,它会推动其他单元格,我需要将它们删除(e7,e14,e15,e39,e46,e47,e54,e55,e62,e63 )。我需要循环根据作为库存的项目rowspan和colspan自动计算。 var items 中的项目是api响应的示例,因此3,6,12,240,105是标签1的项目。
所以任何人都可以帮助我?我被困了好几天了。
答案 0 :(得分:2)
如果你不介意改变一个小方法,你可以试试这个:
row
和col
组合现在,您有一张所有被阻止(即非空)单元格的地图。在createCells
循环中,您可以使用此地图来确定是否需要占位符。每个细胞现在有三种情况:
以下是我的表现:
function createCells(rows, cols) {
var cells = {};
// Create an object that holds all cell codes blocked by an item
var itemMap = Object.keys(items).reduce(function(map, key) {
var item = items[key],
cStart = item.slot % cols,
rStart = Math.floor(item.slot / cols)
for (var c = 0; c < item.colspan; c += 1) {
for (var r = 0; r < item.rowspan; r += 1) {
map[(r + rStart) + ";" + (c + cStart)] = item;
}
}
return map;
}, {});
var currentNr;
for (var i = 0; i < rows; i++) {
cells[i] = {};
for (var j = 0; j < cols; j++) {
currentNr = i * cols + j;
// If there's an item with this slot, place it
if (items[currentNr]) {
// Add item
cells[i][j] = items[currentNr];
} else if (itemMap[i + ";" + j]) { // The item isn't in the exact spot, but blocks it
// Block square, do nothing
} else {
// Add empty square
cells[i][j] = {
id: "e" + currentNr
}
}
}
}
return cells;
}
在一个工作小提琴中:http://jsfiddle.net/q1ba3x4h/