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
|
import os
from pathlib import Path
import pytest
import pystac
@pytest.mark.parametrize("action", ["copy", "move"])
def test_alter_asset_absolute_path(
action: str, tmp_asset: pystac.Asset, tmp_path: Path
) -> None:
asset = tmp_asset
old_href = asset.get_absolute_href()
assert old_href is not None
new_href = str(tmp_path / "data.geojson")
getattr(asset, action)(new_href)
assert asset.href == new_href
assert asset.get_absolute_href() == new_href
assert os.path.exists(new_href)
if action == "move":
assert not os.path.exists(old_href)
elif action == "copy":
assert os.path.exists(old_href)
@pytest.mark.parametrize("action", ["copy", "move"])
def test_alter_asset_relative_path(action: str, tmp_asset: pystac.Asset) -> None:
asset = tmp_asset
old_href = asset.get_absolute_href()
assert old_href is not None
new_href = "./different.geojson"
getattr(asset, action)(new_href)
assert asset.href == new_href
href = asset.get_absolute_href()
assert href is not None
assert os.path.exists(href)
if action == "move":
assert not os.path.exists(old_href)
elif action == "copy":
assert os.path.exists(old_href)
@pytest.mark.parametrize("action", ["copy", "move"])
def test_alter_asset_relative_src_no_owner_fails(
action: str, tmp_asset: pystac.Asset
) -> None:
asset = tmp_asset
asset.owner = None
new_href = "./different.geojson"
with pytest.raises(ValueError, match=f"Cannot {action} file") as e:
getattr(asset, action)(new_href)
assert new_href not in str(e.value)
assert asset.href != new_href
@pytest.mark.parametrize("action", ["copy", "move"])
def test_alter_asset_relative_dst_no_owner_fails(
action: str, tmp_asset: pystac.Asset
) -> None:
asset = tmp_asset
item = asset.owner
assert isinstance(item, pystac.Item)
item.make_asset_hrefs_absolute()
asset.owner = None
new_href = "./different.geojson"
with pytest.raises(ValueError, match=f"Cannot {action} file") as e:
getattr(asset, action)(new_href)
assert new_href in str(e.value)
assert asset.href != new_href
def test_delete_asset(tmp_asset: pystac.Asset) -> None:
asset = tmp_asset
href = asset.get_absolute_href()
assert href is not None
assert os.path.exists(href)
asset.delete()
assert not os.path.exists(href)
def test_delete_asset_relative_no_owner_fails(tmp_asset: pystac.Asset) -> None:
asset = tmp_asset
href = asset.get_absolute_href()
assert href is not None
assert os.path.exists(href)
asset.owner = None
with pytest.raises(ValueError, match="Cannot delete file") as e:
asset.delete()
assert asset.href in str(e.value)
assert os.path.exists(href)
|