1
# Copyright (C) 2008, 2009 Canonical Ltd
3
# This program is free software; you can redistribute it and/or modify
4
# it under the terms of the GNU General Public License as published by
5
# the Free Software Foundation; either version 2 of the License, or
6
# (at your option) any later version.
8
# This program is distributed in the hope that it will be useful,
9
# but WITHOUT ANY WARRANTY; without even the implied warranty of
10
# MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
11
# GNU General Public License for more details.
13
# You should have received a copy of the GNU General Public License
14
# along with this program; if not, write to the Free Software
15
# Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301 USA
17
"""Inventory delta serialisation.
19
See doc/developers/inventory.txt for the description of the format.
21
In this module the interesting classes are:
22
- InventoryDeltaSerializer - object to read/write inventory deltas.
25
from __future__ import absolute_import
27
__all__ = ['InventoryDeltaSerializer']
30
from .osutils import basename
31
from . import inventory
32
from .revision import NULL_REVISION
34
FORMAT_1 = 'bzr inventory delta v1 (bzr 1.14)'
37
class InventoryDeltaError(errors.BzrError):
38
"""An error when serializing or deserializing an inventory delta."""
40
# Most errors when serializing and deserializing are due to bugs, although
41
# damaged input (i.e. a bug in a different process) could cause
42
# deserialization errors too.
45
def __init__(self, format_string, **kwargs):
46
# Let each error supply a custom format string and arguments.
47
self._fmt = format_string
48
super(InventoryDeltaError, self).__init__(**kwargs)
51
class IncompatibleInventoryDelta(errors.BzrError):
52
"""The delta could not be deserialised because its contents conflict with
53
the allow_versioned_root or allow_tree_references flags of the
56
internal_error = False
59
def _directory_content(entry):
60
"""Serialize the content component of entry which is a directory.
62
:param entry: An InventoryDirectory.
67
def _file_content(entry):
68
"""Serialize the content component of entry which is a file.
70
:param entry: An InventoryFile.
76
size_exec_sha = (entry.text_size, exec_bytes, entry.text_sha1)
77
if None in size_exec_sha:
78
raise InventoryDeltaError(
79
'Missing size or sha for %(fileid)r', fileid=entry.file_id)
80
return "file\x00%d\x00%s\x00%s" % size_exec_sha
83
def _link_content(entry):
84
"""Serialize the content component of entry which is a symlink.
86
:param entry: An InventoryLink.
88
target = entry.symlink_target
90
raise InventoryDeltaError(
91
'Missing target for %(fileid)r', fileid=entry.file_id)
92
return "link\x00%s" % target.encode('utf8')
95
def _reference_content(entry):
96
"""Serialize the content component of entry which is a tree-reference.
98
:param entry: A TreeReference.
100
tree_revision = entry.reference_revision
101
if tree_revision is None:
102
raise InventoryDeltaError(
103
'Missing reference revision for %(fileid)r', fileid=entry.file_id)
104
return "tree\x00%s" % tree_revision
107
def _dir_to_entry(content, name, parent_id, file_id, last_modified,
108
_type=inventory.InventoryDirectory):
109
"""Convert a dir content record to an InventoryDirectory."""
110
result = _type(file_id, name, parent_id)
111
result.revision = last_modified
115
def _file_to_entry(content, name, parent_id, file_id, last_modified,
116
_type=inventory.InventoryFile):
117
"""Convert a dir content record to an InventoryFile."""
118
result = _type(file_id, name, parent_id)
119
result.revision = last_modified
120
result.text_size = int(content[1])
121
result.text_sha1 = content[3]
123
result.executable = True
125
result.executable = False
129
def _link_to_entry(content, name, parent_id, file_id, last_modified,
130
_type=inventory.InventoryLink):
131
"""Convert a link content record to an InventoryLink."""
132
result = _type(file_id, name, parent_id)
133
result.revision = last_modified
134
result.symlink_target = content[1].decode('utf8')
138
def _tree_to_entry(content, name, parent_id, file_id, last_modified,
139
_type=inventory.TreeReference):
140
"""Convert a tree content record to a TreeReference."""
141
result = _type(file_id, name, parent_id)
142
result.revision = last_modified
143
result.reference_revision = content[1]
147
class InventoryDeltaSerializer(object):
148
"""Serialize inventory deltas."""
150
def __init__(self, versioned_root, tree_references):
151
"""Create an InventoryDeltaSerializer.
153
:param versioned_root: If True, any root entry that is seen is expected
154
to be versioned, and root entries can have any fileid.
155
:param tree_references: If True support tree-reference entries.
157
self._versioned_root = versioned_root
158
self._tree_references = tree_references
159
self._entry_to_content = {
160
'directory': _directory_content,
161
'file': _file_content,
162
'symlink': _link_content,
165
self._entry_to_content['tree-reference'] = _reference_content
167
def delta_to_lines(self, old_name, new_name, delta_to_new):
168
"""Return a line sequence for delta_to_new.
170
Both the versioned_root and tree_references flags must be set via
171
require_flags before calling this.
173
:param old_name: A UTF8 revision id for the old inventory. May be
174
NULL_REVISION if there is no older inventory and delta_to_new
175
includes the entire inventory contents.
176
:param new_name: The version name of the inventory we create with this
178
:param delta_to_new: An inventory delta such as Inventory.apply_delta
180
:return: The serialized delta as lines.
182
if not isinstance(old_name, str):
183
raise TypeError('old_name should be str, got %r' % (old_name,))
184
if not isinstance(new_name, str):
185
raise TypeError('new_name should be str, got %r' % (new_name,))
186
lines = ['', '', '', '', '']
187
to_line = self._delta_item_to_line
188
for delta_item in delta_to_new:
189
line = to_line(delta_item, new_name)
190
# GZ 2017-06-09: Not really worth asserting this here
191
if line.__class__ != bytes:
192
raise InventoryDeltaError(
193
'to_line gave non-bytes output %(line)r', line=lines[-1])
196
lines[0] = "format: %s\n" % FORMAT_1
197
lines[1] = "parent: %s\n" % old_name
198
lines[2] = "version: %s\n" % new_name
199
lines[3] = "versioned_root: %s\n" % self._serialize_bool(
200
self._versioned_root)
201
lines[4] = "tree_references: %s\n" % self._serialize_bool(
202
self._tree_references)
205
def _serialize_bool(self, value):
211
def _delta_item_to_line(self, delta_item, new_version):
212
"""Convert delta_item to a line."""
213
oldpath, newpath, file_id, entry = delta_item
216
oldpath_utf8 = '/' + oldpath.encode('utf8')
217
newpath_utf8 = 'None'
219
last_modified = NULL_REVISION
220
content = 'deleted\x00\x00'
223
oldpath_utf8 = 'None'
225
oldpath_utf8 = '/' + oldpath.encode('utf8')
227
raise AssertionError(
228
"Bad inventory delta: '/' is not a valid newpath "
229
"(should be '') in delta item %r" % (delta_item,))
230
# TODO: Test real-world utf8 cache hit rate. It may be a win.
231
newpath_utf8 = '/' + newpath.encode('utf8')
232
# Serialize None as ''
233
parent_id = entry.parent_id or ''
234
# Serialize unknown revisions as NULL_REVISION
235
last_modified = entry.revision
236
# special cases for /
237
if newpath_utf8 == '/' and not self._versioned_root:
238
# This is an entry for the root, this inventory does not
239
# support versioned roots. So this must be an unversioned
240
# root, i.e. last_modified == new revision. Otherwise, this
242
# Note: the non-rich-root repositories *can* have roots with
243
# file-ids other than TREE_ROOT, e.g. repo formats that use the
245
if last_modified != new_version:
246
raise InventoryDeltaError(
247
'Version present for / in %(fileid)r'
248
' (%(last)r != %(new)r)',
249
fileid=file_id, last=last_modified, new=new_version)
250
if last_modified is None:
251
raise InventoryDeltaError(
252
"no version for fileid %(fileid)r", fileid=file_id)
253
content = self._entry_to_content[entry.kind](entry)
254
return ("%s\x00%s\x00%s\x00%s\x00%s\x00%s\n" %
255
(oldpath_utf8, newpath_utf8, file_id, parent_id, last_modified,
259
class InventoryDeltaDeserializer(object):
260
"""Deserialize inventory deltas."""
262
def __init__(self, allow_versioned_root=True, allow_tree_references=True):
263
"""Create an InventoryDeltaDeserializer.
265
:param versioned_root: If True, any root entry that is seen is expected
266
to be versioned, and root entries can have any fileid.
267
:param tree_references: If True support tree-reference entries.
269
self._allow_versioned_root = allow_versioned_root
270
self._allow_tree_references = allow_tree_references
272
def _deserialize_bool(self, value):
275
elif value == "false":
278
raise InventoryDeltaError("value %(val)r is not a bool", val=value)
280
def parse_text_bytes(self, bytes):
281
"""Parse the text bytes of a serialized inventory delta.
283
If versioned_root and/or tree_references flags were set via
284
require_flags, then the parsed flags must match or a BzrError will be
287
:param bytes: The bytes to parse. This can be obtained by calling
288
delta_to_lines and then doing ''.join(delta_lines).
289
:return: (parent_id, new_id, versioned_root, tree_references,
292
if bytes[-1:] != '\n':
293
last_line = bytes.rsplit('\n', 1)[-1]
294
raise InventoryDeltaError(
295
'last line not empty: %(line)r', line=last_line)
296
lines = bytes.split('\n')[:-1] # discard the last empty line
297
if not lines or lines[0] != 'format: %s' % FORMAT_1:
298
raise InventoryDeltaError(
299
'unknown format %(line)r', line=lines[0:1])
300
if len(lines) < 2 or not lines[1].startswith('parent: '):
301
raise InventoryDeltaError('missing parent: marker')
302
delta_parent_id = lines[1][8:]
303
if len(lines) < 3 or not lines[2].startswith('version: '):
304
raise InventoryDeltaError('missing version: marker')
305
delta_version_id = lines[2][9:]
306
if len(lines) < 4 or not lines[3].startswith('versioned_root: '):
307
raise InventoryDeltaError('missing versioned_root: marker')
308
delta_versioned_root = self._deserialize_bool(lines[3][16:])
309
if len(lines) < 5 or not lines[4].startswith('tree_references: '):
310
raise InventoryDeltaError('missing tree_references: marker')
311
delta_tree_references = self._deserialize_bool(lines[4][17:])
312
if (not self._allow_versioned_root and delta_versioned_root):
313
raise IncompatibleInventoryDelta("versioned_root not allowed")
316
line_iter = iter(lines)
319
for line in line_iter:
320
(oldpath_utf8, newpath_utf8, file_id, parent_id, last_modified,
321
content) = line.split('\x00', 5)
322
parent_id = parent_id or None
323
if file_id in seen_ids:
324
raise InventoryDeltaError(
325
"duplicate file id %(fileid)r", fileid=file_id)
326
seen_ids.add(file_id)
327
if (newpath_utf8 == '/' and not delta_versioned_root and
328
last_modified != delta_version_id):
329
# Delta claims to be not have a versioned root, yet here's
330
# a root entry with a non-default version.
331
raise InventoryDeltaError(
332
"Versioned root found: %(line)r", line=line)
333
elif newpath_utf8 != 'None' and last_modified[-1] == ':':
334
# Deletes have a last_modified of null:, but otherwise special
335
# revision ids should not occur.
336
raise InventoryDeltaError(
337
'special revisionid found: %(line)r', line=line)
338
if content.startswith('tree\x00'):
339
if delta_tree_references is False:
340
raise InventoryDeltaError(
341
"Tree reference found (but header said "
342
"tree_references: false): %(line)r", line=line)
343
elif not self._allow_tree_references:
344
raise IncompatibleInventoryDelta(
345
"Tree reference not allowed")
346
if oldpath_utf8 == 'None':
348
elif oldpath_utf8[:1] != '/':
349
raise InventoryDeltaError(
350
"oldpath invalid (does not start with /): %(path)r",
353
oldpath_utf8 = oldpath_utf8[1:]
354
oldpath = oldpath_utf8.decode('utf8')
355
if newpath_utf8 == 'None':
357
elif newpath_utf8[:1] != '/':
358
raise InventoryDeltaError(
359
"newpath invalid (does not start with /): %(path)r",
363
newpath_utf8 = newpath_utf8[1:]
364
newpath = newpath_utf8.decode('utf8')
365
content_tuple = tuple(content.split('\x00'))
366
if content_tuple[0] == 'deleted':
369
entry = _parse_entry(
370
newpath, file_id, parent_id, last_modified, content_tuple)
371
delta_item = (oldpath, newpath, file_id, entry)
372
result.append(delta_item)
373
return (delta_parent_id, delta_version_id, delta_versioned_root,
374
delta_tree_references, result)
377
def _parse_entry(path, file_id, parent_id, last_modified, content):
379
'dir': _dir_to_entry,
380
'file': _file_to_entry,
381
'link': _link_to_entry,
382
'tree': _tree_to_entry,
385
if path.startswith('/'):
387
name = basename(path)
388
return entry_factory[content[0]](
389
content, name, parent_id, file_id, last_modified)