123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596 |
- class Game {
- #colorsBank = ['black','silver','gray','maroon','red','purple','fuchsia','green','lime','olive','yellow','navy','blue','teal','aqua'];
-
- constructor(nbTubes, tubeLevel)
- {
- this.tubes = [];
- this.selectedTube = null;
- this.isCompleted = false;
-
- for (let i = 0; i < nbTubes; i++)
- {
- this.tubes.push(new Tube(tubeLevel));
- }
-
- this.initializeColorTubes(tubeLevel);
- }
-
- /* The goal is to have each tube filled with its own color. Thus, there
- is (tubes minus one) different colors divided in (tubeLevel) layers
- mixed in the tubes.
- One tube is empty to allow movement.
- */
- initializeColorTubes(tubeLevel)
- {
- let nbTubes = this.tubes.length - 1;
- let allColors = [];
-
- for (let i = 0; i < nbTubes; i++)
- {
- let coloridx = i % this.#colorsBank.length;
- for (let times = 0; times < tubeLevel-1; times++)
- {
- allColors.push(this.#colorsBank[coloridx]);
- }
- }
-
- for (let i = allColors.length - 1; i > 0; i--) {
- let j = Math.floor(Math.random() * (i + 1));
- let temp = allColors[i];
- allColors[i] = allColors[j];
- allColors[j] = temp;
- }
-
- for (let index = 0; index < allColors.length; index++)
- {
- let tubeIndex = Math.floor(index/(tubeLevel-1));
- this.tubes[tubeIndex].addColorLayer(allColors[index]);
- }
- }
-
- selectTube(tubeId)
- {
- let newSelectedTube = this.tubes[tubeId];
-
- if (this.selectedTube == newSelectedTube)
- this.selectedTube = null;
- else if (this.canPourInto(this.selectedTube, newSelectedTube))
- this.pourColorInto(this.selectedTube, newSelectedTube);
- else if (!newSelectedTube.isEmpty())
- this.selectedTube = newSelectedTube;
- }
-
- canPourInto(sourceTube, targetTube)
- {
- return sourceTube != null && targetTube != null
- && sourceTube != targetTube
- && !targetTube.isComplete()
- && (targetTube.isEmpty() || sourceTube.peekTopColor() == targetTube.peekTopColor())
- && !targetTube.isFull();
- }
-
- pourColorInto(sourceTube, targetTube)
- {
- while (this.canPourInto(sourceTube, targetTube))
- {
- targetTube.addColorLayer(sourceTube.removeColorLayer());
- }
-
- this.checkTubeCompletion(targetTube);
- }
-
- checkTubeCompletion(tube)
- {
- if (tube.isComplete())
- {
- this.checkGameCompletion();
- }
- }
-
- checkGameCompletion()
- {
- this.isCompleted = this.tubes.every(
- tube => tube.isComplete() || tube.isEmpty()
- );
- }
- }
|