quasarr 1.31.0__py3-none-any.whl → 1.32.0__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
@@ -2,8 +2,18 @@
2
2
  # Quasarr
3
3
  # Project by https://github.com/rix1337
4
4
 
5
+ from quasarr.providers.log import debug
5
6
  from quasarr.providers.myjd_api import TokenExpiredException, RequestTimeoutException, MYJDException
6
7
 
8
+ # Known archive extensions for fallback detection
9
+ ARCHIVE_EXTENSIONS = frozenset([
10
+ '.rar', '.zip', '.7z', '.tar', '.gz', '.bz2', '.xz',
11
+ '.001', '.002', '.003', '.004', '.005', '.006', '.007', '.008', '.009',
12
+ '.r00', '.r01', '.r02', '.r03', '.r04', '.r05', '.r06', '.r07', '.r08', '.r09',
13
+ '.part1.rar', '.part01.rar', '.part001.rar',
14
+ '.part2.rar', '.part02.rar', '.part002.rar',
15
+ ])
16
+
7
17
 
8
18
  class JDPackageCache:
9
19
  """
@@ -16,116 +26,264 @@ class JDPackageCache:
16
26
 
17
27
  This reduces redundant API calls within a single operation where the same
18
28
  data (e.g., linkgrabber_links) is needed multiple times.
19
-
20
- Usage:
21
- # Cache is created and discarded within a single function call
22
- cache = JDPackageCache(device)
23
- packages = cache.linkgrabber_packages # Fetches from API
24
- packages = cache.linkgrabber_packages # Returns cached (same request)
25
- # Cache goes out of scope and is garbage collected
26
29
  """
27
30
 
28
31
  def __init__(self, device):
32
+ debug("JDPackageCache: Initializing new cache instance")
29
33
  self._device = device
30
34
  self._linkgrabber_packages = None
31
35
  self._linkgrabber_links = None
32
36
  self._downloader_packages = None
33
37
  self._downloader_links = None
34
- self._archive_package_uuids = None # Set of package UUIDs containing archives
38
+ self._archive_cache = {} # package_uuid -> bool (is_archive)
35
39
  self._is_collecting = None
40
+ # Stats tracking
41
+ self._api_calls = 0
42
+ self._cache_hits = 0
43
+
44
+ def get_stats(self):
45
+ """Return cache statistics string."""
46
+ pkg_count = len(self._downloader_packages or []) + len(self._linkgrabber_packages or [])
47
+ link_count = len(self._downloader_links or []) + len(self._linkgrabber_links or [])
48
+ return f"{self._api_calls} API calls | {pkg_count} packages, {link_count} links cached"
36
49
 
37
50
  @property
38
51
  def linkgrabber_packages(self):
39
52
  if self._linkgrabber_packages is None:
53
+ debug("JDPackageCache: Fetching linkgrabber_packages from API")
54
+ self._api_calls += 1
40
55
  try:
41
56
  self._linkgrabber_packages = self._device.linkgrabber.query_packages()
42
- except (TokenExpiredException, RequestTimeoutException, MYJDException):
57
+ debug(f"JDPackageCache: Retrieved {len(self._linkgrabber_packages)} linkgrabber packages")
58
+ except (TokenExpiredException, RequestTimeoutException, MYJDException) as e:
59
+ debug(f"JDPackageCache: Failed to fetch linkgrabber_packages: {e}")
43
60
  self._linkgrabber_packages = []
61
+ else:
62
+ self._cache_hits += 1
63
+ debug(f"JDPackageCache: Using cached linkgrabber_packages ({len(self._linkgrabber_packages)} packages)")
44
64
  return self._linkgrabber_packages
45
65
 
46
66
  @property
47
67
  def linkgrabber_links(self):
48
68
  if self._linkgrabber_links is None:
69
+ debug("JDPackageCache: Fetching linkgrabber_links from API")
70
+ self._api_calls += 1
49
71
  try:
50
72
  self._linkgrabber_links = self._device.linkgrabber.query_links()
51
- except (TokenExpiredException, RequestTimeoutException, MYJDException):
73
+ debug(f"JDPackageCache: Retrieved {len(self._linkgrabber_links)} linkgrabber links")
74
+ except (TokenExpiredException, RequestTimeoutException, MYJDException) as e:
75
+ debug(f"JDPackageCache: Failed to fetch linkgrabber_links: {e}")
52
76
  self._linkgrabber_links = []
