Jump to content

Fetcher - A simple python script wrote to filter appstore results.


1 post in this topic

Recommended Posts

Updated (edited)

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.

Updated by carpoa
if DEBUG == True -> if DEBUG

Create an account or sign in to comment

You need to be a member in order to leave a comment

Create an account

Sign up for a new account in our community. It's easy!

Register a new account

Sign in

Already have an account? Sign in here.

Sign In Now
  • Our picks

    • Sweet Cube Blast v2603.0.4 [ +3 APK MOD ] Auto Win
      Mod APK Game Name: Sweet Cube Blast
      Rooted Device: Not Required.
      Google Play Store Link: https://play.google.com/store/apps/details?id=com.puzzle1studio.go.sweetcubesmatchblast

      🤩 Hack Features

      - Stars No Need / Task
      - Booster
      - Auto Win
      • 0 replies
    • Hay Day Match v0.9.86 [ +3 APK MOD ] Currency Max
      Mod APK Game Name: Hay Day Match
      Rooted Device: Not Required.
      Google Play Store Link: https://play.google.com/store/apps/details?id=com.playabit.haydaymatch&ref=apkcombo.com

      🤩 Hack Features

      - Unlimited Coins 
      - Lives 0 / Play Unlimited
      - Moves Freeze
      • 0 replies
    • Eras of Wrestling v1.0.23 [ +4 APK MOD ] Currency Max
      Mod APK Game Name: Eras of Wrestling
      Rooted Device: Not Required.
      Google Play Store Link: https://play.google.com/store/apps/details?id=com.cc.eras&ref=apkcombo.com

      🤩 Hack Features

      - Unlimited Cash
      - Unlimited Gold Token
      - Unlimited Silver Token
      - Unlimited Red Token
      • 0 replies
    • Harvest King v10.1 [ +2 APK MOD ] Currency Freeze
      Mod APK Game Name: Harvest King
      Rooted Device: Not Required.
      Google Play Store Link: https://play.google.com/store/apps/details?id=com.semruk.harvestking

      🤩 Hack Features

      - 2X Speed Active
      - Currency Freeze
      • 0 replies
    • SoulGuardians 2 PLUS - GranAge +2 Cheats
      Mod APK Game Name: SoulGuardians 2 PLUS - GranAge
      Rooted Device: Not Required.
      Google Play Store Link: https://play.google.com/store/apps/details?id=com.proximadx.projectsoul

       

      🤩 Hack Features

      - Damage Multiplier
      - Defense Multiplier

       

      ⬇️ Android Mod APK Download Link


      Hidden Content

      Download Modded APK







       

      📖 Android Installation Instructions

      STEP 1: Download the modded APK file from the link above using your preferred Android browser or download manager.
      STEP 2: Once the download is complete, open your file manager and locate the downloaded .apk file (usually in the Downloads folder).
      STEP 3: Tap the APK file, then select Install. If prompted, enable Install from Unknown Sources in your device settings.
      STEP 3A: If the mod includes an OBB file, extract it if it’s inside an archive. Then move the folder to: /Android/obb/
      STEP 3B: If the mod includes a DATA file, extract it if it’s archived. Then move the folder to: /Android/data/
      STEP 4: Once installed, open the game and toggle your desired cheats & features through the APK mod menu. Enjoy!

       

      NOTE: If you have any questions or issues, read our Frequently Asked Questions topic. If you still need help, post your issue below and we’ll assist you as soon as possible. If the mod works for you, please share your feedback to help other members!

       

      🙌 Credits

      - AlyssaX64

       

      📷 Cheat Video/Screenshots

      N/A

       

       iOS & iPadOS App Hacks
      If you’re looking for Non-Jailbroken & No Jailbreak required iOS IPA hacks, visit the iOS Game Cheats & Hacks or the iOSGods App for a variety of modded games and apps for non-jailbroken iOS devices.
      • 13 replies
    • (18+) Star Lusts +2 Jailed Cheats
      <br style="background-color:#1e1f25;color:rgba(255,255,255,0.81);font-size:14px;">
      Modded/Hacked App: Star Lusts By EroLabs<br style="background-color:#1e1f25;color:rgba(255,255,255,0.81);font-size:14px;">
      Bundle ID: com.pinkcore.starlusts<br style="background-color:#1e1f25;color:rgba(255,255,255,0.81);font-size:14px;">
      iTunes Store Link: https://www.ero-labs.com/en/ios2/index.html?id=40

       

      📌 Mod Requirements

      - Non-Jailbroken/Jailed or Jailbroken iPhone or iPad.
      - Sideloadly or alternatives.
      - Computer running Windows/macOS/Linux with iTunes installed.

       

      🤩 Hack Features

      - Damage Multiplier
      - Never Die

       

      ⬇️ iOS Hack Download IPA Link


      Hidden Content

      Download via the iOSGods App







       

      📖 PC Installation Instructions

      STEP 1: Download the pre-hacked .IPA file from the link above to your computer. To download from the iOSGods App, see our iOSGods App IPA Download Tutorial which includes a video example.
      STEP 2: Download Sideloadly and install it on your Windows or Mac.
      STEP 3: Open Sideloadly on your computer, connect your iOS device, and wait until your device name appears in Sideloadly.
      STEP 4: Once your iDevice is recognized, drag the modded .IPA file you downloaded and drop it into the Sideloadly application.
      STEP 5: Enter your Apple Account email, then press “Start.” You’ll then be asked to enter your password. Go ahead and provide the required information.
      STEP 6: Wait for Sideloadly to finish sideloading/installing the hacked IPA. If there are issues during installation, please read the note below.
      STEP 7: 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 8: 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. 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 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

      - AlyssaX64

       

      📷 Cheat Video/Screenshots

      N/A

       
      • 53 replies
    • DRAGON BALL Z DOKKAN BATTLE v5.33.5 +6 Cheats
      Mod APK Game Name: DRAGON BALL Z DOKKAN BATTLE By Bandai Namco Entertainment Inc.
      Rooted Device: Not Required.
      Google Play Store Link: 

       

      🤩 Hack Features

      - Damage Multiplier
      - Freeze HP
      - Weak Enemies
      - Dice 1 , 2 , 3
      - Dokkan Mode
      - Skills Active

       

      ⬇️ Android Mod APK Download Link


      Hidden Content

      Download Modded APK







       

      📖 Android Installation Instructions

      STEP 1: Download the modded APK file from the link above using your preferred Android browser or download manager.
      STEP 2: Once the download is complete, open your file manager and locate the downloaded .apk file (usually in the Downloads folder).
      STEP 3: Tap the APK file, then select Install. If prompted, enable Install from Unknown Sources in your device settings.
      STEP 3A: If the mod includes an OBB file, extract it if it’s inside an archive. Then move the folder to: /Android/obb/
      STEP 3B: If the mod includes a DATA file, extract it if it’s archived. Then move the folder to: /Android/data/
      STEP 4: Once installed, open the game and toggle your desired cheats & features through the APK mod menu. Enjoy!

       

      NOTE: If you have any questions or issues, read our Frequently Asked Questions topic. If you still need help, post your issue below and we’ll assist you as soon as possible. If the mod works for you, please share your feedback to help other members!

       

      🙌 Credits

      - AlyssaX64

       

      📷 Cheat Video/Screenshots

      N/A

       

       iOS & iPadOS App Hacks
      If you’re looking for Non-Jailbroken & No Jailbreak required iOS IPA hacks, visit the iOS Game Cheats & Hacks or the iOSGods App for a variety of modded games and apps for non-jailbroken iOS devices.
      • 19 replies
    • Ghost Hunter Idle +2 Jailed Cheats
      Modded/Hacked App: Ghost Hunter Idle By MOBIRIX
      Bundle ID: com.mobirix.dragongame
      iTunes Store Link: https://apps.apple.com/us/app/ghost-hunter-idle/id6472387499?uo=4

       

       

      Mod Requirements

      - Non-Jailbroken/Jailed or Jailbroken iPhone or iPad.
      - Sideloadly or alternatives.
      - Computer running Windows/macOS/Linux with iTunes installed.

       

      Hack Features

      - Enemy HP Divide
      - Enemy Attack Divide
      - Loot Multiplier


      Jailbreak required iOS hacks: 

       

      iOS Hack Download IPA Link


      Hidden Content

      Download via the iOSGods App







       

      PC Installation Instructions

      STEP 1: Download the pre-hacked .IPA file from the link above to your computer. To download from the iOSGods App, see this tutorial topic which includes a video example.
      STEP 3: Download Sideloadly and install it on your PC.
      STEP 4: Open Sideloadly on your computer, connect your iOS device, and wait until your device name appears in Sideloadly.
      STEP 5: Once your iDevice is recognized, drag the modded .IPA file you downloaded and drop it into the Sideloadly application.
      STEP 6: Enter your Apple Account email when prompted, then press “Start.” You’ll then be asked to enter your password. Go ahead and provide 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. 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 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

      - AlyssaX64

       

      Cheat Video/Screenshots

      N/A
      • 179 replies
    • (Yakuza Online Japan) 龍が如く ONLINE-抗争RPG、極道達の喧嘩バトル +2 Jailed Cheats
      Modded/Hacked App: 龍が如く ONLINE-抗争RPG、極道達の喧嘩バトル By SEGA CORPORATION
      Bundle ID: com.sega.ron
      iTunes Store Link: https://apps.apple.com/jp/app/%E9%BE%8D%E3%81%8C%E5%A6%82%E3%81%8F-online-%E6%8A%97%E4%BA%89rpg-%E6%A5%B5%E9%81%93%E9%81%94%E3%81%AE%E5%96%A7%E5%98%A9%E3%83%90%E3%83%88%E3%83%AB/id1316356431?uo=4


      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:
      - Damage Multiplier
      - Defense Multiplier


      Jailbreak required hack(s): 


      iOS Hack Download IPA Link:

      Hidden Content

      Download via the iOSGods App








      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:
      - AlyssaX64


      Cheat Video/Screenshots:

      N/A
      • 69 replies
    • Dark Tower:Tactical RPG +2 Jailed Cheats
      Modded/Hacked App: Dark Tower:Tactical RPG By Rawhand. Inc
      Bundle ID: com.rawhand.darktower
      App Store Link: https://apps.apple.com/us/app/dark-tower-tactical-rpg/id6748525811?uo=4

       

       

      📌 Mod Requirements

      - Non-Jailbroken/Jailed or Jailbroken iPhone or iPad.
      - Sideloadly or alternatives.
      - Computer running Windows/macOS/Linux with iTunes installed.

       

      🤩 Hack Features

      - Damage Multiplier
      - Defense Multiplier

       

      ⬇️ iOS Hack Download IPA Link


      Hidden Content

      Download via the iOSGods App







       

      📖 PC Installation Instructions

      STEP 1: Download the pre-hacked .IPA file from the link above to your computer. To download from the iOSGods App, see our iOSGods App IPA Download Tutorial which includes a video example.
      STEP 2: Download Sideloadly and install it on your Windows or Mac.
      STEP 3: Open Sideloadly on your computer, connect your iOS device, and wait until your device name appears in Sideloadly.
      STEP 4: Once your iDevice is recognized, drag the modded .IPA file you downloaded and drop it into the Sideloadly application.
      STEP 5: Enter your Apple Account email, then press “Start.” You’ll then be asked to enter your password. Go ahead and provide the required information.
      STEP 6: Wait for Sideloadly to finish sideloading/installing the hacked IPA. If there are issues during installation, please read the note below.
      STEP 7: 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 8: 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. 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 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

      - AlyssaX64

       

      📷 Cheat Video/Screenshots

      N/A
      • 39 replies
    • Town Guardians +4 Jailed Cheats
      Modded/Hacked App: Town Guardians By Epixel Games Inc
      Bundle ID: com.epixelgames.townguardians
      App Store Link: https://apps.apple.com/ph/app/town-guardians/id6748179942?uo=4

       

       

      📌 Mod Requirements

      - Non-Jailbroken/Jailed or Jailbroken iPhone or iPad.
      - Sideloadly or alternatives.
      - Computer running Windows/macOS/Linux with iTunes installed.

       

      🤩 Hack Features

      - Damage Multiplier
      - Defense Multiplier
      - Attack Speed Multiplier
      - Loot/Drop/Rewards Multiplier

       

      ⬇️ iOS Hack Download IPA Link


      Hidden Content

      Download via the iOSGods App







       

      📖 PC Installation Instructions

      STEP 1: Download the pre-hacked .IPA file from the link above to your computer. To download from the iOSGods App, see our iOSGods App IPA Download Tutorial which includes a video example.
      STEP 2: Download Sideloadly and install it on your Windows or Mac.
      STEP 3: Open Sideloadly on your computer, connect your iOS device, and wait until your device name appears in Sideloadly.
      STEP 4: Once your iDevice is recognized, drag the modded .IPA file you downloaded and drop it into the Sideloadly application.
      STEP 5: Enter your Apple Account email, then press “Start.” You’ll then be asked to enter your password. Go ahead and provide the required information.
      STEP 6: Wait for Sideloadly to finish sideloading/installing the hacked IPA. If there are issues during installation, please read the note below.
      STEP 7: 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 8: 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. 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 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

      - AlyssaX64

       

      📷 Cheat Video/Screenshots

      N/A
      • 101 replies
    • Merge Gardens +1 Jailed Cheat
      Modded/Hacked App: Merge Gardens By Futureplay Oy
      Bundle ID: com.futureplay.mergematch
      iTunes Store Link: https://apps.apple.com/us/app/merge-gardens/id1464675244?uo=4


      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:
      - Freeze Currencies


      Jailbreak required hack(s): 


      iOS Hack Download IPA Link:

      Hidden Content

      Download via the iOSGods App








      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:
      - AlyssaX64


      Cheat Video/Screenshots:

      N/A
      • 101 replies
×
  • 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