File size: 11,369 Bytes
371482a | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290 291 292 293 294 295 296 297 298 299 300 301 302 303 304 305 306 307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 | import json
import tarfile
from pathlib import Path
from urllib.parse import urlparse
import requests
from typing import List, Union, Dict, Optional
import click
class BioAgentDataset:
"""Download and manage bioinformatics benchmark datasets."""
def __init__(self, metadata_path: str = "src/task_metadata.json", base_dir: Union[str, Path] = "tasks"):
"""Initialize with path to task metadata JSON file."""
self.metadata_path = Path(metadata_path)
self.tasks = self._load_metadata()
self.base_dir = Path(base_dir)
def _load_metadata(self) -> List[dict]:
"""Load task metadata from JSON file."""
with open(self.metadata_path, 'r') as f:
return json.load(f)
def _get_task(self, task_id: str) -> dict:
"""Get task metadata by task_id."""
for task in self.tasks:
if task["task_id"] == task_id:
return task
raise ValueError(f"Task '{task_id}' not found")
def _download_file(self, url: str, output_path: Path) -> bool:
"""Download a single file from URL to output_path."""
if not url or url.strip() == "":
return False
if output_path.exists():
print(f"File already exists: {output_path}")
return True
print(f"Downloading {url} to {output_path}")
output_path.parent.mkdir(parents=True, exist_ok=True)
try:
response = requests.get(url, stream=True)
response.raise_for_status()
total_size_str = response.headers.get('Content-Length')
total_size = int(total_size_str) if total_size_str and total_size_str.isdigit() else 0
with open(output_path, 'wb') as f:
if total_size > 0:
label = f"Downloading {output_path.name}"
with click.progressbar(length=total_size, label=label, show_eta=True, show_percent=True) as bar:
for chunk in response.iter_content(chunk_size=8192):
if not chunk:
continue
f.write(chunk)
bar.update(len(chunk))
else:
for chunk in response.iter_content(chunk_size=8192):
if not chunk:
continue
f.write(chunk)
# Auto-extract tar archives if detected (handles .tar.gz, .tgz, .tar)
if tarfile.is_tarfile(output_path):
special_prefixes = (
"kaiju_db_viruses_2024-08-15",
"k2_standard_16gb_20241228",
)
subdir_name = next(
(
prefix
for prefix in special_prefixes
if output_path.name.startswith(prefix)
),
None,
)
self._extract_tarfile(output_path, subdir_name=subdir_name)
return True
except Exception as e:
print(f"Error downloading {url}: {e}")
if output_path.exists():
output_path.unlink()
return False
def _extract_tarfile(self, tar_path: Path, subdir_name: Optional[str] = None) -> None:
"""Extract tar archive contents directly and delete the archive."""
output_dir = tar_path.parent
if subdir_name:
output_dir = output_dir / subdir_name
output_dir.mkdir(parents=True, exist_ok=True)
print(f"Extracting {tar_path} to {output_dir}")
try:
with tarfile.open(tar_path, 'r:*') as tar:
for member in tar.getmembers():
if member.isfile():
member.name = Path(member.name).name
tar.extract(member, path=output_dir)
tar_path.unlink()
print(f"Removed archive: {tar_path}")
print(f"Successfully extracted {tar_path} to {output_dir}")
except Exception as e:
print(f"Error extracting {tar_path}: {e}")
def _download_urls(self, urls: List[Union[str, Dict[str, str]]], target_dir: Path, category: str) -> bool:
"""Download multiple URLs to target directory.
Supports plain URL strings or objects with keys {"filename", "url"}.
"""
if not urls:
print(f"No {category} URLs to download")
return True
success = True
for i, entry in enumerate(urls):
url: str = ""
filename: str = ""
if isinstance(entry, str):
url = entry.strip()
if not url:
continue
parsed_url = urlparse(url)
filename = Path(parsed_url.path).name
elif isinstance(entry, dict):
url = (entry.get("url") or "").strip()
filename = (entry.get("filename") or "").strip()
if not filename and url:
parsed_url = urlparse(url)
filename = Path(parsed_url.path).name
else:
continue
if not filename:
filename = f"{category}_{i}.tar.gz"
if not url:
continue
output_path = target_dir / filename
if not self._download_file(url, output_path):
success = False
return success
def download_data(self, task_id: str) -> bool:
"""Download data files for a specific task."""
task = self._get_task(task_id)
data_urls = task["download_urls"]["data"]
target_dir = self.base_dir / task_id / "data"
print(f"Downloading data for task: {task_id}")
return self._download_urls(data_urls, target_dir, "data")
def download_reference_data(self, task_id: str) -> bool:
"""Download reference data files for a specific task."""
task = self._get_task(task_id)
ref_urls = task["download_urls"]["reference_data"]
target_dir = self.base_dir / task_id / "reference"
print(f"Downloading reference data for task: {task_id}")
return self._download_urls(ref_urls, target_dir, "reference")
def download_results(self, task_id: str) -> bool:
"""Download result files for a specific task (for evaluation)."""
task = self._get_task(task_id)
result_urls = task["download_urls"]["results"]
target_dir = self.base_dir / task_id / "results"
print(f"Downloading results for task: {task_id}")
return self._download_urls(result_urls, target_dir, "results")
def download_task(self, task_id: str, include_reference: bool = False) -> bool:
"""Download all files for a task with optional reference data and results."""
print(f"Downloading task: {task_id}")
success = True
if not self.download_data(task_id):
success = False
if include_reference:
if not self.download_reference_data(task_id):
success = False
return success
def download_all_tasks(self, include_reference: bool = False) -> bool:
"""Download all tasks with optional reference data and results."""
success = True
for task in self.tasks:
task_id = task["task_id"]
if not self.download_task(task_id, include_reference):
success = False
return success
def list_tasks(self) -> List[str]:
"""List all available task IDs."""
return [task["task_id"] for task in self.tasks]
def download_all_results(self) -> bool:
"""Download results for all tasks."""
success = True
for task in self.tasks:
task_id = task["task_id"]
if not self.download_results(task_id):
success = False
return success
# -----------------------------
# CLI
# -----------------------------
@click.group()
@click.option(
"--metadata",
default="src/task_metadata.json",
show_default=True,
help="Path to task metadata JSON file.",
)
@click.option(
"--dest",
default="tasks",
show_default=True,
help="Base output directory where task folders will be created.",
)
@click.pass_context
def cli(ctx: click.Context, metadata: str, dest: str) -> None:
"""BioAgent dataset manager."""
ctx.obj = BioAgentDataset(metadata_path=metadata, base_dir=dest)
@cli.command("list-tasks")
@click.pass_obj
def cli_list_tasks(dataset: BioAgentDataset) -> None:
"""List available task IDs."""
for task_id in dataset.list_tasks():
click.echo(task_id)
@cli.command("download")
@click.option("--task", "task_ids", multiple=True, help="Task ID(s) to download.")
@click.option("--all", "download_all", is_flag=True, help="Operate on all tasks.")
@click.option("--data/--no-data", default=True, show_default=True, help="Download data files.")
@click.option(
"--reference/--no-reference",
default=False,
show_default=True,
help="Include reference data.",
)
@click.option(
"--results/--no-results",
default=False,
show_default=True,
help="Include results files.",
)
@click.option(
"--dest",
default=None,
help="Base output directory where task folders will be created.",
)
@click.pass_obj
def cli_download(
dataset: BioAgentDataset,
task_ids: List[str],
download_all: bool,
data: bool,
reference: bool,
results: bool,
dest: Optional[str],
) -> None:
"""Download datasets for tasks (data, reference, results)."""
if dest:
dataset.base_dir = Path(dest)
if not download_all and not task_ids:
click.echo("Specify at least one --task or use --all", err=True)
raise SystemExit(1)
# If only results are requested, optimize the flow
if results and not data and not reference:
if download_all:
ok = dataset.download_all_results()
raise SystemExit(0 if ok else 1)
else:
ok = True
for tid in task_ids:
ok = dataset.download_results(tid) and ok
raise SystemExit(0 if ok else 1)
target_ids = dataset.list_tasks() if download_all else list(task_ids)
ok = True
for tid in target_ids:
if data:
ok = dataset.download_task(tid, include_reference=reference) and ok
elif reference:
ok = dataset.download_reference_data(tid) and ok
if results:
ok = dataset.download_results(tid) and ok
raise SystemExit(0 if ok else 1)
@cli.command("download-all-results")
@click.option(
"--dest",
default=None,
help="Base output directory where task folders will be created.",
)
@click.pass_obj
def cli_download_all_results(dataset: BioAgentDataset, dest: Optional[str]) -> None:
"""Download results for all tasks."""
if dest:
dataset.base_dir = Path(dest)
ok = dataset.download_all_results()
raise SystemExit(0 if ok else 1)
if __name__ == "__main__":
cli() |