77
+ else:
78
+ self._cache_hits += 1
79
+ debug(f"JDPackageCache: Using cached linkgrabber_links ({len(self._linkgrabber_links)} links)")
53
80
  return self._linkgrabber_links
54
81
 
55
82
  @property
56
83
  def downloader_packages(self):
57
84
  if self._downloader_packages is None:
85
+ debug("JDPackageCache: Fetching downloader_packages from API")
86
+ self._api_calls += 1
58
87
  try:
59
88
  self._downloader_packages = self._device.downloads.query_packages()
60
- except (TokenExpiredException, RequestTimeoutException, MYJDException):
89
+ debug(f"JDPackageCache: Retrieved {len(self._downloader_packages)} downloader packages")
90
+ except (TokenExpiredException, RequestTimeoutException, MYJDException) as e:
91
+ debug(f"JDPackageCache: Failed to fetch downloader_packages: {e}")
61
92
  self._downloader_packages = []
93
+ else:
94
+ self._cache_hits += 1
95
+ debug(f"JDPackageCache: Using cached downloader_packages ({len(self._downloader_packages)} packages)")
62
96
  return self._downloader_packages
63
97
 
64
98
  @property
65
99
  def downloader_links(self):
66
100
  if self._downloader_links is None:
101
+ debug("JDPackageCache: Fetching downloader_links from API")
102
+ self._api_calls += 1
67
103
  try:
68
104
  self._downloader_links = self._device.downloads.query_links()
69
- except (TokenExpiredException, RequestTimeoutException, MYJDException):
105
+ debug(f"JDPackageCache: Retrieved {len(self._downloader_links)} downloader links")
106
+ except (TokenExpiredException, RequestTimeoutException, MYJDException) as e:
107
+ debug(f"JDPackageCache: Failed to fetch downloader_links: {e}")
70
108
  self._downloader_links = []
109
+ else:
110
+ self._cache_hits += 1
111
+ debug(f"JDPackageCache: Using cached downloader_links ({len(self._downloader_links)} links)")
71
112
  return self._downloader_links
72
113
 
73
114
  @property
74
115
  def is_collecting(self):
75
116
  if self._is_collecting is None:
117
+ debug("JDPackageCache: Checking is_collecting from API")
118
+ self._api_calls += 1
76
119
  try:
77
120
  self._is_collecting = self._device.linkgrabber.is_collecting()
78
- except (TokenExpiredException, RequestTimeoutException, MYJDException):
121
+ debug(f"JDPackageCache: is_collecting = {self._is_collecting}")
122
+ except (TokenExpiredException, RequestTimeoutException, MYJDException) as e:
123
+ debug(f"JDPackageCache: Failed to check is_collecting: {e}")
79
124
  self._is_collecting = False
125
+ else:
126
+ self._cache_hits += 1
127
+ debug(f"JDPackageCache: Using cached is_collecting = {self._is_collecting}")
80
128
  return self._is_collecting
81
129
 
82
- def get_archive_package_uuids(self, downloader_packages, downloader_links):
130
+ def _has_archive_extension(self, package_uuid, links):
131
+ """Check if any link in the package has an archive file extension."""
132
+ for link in links:
133
+ if link.get("packageUUID") != package_uuid:
134
+ continue
135
+ name = link.get("name", "")
136
+ name_lower = name.lower()
137
+ for ext in ARCHIVE_EXTENSIONS:
138
+ if name_lower.endswith(ext):
139
+ debug(
140
+ f"JDPackageCache: Found archive extension '{ext}' in file '{name}' for package {package_uuid}")
141
+ return True
142
+ return False
143
+
144
+ def _bulk_detect_archives(self, package_uuids):
83
145
  """
84
- Get set of package UUIDs that contain at least one archive file.
146
+ Detect archives for multiple packages in ONE API call.
147
+
148
+ Returns:
149
+ tuple: (confirmed_archives: set, api_succeeded: bool)
150
+ - confirmed_archives: Package UUIDs confirmed as archives
151
+ - api_succeeded: Whether the API call worked (for fallback decisions)
152
+ """
153
+ confirmed_archives = set()
154
+
155
+ if not package_uuids:
156
+ debug("JDPackageCache: _bulk_detect_archives called with empty package_uuids")
157
+ return confirmed_archives, True
85
158
 
