1 from datetime import datetime
3 from django.db import models
4 from django.contrib.auth.models import User
5 from django.utils.translation import ugettext_lazy as _
6 from mercurial import mdiff, simplemerge
10 class Tag(models.Model):
12 a tag (e.g. document stage) which can be applied to a change
15 name = models.CharField(_('name'), max_length=64)
16 slug = models.SlugField(_('slug'), unique=True, max_length=64,
17 null=True, blank=True)
18 ordering = models.IntegerField(_('ordering'))
23 ordering = ['ordering']
25 def __unicode__(self):
30 if slug in cls._object_cache:
31 return cls._object_cache[slug]
33 obj = cls.objects.get(slug=slug)
34 cls._object_cache[slug] = obj
38 def listener_changed(sender, instance, **kwargs):
39 sender._object_cache = {}
41 models.signals.pre_save.connect(Tag.listener_changed, sender=Tag)
44 class Change(models.Model):
46 Single document change related to previous change. The "parent"
47 argument points to the version against which this change has been
48 recorded. Initial text will have a null parent.
50 Data contains a pickled diff needed to reproduce the initial document.
52 author = models.ForeignKey(User, null=True, blank=True)
53 author_desc = models.CharField(max_length=128, null=True, blank=True)
54 patch = models.TextField(blank=True)
55 tree = models.ForeignKey('Document')
56 revision = models.IntegerField(db_index=True)
58 parent = models.ForeignKey('self',
59 null=True, blank=True, default=None,
60 related_name="children")
62 merge_parent = models.ForeignKey('self',
63 null=True, blank=True, default=None,
64 related_name="merge_children")
66 description = models.TextField(blank=True, default='')
67 created_at = models.DateTimeField(editable=False, db_index=True,
69 publishable = models.BooleanField(default=False)
71 tags = models.ManyToManyField(Tag)
74 ordering = ('created_at',)
75 unique_together = ['tree', 'revision']
77 def __unicode__(self):
78 return u"Id: %r, Tree %r, Parent %r, Patch '''\n%s'''" % (self.id, self.tree_id, self.parent_id, self.patch)
82 return "%s %s <%s>" % (
83 self.author.first_name,
84 self.author.last_name,
87 return self.author_desc
90 def save(self, *args, **kwargs):
92 take the next available revision number if none yet
94 if self.revision is None:
95 self.revision = self.tree.revision() + 1
96 return super(Change, self).save(*args, **kwargs)
99 def make_patch(src, dst):
100 if isinstance(src, unicode):
101 src = src.encode('utf-8')
102 if isinstance(dst, unicode):
103 dst = dst.encode('utf-8')
104 return pickle.dumps(mdiff.textdiff(src, dst))
106 def materialize(self):
107 # special care for merged nodes
108 if self.parent is None and self.merge_parent is not None:
109 return self.apply_to(self.merge_parent.materialize())
111 changes = Change.objects.exclude(parent=None).filter(
113 revision__lte=self.revision).order_by('revision')
115 for change in changes:
116 text = change.apply_to(text)
119 def make_child(self, patch, description, author=None,
120 author_desc=None, tags=None):
121 ch = self.children.create(patch=patch,
122 tree=self.tree, author=author,
123 author_desc=author_desc,
124 description=description)
129 def make_merge_child(self, patch, description, author=None,
130 author_desc=None, tags=None):
131 ch = self.merge_children.create(patch=patch,
132 tree=self.tree, author=author,
133 author_desc=author_desc,
134 description=description,
140 def apply_to(self, text):
141 return mdiff.patch(text, pickle.loads(self.patch.encode('ascii')))
143 def merge_with(self, other, author=None, author_desc=None,
144 description=u"Automatic merge."):
145 assert self.tree_id == other.tree_id # same tree
146 if other.parent_id == self.pk:
150 local = self.materialize()
151 base = other.merge_parent.materialize()
152 remote = other.apply_to(base)
154 merge = simplemerge.Merge3Text(base, local, remote)
155 result = ''.join(merge.merge_lines())
156 patch = self.make_patch(local, result)
157 return self.children.create(
158 patch=patch, merge_parent=other, tree=self.tree,
159 author=author, author_desc=author_desc,
160 description=description)
162 def revert(self, **kwargs):
163 """ commit this version of a doc as new head """
164 self.tree.commit(text=self.materialize(), **kwargs)
167 class Document(models.Model):
171 creator = models.ForeignKey(User, null=True, blank=True, editable=False)
172 head = models.ForeignKey(Change,
173 null=True, blank=True, default=None,
174 help_text=_("This document's current head."),
177 def __unicode__(self):
178 return u"{0}, HEAD: {1}".format(self.id, self.head_id)
181 def get_absolute_url(self):
182 return ('dvcs.views.document_data', (), {
183 'document_id': self.id,
184 'version': self.head_id,
187 def materialize(self, change=None):
188 if self.head is None:
192 elif not isinstance(change, Change):
193 change = self.change_set.get(pk=change)
194 return change.materialize()
196 def commit(self, **kwargs):
197 if 'parent' not in kwargs:
200 parent = kwargs['parent']
201 if not isinstance(parent, Change):
202 parent = Change.objects.get(pk=kwargs['parent'])
204 if 'patch' not in kwargs:
205 if 'text' not in kwargs:
206 raise ValueError("You must provide either patch or target document.")
207 patch = Change.make_patch(self.materialize(change=parent), kwargs['text'])
210 raise ValueError("You can provide only text or patch - not both")
211 patch = kwargs['patch']
213 author = kwargs.get('author', None)
214 author_desc = kwargs.get('author_desc', None)
215 tags = kwargs.get('tags', [])
218 if parent != old_head:
219 change = parent.make_merge_child(patch, author=author,
220 author_desc=author_desc,
221 description=kwargs.get('description', ''),
223 # not Fast-Forward - perform a merge
224 self.head = old_head.merge_with(change, author=author,
225 author_desc=author_desc)
227 self.head = parent.make_child(patch, author=author,
228 author_desc=author_desc,
229 description=kwargs.get('description', ''),
236 return self.change_set.filter(revision__gt=-1)
239 rev = self.change_set.aggregate(
240 models.Max('revision'))['revision__max']
241 return rev if rev is not None else -1
243 def at_revision(self, rev):
245 return self.change_set.get(revision=rev)
249 def publishable(self):
250 changes = self.change_set.filter(publishable=True).order_by('-created_at')[:1]
257 def listener_initial_commit(sender, instance, created, **kwargs):
258 # run for Document and its subclasses
259 if not isinstance(instance, Document):
262 instance.head = Change.objects.create(
264 author=instance.creator,
265 patch=Change.make_patch('', ''),
269 models.signals.post_save.connect(Document.listener_initial_commit)