1 """The L{StackTransaction} class makes it possible to make complex
2 updates to an StGit stack in a safe and convenient way."""
7 from stgit import exception, utils
8 from stgit.utils import any, all
9 from stgit.out import *
10 from stgit.lib import git, log
12 class TransactionException(exception.StgException):
13 """Exception raised when something goes wrong with a
14 L{StackTransaction}."""
16 class TransactionHalted(TransactionException):
17 """Exception raised when a L{StackTransaction} stops part-way through.
18 Used to make a non-local jump from the transaction setup to the
19 part of the transaction code where the transaction is run."""
21 def _print_current_patch(old_applied, new_applied):
23 out.info('Now at patch "%s"' % pn)
24 if not old_applied and not new_applied:
27 now_at(new_applied[-1])
29 out.info('No patch applied')
30 elif old_applied[-1] == new_applied[-1]:
33 now_at(new_applied[-1])
35 class _TransPatchMap(dict):
36 """Maps patch names to sha1 strings."""
37 def __init__(self, stack):
40 def __getitem__(self, pn):
42 return dict.__getitem__(self, pn)
44 return self.__stack.patches.get(pn).commit
46 class StackTransaction(object):
47 """A stack transaction, used for making complex updates to an StGit
48 stack in one single operation that will either succeed or fail
51 The basic theory of operation is the following:
53 1. Create a transaction object.
59 except TransactionHalted:
62 block, update the transaction with e.g. methods like
63 L{pop_patches} and L{push_patch}. This may create new git
64 objects such as commits, but will not write any refs; this means
65 that in case of a fatal error we can just walk away, no clean-up
68 (Some operations may need to touch your index and working tree,
69 though. But they are cleaned up when needed.)
71 3. After the C{try} block -- wheher or not the setup ran to
72 completion or halted part-way through by raising a
73 L{TransactionHalted} exception -- call the transaction's L{run}
74 method. This will either succeed in writing the updated state to
75 your refs and index+worktree, or fail without having done
77 def __init__(self, stack, msg, discard_changes = False,
78 allow_conflicts = False, allow_bad_head = False,
79 check_clean_iw = None):
80 """Create a new L{StackTransaction}.
82 @param discard_changes: Discard any changes in index+worktree
83 @type discard_changes: bool
84 @param allow_conflicts: Whether to allow pre-existing conflicts
85 @type allow_conflicts: bool or function of L{StackTransaction}"""
88 self.__patches = _TransPatchMap(stack)
89 self.__applied = list(self.__stack.patchorder.applied)
90 self.__unapplied = list(self.__stack.patchorder.unapplied)
91 self.__hidden = list(self.__stack.patchorder.hidden)
92 self.__conflicting_push = None
94 self.__current_tree = self.__stack.head.data.tree
95 self.__base = self.__stack.base
96 self.__discard_changes = discard_changes
97 self.__bad_head = None
98 self.__conflicts = None
99 if isinstance(allow_conflicts, bool):
100 self.__allow_conflicts = lambda trans: allow_conflicts
102 self.__allow_conflicts = allow_conflicts
103 self.__temp_index = self.temp_index_tree = None
104 if not allow_bad_head:
105 self.__assert_head_top_equal()
107 self.__assert_index_worktree_clean(check_clean_iw)
108 stack = property(lambda self: self.__stack)
109 patches = property(lambda self: self.__patches)
110 def __set_applied(self, val):
111 self.__applied = list(val)
112 applied = property(lambda self: self.__applied, __set_applied)
113 def __set_unapplied(self, val):
114 self.__unapplied = list(val)
115 unapplied = property(lambda self: self.__unapplied, __set_unapplied)
116 def __set_hidden(self, val):
117 self.__hidden = list(val)
118 hidden = property(lambda self: self.__hidden, __set_hidden)
119 all_patches = property(lambda self: (self.__applied + self.__unapplied
121 def __set_base(self, val):
122 assert (not self.__applied
123 or self.patches[self.applied[0]].data.parent == val)
125 base = property(lambda self: self.__base, __set_base)
127 def temp_index(self):
128 if not self.__temp_index:
129 self.__temp_index = self.__stack.repository.temp_index()
130 atexit.register(self.__temp_index.delete)
131 return self.__temp_index
135 return self.__patches[self.__applied[-1]]
138 def __get_head(self):
140 return self.__bad_head
143 def __set_head(self, val):
144 self.__bad_head = val
145 head = property(__get_head, __set_head)
146 def __assert_head_top_equal(self):
147 if not self.__stack.head_top_equal():
149 'HEAD and top are not the same.',
150 'This can happen if you modify a branch with git.',
151 '"stg repair --help" explains more about what to do next.')
153 def __assert_index_worktree_clean(self, iw):
154 if not iw.worktree_clean():
155 self.__halt('Worktree not clean. Use "refresh" or "status --reset"')
156 if not iw.index.is_clean(self.stack.head):
157 self.__halt('Index not clean. Use "refresh" or "status --reset"')
158 def __checkout(self, tree, iw, allow_bad_head):
159 if not allow_bad_head:
160 self.__assert_head_top_equal()
161 if self.__current_tree == tree and not self.__discard_changes:
162 # No tree change, but we still want to make sure that
163 # there are no unresolved conflicts. Conflicts
164 # conceptually "belong" to the topmost patch, and just
165 # carrying them along to another patch is confusing.
166 if (self.__allow_conflicts(self) or iw == None
167 or not iw.index.conflicts()):
169 out.error('Need to resolve conflicts first')
172 if self.__discard_changes:
173 iw.checkout_hard(tree)
175 iw.checkout(self.__current_tree, tree)
176 self.__current_tree = tree
179 raise TransactionException(
180 'Command aborted (all changes rolled back)')
181 def __check_consistency(self):
182 remaining = set(self.all_patches)
183 for pn, commit in self.__patches.iteritems():
185 assert self.__stack.patches.exists(pn)
187 assert pn in remaining
188 def abort(self, iw = None):
189 # The only state we need to restore is index+worktree.
191 self.__checkout(self.__stack.head.data.tree, iw,
192 allow_bad_head = True)
193 def run(self, iw = None, set_head = True, allow_bad_head = False,
194 print_current_patch = True):
195 """Execute the transaction. Will either succeed, or fail (with an
196 exception) and do nothing."""
197 self.__check_consistency()
198 log.log_external_mods(self.__stack)
205 self.__checkout(new_head.data.tree, iw, allow_bad_head)
206 except git.CheckoutException:
207 # We have to abort the transaction.
210 self.__stack.set_head(new_head, self.__msg)
214 out.error(*([self.__error] + self.__conflicts))
216 out.error(self.__error)
220 for pn, commit in self.__patches.iteritems():
221 if self.__stack.patches.exists(pn):
222 p = self.__stack.patches.get(pn)
226 p.set_commit(commit, msg)
228 self.__stack.patches.new(pn, commit, msg)
229 self.__stack.patchorder.applied = self.__applied
230 self.__stack.patchorder.unapplied = self.__unapplied
231 self.__stack.patchorder.hidden = self.__hidden
232 log.log_entry(self.__stack, msg)
233 old_applied = self.__stack.patchorder.applied
235 if self.__conflicting_push != None:
236 self.__patches = _TransPatchMap(self.__stack)
237 self.__conflicting_push()
238 write(self.__msg + ' (CONFLICT)')
239 if print_current_patch:
240 _print_current_patch(old_applied, self.__applied)
243 return utils.STGIT_CONFLICT
245 return utils.STGIT_SUCCESS
247 def __halt(self, msg):
249 raise TransactionHalted(msg)
252 def __print_popped(popped):
255 elif len(popped) == 1:
256 out.info('Popped %s' % popped[0])
258 out.info('Popped %s -- %s' % (popped[-1], popped[0]))
260 def pop_patches(self, p):
261 """Pop all patches pn for which p(pn) is true. Return the list of
262 other patches that had to be popped to accomplish this. Always
265 for i in xrange(len(self.applied)):
266 if p(self.applied[i]):
267 popped = self.applied[i:]
270 popped1 = [pn for pn in popped if not p(pn)]
271 popped2 = [pn for pn in popped if p(pn)]
272 self.unapplied = popped1 + popped2 + self.unapplied
273 self.__print_popped(popped)
276 def delete_patches(self, p, quiet = False):
277 """Delete all patches pn for which p(pn) is true. Return the list of
278 other patches that had to be popped to accomplish this. Always
281 all_patches = self.applied + self.unapplied + self.hidden
282 for i in xrange(len(self.applied)):
283 if p(self.applied[i]):
284 popped = self.applied[i:]
287 popped = [pn for pn in popped if not p(pn)]
288 self.unapplied = popped + [pn for pn in self.unapplied if not p(pn)]
289 self.hidden = [pn for pn in self.hidden if not p(pn)]
290 self.__print_popped(popped)
291 for pn in all_patches:
293 s = ['', ' (empty)'][self.patches[pn].data.is_nochange()]
294 self.patches[pn] = None
296 out.info('Deleted %s%s' % (pn, s))
299 def push_patch(self, pn, iw = None):
300 """Attempt to push the named patch. If this results in conflicts,
301 halts the transaction. If index+worktree are given, spill any
302 conflicts to them."""
303 orig_cd = self.patches[pn].data
304 cd = orig_cd.set_committer(None)
305 oldparent = cd.parent
306 cd = cd.set_parent(self.top)
307 base = oldparent.data.tree
308 ours = cd.parent.data.tree
310 tree, self.temp_index_tree = self.temp_index.merge(
311 base, ours, theirs, self.temp_index_tree)
313 merge_conflict = False
316 self.__halt('%s does not apply cleanly' % pn)
318 self.__checkout(ours, iw, allow_bad_head = False)
319 except git.CheckoutException:
320 self.__halt('Index/worktree dirty')
322 iw.merge(base, ours, theirs)
323 tree = iw.index.write_tree()
324 self.__current_tree = tree
326 except git.MergeConflictException, e:
328 merge_conflict = True
329 self.__conflicts = e.conflicts
331 except git.MergeException, e:
333 cd = cd.set_tree(tree)
334 if any(getattr(cd, a) != getattr(orig_cd, a) for a in
335 ['parent', 'tree', 'author', 'message']):
336 comm = self.__stack.repository.commit(cd)
341 if not merge_conflict and cd.is_nochange():
343 out.info('Pushed %s%s' % (pn, s))
346 self.patches[pn] = comm
347 if pn in self.hidden:
352 self.applied.append(pn)
354 # We've just caused conflicts, so we must allow them in
355 # the final checkout.
356 self.__allow_conflicts = lambda trans: True
358 # Save this update so that we can run it a little later.
359 self.__conflicting_push = update
360 self.__halt("%d merge conflict(s)" % len(self.__conflicts))
362 # Update immediately.
365 def reorder_patches(self, applied, unapplied, hidden, iw = None):
366 """Push and pop patches to attain the given ordering."""
367 common = len(list(it.takewhile(lambda (a, b): a == b,
368 zip(self.applied, applied))))
369 to_pop = set(self.applied[common:])
370 self.pop_patches(lambda pn: pn in to_pop)
371 for pn in applied[common:]:
372 self.push_patch(pn, iw)
373 assert self.applied == applied
374 assert set(self.unapplied + self.hidden) == set(unapplied + hidden)
375 self.unapplied = unapplied