Skip to content

Commit 70e74bf

Browse files
cli/discover: remove local collections if the remote collection is deleted
This works when the destination backend is 'filesystem' and the source is CalDAV-calendar-home-set. pimutils#868
1 parent 164c8a3 commit 70e74bf

File tree

9 files changed

+106
-7
lines changed

9 files changed

+106
-7
lines changed

CHANGELOG.rst

Lines changed: 4 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -42,6 +42,10 @@ Version 0.19.0
4242
==============
4343

4444
- Add "shell" password fetch strategy to pass command string to a shell.
45+
- Add ``implicit`` option to storage section. It creates/deletes implicitly
46+
collections in the destinations, when new collections are created/deleted
47+
in the source. The deletion is implemented only for the "filesystem" storage.
48+
See :ref:`storage_config`.
4549
- Add "description" and "order" as metadata. These fetch the CalDAV:
4650
calendar-description, ``CardDAV:addressbook-description`` and
4751
``apple-ns:calendar-order`` properties respectively.

docs/config.rst

Lines changed: 8 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -377,6 +377,8 @@ Local
377377
#encoding = "utf-8"
378378
#post_hook = null
379379
#fileignoreext = ".tmp"
380+
#implicit = "create"
381+
#implicit = ["create", "delete"]
380382

381383
Can be used with `khal <http://lostpackets.de/khal/>`_. See :doc:`vdir` for
382384
a more formal description of the format.
@@ -399,6 +401,12 @@ Local
399401
new/updated file.
400402
:param fileeignoreext: The file extention to ignore. It is only useful
401403
if fileext is set to the empty string. The default is ``.tmp``.
404+
:param implicit: When a new collection is created on the source,
405+
create it in the destination without asking questions, when
406+
the value is "create". When the value is "delete" and a collection
407+
is removed on the source, remove it in the destination. The value
408+
can be a string or an array of strings. The deletion is implemented
409+
only for the "filesystem" storage.
402410

403411
.. storage:: singlefile
404412

tests/system/cli/test_config.py

Lines changed: 2 additions & 1 deletion
Original file line numberDiff line numberDiff line change
@@ -60,8 +60,9 @@ def test_read_config(read_config):
6060
"yesno": False,
6161
"number": 42,
6262
"instance_name": "bob_a",
63+
"implicit": [],
6364
},
64-
"bob_b": {"type": "carddav", "instance_name": "bob_b"},
65+
"bob_b": {'type': "carddav", "instance_name": "bob_b", "implicit": []},
6566
}
6667

6768

tests/system/utils/test_main.py

Lines changed: 1 addition & 1 deletion
Original file line numberDiff line numberDiff line change
@@ -20,7 +20,7 @@ def test_get_storage_init_args():
2020
from vdirsyncer.storage.memory import MemoryStorage
2121

2222
all, required = utils.get_storage_init_args(MemoryStorage)
23-
assert all == {"fileext", "collection", "read_only", "instance_name"}
23+
assert all == {"fileext", "collection", "read_only", "instance_name", "implicit"}
2424
assert not required
2525

2626

vdirsyncer/cli/config.py

Lines changed: 7 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -119,6 +119,13 @@ def _parse_section(
119119
raise ValueError("More than one general section.")
120120
self._general = options
121121
elif section_type == "storage":
122+
if "implicit" not in options:
123+
options["implicit"] = []
124+
elif isinstance(options["implicit"], str):
125+
options["implicit"] = [options['implicit']]
126+
elif not isinstance(options["implicit"], list):
127+
raise ValueError(
128+
"`implicit` parameter must be a list, string or absent.")
122129
self._storages[name] = options
123130
elif section_type == "pair":
124131
self._pairs[name] = options

vdirsyncer/cli/discover.py

Lines changed: 25 additions & 0 deletions
Original file line numberDiff line numberDiff line change
@@ -7,8 +7,10 @@
77
import aiohttp
88
import aiostream
99

10+
from . import cli_logger
1011
from .. import exceptions
1112
from .utils import handle_collection_not_found
13+
from .utils import handle_collection_was_removed
1214
from .utils import handle_storage_init_error
1315
from .utils import load_status
1416
from .utils import save_status
@@ -104,6 +106,29 @@ async def collections_for_pair(
104106
_handle_collection_not_found=handle_collection_not_found,
105107
)
106108
)
109+
if "from b" in (pair.collections or []):
110+
only_in_a = set((await a_discovered.get_self()).keys()) - set(
111+
(await b_discovered.get_self()).keys())
112+
if only_in_a and "delete" in pair.config_a["implicit"]:
113+
for a in only_in_a:
114+
try:
115+
handle_collection_was_removed(pair.config_a, a)
116+
save_status(status_path, pair.name, a, data_type="metadata")
117+
save_status(status_path, pair.name, a, data_type="items")
118+
except NotImplementedError as e:
119+
cli_logger.error(e)
120+
121+
if "from a" in (pair.collections or []):
122+
only_in_b = set((await b_discovered.get_self()).keys()) - set(
123+
(await a_discovered.get_self()).keys())
124+
if only_in_b and "delete" in pair.config_b["implicit"]:
125+
for b in only_in_b:
126+
try:
127+
handle_collection_was_removed(pair.config_b, b)
128+
save_status(status_path, pair.name, b, data_type="metadata")
129+
save_status(status_path, pair.name, b, data_type="items")
130+
except NotImplementedError as e:
131+
cli_logger.error(e)
107132

