Jak odczytać metadane obrazu z OneNote w Python

Jak odczytać metadane obrazu z OneNote w Python

Każdy Image węzeł w dokumencie OneNote zawiera metadane obok surowych bajtów pikseli: oryginalną nazwę pliku, wymiary wyświetlania (szerokość i wysokość w punktach), tekst alternatywny dla dostępności oraz opcjonalnie adres URL hiperłącza, jeśli obraz był połączony. Aspose.Note FOSS dla Python udostępnia wszystkie te pola poprzez Image klasę.


Wymagania wstępne

pip install aspose-note

Właściwości obrazu

WłaściwośćTypOpis
img.BytesbytesSurowe dane obrazu. Zapisz na dysk przy użyciu open(name, "wb").write(img.Bytes).
img.FileName`strNone`
img.Width`floatNone`
img.Height`floatNone`
img.AlternativeTextDescription`strNone`
img.AlternativeTextTitle`strNone`
img.HyperlinkUrl`strNone`
img.Tagslist[NoteTag]Tagi OneNote dołączone do tego obrazu (gwiazdka, pole wyboru itp.).

Krok 1: Załaduj dokument i znajdź obrazy

from aspose.note import Document, Image

doc = Document("MyNotes.one")
images = doc.GetChildNodes(Image)
print(f"Found {len(images)} image(s)")

Krok 2: Odczytaj metadane dla każdego obrazu

Zabezpiecz wszystkie pola dopuszczające wartość null przy użyciu. is not None przed użyciem:

from aspose.note import Document, Image

doc = Document("MyNotes.one")

for i, img in enumerate(doc.GetChildNodes(Image), start=1):
    print(f"\nImage {i}:")
    print(f"  Filename:    {img.FileName or '(no filename)'}")
    print(f"  Size:        {img.Bytes and len(img.Bytes):,} bytes")

    if img.Width is not None and img.Height is not None:
        print(f"  Dimensions:  {img.Width:.1f} × {img.Height:.1f} pts")

    if img.AlternativeTextDescription:
        print(f"  Alt text:    {img.AlternativeTextDescription}")

    if img.HyperlinkUrl:
        print(f"  Hyperlink:   {img.HyperlinkUrl}")

    if img.Tags:
        for tag in img.Tags:
            print(f"  Tag:         {tag.Label or tag.Icon}")

Pełny przykład: Zapisz obrazy z raportem metadanych

from pathlib import Path
from aspose.note import Document, Image

def report_and_save_images(one_path: str, out_dir: str = "images") -> None:
    doc = Document(one_path)
    images = doc.GetChildNodes(Image)
    if not images:
        print("No images found.")
        return

    out = Path(out_dir)
    out.mkdir(exist_ok=True)

    for i, img in enumerate(images, start=1):
        # Determine save name
        name = img.FileName or f"image_{i}.bin"
        dest = out / name

        # Save bytes
        dest.write_bytes(img.Bytes)

        # Report metadata
        dims = (
            f"{img.Width:.0f}×{img.Height:.0f}pts"
            if img.Width is not None and img.Height is not None
            else "unknown size"
        )
        alt = img.AlternativeTextDescription or ""
        link = img.HyperlinkUrl or ""

        print(f"  [{i}] {name}  {dims}"
              + (f"  alt='{alt}'" if alt else "")
              + (f"  url={link}" if link else ""))

    print(f"\nSaved {len(images)} image(s) to '{out_dir}/'")

report_and_save_images("MyNotes.one")

Filtruj obrazy według właściwości

Obrazy z hiperłączami

from aspose.note import Document, Image

doc = Document("MyNotes.one")
linked = [img for img in doc.GetChildNodes(Image) if img.HyperlinkUrl]
for img in linked:
    print(f"{img.FileName or 'image'}{img.HyperlinkUrl}")

Obrazy z tekstem alternatywnym

from aspose.note import Document, Image

doc = Document("MyNotes.one")
with_alt = [img for img in doc.GetChildNodes(Image) if img.AlternativeTextDescription]
for img in with_alt:
    print(f"{img.FileName}: {img.AlternativeTextDescription}")

Notatki

  • img.Bytes zawsze jest obecny (zwraca b"" dla nieczytelnych obrazów, nigdy None) len(img.Bytes) > 0 Sprawdź.
  • img.AlternativeTextTitle przed zapisem. None może być img.AlternativeTextDescription jeśli dokument źródłowy nie ustawia tytułu. Użyj.
  • jako rozwiązanie awaryjne. Wymiary są w punktach (1 punkt = 1/72 cala), zgodnie z konwencjami PowerPoint i PDF.

Zobacz także

 Polski