86
- Two-phase detection:
87
- 1. Check extractionStatus in link data (free - catches in-progress/completed extractions)
88
- 2. Single API call for all remaining packages (catches pre-extraction archives)
159
+ package_list = list(package_uuids)
160
+ debug(f"JDPackageCache: Bulk archive detection for {len(package_list)} packages")
89
161
 
90
- This correctly handles:
91
- - Mixed packages (archive + non-archive files)
92
- - Archives before extraction starts
93
- - Archives during/after extraction
162
+ try:
163
+ self._api_calls += 1
164
+ archive_infos = self._device.extraction.get_archive_info([], package_list)
165
+ debug(f"JDPackageCache: get_archive_info returned {len(archive_infos) if archive_infos else 0} results")
166
+
167
+ if archive_infos:
168
+ for i, archive_info in enumerate(archive_infos):
169
+ if archive_info:
170
+ debug(f"JDPackageCache: archive_info[{i}] = {archive_info}")
171
+ # Try to get packageUUID from response
172
+ pkg_uuid = archive_info.get("packageUUID")
173
+ if pkg_uuid:
174
+ debug(f"JDPackageCache: Confirmed archive via packageUUID: {pkg_uuid}")
175
+ confirmed_archives.add(pkg_uuid)
176
+ else:
177
+ # Log what fields ARE available for debugging
178
+ debug(
179
+ f"JDPackageCache: archive_info has no packageUUID, available keys: {list(archive_info.keys())}")
180
+ else:
181
+ debug(f"JDPackageCache: archive_info[{i}] is empty/None")
182
+
183
+ debug(f"JDPackageCache: Bulk detection confirmed {len(confirmed_archives)} archives: {confirmed_archives}")
184
+ return confirmed_archives, True
185
+
186
+ except Exception as e:
187
+ debug(f"JDPackageCache: Bulk archive detection API FAILED: {type(e).__name__}: {e}")
188
+ return confirmed_archives, False
189
+
190
+ def detect_all_archives(self, packages, links):
94
191
  """
95
- if self._archive_package_uuids is not None:
96
- return self._archive_package_uuids
192
+ Detect archives for all packages efficiently.
97
193
 
98
- self._archive_package_uuids = set()
194
+ Uses ONE bulk API call, then applies safety fallbacks for packages
195
+ where detection was uncertain.
99
196
 
100
- if not downloader_packages:
101
- return self._archive_package_uuids
197
+ Args:
198
+ packages: List of downloader packages
199
+ links: List of downloader links (for extension fallback)
102
200
 
103
- all_package_uuids = {p.get("uuid") for p in downloader_packages if p.get("uuid")}
201
+ Returns:
202
+ Set of package UUIDs that should be treated as archives
203
+ """
204
+ if not packages:
205
+ debug("JDPackageCache: detect_all_archives called with no packages")
206
+ return set()
104
207
 
105
- # Phase 1: Check extractionStatus in already-fetched link data (free - no API call)
106
- # This catches packages where extraction is in progress or completed
107
- for link in downloader_links:
108
- extraction_status = link.get("extractionStatus")
109
- if extraction_status: # Any non-empty extraction status means it's an archive
110
- pkg_uuid = link.get("packageUUID")
111
- if pkg_uuid:
112
- self._archive_package_uuids.add(pkg_uuid)
208
+ all_package_uuids = {p.get("uuid") for p in packages if p.get("uuid")}
209
+ debug(f"JDPackageCache: detect_all_archives for {len(all_package_uuids)} packages")
113
210
 
114
- # Phase 2: Single API call for all unchecked packages
115
- unchecked_package_uuids = list(all_package_uuids - self._archive_package_uuids)
211
+ # ONE bulk API call for all packages
212
+ confirmed_archives, api_succeeded = self._bulk_detect_archives(all_package_uuids)
213
+ debug(f"JDPackageCache: Bulk API succeeded={api_succeeded}, confirmed={len(confirmed_archives)} archives")
116
214
 
