Code edit (6 edits merged)
Please save this source code
User prompt
The miner is still not animating. whats wrong?
User prompt
Please fix the bug: 'Cannot read properties of undefined (reading 'x')' in or related to this line: 'miner.lastX = miner.x;' Line Number: 822
User prompt
fix it
User prompt
The miner is always in miner_step_1 and never changes. make it so when the miner is moving to an ore he cycles through the animations miner_step_1 and miner_step_2
Code edit (4 edits merged)
Please save this source code
User prompt
Ensure the miner_swing_2 is displayed while mining during the mining animation
User prompt
The miners miner_swing_2 asset is not displaying properly
User prompt
Do that ↪💡 Consider importing and using the following plugins: @upit/tween.v1
Code edit (1 edits merged)
Please save this source code
User prompt
Please fix the bug: 'Uncaught TypeError: setTimeout is not a function' in or related to this line: 'compositeTimer = setTimeout(function () {' Line Number: 3323
Code edit (1 edits merged)
Please save this source code
/**** * Plugins ****/ var tween = LK.import("@upit/tween.v1"); var storage = LK.import("@upit/storage.v1"); /**** * Classes ****/ /**** * CLASSES ****/ /** Cluster – spawns multiple ore objects. **/ var Cluster = Container.expand(function (type) { var self = Container.call(this); self.type = type; self.oreList = []; self.zIndex = 0; // Use the helper to generate a valid spawn position (avoiding UI areas) var center = getValidClusterCenter(); self.x = center.x; self.y = center.y; var cc = gameState.clusterConfig; var count = randomInt(cc.min, cc.max); for (var i = 0; i < count; i++) { var ore = new Ore(type, self); ore.x = (Math.random() - 0.5) * 120; ore.y = (Math.random() - 0.5) * 120; self.oreList.push(ore); self.addChild(ore); } // Modified: Increment ore mined for each ore (not once per cluster) self.notifyOreDestroyed = function (ore) { var idx = self.oreList.indexOf(ore); if (idx >= 0) { self.oreList.splice(idx, 1); } ore.destroy(); // Increment individual ore mined stat here. gameState.oreMined[type] = (gameState.oreMined[type] || 0) + 1; if (self.oreList.length === 0) { if (self.parent) { self.parent.removeChild(self); } var cidx = clusters.indexOf(self); if (cidx >= 0) { clusters.splice(cidx, 1); } gameState.clusterCount[type]--; var finalDelay = gameState.respawnTime; if (type === 'coal') { finalDelay *= 2; } LK.setTimeout(function () { maybeSpawnCluster(type); }, finalDelay); } }; return self; }); /** Drone – moves and zaps ores. **/ var Drone = Container.expand(function () { var self = Container.call(this); self.droneSprite = LK.getAsset('drone_asset', { anchorX: 0.5, anchorY: 0.5 }); self.addChild(self.droneSprite); self.AOE_RANGE = 150; self.droneDamage = 2; self.COOLDOWN_MAX = 60; self.cooldown = 0; var SPEED = 8, MIN_X = 50, MAX_X = 2000, MIN_Y = 50, MAX_Y = 2682; self.vx = Math.random() < 0.5 ? SPEED : -SPEED; self.vy = Math.random() < 0.5 ? SPEED : -SPEED; self.updateDrone = function () { self.x += self.vx; self.y += self.vy; if (self.x < MIN_X || self.x > MAX_X) { self.vx = -self.vx; } if (self.y < MIN_Y || self.y > MAX_Y) { self.vy = -self.vy; } if (Math.random() < 0.01) { self.vx += (Math.random() - 0.5) * 2; self.vy += (Math.random() - 0.5) * 2; var speed = Math.sqrt(self.vx * self.vx + self.vy * self.vy); if (speed > SPEED) { self.vx = self.vx / speed * SPEED; self.vy = self.vy / speed * SPEED; } } self.droneSprite.rotation += 0.1; if (self.cooldown > 0) { self.cooldown--; } else { self.tryZap(); } }; self.tryZap = function () { var hitSomething = false; clusters.forEach(function (cluster) { cluster.oreList.forEach(function (ore) { if (ore.health > 0) { var oreGlobalX = cluster.x + ore.x, oreGlobalY = cluster.y + ore.y; var dx = self.x - oreGlobalX, dy = self.y - oreGlobalY; var dist = Math.sqrt(dx * dx + dy * dy); if (dist < self.AOE_RANGE) { var damage = self.droneDamage; var actualDamage = Math.min(damage, ore.health); var fraction = actualDamage / ore.maxHealth; var reward = Math.round(fraction * ore.getValue()); if (ore.awardedMoney + reward > ore.getValue()) { reward = ore.getValue() - ore.awardedMoney; } ore.awardedMoney += reward; gameState.money += reward; gameState.totalMoneyEarned += reward; updateUI(); ore.health -= actualDamage; hitSomething = true; spawnDroneAOE(ore); if (ore.health <= 0) { ore.cluster.notifyOreDestroyed(ore); spawnMiningParticles(ore, 5); } else { spawnMiningParticles(ore, 2); } // Show floating text for drone hit (red) showFloatingText(reward, 0xFF0000); } } }); }); if (hitSomething) { LK.getSound('drone_shot').play(); self.cooldown = self.COOLDOWN_MAX; } }; return self; }); /** Miner – moves toward and mines the nearest ore. **/ var Miner = Container.expand(function () { var self = Container.call(this); // Set a higher zIndex so that the miner is drawn above ore clusters. self.zIndex = 100; self.speed = 5; self.currentTarget = null; self.currentSprite = null; self.stepIndex = 0; self.animationFrame = 0; self.swingFrame = 0; self.facingRight = true; // Initialize facing right (default) self.lastFacingRight = true; // Track the last facing direction self.ANIMATION_SPEED = 18; // Lower = faster animation self.SWING_ANIM_SPEED = 18; // Mining animation speed // Increase the mining range so the miner stops farther from the ore. self.miningRange = 50; self.miningCooldown = 0; self.miningRate = 60; self.miningDamage = 1; self.originalMiningRate = self.miningRate; self.originalMiningDamage = self.miningDamage; self.speedBoostMultiplier = 1; self.speedBoostTimer = 0; self.soulEmberStacks = 0; self.quantumPathActive = false; self.quantumPath = []; self.quantumShardValueBonus = false; self.hyperMiningActive = false; self.hyperMiningTimer = 0; self.minerState = 'idle'; // Added miner state: 'idle', 'walking', 'mining' self.zIndex = 100; // ======= ANIMATION SYSTEM ======= self.setSprite = function (state, mirror) { var assetId; switch (state) { case 'step1': assetId = 'miner_step_1'; break; case 'step2': assetId = 'miner_step_2'; break; case 'swing1': assetId = 'miner_swing_1'; break; case 'swing2': assetId = 'miner_swing_2'; break; default: assetId = 'miner'; // idle } if (!self.currentSprite) { // If no sprite exists yet, create it self.currentSprite = LK.getAsset(assetId, { anchorX: 0.5, anchorY: 0.5 }); self.addChild(self.currentSprite); // Add to container only once } else { // Otherwise, just update the existing sprite's asset self.currentSprite.asset = LK.getAsset(assetId, { anchorX: 0.5, anchorY: 0.5 }).asset; // Directly assign the new asset } // Mirror handling: mirror based on 'mirror' parameter self.currentSprite.scale.x = mirror ? -1 : 1; }; // Update method (modified to account for pause and special effects) self.update = function () { if (self.hyperMiningActive) { self.hyperMiningTimer--; if (self.hyperMiningTimer <= 0) { self.miningDamage = self.originalMiningDamage; self.miningRate = self.originalMiningRate; self.hyperMiningActive = false; } } if (self.speedBoostTimer > 0) { self.speedBoostTimer--; if (self.speedBoostTimer <= 0) { self.speedBoostMultiplier = 1; } } self.findNewTarget(); if (self.currentTarget && self.currentTarget.parent) { var tx = self.currentTarget.parent.x + self.currentTarget.x, ty = self.currentTarget.parent.y + self.currentTarget.y; var dx = tx - self.x, dy = ty - self.y, dist = Math.sqrt(dx * dx + dy * dy); var finalSpeed = self.speed * self.speedBoostMultiplier; // ======= MOVEMENT ANIMATION & MINING ANIMATION ======= if (dist > self.miningRange) { self.minerState = 'walking'; // Set state to walking // -------- DIRECTION LOGIC for WALKING -------- var newFacingRight = dx >= 0; // true if dx is positive or zero (ore to the right or directly above/below) if (newFacingRight !== self.lastFacingRight) { // Only update facing direction if it changed self.facingRight = newFacingRight; self.lastFacingRight = newFacingRight; // Update last facing direction } // -------- END DIRECTION LOGIC -------- self.animationFrame++; if (self.animationFrame >= self.ANIMATION_SPEED) { self.animationFrame = 0; self.stepIndex = (self.stepIndex + 1) % 2; self.setSprite(self.stepIndex === 0 ? 'step1' : 'step2', !self.facingRight); // Mirror for left } // Actual movement self.x += dx / dist * finalSpeed; self.y += dy / dist * finalSpeed; } else { self.minerState = 'mining'; // Set state to mining when in range // -------- DIRECTION LOGIC for MINING -------- var oreGlobalX = tx; var newFacingRight = oreGlobalX >= self.x; // true if ore is to the right or directly above/below if (newFacingRight !== self.lastFacingRight) { // Only update if facing direction changed self.facingRight = newFacingRight; self.lastFacingRight = newFacingRight; // Update last facing direction } // -------- END DIRECTION LOGIC -------- // Mining animation is handled in mineOre, we just need to ensure idle sprite is not set here // No sprite change here, mining animation will be triggered by mineOre self.mineOre(self.currentTarget); } } else { self.minerState = 'idle'; // Set state to idle // Idle animation if (!self.currentSprite) { // ADDED THIS - Initialize sprite if null self.setSprite('idle', !self.facingRight); // Keep last facing direction for idle } if (self.currentSprite.name !== 'miner') { self.setSprite('idle', !self.facingRight); // Keep last facing direction for idle } if (typeof LK.time !== 'undefined') { self.y += Math.sin(LK.time.elapsed / 250) * 0.5; } } // ======= MINING ANIMATION (Continuous while mining) ======= if (self.minerState === 'mining') { self.animationFrame++; // Reuse animationFrame for swing animation if (self.animationFrame >= self.SWING_ANIM_SPEED) { self.animationFrame = 0; // Alternate swing sprites for continuous animation if (self.currentSprite.name === 'miner_swing_1') { self.setSprite('swing2', !self.facingRight); // Mirror based on facing direction } else { self.setSprite('swing1', !self.facingRight); // Mirror based on facing direction } } } else if (self.minerState !== 'walking') { // Ensure idle or walking sprites are shown when not mining if (self.minerState === 'idle' && self.currentSprite.name !== 'miner') { self.setSprite('idle', !self.facingRight); // Keep last facing direction for idle } else if (self.minerState === 'walking' && self.currentSprite.name !== 'miner_step_1' && self.currentSprite.name !== 'miner_step_2') { self.setSprite(self.stepIndex === 0 ? 'step1' : 'step2', !self.facingRight); // Mirror for left } } }; self.findNewTarget = function () { if (self.quantumPathActive && self.quantumPath.length > 0) { self.currentTarget = self.quantumPath[0]; if (!self.currentTarget || self.currentTarget.health <= 0) { self.quantumPath.shift(); if (self.quantumPath.length === 0) { self.quantumShardValueBonus = false; self.quantumPathActive = false; self.currentTarget = null; } return; } return; } var validOre = []; // Include ores from clusters clusters.forEach(function (c) { c.oreList.forEach(function (ore) { if (ore.health > 0 && (ore.tier <= gameState.currentTier || ore.type === "chronostone" || ore.type === "soulember" || ore.type === "quantumshard")) { validOre.push(ore); } }); }); // Also include special ores from the specialOres object for (var type in specialOres) { if (specialOres[type] && specialOres[type].children.length > 0) { var specialOre = specialOres[type].children[0]; if (specialOre.health > 0 && specialOre.parent) { validOre.push(specialOre); } } } if (validOre.length === 0) { self.currentTarget = null; return; } // Sort by distance and select the closest target. self.currentTarget = validOre.sort(function (a, b) { var aX = a.parent.x + a.x, aY = a.parent.y + a.y; var bX = b.parent.x + b.x, bY = b.parent.y + b.y; return Math.hypot(aX - self.x, aY - self.y) - Math.hypot(bX - self.x, bY - self.y); })[0]; }; // Modified mineOre to account for soul ember boost. self.mineOre = function (ore) { if (self.miningCooldown > 0) { self.miningCooldown--; return; } // -------- MINING ANIMATION TRIGGER and DIRECTION DURING MINING -------- // var oreGlobalX = ore.parent.x + ore.x; // No longer needed here, direction already set in update // self.setSprite('swing1', oreGlobalX < self.x); // Direction already set in update, just set sprite self.setSprite('swing1', !self.facingRight); // Use current facing direction for swing // -------- END ANIMATION TRIGGER -------- var damageDealt = self.miningDamage * gameState.pickaxeLevel * (gameState.pickaxeBaseMultiplier || 1); // If Soul Ember boost is active, double the damage and reward. if (soulEmberActive && soulEmberBoostCount > 0) { damageDealt *= 2; } var actualDamage = Math.min(damageDealt, ore.health); var fraction = actualDamage / ore.maxHealth; var rewardMultiplier = 1; if (soulEmberActive && soulEmberBoostCount > 0) { rewardMultiplier = 2; } var reward = Math.round(fraction * ore.getValue() * rewardMultiplier); if (ore.awardedMoney + reward > ore.getValue()) { reward = ore.getValue() - ore.awardedMoney; } ore.awardedMoney += reward; gameState.money += reward; gameState.totalMoneyEarned += reward; gameState.minerHitCount++; updateUI(); playMiningHitSound(ore.type); self.setSprite('swing2', !self.facingRight); // Show swing2 sprite right after sound, mirrored ore.health -= actualDamage; self.miningCooldown = self.miningRate; if (ore.health <= 0) { spawnMiningParticles(ore, 5); var destroySound = LK.getSound('ore_destroy_' + ore.type); if (destroySound) { destroySound.play(); } if (ore.type === "explosive" && ore.explode) { ore.explode(); } ore.cluster.notifyOreDestroyed(ore); // If Soul Ember boost is active, decrease its counter and show boosted floating text. if (soulEmberActive && soulEmberBoostCount > 0) { soulEmberBoostCount--; showFloatingText(reward, 0xFFD700); // Gold, bold floating text if (soulEmberBoostCount <= 0) { soulEmberActive = false; if (soulEmberOverlay && soulEmberOverlay.parent) { soulEmberOverlay.parent.removeChild(soulEmberOverlay); soulEmberOverlay.destroy(); soulEmberOverlay = null; } soulEmberBannerShown = false; } } else { // Normal floating text for miner hit (green) showFloatingText(reward, 0x00FF00); } // Trigger special ore effects if applicable. if (ore.type === "chronostone" && !chronostoneActive) { triggerChronostoneEffect(); } if (ore.type === "soulember" && !soulEmberActive) { triggerSoulEmberEffect(); } if (ore.type === "quantumshard" && !quantumShardActive) { triggerQuantumShardEffect(); } } }; self.applyChronostoneBoost = function () { self.speedBoostMultiplier *= 3; self.speedBoostTimer = 30 * 60; // 30 sec boost self.minerState = 'walking'; // Ensure walking animation starts if boosted while idle }; self.applySoulEmberBoost = function () { // (Deprecated – now handled in triggerSoulEmberEffect) }; self.triggerQuantumShardMode = function () { self.quantumShardValueBonus = true; self.quantumPathActive = true; self.quantumPath = []; game.pauseForQuantumSelection(); }; return self; }); /** MiniMiner – spawned by Quantum Shard effect **/ var MiniMiner = Container.expand(function (parentMiner) { var self = Container.call(this); // Create a new instance of the miner asset. var miniMinerSprite = LK.getAsset('miner', { anchorX: 0.5, anchorY: 0.5 }); // Manually set the scale to 0.5 (half size) miniMinerSprite.scale.x = 0.5; miniMinerSprite.scale.y = 0.5; // Ensure the asset is fully visible. miniMinerSprite.alpha = 1; self.addChild(miniMinerSprite); // Inherit some properties from the main miner. self.speed = parentMiner.speed * 1.2; self.miningDamage = parentMiner.miningDamage; self.miningRate = parentMiner.miningRate; self.currentTarget = null; self.update = function () { if (self.currentTarget && self.currentTarget.parent) { var tx = self.currentTarget.parent.x + self.currentTarget.x, ty = self.currentTarget.parent.y + self.currentTarget.y; var dx = tx - self.x, dy = ty - self.y, dist = Math.sqrt(dx * dx + dy * dy); if (dist > 25) { self.x += dx / dist * self.speed; self.y += dy / dist * self.speed; } else { self.currentTarget.health -= self.miningDamage; showFloatingText(Math.round(self.miningDamage), 0xFF69B4); if (self.currentTarget.health <= 0) { self.currentTarget.cluster.notifyOreDestroyed(self.currentTarget); self.currentTarget = null; } } } else { // Acquire a new target from ores that are still alive. var validOre = []; clusters.forEach(function (c) { c.oreList.forEach(function (ore) { if (ore.health > 0 && ore.parent) { validOre.push(ore); } }); }); if (validOre.length > 0) { self.currentTarget = validOre[Math.floor(Math.random() * validOre.length)]; } } }; return self; }); /** Ore – represents a single ore. **/ var Ore = Container.expand(function (type, cluster) { var self = Container.call(this); self.type = type; self.cluster = cluster; self.zIndex = 0; var typeList = ['coal', 'iron', 'gold', 'diamond', 'sapphire', 'emerald', 'ruby']; if (typeList.indexOf(type) >= 0) { self.tier = typeList.indexOf(type) + 1; } else { self.tier = 999; } self.baseValue = oreData[type].baseValue; self.maxHealth = oreData[type].baseHealth; self.health = self.maxHealth; self.attachAsset(oreData[type].assetId, { anchorX: 0.5, anchorY: 0.5 }); // Health bar using the new health_bar asset. self.healthBar = LK.getAsset('health_bar', { width: 120, height: 20, color: 0x00FF00, anchorX: 0.5, anchorY: 0.5 }); self.healthBar.x = 0; self.healthBar.y = -70; self.addChild(self.healthBar); self.awardedMoney = 0; self.lastTapTime = 0; self.interactive = true; self.buttonMode = true; self.down = function () { var currentTime = typeof LK.time !== 'undefined' ? LK.time.elapsed : Date.now(); if (currentTime - self.lastTapTime < 1) { return; } self.lastTapTime = currentTime; var hitSound = LK.getSound('mine_' + self.type); if (hitSound) { hitSound.play(); } var damage = gameState.tapDamage; var actualDamage = Math.min(damage, self.health); var fraction = actualDamage / self.maxHealth; var reward = Math.round(fraction * self.getValue()); if (self.awardedMoney + reward > self.getValue()) { reward = self.getValue() - self.awardedMoney; } self.awardedMoney += reward; gameState.money += reward; gameState.totalMoneyEarned += reward; gameState.tapCount++; updateUI(); self.health -= actualDamage; spawnMiningParticles(self, 2); // Always show blue floating text on tap showFloatingText(reward, 0x0000FF); // Then check if the ore is destroyed and trigger special effects if needed. if (self.health <= 0) { var destroySound = LK.getSound('ore_destroy_' + self.type); if (destroySound) { destroySound.play(); } if (self.type === "chronostone" && !chronostoneActive) { triggerChronostoneEffect(); } if (self.type === "soulember" && !soulEmberActive) { triggerSoulEmberEffect(); } if (self.type === "quantumshard" && !quantumShardActive) { triggerQuantumShardEffect(); } self.cluster.notifyOreDestroyed(self); } }; // If the ore is one of the special types, add a pulsing glow. if (["chronostone", "soulember", "quantumshard"].indexOf(type) >= 0) { var _pulseGlow2 = function _pulseGlow() { tween(glow, { alpha: 1 }, { duration: 1000, onFinish: function onFinish() { tween(glow, { alpha: 0.5 }, { duration: 1000, onFinish: _pulseGlow2 }); } }); }; var glow = LK.getAsset('glowing_line_asset', { anchorX: 0.5, anchorY: 0.5 }); glow.alpha = 0.5; self.addChildAt(glow, 0); _pulseGlow2(); } if (type === "explosive") { self.explode = function () { var explosionRadius = 100; clusters.forEach(function (cluster) { cluster.oreList.forEach(function (otherOre) { if (otherOre !== self && otherOre.health > 0) { var oreGlobalX = cluster.x + otherOre.x, oreGlobalY = cluster.y + otherOre.y; var dx = self.parent.x + self.x - oreGlobalX, dy = self.parent.y + self.y - oreGlobalY; var dist = Math.sqrt(dx * dx + dy * dy); if (dist < explosionRadius) { otherOre.health -= 50; if (otherOre.health <= 0) { var baseValue = otherOre.getValue(); gameState.money += baseValue; updateUI(); otherOre.cluster.notifyOreDestroyed(otherOre); spawnMiningParticles(otherOre, 5); } else { spawnMiningParticles(otherOre, 2); } } } }); }); screenShake(500, 10); }; } self.getValue = function () { var val = self.baseValue * gameState.oreMultipliers[self.type]; return Math.round(val / 2) * 2; }; return self; }); /** SingleOre – container for special ores that spawn individually **/ var SingleOre = Container.expand(function (type) { var self = Container.call(this); self.type = type; // Create the ore; pass this container as its cluster. var ore = new Ore(type, self); ore.x = 0; ore.y = 0; self.addChild(ore); // Custom notify function: when the single ore is destroyed, remove the container and clear the special ore reference. self.notifyOreDestroyed = function (ore) { ore.destroy(); gameState.oreMined[type] = (gameState.oreMined[type] || 0) + 1; if (self.parent) { self.parent.removeChild(self); } specialOres[type] = null; }; return self; }); /**** * Initialize Game ****/ /**** * INITIALIZE GAME ****/ var game = new LK.Game({ backgroundColor: 0x1a1a1a }); /**** * Game Code ****/ // Song 12 composite tracks // Song 11 composite tracks // Song 10 composite tracks // Song 9 composite tracks // Song 8 composite tracks // Song 7 composite tracks // Song 6 composite tracks // Song 5 composite tracks // Song 4 composite tracks // Song 3 composite tracks // Song 2 composite tracks // Song 1 composite tracks // Create global container layers: function _typeof3(o) { "@babel/helpers - typeof"; return _typeof3 = "function" == typeof Symbol && "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o && "function" == typeof Symbol && o.constructor === Symbol && o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof3(o); } var backgroundContainer = new Container(); var midgroundContainer = new Container(); var foregroundContainer = new Container(); // Add the layers to the game in proper order: game.addChild(backgroundContainer); game.addChild(midgroundContainer); game.addChild(foregroundContainer); var currentSong = null; var miningHitSounds = { coal: ['mine_coal_1', 'mine_coal_2', 'mine_coal_3'], iron: ['mine_iron1', 'mine_iron2', 'mine_iron3'], gold: ['mine_gold1', 'mine_gold2', 'mine_gold3'], diamond: ['mine_diamond1', 'mine_diamond2', 'mine_diamond3'], sapphire: ['mine_sapphire1', 'mine_sapphire2', 'mine_sapphire3'], emerald: ['mine_emerald1', 'mine_emerald2', 'mine_emerald3'], ruby: ['mine_ruby1', 'mine_ruby2', 'mine_ruby3'] }; // Global variables for composite song playback var currentPlaylist = null; var currentPlaylistIndex = 0; var compositeTimer = null; function playMiningHitSound(oreType) { var sounds = miningHitSounds[oreType]; if (sounds) { var index = Math.floor(Math.random() * sounds.length); var sound = LK.getSound(sounds[index]); if (sound) { sound.play(); } } } // Clear current game objects and show the load game screen. function resetEphemeralState() { // Reset clusters array and any ephemeral state clusters = []; specialOres = { chronostone: null, soulember: null, quantumshard: null }; // Reset the cluster counts so that the spawn logic works again. gameState.clusterCount = { coal: 0, iron: 0, gold: 0, diamond: 0, sapphire: 0, emerald: 0, ruby: 0, chronostone: 0, soulember: 0, quantumshard: 0 }; // (Reset other ephemeral arrays if needed) droneObjects = []; droneSprites = []; miniMiners = []; } // ================================ // CUSTOM SAVE/LOAD HELPERS // ================================ // Helper function to get a valid cluster center position // ================================ // JSON POLYFILL (if JSON is not defined) // ================================ function _typeof2(o) { "@babel/helpers - typeof"; return _typeof2 = "function" == typeof Symbol && "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o && "function" == typeof Symbol && o.constructor === Symbol && o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof2(o); } function customSerialize(obj) { function flatten(obj, prefix) { prefix = prefix || ""; var pairs = []; for (var k in obj) { if (obj.hasOwnProperty(k)) { var key = prefix ? prefix + "." + k : k; var value = obj[k]; if (value !== null && _typeof3(value) === "object") { if (Array.isArray(value)) { // If the array elements are objects, serialize each with an index. if (value.length > 0 && _typeof3(value[0]) === "object" && value[0] !== null) { for (var i = 0; i < value.length; i++) { pairs = pairs.concat(flatten(value[i], key + "[" + i + "]")); } } else { // Otherwise, join the array items (assuming they’re primitives) pairs.push(key + "=" + value.join(",")); } } else { // For regular objects, recursively flatten. pairs = pairs.concat(flatten(value, key)); } } else { pairs.push(key + "=" + value); } } } return pairs; } var flatPairs = flatten(obj); return flatPairs.join(";"); } // Rebuilds an object from a string produced by customSerialize(). function customDeserialize(str) { var obj = {}; if (!str) { return obj; } var pairs = str.split(";"); pairs.forEach(function (pair) { if (pair.trim().length === 0) { return; } var parts = pair.split("="); if (parts.length < 2) { return; } var key = parts.shift(); var value = parts.join("="); // Convert strings to booleans or numbers when appropriate. if (value === "true") { value = true; } else if (value === "false") { value = false; } else if (!isNaN(Number(value))) { value = Number(value); } // If value contains commas, treat it as an array of primitives. if (typeof value === "string" && value.indexOf(",") !== -1 && value.indexOf("[") === -1) { value = value.split(",").map(function (item) { var trimmed = item.trim(); if (trimmed === "true") { return true; } if (trimmed === "false") { return false; } if (!isNaN(Number(trimmed))) { return Number(trimmed); } return trimmed; }); } // Split the key on dot notation and also handle array indices. var keyParts = key.split("."); var cur = obj; for (var i = 0; i < keyParts.length; i++) { var part = keyParts[i]; var arrayMatch = part.match(/(.*)\[(\d+)\]$/); if (arrayMatch) { var propName = arrayMatch[1]; var index = Number(arrayMatch[2]); if (!cur[propName]) { cur[propName] = []; } if (i === keyParts.length - 1) { cur[propName][index] = value; } else { if (!cur[propName][index]) { cur[propName][index] = {}; } cur = cur[propName][index]; } } else { if (i === keyParts.length - 1) { cur[part] = value; } else { if (!cur[part]) { cur[part] = {}; } cur = cur[part]; } } } }); return obj; } function _typeof(o) { "@babel/helpers - typeof"; return _typeof = "function" == typeof Symbol && "symbol" == typeof Symbol.iterator ? function (o) { return typeof o; } : function (o) { return o && "function" == typeof Symbol && o.constructor === Symbol && o !== Symbol.prototype ? "symbol" : typeof o; }, _typeof(o); } if (typeof JSON === "undefined") { var JSON = { stringify: function stringify(obj) { var t = _typeof(obj); if (t !== "object" || obj === null) { // simple value if (t === "string") { obj = '"' + obj + '"'; } return String(obj); } else { var n, v, json = [], arr = obj && obj.constructor === Array; for (n in obj) { if (obj.hasOwnProperty(n)) { v = obj[n]; t = _typeof(v); if (t === "string") { v = '"' + v + '"'; } else if (t === "object" && v !== null) { v = JSON.stringify(v); } json.push((arr ? "" : '"' + n + '":') + String(v)); } } return (arr ? "[" : "{") + String(json) + (arr ? "]" : "}"); } }, parse: function parse(str) { try { return JSON.parse(str); } catch (e) { console.error("Failed to parse JSON string:", e); return null; // Return null or a default value if parsing fails } } }; } function initUI() { // Money display moneyDisplay = new Text2("$" + Math.floor(gameState.money).toLocaleString(), { size: 80, fill: 0xFFFFFF, fontWeight: 'bold', stroke: 0x000000, strokeThickness: 4 }); moneyDisplay.x = 2048 / 2 - moneyDisplay.width / 2; moneyDisplay.y = 50; foregroundContainer.addChild(moneyDisplay); // Prestige display prestigeDisplay = new Text2("Prestige: " + gameState.prestigeCount, { size: 50, fill: 0xFFFFFF, fontWeight: 'bold', stroke: 0x000000, strokeThickness: 4 }); prestigeDisplay.x = 250; prestigeDisplay.y = 50; foregroundContainer.addChild(prestigeDisplay); // Shop / Upgrade Icon shopOpenButton = LK.getAsset('shop_icon', { anchorX: 0.5, anchorY: 0.5 }); shopOpenButton.x = 2048 - 150; shopOpenButton.y = 2732 - 150; shopOpenButton.down = function () { createMainUpgradeMenu(); foregroundContainer.addChild(upgradeMenu); if (upgradeMenu.parent) { upgradeMenu.parent.setChildIndex(upgradeMenu, upgradeMenu.parent.children.length - 1); } }; foregroundContainer.addChild(shopOpenButton); // Test Money Button //addMoneyButton = LK.getAsset('test_money_button', { // anchorX: 0.5, // anchorY: 0.5 //}); //addMoneyButton.x = 200; //addMoneyButton.y = 2732 - 300; //addMoneyButton.down = function () { // gameState.money += 5000000000000; // updateUI(); //foregroundContainer.addChild(addMoneyButton); // Settings Icon settingsIcon = LK.getAsset('settings_icon', { anchorX: 1, anchorY: 0 }); settingsIcon.scale.x = 0.5; settingsIcon.scale.y = 0.5; settingsIcon.x = 2048 - 10; settingsIcon.y = 10; settingsIcon.down = function () { showSettingsMenu(); }; foregroundContainer.addChild(settingsIcon); } function getValidClusterCenter() { // Define the UI boundaries or any restricted areas var uiMargin = 200; var minX = uiMargin; var maxX = 2048 - uiMargin; var minY = uiMargin; var maxY = 2732 - uiMargin; // Generate a random position within the valid area var x = randomInt(minX, maxX); var y = randomInt(minY, maxY); return { x: x, y: y }; } function resetPersistentState() { // Reset the persistent game state to its default values. gameState.money = 0; gameState.pickaxeLevel = 1; gameState.pickaxeBaseMultiplier = 1; gameState.droneLevel = 0; gameState.currentTier = 1; gameState.oreMultipliers = { coal: 1, iron: 1, gold: 1, diamond: 1, sapphire: 1, emerald: 1, ruby: 1, chronostone: 1, soulember: 1, quantumshard: 1 }; gameState.respawnTime = 3000; gameState.maxClustersPerType = 3; gameState.clusterCount = { coal: 0, iron: 0, gold: 0, diamond: 0, sapphire: 0, emerald: 0, ruby: 0, chronostone: 0, soulember: 0, quantumshard: 0 }; gameState.clusterUpgradeTier = 0; gameState.prestigeCount = 0; gameState.prestigeCurrency = 0; gameState.tapDamage = 1; gameState.totalMoneyEarned = 0; gameState.tapCount = 0; gameState.minerHitCount = 0; gameState.startTime = Date.now(); gameState.oreMined = { coal: 0, iron: 0, gold: 0, diamond: 0, sapphire: 0, emerald: 0, ruby: 0, chronostone: 0, soulember: 0, quantumshard: 0 }; // Reset upgrades to their initial state. resetUpgrades(); // Optionally, reset achievements (if you want them to be “unsatisfied” at new game). achievements.forEach(function (a) { a.achieved = false; }); } /**** * GLOBAL VARIABLES & SPECIAL EFFECT FLAGS ****/ /**** * PLUGINS ****/ /**** * GAME-STATE & STATS ****/ var statsTextObj = null; // will store the Text2 object for the stats // Special ore effect flags and timers (assuming 60 FPS) var chronostoneActive = false; var chronostoneTimer = 0; // in frames (30 sec = 30*60) var chronostoneOverlay = null; var chronostoneTimerText = null; var chronostoneBannerShown = false; var soulEmberActive = false; var soulEmberOverlay = null; var soulEmberBannerShown = false; var soulEmberBoostCount = 0; // lasts for 10 ore mines var quantumShardActive = false; var quantumShardTimer = 0; // 10 sec effect var quantumShardOverlay = null; var quantumShardBannerShown = false; var miniMiners = []; // array to hold mini miner instances var meteorShowerActive = false; var meteorShowerBannerShown = false; // For special ores that spawn singularly (instead of in clusters) var specialOres = { chronostone: null, soulember: null, quantumshard: null }; var gameState = { money: 0, pickaxeLevel: 1, pickaxeBaseMultiplier: 1, droneLevel: 0, currentTier: 1, oreMultipliers: { coal: 1, iron: 1, gold: 1, diamond: 1, sapphire: 1, emerald: 1, ruby: 1, chronostone: 1, soulember: 1, quantumshard: 1 }, respawnTime: 3000, maxClustersPerType: 3, clusterCount: { coal: 0, iron: 0, gold: 0, diamond: 0, sapphire: 0, emerald: 0, ruby: 0, chronostone: 0, soulember: 0, quantumshard: 0 }, clusterConfigLevels: [{ min: 2, max: 3 }, { min: 3, max: 4 }, { min: 4, max: 5 }, { min: 5, max: 6 }, { min: 6, max: 7 }, { min: 6, max: 8 }], clusterUpgradeTier: 0, get clusterConfig() { return this.clusterConfigLevels[this.clusterUpgradeTier] || { min: 2, max: 3 }; }, prestigeCount: 0, prestigeCurrency: 0, prestigeLevel: 0, tapDamage: 1, totalMoneyEarned: 0, tapCount: 0, minerHitCount: 0, startTime: Date.now(), oreMined: { coal: 0, iron: 0, gold: 0, diamond: 0, sapphire: 0, emerald: 0, ruby: 0, chronostone: 0, soulember: 0, quantumshard: 0 } }; /**** * ACHIEVEMENTS ****/ var achievements = [{ id: 'first_mine', name: 'First Mine', description: 'Mine your first ore', achieved: false, condition: function condition() { return gameState.money > 0; } }, { id: 'rich_miner', name: 'Rich Miner', description: 'Earn 1 Billion money', achieved: false, condition: function condition() { return gameState.money >= 1e9; } }, { id: 'coal_miner', name: 'Coal Miner', description: 'Mine 50 coal ores', achieved: false, target: 50, condition: function condition() { return gameState.oreMined.coal >= 50; } }]; /**** * ORE DATA (Even values) ****/ var oreData = { coal: { baseValue: 5, baseHealth: 10, assetId: 'coal_ore' }, iron: { baseValue: 500, baseHealth: 100, assetId: 'iron_ore' }, gold: { baseValue: 10000, baseHealth: 500, assetId: 'gold_ore' }, diamond: { baseValue: 25000, baseHealth: 1000, assetId: 'diamond_ore' }, sapphire: { baseValue: 100000, baseHealth: 2000, assetId: 'sapphire_ore' }, emerald: { baseValue: 500000, baseHealth: 5000, assetId: 'emerald_ore' }, ruby: { baseValue: 1000000, baseHealth: 10000, assetId: 'ruby_ore' }, chronostone: { baseValue: 2000000, baseHealth: 2000, assetId: 'chronostone_ore', color: 0xc997d8 }, soulember: { baseValue: 5000000, baseHealth: 5000, assetId: 'soulember_ore', color: 0xdef3e5 }, quantumshard: { baseValue: 10000000, baseHealth: 10000, assetId: 'quantumshard_ore', color: 0xa1bb12 } }; function hideUpgradeDesc() {/* Placeholder */} function randomInt(min, max) { return Math.floor(Math.random() * (max - min + 1)) + min; } function spawnMiningParticles(ore, num) { for (var i = 0; i < num; i++) { var p = LK.getAsset('mining_particle', { anchorX: 0.5, anchorY: 0.5 }); if (ore.parent) { p.x = ore.parent.x + ore.x; p.y = ore.parent.y + ore.y; } else { p.x = ore.x; p.y = ore.y; } if (["chronostone", "soulember", "quantumshard"].indexOf(ore.type) >= 0) { p.tint = oreData[ore.type].color || 0xffffff; } p.vx = (Math.random() - 0.5) * 10; p.vy = (Math.random() - 0.5) * 10; p.alpha = 1; p.zIndex = -1; tween(p, { alpha: 0, y: p.y - 50 }, { duration: 1000, onFinish: function onFinish() { p.destroy(); } }); foregroundContainer.addChild(p); } } function interpolateColor(c1, c2, f) { var r1 = c1 >> 16 & 0xFF, g1 = c1 >> 8 & 0xFF, b1 = c1 & 0xFF; var r2 = c2 >> 16 & 0xFF, g2 = c2 >> 8 & 0xFF, b2 = c2 & 0xFF; var r = Math.round(r1 + f * (r2 - r1)), g = Math.round(g1 + f * (g2 - g1)), b = Math.round(b1 + f * (b2 - b1)); return r << 16 | g << 8 | b; } function screenShake(duration, magnitude) { var originalX = game.x, originalY = game.y, shakeInterval = 50, elapsed = 0; var shake = setInterval(function () { elapsed += shakeInterval; game.x = originalX + (Math.random() - 0.5) * magnitude; game.y = originalY + (Math.random() - 0.5) * magnitude; if (elapsed >= duration) { clearInterval(shake); game.x = originalX; game.y = originalY; } }, shakeInterval); } function spawnDroneAOE(ore) { var effect = LK.getAsset('drone_aoe_effect', { anchorX: 0.5, anchorY: 0.5 }); if (ore.parent) { effect.x = ore.parent.x + ore.x; effect.y = ore.parent.y + ore.y; } else { effect.x = ore.x; effect.y = ore.y; } effect.alpha = 1; effect.zIndex = 1; foregroundContainer.addChild(effect); tween(effect, { alpha: 0 }, { duration: 500, onFinish: function onFinish() { effect.destroy(); } }); } /**** * SPECIAL EFFECT FUNCTIONS ****/ // Helper: Display an event banner (bold, black text with outline) at the top. function showEventBanner(text) { var banner = new Text2(text, { size: 60, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, fontWeight: 'bold', align: 'center' }); banner.anchor.set(0.5); banner.x = 2048 / 2; banner.y = 200; foregroundContainer.addChild(banner); tween(banner, { alpha: 0, y: banner.y - 50 }, { duration: 3000, onFinish: function onFinish() { banner.destroy(); } }); } // Chronostone effect: speed boost for 30 seconds with overlay and countdown. function triggerChronostoneEffect() { chronostoneActive = true; chronostoneTimer = 30 * 60; // 30 seconds (in frames) if (!chronostoneBannerShown) { showEventBanner("Chronostone Speed Boost"); chronostoneBannerShown = true; } if (!chronostoneOverlay) { chronostoneOverlay = LK.getAsset('chronostone_overlay', { anchorX: 0.5, anchorY: 0.5, alpha: 0.2 }); chronostoneOverlay.x = 2048 / 2; chronostoneOverlay.y = 2732 / 2; foregroundContainer.addChild(chronostoneOverlay); } if (!chronostoneTimerText) { chronostoneTimerText = new Text2("30", { size: 50, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, fontWeight: 'bold' }); chronostoneTimerText.x = 300; chronostoneTimerText.y = 120; foregroundContainer.addChild(chronostoneTimerText); } if (miner) { miner.speedBoostMultiplier *= 2; // apply boost multiplier miner.speedBoostTimer = chronostoneTimer; } } // Soul Ember effect: boost ore value and miner damage for 10 ore mines with red overlay and money drain display. function triggerSoulEmberEffect() { soulEmberActive = true; if (!soulEmberBannerShown) { showEventBanner("Soul Ember +Dmg/+$"); soulEmberBannerShown = true; } if (!soulEmberOverlay) { soulEmberOverlay = LK.getAsset('soulember_overlay', { anchorX: 0.5, anchorY: 0.5, alpha: 0.2 }); soulEmberOverlay.x = 2048 / 2; soulEmberOverlay.y = 2732 / 2; foregroundContainer.addChild(soulEmberOverlay); } // Deduct 10% of money and show floating text for the deduction. var drain = gameState.money * 0.10; gameState.money -= drain; updateUI(); showFloatingText("-$" + Math.floor(drain).toLocaleString(), 0xFF0000); soulEmberBoostCount = 10; // boost lasts for 10 ore mines // Increase miner damage multiplier (for example purposes, increase by 50%) gameState.pickaxeBaseMultiplier *= 1.5; } // Quantum Shard effect: split the miner into 5 mini miners for 10 seconds with blue overlay. function triggerQuantumShardEffect() { quantumShardActive = true; quantumShardTimer = 10 * 60; // 10 seconds if (!quantumShardBannerShown) { showEventBanner("Quantum Split Miner Split"); quantumShardBannerShown = true; } if (!quantumShardOverlay) { quantumShardOverlay = LK.getAsset('quantumshard_overlay', { anchorX: 0.5, anchorY: 0.5, alpha: 0.2 }); quantumShardOverlay.x = 2048 / 2; quantumShardOverlay.y = 2732 / 2; foregroundContainer.addChild(quantumShardOverlay); } // Clear any existing mini miners. miniMiners.forEach(function (mini) { if (mini.parent) { mini.parent.removeChild(mini); } }); miniMiners = []; // Gather valid targets from clusters… var validTargets = []; clusters.forEach(function (cluster) { cluster.oreList.forEach(function (ore) { if (ore.health > 0 && ore.parent) { validTargets.push(ore); } }); }); // …and from special ores. for (var type in specialOres) { if (specialOres[type] && specialOres[type].children.length > 0) { var ore = specialOres[type].children[0]; if (ore.health > 0 && ore.parent) { validTargets.push(ore); } } } if (validTargets.length === 0) { return; // nothing to attack. } // Determine target assignment for five mini miners. var targetsForMinis = []; if (validTargets.length >= 5) { // Shuffle and pick five different targets. validTargets.sort(function () { return 0.5 - Math.random(); }); targetsForMinis = validTargets.slice(0, 5); } else { // If fewer than five, all mini miners share the same target. for (var i = 0; i < 5; i++) { targetsForMinis.push(validTargets[0]); } } // Spawn exactly five mini miners. if (miner) { for (var i = 0; i < 5; i++) { var mini = new MiniMiner(miner); // Position the mini miner near the main miner. mini.x = miner.x + (Math.random() - 0.5) * 100; mini.y = miner.y + (Math.random() - 0.5) * 100; mini.zIndex = 200; // Ensure they are drawn on top. // (Assign targets as needed.) mini.currentTarget = targetsForMinis[i]; // from your target-assignment code miniMiners.push(mini); foregroundContainer.addChild(mini); } } } // Meteor Shower effect (for Explosive Ore after Prestige 12): spawn meteors that damage ores. function triggerMeteorShowerEffect() { meteorShowerActive = true; if (!meteorShowerBannerShown) { showEventBanner("Meteor Shower"); meteorShowerBannerShown = true; } var numMeteors = Math.floor(Math.random() * 2) + 3; // 3 or 4 meteors for (var i = 0; i < numMeteors; i++) { spawnMeteor(); } LK.setTimeout(function () { meteorShowerActive = false; meteorShowerBannerShown = false; }, 5000); } function spawnMeteor() { var meteor = LK.getAsset('meteor_shower', { anchorX: 0.5, anchorY: 0.5 }); meteor.x = 100 + Math.random() * (2048 - 200); meteor.y = -100; // start above screen foregroundContainer.addChild(meteor); var target = getValidClusterCenter(); tween(meteor, { x: target.x, y: target.y }, { duration: 1000, onFinish: function onFinish() { var aoe = LK.getAsset('meteor_aoe', { anchorX: 0.5, anchorY: 0.5, alpha: 0.7 }); aoe.x = target.x; aoe.y = target.y; foregroundContainer.addChild(aoe); // Damage ores within 50px in each direction (100x100 area) clusters.forEach(function (cluster) { cluster.oreList.forEach(function (ore) { var oreGlobalX = cluster.x + ore.x, oreGlobalY = cluster.y + ore.y; if (Math.abs(oreGlobalX - target.x) < 50 && Math.abs(oreGlobalY - target.y) < 50) { var damage = 100; // high damage value ore.health -= damage; showFloatingText("Meteor: " + damage, 0xFFFFFF); if (ore.health <= 0) { ore.cluster.notifyOreDestroyed(ore); } } }); }); tween(aoe, { alpha: 0 }, { duration: 1000, onFinish: function onFinish() { aoe.destroy(); } }); meteor.destroy(); } }); } /**** * UI HELPER: Floating Text ****/ // Colors: green for miner hits (0x00FF00), blue for ore taps (0x0000FF), red for drone hits (0xFF0000) // (For mini miners, we’ll use pink (0xFF69B4) and offset lower.) function showFloatingText(amount, color) { var txt = new Text2("+" + amount, { size: 40, fill: color, stroke: color, strokeThickness: 4, align: 'center', fontWeight: 'bold' }); // Adjust position based on type of hit: var offsetX = (Math.random() - 0.5) * 50; var offsetY = (Math.random() - 0.5) * 50; if (color === 0xFF0000) { offsetX += 300; } else if (color === 0x0000FF) { offsetX -= 300; } else if (color === 0xFF69B4) { // for mini miners, lower the text offsetY += 50; } txt.x = moneyDisplay.x + moneyDisplay.width / 2 + offsetX; txt.y = moneyDisplay.y + moneyDisplay.height + offsetY; foregroundContainer.addChild(txt); tween(txt, { alpha: 0, y: txt.y - 20 }, { duration: 1000, onFinish: function onFinish() { txt.destroy(); } }); } /**** * SPECIAL SPAWNING: Prevent special ores from spawning in clusters. ****/ function maybeSpawnCluster(type) { // Regular cluster spawning logic var typeList = ['coal', 'iron', 'gold', 'diamond', 'sapphire', 'emerald', 'ruby']; if (typeList.indexOf(type) >= 0) { var tIndex = typeList.indexOf(type) + 1; if (tIndex > gameState.currentTier) { return; } } if (gameState.clusterCount[type] >= gameState.maxClustersPerType) { return; } var cluster = new Cluster(type); midgroundContainer.addChild(cluster); clusters.push(cluster); gameState.clusterCount[type]++; // Now, check for special ore spawns. var specialTypes = ['chronostone', 'soulember', 'quantumshard']; var prestigeRequirements = { chronostone: 3, soulember: 5, quantumshard: 8 // If you want to add explosive ore, add it here (e.g., explosive: 10) }; specialTypes.forEach(function (specialType) { if (gameState.prestigeCount >= prestigeRequirements[specialType]) { // With a 5% chance, spawn a special ore if (Math.random() < 0.06) { spawnSingleOre(specialType); } } }); } function spawnSingleOre(type) { var singleOre = new SingleOre(type); var pos = getValidClusterCenter(); singleOre.x = pos.x; singleOre.y = pos.y; midgroundContainer.addChild(singleOre); specialOres[type] = singleOre; } /**** * PRESTIGE & BACKGROUND TRANSITION ****/ function getPrestigeRequirement() { return 1e9 * Math.pow(2, gameState.prestigeCount); } function canPrestige() { return parseFloat(gameState.money) >= getPrestigeRequirement(); } function calculatePrestigeShards() { return 1; } /** * doPrestige: * - Removes all clusters and drones. * - Resets upgrades. * - Resets miner swing speed to its base value. * - Pauses game during background transition. * - Initiates background transition. Once complete, resumes gameplay. */ function doPrestige() { for (var i = clusters.length - 1; i >= 0; i--) { var c = clusters[i]; c.removeChildren(); if (c.parent) { c.parent.removeChild(c); } clusters.splice(i, 1); } droneObjects.forEach(function (d) { if (d.parent) { d.parent.removeChild(d); } }); droneObjects = []; droneSprites.forEach(function (ds) { if (ds.parent) { ds.parent.removeChild(ds); } }); droneSprites = []; var shards = calculatePrestigeShards(); gameState.prestigeCurrency += shards; gameState.prestigeCount++; gameState.money = 0; gameState.currentTier = 1; for (var key in gameState.clusterCount) { gameState.clusterCount[key] = 0; } resetUpgrades(); gameState.droneLevel = 0; if (miner) { miner.miningRate = miner.originalMiningRate; } gamePaused = true; handleBackgroundTransition(); updateUI(); } function resetUpgrades() { gameState.oreMultipliers = { coal: 1, iron: 1, gold: 1, diamond: 1, sapphire: 1, emerald: 1, ruby: 1, chronostone: 1, soulember: 1, quantumshard: 1 }; gameState.pickaxeLevel = 1; gameState.pickaxeBaseMultiplier = 1; gameState.tapDamage = 1; gameState.respawnTime = 3000; gameState.clusterUpgradeTier = 0; for (var key in oreUpgrades) { oreUpgrades[key].forEach(function (upg) { if (upg.initCost === undefined) { upg.initCost = upg.cost; } upg.cost = upg.initCost; upg.level = 0; upg.purchased = false; }); } generalUpgrades.forEach(function (upg) { if (upg.initCost === undefined) { upg.initCost = upg.cost; } upg.cost = upg.initCost; upg.level = 0; upg.purchased = false; }); droneUpgrades.forEach(function (upg) { if (upg.initCost === undefined) { upg.initCost = upg.cost; } upg.cost = upg.initCost; upg.level = 0; upg.purchased = false; }); } function handleBackgroundTransition() { var bgAssetId; if (gameState.prestigeCount >= 8) { bgAssetId = 'background_tier8'; } else if (gameState.prestigeCount >= 5) { bgAssetId = 'background_tier5'; } else if (gameState.prestigeCount >= 3) { bgAssetId = 'background_tier3'; } else { bgAssetId = 'background'; } // Create the new background off–screen (below the visible area) var newBg = LK.getAsset(bgAssetId, { anchorX: 0.5, anchorY: 0.5 }); newBg.x = 2048 / 2; newBg.y = 2732 + 2732 / 2; // position it below the screen newBg.zIndex = -100; backgroundContainer.addChildAt(newBg, 0); // Ensure currentBackground exists; if not, create it now. if (!currentBackground) { currentBackground = LK.getAsset(bgAssetId, { anchorX: 0.5, anchorY: 0.5 }); currentBackground.x = 2048 / 2; currentBackground.y = 2732 / 2; currentBackground.zIndex = -100; backgroundContainer.addChildAt(currentBackground, 0); } var dur = 3000; // transition duration in ms // Tween the current background upward (off–screen) tween(currentBackground, { y: -2732 / 2 }, { duration: dur, onFinish: function onFinish() { if (currentBackground && currentBackground.parent) { currentBackground.parent.removeChild(currentBackground); if (typeof currentBackground.destroy === "function") { currentBackground.destroy(); } } } }); // Tween the new background upward into view tween(newBg, { y: 2732 / 2 }, { duration: dur, onFinish: function onFinish() { currentBackground = newBg; gamePaused = false; initialSpawn(); } }); } var clusters = []; var currentBackground = null; var nextBackground = null; var miner = null; var droneObjects = []; var droneSprites = []; var prestigeMainButton = null; var gamePaused = false; /**** * SPAWN FUNCTIONS ****/ function initialSpawn() { if (gamePaused) { return; } var allTypes = ['coal', 'iron', 'gold', 'diamond', 'sapphire', 'emerald', 'ruby']; allTypes.forEach(function (type, idx) { var t = idx + 1; if (t <= gameState.currentTier) { for (var i = 0; i < gameState.maxClustersPerType; i++) { maybeSpawnCluster(type); } } }); } function updateDroneObjects() { while (droneObjects.length < gameState.droneLevel) { var d = new Drone(); d.x = 200 + Math.random() * (2048 - 400); d.y = 200 + Math.random() * (2732 - 400); droneObjects.push(d); foregroundContainer.addChild(d); } } function updateDroneSprites() { while (droneSprites.length < gameState.droneLevel) { var drone = LK.getAsset('drone_asset', { anchorX: 0.5, anchorY: 0.5 }); drone.x = 100 + droneSprites.length * 90; drone.y = 200; droneSprites.push(drone); foregroundContainer.addChild(drone); } } /**** * UPGRADE DATA ****/ // (Upgrade data remains unchanged) var oreUpgrades = { coal: [{ id: 'double_coal', name: 'Coal Value', cost: 100, multi: true, level: 0, maxLevel: 10, effect: 'Increases Coal Value each purchase', action: function action() { this.level++; gameState.oreMultipliers.coal *= 1.8; this.cost *= 1.5; } }], iron: [{ id: 'unlock_iron', name: 'Unlock Iron Mining', cost: 5000, effect: 'Allows iron ore clusters to spawn', purchased: false, unlock: true, action: function action() { if (gameState.currentTier < 2) { gameState.currentTier = 2; } for (var i = 0; i < gameState.maxClustersPerType; i++) { maybeSpawnCluster('iron'); } } }, { id: 'double_iron', name: 'Iron Value', cost: 1000, multi: true, level: 0, maxLevel: 10, effect: 'Increases Iron Value each purchase', action: function action() { this.level++; gameState.oreMultipliers.iron *= 1.8; this.cost *= 1.5; } }], gold: [{ id: 'unlock_gold', name: 'Unlock Gold Mining', cost: 70000, effect: 'Allows gold ore clusters to spawn', purchased: false, unlock: true, action: function action() { if (gameState.currentTier < 3) { gameState.currentTier = 3; } for (var i = 0; i < gameState.maxClustersPerType; i++) { maybeSpawnCluster('gold'); } } }, { id: 'double_gold', name: 'Gold Value', cost: 30000, multi: true, level: 0, maxLevel: 20, effect: 'Increases Gold Value each purchase', action: function action() { this.level++; gameState.oreMultipliers.gold *= 2; this.cost *= 1.5; } }], diamond: [{ id: 'unlock_diamond', name: 'Unlock Diamond Mining', cost: 280000, effect: 'Allows diamond ore clusters to spawn', purchased: false, unlock: true, action: function action() { if (gameState.currentTier < 4) { gameState.currentTier = 4; } for (var i = 0; i < gameState.maxClustersPerType; i++) { maybeSpawnCluster('diamond'); } } }, { id: 'double_diamond', name: 'Diamond Value', cost: 50000, multi: true, level: 0, maxLevel: 10, effect: 'Increases Diamond Value each purchase', action: function action() { this.level++; gameState.oreMultipliers.diamond *= 2; this.cost *= 1.5; } }], sapphire: [{ id: 'unlock_sapphire', name: 'Unlock Sapphire Mining', cost: 1400000, effect: 'Allows sapphire ore clusters to spawn', purchased: false, unlock: true, action: function action() { if (gameState.currentTier < 5) { gameState.currentTier = 5; } for (var i = 0; i < gameState.maxClustersPerType; i++) { maybeSpawnCluster('sapphire'); } } }, { id: 'double_sapphire', name: 'Sapphire Value', cost: 200000, multi: true, level: 0, maxLevel: 10, effect: 'Increases Sapphire Value each purchase', action: function action() { this.level++; gameState.oreMultipliers.sapphire *= 2; this.cost *= 1.5; } }], emerald: [{ id: 'unlock_emerald', name: 'Unlock Emerald Mining', cost: 7000000, effect: 'Allows emerald ore clusters to spawn', purchased: false, unlock: true, action: function action() { if (gameState.currentTier < 6) { gameState.currentTier = 6; } for (var i = 0; i < gameState.maxClustersPerType; i++) { maybeSpawnCluster('emerald'); } } }, { id: 'double_emerald', name: 'Emerald Value', cost: 1000000, multi: true, level: 0, maxLevel: 10, effect: 'Increases Emerald Value each purchase', action: function action() { this.level++; gameState.oreMultipliers.emerald *= 3; this.cost *= 1.5; } }], ruby: [{ id: 'unlock_ruby', name: 'Unlock Ruby Mining', cost: 14000000, effect: 'Allows ruby ore clusters to spawn', purchased: false, unlock: true, action: function action() { if (gameState.currentTier < 7) { gameState.currentTier = 7; } for (var i = 0; i < gameState.maxClustersPerType; i++) { maybeSpawnCluster('ruby'); } } }, { id: 'double_ruby', name: 'Ruby Value', cost: 2000000, multi: true, level: 0, maxLevel: 10, effect: 'Increases Ruby Value each purchase', action: function action() { this.level++; gameState.oreMultipliers.ruby *= 4; this.cost *= 1.5; } }] }; var generalUpgrades = [{ id: 'faster_respawn', name: 'Quicker Respawn', cost: 8000, effect: 'Halves respawn time (min 500 ms)', multi: true, level: 0, maxLevel: 3, action: function action() { gameState.respawnTime = Math.max(500, gameState.respawnTime / 2); this.level++; this.cost = Math.floor(this.cost * 2); } }, { id: 'cluster_up', name: 'Cluster Growth', cost: 1000, effect: 'Increases cluster size range', multi: true, level: 0, maxLevel: 5, action: function action() { if (gameState.clusterUpgradeTier < gameState.clusterConfigLevels.length - 1) { gameState.clusterUpgradeTier++; } this.level++; this.cost += 2000; } }, { id: 'pickaxe_buff', name: 'Pickaxe DMG +20%', cost: 20000, effect: 'Increases your total pickaxe damage by 20%', multi: true, level: 0, maxLevel: 20, action: function action() { this.level++; gameState.pickaxeBaseMultiplier *= 1.2; this.cost = Math.floor(this.cost * 2); } }, { id: 'tap_damage', name: 'Tap Damage Upgrade', cost: 5000, effect: 'Increase tap damage by 50%', multi: true, level: 0, maxLevel: 20, action: function action() { this.level++; gameState.tapDamage *= 1.5; this.cost = Math.floor(this.cost * 2); } }, { id: 'miner_speed', name: 'Miner Swing Speed Upgrade', cost: 20000, effect: 'Increase miner swing speed (reduce cooldown by 10%)', multi: true, level: 0, maxLevel: 20, action: function action() { this.level++; miner.miningRate = Math.max(1, Math.floor(miner.miningRate * 0.9)); this.cost = Math.floor(this.cost * 2); } }]; var prestigeUpgrades = [{ id: 'pickaxe_plus_1', name: 'Pickaxe Level +1', cost: 1, effect: 'Increases pickaxe damage by 1', purchased: false, action: function action() { gameState.pickaxeLevel++; } }, { id: 'pickaxe_plus_2', name: 'Pickaxe Speed +10%', cost: 2, effect: 'Reduces mining cooldown by 10%', purchased: false, action: function action() { miner.miningRate = Math.floor(miner.miningRate * 0.90); if (miner.miningRate < 1) { miner.miningRate = 1; } } }, { id: 'pickaxe_plus_3', name: 'Pickaxe Bonus DMG +2', cost: 2, effect: 'Increases pickaxe damage by an additional 2', purchased: false, action: function action() { gameState.pickaxeLevel += 2; } }, { id: 'pickaxe_plus_4', name: 'Mega Pickaxe', cost: 4, effect: 'Increases pickaxe damage by an additional 5', purchased: false, action: function action() { gameState.pickaxeLevel += 5; } }]; var prestigeDrones = [{ id: 'drone_speedup', name: 'Drone Technology +1', cost: 5, effect: 'Increases Drone DPS by 50', purchased: false, action: function action() { if (!gameState.droneLevel) { gameState.droneLevel = 0; } gameState.droneLevel += 5; } }, { id: 'drone_overclock', name: 'Drone Overclock', cost: 7, effect: 'Increases Drone DPS by 100', purchased: false, action: function action() { gameState.droneLevel += 10; } }]; var droneUpgrades = [{ id: 'drone_level_1', name: 'Buy Drones (Lv +1)', cost: 5000, effect: 'Each level adds +10 DPS', purchased: false, multi: true, level: 0, maxLevel: 20, action: function action() { if (!gameState.droneLevel) { gameState.droneLevel = 0; } gameState.droneLevel++; this.level++; this.cost = Math.floor(this.cost * 1.5); updateDroneObjects(); } }]; /**** * UI ****/ // Create the upgrade menu container (always on top). var upgradeMenu = new Container(); upgradeMenu.zIndex = 10000; var tooltip = new Text2('', { size: 40, fill: 0xFFFFFF, stroke: 0x000000, strokeThickness: 4 }); foregroundContainer.addChild(tooltip); var moneyDisplay = new Text2('$0', { size: 80, fill: 0xFFFFFF, fontWeight: 'bold', stroke: 0x000000, strokeThickness: 4 }); moneyDisplay.x = 2048 / 2 - moneyDisplay.width / 2; moneyDisplay.y = 50; foregroundContainer.addChild(moneyDisplay); var prestigeDisplay = new Text2('Prestige: 0', { size: 50, fill: 0xFFFFFF, fontWeight: 'bold', stroke: 0x000000, strokeThickness: 4 }); prestigeDisplay.x = 250; prestigeDisplay.y = 50; foregroundContainer.addChild(prestigeDisplay); var shopOpenButton = LK.getAsset('shop_icon', { anchorX: 0.5, anchorY: 0.5 }); shopOpenButton.x = 2048 - 150; shopOpenButton.y = 2732 - 150; shopOpenButton.down = function () { createMainUpgradeMenu(); foregroundContainer.addChild(upgradeMenu); if (upgradeMenu.parent) { upgradeMenu.parent.setChildIndex(upgradeMenu, upgradeMenu.parent.children.length - 1); } }; foregroundContainer.addChild(shopOpenButton); // // Test Money Button - removed for release // addMoneyButton = LK.getAsset('test_money_button', { // anchorX: 0.5, // anchorY: 0.5 // }); // addMoneyButton.x = 200; // addMoneyButton.y = 2732 - 300; // addMoneyButton.down = function () { // gameState.money += 5000000000000; // updateUI(); // }; // foregroundContainer.addChild(addMoneyButton); /**** * UPGRADE MODAL HELPER ****/ function showUpgradeModal(upg, btn, callback) { var modal = new Container(); var bg = LK.getAsset('upgrade_popup_bg', { anchorX: 0.5, anchorY: 0.5, scaleX: 1.6, scaleY: 1.4 }); modal.addChild(bg); // Ensure cost values are whole numbers var currentCost = Math.floor(upg.cost); // Calculate the next cost using a 1.5 multiplier and floor it var nextCost = upg.multi ? Math.floor(upg.cost * 1.5) : currentCost; var textStr = upg.effect + "\nCost: $" + currentCost; if (upg.multi) { textStr += " Next: $" + nextCost; } var desc = new Text2(textStr, { size: 50, fill: 0xf8fafa, stroke: 0xffffff, strokeThickness: 10, align: 'center', fontWeight: 'bold' }); desc.anchor.set(0.5); desc.y = -80; modal.addChild(desc); var upgradeBtn = LK.getAsset('upgrade_confirm_button', { anchorX: 0.5, anchorY: 0.5 }); upgradeBtn.x = -150; upgradeBtn.y = 90; modal.addChild(upgradeBtn); var upgradeTxt = new Text2("Upgrade", { size: 35, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, align: 'center', fontWeight: 'bold' }); upgradeTxt.anchor.set(0.5); upgradeTxt.x = upgradeBtn.x; upgradeTxt.y = upgradeBtn.y; modal.addChild(upgradeTxt); var cancelBtn = LK.getAsset('cancelButtonLarge', { anchorX: 0.5, anchorY: 0.5 }); cancelBtn.x = 150; cancelBtn.y = 90; modal.addChild(cancelBtn); modal.x = btn.x; modal.y = btn.y - 150; upgradeMenu.addChild(modal); if (upgradeMenu.parent) { upgradeMenu.parent.setChildIndex(upgradeMenu, upgradeMenu.parent.children.length - 1); } upgradeBtn.down = function () { callback(true); modal.destroy(); }; cancelBtn.down = function () { callback(false); modal.destroy(); }; upgradeMenu.down = function (event) { modal.destroy(); }; } /**** * PRESTIGE MODAL ****/ function showPrestigeModal() { var modal = new Container(); var popup = LK.getAsset('prestige_popup', { anchorX: 0.5, anchorY: 0.5 }); modal.addChild(popup); var req = getPrestigeRequirement(); var prompt = new Text2("Prestige?\nYou need: $" + req.toLocaleString() + "\nYou have: $" + Math.floor(gameState.money).toLocaleString(), { size: 40, fill: 0xFFFFFF, stroke: 0x000000, strokeThickness: 4, align: 'center', fontWeight: 'bold' }); prompt.anchor.set(0.5); modal.addChild(prompt); popup.x = 0; popup.y = 0; prompt.x = 0; prompt.y = -30; var yesBtn = LK.getAsset('yes_button', { anchorX: 0.5, anchorY: 0.5 }); yesBtn.x = -100; yesBtn.y = 60; modal.addChild(yesBtn); var noBtn = LK.getAsset('cancelButton', { anchorX: 0.5, anchorY: 0.5 }); noBtn.x = 100; noBtn.y = 60; modal.addChild(noBtn); modal.x = 2048 / 2; modal.y = 2732 / 2; upgradeMenu.addChild(modal); yesBtn.down = function () { if (canPrestige()) { doPrestige(); modal.destroy(); upgradeMenu.removeChild(modal); } }; noBtn.down = function () { modal.destroy(); upgradeMenu.removeChild(modal); }; upgradeMenu.down = function (event) { modal.destroy(); }; } /**** * MAIN UPGRADE MENU ****/ function createMainUpgradeMenu() { upgradeMenu.removeChildren(); subUpgradeItemRefs = []; var menuBg = LK.getAsset('rectangle', { width: 1800, height: 2200, color: 0x2a2a2a, anchorX: 0.5, anchorY: 0.5, scaleX: 1.3, scaleY: 1.3 }); menuBg.alpha = 0.9; menuBg.x = 2048 / 2; menuBg.y = 2732 / 2 + 50; upgradeMenu.addChild(menuBg); // Define the ore order that governs unlock progression. var oreOrder = ["coal", "iron", "gold", "diamond", "sapphire", "emerald", "ruby"]; var categories = [{ name: 'Coal Upgrades', type: 'coal' }, { name: 'Iron Upgrades', type: 'iron' }, { name: 'Gold Upgrades', type: 'gold' }, { name: 'Diamond Upgrades', type: 'diamond' }, { name: 'Sapphire Upgrades', type: 'sapphire' }, { name: 'Emerald Upgrades', type: 'emerald' }, { name: 'Ruby Upgrades', type: 'ruby' }, { name: 'General Upgrades', type: 'general' }, { name: 'Drones', type: 'drones' }, { name: 'Achievements', type: 'achievements' }, { name: 'Prestige', type: 'prestige' }, { name: 'Game Stats', type: 'stats' }]; for (var i = 0; i < categories.length; i++) { var cat = categories[i]; var col = i % 2, row = Math.floor(i / 2); var x = menuBg.x + (col === 0 ? -400 : 400); var y = menuBg.y - 800 + row * 300; var btn = LK.getAsset('buy_button', { anchorX: 0.5, anchorY: 0.5 }); btn.x = x; btn.y = y; upgradeMenu.addChild(btn); var txt = new Text2(cat.name, { size: 50, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, align: 'center', fontWeight: 'bold' }); txt.anchor.set(0.5); txt.x = btn.x; txt.y = btn.y; upgradeMenu.addChild(txt); // For ore categories, check both prestige and whether the ore is unlocked. if (oreOrder.indexOf(cat.type) !== -1) { var oreIndex = oreOrder.indexOf(cat.type); // For first three ores, required prestige is 0; for others, required prestige equals oreIndex - 2. var requiredPrestige = oreIndex < 3 ? 0 : oreIndex - 2; if (gameState.prestigeCount < requiredPrestige) { // Not unlocked by prestige: make button and text translucent and disable clicks. btn.alpha = 0.3; txt.alpha = 0.3; btn.down = function (e) { e && e.stopPropagation && e.stopPropagation(); }; } else { // Prestige requirement met: always allow the button to be clicked. btn.alpha = 1; txt.alpha = 1; btn.down = function (cat) { return function (event) { event.stopPropagation && event.stopPropagation(); hideUpgradeDesc(); if (cat.type === 'general') { createSubUpgradeMenu('General Upgrades', generalUpgrades); } else if (cat.type === 'drones') { createSubUpgradeMenu('Drone Upgrades', droneUpgrades); } else if (cat.type === 'achievements') { createAchievementsMenu(); } else if (cat.type === 'prestige') { createPrestigeMenu(); } else if (cat.type === 'stats') { createStatsMenu(); } else { createSubUpgradeMenu(cat.name, oreUpgrades[cat.type]); } }; }(cat); } } else { // Non-ore categories are always active. btn.alpha = 1; txt.alpha = 1; btn.down = function (cat) { return function (event) { event.stopPropagation && event.stopPropagation(); hideUpgradeDesc(); if (cat.type === 'general') { createSubUpgradeMenu('General Upgrades', generalUpgrades); } else if (cat.type === 'drones') { createSubUpgradeMenu('Drone Upgrades', droneUpgrades); } else if (cat.type === 'achievements') { createAchievementsMenu(); } else if (cat.type === 'prestige') { createPrestigeMenu(); } else if (cat.type === 'stats') { createStatsMenu(); } else { createSubUpgradeMenu(cat.name, oreUpgrades[cat.type]); } }; }(cat); } } // Add a close button. var closeBtn = LK.getAsset('cancelButton', { anchorX: 0.5, anchorY: 0.5 }); closeBtn.x = menuBg.x + 870; closeBtn.y = menuBg.y - 1150; closeBtn.down = function (event) { event.stopPropagation && event.stopPropagation(); if (upgradeMenu.parent) { upgradeMenu.parent.removeChild(upgradeMenu); } }; upgradeMenu.addChild(closeBtn); upgradeMenu.down = function (event) { hideUpgradeDesc(); }; if (upgradeMenu.parent) { upgradeMenu.parent.setChildIndex(upgradeMenu, upgradeMenu.parent.children.length - 1); } } var subUpgradeItemRefs = []; function createSubUpgradeMenu(title, upgList) { upgradeMenu.removeChildren(); subUpgradeItemRefs = []; var menuBg = LK.getAsset('rectangle', { width: 1800, height: 2200, color: 0x2a2a2a, anchorX: 0.5, anchorY: 0.5, scaleX: 1.3, scaleY: 1.3 }); menuBg.alpha = 0.9; menuBg.x = 2048 / 2; menuBg.y = 2732 / 2 + 50; upgradeMenu.addChild(menuBg); var titleText = new Text2(title, { size: 60, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, align: 'center', fontWeight: 'bold' }); titleText.anchor.set(0.5); titleText.x = menuBg.x; titleText.y = menuBg.y - 1000; upgradeMenu.addChild(titleText); var startY = menuBg.y - 800, colSpacing = 400; for (var i = 0; i < upgList.length; i++) { var col = i % 2, row = Math.floor(i / 2); var btn = LK.getAsset('buy_button', { anchorX: 0.5, anchorY: 0.5 }); btn.x = menuBg.x + (col === 0 ? -colSpacing : colSpacing); btn.y = startY + row * 250; upgradeMenu.addChild(btn); // Floor the cost so we don't display decimals var costToShow = Math.floor(upgList[i].cost); // If the upgrade has a level, show it in the display name var displayName = upgList[i].name; if (typeof upgList[i].level === 'number' && upgList[i].level > 0) { displayName += " (Lv " + upgList[i].level + ")"; } // Display the upgrade name + cost var txt = new Text2(displayName + "\nCost: $" + costToShow, { size: 45, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, align: 'center', fontWeight: 'bold' }); txt.anchor.set(0.5); txt.x = btn.x; txt.y = btn.y; upgradeMenu.addChild(txt); // Only disable this button if it’s already purchased (non-multi) or if it requires another upgrade. if (upgList[i].unlock === true && upgList[i].purchased) { // If it's an unlock upgrade that's already purchased, make button translucent btn.alpha = 0.3; txt.alpha = 0.3; btn.down = function (e) { e && e.stopPropagation && e.stopPropagation(); }; } else { btn.down = function (upg, btn) { return function (event) { event.stopPropagation && event.stopPropagation(); showUpgradeModal(upg, btn, function (confirmed) { if (confirmed && canPurchaseUpgrade(upgList, upg)) { gameState.money -= upg.cost; upg.purchased = true; upg.action(); updateUI(); createSubUpgradeMenu(title, upgList); } }); }; }(upgList[i], btn); } subUpgradeItemRefs.push({ upgList: upgList, upgrade: upgList[i], textObj: txt }); } var backBtn = LK.getAsset('cancelButton', { anchorX: 0.5, anchorY: 0.5 }); backBtn.x = menuBg.x + 870; backBtn.y = menuBg.y - 1150; backBtn.down = function () { createMainUpgradeMenu(); }; upgradeMenu.addChild(backBtn); // Hide the tooltip when tapping anywhere else on the menu upgradeMenu.down = function (event) { hideUpgradeDesc(); }; } function canPurchaseUpgrade(upgList, upg) { if (upg.requires) { var needed = upgList.find(function (u) { return u.id === upg.requires; }); if (!needed || !needed.purchased) { return false; } } if (upg.multi && upg.maxLevel !== undefined && upg.level >= upg.maxLevel) { return false; } if (!upg.multi && upg.purchased) { return false; } if (gameState.money < upg.cost) { return false; } return true; } /**** * GAME LOOP ****/ var quantumSelectTimer = 0, quantumSelectionActive = false; game.update = function () { if (!gamePaused && miner) { miner.update(); } for (var i = 0; i < droneObjects.length; i++) { droneObjects[i].updateDrone(); } if (typeof LK.time !== 'undefined' && LK.time.elapsed % 60 === 0) { droneDamageTick(); } clusters.forEach(function (cluster) { cluster.oreList.forEach(function (ore) { if (ore.health > 0) { var fraction = ore.health / ore.maxHealth; ore.healthBar.width = 120 * fraction; ore.healthBar.fill = interpolateColor(0xFF0000, 0x00FF00, fraction); ore.alpha = fraction; } }); }); if (upgradeMenu.parent) { subUpgradeItemRefs.forEach(function (ref) { var upg = ref.upgrade; var canBuy = canPurchaseUpgrade(ref.upgList, upg); if (ref.textObj && ref.textObj.style) { ref.textObj.style.fill = canBuy ? 0xFFFFFF : 0x666666; } }); } // Update dynamic game stats if the stats menu is open. if (statsTextObj) { var oreTypes = ['coal', 'iron', 'gold', 'diamond', 'sapphire', 'emerald', 'ruby', 'chronostone', 'soulember', 'quantumshard']; var oreStats = ""; oreTypes.forEach(function (type) { var oreName = type.charAt(0).toUpperCase() + type.slice(1); oreStats += oreName + " Mined: " + (gameState.oreMined[type] || 0) + "\n"; }); var newStatsText = ""; newStatsText += oreStats; newStatsText += "Total Money Earned: $" + gameState.totalMoneyEarned.toLocaleString() + "\n"; var achievedCount = achievements.filter(function (a) { return a.achieved; }).length; newStatsText += "Achievements: " + achievedCount + "/" + achievements.length + "\n"; newStatsText += "Prestige Count: " + gameState.prestigeCount + "\n"; var timePlayed = Math.floor((Date.now() - gameState.startTime) / 1000); newStatsText += "Time Played: " + timePlayed + " sec\n"; newStatsText += "Ore Taps: " + gameState.tapCount + "\n"; newStatsText += "Miner Hits: " + gameState.minerHitCount + "\n"; var fullyUpgraded = 0; for (var key in oreUpgrades) { oreUpgrades[key].forEach(function (upg) { if (upg.level >= upg.maxLevel) { fullyUpgraded++; } }); } newStatsText += "Fully Upgraded Ore Upgrades: " + fullyUpgraded + "\n"; statsTextObj.setText(newStatsText); } // Update Chronostone effect timer and overlay. if (chronostoneActive) { chronostoneTimer--; if (chronostoneTimerText) { var secondsLeft = Math.ceil(chronostoneTimer / 60); chronostoneTimerText.setText(secondsLeft.toString()); } if (chronostoneTimer <= 0) { chronostoneActive = false; if (chronostoneOverlay && chronostoneOverlay.parent) { chronostoneOverlay.parent.removeChild(chronostoneOverlay); chronostoneOverlay.destroy(); chronostoneOverlay = null; } if (chronostoneTimerText && chronostoneTimerText.parent) { chronostoneTimerText.parent.removeChild(chronostoneTimerText); chronostoneTimerText.destroy(); chronostoneTimerText = null; } if (miner) { miner.speedBoostMultiplier /= 2; } chronostoneBannerShown = false; } } // Update Quantum Shard effect (mini miners). if (quantumShardActive) { quantumShardTimer--; miniMiners.forEach(function (mini) { mini.update(); }); if (quantumShardTimer <= 0) { miniMiners.forEach(function (mini) { if (mini.parent) { mini.parent.removeChild(mini); } }); miniMiners = []; quantumShardActive = false; if (quantumShardOverlay && quantumShardOverlay.parent) { quantumShardOverlay.parent.removeChild(quantumShardOverlay); quantumShardOverlay.destroy(); quantumShardOverlay = null; } quantumShardBannerShown = false; } } achievements.forEach(function (ach) { if (!ach.achieved && ach.condition()) { ach.achieved = true; var achText = new Text2("Achievement Unlocked: " + ach.name, { size: 40, fill: 0xFFFF00, stroke: 0x000000, strokeThickness: 4, fontWeight: 'bold' }); achText.x = 2048 / 2; achText.y = 100; foregroundContainer.addChild(achText); tween(achText, { alpha: 0 }, { duration: 2000, onFinish: function onFinish() { achText.destroy(); } }); } }); if (canPrestige()) { if (!prestigeMainButton) { prestigeMainButton = LK.getAsset('prestige_main_button', { anchorX: 0.5, anchorY: 0.5 }); prestigeMainButton.x = 150; prestigeMainButton.y = 2732 - 150; prestigeMainButton.down = function () { doPrestige(); if (prestigeMainButton && prestigeMainButton.parent) { prestigeMainButton.parent.removeChild(prestigeMainButton); prestigeMainButton = null; } }; foregroundContainer.addChild(prestigeMainButton); } } else { if (prestigeMainButton) { if (prestigeMainButton.parent) { prestigeMainButton.parent.removeChild(prestigeMainButton); } prestigeMainButton = null; } } if (upgradeMenu && upgradeMenu.parent) { upgradeMenu.parent.setChildIndex(upgradeMenu, upgradeMenu.parent.children.length - 1); } }; function droneDamageTick() { var dps = getDroneDPS(); if (dps <= 0) { return; } var allValidOres = []; clusters.forEach(function (c) { c.oreList.forEach(function (ore) { if (ore.health > 0 && ore.tier <= gameState.currentTier) { allValidOres.push(ore); } }); }); if (allValidOres.length === 0) { return; } var damageRemaining = dps; while (damageRemaining > 0 && allValidOres.length > 0) { var randomIndex = Math.floor(Math.random() * allValidOres.length); var ore = allValidOres[randomIndex]; var chunk = Math.min(damageRemaining, 10); ore.health -= chunk; damageRemaining -= chunk; if (ore.health <= 0) { var baseValue = ore.getValue(); gameState.money += baseValue; updateUI(); ore.cluster.notifyOreDestroyed(ore); spawnMiningParticles(ore, 5); allValidOres.splice(randomIndex, 1); } } } /**** * UI REFRESH & SAVE/LOAD ****/ function updateUI() { moneyDisplay.setText("$" + Math.floor(gameState.money).toLocaleString()); moneyDisplay.x = 2048 / 2 - moneyDisplay.width / 2; prestigeDisplay.setText("Prestige: " + gameState.prestigeCount); } // --- PROGRESS SAVE/LOAD FUNCTIONS --- // Extract only the progress data from gameState, achievements, and upgrades. // --- Modified getProgressData() --- function getProgressData() { var savedOreUpgrades = {}; for (var key in oreUpgrades) { if (oreUpgrades.hasOwnProperty(key)) { savedOreUpgrades[key] = oreUpgrades[key].map(function (upg) { return { id: upg.id, level: upg.level, cost: upg.cost, purchased: upg.purchased }; }); } } return { gameState: { money: gameState.money, prestigeCount: gameState.prestigeCount, prestigeCurrency: gameState.prestigeCurrency, totalMoneyEarned: gameState.totalMoneyEarned, tapCount: gameState.tapCount, minerHitCount: gameState.minerHitCount, droneLevel: gameState.droneLevel, currentTier: gameState.currentTier, clusterUpgradeTier: gameState.clusterUpgradeTier, oreMined: gameState.oreMined, tapDamage: gameState.tapDamage, // NEW: Save pickaxe values and miner swing speed: pickaxeLevel: gameState.pickaxeLevel, pickaxeBaseMultiplier: gameState.pickaxeBaseMultiplier, coalCost: oreUpgrades.coal[0].cost, // Save the miner's current mining rate (if a miner exists) minerMiningRate: miner ? miner.miningRate : 60 }, achievements: achievements.map(function (a) { return { id: a.id, achieved: a.achieved }; }), upgrades: { oreUpgrades: savedOreUpgrades, generalUpgrades: generalUpgrades.map(function (u) { return { id: u.id, level: u.level, cost: u.cost, purchased: u.purchased }; }), droneUpgrades: droneUpgrades.map(function (u) { return { id: u.id, level: u.level, cost: u.cost, purchased: u.purchased }; }), prestigeUpgrades: prestigeUpgrades.map(function (u) { return { id: u.id, level: u.level, cost: u.cost, purchased: u.purchased }; }) } }; } // Apply loaded progress data back to our globals. function applyProgressData(data) { if (data && data.gameState) { Object.assign(gameState, data.gameState); // Ensure these values are proper numbers gameState.money = Number(gameState.money); gameState.prestigeCount = Number(gameState.prestigeCount); // If there are other important numeric fields, cast them too: gameState.totalMoneyEarned = Number(gameState.totalMoneyEarned); gameState.tapCount = Number(gameState.tapCount); gameState.minerHitCount = Number(gameState.minerHitCount); gameState.droneLevel = Number(gameState.droneLevel); gameState.currentTier = Number(gameState.currentTier); gameState.clusterUpgradeTier = Number(gameState.clusterUpgradeTier); gameState.tapDamage = Number(gameState.tapDamage); gameState.pickaxeLevel = Number(gameState.pickaxeLevel); gameState.pickaxeBaseMultiplier = Number(gameState.pickaxeBaseMultiplier); if (gameState.minerMiningRate !== undefined) { gameState.minerMiningRate = Number(gameState.minerMiningRate); } } if (data.gameState.coalCost !== undefined) { oreUpgrades.coal[0].cost = data.gameState.coalCost; } if (data && data.achievements) { data.achievements.forEach(function (savedAch) { var ach = achievements.find(function (a) { return a.id === savedAch.id; }); if (ach) { ach.achieved = savedAch.achieved; } }); } if (data && data.upgrades) { if (data.upgrades.oreUpgrades) { for (var type in data.upgrades.oreUpgrades) { if (data.upgrades.oreUpgrades.hasOwnProperty(type)) { if (Array.isArray(data.upgrades.oreUpgrades[type])) { data.upgrades.oreUpgrades[type].forEach(function (savedUpg) { var upg = oreUpgrades[type].find(function (u) { return u.id === savedUpg.id; }); if (upg) { upg.level = savedUpg.level; upg.cost = savedUpg.cost; upg.purchased = savedUpg.purchased; } }); } } } } if (data.upgrades.generalUpgrades) { data.upgrades.generalUpgrades.forEach(function (savedUpg) { var upg = generalUpgrades.find(function (u) { return u.id === savedUpg.id; }); if (upg) { upg.level = savedUpg.level; upg.cost = savedUpg.cost; upg.purchased = savedUpg.purchased; } }); } if (data.upgrades.droneUpgrades && Array.isArray(data.upgrades.droneUpgrades)) { data.upgrades.droneUpgrades.forEach(function (savedUpg) { var upg = droneUpgrades.find(function (u) { return u.id === savedUpg.id; }); if (upg) { upg.level = savedUpg.level; upg.cost = savedUpg.cost; upg.purchased = savedUpg.purchased; } }); } if (data.upgrades.prestigeUpgrades) { data.upgrades.prestigeUpgrades.forEach(function (savedUpg) { var upg = prestigeUpgrades.find(function (u) { return u.id === savedUpg.id; }); if (upg) { upg.level = savedUpg.level; upg.cost = savedUpg.cost; upg.purchased = savedUpg.purchased; } }); } } } // ================================ // SAVE/LOAD FUNCTIONS USING storage // ================================ // Returns the current game state. // --- SAVE/LOAD USING localStorage --- // Returns the progress data (this will be JSON-stringified before storing). LK.saveGame = function () { return getProgressData(); }; // Loads the progress data and applies it. LK.loadGame = function (data) { applyProgressData(data); updateUI(); }; // ================================ // SAVE GAME USING CUSTOM SERIALIZATION // ================================ function saveGameNow() { var saveData = LK.saveGame(); // get your progress data (gameState, achievements, upgrades) // Use customSerialize instead of JSON.stringify: storage["previousSave"] = customSerialize(saveData); console.log("Game saved to previousSave:", storage["previousSave"]); // Display a floating text indicating save success: showFloatingText("Game Saved!", 0x00FF00); } // ================================ // SETTINGS MENU AND SAVE/Return Functions // ================================ // Global flag to prevent multiple game instances. var gameStarted = false; // ==== 4. Update Settings Menu ==== // In your settings menu function, change the Save Game button so that it calls saveGameNow() function showSettingsMenu() { var settingsMenu = new Container(); settingsMenu.zIndex = 10000; var bg = LK.getAsset('rectangle', { width: 900, height: 900, // Increase height to fit the new button color: 0x222222, anchorX: 0.5, anchorY: 0.5 }); bg.alpha = 0.9; bg.x = 2048 / 2; bg.y = 2732 / 2; settingsMenu.addChild(bg); // Save Game button var saveButton = LK.getAsset('buy_button', { anchorX: 0.5, anchorY: 0.5 }); saveButton.scale.x = 0.7; saveButton.scale.y = 0.7; saveButton.x = bg.x; saveButton.y = bg.y - 160; settingsMenu.addChild(saveButton); var saveLabel = new Text2("Save Game", { size: 30, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 2, fontWeight: 'bold', align: 'center' }); saveLabel.anchor.set(0.5); saveLabel.x = saveButton.x; saveLabel.y = saveButton.y; settingsMenu.addChild(saveLabel); // Audio button var audioButton = LK.getAsset('buy_button', { anchorX: 0.5, anchorY: 0.5 }); audioButton.scale.x = 0.7; audioButton.scale.y = 0.7; audioButton.x = bg.x; audioButton.y = bg.y + 0; settingsMenu.addChild(audioButton); var audioLabel = new Text2("Audio", { size: 30, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 2, fontWeight: 'bold', align: 'center' }); audioLabel.anchor.set(0.5); audioLabel.x = audioButton.x; audioLabel.y = audioButton.y; settingsMenu.addChild(audioLabel); // Main Menu button var mainMenuButton = LK.getAsset('buy_button', { anchorX: 0.5, anchorY: 0.5 }); mainMenuButton.scale.x = 0.7; mainMenuButton.scale.y = 0.7; mainMenuButton.x = bg.x; mainMenuButton.y = bg.y + 160; settingsMenu.addChild(mainMenuButton); var mainMenuLabel = new Text2("Main Menu", { size: 30, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 2, fontWeight: 'bold', align: 'center' }); mainMenuLabel.anchor.set(0.5); mainMenuLabel.x = mainMenuButton.x; mainMenuLabel.y = mainMenuButton.y; settingsMenu.addChild(mainMenuLabel); // Exit button var exitButton = LK.getAsset('cancelButton', { anchorX: 1, anchorY: 0 }); exitButton.scale.x = 0.5; exitButton.scale.y = 0.5; exitButton.x = bg.x + bg.width / 2 - 10; exitButton.y = bg.y - bg.height / 2 + 10; settingsMenu.addChild(exitButton); exitButton.down = function (e) { e.stopPropagation && e.stopPropagation(); settingsMenu.destroy(); }; // When Save Game is clicked, call saveGameNow (no auto-save) saveButton.down = function () { saveGameNow(); showFloatingText("Game Saved!", 0x00FF00); settingsMenu.destroy(); }; // When Main Menu is clicked: mainMenuButton.down = function () { settingsMenu.destroy(); returnToMainMenu(); }; // When Audio button is clicked, show the music menu audioButton.down = function () { settingsMenu.destroy(); showMusicMenu(); }; settingsMenu.down = function (e) { e.stopPropagation && e.stopPropagation(); }; foregroundContainer.addChild(settingsMenu); } function showMusicMenu() { var musicMenu = new Container(); musicMenu.zIndex = 10000; var menuBg = LK.getAsset('rectangle', { width: 1800, height: 2200, color: 0x2a2a2a, anchorX: 0.5, anchorY: 0.5, scaleX: 1.3, scaleY: 1.3 }); menuBg.alpha = 0.9; menuBg.x = 2048 / 2; menuBg.y = 2732 / 2 + 50; musicMenu.addChild(menuBg); // List of songs for the menu, added progressively with prestige var songList = ["song1", "song2", "song3", "song4", "song5", "song6", "song7", "song8", "song9", "song10", "song11", "song12"]; // Positioning for buttons var colSpacing = 400, rowSpacing = 300; for (var i = 0; i < gameState.prestigeLevel + 1; i++) { var col = i % 2, row = Math.floor(i / 2); var x = menuBg.x + (col === 0 ? -colSpacing : colSpacing); var y = menuBg.y - 800 + row * rowSpacing; var btn = LK.getAsset('buy_button', { anchorX: 0.5, anchorY: 0.5 }); btn.x = x; btn.y = y; musicMenu.addChild(btn); var txt = new Text2(songList[i], { size: 50, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, align: 'center', fontWeight: 'bold' }); txt.anchor.set(0.5); txt.x = btn.x; txt.y = btn.y; musicMenu.addChild(txt); btn.down = function (index) { return function (event) { event.stopPropagation && event.stopPropagation(); selectSong(index); }; }(i); } // Close button for music menu var closeBtn = LK.getAsset('cancelButton', { anchorX: 0.5, anchorY: 0.5 }); closeBtn.x = menuBg.x + 870; closeBtn.y = menuBg.y - 1150; closeBtn.down = function () { musicMenu.destroy(); }; musicMenu.addChild(closeBtn); foregroundContainer.addChild(musicMenu); } function selectSong(songIndex) { // Define playlists for each song slot. // Each array contains three parts (e.g., "song1", "song1a", "song1b") var playlists = [["song1", "song1a", "song1b"], ["song2", "song2a", "song2b"], ["song3", "song3a", "song3b"], ["song4", "song4a", "song4b"], ["song5", "song5a", "song5b"], ["song6", "song6a", "song6b"], ["song7", "song7a", "song7b"], ["song8", "song8a", "song8b"], ["song9", "song9a", "song9b"], ["song10", "song10a", "song10b"], ["song11", "song11a", "song11b"], ["song12", "song12a", "song12b"]]; // Stop any currently playing music and clear the timer. if (currentSong) { LK.stopMusic(); currentSong = null; } if (compositeTimer) { clearTimeout(compositeTimer); compositeTimer = null; } // Set up the selected playlist and start at index 0. currentPlaylist = playlists[songIndex]; currentPlaylistIndex = 0; playCompositeSong(); } function playCompositeSong() { // Get the current track from the playlist. var track = currentPlaylist[currentPlaylistIndex]; // Play the current track. We set loop to false so that it ends after its duration. LK.playMusic(track, { loop: false }); currentSong = track; // After 60 seconds (60000 ms), advance to the next track. compositeTimer = LK.setTimeout(function () { currentPlaylistIndex = (currentPlaylistIndex + 1) % currentPlaylist.length; playCompositeSong(); }, 60000); } // Clear current game objects and show the load game screen. function returnToMainMenu() { function resetEphemeralState() { // Reset clusters array and any ephemeral state clusters = []; specialOres = { chronostone: null, soulember: null, quantumshard: null }; // Reset the cluster counts so that the spawn logic works again. gameState.clusterCount = { coal: 0, iron: 0, gold: 0, diamond: 0, sapphire: 0, emerald: 0, ruby: 0, chronostone: 0, soulember: 0, quantumshard: 0 }; // (Reset other ephemeral arrays if needed) droneObjects = []; droneSprites = []; miniMiners = []; } function resetEphemeralState() { // Reset clusters array and any ephemeral state clusters = []; specialOres = { chronostone: null, soulember: null, quantumshard: null }; // Reset the cluster counts so that the spawn logic works again. gameState.clusterCount = { coal: 0, iron: 0, gold: 0, diamond: 0, sapphire: 0, emerald: 0, ruby: 0, chronostone: 0, soulember: 0, quantumshard: 0 }; // (Reset other ephemeral arrays if needed) droneObjects = []; droneSprites = []; miniMiners = []; } // game.removeChildren(); resetEphemeralState(); clusters = []; miner = null; droneObjects = []; droneSprites = []; miniMiners = []; gameStarted = false; // Reset flag so a new game can be started. showLoadGameScreen(); } // ================================ // LOAD GAME SCREEN (Using storage) // ================================ // ==== 3. Modified Main Menu (Load Screen) ==== // Global variable to hold our load menu var loadMenuInstance = null; // Revised load screen – only creates one instance. function showLoadGameScreen() { // If a load menu already exists, do nothing. if (loadMenuInstance) { return; } loadMenuInstance = new Container(); loadMenuInstance.zIndex = 10000; // Background var bg = LK.getAsset('rectangle', { width: 1800, height: 1000, color: 0x333333, anchorX: 0.5, anchorY: 0.5 }); bg.x = 2048 / 2; bg.y = 2732 / 2; loadMenuInstance.addChild(bg); // Title var title = new Text2("Main Menu", { size: 60, fill: 0xFFFFFF, stroke: 0x000000, strokeThickness: 4, fontWeight: 'bold', align: 'center' }); title.anchor.set(0.5); title.x = bg.x; title.y = bg.y - 300; loadMenuInstance.addChild(title); // "Load Previous Save" button var loadButton = LK.getAsset('buy_button', { anchorX: 0.5, anchorY: 0.5 }); loadButton.scale.x = 0.9; loadButton.scale.y = 0.6; loadButton.x = bg.x; loadButton.y = bg.y - 100; loadMenuInstance.addChild(loadButton); var loadLabel = new Text2("Load Previous Save", { size: 40, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, fontWeight: 'bold', align: 'center' }); loadLabel.anchor.set(0.5); loadLabel.x = loadButton.x; loadLabel.y = loadButton.y; loadMenuInstance.addChild(loadLabel); // "New Game" button var newGameButton = LK.getAsset('buy_button', { anchorX: 0.5, anchorY: 0.5 }); newGameButton.scale.x = 0.9; newGameButton.scale.y = 0.6; newGameButton.x = bg.x; newGameButton.y = bg.y + 100; loadMenuInstance.addChild(newGameButton); var newGameLabel = new Text2("New Game", { size: 40, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, fontWeight: 'bold', align: 'center' }); newGameLabel.anchor.set(0.5); newGameLabel.x = newGameButton.x; newGameLabel.y = newGameButton.y; loadMenuInstance.addChild(newGameLabel); // Helper function to remove the load menu function removeLoadMenu() { if (loadMenuInstance && loadMenuInstance.parent) { loadMenuInstance.parent.removeChild(loadMenuInstance); loadMenuInstance.destroy(); loadMenuInstance = null; } } // "Load Previous Save" handler: loadButton.down = function (e) { e && e.stopPropagation && e.stopPropagation(); removeLoadMenu(); // New version using customDeserialize: var savedData = storage["previousSave"]; if (savedData) { LK.loadGame(customDeserialize(savedData)); } else { resetPersistentState(); } startGame(); }; // "New Game" handler: newGameButton.down = function (e) { e && e.stopPropagation && e.stopPropagation(); removeLoadMenu(); // Completely reset persistent state for a brand-new game. resetPersistentState(); startGame(); }; foregroundContainer.addChild(loadMenuInstance); } // ================================ // SETTINGS ICON (Upper–Right Corner) // ================================ var settingsIcon = LK.getAsset('settings_icon', { anchorX: 1, anchorY: 0 }); if (!settingsIcon) { settingsIcon = LK.getAsset('cancelButton', { anchorX: 1, anchorY: 0 }); } settingsIcon.scale.x = 0.5; settingsIcon.scale.y = 0.5; settingsIcon.x = 2048 - 10; settingsIcon.y = 10; settingsIcon.down = function () { showSettingsMenu(); }; foregroundContainer.addChild(settingsIcon); // ================================ // START GAME // Instead of starting the game immediately, we start by showing the load game screen. showLoadGameScreen(); /**** * START GAME ****/ // Global flag – declare this near the top of your script: var gameStarted = false; // --- Modified startGame() --- function startGame() { // Unpause the game. gamePaused = false; // Prevent double–starting. if (gameStarted) { return; } gameStarted = true; // Remove any load menu if still present. if (loadMenuInstance && loadMenuInstance.parent) { loadMenuInstance.parent.removeChild(loadMenuInstance); loadMenuInstance.destroy(); loadMenuInstance = null; } // Reset ephemeral state. resetEphemeralState(); // Clear existing children from each layer. backgroundContainer.removeChildren(); midgroundContainer.removeChildren(); foregroundContainer.removeChildren(); // Set up the background. currentBackground = LK.getAsset('background', { anchorX: 0.5, anchorY: 0.5 }); currentBackground.x = 2048 / 2; currentBackground.y = 2732 / 2; currentBackground.zIndex = -100; backgroundContainer.addChild(currentBackground); // Set up the miner. miner = new Miner(); miner.x = 2048 / 2; miner.y = 2732 / 2; // Restore saved miner mining rate if available. if (gameState.minerMiningRate) { miner.miningRate = gameState.minerMiningRate; } foregroundContainer.addChild(miner); // Spawn clusters and special ores. initialSpawn(); // Re‑initialize the UI. initUI(); updateUI(); // At the end of startGame() function, after updateUI() if (canPrestige() && !prestigeMainButton) { prestigeMainButton = LK.getAsset('prestige_main_button', { anchorX: 0.5, anchorY: 0.5 }); prestigeMainButton.x = 150; prestigeMainButton.y = 2732 - 150; prestigeMainButton.down = function () { doPrestige(); if (prestigeMainButton && prestigeMainButton.parent) { prestigeMainButton.parent.removeChild(prestigeMainButton); prestigeMainButton = null; } }; foregroundContainer.addChild(prestigeMainButton); } // *** NEW: Spawn drone objects based on saved drone level *** updateDroneObjects(); // (If you're also using drone sprites, call updateDroneSprites() here.) } showLoadGameScreen(); game.pauseForQuantumSelection = function () { quantumSelectionActive = true; quantumSelectTimer = 0; }; function createPrestigeMenu() { upgradeMenu.removeChildren(); var menuBg = LK.getAsset('rectangle', { width: 1800, height: 2200, scaleX: 1.3, scaleY: 1.3, color: 0x444444, anchorX: 0.5, anchorY: 0.5 }); menuBg.alpha = 0.9; menuBg.x = 2048 / 2; menuBg.y = 2732 / 2 + 50; upgradeMenu.addChild(menuBg); var titleText = new Text2("Prestige Upgrades", { size: 60, fill: 0xFFFFFF, stroke: 0x000000, strokeThickness: 4, align: "center", fontWeight: 'bold' }); titleText.anchor.set(0.5); titleText.x = menuBg.x; titleText.y = menuBg.y - 1000; upgradeMenu.addChild(titleText); var startY = menuBg.y - 800; var colSpacing = 400; for (var i = 0; i < prestigeUpgrades.length; i++) { var col = i % 2, row = Math.floor(i / 2); var btn = LK.getAsset('buy_button', { anchorX: 0.5, anchorY: 0.5 }); btn.x = menuBg.x + (col === 0 ? -colSpacing : colSpacing); btn.y = startY + row * 250; upgradeMenu.addChild(btn); var displayName = prestigeUpgrades[i].name; var txt = new Text2(displayName + "\nCost: " + prestigeUpgrades[i].cost + " Shards", { size: 45, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, align: 'center', fontWeight: 'bold' }); txt.anchor.set(0.5); txt.x = btn.x; txt.y = btn.y; upgradeMenu.addChild(txt); btn.down = function (upg, btn) { return function (event) { event.stopPropagation && event.stopPropagation(); showUpgradeModal(upg, btn, function (confirmed) { if (confirmed && canPurchaseUpgrade(prestigeUpgrades, upg)) { gameState.prestigeCurrency -= upg.cost; upg.purchased = true; upg.action(); updateUI(); createPrestigeMenu(); } }); }; }(prestigeUpgrades[i], btn); } var backBtn = LK.getAsset('cancelButton', { anchorX: 0.5, anchorY: 0.5 }); backBtn.x = menuBg.x + 870; backBtn.y = menuBg.y - 1150; backBtn.down = function () { createMainUpgradeMenu(); }; upgradeMenu.addChild(backBtn); } function createAchievementsMenu() { upgradeMenu.removeChildren(); var menuBg = LK.getAsset('rectangle', { width: 1800, height: 2200, scaleX: 1.3, scaleY: 1.3, color: 0x333333, anchorX: 0.5, anchorY: 0.5 }); menuBg.alpha = 0.9; menuBg.x = 2048 / 2; menuBg.y = 2732 / 2 + 50; upgradeMenu.addChild(menuBg); var titleText = new Text2("Achievements", { size: 60, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, align: "center", fontWeight: 'bold' }); titleText.anchor.set(0.5); titleText.x = menuBg.x; titleText.y = menuBg.y - 1000; upgradeMenu.addChild(titleText); var yStart = menuBg.y - 800, spacing = 150; achievements.forEach(function (ach, index) { var container = new Container(); container.x = menuBg.x; container.y = yStart + index * spacing; var title = new Text2(ach.name, { size: 50, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, fontWeight: 'bold' }); title.anchor.set(0.5); container.addChild(title); if (ach.target !== undefined) { var currentProgress = ach.id === 'coal_miner' ? gameState.oreMined.coal : 0; var progressBarBg = LK.getAsset('achievement_bar', { width: 400, height: 30, color: 0x555555, anchorX: 0, anchorY: 0.5 }); progressBarBg.x = -200; progressBarBg.y = 50; container.addChild(progressBarBg); var progressWidth = Math.min(currentProgress / ach.target * 400, 400); var progressBarFg = LK.getAsset('rectangle', { width: progressWidth, height: 30, color: 0x00FF00, anchorX: 0, anchorY: 0.5 }); progressBarFg.x = -200; progressBarFg.y = 50; container.addChild(progressBarFg); var progressText = new Text2(currentProgress + "/" + ach.target, { size: 30, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, fontWeight: 'bold' }); progressText.anchor.set(0.5); progressText.x = 0; progressText.y = 50; container.addChild(progressText); } if (ach.achieved) { var achievedText = new Text2("Achieved!", { size: 30, fill: 0x000000, stroke: 0xFFFFFF, strokeThickness: 4, fontWeight: 'bold' }); achievedText.anchor.set(0.5); achievedText.x = 300; achievedText.y = 0; container.addChild(achievedText); } upgradeMenu.addChild(container); }); var backBtn = LK.getAsset('cancelButton', { anchorX: 0.5, anchorY: 0.5 }); backBtn.x = menuBg.x + 870; backBtn.y = menuBg.y - 1150; backBtn.down = function () { createMainUpgradeMenu(); }; upgradeMenu.addChild(backBtn); } function createStatsMenu() { upgradeMenu.removeChildren(); var menuBg = LK.getAsset('rectangle', { width: 1800, height: 2200, scaleX: 1.3, scaleY: 1.3, color: 0x222222, anchorX: 0.5, anchorY: 0.5 }); menuBg.alpha = 0.9; menuBg.x = 2048 / 2; menuBg.y = 2732 / 2 + 50; upgradeMenu.addChild(menuBg); var titleText = new Text2("Game Stats", { size: 60, fill: 0xffffff, stroke: 0x000000, strokeThickness: 4, align: "center", fontWeight: 'bold' }); titleText.anchor.set(0.5); titleText.x = menuBg.x; titleText.y = menuBg.y - 1000; upgradeMenu.addChild(titleText); var statsText = ""; statsText += "Total Money Earned: $" + gameState.totalMoneyEarned.toLocaleString() + "\n"; var achievedCount = achievements.filter(function (a) { return a.achieved; }).length; statsText += "Achievements: " + achievedCount + "/" + achievements.length + "\n"; statsText += "Prestige Count: " + gameState.prestigeCount + "\n"; var timePlayed = Math.floor((Date.now() - gameState.startTime) / 1000); statsText += "Time Played: " + timePlayed + " sec\n"; statsText += "Ore Taps: " + gameState.tapCount + "\n"; statsText += "Miner Hits: " + gameState.minerHitCount + "\n"; var fullyUpgraded = 0; for (var key in oreUpgrades) { oreUpgrades[key].forEach(function (upg) { if (upg.level >= upg.maxLevel) { fullyUpgraded++; } }); } statsText += "Fully Upgraded Ore Upgrades: " + fullyUpgraded + "\n"; // Create the dynamic stats text object, centered in the menu. statsTextObj = new Text2(statsText, { size: 40, fill: 0x000000, stroke: 0x000000, strokeThickness: 4, fontWeight: 'bold', align: 'center' }); statsTextObj.anchor.set(0.5); statsTextObj.x = menuBg.x; statsTextObj.y = menuBg.y; // center it vertically within the background upgradeMenu.addChild(statsTextObj); var backBtn = LK.getAsset('cancelButton', { anchorX: 0.5, anchorY: 0.5 }); backBtn.x = menuBg.x + 870; backBtn.y = menuBg.y - 1150; backBtn.down = function () { createMainUpgradeMenu(); }; upgradeMenu.addChild(backBtn); }
===================================================================
--- original.js
+++ change.js
@@ -156,11 +156,12 @@
self.currentSprite = null;
self.stepIndex = 0;
self.animationFrame = 0;
self.swingFrame = 0;
- self.facingRight = false;
- self.ANIMATION_SPEED = 8; // Lower = faster animation
- self.SWING_ANIM_SPEED = 5; // Mining animation speed
+ self.facingRight = true; // Initialize facing right (default)
+ self.lastFacingRight = true; // Track the last facing direction
+ self.ANIMATION_SPEED = 18; // Lower = faster animation
+ self.SWING_ANIM_SPEED = 18; // Mining animation speed
// Increase the mining range so the miner stops farther from the ore.
self.miningRange = 50;
self.miningCooldown = 0;
self.miningRate = 60;
@@ -210,14 +211,10 @@
anchorX: 0.5,
anchorY: 0.5
}).asset; // Directly assign the new asset
}
- // Mirror handling: movement sprites need inverse mirroring from swing sprites
- if (state === 'swing1' || state === 'swing2') {
- self.currentSprite.scale.x = mirror ? -1 : 1;
- } else {
- self.currentSprite.scale.x = mirror ? 1 : -1;
- }
+ // Mirror handling: mirror based on 'mirror' parameter
+ self.currentSprite.scale.x = mirror ? -1 : 1;
};
// Update method (modified to account for pause and special effects)
self.update = function () {
if (self.hyperMiningActive) {
@@ -244,29 +241,36 @@
var finalSpeed = self.speed * self.speedBoostMultiplier;
// ======= MOVEMENT ANIMATION & MINING ANIMATION =======
if (dist > self.miningRange) {
self.minerState = 'walking'; // Set state to walking
- // -------- FACING DIRECTION UPDATE (only when walking) --------
- var newFacing = dx > 0;
- if (newFacing !== self.facingRight) {
- self.facingRight = newFacing;
+ // -------- DIRECTION LOGIC for WALKING --------
+ var newFacingRight = dx >= 0; // true if dx is positive or zero (ore to the right or directly above/below)
+ if (newFacingRight !== self.lastFacingRight) {
+ // Only update facing direction if it changed
+ self.facingRight = newFacingRight;
+ self.lastFacingRight = newFacingRight; // Update last facing direction
}
- // -------- END FACING DIRECTION UPDATE --------
+ // -------- END DIRECTION LOGIC --------
self.animationFrame++;
if (self.animationFrame >= self.ANIMATION_SPEED) {
self.animationFrame = 0;
self.stepIndex = (self.stepIndex + 1) % 2;
- self.setSprite(self.stepIndex === 0 ? 'step1' : 'step2', self.facingRight);
+ self.setSprite(self.stepIndex === 0 ? 'step1' : 'step2', !self.facingRight); // Mirror for left
}
// Actual movement
self.x += dx / dist * finalSpeed;
self.y += dy / dist * finalSpeed;
} else {
self.minerState = 'mining'; // Set state to mining when in range
- // -------- FACING DIRECTION IS NOW FIXED --------
- // Once in mining range, facing direction remains as it was when arriving.
- // No facing direction update here.
- // -------- END FACING DIRECTION FIXED --------
+ // -------- DIRECTION LOGIC for MINING --------
+ var oreGlobalX = tx;
+ var newFacingRight = oreGlobalX >= self.x; // true if ore is to the right or directly above/below
+ if (newFacingRight !== self.lastFacingRight) {
+ // Only update if facing direction changed
+ self.facingRight = newFacingRight;
+ self.lastFacingRight = newFacingRight; // Update last facing direction
+ }
+ // -------- END DIRECTION LOGIC --------
// Mining animation is handled in mineOre, we just need to ensure idle sprite is not set here
// No sprite change here, mining animation will be triggered by mineOre
self.mineOre(self.currentTarget);
}
@@ -274,12 +278,12 @@
self.minerState = 'idle'; // Set state to idle
// Idle animation
if (!self.currentSprite) {
// ADDED THIS - Initialize sprite if null
- self.setSprite('idle', self.facingRight);
+ self.setSprite('idle', !self.facingRight); // Keep last facing direction for idle
}
if (self.currentSprite.name !== 'miner') {
- self.setSprite('idle', self.facingRight);
+ self.setSprite('idle', !self.facingRight); // Keep last facing direction for idle
}
if (typeof LK.time !== 'undefined') {
self.y += Math.sin(LK.time.elapsed / 250) * 0.5;
}
@@ -290,23 +294,19 @@
if (self.animationFrame >= self.SWING_ANIM_SPEED) {
self.animationFrame = 0;
// Alternate swing sprites for continuous animation
if (self.currentSprite.name === 'miner_swing_1') {
- self.setSprite('swing2', self.facingRight); // Use facingRight for mirroring consistency
- } else if (self.currentSprite.name === 'miner_swing_2') {
- // Changed from 'else' to 'else if' and checking for swing_2
- self.setSprite('swing1', self.facingRight);
+ self.setSprite('swing2', !self.facingRight); // Mirror based on facing direction
} else {
- // Default case if name is neither swing_1 nor swing_2 (shouldn't happen, but for safety)
- self.setSprite('swing1', self.facingRight); // Fallback to swing1
+ self.setSprite('swing1', !self.facingRight); // Mirror based on facing direction
}
}
} else if (self.minerState !== 'walking') {
// Ensure idle or walking sprites are shown when not mining
if (self.minerState === 'idle' && self.currentSprite.name !== 'miner') {
- self.setSprite('idle', self.facingRight);
+ self.setSprite('idle', !self.facingRight); // Keep last facing direction for idle
} else if (self.minerState === 'walking' && self.currentSprite.name !== 'miner_step_1' && self.currentSprite.name !== 'miner_step_2') {
- self.setSprite(self.stepIndex === 0 ? 'step1' : 'step2', self.facingRight); // Correct walking sprite
+ self.setSprite(self.stepIndex === 0 ? 'step1' : 'step2', !self.facingRight); // Mirror for left
}
}
};
self.findNewTarget = function () {
@@ -359,11 +359,13 @@
if (self.miningCooldown > 0) {
self.miningCooldown--;
return;
}
- var oreGlobalX = ore.parent.x + ore.x;
- // Set initial swing sprite (swing1 or swing2 will be alternated in update)
- self.setSprite('swing1', oreGlobalX < self.x);
+ // -------- MINING ANIMATION TRIGGER and DIRECTION DURING MINING --------
+ // var oreGlobalX = ore.parent.x + ore.x; // No longer needed here, direction already set in update
+ // self.setSprite('swing1', oreGlobalX < self.x); // Direction already set in update, just set sprite
+ self.setSprite('swing1', !self.facingRight); // Use current facing direction for swing
+ // -------- END ANIMATION TRIGGER --------
var damageDealt = self.miningDamage * gameState.pickaxeLevel * (gameState.pickaxeBaseMultiplier || 1);
// If Soul Ember boost is active, double the damage and reward.
if (soulEmberActive && soulEmberBoostCount > 0) {
damageDealt *= 2;
@@ -383,8 +385,9 @@
gameState.totalMoneyEarned += reward;
gameState.minerHitCount++;
updateUI();
playMiningHitSound(ore.type);
+ self.setSprite('swing2', !self.facingRight); // Show swing2 sprite right after sound, mirrored
ore.health -= actualDamage;
self.miningCooldown = self.miningRate;
if (ore.health <= 0) {
spawnMiningParticles(ore, 5);
@@ -666,21 +669,21 @@
/****
* Game Code
****/
-// Create global container layers:
-// Song 1 composite tracks
-// Song 2 composite tracks
-// Song 3 composite tracks
-// Song 4 composite tracks
-// Song 5 composite tracks
-// Song 6 composite tracks
-// Song 7 composite tracks
-// Song 8 composite tracks
-// Song 9 composite tracks
-// Song 10 composite tracks
-// Song 11 composite tracks
// Song 12 composite tracks
+// Song 11 composite tracks
+// Song 10 composite tracks
+// Song 9 composite tracks
+// Song 8 composite tracks
+// Song 7 composite tracks
+// Song 6 composite tracks
+// Song 5 composite tracks
+// Song 4 composite tracks
+// Song 3 composite tracks
+// Song 2 composite tracks
+// Song 1 composite tracks
+// Create global container layers:
function _typeof3(o) {
"@babel/helpers - typeof";
return _typeof3 = "function" == typeof Symbol && "symbol" == typeof Symbol.iterator ? function (o) {
return typeof o;
drone_shot
Sound effect
mine_coal
Sound effect
mine_iron
Sound effect
mine_gold
Sound effect
mine_diamond
Sound effect
mine_sapphire
Sound effect
mine_emerald
Sound effect
mine_ruby
Sound effect
mine_chronostone
Sound effect
mine_quantumshard
Sound effect
ore_destroy_coal
Sound effect
ore_destroy_iron
Sound effect
ore_destroy_gold
Sound effect
ore_destroy_diamond
Sound effect
ore_destroy_sapphire
Sound effect
ore_destroy_emerald
Sound effect
ore_destroy_ruby
Sound effect
mine_coal_1
Sound effect
mine_coal_2
Sound effect
mine_coal_3
Sound effect
mine_diamond1
Sound effect
mine_diamond2
Sound effect
mine_diamond3
Sound effect
mine_emerald1
Sound effect
mine_emerald2
Sound effect
mine_emerald3
Sound effect
mine_gold1
Sound effect
mine_gold2
Sound effect
mine_gold3
Sound effect
mine_iron1
Sound effect
mine_iron2
Sound effect
mine_iron3
Sound effect
mine_ruby1
Sound effect
mine_ruby2
Sound effect
mine_ruby3
Sound effect
mine_sapphire1
Sound effect
mine_sapphire2
Sound effect
mine_sapphire3
Sound effect
song1
Music
song2
Music
song3
Music
song4
Music
song5
Music
song6
Music
song7
Music
song8
Music
song9
Music
song10
Music
song11
Music
song12
Music
song1a
Music
song1b
Music
song2a
Music
song2b
Music
song3a
Music
song3b
Music
song4a
Music
song4b
Music
song5a
Music
song5b
Music
song6a
Music
song6b
Music
song7a
Music
song7b
Music
song8a
Music
song8b
Music
song9a
Music
song9b
Music
song10a
Music
song10b
Music
song11a
Music
song11b
Music
song12a
Music
song12b
Music