Jump to content

Leaderboard

Popular Content

Showing content with the highest reputation since 08/16/2025 in Files

  1. Version 1.0.1

    1,822 downloads

    Il2CppGG A comprehensive toolkit for inspecting and manipulating Il2Cpp structures within GameGuardian, implemented in Lua. Telegram Github Description Il2CppGG is an advanced Lua-based toolkit designed for GameGuardian, enabling detailed analysis and modification of Il2Cpp metadata, classes, methods, fields, types, and objects. It now includes memory hooking capabilities for game modification and reverse engineering, as well as class dumping to C# format. Author: LeThi9GG Features - Automatic Il2Cpp Version Detection: Supports versions from v22 to v31 with seamless adaptation. - Comprehensive Metadata Support: Parse global metadata, including strings, generics, and parameters. - Class Inspection: Retrieve class details, fields, methods, and properties; search by name for efficiency. - Type System Analysis: Detailed handling of types, including generics, arrays, and value types. - Object Manipulation: Locate and modify Il2Cpp objects in memory, with filtering for accuracy. - Safe Memory Operations: Read and write memory via GameGuardian for secure interactions. - Intelligent Caching: Optimized performance through caching mechanisms. - Name-Based Search: Easily locate fields and classes by name without requiring addresses. - Memory Hooking (New): Hook methods, parameters, fields, and calls for real-time modifications (from Hook.lua). Supports 32-bit and 64-bit architectures with jump opcodes. - Class Dumping (New): Export classes to C# format, including field offsets, method RVAs, and attributes (from Dump.lua). - Parameter Handling (New): Manage Il2Cpp parameters with names, tokens, and types (from Param.lua). Requirements - GameGuardian installed on an Android device. - A target application utilizing the Il2Cpp framework. - Basic proficiency in Lua programming. Installation 1. Download the [build/Il2CppGG.lua](/build/) file from the repository. 2. Place it in GameGuardian's scripts directory. 3. Load the `Il2CppGG.lua` script within GameGuardian. Build - Execute the `buildLT9.lua` script in GameGuardian to generate `build/Il2CppGG.lua`. Project Structure Il2CppGG/ ├── Androidinfo.lua (Android device information helper) ├── buildLT9.lua (Module bundling build script) ├── Class.lua (Il2Cpp class module) ├── Field.lua (Il2Cpp field module) ├── Il2Cpp.lua (Core module for versioning and utilities) ├── Image.lua (Il2Cpp image/assembly module) ├── init.lua (Development entry point) ├── Meta.lua (Il2Cpp metadata module) ├── Method.lua (Il2Cpp method module) ├── Object.lua (Memory object manipulation) ├── Struct.lua (Version-specific Il2Cpp structures) ├── Type.lua (Il2Cpp type module) ├── Universalsearcher.lua (Metadata and pointer locator) ├── Version.lua (Version detection and structure selection) ├── Param.lua (Parameter operations module) ├── Hook.lua (Memory hooking for modification and reverse engineering) ├── Dump.lua (Class dumping to C# format) ├── test.lua (Usage examples for hooking and dumping) └── build/ └── Il2CppGG.lua (Bundled production script) For general usage, only `build/Il2CppGG.lua` is required. The remaining files support development and contributions. Detailed API Documentation Core Module (Il2Cpp.lua) Handles initialization, versioning, and core utilities. require("Il2CppGG") -- Check architecture print("64-bit:", Il2Cpp.x64) print("Pointer size:", Il2Cpp.pointSize) -- Read value from memory local value = Il2Cpp.gV(0x12345678, Il2Cpp.pointer) print("Value at address:", value) -- Read pointer local ptr = Il2Cpp.GetPtr(0x12345678) print("Pointer value:", string.format("0x%X", ptr)) -- Convert UTF-8 string local text = Il2Cpp.Utf8ToString(0x12345678) print("String value:", text) Class Module (Class.lua) Represents an Il2Cpp class. -- Find class by name local playerClass = Il2Cpp.Class("Player") -- Retrieve information print("Class name:", playerClass:GetName()) print("Namespace:", playerClass:GetNamespace()) print("Instance size:", playerClass:GetInstanceSize()) -- Fields local fields = playerClass:GetFields() print("Number of fields:", #fields) local healthField = playerClass:GetField("health") -- Methods local methods = playerClass:GetMethods() local updateMethod = playerClass:GetMethod("Update", 0) -- 0 parameters -- Instances local instances = playerClass:GetInstance() print("Number of instances:", #instances) Field Module (Field.lua) Represents a field in an Il2Cpp class. -- Find field local health = Il2Cpp.Field("health") -- Information print("Field name:", health:GetName()) print("Offset:", health:GetOffset()) print("Type:", health:GetType():GetName()) -- Get/Set value local objAddress = 0x12345678 local val = health:GetValue(objAddress) health:SetValue(objAddress, 100) -- Static fields if health:IsNormalStatic() then health:StaticSetValue(9999) end Method Module (Method.lua) Represents an Il2Cpp method. local method = Il2Cpp.Method(0x12345678) print("Method name:", method:GetName()) print("Return type:", method:GetReturnType():GetName()) print("Parameter count:", method:GetParamCount()) local params = method:GetParam() for i, param in ipairs(params) do print("Parameter " .. i .. ":", param.name, param.type:GetName()) end Type Module (Type.lua) Represents an Il2Cpp type. local typeObj = Il2Cpp.Type(0x12345678) print("Type name:", typeObj:GetName()) print("Is value type:", typeObj:IsValueType()) print("Is generic instance:", typeObj:IsGenericInstance()) Object Module (Object.lua) Locates and manipulates objects in memory. local players = Il2Cpp.Object:FindObjects(playerClass.address) print("Number of players:", #players) Image Module (Image.lua) Represents an Il2Cpp assembly. local image = Il2Cpp.Image("Assembly-CSharp") print("Image name:", image:GetName()) local types = image:GetTypes() local player = image:Class("", "Player") Meta Module (Meta.lua) Handles global Il2Cpp metadata. local str = Il2Cpp.Meta:GetStringFromIndex(123) print("String:", str) Hook Module (Hook.lua) (New) Enables memory hooking for modifications. -- Hook field via method local lateUpdate = playerClass:GetMethod("LateUpdate") local points = playerClass:GetField("points") local _lateUpdate = lateUpdate:field() _lateUpdate:setValues({{offset = points.offset, flags = "int", value = 9999}}) gg.sleep(10000) _lateUpdate:off() -- Hook method parameters local addPoints = playerClass:GetMethod("addPoints") local _addPoints = addPoints:method() _addPoints:param({{param = 1, flags = "int", value = 999999}}) gg.sleep(10000) _addPoints:off() Dump Module (Dump.lua) (New) Dumps classes to C# format. local dump = require("Dump") print(dump(playerClass)) -- Outputs C# class representation Advanced Examples From test.lua: -- Retrieve image local Assembly = Il2Cpp.Image("Assembly-CSharp") -- Class retrieval local PlayerScript = Assembly:Class(nil, "PlayerScript") -- Method/Field local LateUpdate = PlayerScript:GetMethod("LateUpdate") local points = PlayerScript:GetField("points") -- Set field value local obj = PlayerScript:GetInstance() points:SetValue(obj, 1000) -- Dump class print(PlayerScript:Dump()) -- Hooking examples as above Notes - This toolkit is intended for educational and research purposes only. Use it responsibly. - Certain features may depend on specific Il2Cpp versions. - Exercise caution when modifying memory, as it may lead to application instability. Author LeThi9GG – Specialist in Il2Cpp reverse engineering. Contributing Contributions, bug reports, and feature requests are welcome. Please refer to the issues page. License This project is licensed for educational and research use. Respect the terms of service for any analyzed applications. Full documentation is available on the Wiki
    2 points
  2. Version 1.1.0

    1,959 downloads

    This is a completely free script. The script will update automatically. It has more than 30+ functions. Join my group to hack other survival games: https://t.me/+HuACKfph5_gyYTdl
    2 points
  3. Version v15.03

    1,096 downloads

    BUILD A WORLD OF POWERFUL DRAGONS. PLAY “DRAGON VILLAGE” TO RAISE, FEED AND BREED YOUR OWN LOVABLE, FRIENDLY, ADORABLE DRAGONS. BREATHE LIFE INTO DRAGONS AND PREPARE THEM FOR COMPETITIVE BATTLES. BUILD YOUR OWN LANDS, CHARACTERIZE THEM WITH DIFFERENT NAMES, ASSIGN THE VILLAGERS TO WORK, HAVE YOUR OWN PET DRAGONS AND FIGHT WITH DIFFERENT DRAGONS. DM ME TO GET OPEN SOURCE VERSION. GAME LINK: APKCOMBO SCRIPT MENU: - INFINITE FOOD - INFINITE GOLD - INFINITE GEM
    1 point
  4. Version 1.0.0

    106 downloads

    Game: Bad 2 Bad: Apocalypse Version: 3.4.0 Main Menu Weapons Menu • HighDamage (Wilder) • HighDamage (Furry) • HighDamage (Human) • HighDamage (Titan) • Fast Fire Rate • BulletStorm • NoRecoil • FastReload • InfiniteAmmo Enemies Menu • Fast Enemy Mobility • Freeze • Big Monsters Camera Menu • HighCamera • StableView Combat Menu • HighDamage (Player + NPCs) Player Menu • CombatPoint • DisableDurabilityLoss • EnemyLootBonus • FastMobility • SetMaxLevel Shops Menu • Free All Items (Support Supply Shop) • NoLimit • FreeTrade • EndlessItems
    1 point
  5. Version 1.0.1

    339 downloads

    Credits:Collen Luckyday999 Game Link - https://apkcombo.com/alto-s-adventure/com.noodlecake.altosadventure/ SCRIPT MENU: - UNLOCK SKIN - REMOVE ADS - DOUBLE COIN - HIGH JUMP - SPEED HACK - LOW GRAVITY - AUTO COLLECT 4 LAMAS - COOL CHAMS - BUY WING SUIT GET $$$ - INFINITE COIN
    1 point
  6. Version 3.52.1-85059

    2,472 downloads

    *Only works for 64 bit devices* Script menu includes: - Coins,keys,tokens,etc. hack - Powerup hacks - Making in-app purchases free - Event hacks
    1 point
  7. Version 2.8100.8221551

    409 downloads

    Functions: • Skip the Current Level • Infinite Moves • Get Elements • Get Gold For emulators only x64 bit
    1 point
  8. Version v1.3728

    141 downloads

    BRUTAL STRIKE IS THE FAST-PACED MULTIPLAYER FIRST-PERSON SHOOTER EXPANDS UPON THE TEAM-BASED ACTION GAMEPLAY. FEATURES NEW MAPS, CHARACTERS, WEAPONS, AND GAME MODES, AND DELIVERS UPDATED VERSIONS OF THE CLASSIC CONTENT. DM ME TO GET OPEN SOURCE VERSION. GAME LINK: APKCOMBO SCRIPT MENU: - INFINITE MONEY - DUMB ENEMY - SUPER JUMP - SPEED HACK - INFINITE AMMO
    1 point
  9. Version 1.0.2

    518 downloads

    This is an open source game script of traffic racer . Anyone can use it. There are: Cash, Life, Car, Speed etc Hacks Only for 64bit . Made for version 3.7 but can try on others.
    1 point
  10. Version v25.0828.00

    116 downloads

    STEP INTO BRICK OUT: SHOOT THE BALL, THE MOST ADDICTIVE AND SATISFYING BRICK BREAKER ON MOBILE. AIM, SHOOT, AND DESTROY BRICKS ACROSS THOUSANDS OF THRILLING LEVELS—NOW WITH A SMOOTHER, CLEANER EXPERIENCE. NO INTERRUPTIONS, NO FORCED ADS. ONLY OPTIONAL REWARD ADS WHEN YOU CHOOSE TO EARN BONUSES! DM ME TO GET OPEN SOURCE VERSION. GAME LINK: APKCOMBO SCRIPT MENU: - INFINITE GEM
    1 point
  11. Version v1.77.27

    97 downloads

    THE KING'S SCEPTER OF THE SEVEN KINGDOMS WAS PERFIDIOUSLY STOLEN FROM THE THRONE ROOM. THE KINGS HAVE SUMMONED THE MIGHTIEST HEROES OF MAGIC AND OFFERED A GENEROUS BOUNTY TO THE PERSON, WHO RETURNS IT. DM ME TO GET OPEN SOURCE VERSION. GAME LINK: APKCOMBO SCRIPT MENU: - FREE SHOPING - FREE RESOURCE - UNLOCK SKIN - SPELL LEVEL - HITKILL + GODMODE
    1 point
  12. Version v2.6.0

    51 downloads

    STEP INTO THE RING AND EXPERIENCE THE ADRENALINE-PUMPING WORLD OF BOXING LIKE NEVER BEFORE WITH BOXING FIGHTING CLASH! THIS EXHILARATING BOXING SIMULATOR OFFERS AN IMMERSIVE GAMING EXPERIENCE THAT WILL KEEP YOU HOOKED FROM THE FIRST JAB TO THE FINAL KNOCKOUT! DM ME TO GET OPEN SOURCE VERSION. GAME LINK: APKCOMBO SCRIPT MENU: - DUMB ENEMY - UNLOCK STYLE FIGHT (FREE SHOPING) - DAMAGE MULTIPLIER
    1 point
  13. Version v1.13.0

    706 downloads

    DIVE INTO THE EXCITING WORLD OF BLOCKFIELD, A CUTTING-EDGE PIXEL SHOOTER THAT TAKES THE THRILL OF FIRST-PERSON SHOOTER GAMES TO A WHOLE NEW LEVEL! WHETHER YOU’RE GEARING UP FOR A BRUTAL GUN SIMULATOR OR EXPLORING EPIC MISSIONS AND LOCATIONS, THIS BLOCK SHOOTER DELIVERS NONSTOP ACTION AND EXCITEMENT. OUR ONLINE MULTIPLAYER FPS COMBINES THE STRATEGIC INTENSITY OF TEAM GAMES WITH THE CREATIVITY OF PIXEL GAMES AND THE CHAOS OF KILLING GAMES. DM ME TO GET OPEN SOURCE VERSION. GAME LINK: APKCOMBO SCRIPT MENU: - UNLOCK SKIN - FREE SHOPING - AIMLOCK - INFINITE AMMO - NO FIRE RATE - ONE HITKILL - NO RECOIL
    1 point
  14. Version v1.7.7

    116 downloads

    THE BLOONS HAVE INVADED THE LAND OF OOO AND IT’S UP TO FINN, JAKE AND THE MONKEYS TO STOP THEM! BLOONS ADVENTURE TIME TD IS AN AWESOME CROSSOVER BETWEEN THE AWARD-WINNING ANIMATED SERIES ADVENTURE TIME AND THE #1 TOWER DEFENSE GAME, BLOONS TD! DM ME TO GET OPEN SOURCE VERSION. GAME LINK: APKCOMBO SCRIPT MENU: - NO TOWER COST - MAX TOWER LEVEL - UNLOCK ALL TOWER - HITKILL - CASH MULTIPLIER
    1 point
  15. Version v41

    67 downloads

    TRY BLOCKY COMBAT STRIKE MULTIPLAYER MODES IN 3D, WHERE YOU CAN FIGHT AGAINST PLAYERS WORLDWIDE. PLAY THIS GAME, ZOMBIE TSUNAMI APOCALYPSE, IN PIXEL GAMES MULTIPLAYER AND SINGLE-PLAYER MODES IN 3D GAMES OFFLINE, WHERE YOU CAN FIGHT VERSUS PIXEL GAMES FROM AROUND THE GLOBE. DM ME TO GET OPEN SOURCE VERSION. GAME LINK: APKCOMBO SCRIPT MENU: - DUMB ENEMY - WALK SPEED - SUPER JUMP
    1 point
  16. Version V-1

    304 downloads

    Change Summoned Deads into Order units in Stick War Saga.
    1 point
  17. Version v05 20251403

    18,751 downloads

    UPDATED 30 Mar 2025 ( 220 Total Games ) ** No longer able to hack/update after phone upgraded ** 1945 Air Force 3D Pool Ball ACE Fighter Agent J Aliens vs Zombies Almost A Hero Ancient Allies TD Angry Birds 2 AnimA Archero Arrow Quest Attack Hole Auto Hero Awesome Tanks Ball Blast Bang Bang Rabbit Battle Strategy TD BeatStar Beyblade Rivals Bladebound Blitz: R.o.Heroes Boom Castle Boom Stick BounceMasters Bowmasters Box Head ZMD Brawl Fighter Brick Inc Bricks Breaker GB Bullet Echo Bullet Echo India CarX Highway Catapult King Chill & Kill Clan Race Clash of Destiny Conquer the Tower Conquer the Tower 2 Crossy Road Cyber Surfer DC Heroes & Villains Dead Ahead ZW Dead Raid ZS 3D Dead Trigger Dead Trigger 2 Dead Warfare Death Invasion Surv Defenders 2 Defense Legend 5 Demon Blade Devil Eater Dice Dreams Disney Heroes BM Doomsland Dragon Ball Legends Dragon POW! Dream Defense Dust Settle Dye Hard Endless Frontier Epic Stickman Faily Brakes 2 Fight for America Final Galaxy Fire Hero 2 Forged Fantasy Frozen: Free Fall Fruit Ninja 1 Fruit Ninja 2 Galaxiga Galaxy Attack SG Galaxy Shooter AFW Gems of War Grow Castle Grunt Rush Gun War Hero Blitz Hero Factory Heroes of Mavia Heroes vs Hordes Hockey All Stars 24 Honor Bound Horizon Chase Hyper Heroes Idle Hero TD Impossible Space Imposter Battle Royale Impostor Shooter MR Infinity Ops Infinity Shooter OS Injustice Gods A.U. Into the Dead 2 Island War Jewel World Museum Jurassic Monster World King of Defense Kingdom Clash Last Hero S.A Left to Survive Legion Master Lilys Garden Lonely Survivor Loot Heroes Mad Skills MX3 Magic Rampage Magic Siege Major Gun 2 MARVEL C.o.Champions Match Hit Meow Hunter Merge Archers Mini Golf King Mini TD 2 Mob Control Modern Sky War Moto Rider BRG Mr. Autofire NecroMerger NERF Superblast NFL Rivals Ninja Turtle Legends NonStop Knight 2 Otherworld Legends Pac Man 256 Panda Pop BS Perfect Kick 2 Pocket Necromancer Pokemon Quest POOKING Billliards City Pool Stars Puzzle Brawl Quest 4 Fuel R.A.C.E. Racing Legends Raid Royal 2 TD Raid Rush Raiden Fighter Ramboat 2 Real Steel Boxing Champ Realm Defense Red Siren Rival Kingdoms Robot Warfare Rodeo Stampede Royal Match Sci-Fi TD Module Shadow Gun ESW Shadow Knights Shadow Legends S.F. Shadow of Death Shadow Slayer Shadowgun Legends Shooter.io.WS SkullGirls Sky Force Reloaded Slash and Girl Slime Castle Smash Bandits Sniper 3d Sniper Strike Sonic Boom 2 Space Shooter GA Squad Alpha Star Force Steampunk Tower Steel Rage Stick Ninja 3v3 Stick War Saga Stickman Archer Online Storm Blades Street Racing 3D Stupid Zombies 1 Subway Match Survive Squad Surivor Z Swamp Attack 2 Tacticool Tank Combat WB Tank Hero Tank Stars Tap Titans 2 Tiny Gladiators 1 Tiny Gladiators 2 Top Troops Tower and Swords Tower Conquest Tower Defense BZ Tower Gunner ZS Towerlands Toy Blast Traffic Rider Transformers Bumblebee Transmute: GB Turret Defense King Undead City ZS Undead VS Demon Under Dark Unkilled Wacky Battles War Commander R.A. War Heroes War Inc : Rise War Strategy Game Warhammer 40k Tacticus Warzone Commander Wind Wings World of Artillery World Robot Boxing World Robot Boxing 2 WWE Mayhem WWII Defence Zombeast Zombie Defense Zombie Fire 3d Zombie Hunter Zombie State Zombie Warfare TDP Zombies Boom Zombtube
    1 point
  18. Version 1.0.0

    1,632 downloads

    Encrypt lua
    1 point
  19. Version 4.4.0

    3,526 downloads

    Demo video demo video 2 probably doenst work on 32 bit features: unlock Vu and Mayor pass get the following stuff through vu and mayor pass: war cards train cards currencies: sims neosims rail sims regional warsims simcash keys rail tokens storage boosts seasonal currency blueprints in custom presets: land expansions, tickets, and bonus factory slot put any item in factory using item tool change production time, XP reward, and multiplier for factory remove material and level production requirements Building tool: generates building lists filtered by tags get buildings from factory or from pass replace already built buildings move and rotate buildings change population of each building type get rid off item requirements for war cards make war card upgrades free freeze price and quantity when putting items up for sale max storage clear storage get boosters change road prices get unlimited design sims complete mayor contest assignments credit to bob for parts of the code
    1 point
  20. Version v200623

    3,037 downloads

    PICK TWO ANIMALS AND THE GAME WILL COMBINE THEM TOGETHER USING ARTIFICIAL INTELLIGENCE! EACH ANIMAL YOU CREATE HAS ITS OWN UNIQUE ABILITIES AND POWERS! SURVIVE AND EXPLORE IN A HUGE RANDOMLY GENERATED WORLD. THERE'S LOTS TO DO: COMPLETE QUESTS, BATTLE MONSTERS, DECORATE YOUR HOUSE, OR EVEN CREATE A TOWN OF YOUR OWN! WITH THE MOST RECENT UPDATES, YOU CAN PLAY WITH YOUR FRIENDS TOO! GAME LINK: APKCOMBO SCRIPT MENU: - LEVEL EDIT - WALK SPEED - INFINITE SKILL POINT - ZOOM VIEW - INFINITE GENOME - INFINITE MANA - GOD MODE
    1 point
  21. Version 3.0.1

    364 downloads

    (1) Quick Completion (2) No Ads
    1 point
  22. Version 159.5

    48,512 downloads

    Script for lua gg encryption (offline). ✓ Block Loader. ✓ Support all type strings. ✓ Super Loud Decrypt. ✓ Support Comment encryption. Problem : Telegram Beta version
    1 point
  23. Version v1.8.24

    231 downloads

    JOIN ALTO AND HIS FRIENDS AS THEY EMBARK ON AN ENDLESS SNOWBOARDING ODYSSEY. JOURNEY ACROSS THE BEAUTIFUL ALPINE HILLS OF THEIR NATIVE WILDERNESS, THROUGH NEIGHBOURING VILLAGES, ANCIENT WOODLANDS, AND LONG-ABANDONED RUINS. ALONG THE WAY YOU'LL RESCUE RUNAWAY LLAMAS, GRIND ROOFTOPS, LEAP OVER TERRIFYING CHASMS AND OUTWIT THE MOUNTAIN ELDERS – ALL WHILE BRAVING THE EVER CHANGING ELEMENTS AND PASSAGE OF TIME UPON THE MOUNTAIN. GAME LINK: APKCOMBO SCRIPT MENU: - UNLOCK SKIN - REMOVE ADS - DOUBLE COIN - HIGH JUMP - INFINITE COIN
    1 point
  24. Version v1.4.015

    105 downloads

    TANK ATTACK 5 PLUNGES YOU INTO THE THRILL OF WORLD WAR II TANK WARFARE. YOUR MISSION? GEAR UP FOR INTENSE BOSS BATTLES BY UPGRADING AND CUSTOMIZING YOUR FLEET. COLLECT COINS AND PARTS FROM EACH SKIRMISH TO ENHANCE YOUR TANKS, ADDING FIREPOWER, ARMOR, AND FRESH PAINT TO BLEND SEAMLESSLY WITH THE BATTLEGROUND. EXPAND YOUR GARAGE WITH ICONIC SOVIET AND GERMAN TANKS, INCLUDING THE T-34, KV-2, IS-7, OBJECT 277, PANTHER, TIGER, MOUSE, AND LEOPARD. GAME LINK: APKCOMBO SCRIPT MENU: - UNLIMITED CASH - UNLIMITED DETAILS - NO RELOAD - GOD MODE - HITKILL - NO RECOIL
    1 point
  25. Version 4.8.40

    9,686 downloads

    This Script For CPM2
    1 point
  26. Version 12.6.8.6.3

    31,348 downloads

    REAL RACING 3 CARS/EVENTS UNLOCKER Current version: 12.6.8.6.3 Working RR3: 12.6.8 Description: Run this script to unlock all cars and old closed events/races!!! Instructions: Run the script wherever you want, then go to the garage and get any car for free (also old nascar cars). Script will re-open old finished events Known issues: May not work on all devices/emulators. Note: Video:
    1 point
  27. Version 1.0

    269 downloads

    This script addresses GG not supporting tagged pointers natively by providing two features (going to pointer and searching pointers) that work for both regular and tagged pointers. Additionally, pointer search supports searching pointers for multiple targets at once. Script is used by selecting item(s) for desired operation in any of GG interface tabs and pressing "Sx" button to invoke script menu and choose the operation. Credits: - @BadCase - for method of searching for tagged pointers to multiple targets at once.
    1 point
  28. Version 6.0.1

    13,431 downloads

    This Script Is No Longer Being Maintained By The Author Itself. Due, To Frequent Updates Of The Game I Decided To Take A Break From Maintaining & Updating This Script, Because Maintaining This Script Is Very Difficult Unlike Any Other Of My Script I Can Maintain Them And Keep Them Up To Date Easily. Credits To : @999Luckyday
    1 point
  29. Version 8.1 GG + 10.4 GG

    565,646 downloads

    Requires Android: Android 4.0.3 (Ice Cream Sandwich MR1) or later. For Android less 5.0 (Lollipop) use old version: Multi (#1vz5hagw) There is support for x86. Video: No root via Multi - GameGuardian (#1bmkdtjj) Before installing the optimized version, uninstall the version from Google Play. Differences of the optimized version: no error 105, support for x86. About second apk (Multi-64Bit) You do not need to install it if you do not intend to crack 64-bit games.
    1 point
  30. Version 101.1

    209,758,011 downloads

    Overview: Play games your way! “GameGuardian” is a game cheat / hack / alteration tool. With it, you can modify money, HP, SP, and much more. You can enjoy the fun part of a game without suffering from its unseasonable design. Requires Android: 2.3.3+ GameGuardian Features Summary Runs on ARM, x64 and x86 devices, including x86 emulators (LDPlayer, Droid4X, MOMO, KOPlayer, Andy, Memu, Leapdroid, AMIDuOS, Windroye, RemixOS, PhoenixOS, AVD, Genymotion, Nox, BlueStacks etc.) Supports Android 2.3.3+ (Gingerbread) through Lollipop (5+), Marshmallow (6+), Nougat (7+), Oreo (8+), Pie (9+), 10+. Support work without root via different virtual spaces. Support different emulators like PPSSPP, ePSXe, GameBoy etc. Game deceleration and acceleration (speedhack) for ARM and x86 devices, including x86 emulators. Also supports both 32-bit and 64-bit applications on 64-bit devices using speedhack. Search feature: encrypted values. Search of unknown values when specifying the difference between values. Search addresses by mask. Explicit and "fuzzy" numeric searches. Text (String, Hex, AoB) search. Supports: Double, Float, Qword, Dword, XOR, Word, Byte, or Auto data-type searches. Lua scripting support. Modify all search results at once. Filtering of search results (address greater than and less than, value greater than and less than). Search in the background feature. 'The fill' feature. Time jump feature. Dump memory. Copy memory. Customizable UI. App locale for over 50 languages. And, much, much more. Notes: ** ROOT or VIRTUAL ENVIRONMENT ONLY ** This tool only works on rooted devices or in virtual environment (without root in limited mode)! GG can work in limited mode without root, through a virtual environment. For example, through Parallel Space, VirtualXposed, Parallel Space Lite, GO multiple, 2Face and many others. Read the help for more details. You can find more information about rooting your device at XDA Developers. Want to help us improve, or add a translation? Then please visit thread "If you want to add a new translation or improve an existing". If you are having issues with the app, please visit thread "Gathering information about GG errors". Want to donate and help keep the project going? That's awesome! You can donate any amount (anything helps) here: Donate Need help with how to use this application? Please visit "Video tutorials" and forum "Guides". Credit: @d2dyno - Owner, lead designer, project management. @Enyby - Lead coder, project management. @Trasd - Technical consultant, project management. @Aqua - Creator (retired).
    1 point
  31. Version 1.94.2

    2,765 downloads

    Instructions are given in the script! It works for any offline games and for some online games if you follow the instructions properly! It's the Simplest and lightweight to use!! Works for PUBG, LITE, FF, MAX, COD and so on. Check out my website if you are a science and Olympiad enthusiast: https://neopi.xyz Game Guardian Multi-Hack Script - INSTRUCTIONS** **Features:** - **Value Modifier** (AUTO search) - **Speed Hack** ** HOW TO USE** 1. **Requirements:** - Rooted Android or Virtual Space (e.g., VMOS, F1 VM). - Game Guardian (GG) installed. - Target game running in background. 2. **Setup:** - Open GG, select the target game process. - Load this script via GG’s Lua editor. 3. **Options Explained:** - ** VALUE MODIFIER** - Enter the original value (e.g., current gold/health). - Enter the new value (e.g., 999999). - Choose " YES" to freeze (prevent value from changing). - ** SPEED HACK** - Enter multiplier (e.g., `2.0` for 2x speed, `0.5` for slow motion). 4. **Troubleshooting:** - **No results found?** - Try exact values or refine searches manually in GG. - **Game crashes?** - Disable "Freeze" or reduce the number of modified values. - **Speed hack not working?** - Some games block speed modifications. Try different values. # ** WARNINGS** - **Online Games:** Using hacks may get you banned! - **Overwriting Values:** Incorrect values can crash the game. Backup saves if possible.
    0 points
  32. Version 4.8.17.6

    131,507 downloads

    CAR PARKING MULTIPLAYER SCRIPT SCRIPT FEATURES- COIN HACK and GOLD HACK I will explain how to use HOW TO USE COIN HACK? 1) GO TO MAIN MENU 2) APPLY COIN HACK 3) CLICK ON THAT INSTAGRAM FOLOW BUTTON +$5000 4) YOUR HACK IS DONE HOW TO USE GOLD HACK? 1) GO TO MAIN MENU 2) GO TO DRIVER 3) GO TO ANIMATIONS (down left) 4) NOW BUY 2 showing -99999 ( if didn't show restart and apply again) 5) now buy after buying 2 items , now buy -214 like something value 6) boom your gold is hacked FOLLOW US ON TELEGRAM TO GET LATEST UPDATES https://t.me/TheGamecheaters IN THE CHANNEL YOU CAN CONTACT THE CREATOR EASILY
    -1 points
×
×
  • Create New...

Important Information

We have placed cookies on your device to help make this website better. You can adjust your cookie settings, otherwise we'll assume you're okay to continue.