117
- if unchecked_package_uuids:
118
- try:
119
- # One API call for ALL unchecked packages
120
- archive_infos = self._device.extraction.get_archive_info([], unchecked_package_uuids)
121
- if archive_infos:
122
- for archive_info in archive_infos:
123
- if archive_info:
124
- # Extract package UUID from response
125
- pkg_uuid = archive_info.get("packageUUID")
126
- if pkg_uuid:
127
- self._archive_package_uuids.add(pkg_uuid)
128
- except:
129
- pass
130
-
131
- return self._archive_package_uuids
215
+ # For packages NOT confirmed as archives, apply safety fallbacks
216
+ unconfirmed = all_package_uuids - confirmed_archives
217
+ debug(f"JDPackageCache: {len(unconfirmed)} packages need fallback checking")
218
+
219
+ for pkg_uuid in unconfirmed:
220
+ # Fallback 1: Check file extensions
221
+ if self._has_archive_extension(pkg_uuid, links):
222
+ debug(f"JDPackageCache: Package {pkg_uuid} confirmed as archive via extension fallback")
223
+ confirmed_archives.add(pkg_uuid)
224
+ # Fallback 2: If bulk API failed completely, assume archive (safe)
225
+ elif not api_succeeded:
226
+ debug(f"JDPackageCache: SAFETY - Bulk API failed, assuming package {pkg_uuid} is archive")
227
+ confirmed_archives.add(pkg_uuid)
228
+ else:
229
+ debug(f"JDPackageCache: Package {pkg_uuid} confirmed as NON-archive (API worked, no extension match)")
230
+
231
+ # Cache results for is_package_archive() lookups
232
+ for pkg_uuid in all_package_uuids:
233
+ self._archive_cache[pkg_uuid] = pkg_uuid in confirmed_archives
234
+
235
+ debug(
236
+ f"JDPackageCache: Final archive detection: {len(confirmed_archives)}/{len(all_package_uuids)} packages are archives")
237
+ return confirmed_archives
238
+
239
+ def is_package_archive(self, package_uuid, links=None):
240
+ """
241
+ Check if a package contains archive files.
242
+
243
+ Prefer calling detect_all_archives() first for efficiency.
244
+ This method is for single lookups or cache hits.
245
+
246
+ SAFETY: On API error, defaults to True (assume archive) to prevent
247
+ premature "finished" status.
248
+ """
249
+ if package_uuid is None:
250
+ debug("JDPackageCache: is_package_archive called with None UUID")
251
+ return False
252
+
253
+ if package_uuid in self._archive_cache:
254
+ self._cache_hits += 1
255
+ cached = self._archive_cache[package_uuid]
256
+ debug(f"JDPackageCache: is_package_archive({package_uuid}) = {cached} (cached)")
257
+ return cached
258
+
259
+ debug(f"JDPackageCache: is_package_archive({package_uuid}) - cache miss, querying API")
260
+
261
+ # Single package lookup (fallback if detect_all_archives wasn't called)
262
+ is_archive = None
263
+ api_failed = False
264
+
265
+ try:
266
+ self._api_calls += 1
267
+ archive_info = self._device.extraction.get_archive_info([], [package_uuid])
268
+ debug(f"JDPackageCache: Single get_archive_info returned: {archive_info}")
269
+ # Original logic: is_archive = True if archive_info and archive_info[0] else False
270
+ is_archive = True if archive_info and archive_info[0] else False
271
+ debug(f"JDPackageCache: API says is_archive = {is_archive}")
272
+ except Exception as e:
273
+ api_failed = True
274
+ debug(f"JDPackageCache: Single archive detection API FAILED for {package_uuid}: {type(e).__name__}: {e}")
275
+
276
+ # Fallback: check file extensions if API failed or returned False
277
+ if (api_failed or not is_archive) and links:
278
+ if self._has_archive_extension(package_uuid, links):
279
+ debug(f"JDPackageCache: Package {package_uuid} confirmed as archive via extension fallback")
280
+ is_archive = True
281
+
282
+ # SAFETY: If API failed and no extension detected, assume archive (conservative)
283
+ if is_archive is None:
284
+ debug(f"JDPackageCache: SAFETY - Detection uncertain for {package_uuid}, assuming archive")
285
+ is_archive = True
286
+
287
+ self._archive_cache[package_uuid] = is_archive
288
+ debug(f"JDPackageCache: is_package_archive({package_uuid}) = {is_archive} (final)")
289
+ return is_archive
@@ -8,7 +8,7 @@ import requests
8
8
 
