humblebundle-downloader/humblebundle_downloader/download_library.py

117 lines
5.4 KiB
Python
Raw Normal View History

import os
import json
import parsel
import logging
import requests
logger = logging.getLogger(__name__)
def _clean_name(dirty_str):
allowed_chars = (' ', '_', '.', '-', ':', '[', ']')
2020-01-19 15:40:41 +01:00
clean = []
for c in dirty_str.replace('+', '_'):
if c.isalpha() or c.isdigit() or c in allowed_chars:
clean.append(c)
return "".join(c.strip())
def download_library(cookie_path, library_path, progress_bar=False):
# Load cookies
with open(cookie_path, 'r') as f:
account_cookies = f.read()
cache_file = os.path.join(library_path, '.cache.json')
try:
with open(cache_file, 'r') as f:
cache_data = json.load(f)
except FileNotFoundError:
cache_data = {}
library_r = requests.get('https://www.humblebundle.com/home/library',
headers={'cookie': account_cookies})
2020-01-20 00:39:28 +01:00
logger.debug("Library request: " + str(library_r))
library_page = parsel.Selector(text=library_r.text)
2020-01-19 15:40:41 +01:00
orders_json = json.loads(library_page.css('#user-home-json-data')
.xpath('string()').extract_first())
2020-01-19 15:40:41 +01:00
for order_id in orders_json['gamekeys']:
2020-01-20 00:39:28 +01:00
order_url = 'https://www.humblebundle.com/api/v1/order/{order_id}?all_tpkds=true'.format(order_id=order_id) # noqa: E501
2020-01-19 15:40:41 +01:00
order_r = requests.get(order_url,
headers={'cookie': account_cookies})
2020-01-20 00:39:28 +01:00
logger.debug("Order request: " + str(order_r))
order = order_r.json()
bundle_title = _clean_name(order['product']['human_name'])
2020-01-20 00:39:28 +01:00
logger.info("Checking bundle: " + str(bundle_title))
for item in order['subproducts']:
item_title = _clean_name(item['human_name'])
# Get all types of download for a product
for download_type in item['downloads']:
2020-01-19 15:40:41 +01:00
# Type of product, ebook, videos, etc...
# platform = download_type['platform']
item_folder = os.path.join(
library_path, bundle_title, item_title
)
# Create directory to save the files to
try: os.makedirs(item_folder) # noqa: E701
except OSError: pass # noqa: E701
# Download each file type of a product
for file_type in download_type['download_struct']:
url = file_type['url']['web']
ext = url.split('?')[0].split('.')[-1]
2020-01-20 00:39:28 +01:00
file_title = item_title + "." + ext
filename = os.path.join(item_folder, file_title)
item_r = requests.get(url, stream=True)
2020-01-20 00:39:28 +01:00
logger.debug("Item request: {item_r}, Url: {url}"
.format(item_r=item_r, url=url))
2020-01-19 15:40:41 +01:00
# Not sure which value will be best to use, so use them all
file_info = {
'md5': file_type.get('md5'),
'sha1': file_type.get('sha1'),
'url_last_modified': item_r.headers['Last-Modified'],
'url_etag': item_r.headers['ETag'][1:-1],
'url_crc': item_r.headers['X-HW-Cache-CRC'],
}
if file_info != cache_data.get(filename, {}):
if not progress_bar:
2020-01-20 00:39:28 +01:00
logger.info("Downloading: {file_title}"
.format(file_title=file_title))
with open(filename, 'wb') as outfile:
total_length = item_r.headers.get('content-length')
if total_length is None: # no content length header
outfile.write(item_r.content)
else:
dl = 0
total_length = int(total_length)
2020-01-19 15:40:41 +01:00
for data in item_r.iter_content(chunk_size=4096): # noqa E501
dl += len(data)
outfile.write(data)
pb_width = 50
done = int(pb_width * dl / total_length)
2020-01-19 15:40:41 +01:00
if progress_bar:
2020-01-20 00:39:28 +01:00
print("Downloading: {file_title}: {percent}% [{filler}{space}]" # noqa E501
.format(file_title=file_title,
percent=int(done * (100 / pb_width)), # noqa E501
filler='=' * done,
space=' ' * (pb_width - done), # noqa E501
), end='\r')
if progress_bar:
2020-01-19 15:40:41 +01:00
# print new line so next progress bar
# is on its own line
print()
cache_data[filename] = file_info
2020-01-19 15:40:41 +01:00
# Update cache file with newest data so if the script
# quits it can keep track of the progress
with open(cache_file, 'w') as outfile:
2020-01-19 15:40:41 +01:00
json.dump(
cache_data, outfile,
sort_keys=True, indent=4,
)