summaryrefslogtreecommitdiff
path: root/client/src/leap/soledad/client/sync.py
blob: 5d545a77853f6f1c3150dd4c0982656a3ab580c6 (plain)
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
# -*- coding: utf-8 -*-
# sync.py
# Copyright (C) 2014 LEAP
#
# This program is free software: you can redistribute it and/or modify
# it under the terms of the GNU General Public License as published by
# the Free Software Foundation, either version 3 of the License, or
# (at your option) any later version.
#
# This program is distributed in the hope that it will be useful,
# but WITHOUT ANY WARRANTY; without even the implied warranty of
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
# GNU General Public License for more details.
#
# You should have received a copy of the GNU General Public License
# along with this program. If not, see <http://www.gnu.org/licenses/>.


"""
Soledad synchronization utilities.


Extend u1db Synchronizer with the ability to:

    * Defer the update of the known replica uid until all the decryption of
      the incoming messages has been processed.

    * Be interrupted and recovered.
"""


import json

import logging
import traceback
from threading import Lock

from u1db import errors
from u1db.sync import Synchronizer


logger = logging.getLogger(__name__)


class SoledadSynchronizer(Synchronizer):
    """
    Collect the state around synchronizing 2 U1DB replicas.

    Synchronization is bi-directional, in that new items in the source are sent
    to the target, and new items in the target are returned to the source.
    However, it still recognizes that one side is initiating the request. Also,
    at the moment, conflicts are only created in the source.

    Also modified to allow for interrupting the synchronization process.
    """

    syncing_lock = Lock()

    def stop(self):
        """
        Stop the current sync in progress.
        """
        self.sync_target.stop()

    def sync(self, autocreate=False, defer_decryption=True):
        """
        Synchronize documents between source and target.

        Differently from u1db `Synchronizer.sync` method, this one allows to
        pass a `defer_decryption` flag that will postpone the last
        step in the synchronization dance, namely, the setting of the last
        known generation and transaction id for a given remote replica.

        This is done to allow the ongoing parallel decryption of the incoming
        docs to proceed without `InvalidGeneration` conflicts.

        :param autocreate: Whether the target replica should be created or not.
        :type autocreate: bool
        :param defer_decryption: Whether to defer the decryption process using
                                 the intermediate database. If False,
                                 decryption will be done inline.
        :type defer_decryption: bool
        """
        self.syncing_lock.acquire()
        try:
            return self._sync(autocreate=autocreate,
                              defer_decryption=defer_decryption)
        except Exception:
            # re-raising the exceptions to let syqlcipher.sync catch them
            # (and re-create the syncer instance if needed)
            raise
        finally:
            self.release_syncing_lock()

    def _sync(self, autocreate=False, defer_decryption=True):
        """
        Helper function, called from the main `sync` method.
        See `sync` docstring.
        """
        sync_target = self.sync_target

        # get target identifier, its current generation,
        # and its last-seen database generation for this source
        ensure_callback = None
        try:
            (self.target_replica_uid, target_gen, target_trans_id,
             target_my_gen, target_my_trans_id) = \
                sync_target.get_sync_info(self.source._replica_uid)
        except errors.DatabaseDoesNotExist:
            if not autocreate:
                raise
            # will try to ask sync_exchange() to create the db
            self.target_replica_uid = None
            target_gen, target_trans_id = (0, '')
            target_my_gen, target_my_trans_id = (0, '')

        logger.debug(
            "Soledad target sync info:\n"
            "  target replica uid: %s\n"
            "  target generation: %d\n"
            "  target trans id: %s\n"
            "  target my gen: %d\n"
            "  target my trans_id: %s"
            % (self.target_replica_uid, target_gen, target_trans_id,
            target_my_gen, target_my_trans_id))

        # make sure we'll have access to target replica uid once it exists
        if self.target_replica_uid is None:

            def ensure_callback(replica_uid):
                self.target_replica_uid = replica_uid

        # make sure we're not syncing one replica with itself
        if self.target_replica_uid == self.source._replica_uid:
            raise errors.InvalidReplicaUID

        # validate the info the target has about the source replica
        self.source.validate_gen_and_trans_id(
            target_my_gen, target_my_trans_id)

        # what's changed since that generation and this current gen
        my_gen, _, changes = self.source.whats_changed(target_my_gen)
        logger.debug("Soledad sync: there are %d documents to send." \
                     % len(changes))

        # get source last-seen database generation for the target
        if self.target_replica_uid is None:
            target_last_known_gen, target_last_known_trans_id = 0, ''
        else:
            target_last_known_gen, target_last_known_trans_id = \
                self.source._get_replica_gen_and_trans_id(
                    self.target_replica_uid)
        logger.debug(
            "Soledad source sync info:\n"
            "  source target gen: %d\n"
            "  source target trans_id: %s"
            % (target_last_known_gen, target_last_known_trans_id))

        # validate transaction ids
        if not changes and target_last_known_gen == target_gen:
            if target_trans_id != target_last_known_trans_id:
                raise errors.InvalidTransactionId
            return my_gen

        # prepare to send all the changed docs
        changed_doc_ids = [doc_id for doc_id, _, _ in changes]
        docs_to_send = self.source.get_docs(
            changed_doc_ids, check_for_conflicts=False, include_deleted=True)
        docs_by_generation = []
        idx = 0
        for doc in docs_to_send:
            _, gen, trans = changes[idx]
            docs_by_generation.append((doc, gen, trans))
            idx += 1

        # exchange documents and try to insert the returned ones with
        # the target, return target synced-up-to gen.
        #
        # The sync_exchange method may be interrupted, in which case it will
        # return a tuple of Nones.
        try:
            new_gen, new_trans_id = sync_target.sync_exchange(
                docs_by_generation, self.source._replica_uid,
                target_last_known_gen, target_last_known_trans_id,
                self._insert_doc_from_target, ensure_callback=ensure_callback,
                defer_decryption=defer_decryption)
            logger.debug(
                "Soledad source sync info after sync exchange:\n"
                "  source target gen: %d\n"
                "  source target trans_id: %s"
                % (new_gen, new_trans_id))
            info = {
                "target_replica_uid": self.target_replica_uid,
                "new_gen": new_gen,
                "new_trans_id": new_trans_id,
                "my_gen": my_gen
            }
            self._syncing_info = info
            if defer_decryption and not sync_target.has_syncdb():
                logger.debug("Sync target has no valid sync db, "
                             "aborting defer_decryption")
                defer_decryption = False
            self.complete_sync()
        except Exception as e:
            logger.error("Soledad sync error: %s" % str(e))
            logger.error(traceback.format_exc())
            sync_target.stop()
        finally:
            sync_target.close()

        return my_gen

    def complete_sync(self):
        """
        Last stage of the synchronization:
            (a) record last known generation and transaction uid for the remote
            replica, and
            (b) make target aware of our current reached generation.
        """
        logger.debug("Completing deferred last step in SYNC...")

        # record target synced-up-to generation including applying what we
        # sent
        info = self._syncing_info
        self.source._set_replica_gen_and_trans_id(
            info["target_replica_uid"], info["new_gen"], info["new_trans_id"])

        # if gapless record current reached generation with target
        self._record_sync_info_with_the_target(info["my_gen"])

    @property
    def syncing(self):
        """
        Return True if a sync is ongoing, False otherwise.
        :rtype: bool
        """
        # XXX FIXME  we need some mechanism for timeout: should cleanup and
        # release if something in the syncdb-decrypt goes wrong. we could keep
        # track of the release date and cleanup unrealistic sync entries after
        # some time.
        locked = self.syncing_lock.locked()
        return locked

    def release_syncing_lock(self):
        """
        Release syncing lock if it's locked.
        """
        if self.syncing_lock.locked():
            self.syncing_lock.release()

    def close(self):
        """
        Close sync target pool of workers.
        """
        self.release_syncing_lock()
        self.sync_target.close()

    def __del__(self):
        """
        Cleanup: release lock.
        """
        self.release_syncing_lock()