Jump to content

carpoa

Senior Member
  • Posts

    309
  • Joined

  • Last visited

Posts posted by carpoa

  1. 430x0w.webp
    Mod Requirements:
    - Non-Jailbroken/Jailed or Jailbroken iPhone/iPad/iPod Touch.
    - Sideloadly / Cydia Impactor or alternatives.
    - A Computer Running Windows/macOS/Linux with iTunes installed.


    Hack Features:
    - No Ads
    - God Mode
    - Movement Speed Slider
    - No shot cooldown
    - Unlock All ships
    - Inf cargo storage
    - Currency Freeze and +9999 on spend
    - Inf Currency
    - Unlock ships tab
    - All ships max stars
    - Free Premium


    Jailbreak required hack(s): https://iosgods.com/forum/5-game-cheats-hack-requests/
    Modded Android APK(s): https://iosgods.com/forum/68-android-section/
    For more fun, check out the Club(s): https://iosgods.com/clubs/


    iOS Hack Download IPA Link:

    Hidden Content

    React or reply to this topic to see the hidden content & download link. 👀


    PC Installation Instructions:
    STEP 1: If necessary, uninstall the app if you have it installed on your iDevice. Some hacked IPAs will install as a duplicate app. Make sure to back it up so you don't lose your progress.
    STEP 2: Download the pre-hacked .IPA file from the link above to your computer. To download from the iOSGods App, see this tutorial topic.
    STEP 3: Download Sideloadly and install it on your PC.
    STEP 4: Open/Run Sideloadly on your computer, connect your iOS Device, and wait until your device name shows up.
    STEP 5: Once your iDevice appears, drag the modded .IPA file you downloaded and drop it inside the Sideloadly application.
    STEP 6: You will now have to enter your iTunes/Apple ID email login, press "Start" & then you will be asked to enter your password. Go ahead and enter the required information.
    STEP 7: Wait for Sideloadly to finish sideloading/installing the hacked IPA. If there are issues during installation, please read the note below.
    STEP 8: Once the installation is complete and you see the app on your Home Screen, you will need to go to Settings -> General -> Profiles/VPN & Device Management. Once there, tap on the email you entered from step 6, and then tap on 'Trust [email protected]'.
    STEP 9: Now go to your Home Screen and open the newly installed app and everything should work fine. You may need to follow further per app instructions inside the hack's popup in-game.

    NOTE: iOS/iPadOS 16 and later, you must enable Developer Mode. For free Apple Developer accounts, you will need to repeat this process every 7 days. Jailbroken iDevices can also use Sideloadly/Filza/IPA Installer to normally install the IPA with AppSync. If you have any questions or problems, read our Sideloadly FAQ section of the topic and if you don't find a solution, please post your issue down below and we'll do our best to help! If the hack does work for you, post your feedback below and help out other fellow members that are encountering issues.


    Credits:
    - @carpoa


    Cheat Video/Screenshots:

     

     

     

    Now supporting IPA cheats ❤️
    • Like 14
    • Winner 2
    • Thanks 1
    • Agree 3
  2. Fetcher

    Made only Json & Requests

    Fetcher is a light weight, python script that also outputs all data to a text file in a formatted manor. I will probably update this once or twice.

    Cant post on git because they deleted my main github :/

    This color means default or contextual text.

    It can be used to

    1. Sort versions from highest to lowest
    2. Search for apps via terms ("Last day on Earth")
    3. Custom entity input ("software,iPadSoftware")
    4. Version sorting (BUGGY, I wouldnt really call this a feature bc of its state but its here anyway)
    5. Search w/ country codes ("US")
    6. Limit results
    7. Search results via Genre ("Games")
    8. Filters any junk data from results (art work, description etc)
    9. Callback support (edit the code as it wasn't built with it in mind)

    Might be buggy, not gonna always sort things well. Will try its best <3.

    Plans:

    1. Almost 0 Plans for this. Might add more sorting/filters to the script.

    Installing requests:

    Quote

    pip install requests

     

    Code:

    import json
    import os
    import time
    import requests
    
    DEBUG = False
    PRINT_RESPONSE = False # recommeneded as false because lots of data
    
    def filter(data):
        if not isinstance(data, list):
            raise ValueError("Input data should be a list of dictionaries.")
        
        filtered_data = []
        for item in data:
            if isinstance(item, dict):
                # items to filter, copy paste
                filtered_item = {
                    "currentVersionReleaseDate": item.get("currentVersionReleaseDate"),
                    "primaryGenreName": item.get("primaryGenreName"),
                    "bundleId": item.get("bundleId"), # "com.attackgalaxyshooter.galaxyspaceshooter2020"
                    "sellerName": item.get("sellerName"),
                    "version": item.get("version"),
                    "trackName": item.get("trackName"), # "Galaxy War: Space Shooter"
                    "kind": item.get("kind"), # software
                    "releaseDate": item.get("releaseDate"),
                    "collectionViewUrl": item.get("collectionViewUrl"),
                    "genres": item.get("genres"),
                }
                if DEBUG: print(json.dumps(filtered_item, indent=4))
                filtered_data.append(filtered_item)
            else:
                print(f"Skipping item, not a dictionary: {item}")
        return filtered_data
    
    
    def sorter(data, target, high=False):
        try:
    
            s = sorted(data, key=lambda x: x[target], reverse=high)
    
            if DEBUG:
                print(json.dumps(s, indent=4))
    
            return s
        except Exception as err:
            print(f"[!] Error while sorting: {err}")
            exit(1)
    
    def sortGenre(data, target, includeAllMatching = False):
        sorted_genres = [] # store here
        
        for genre in data:
            
            if isinstance(genre, dict):
            
                genre_name = genre.get('primaryGenreName')
                genre_list = genre.get('genres')
    
                # look for all that match the target
                if includeAllMatching: 
                    if genre_name == target or target in genre_list: 
                        sorted_genres.append(genre)
                else:
                    # only get the matching primaryGenreName
                    if genre_name == target:
                        sorted_genres.append(genre)
    
        return sorted_genres
    
    def sortVer(data, high=False):
        return sorter(data, 'version', high)
    
    def versortCheck(data):
        shouldVerSort = str(input("Sort version? (y/n): ")).upper()
    
        if shouldVerSort == "Y" or shouldVerSort == "YES":
                
            sortHigh = str(input("Sort version High? (y/n) (n = low -> high): ")).upper()
                
            if sortHigh == "Y" or sortHigh == "YES":
                return sortVer(data, True)
            elif sortHigh == "N" or sortHigh == "NO":
                return sortVer(data, False)
            else:
                return data
        else:
            return data
    
    def gensortCheck(data, target):
        shouldGenSort = str(input(f"Sort Genre by {target}? (y/n): ")).upper()
    
        if shouldGenSort == "Y" or shouldGenSort == "YES":
            return sortGenre(data, target)
        else:
            return data # since they dont want to genre sort we will then return the data as it is
    
    def save(data, output):
        
        with open(output, 'a+') as f:
            
            if f.writable:
                f.write(json.dumps(data, indent=4))
                f.close()
            
                if f.closed:
                    print(f"[+] File was closed and wrote to {output}")
                else:
                    ValueError(f"[!] Issue checking if the file is closed successfully. Please make sure you/the program has sufficent privs.")
            
            else:
                ValueError(f"[!] Cannot write to {output}")
    
    def main():
        try:
            limit = int(input("Limit (Number): ")) or 20
            entity = str(input("Entity to search (software,iPadSoftware): ")) or "software,iPadSoftware" 
            country = str(input("Country Code (US): ")).lower() or "us" # country code (us = america)
            term = str(input("Term: ")) or "terminator"
            targetGenre = str(input("Genre (\"Games\"): ")) or "games"
            
            if limit == 0: print("[!] Enter a value higher than 0"); main()
    
            # can add this back just do '&callback={callback}' in the url
            # callback = "fetch_with_cb_cb" # easy function parsing from result <3 apple
    
            output = str(input("Output file (result.txt): ")) or "results.txt"
    
            url = f"https://itunes.apple.com/search?limit={limit}&entity={entity}&country={country}&term={term}"
    
            res = requests.get(url)
    
            if PRINT_RESPONSE:
                print(json.dumps(res.json(), indent=4))
    
            if res.status_code != 200:
                ValueError(f"[!] Response code: {res.status_code}\nURL: {url}\nCorrect issues and try again.")
            
            if json.dumps(res.json().get('resultCount', int)) == '0':
                ValueError(f"[!] No results. Please correct any issues.\nLimit: {limit}\nEntity: {entity}\nCountry Code (default us): {country}\nSearch term: {term}")
            
            raw = res.json().get('results', []) # gets the results
            
            filtered = filter(raw)
    
            versorted = versortCheck(filtered) # i did this so i can shorten the code thats in the block.
    
            # we parse the return from versorted and then use that data
            gensorted = gensortCheck(versorted, targetGenre)
            
            # after we save it
            save(gensorted, output)
    
        except Exception as e:
            print(f"Uh oh you encountered an error!\n{e}")
            input("Press any key to continue")
            time.sleep(5)
            os.system('clear') # change to your distro/os clear equivilent. cls for win.
            main()
    
    if __name__ == '__main__':
        if DEBUG: input("[!] WARNING YOU ARE USING DEBUG [!]\nPRESS ENTER TO CONTINUE\n")
        main()

    Made this for fun. I know you can use the Decrypt IPA store for searching but this could be better due to the filters it gives. All outputs are in a Json string that is indented too for an easier read.

  3. Just now, batchh said:

    The code is already completed, maybe If I find something new I’ll add it 😜

    iGG should definitely add it ahah

    Nice 🥰

    It might be completed now but it could be improved always trust. It should 100% be supported or added in IGG tho.

    Also if your gonna add comments add some summary comments for IDE's. It'd prove very useful for understanding and type correction.

    @Rook maybe, one day? 👀

  4. 5 minutes ago, batchh said:

    There are more useful stuff, i just need to document it right  

    That's just the basic!

    Interesting. Will be following and probably using in some cases while that gets wrote ❤️

     

    Forgot to ask with the hooking/patching when parsing a class/method I am assuming it follows from the Parent class being the game engines class like Unity.DevClass.DevMethod right? 

  5. 4 minutes ago, batchh said:

    Important thing make sure the class is correct! Example of classes: GameEngine.BattleSystem.BattleUnitStatus

    You have different options to use, hooking:

    bool MyHookedFunction(void *_this);
    bool MyOriginalFunction(void *_this)
    {
    	return true;
    }
    
    IL2CPP::Helper::HookStaticMethod("Premium", "isEnabled", 0, MyHookedFunction, MyOriginalFunction);

    Or patching:

    uint64_t isEnabled = IL2CPP::Class::Utils::GetMethodPointerRVA("Premium", "isEnabled", 0);
    patch(isEnabled, "20008052C0035FD6");

    Ye i need to document it :v

    This could actually be more powerful than just patching offsets if used right. Looks like a HQ post. GJ. I’d QL you but this isn’t HF lul

×
  • Create New...

Important Information

We would like to place cookies on your device to help make this website better. The website cannot give you the best user experience without cookies. You can accept or decline our cookies. You may also adjust your cookie settings. Privacy Policy - Guidelines