From e0ea2c7264fab7e228b57c229c0d39ce23f3ddac Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Sat, 20 Apr 2019 00:24:36 +0100 Subject: [PATCH 01/16] client: add handle for server list --- steam/client/builtins/apps.py | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/steam/client/builtins/apps.py b/steam/client/builtins/apps.py index f358873..2246e35 100644 --- a/steam/client/builtins/apps.py +++ b/steam/client/builtins/apps.py @@ -1,12 +1,20 @@ import vdf -from steam.enums import EResult +from steam.enums import EResult, EServerType from steam.enums.emsg import EMsg from steam.core.msg import MsgProto +from steam.util import ip_from_int class Apps(object): def __init__(self, *args, **kwargs): super(Apps, self).__init__(*args, **kwargs) + self.on(EMsg.ClientServerList, self._handle_server_list) + self.servers = {} + + def _handle_server_list(self, message): + for entry in message.body.servers: + self.servers.setdefault(EServerType(entry.server_type), [])\ + .append((ip_from_int(entry.server_ip), entry.server_port)) def get_player_count(self, app_id, timeout=5): """Get numbers of players for app id From 340b7ffada01823536c746dd7863b44e3d70a300 Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Sun, 21 Apr 2019 01:16:51 +0100 Subject: [PATCH 02/16] add initial CDNClient + DepotManifest --- docs/api/steam.client.cdn.rst | 7 ++ docs/api/steam.core.manifest.rst | 7 ++ steam/client/__init__.py | 3 + steam/client/builtins/apps.py | 73 +++++++++------- steam/client/cdn.py | 137 +++++++++++++++++++++++++++++++ steam/core/manifest.py | 116 ++++++++++++++++++++++++++ 6 files changed, 315 insertions(+), 28 deletions(-) create mode 100644 docs/api/steam.client.cdn.rst create mode 100644 docs/api/steam.core.manifest.rst create mode 100644 steam/client/cdn.py create mode 100644 steam/core/manifest.py diff --git a/docs/api/steam.client.cdn.rst b/docs/api/steam.client.cdn.rst new file mode 100644 index 0000000..aaa8d95 --- /dev/null +++ b/docs/api/steam.client.cdn.rst @@ -0,0 +1,7 @@ +cdn +=== + +.. automodule:: steam.client.cdn + :members: + :show-inheritance: + diff --git a/docs/api/steam.core.manifest.rst b/docs/api/steam.core.manifest.rst new file mode 100644 index 0000000..fddc0be --- /dev/null +++ b/docs/api/steam.core.manifest.rst @@ -0,0 +1,7 @@ +manifest +======== + +.. automodule:: steam.core.manifest + :members: + :undoc-members: + :show-inheritance: diff --git a/steam/client/__init__.py b/steam/client/__init__.py index 776a0a3..6e455d2 100644 --- a/steam/client/__init__.py +++ b/steam/client/__init__.py @@ -53,6 +53,7 @@ class SteamClient(CMClient, BuiltinBase): credential_location = None #: location for sentry username = None #: username when logged on login_key = None #: can be used for subsequent logins (no 2FA code will be required) + cell_id = 0 #: cell id provided by CM def __init__(self): CMClient.__init__(self) @@ -169,6 +170,7 @@ class SteamClient(CMClient, BuiltinBase): def _handle_disconnect(self, *args): self.logged_on = False self.current_jobid = 0 + self.cell_id = 0 def _handle_logon(self, msg): CMClient._handle_logon(self, msg) @@ -178,6 +180,7 @@ class SteamClient(CMClient, BuiltinBase): if result == EResult.OK: self._reconnect_backoff_c = 0 self.logged_on = True + self.cell_id = msg.body.cell_id self.emit(self.EVENT_LOGGED_ON) return diff --git a/steam/client/builtins/apps.py b/steam/client/builtins/apps.py index 2246e35..7f6cb07 100644 --- a/steam/client/builtins/apps.py +++ b/steam/client/builtins/apps.py @@ -2,20 +2,34 @@ import vdf from steam.enums import EResult, EServerType from steam.enums.emsg import EMsg from steam.core.msg import MsgProto -from steam.util import ip_from_int +from steam.util import ip_from_int, proto_fill_from_dict class Apps(object): + servers = None #: :class:`dict: Servers by type + licenses = None #: :class:`dict` Account licenses + def __init__(self, *args, **kwargs): super(Apps, self).__init__(*args, **kwargs) + self.servers = {} + self.licenses = {} + self.on(self.EVENT_DISCONNECTED, self.__handle_disconnect) self.on(EMsg.ClientServerList, self._handle_server_list) + self.on(EMsg.ClientLicenseList, self._handle_licenses) + + def __handle_disconnect(self): self.servers = {} + self.licenses = {} def _handle_server_list(self, message): for entry in message.body.servers: self.servers.setdefault(EServerType(entry.server_type), [])\ .append((ip_from_int(entry.server_ip), entry.server_port)) + def _handle_licenses(self, message): + for entry in message.body.licenses: + self.licenses[entry.package_id] = entry + def get_player_count(self, app_id, timeout=5): """Get numbers of players for app id @@ -27,7 +41,7 @@ class Apps(object): resp = self.send_job_and_wait(MsgProto(EMsg.ClientGetNumberOfCurrentPlayersDP), {'appid': app_id}, timeout=timeout - ) + ) if resp is None: return EResult.Timeout elif resp.eresult == EResult.OK: @@ -38,9 +52,9 @@ class Apps(object): def get_product_info(self, apps=[], packages=[], timeout=15): """Get product info for apps and packages - :param apps: items in the list should be either just ``app_id``, or ``(app_id, access_token)`` + :param apps: items in the list should be either just ``app_id``, or :class:`dict` :type apps: :class:`list` - :param packages: items in the list should be either just ``package_id``, or ``(package_id, access_token)`` + :param packages: items in the list should be either just ``package_id``, or :class:`dict` :type packages: :class:`list` :return: dict with ``apps`` and ``packages`` containing their info, see example below :rtype: :class:`dict`, :class:`None` @@ -51,22 +65,23 @@ class Apps(object): 'packages': {123: {...}, ...} } """ - if not apps and not packages: return + if not apps and not packages: + return message = MsgProto(EMsg.ClientPICSProductInfoRequest) for app in apps: app_info = message.body.apps.add() app_info.only_public = False - if isinstance(app, tuple): - app_info.appid, app_info.access_token = app + if isinstance(app, dict): + proto_fill_from_dict(app_info, app) else: app_info.appid = app for package in packages: package_info = message.body.packages.add() - if isinstance(package, tuple): - package_info.appid, package_info.access_token = package + if isinstance(package, dict): + proto_fill_from_dict(package_info, package) else: package_info.packageid = package @@ -79,7 +94,8 @@ class Apps(object): while True: chunk = self.wait_event(job_id, timeout=timeout) - if chunk is None: return + if chunk is None: + return chunk = chunk[0].body for app in chunk.apps: @@ -110,8 +126,8 @@ class Apps(object): 'send_app_info_changes': app_changes, 'send_package_info_changes': package_changes, }, - timeout=15 - ) + timeout=10 + ) def get_app_ticket(self, app_id): """Get app ownership ticket @@ -123,8 +139,8 @@ class Apps(object): """ return self.send_job_and_wait(MsgProto(EMsg.ClientGetAppOwnershipTicket), {'app_id': app_id}, - timeout=15 - ) + timeout=10 + ) def get_depot_key(self, depot_id, app_id=0): """Get depot decryption key @@ -141,28 +157,28 @@ class Apps(object): 'depot_id': depot_id, 'app_id': app_id, }, - timeout=15 - ) + timeout=10 + ) - def get_cdn_auth_token(self, app_id, hostname): + def get_cdn_auth_token(self, depot_id, hostname): """Get CDN authentication token - :param app_id: app id - :type app_id: :class:`int` + :param depot_id: depot id + :type depot_id: :class:`int` :param hostname: cdn hostname - :type hostname: :class:`str` + :type hostname: :class:`str` :return: `CMsgClientGetCDNAuthTokenResponse `_ :rtype: proto message """ return self.send_job_and_wait(MsgProto(EMsg.ClientGetCDNAuthToken), { - 'app_id': app_id, + 'depot_id': depot_id, 'host_name': hostname, }, - timeout=15 - ) + timeout=10 + ) - def get_product_access_tokens(self, app_ids=[], package_ids=[]): + def get_access_tokens(self, app_ids=[], package_ids=[]): """Get access tokens :param app_ids: list of app ids @@ -178,20 +194,21 @@ class Apps(object): 'packages': {456: 'token', ...} } """ - if not app_ids and not package_ids: return + if not app_ids and not package_ids: + return resp = self.send_job_and_wait(MsgProto(EMsg.ClientPICSAccessTokenRequest), { 'appids': map(int, app_ids), 'packageids': map(int, package_ids), }, - timeout=15 - ) + timeout=10 + ) if resp: return {'apps': dict(map(lambda app: (app.appid, app.access_token), resp.app_access_tokens)), 'packages': dict(map(lambda pkg: (pkg.appid, pkg.access_token), resp.package_access_tokens)), - } + } def register_product_key(self, key): """Register/Redeem a CD-Key diff --git a/steam/client/cdn.py b/steam/client/cdn.py new file mode 100644 index 0000000..b43c9a6 --- /dev/null +++ b/steam/client/cdn.py @@ -0,0 +1,137 @@ + +from collections import OrderedDict, deque +from six import itervalues +import vdf +from steam import webapi +from steam.enums import EServerType +from steam.util.web import make_requests_session +from steam.core.manifest import DepotManifest + + +def get_content_servers_from_cs(host, port, cell_id, num_servers=20, session=None): + proto = 'https' if port == 443 else 'http' + + url = '%s://%s:%s/serverlist/%s/%s/' % (proto, host, port, cell_id, num_servers) + session = make_requests_session() if session is None else session + resp = session.get(url) + + if resp.status_code != 200: + return [] + + kv = vdf.loads(resp.text, mapper=OrderedDict) + + if kv.get('deferred') == '1': + return [] + + servers = [] + + for entry in itervalues(kv['serverlist']): + server = ContentServer() + server.type = entry['type'] + server.https = True if entry['https_support'] == 'mandatory' else False + server.host = entry['Host'] + server.vhost = entry['vhost'] + server.port = 443 if server.https else 80 + server.cell_id = entry['cell'] + server.load = entry['load'] + server.weighted_load = entry['weightedload'] + servers.append(server) + + return servers + + +def get_content_servers_from_webapi(cell_id, num_servers=20): + params = {'cellid': cell_id, 'max_servers': num_servers} + resp = webapi.get('IContentServerDirectoryService', 'GetServersForSteamPipe', params=params) + + servers = [] + + for entry in resp['response']['servers']: + server = ContentServer() + server.type = entry['type'] + server.https = True if entry['https_support'] == 'mandatory' else False + server.host = entry['host'] + server.vhost = entry['vhost'] + server.port = 443 if server.https else 80 + server.cell_id = entry.get('cell_id', 0) + server.load = entry['load'] + server.weighted_load = entry['weighted_load'] + servers.append(server) + + return servers + + +class CDNClient(object): + def __init__(self, client, app_id): + self.steam = client + self.app_id = app_id + self.web = make_requests_session() + self.servers = deque() + + @property + def cell_id(self): + return self.steam.cell_id + + def init_servers(self, num_servers=10): + self.servers.clear() + + for ip, port in self.steam.servers[EServerType.CS]: + servers = get_content_servers_from_cs(ip, port, self.cell_id, num_servers, self.web) + + if servers: + self.servers.extend(servers) + break + + if not self.servers: + raise RuntimeError("No content servers on SteamClient instance. Is it logged in?") + + def get_content_server(self): + server = self.servers[0] + self.servers.rotate(-1) + return server + + def get(self, command, args, auth_token=''): + server = self.get_content_server() + + url = "%s://%s:%s/%s/%s%s" % ( + 'https' if server.https else 'http', + server.host, + server.port, + command, + args, + auth_token, + ) + + return self.web.get(url) + + def get_manifest(self, depot_id, manifest_id, auth_token): + resp = self.get('depot', '%s/manifest/%s/5' % (depot_id, manifest_id), auth_token) + + resp.raise_for_status() + + if resp.ok: + return DepotManifest(resp.content) + + +class ContentServer(object): + https = False + host = None + vhost = None + port = None + type = None + cell_id = 0 + load = None + weighted_load = None + + def __repr__(self): + return "<%s('%s://%s:%s', type=%s, cell_id=%s)>" % ( + self.__class__.__name__, + 'https' if self.https else 'http', + self.host, + self.port, + repr(self.type), + repr(self.cell_id), + ) + + + diff --git a/steam/core/manifest.py b/steam/core/manifest.py new file mode 100644 index 0000000..fee81f0 --- /dev/null +++ b/steam/core/manifest.py @@ -0,0 +1,116 @@ + +from base64 import b64decode +from io import BytesIO +from zipfile import ZipFile, ZIP_DEFLATED +from struct import pack +from datetime import datetime + +from steam.core.crypto import symmetric_decrypt +from steam.util.binary import StructReader +from steam.protobufs.content_manifest_pb2 import (ContentManifestMetadata, + ContentManifestPayload, + ContentManifestSignature) + + +class DepotManifest(object): + PROTOBUF_PAYLOAD_MAGIC = 0x71F617D0 + PROTOBUF_METADATA_MAGIC = 0x1F4812BE + PROTOBUF_SIGNATURE_MAGIC = 0x1B81B817 + PROTOBUF_ENDOFMANIFEST_MAGIC = 0x32C415AB + + def __init__(self, data): + self.metadata = ContentManifestMetadata() + self.payload = ContentManifestPayload() + self.signature = ContentManifestSignature() + + if data: + self.deserialize(data) + + def __repr__(self): + params = ', '.join([ + str(self.metadata.depot_id), + str(self.metadata.gid_manifest), + repr(datetime.utcfromtimestamp(self.metadata.creation_time).isoformat().replace('T', ' ')), + ]) + + if self.metadata.filenames_encrypted: + params += ', filenames_encrypted=True' + + return "<%s(%s)>" % ( + self.__class__.__name__, + params, + ) + + def decrypt_filenames(self, depot_key): + if not self.metadata.filenames_encrypted: + return True + + for mapping in self.payload.mappings: + filename = b64decode(mapping.filename) + + try: + filename = symmetric_decrypt(filename, depot_key) + except Exception: + print("Unable to decrypt filename for depot manifest") + return False + + mapping.filename = filename + + self.metadata.filenames_encrypted = False + return True + + def deserialize(self, data): + with ZipFile(BytesIO(data)) as zf: + data = StructReader(zf.read(zf.filelist[0])) + + magic, length = data.unpack(' Date: Tue, 23 Apr 2019 00:10:22 +0100 Subject: [PATCH 03/16] add DepotFile + improve CDNClient * DepotFile for Manifest mappings * CDNClient now handles content servers selection better * CDNClient can auto get and cache cdn auth tokens and depot keys * added get_chunk() to CDNClient, only ZIP compression, TODO LZMA --- steam/client/builtins/apps.py | 14 ++-- steam/client/cdn.py | 95 +++++++++++++++++----- steam/core/manifest.py | 147 ++++++++++++++++++++++++++++++---- steam/enums/common.py | 13 +++ 4 files changed, 228 insertions(+), 41 deletions(-) diff --git a/steam/client/builtins/apps.py b/steam/client/builtins/apps.py index 7f6cb07..40ad9eb 100644 --- a/steam/client/builtins/apps.py +++ b/steam/client/builtins/apps.py @@ -142,20 +142,20 @@ class Apps(object): timeout=10 ) - def get_depot_key(self, depot_id, app_id=0): + def get_depot_key(self, app_id, depot_id): """Get depot decryption key - :param depot_id: depot id - :type depot_id: :class:`int` :param app_id: app id - :type app_id: :class:`int` + :type app_id: :class:`int` + :param depot_id: depot id + :type depot_id: :class:`int` :return: `CMsgClientGetDepotDecryptionKeyResponse `_ :rtype: proto message """ return self.send_job_and_wait(MsgProto(EMsg.ClientGetDepotDecryptionKey), { - 'depot_id': depot_id, 'app_id': app_id, + 'depot_id': depot_id, }, timeout=10 ) @@ -182,9 +182,9 @@ class Apps(object): """Get access tokens :param app_ids: list of app ids - :type app_ids: :class:`list` + :type app_ids: :class:`list` :param package_ids: list of package ids - :type package_ids: :class:`list` + :type package_ids: :class:`list` :return: dict with ``apps`` and ``packages`` containing their access tokens, see example below :rtype: :class:`dict`, :class:`None` diff --git a/steam/client/cdn.py b/steam/client/cdn.py index b43c9a6..d82158c 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -2,9 +2,11 @@ from collections import OrderedDict, deque from six import itervalues import vdf + from steam import webapi -from steam.enums import EServerType +from steam.enums import EResult, EServerType from steam.util.web import make_requests_session +from stema.core.crypto symmetric_decrypt from steam.core.manifest import DepotManifest @@ -67,12 +69,14 @@ class CDNClient(object): self.app_id = app_id self.web = make_requests_session() self.servers = deque() + self.cdn_auth_tokens = {} + self.depot_keys = {} @property def cell_id(self): return self.steam.cell_id - def init_servers(self, num_servers=10): + def init_servers(self, num_servers=20): self.servers.clear() for ip, port in self.steam.servers[EServerType.CS]: @@ -85,32 +89,85 @@ class CDNClient(object): if not self.servers: raise RuntimeError("No content servers on SteamClient instance. Is it logged in?") - def get_content_server(self): - server = self.servers[0] - self.servers.rotate(-1) - return server + def get_content_server(self, rotate=True): + if rotate: + self.servers.rotate(-1) + return self.servers[0] + + def get_cdn_auth_token(self, depot_id): + if depot_id not in self.cdn_auth_tokens: + msg = self.steam.get_cdn_auth_token(depot_id, 'steampipe.steamcontent.com') + + if msg.eresult == EResult.OK: + self.cdn_auth_tokens[depot_id] = msg.token + elif msg is None: + raise Exception("Failed getting depot key: %s" % repr(EResult.Timeout)) + else: + raise Exception("Failed getting depot key: %s" % repr(EResult(msg.eresult))) + + return self.cdn_auth_tokens[depot_id] + + def get_depot_key(self, depot_id): + if depot_id not in self.depot_keys: + msg = self.steam.get_depot_key(self.app_id, depot_id) + if msg.eresult == EResult.OK: + self.depot_keys[depot_id] = msg.depot_encryption_key + elif msg is None: + raise Exception("Failed getting depot key: %s" % repr(EResult.Timeout)) + else: + raise Exception("Failed getting depot key: %s" % repr(EResult(msg.eresult))) + + return self.depot_keys[depot_id] def get(self, command, args, auth_token=''): server = self.get_content_server() - url = "%s://%s:%s/%s/%s%s" % ( - 'https' if server.https else 'http', - server.host, - server.port, - command, - args, - auth_token, - ) + while True: + url = "%s://%s:%s/%s/%s%s" % ( + 'https' if server.https else 'http', + server.host, + server.port, + command, + args, + auth_token, + ) + resp = self.web.get(url) - return self.web.get(url) + if resp.ok: + return resp + elif resp.status_code in (401, 403, 404): + resp.raise_for_status() - def get_manifest(self, depot_id, manifest_id, auth_token): - resp = self.get('depot', '%s/manifest/%s/5' % (depot_id, manifest_id), auth_token) + server = self.get_content_server(rotate=True) - resp.raise_for_status() + def get_manifest(self, depot_id, manifest_id, cdn_auth_token=None, decrypt=True): + if cdn_auth_token is None: + cdn_auth_token = self.get_cdn_auth_token(depot_id) + + resp = self.get('depot', '%s/manifest/%s/5' % (depot_id, manifest_id), cdn_auth_token) if resp.ok: - return DepotManifest(resp.content) + manifest = DepotManifest(resp.content) + if decrypt: + manifest.decrypt_filenames(self.get_depot_key(depot_id)) + return manifest + + def get_chunk(self, depot_id, chunk_id, cdn_auth_token=None): + if cdn_auth_token is None: + cdn_auth_token = self.get_cdn_auth_token(depot_id) + + resp = self.get('depot', '%s/chunk/%s' % (depot_id, chunk_id), cdn_auth_token) + + if resp.ok: + data = symmetric_decrypt(resp.content, self.get_depot_key(depot_id)) + + if data[:2] == b'VZ': + raise Exception("Implement LZMA lol") + else: + with ZipFile(BytesIO(data)) as zf: + data = zf.read(zf.filelist[0]) + + return data class ContentServer(object): diff --git a/steam/core/manifest.py b/steam/core/manifest.py index fee81f0..db84712 100644 --- a/steam/core/manifest.py +++ b/steam/core/manifest.py @@ -1,10 +1,12 @@ from base64 import b64decode from io import BytesIO -from zipfile import ZipFile, ZIP_DEFLATED +from zipfile import ZipFile, ZIP_DEFLATED, BadZipFile from struct import pack from datetime import datetime +from fnmatch import fnmatch +from steam.enums import EDepotFileFlag from steam.core.crypto import symmetric_decrypt from steam.util.binary import StructReader from steam.protobufs.content_manifest_pb2 import (ContentManifestMetadata, @@ -18,7 +20,12 @@ class DepotManifest(object): PROTOBUF_SIGNATURE_MAGIC = 0x1B81B817 PROTOBUF_ENDOFMANIFEST_MAGIC = 0x32C415AB - def __init__(self, data): + def __init__(self, data=None): + """Manage depot manifest + + :param data: manifest data + :type data: bytes + """ self.metadata = ContentManifestMetadata() self.payload = ContentManifestPayload() self.signature = ContentManifestSignature() @@ -28,8 +35,8 @@ class DepotManifest(object): def __repr__(self): params = ', '.join([ - str(self.metadata.depot_id), - str(self.metadata.gid_manifest), + str(self.depot_id), + str(self.gid), repr(datetime.utcfromtimestamp(self.metadata.creation_time).isoformat().replace('T', ' ')), ]) @@ -41,9 +48,35 @@ class DepotManifest(object): params, ) + @property + def depot_id(self): + return self.metadata.depot_id + + @property + def gid(self): + return self.metadata.gid_manifest + + @property + def creation_time(self): + return self.metadata.creation_time + + @property + def size_original(self): + return self.metadata.cb_disk_original + + @property + def size_compressed(self): + return self.metadata.cb_disk_compressed + def decrypt_filenames(self, depot_key): + """Decrypt all filenames in the manifest + + :param depot_key: depot key + :type depot_key: bytes + :raises: :class:`RuntimeError` + """ if not self.metadata.filenames_encrypted: - return True + return for mapping in self.payload.mappings: filename = b64decode(mapping.filename) @@ -51,17 +84,25 @@ class DepotManifest(object): try: filename = symmetric_decrypt(filename, depot_key) except Exception: - print("Unable to decrypt filename for depot manifest") - return False + RuntimeError("Unable to decrypt filename for depot manifest") mapping.filename = filename self.metadata.filenames_encrypted = False - return True def deserialize(self, data): - with ZipFile(BytesIO(data)) as zf: - data = StructReader(zf.read(zf.filelist[0])) + """Deserialize a manifest (compressed or uncompressed) + + :param data: manifest data + :type data: bytes + """ + try: + with ZipFile(BytesIO(data)) as zf: + data = zf.read(zf.filelist[0]) + except BadZipFile: + pass + + data = StructReader(data) magic, length = data.unpack('" % ( + self.__class__.__name__, + self.manifest.depot_id, + self.manifest.gid, + repr(self.filename), + 'is_directory=True' if self.is_directory else self.size, + ) + + @property + def filename(self): + return self.file_mapping.filename.rstrip('\x00 \n\t') + + @property + def size(self): + return self.file_mapping.size + + @property + def chunks(self): + return self.file_mapping.chunks + + @property + def flags(self): + return self.file_mapping.flags + + @property + def is_directory(self): + return self.flags & EDepotFileFlag.Directory > 0 - return zbuff.getvalue() + @property + def is_file(self): + return not self.is_directory diff --git a/steam/enums/common.py b/steam/enums/common.py index b9c2358..05ac877 100644 --- a/steam/enums/common.py +++ b/steam/enums/common.py @@ -539,6 +539,19 @@ class ECurrencyCode(SteamIntEnum): Max = 42 +class EDepotFileFlag(SteamIntEnum): + UserConfig = 1 + VersionedUserConfig = 2 + Encrypted = 4 + ReadOnly = 8 + Hidden = 16 + Executable = 32 + Directory = 64 + CustomExecutable = 128 + InstallScript = 256 + Symlink = 512 + + # Do not remove from enum import EnumMeta From 5d0efb4bf23974bca23fc571dcf23b4be0803c19 Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Tue, 23 Apr 2019 20:43:11 +0100 Subject: [PATCH 04/16] add LZMA decompression for chunks --- steam/client/cdn.py | 21 ++++++++++++--------- 1 file changed, 12 insertions(+), 9 deletions(-) diff --git a/steam/client/cdn.py b/steam/client/cdn.py index d82158c..22aa1ce 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -1,4 +1,6 @@ +from zipfile import ZipFile +from io import BytesIO from collections import OrderedDict, deque from six import itervalues import vdf @@ -6,9 +8,14 @@ import vdf from steam import webapi from steam.enums import EResult, EServerType from steam.util.web import make_requests_session -from stema.core.crypto symmetric_decrypt +from steam.core.crypto import symmetric_decrypt from steam.core.manifest import DepotManifest +try: + import lzma +except ImportError: + from backports import lzma + def get_content_servers_from_cs(host, port, cell_id, num_servers=20, session=None): proto = 'https' if port == 443 else 'http' @@ -161,13 +168,12 @@ class CDNClient(object): if resp.ok: data = symmetric_decrypt(resp.content, self.get_depot_key(depot_id)) - if data[:2] == b'VZ': - raise Exception("Implement LZMA lol") + if data[:3] == b'VZa': + f = lzma._decode_filter_properties(lzma.FILTER_LZMA1, data[7:12]) + return lzma.LZMADecompressor(lzma.FORMAT_RAW, filters=[f]).decompress(data[12:-10]) else: with ZipFile(BytesIO(data)) as zf: - data = zf.read(zf.filelist[0]) - - return data + return zf.read(zf.filelist[0]) class ContentServer(object): @@ -189,6 +195,3 @@ class ContentServer(object): repr(self.type), repr(self.cell_id), ) - - - From 8c6c2eb5461966771cb2acc27eaabf609532eae0 Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Sun, 28 Apr 2019 22:00:05 +0100 Subject: [PATCH 05/16] improvements + CDNDepotManifest + CDNDepotFile * fixed VZ decompressoin and add some checks * add get_manifest() which returns a list of CDNDepotManifest for app_id and branch * add iter_files() which will get all manifests, and iter files for app_id and branch * add get_manifest_for_workshop_item() can be used to download steampiped hosted workshop items * add basic caching inside CDNClient * CDNDepotManifest, which enhances DepotManifest and inits CDNDepotFiles * CDNDepotFile expands DepotFile to a file like object that can be used to directly seek and read files from steampipe --- steam/client/builtins/apps.py | 4 +- steam/client/cdn.py | 415 ++++++++++++++++++++++++++++------ steam/core/manifest.py | 52 ++++- 3 files changed, 396 insertions(+), 75 deletions(-) diff --git a/steam/client/builtins/apps.py b/steam/client/builtins/apps.py index 40ad9eb..bcd39b5 100644 --- a/steam/client/builtins/apps.py +++ b/steam/client/builtins/apps.py @@ -92,10 +92,8 @@ class Apps(object): data = dict(apps={}, packages={}) while True: - chunk = self.wait_event(job_id, timeout=timeout) + chunk = self.wait_event(job_id, timeout=timeout, raises=True) - if chunk is None: - return chunk = chunk[0].body for app in chunk.apps: diff --git a/steam/client/cdn.py b/steam/client/cdn.py index 22aa1ce..16e3a44 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -2,14 +2,19 @@ from zipfile import ZipFile from io import BytesIO from collections import OrderedDict, deque -from six import itervalues -import vdf +from six import itervalues, iteritems +from binascii import crc32 +from datetime import datetime +import logging +import struct +import vdf from steam import webapi from steam.enums import EResult, EServerType from steam.util.web import make_requests_session from steam.core.crypto import symmetric_decrypt -from steam.core.manifest import DepotManifest +from steam.core.manifest import DepotManifest, DepotFile +from steam.protobufs.content_manifest_pb2 import ContentManifestPayload try: import lzma @@ -17,7 +22,7 @@ except ImportError: from backports import lzma -def get_content_servers_from_cs(host, port, cell_id, num_servers=20, session=None): +def get_content_servers_from_cs(cell_id, host='cs.steamcontent.com', port=80, num_servers=20, session=None): proto = 'https' if port == 443 else 'http' url = '%s://%s:%s/serverlist/%s/%s/' % (proto, host, port, cell_id, num_servers) @@ -70,33 +75,70 @@ def get_content_servers_from_webapi(cell_id, num_servers=20): return servers +class ContentServer(object): + https = False + host = None + vhost = None + port = None + type = None + cell_id = 0 + load = None + weighted_load = None + + def __repr__(self): + return "<%s('%s://%s:%s', type=%s, cell_id=%s)>" % ( + self.__class__.__name__, + 'https' if self.https else 'http', + self.host, + self.port, + repr(self.type), + repr(self.cell_id), + ) + + class CDNClient(object): - def __init__(self, client, app_id): + _LOG = logging.getLogger("CDNClient") + servers = deque() + + def __init__(self, client): self.steam = client - self.app_id = app_id self.web = make_requests_session() - self.servers = deque() self.cdn_auth_tokens = {} self.depot_keys = {} + self.workshop_depots = {} + self.manifests = {} + self.app_depots = {} + + if not self.servers: + self.fetch_content_servers() @property def cell_id(self): return self.steam.cell_id - def init_servers(self, num_servers=20): + def fetch_content_servers(self, num_servers=20): self.servers.clear() - for ip, port in self.steam.servers[EServerType.CS]: - servers = get_content_servers_from_cs(ip, port, self.cell_id, num_servers, self.web) + if self.steam: + for ip, port in self.steam.servers.get(EServerType.CS, []): + servers = get_content_servers_from_cs(self.cell_id, ip, port, num_servers, self.web) - if servers: - self.servers.extend(servers) - break + if servers: + self.servers.extend(servers) + break + else: + self._LOG.debug("No content servers available on SteamClient instance") if not self.servers: - raise RuntimeError("No content servers on SteamClient instance. Is it logged in?") + self._LOG.debug("Trying to fetch content servers from Steam API") + + servers = get_content_servers_from_webapi(self.cell_id) + self.servers.extend(servers) - def get_content_server(self, rotate=True): + if not self.servers: + raise ValueError("Failed to fetch content servers") + + def get_content_server(self, rotate=False): if rotate: self.servers.rotate(-1) return self.servers[0] @@ -105,26 +147,25 @@ class CDNClient(object): if depot_id not in self.cdn_auth_tokens: msg = self.steam.get_cdn_auth_token(depot_id, 'steampipe.steamcontent.com') - if msg.eresult == EResult.OK: + if msg and msg.eresult == EResult.OK: self.cdn_auth_tokens[depot_id] = msg.token - elif msg is None: - raise Exception("Failed getting depot key: %s" % repr(EResult.Timeout)) else: - raise Exception("Failed getting depot key: %s" % repr(EResult(msg.eresult))) + raise ValueError("Failed getting depot key: %s" % repr( + EResult.Timeout if msg is None else EResult(msg.eresult))) return self.cdn_auth_tokens[depot_id] - def get_depot_key(self, depot_id): - if depot_id not in self.depot_keys: - msg = self.steam.get_depot_key(self.app_id, depot_id) - if msg.eresult == EResult.OK: - self.depot_keys[depot_id] = msg.depot_encryption_key - elif msg is None: - raise Exception("Failed getting depot key: %s" % repr(EResult.Timeout)) + def get_depot_key(self, app_id, depot_id): + if (app_id, depot_id) not in self.depot_keys: + msg = self.steam.get_depot_key(app_id, depot_id) + + if msg and msg.eresult == EResult.OK: + self.depot_keys[(app_id, depot_id)] = msg.depot_encryption_key else: - raise Exception("Failed getting depot key: %s" % repr(EResult(msg.eresult))) + raise ValueError("Failed getting depot key: %s" % repr( + EResult.Timeout if msg is None else EResult(msg.eresult))) - return self.depot_keys[depot_id] + return self.depot_keys[(app_id, depot_id)] def get(self, command, args, auth_token=''): server = self.get_content_server() @@ -138,60 +179,308 @@ class CDNClient(object): args, auth_token, ) - resp = self.web.get(url) - if resp.ok: - return resp - elif resp.status_code in (401, 403, 404): - resp.raise_for_status() + try: + resp = self.web.get(url) + except: + pass + else: + if resp.ok: + return resp + elif resp.status_code in (401, 403, 404): + resp.raise_for_status() server = self.get_content_server(rotate=True) - def get_manifest(self, depot_id, manifest_id, cdn_auth_token=None, decrypt=True): + def get_chunk(self, app_id, depot_id, chunk_id, cdn_auth_token=None): if cdn_auth_token is None: cdn_auth_token = self.get_cdn_auth_token(depot_id) - resp = self.get('depot', '%s/manifest/%s/5' % (depot_id, manifest_id), cdn_auth_token) + resp = self.get('depot', '%s/chunk/%s' % (depot_id, chunk_id), cdn_auth_token) if resp.ok: - manifest = DepotManifest(resp.content) - if decrypt: - manifest.decrypt_filenames(self.get_depot_key(depot_id)) - return manifest + data = symmetric_decrypt(resp.content, self.get_depot_key(app_id, depot_id)) - def get_chunk(self, depot_id, chunk_id, cdn_auth_token=None): - if cdn_auth_token is None: - cdn_auth_token = self.get_cdn_auth_token(depot_id) + if data[:2] == b'VZ': + if data[2:3] != b'a': + raise ValueError("Invalid VZ version: %s" % repr(data[2:3])) - resp = self.get('depot', '%s/chunk/%s' % (depot_id, chunk_id), cdn_auth_token) + vzfilter = lzma._decode_filter_properties(lzma.FILTER_LZMA1, data[7:12]) + vzdec = lzma.LZMADecompressor(lzma.FORMAT_RAW, filters=[vzfilter]) + checksum, decompressed_size, vz_footer = struct.unpack(' 0: + raise NotImplementedError("Password protected branches are not supported yet") + + manifests = [] + + for depot_id, depot_config in iteritems(depots): + if not depot_id.isdigit(): + continue + + depot_id = int(depot_id) + + if branch in depot_config.get('manifests', {}): + try: + manifest = self.get_manifest(app_id, depot_id, depot_config['manifests'][branch]) + except ValueError as exp: + self._LOG.error("Depot %s (%s): %s", + repr(depot_config['name']), + depot_id, + str(exp), + ) + continue + + manifest.name = depot_config['name'] + manifests.append(manifest) + + return manifests + + def iter_files(self, app_id, filename_filter=None, branch='public'): + for manifest in self.get_manifests(app_id, branch): + for fp in manifest.iter_files(filename_filter): + yield fp + + def get_manifest_for_workshop_item(self, item_id): + resp, error = self.steam.unified_messages.send_and_wait('PublishedFile.GetDetails#1', { + 'publishedfileids': [item_id], + 'includetags': False, + 'includeadditionalpreviews': False, + 'includechildren': False, + 'includekvtags': False, + 'includevotes': False, + 'short_description': True, + 'includeforsaledata': False, + 'includemetadata': False, + 'language': 0 + }, timeout=7) + + if error: + raise error + + wf = None if resp is None else resp.publishedfiledetails[0] + + if wf is None or wf.result != EResult.OK: + raise ValueError("Failed getting workshop file info: %s" % repr( + EResult.Timeout if resp is None else EResult(wf.result))) + elif not wf.hcontent_file: + raise ValueError("Workshop file is not on steampipe") + + app_id = wf.consumer_appid + + ws_app_id = self.workshop_depots.get(app_id) + + if ws_app_id is None: + ws_app_id = int(self.steam.get_product_info([app_id])['apps'][app_id]['depots'].get( + 'workshopdepot', app_id)) + self.workshop_depots[app_id] = ws_app_id + + manifest = self.get_manifest(app_id, ws_app_id, wf.hcontent_file) + manifest.name = wf.title + return manifest + + +class CDNDepotManifest(DepotManifest): + name = None #: set only by :meth:`CDNClient.get_manifests` + + def __init__(self, cdn_client, app_id, data): + self.cdn_client = cdn_client + self.app_id = app_id + DepotManifest.__init__(self, data) def __repr__(self): - return "<%s('%s://%s:%s', type=%s, cell_id=%s)>" % ( + params = ', '.join([ + "app_id=" + str(self.app_id), + "depot_id=" + str(self.depot_id), + "gid=" + str(self.gid), + "creation_time=" + repr( + datetime.utcfromtimestamp(self.metadata.creation_time).isoformat().replace('T', ' ') + ), + ]) + + if self.name: + params = repr(self.name) + ', ' + params + + if self.metadata.filenames_encrypted: + params += ', filenames_encrypted=True' + + return "<%s(%s)>" % ( self.__class__.__name__, - 'https' if self.https else 'http', - self.host, - self.port, - repr(self.type), - repr(self.cell_id), + params, ) + + def deserialize(self, data): + DepotManifest.deserialize(self, data) + + # order chunks in ascending order by their offset + # required for CDNDepotFile + for mapping in self.payload.mappings: + mapping.chunks.sort(key=lambda x: x.offset) + + def _make_depot_file(self, file_mapping): + return CDNDepotFile(self, file_mapping) + + +class CDNDepotFile(DepotFile): + def __init__(self, manifest, file_mapping): + if not isinstance(manifest, CDNDepotManifest): + raise TypeError("Expected 'manifest' to be of type CDNDepotFile") + if not isinstance(file_mapping, ContentManifestPayload.FileMapping): + raise TypeError("Expected 'file_mapping' to be of type ContentManifestPayload.FileMapping") + + DepotFile.__init__(self, manifest, file_mapping) + + self.offset = 0 + self._lc = None + self._lcbuff = b'' + + def __repr__(self): + return "<%s(%s, %s, %s, %s, %s)>" % ( + self.__class__.__name__, + self.manifest.app_id, + self.manifest.depot_id, + self.manifest.gid, + repr(self.filename), + 'is_directory=True' if self.is_directory else self.size, + ) + + @property + def seekable(self): + return self.is_file + + def tell(self): + if not self.seekable: + raise ValueError("This file is not seekable, probably because its directory or symlink") + return self.offset + + def seek(self, offset, whence=0): + if not self.seekable: + raise ValueError("This file is not seekable, probably because its directory or symlink") + + if whence == 0: + if offset < 0: + raise IOError("Invalid argument") + elif whence == 1: + offset = self.offset + offset + elif whence == 2: + offset = self.size + offset + else: + raise ValueError("Invalid value for whence") + + self.offset = max(0, min(self.size, offset)) + + def _get_chunk(self, chunk): + if not self._lc or self._lc.sha != chunk.sha: + self._lcbuff = self.manifest.cdn_client.get_chunk( + self.manifest.app_id, + self.manifest.depot_id, + chunk.sha.hex(), + ) + self._lc = chunk + return self._lcbuff + + def __iter__(self): + return self + + def __next__(self): + return self.next() + + def __enter__(self): + return self + + def __exit__(self, type, value, traceback): + pass + + def next(self): + line = self.readline() + if line == b'': + raise StopIteration + return line + + def read(self, length=-1): + if length == -1: + length = self.size - self.offset + if length == 0 or self.offset >= self.size or self.size == 0: + return b'' + + end_offset = self.offset + length + + # we cache last chunk to allow small length reads and local seek + if (self._lc + and self.offset >= self._lc.offset + and end_offset <= self._lc.offset + self._lc.cb_original): + data = self._lcbuff[self.offset - self._lc.offset:self.offset - self._lc.offset + length] + # if we need to read outside the bounds of the cached chunk + # we go to loop over chunks to determine which to download + else: + data = BytesIO() + start_offset = None + + # Manifest orders the chunks in ascending order by offset + for chunk in self.chunks: + if chunk.offset >= end_offset: + break + elif (chunk.offset <= self.offset < chunk.offset + chunk.cb_original + or chunk.offset < end_offset <= chunk.offset + chunk.cb_original): + if start_offset is None: + start_offset = chunk.offset + data.write(self._get_chunk(chunk)) + + data.seek(self.offset - start_offset) + data = data.read(length) + + self.offset = min(self.size, end_offset) + return data + + def readline(self): + buf = b'' + + for chunk in iter(lambda: self.read(256), b''): + pos = chunk.find(b'\n') + if pos > -1: + pos += 1 # include \n + buf += chunk[:pos] + self.seek(self.offset - (len(chunk) - pos)) + break + + buf += chunk + + return buf + + def readlines(self): + return [line for line in self] diff --git a/steam/core/manifest.py b/steam/core/manifest.py index db84712..a42b2dc 100644 --- a/steam/core/manifest.py +++ b/steam/core/manifest.py @@ -5,6 +5,7 @@ from zipfile import ZipFile, ZIP_DEFLATED, BadZipFile from struct import pack from datetime import datetime from fnmatch import fnmatch +import os.path from steam.enums import EDepotFileFlag from steam.core.crypto import symmetric_decrypt @@ -21,7 +22,7 @@ class DepotManifest(object): PROTOBUF_ENDOFMANIFEST_MAGIC = 0x32C415AB def __init__(self, data=None): - """Manage depot manifest + """Represents depot manifest :param data: manifest data :type data: bytes @@ -35,9 +36,11 @@ class DepotManifest(object): def __repr__(self): params = ', '.join([ - str(self.depot_id), - str(self.gid), - repr(datetime.utcfromtimestamp(self.metadata.creation_time).isoformat().replace('T', ' ')), + "depot_id=" + str(self.depot_id), + "gid=" + str(self.gid), + "creation_time=" + repr( + datetime.utcfromtimestamp(self.metadata.creation_time).isoformat().replace('T', ' ') + ), ]) if self.metadata.filenames_encrypted: @@ -164,9 +167,12 @@ class DepotManifest(object): else: return data.getvalue() + def _make_depot_file(self, file_mapping): + return DepotFile(self, file_mapping) + def __iter__(self): for mapping in self.payload.mappings: - yield DepotFile(self, mapping) + yield self._make_depot_file(mapping) def iter_files(self, pattern=None): """ @@ -177,7 +183,7 @@ class DepotManifest(object): if (pattern is not None and not fnmatch(mapping.filename.rstrip('\x00 \n\t'), pattern)): continue - yield DepotFile(self, mapping) + yield self._make_depot_file(mapping) def __len__(self): return len(self.payload.mappings) @@ -192,9 +198,9 @@ class DepotFile(object): :type file_mapping: ContentManifestPayload.FileMapping """ if not isinstance(manifest, DepotManifest): - raise ValueError("Expected 'manifest' to be of type DepotManifest") + raise TypeError("Expected 'manifest' to be of type DepotManifest") if not isinstance(file_mapping, ContentManifestPayload.FileMapping): - raise ValueError("Expected 'file_mapping' to be of type ContentManifestPayload.FileMapping") + raise TypeError("Expected 'file_mapping' to be of type ContentManifestPayload.FileMapping") self.manifest = manifest self.file_mapping = file_mapping @@ -210,24 +216,52 @@ class DepotFile(object): @property def filename(self): + """ + :returns: Filename with null terminator and whitespaces removed + :rtype: str + """ return self.file_mapping.filename.rstrip('\x00 \n\t') + @property + def filename_norm(self): + """ + :return: Return current OS compatible path + :rtype: str + """ + return os.path.join(*self.filename.split('\\')) + @property def size(self): + """ + :return: file size in bytes + :rtype: int + """ return self.file_mapping.size @property def chunks(self): + """ + :return: file size in bytes + :rtype: int + """ return self.file_mapping.chunks @property def flags(self): + """ + :returns: file flags + :rtype: :class:`.EDepotFileFlag` + """ return self.file_mapping.flags @property def is_directory(self): return self.flags & EDepotFileFlag.Directory > 0 + @property + def is_symlink(self): + return not not self.file_mapping.linktarget + @property def is_file(self): - return not self.is_directory + return not self.is_directory and not self.is_symlink From 9d1bd5974e8cedffd96bb59009852f416c7e7d5b Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Mon, 6 May 2019 17:49:45 +0100 Subject: [PATCH 06/16] remove workshop lookup + add chunk caching --- requirements.txt | 1 + setup.py | 1 + steam/client/cdn.py | 32 +++++++++++++++++--------------- 3 files changed, 19 insertions(+), 15 deletions(-) diff --git a/requirements.txt b/requirements.txt index 08a91c2..def0e70 100644 --- a/requirements.txt +++ b/requirements.txt @@ -13,3 +13,4 @@ mock==1.3.0 PyYAML==5.1 vcrpy==1.7.4 sphinx==1.3.5 +cachetools>=3.0.0 diff --git a/setup.py b/setup.py index 9978cee..af0c1a7 100644 --- a/setup.py +++ b/setup.py @@ -22,6 +22,7 @@ install_requires = [ 'gevent>=1.2.0', 'protobuf>=3.0.0', 'gevent-eventemitter>=2.0', + 'cachetools>=3.0.0', ] install_extras = { diff --git a/steam/client/cdn.py b/steam/client/cdn.py index 16e3a44..e1af182 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -9,6 +9,7 @@ import logging import struct import vdf +from cachetools import LRUCache from steam import webapi from steam.enums import EResult, EServerType from steam.util.web import make_requests_session @@ -99,13 +100,13 @@ class ContentServer(object): class CDNClient(object): _LOG = logging.getLogger("CDNClient") servers = deque() + _chunk_cache = LRUCache(20) def __init__(self, client): self.steam = client self.web = make_requests_session() self.cdn_auth_tokens = {} self.depot_keys = {} - self.workshop_depots = {} self.manifests = {} self.app_depots = {} @@ -193,12 +194,12 @@ class CDNClient(object): server = self.get_content_server(rotate=True) def get_chunk(self, app_id, depot_id, chunk_id, cdn_auth_token=None): - if cdn_auth_token is None: - cdn_auth_token = self.get_cdn_auth_token(depot_id) + if (depot_id, chunk_id) not in self._chunk_cache: + if cdn_auth_token is None: + cdn_auth_token = self.get_cdn_auth_token(depot_id) - resp = self.get('depot', '%s/chunk/%s' % (depot_id, chunk_id), cdn_auth_token) + resp = self.get('depot', '%s/chunk/%s' % (depot_id, chunk_id), cdn_auth_token) - if resp.ok: data = symmetric_decrypt(resp.content, self.get_depot_key(app_id, depot_id)) if data[:2] == b'VZ': @@ -216,11 +217,15 @@ class CDNClient(object): if crc32(udata) != checksum: raise ValueError("CRC checksum doesn't match for decompressed data") - return udata[:decompressed_size] + data = udata[:decompressed_size] else: with ZipFile(BytesIO(data)) as zf: - return zf.read(zf.filelist[0]) + data = zf.read(zf.filelist[0]) + + self._chunk_cache[(depot_id, chunk_id)] = data + + return self._chunk_cache[(depot_id, chunk_id)] def get_manifest(self, app_id, depot_id, manifest_id, cdn_auth_token=None, decrypt=True): if (app_id, depot_id, manifest_id) not in self.manifests: @@ -301,14 +306,7 @@ class CDNClient(object): elif not wf.hcontent_file: raise ValueError("Workshop file is not on steampipe") - app_id = wf.consumer_appid - - ws_app_id = self.workshop_depots.get(app_id) - - if ws_app_id is None: - ws_app_id = int(self.steam.get_product_info([app_id])['apps'][app_id]['depots'].get( - 'workshopdepot', app_id)) - self.workshop_depots[app_id] = ws_app_id + app_id = ws_app_id = wf.consumer_appid manifest = self.get_manifest(app_id, ws_app_id, wf.hcontent_file) manifest.name = wf.title @@ -379,6 +377,10 @@ class CDNDepotFile(DepotFile): 'is_directory=True' if self.is_directory else self.size, ) + @property + def name(self): + return self.filename + @property def seekable(self): return self.is_file From 7bfcf5cb4bb023f9b909cb6a3854a397710f7a46 Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Mon, 6 May 2019 23:11:52 +0100 Subject: [PATCH 07/16] only get depots with a license + filter func * resolve which apps and depots the account has licenses for * add filter_func paramter to allow custom selection of depots for an app --- steam/client/cdn.py | 58 ++++++++++++++++++++++++++++++++++++++------- 1 file changed, 49 insertions(+), 9 deletions(-) diff --git a/steam/client/cdn.py b/steam/client/cdn.py index e1af182..b2889d6 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -109,10 +109,30 @@ class CDNClient(object): self.depot_keys = {} self.manifests = {} self.app_depots = {} + self.licensed_app_ids = set() + self.licensed_depot_ids = set() if not self.servers: self.fetch_content_servers() + self.load_licenses() + + def load_licenses(self): + self.licensed_app_ids.clear() + self.licensed_depot_ids.clear() + + if not self.steam.licenses: + self._LOG.debug("No steam licenses available. Is SteamClient instances connected?") + return + + packages = list(self.steam.licenses.keys()) + + print(packages) + + for package_id, info in iteritems(self.steam.get_product_info(packages=packages)['packages']): + self.licensed_app_ids.update(info['appids'].values()) + self.licensed_depot_ids.update(info['depotids'].values()) + @property def cell_id(self): return self.steam.cell_id @@ -151,7 +171,7 @@ class CDNClient(object): if msg and msg.eresult == EResult.OK: self.cdn_auth_tokens[depot_id] = msg.token else: - raise ValueError("Failed getting depot key: %s" % repr( + raise ValueError("Failed getting CDN auth token: %s" % repr( EResult.Timeout if msg is None else EResult(msg.eresult))) return self.cdn_auth_tokens[depot_id] @@ -242,7 +262,7 @@ class CDNClient(object): return self.manifests[(app_id, depot_id, manifest_id)] - def get_manifests(self, app_id, branch='public'): + def get_manifests(self, app_id, branch='public', filter_func=None): if app_id not in self.app_depots: self.app_depots[app_id] = self.steam.get_product_info([app_id])['apps'][app_id]['depots'] depots = self.app_depots[app_id] @@ -254,30 +274,50 @@ class CDNClient(object): manifests = [] - for depot_id, depot_config in iteritems(depots): + for depot_id, depot_info in iteritems(depots): if not depot_id.isdigit(): continue depot_id = int(depot_id) - if branch in depot_config.get('manifests', {}): + # if we have no license for the depot, no point trying as we won't get depot_key + if depot_id not in self.licensed_depot_ids: + self._LOG.debug("No license for depot %s (%s). Skipping...", + repr(depot_info['name']), + depot_id, + ) + continue + + # if filter_func set, use it to filter the list the depots + if filter_func and not filter_func(depot_id, depot_info): + continue + + # get manifests for the sharedinstalls + if depot_info.get('sharedinstall') == '1': + manifests += self.get_manifests(int(depot_info['depotfromapp']), + filter_func=(lambda a, b: int(a) == depot_id), + ) + continue + + # process depot, and get manifest for branch + if branch in depot_info.get('manifests', {}): try: - manifest = self.get_manifest(app_id, depot_id, depot_config['manifests'][branch]) + manifest = self.get_manifest(app_id, depot_id, depot_info['manifests'][branch]) except ValueError as exp: self._LOG.error("Depot %s (%s): %s", - repr(depot_config['name']), + repr(depot_info['name']), depot_id, str(exp), ) continue - manifest.name = depot_config['name'] + manifest.name = depot_info['name'] manifests.append(manifest) return manifests - def iter_files(self, app_id, filename_filter=None, branch='public'): - for manifest in self.get_manifests(app_id, branch): + def iter_files(self, app_id, filename_filter=None, branch='public', filter_func=None): + for manifest in self.get_manifests(app_id, branch, filter_func): for fp in manifest.iter_files(filename_filter): yield fp From 99604bad8f307bb49b0e0272c1e0159dcbbb8d17 Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Sat, 11 May 2019 21:00:12 +0100 Subject: [PATCH 08/16] VZ decompress tweaks --- steam/client/cdn.py | 18 +++++++----------- 1 file changed, 7 insertions(+), 11 deletions(-) diff --git a/steam/client/cdn.py b/steam/client/cdn.py index b2889d6..f476b9d 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -223,22 +223,18 @@ class CDNClient(object): data = symmetric_decrypt(resp.content, self.get_depot_key(app_id, depot_id)) if data[:2] == b'VZ': + if data[-2:] != b'zv': + raise ValueError("VZ: Invalid footer: %s" % repr(data[-2:])) if data[2:3] != b'a': - raise ValueError("Invalid VZ version: %s" % repr(data[2:3])) + raise ValueError("VZ: Invalid version: %s" % repr(data[2:3])) vzfilter = lzma._decode_filter_properties(lzma.FILTER_LZMA1, data[7:12]) vzdec = lzma.LZMADecompressor(lzma.FORMAT_RAW, filters=[vzfilter]) - checksum, decompressed_size, vz_footer = struct.unpack(' Date: Sun, 12 May 2019 21:54:18 +0100 Subject: [PATCH 09/16] make get_manifest request parallel --- steam/client/cdn.py | 55 ++++++++++++++++++++++++++++++--------------- 1 file changed, 37 insertions(+), 18 deletions(-) diff --git a/steam/client/cdn.py b/steam/client/cdn.py index f476b9d..07f5f68 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -9,6 +9,7 @@ import logging import struct import vdf +from gevent.pool import Pool as GPool from cachetools import LRUCache from steam import webapi from steam.enums import EResult, EServerType @@ -127,8 +128,8 @@ class CDNClient(object): packages = list(self.steam.licenses.keys()) - print(packages) - + # TODO: don't fetch all packages info at the same time (for accounts with many licences) + # TODO: add support for anonymous account for package_id, info in iteritems(self.steam.get_product_info(packages=packages)['packages']): self.licensed_app_ids.update(info['appids'].values()) self.licensed_depot_ids.update(info['depotids'].values()) @@ -268,7 +269,13 @@ class CDNClient(object): elif int(depots['branches'][branch].get('pwdrequired', 0)) > 0: raise NotImplementedError("Password protected branches are not supported yet") - manifests = [] + def async_fetch_manifest(app_id, depot_id, manifest_id, name): + manifest = self.get_manifest(app_id, depot_id, manifest_id) + manifest.name = name + return manifest + + tasks = [] + gpool = GPool(8) for depot_id, depot_info in iteritems(depots): if not depot_id.isdigit(): @@ -290,25 +297,37 @@ class CDNClient(object): # get manifests for the sharedinstalls if depot_info.get('sharedinstall') == '1': - manifests += self.get_manifests(int(depot_info['depotfromapp']), - filter_func=(lambda a, b: int(a) == depot_id), - ) + tasks.append(gpool.spawn(self.get_manifests, + int(depot_info['depotfromapp']), + filter_func=(lambda a, b: int(a) == depot_id), + )) continue # process depot, and get manifest for branch if branch in depot_info.get('manifests', {}): - try: - manifest = self.get_manifest(app_id, depot_id, depot_info['manifests'][branch]) - except ValueError as exp: - self._LOG.error("Depot %s (%s): %s", - repr(depot_info['name']), - depot_id, - str(exp), - ) - continue - - manifest.name = depot_info['name'] - manifests.append(manifest) + tasks.append(gpool.spawn(async_fetch_manifest, + app_id, + depot_id, + depot_info['manifests'][branch], + depot_info['name'], + )) + + manifests = [] + + for task in tasks: + try: + result = task.get() + except ValueError as exp: + self._LOG.error("Depot %s (%s): %s", + repr(depot_info['name']), + depot_id, + str(exp), + ) + else: + if isinstance(result, list): + manifests.extend(result) + else: + manifests.append(result) return manifests From 0f1b4ad824584f721ad071f77f606a60371f5a91 Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Sat, 18 May 2019 19:20:27 +0100 Subject: [PATCH 10/16] remove cell_id prop from SteamClient --- steam/client/__init__.py | 3 --- 1 file changed, 3 deletions(-) diff --git a/steam/client/__init__.py b/steam/client/__init__.py index 6e455d2..776a0a3 100644 --- a/steam/client/__init__.py +++ b/steam/client/__init__.py @@ -53,7 +53,6 @@ class SteamClient(CMClient, BuiltinBase): credential_location = None #: location for sentry username = None #: username when logged on login_key = None #: can be used for subsequent logins (no 2FA code will be required) - cell_id = 0 #: cell id provided by CM def __init__(self): CMClient.__init__(self) @@ -170,7 +169,6 @@ class SteamClient(CMClient, BuiltinBase): def _handle_disconnect(self, *args): self.logged_on = False self.current_jobid = 0 - self.cell_id = 0 def _handle_logon(self, msg): CMClient._handle_logon(self, msg) @@ -180,7 +178,6 @@ class SteamClient(CMClient, BuiltinBase): if result == EResult.OK: self._reconnect_backoff_c = 0 self.logged_on = True - self.cell_id = msg.body.cell_id self.emit(self.EVENT_LOGGED_ON) return From 7f8b033ecd90d9af6711274dd3ed71a40b840ad3 Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Sat, 18 May 2019 19:34:46 +0100 Subject: [PATCH 11/16] add support for anonymous user --- steam/client/cdn.py | 14 ++++++++------ 1 file changed, 8 insertions(+), 6 deletions(-) diff --git a/steam/client/cdn.py b/steam/client/cdn.py index 07f5f68..fabbccc 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -12,7 +12,7 @@ import vdf from gevent.pool import Pool as GPool from cachetools import LRUCache from steam import webapi -from steam.enums import EResult, EServerType +from steam.enums import EResult, EServerType, EType from steam.util.web import make_requests_session from steam.core.crypto import symmetric_decrypt from steam.core.manifest import DepotManifest, DepotFile @@ -122,14 +122,16 @@ class CDNClient(object): self.licensed_app_ids.clear() self.licensed_depot_ids.clear() - if not self.steam.licenses: - self._LOG.debug("No steam licenses available. Is SteamClient instances connected?") - return + if self.steam.steam_id.type == EType.AnonUser: + packages = [17906] + else: + if not self.steam.licenses: + self._LOG.debug("No steam licenses available. Is SteamClient instances connected?") + return - packages = list(self.steam.licenses.keys()) + packages = list(self.steam.licenses.keys()) # TODO: don't fetch all packages info at the same time (for accounts with many licences) - # TODO: add support for anonymous account for package_id, info in iteritems(self.steam.get_product_info(packages=packages)['packages']): self.licensed_app_ids.update(info['appids'].values()) self.licensed_depot_ids.update(info['depotids'].values()) From 5042cf41bd1c3db131b2ce04c9634331eb8faaef Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Sat, 1 Jun 2019 01:38:26 +0100 Subject: [PATCH 12/16] remove cdn_auth_token as its no longer required --- steam/client/builtins/apps.py | 3 +++ steam/client/cdn.py | 32 ++++++-------------------------- 2 files changed, 9 insertions(+), 26 deletions(-) diff --git a/steam/client/builtins/apps.py b/steam/client/builtins/apps.py index bcd39b5..d438f06 100644 --- a/steam/client/builtins/apps.py +++ b/steam/client/builtins/apps.py @@ -161,6 +161,9 @@ class Apps(object): def get_cdn_auth_token(self, depot_id, hostname): """Get CDN authentication token + .. note:: + This token is no longer needed for access to CDN files + :param depot_id: depot id :type depot_id: :class:`int` :param hostname: cdn hostname diff --git a/steam/client/cdn.py b/steam/client/cdn.py index fabbccc..36c73ac 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -106,7 +106,6 @@ class CDNClient(object): def __init__(self, client): self.steam = client self.web = make_requests_session() - self.cdn_auth_tokens = {} self.depot_keys = {} self.manifests = {} self.app_depots = {} @@ -167,18 +166,6 @@ class CDNClient(object): self.servers.rotate(-1) return self.servers[0] - def get_cdn_auth_token(self, depot_id): - if depot_id not in self.cdn_auth_tokens: - msg = self.steam.get_cdn_auth_token(depot_id, 'steampipe.steamcontent.com') - - if msg and msg.eresult == EResult.OK: - self.cdn_auth_tokens[depot_id] = msg.token - else: - raise ValueError("Failed getting CDN auth token: %s" % repr( - EResult.Timeout if msg is None else EResult(msg.eresult))) - - return self.cdn_auth_tokens[depot_id] - def get_depot_key(self, app_id, depot_id): if (app_id, depot_id) not in self.depot_keys: msg = self.steam.get_depot_key(app_id, depot_id) @@ -191,17 +178,16 @@ class CDNClient(object): return self.depot_keys[(app_id, depot_id)] - def get(self, command, args, auth_token=''): + def get(self, command, args): server = self.get_content_server() while True: - url = "%s://%s:%s/%s/%s%s" % ( + url = "%s://%s:%s/%s/%s" % ( 'https' if server.https else 'http', server.host, server.port, command, args, - auth_token, ) try: @@ -216,12 +202,9 @@ class CDNClient(object): server = self.get_content_server(rotate=True) - def get_chunk(self, app_id, depot_id, chunk_id, cdn_auth_token=None): + def get_chunk(self, app_id, depot_id, chunk_id): if (depot_id, chunk_id) not in self._chunk_cache: - if cdn_auth_token is None: - cdn_auth_token = self.get_cdn_auth_token(depot_id) - - resp = self.get('depot', '%s/chunk/%s' % (depot_id, chunk_id), cdn_auth_token) + resp = self.get('depot', '%s/chunk/%s' % (depot_id, chunk_id)) data = symmetric_decrypt(resp.content, self.get_depot_key(app_id, depot_id)) @@ -246,12 +229,9 @@ class CDNClient(object): return self._chunk_cache[(depot_id, chunk_id)] - def get_manifest(self, app_id, depot_id, manifest_id, cdn_auth_token=None, decrypt=True): + def get_manifest(self, app_id, depot_id, manifest_id, decrypt=True): if (app_id, depot_id, manifest_id) not in self.manifests: - if cdn_auth_token is None: - cdn_auth_token = self.get_cdn_auth_token(depot_id) - - resp = self.get('depot', '%s/manifest/%s/5' % (depot_id, manifest_id), cdn_auth_token) + resp = self.get('depot', '%s/manifest/%s/5' % (depot_id, manifest_id)) if resp.ok: manifest = CDNDepotManifest(self, app_id, resp.content) From fde332fd0224a8536a616f71fda3218d5ed2d2fe Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Wed, 26 Jun 2019 19:17:52 +0100 Subject: [PATCH 13/16] fix #196; remove ClientServerList handling --- steam/client/builtins/apps.py | 9 --------- steam/client/cdn.py | 25 +++++++------------------ 2 files changed, 7 insertions(+), 27 deletions(-) diff --git a/steam/client/builtins/apps.py b/steam/client/builtins/apps.py index d438f06..007894b 100644 --- a/steam/client/builtins/apps.py +++ b/steam/client/builtins/apps.py @@ -6,26 +6,17 @@ from steam.util import ip_from_int, proto_fill_from_dict class Apps(object): - servers = None #: :class:`dict: Servers by type licenses = None #: :class:`dict` Account licenses def __init__(self, *args, **kwargs): super(Apps, self).__init__(*args, **kwargs) - self.servers = {} self.licenses = {} self.on(self.EVENT_DISCONNECTED, self.__handle_disconnect) - self.on(EMsg.ClientServerList, self._handle_server_list) self.on(EMsg.ClientLicenseList, self._handle_licenses) def __handle_disconnect(self): - self.servers = {} self.licenses = {} - def _handle_server_list(self, message): - for entry in message.body.servers: - self.servers.setdefault(EServerType(entry.server_type), [])\ - .append((ip_from_int(entry.server_ip), entry.server_port)) - def _handle_licenses(self, message): for entry in message.body.licenses: self.licenses[entry.package_id] = entry diff --git a/steam/client/cdn.py b/steam/client/cdn.py index 36c73ac..7c6de6d 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -102,9 +102,13 @@ class CDNClient(object): _LOG = logging.getLogger("CDNClient") servers = deque() _chunk_cache = LRUCache(20) + cell_id = 0 def __init__(self, client): self.steam = client + if self.steam: + self.cell_id = self.steam.cell_id + self.web = make_requests_session() self.depot_keys = {} self.manifests = {} @@ -135,28 +139,13 @@ class CDNClient(object): self.licensed_app_ids.update(info['appids'].values()) self.licensed_depot_ids.update(info['depotids'].values()) - @property - def cell_id(self): - return self.steam.cell_id - def fetch_content_servers(self, num_servers=20): self.servers.clear() - if self.steam: - for ip, port in self.steam.servers.get(EServerType.CS, []): - servers = get_content_servers_from_cs(self.cell_id, ip, port, num_servers, self.web) - - if servers: - self.servers.extend(servers) - break - else: - self._LOG.debug("No content servers available on SteamClient instance") - - if not self.servers: - self._LOG.debug("Trying to fetch content servers from Steam API") + self._LOG.debug("Trying to fetch content servers from Steam API") - servers = get_content_servers_from_webapi(self.cell_id) - self.servers.extend(servers) + servers = get_content_servers_from_webapi(self.cell_id) + self.servers.extend(servers) if not self.servers: raise ValueError("Failed to fetch content servers") From f3a21174a9c4bdf248c7c898b4b717e20ada5e36 Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Sat, 29 Jun 2019 17:10:20 +0100 Subject: [PATCH 14/16] add support for password proected branches --- steam/client/cdn.py | 50 ++++++++++++++++++++++++++++++++------- steam/core/crypto.py | 6 +++++ tests/test_core_crypto.py | 9 +++++++ 3 files changed, 57 insertions(+), 8 deletions(-) diff --git a/steam/client/cdn.py b/steam/client/cdn.py index 7c6de6d..d3225d7 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -3,7 +3,7 @@ from zipfile import ZipFile from io import BytesIO from collections import OrderedDict, deque from six import itervalues, iteritems -from binascii import crc32 +from binascii import crc32, unhexlify from datetime import datetime import logging import struct @@ -12,9 +12,11 @@ import vdf from gevent.pool import Pool as GPool from cachetools import LRUCache from steam import webapi +from steam.core.msg import MsgProto from steam.enums import EResult, EServerType, EType +from steam.enums.emsg import EMsg from steam.util.web import make_requests_session -from steam.core.crypto import symmetric_decrypt +from steam.core.crypto import symmetric_decrypt, symmetric_decrypt_ecb from steam.core.manifest import DepotManifest, DepotFile from steam.protobufs.content_manifest_pb2 import ContentManifestPayload @@ -23,6 +25,8 @@ try: except ImportError: from backports import lzma +def decrypt_manifest_gid_2(encrypted_gid, password): + return struct.unpack(' 0: - raise NotImplementedError("Password protected branches are not supported yet") + is_enc_branch = True + + if (app_id, branch) not in self.beta_passwords: + if not password: + raise ValueError("Branch %r requires a password" % branch) + self.check_beta_password(app_id, password) def async_fetch_manifest(app_id, depot_id, manifest_id, name): manifest = self.get_manifest(app_id, depot_id, manifest_id) @@ -274,12 +296,24 @@ class CDNClient(object): )) continue + # process depot, and get manifest for branch - if branch in depot_info.get('manifests', {}): + if is_enc_branch: + egid = depot_info.get('encryptedmanifests', {}).get(branch, {}).get('encrypted_gid_2') + + if egid is not None: + manifest_gid = decrypt_manifest_gid_2(unhexlify(egid), + self.beta_passwords[(app_id, branch)]) + else: + manifest_gid = depot_info.get('manifests', {}).get('public') + else: + manifest_gid = depot_info.get('manifests', {}).get(branch) + + if manifest_gid is not None: tasks.append(gpool.spawn(async_fetch_manifest, app_id, depot_id, - depot_info['manifests'][branch], + manifest_gid, depot_info['name'], )) @@ -302,8 +336,8 @@ class CDNClient(object): return manifests - def iter_files(self, app_id, filename_filter=None, branch='public', filter_func=None): - for manifest in self.get_manifests(app_id, branch, filter_func): + def iter_files(self, app_id, filename_filter=None, branch='public', password=None, filter_func=None): + for manifest in self.get_manifests(app_id, branch, password, filter_func): for fp in manifest.iter_files(filename_filter): yield fp diff --git a/steam/core/crypto.py b/steam/core/crypto.py index 07f83f4..6fb2867 100644 --- a/steam/core/crypto.py +++ b/steam/core/crypto.py @@ -48,6 +48,9 @@ def symmetric_encrypt(message, key): iv = random_bytes(BS) return symmetric_encrypt_with_iv(message, key, iv) +def symmetric_encrypt_ecb(message, key): + return AES.new(key, AES.MODE_ECB).encrypt(pad(message)) + def symmetric_encrypt_HMAC(message, key, hmac_secret): prefix = random_bytes(3) hmac = hmac_sha1(hmac_secret, prefix + message) @@ -66,6 +69,9 @@ def symmetric_decrypt(cyphertext, key): iv = symmetric_decrypt_iv(cyphertext, key) return symmetric_decrypt_with_iv(cyphertext, key, iv) +def symmetric_decrypt_ecb(cyphertext, key): + return unpad(AES.new(key, AES.MODE_ECB).decrypt(cyphertext)) + def symmetric_decrypt_HMAC(cyphertext, key, hmac_secret): """:raises: :class:`RuntimeError` when HMAC verification fails""" iv = symmetric_decrypt_iv(cyphertext, key) diff --git a/tests/test_core_crypto.py b/tests/test_core_crypto.py index b2fd27a..ae0b1f5 100644 --- a/tests/test_core_crypto.py +++ b/tests/test_core_crypto.py @@ -54,6 +54,15 @@ class crypto_testcase(unittest.TestCase): self.assertEqual(message, dmessage) + def test_encryption_ecb(self): + message = b'My secret message' + key = b'9' * 32 + + cyphertext = crypto.symmetric_encrypt_ecb(message, key) + dmessage = crypto.symmetric_decrypt_ecb(cyphertext, key) + + self.assertEqual(message, dmessage) + def test_encryption_hmac(self): message = b'My secret message' key = b'9' * 32 From 788c1be6aab21667c31733484241a69063c84735 Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Sun, 30 Jun 2019 02:01:01 +0100 Subject: [PATCH 15/16] cdn: update all docs string --- docs/api/steam.client.cdn.rst | 3 + docs/api/steam.client.rst | 1 + docs/api/steam.core.rst | 1 + requirements.txt | 3 +- steam/client/cdn.py | 313 +++++++++++++++++++++++++++++++--- steam/core/manifest.py | 47 ++--- 6 files changed, 321 insertions(+), 47 deletions(-) diff --git a/docs/api/steam.client.cdn.rst b/docs/api/steam.client.cdn.rst index aaa8d95..a6982d6 100644 --- a/docs/api/steam.client.cdn.rst +++ b/docs/api/steam.client.cdn.rst @@ -3,5 +3,8 @@ cdn .. automodule:: steam.client.cdn :members: + :member-order: alphabetical + :undoc-members: + :inherited-members: :show-inheritance: diff --git a/docs/api/steam.client.rst b/docs/api/steam.client.rst index 641ffe2..61db034 100644 --- a/docs/api/steam.client.rst +++ b/docs/api/steam.client.rst @@ -10,6 +10,7 @@ client .. toctree:: steam.client.builtins + steam.client.cdn steam.client.gc steam.client.user diff --git a/docs/api/steam.core.rst b/docs/api/steam.core.rst index 5a2286a..1f04a8b 100644 --- a/docs/api/steam.core.rst +++ b/docs/api/steam.core.rst @@ -11,4 +11,5 @@ core steam.core.cm steam.core.connection steam.core.crypto + steam.core.manifest steam.core.msg diff --git a/requirements.txt b/requirements.txt index def0e70..d72929a 100644 --- a/requirements.txt +++ b/requirements.txt @@ -12,5 +12,6 @@ pytest-cov==2.5.1 mock==1.3.0 PyYAML==5.1 vcrpy==1.7.4 -sphinx==1.3.5 +sphinx==1.8.5 +sphinx_rtd_theme cachetools>=3.0.0 diff --git a/steam/client/cdn.py b/steam/client/cdn.py index d3225d7..4d87d60 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -1,3 +1,85 @@ +""" +Initializing :class:`.CDNClient` requires a logged in :class:`.SteamClient` instance + +.. code:: python + + mysteam = SteamClient() + ... + + mycdn = CDNClient(mysteam) + + +Getting depot manifests for an app + +.. code:: python + + >>> mycdn.get_manifests(570) + [, + , + , + , + , + , + , + , + , + , + , + , + , + , + , + , + , + , + , + , + ] + + >>> mycdn.get_manifests(570, filter_func=lambda depot_id, info: 'Dota 2 Content' in info['name']) + [, + , + , + , + , + ] + + +Listing files + +.. code:: python + + >>> file_list = mycdn.iter_files(570) + >>> list(file_list)[:10] + [, + , + , + , + , + , + , + , + , + + +Reading a file directly from SteamPipe + +.. code:: python + + >>> file_list = mycdn.iter_files(570, r'game\dota\gameinfo.gi') + >>> myfile = next(file_list) + + >>> print(myfile.read(80).decode('utf-8')) + "GameInfo" + { + game "Dota 2" + title "Dota 2" + + gamelogo 1 + type multiplayer_only + ... + +""" from zipfile import ZipFile from io import BytesIO @@ -26,9 +108,33 @@ except ImportError: from backports import lzma def decrypt_manifest_gid_2(encrypted_gid, password): + """Decrypt manifest gid v2 bytes + + :param encrypted_gid: encrypted gid v2 bytes + :type encrypted_gid: bytes + :param password: encryption password + :type password: byt + :return: manifest gid + :rtype: int + """ return struct.unpack('= self.size or self.size == 0: @@ -530,6 +779,11 @@ class CDNDepotFile(DepotFile): return data def readline(self): + """Read a single line + + :return: single file line + :rtype: bytes + """ buf = b'' for chunk in iter(lambda: self.read(256), b''): @@ -545,4 +799,9 @@ class CDNDepotFile(DepotFile): return buf def readlines(self): + """Get file contents as list of lines + + :return: list of lines + :rtype: :class:`list` [:class:`bytes`] + """ return [line for line in self] diff --git a/steam/core/manifest.py b/steam/core/manifest.py index a42b2dc..591e1ad 100644 --- a/steam/core/manifest.py +++ b/steam/core/manifest.py @@ -53,22 +53,27 @@ class DepotManifest(object): @property def depot_id(self): + """:type: int""" return self.metadata.depot_id @property def gid(self): + """:type: int""" return self.metadata.gid_manifest @property def creation_time(self): + """:type: int""" return self.metadata.creation_time @property def size_original(self): + """:type: int""" return self.metadata.cb_disk_original @property def size_compressed(self): + """:type: int""" return self.metadata.cb_disk_compressed def decrypt_filenames(self, depot_key): @@ -176,7 +181,7 @@ class DepotManifest(object): def iter_files(self, pattern=None): """ - :param pattern: unix shell wildcard pattern, see :module:`.fnmatch` + :param pattern: unix shell wildcard pattern, see :func:`.fnmatch` :type pattern: str """ for mapping in self.payload.mappings: @@ -192,6 +197,7 @@ class DepotManifest(object): class DepotFile(object): def __init__(self, manifest, file_mapping): """Depot file + :param manifest: depot manifest :type manifest: :class:`.DepotManifest` :param file_mapping: depot file mapping instance @@ -215,53 +221,56 @@ class DepotFile(object): ) @property - def filename(self): - """ - :returns: Filename with null terminator and whitespaces removed - :rtype: str + def filename_raw(self): + """Filename with null terminator and whitespaces removed + + :type: str """ return self.file_mapping.filename.rstrip('\x00 \n\t') @property - def filename_norm(self): - """ - :return: Return current OS compatible path - :rtype: str + def filename(self): + """Filename matching the OS + + :type: str """ - return os.path.join(*self.filename.split('\\')) + return os.path.join(*self.filename_raw.split('\\')) @property def size(self): - """ - :return: file size in bytes - :rtype: int + """File size in bytes + + :type: int """ return self.file_mapping.size @property def chunks(self): - """ - :return: file size in bytes - :rtype: int + """File chunks instances + + :type: :class:`list` [ContentManifestPayload.FileMapping.ChunkData] """ return self.file_mapping.chunks @property def flags(self): - """ - :returns: file flags - :rtype: :class:`.EDepotFileFlag` + """File flags + + :type: :class:`.EDepotFileFlag` """ return self.file_mapping.flags @property def is_directory(self): + """:type: bool""" return self.flags & EDepotFileFlag.Directory > 0 @property def is_symlink(self): + """:type: bool""" return not not self.file_mapping.linktarget @property def is_file(self): + """:type: bool""" return not self.is_directory and not self.is_symlink From 90c7466ed696a5d08bb6ad3c7841ef65c573cd42 Mon Sep 17 00:00:00 2001 From: Rossen Georgiev Date: Sun, 30 Jun 2019 10:46:30 +0100 Subject: [PATCH 16/16] cdnclient: docstring tweaks --- steam/client/cdn.py | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/steam/client/cdn.py b/steam/client/cdn.py index 4d87d60..420e304 100644 --- a/steam/client/cdn.py +++ b/steam/client/cdn.py @@ -1,11 +1,12 @@ """ +The :class:`.CDNClient` class provides a simple API for downloading Steam content from SteamPipe + Initializing :class:`.CDNClient` requires a logged in :class:`.SteamClient` instance .. code:: python mysteam = SteamClient() ... - mycdn = CDNClient(mysteam) @@ -261,7 +262,6 @@ class CDNClient(object): packages = list(self.steam.licenses.keys()) - # TODO: don't fetch all packages info at the same time (for accounts with many licences) for package_id, info in iteritems(self.steam.get_product_info(packages=packages)['packages']): self.licensed_app_ids.update(info['appids'].values()) self.licensed_depot_ids.update(info['depotids'].values())