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
Sort versions from highest to lowest
Search for apps via terms ("Last day on Earth")
Custom entity input ("software,iPadSoftware")
Version sorting (BUGGY, I wouldnt really call this a feature bc of its state but its here anyway)
Search w/ country codes ("US")
Limit results
Search results via Genre ("Games")
Filters any junk data from results (art work, description etc)
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:
Almost 0 Plans for this. Might add more sorting/filters to the script.
Installing 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.