108133
await _sanity_check_collections(rv, connector=connector)
109134

vdirsyncer/cli/utils.py

Lines changed: 21 additions & 1 deletion
Original file line numberDiff line numberDiff line change
@@ -245,6 +245,12 @@ def save_status(
245245
status_name = get_status_name(pair, collection)
246246
path = expand_path(os.path.join(base_path, status_name)) + "." + data_type
247247
prepare_status_path(path)
248+
if data is None:
249+
try:
250+
os.remove(path)
251+
except OSError: # the file has not existed
252+
pass
253+
return
248254

249255
with atomic_write(path, mode="w", overwrite=True) as f:
250256
json.dump(data, f)
@@ -342,6 +348,19 @@ def assert_permissions(path: str, wanted: int) -> None:
342348
os.chmod(path, wanted)
343349

344350

351+
def handle_collection_was_removed(config, collection):
352+
if "delete" in config["implicit"]:
353+
storage_type = config["type"]
354+
cls, config = storage_class_from_config(config)
355+
config["collection"] = collection
356+
try:
357+
args = cls.delete_collection(**config)
358+
args["type"] = storage_type
359+
return args
360+
except NotImplementedError as e:
361+
cli_logger.error(e)
362+
363+
345364
async def handle_collection_not_found(config, collection, e=None):
346365
storage_name = config.get("instance_name", None)
347366

@@ -351,7 +370,8 @@ async def handle_collection_not_found(config, collection, e=None):
351370
)
352371
)
353372

354-
if click.confirm("Should vdirsyncer attempt to create it?"):
373+
if "create" in config["implicit"] or click.confirm(
374+
"Should vdirsyncer attempt to create it?"):
355375
storage_type = config["type"]
356376
cls, config = storage_class_from_config(config)
357377
config["collection"] = collection

vdirsyncer/storage/base.py

Lines changed: 23 additions & 1 deletion
Original file line numberDiff line numberDiff line change
@@ -52,6 +52,9 @@ class Storage(metaclass=StorageMeta):
5252
5353
:param read_only: Whether the synchronization algorithm should avoid writes
5454
to this storage. Some storages accept no value other than ``True``.
55+
:param implicit: Whether the synchronization shall create/delete collections
56+
in the destination, when these were created/removed from the source. Must
57+
be a possibly empty list of strings.
5558
"""
5659

5760
fileext = ".txt"
@@ -75,9 +78,16 @@ class Storage(metaclass=StorageMeta):
7578
# The attribute values to show in the representation of the storage.
7679
_repr_attributes: List[str] = []
7780

78-
def __init__(self, instance_name=None, read_only=None, collection=None):
81+
def __init__(self, instance_name=None, read_only=None, collection=None,
82+
implicit=None):
7983
if read_only is None:
8084
read_only = self.read_only
85+
if implicit is None:
86+
self.implicit = []
87+
elif isinstance(implicit, str):
88+
self.implicit = [implicit]
89+
else:
90+
self.implicit = implicit
8191
if self.read_only and not read_only:
8292
raise exceptions.UserError("This storage can only be read-only.")
8393
self.read_only = bool(read_only)
@@ -119,6 +129,18 @@ async def create_collection(cls, collection, **kwargs):
119129
"""
120130
raise NotImplementedError
121131

132+
@classmethod
133+
def delete_collection(cls, collection, **kwargs):
134+
'''
135+
Delete the specified collection and return the new arguments.
136+
137+
``collection=None`` means the arguments are already pointing to a
138+
possible collection location.
139+
140+
The returned args should contain the collection name, for UI purposes.
141+
'''
142+
raise NotImplementedError()
143+
122144
def __repr__(self):
123145
try:
124146
if self.instance_name:

vdirsyncer/storage/filesystem.py

Lines changed: 15 additions & 3 deletions
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,7 @@
11
import errno
22
import logging
33
import os
4+
import shutil
45
import subprocess
56

67
from atomicwrites import atomic_write
@@ -61,9 +62,7 @@ async def discover(cls, path, **kwargs):
6162
def _validate_collection(cls, path):
6263
if not os.path.isdir(path) or os.path.islink(path):
6364
return False
64-
if os.path.basename(path).startswith("."):
65-
return False
66-
return True
65+
return not os.path.basename(path).startswith(".")
6766

6867
@classmethod
6968
async def create_collection(cls, collection, **kwargs):
@@ -79,6 +78,19 @@ async def create_collection(cls, collection, **kwargs):
7978
kwargs["collection"] = collection
8079
return kwargs
8180

81+
@classmethod
82+
def delete_collection(cls, collection, **kwargs):
83+
kwargs = dict(kwargs)
84+
path = kwargs['path']
85+
86+
if collection is not None:
87+
path = os.path.join(path, collection)
88+
shutil.rmtree(path, ignore_errors=True)
89+
90+
kwargs["path"] = path
91+
kwargs["collection"] = collection
92+
return kwargs
93+
8294
def _get_filepath(self, href):
8395
return os.path.join(self.path, href)
8496

0 commit comments

Comments
 (0)