9
9
 
10
10
  def get_version():
11
- return "1.31.0"
11
+ return "1.32.0"
12
12
 
13
13
 
14
14
  def get_latest_version():
quasarr/storage/setup.py CHANGED
@@ -239,7 +239,9 @@ def hostname_form_html(shared_state, message, show_restart_button=False, show_sk
239
239
  .import-status {{
240
240
  margin-top: 0.5rem;
241
241
  font-size: 0.875rem;
242
- min-height: 1.25rem;
242
+ }}
243
+ .import-status:empty {{
244
+ display: none;
243
245
  }}
244
246
  .import-status.success {{ color: #198754; }}
245
247
  .import-status.error {{ color: #dc3545; }}
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: quasarr
3
- Version: 1.31.0
3
+ Version: 1.32.0
4
4
  Summary: Quasarr connects JDownloader with Radarr, Sonarr and LazyLibrarian. It also decrypts links protected by CAPTCHAs.
5
5
  Home-page: https://github.com/rix1337/Quasarr
6
6
  Author: rix1337
@@ -10,7 +10,7 @@ quasarr/downloads/linkcrypters/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5
10
10
  quasarr/downloads/linkcrypters/al.py,sha256=mfUG5VclC_-FcGoZL9zHYD7dz7X_YpaNmoKkgiyl9-0,8812
11
11
  quasarr/downloads/linkcrypters/filecrypt.py,sha256=He8b7HjoPA-LmRwVwY0l_5JAVlJ3sYOXs5tcWXooqI4,17055
12
12
  quasarr/downloads/linkcrypters/hide.py,sha256=8YmNm49JmVa1zZdTHpjK9gnQrX435Cq5fo4JTNsIpds,4850
13
- quasarr/downloads/packages/__init__.py,sha256=6U4rk7hWoQCidIZy5O3-Pt5P7ZWEavHdbqZB0arxN1Y,18679
13
+ quasarr/downloads/packages/__init__.py,sha256=zDMhLJz-16r4WSv2zzSlcBJEFrIUky2dRDkQaQLVSXY,32055
14
14
  quasarr/downloads/sources/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
15
15
  quasarr/downloads/sources/al.py,sha256=g587VESZRZHZ03uxHKpufEr5qAtzbyGLmoijksU35jk,27297
16
16
  quasarr/downloads/sources/by.py,sha256=kmUTn3izayRCV7W-t0E4kYE8qTbt3L3reCLozfvRGcU,3807
@@ -33,7 +33,7 @@ quasarr/providers/cloudflare.py,sha256=9iet8runc2VHVcA0_2z1qkrL6D5JKqz1ndktqCgsJ
33
33
  quasarr/providers/html_images.py,sha256=2n82gTJg7E7q2ytPFN4FWouYTIlmPYu_iHFtG7uktIA,28482
34
34
  quasarr/providers/html_templates.py,sha256=YMwdi7l_tHL0-qsUnwi4aPrE5Q6ZDxbjsPIfr-6uemY,10265
35
35
  quasarr/providers/imdb_metadata.py,sha256=10L4kZkt6Fg0HGdNcc6KCtIQHRYEqdarLyaMVN6mT8w,4843
36
- quasarr/providers/jd_cache.py,sha256=TfoQWetKZA7vO_qj2wFOGhgmVSXiMhwGpjl7HtLc_-c,5372
36
+ quasarr/providers/jd_cache.py,sha256=mSvMrs3UwTn3sd9yGSJKGT-qwYeyYKC_l8whpXTVn7s,13530
37
37
  quasarr/providers/log.py,sha256=_g5RwtfuksARXnvryhsngzoJyFcNzj6suqd3ndqZM0Y,313
38
38
  quasarr/providers/myjd_api.py,sha256=Z3PEiO3c3UfDSr4Up5rgwTAnjloWHb-H1RkJ6BLKZv8,34140
39
39
  quasarr/providers/notifications.py,sha256=bohT-6yudmFnmZMc3BwCGX0n1HdzSVgQG_LDZm_38dI,4630
@@ -41,7 +41,7 @@ quasarr/providers/obfuscated.py,sha256=8FcmY9cjvjOoth-6LrPZ1CZZbpKplcaMMBE06FkdY
41
41
  quasarr/providers/shared_state.py,sha256=-TIiH2lkCfovq7bzUZicpUjXEjS87ZHCcevsFgySOqw,29944
42
42
  quasarr/providers/statistics.py,sha256=cEQixYnDMDqtm5wWe40E_2ucyo4mD0n3SrfelhQi1L8,6452
43
43
  quasarr/providers/utils.py,sha256=mcUPbcXMsLmrYv0CTZO5a9aOt2-JLyL3SZxu6N8OyjU,12075
44
- quasarr/providers/version.py,sha256=bjolkJyZ2IG4sc5GvrvZfwTeYTHWNvMAMp2vgnpPVZ0,4004
44
+ quasarr/providers/version.py,sha256=qSQY_atV36RUnLVH8vYmVPbz_CX2LUB2abmOnivD8UQ,4004
45
45
  quasarr/providers/web_server.py,sha256=AYd0KRxdDWMBr87BP8wlSMuL4zZo0I_rY-vHBai6Pfg,1688
46
46
  quasarr/providers/sessions/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
47
47
  quasarr/providers/sessions/al.py,sha256=WXue9LaT4y0BzsbKtHbN6bb_72c4AZZWR9NP-vg9-cg,12462
@@ -69,11 +69,11 @@ quasarr/search/sources/wd.py,sha256=O02j3irSlVw2qES82g_qHuavAk-njjSRH1dHSCnOUas,
69
69
  quasarr/search/sources/wx.py,sha256=zlRvg7Ls-DFRo4sUBMRAXZRMfE2mnaXCkzP7pu53pIY,13842
70
70
  quasarr/storage/__init__.py,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
71
71
  quasarr/storage/config.py,sha256=SSTgIce2FVYoVTK_6OCU3msknhxuLA3EC4Kcrrf_dxQ,6378
72
- quasarr/storage/setup.py,sha256=0Gm6sHLmlcKvOGeli9eVuRVEP0Slz8-K5jZG0cNXaew,42041
72
+ quasarr/storage/setup.py,sha256=0CmO4Z8GGHkn9YKgUYMxnPUfBIMZyafIrIg-K873Nrw,42070
73
73
  quasarr/storage/sqlite_database.py,sha256=yMqFQfKf0k7YS-6Z3_7pj4z1GwWSXJ8uvF4IydXsuTE,3554
74
- quasarr-1.31.0.dist-info/licenses/LICENSE,sha256=QQFCAfDgt7lSA8oSWDHIZ9aTjFbZaBJdjnGOHkuhK7k,1060
75
- quasarr-1.31.0.dist-info/METADATA,sha256=4jot6IFM_BIQwf8Ftx74l9W26M-2EaK8LXxC9XUn3qE,11009
76
- quasarr-1.31.0.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
77
- quasarr-1.31.0.dist-info/entry_points.txt,sha256=gXi8mUKsIqKVvn-bOc8E5f04sK_KoMCC-ty6b2Hf-jc,40
78
- quasarr-1.31.0.dist-info/top_level.txt,sha256=dipJdaRda5ruTZkoGfZU60bY4l9dtPlmOWwxK_oGSF0,8
79
- quasarr-1.31.0.dist-info/RECORD,,
74
+ quasarr-1.32.0.dist-info/licenses/LICENSE,sha256=QQFCAfDgt7lSA8oSWDHIZ9aTjFbZaBJdjnGOHkuhK7k,1060
75
+ quasarr-1.32.0.dist-info/METADATA,sha256=Lz8rdtSm_dcHbamAQkeEOthTej3VCQs7d-HfZH5v3ng,11009
76
+ quasarr-1.32.0.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
77
+ quasarr-1.32.0.dist-info/entry_points.txt,sha256=gXi8mUKsIqKVvn-bOc8E5f04sK_KoMCC-ty6b2Hf-jc,40
78
+ quasarr-1.32.0.dist-info/top_level.txt,sha256=dipJdaRda5ruTZkoGfZU60bY4l9dtPlmOWwxK_oGSF0,8
79
+ quasarr-1.32.0.dist-info/RECORD,,