56 lines
2 KiB
Python
56 lines
2 KiB
Python
import csv
|
|
import logging
|
|
import typing
|
|
|
|
import aiosqlite
|
|
|
|
import tutor.database
|
|
import tutor.models
|
|
|
|
|
|
async def load(settings: dict, filename: str) -> typing.List[tutor.models.Card]:
|
|
"""Load cards from a CSV file.
|
|
|
|
Currently supports the following formats:
|
|
- Deckbox (set name match can fail)
|
|
- MTGStand (uses Scryfall ID)
|
|
"""
|
|
cards = []
|
|
async with aiosqlite.connect(settings["database"]) as db:
|
|
with open(filename) as csvfile:
|
|
reader = csv.DictReader(csvfile)
|
|
for row in reader:
|
|
is_foil = "Foil" in row and row["Foil"].lower() == "foil"
|
|
quantity = int(row.get("Quantity", row.get("Count", 1)))
|
|
if "Scryfall ID" in row:
|
|
found = await tutor.database.search(
|
|
db, scryfall_id=row["Scryfall ID"]
|
|
)
|
|
else:
|
|
found = await tutor.database.search(
|
|
db,
|
|
name=row["Name"],
|
|
set_name=row["Edition"],
|
|
collector_number=row["Card Number"],
|
|
foil=is_foil or None,
|
|
)
|
|
if not found:
|
|
logging.warning("Could not find card for row %s", row)
|
|
elif len(found) > 1:
|
|
logging.warning(
|
|
"Found %s possibilities for row %s", len(found), row
|
|
)
|
|
for card in found:
|
|
logging.warning(card)
|
|
else:
|
|
card = tutor.models.CardCopy(
|
|
card=found[0],
|
|
foil=is_foil,
|
|
language=row["Language"] or "English",
|
|
)
|
|
logging.info((quantity, card))
|
|
for i in range(quantity):
|
|
cards.append(card)
|
|
await tutor.database.store_copy(db, card)
|
|
await db.commit()
|
|
return cards
|