-
Notifications
You must be signed in to change notification settings - Fork 0
/
dominoTilingSolver-BigInt.js
90 lines (75 loc) · 2.21 KB
/
dominoTilingSolver-BigInt.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
const { parseArgs } = require('./helpers');
function canSkipTwoBits(colIndex, colCount, currentMask, currentBit, nextBit) {
return (
colIndex + 1 < colCount &&
!(currentMask & currentBit) &&
!(currentMask & nextBit)
);
}
function searchTileArrangements(params) {
const {
tilingMatrix,
rowCount,
colCount,
rowIndex,
colIndex,
currentMask,
nextMask,
} = params;
if (rowIndex === rowCount) {
return;
}
if (colIndex >= colCount) {
tilingMatrix[rowIndex + 1][nextMask] += tilingMatrix[rowIndex][currentMask];
return;
}
const currentBit = BigInt(1) << BigInt(colIndex);
const nextBit = BigInt(1) << BigInt(colIndex + 1);
currentMask & currentBit
? searchTileArrangements({ ...params, colIndex: colIndex + 1 })
: searchTileArrangements({
...params,
colIndex: colIndex + 1,
nextMask: nextMask | currentBit,
});
if (canSkipTwoBits(colIndex, colCount, currentMask, currentBit, nextBit)) {
searchTileArrangements({ ...params, colIndex: colIndex + 2 });
}
}
function createInitialTilingMatrix(rowCount, colCount) {
return Array.from({ length: rowCount + 1 }, () =>
new Array(1 << colCount).fill(BigInt(0)),
);
}
function calculateTotalTilingCombinations({ rowCount, colCount }) {
const tilingMatrix = createInitialTilingMatrix(rowCount, colCount);
tilingMatrix[0][0] = BigInt(1);
for (let rowIndex = 0; rowIndex < rowCount; ++rowIndex) {
for (let currentMask = 0; currentMask < 1 << colCount; ++currentMask) {
searchTileArrangements({
tilingMatrix,
rowCount,
colCount,
rowIndex,
colIndex: 0,
currentMask: BigInt(currentMask),
nextMask: BigInt(0),
});
}
}
return tilingMatrix[rowCount][0];
}
function __main__() {
const argsSchema = { '-r': 'rowCount', '-c': 'colCount' };
const options = parseArgs(process.argv.slice(2), argsSchema);
if (!options.rowCount || !options.colCount) {
console.error(
'Usage: node dominoTilingSolver-BigInt.js -r <rowCount> -c <colCount>',
);
process.exit(1);
}
const result = calculateTotalTilingCombinations(options);
console.log(result.toString());
process.exit(0);
}
__main__();