1 """Python GIT interface
5 Copyright (C) 2005, Catalin Marinas <catalin.marinas@gmail.com>
7 This program is free software; you can redistribute it and/or modify
8 it under the terms of the GNU General Public License version 2 as
9 published by the Free Software Foundation.
11 This program is distributed in the hope that it will be useful,
12 but WITHOUT ANY WARRANTY; without even the implied warranty of
13 MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
14 GNU General Public License for more details.
16 You should have received a copy of the GNU General Public License
17 along with this program; if not, write to the Free Software
18 Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 USA
21 import sys, os, glob, popen2
23 from stgit.utils import *
26 class GitException(Exception):
30 # Different start-up variables read from the environment
31 if 'GIT_DIR' in os.environ:
32 base_dir = os.environ['GIT_DIR']
36 head_link = os.path.join(base_dir, 'HEAD')
42 """Handle the commit objects
44 def __init__(self, id_hash):
45 self.__id_hash = id_hash
47 lines = _output_lines('git-cat-file commit %s' % id_hash)
48 for i in range(len(lines)):
52 field = line.strip().split(' ', 1)
53 if field[0] == 'tree':
54 self.__tree = field[1]
55 elif field[0] == 'parent':
56 self.__parent = field[1]
57 if field[0] == 'author':
58 self.__author = field[1]
59 if field[0] == 'comitter':
60 self.__committer = field[1]
61 self.__log = ''.join(lines[i:])
63 def get_id_hash(self):
75 def get_committer(self):
76 return self.__committer
78 # dictionary of Commit objects, used to avoid multiple calls to git
84 def get_commit(id_hash):
85 """Commit objects factory. Save/look-up them in the __commits
88 if id_hash in __commits:
89 return __commits[id_hash]
91 commit = Commit(id_hash)
92 __commits[id_hash] = commit
96 """Return the list of file conflicts
98 conflicts_file = os.path.join(base_dir, 'conflicts')
99 if os.path.isfile(conflicts_file):
100 f = file(conflicts_file)
101 names = [line.strip() for line in f.readlines()]
107 def _input(cmd, file_desc):
108 p = popen2.Popen3(cmd)
109 for line in file_desc:
110 p.tochild.write(line)
113 raise GitException, '%s failed' % str(cmd)
117 string = p.fromchild.read()
119 raise GitException, '%s failed' % str(cmd)
122 def _output_one_line(cmd):
124 string = p.fromchild.readline().strip()
126 raise GitException, '%s failed' % str(cmd)
129 def _output_lines(cmd):
131 lines = p.fromchild.readlines()
133 raise GitException, '%s failed' % str(cmd)
136 def __run(cmd, args=None):
137 """__run: runs cmd using spawnvp.
139 Runs cmd using spawnvp. The shell is avoided so it won't mess up
140 our arguments. If args is very large, the command is run multiple
141 times; args is split xargs style: cmd is passed on each
142 invocation. Unlike xargs, returns immediately if any non-zero
143 return code is received.
149 for i in range(0, len(args)+1, 100):
150 r=os.spawnvp(os.P_WAIT, args_l[0], args_l + args[i:min(i+100, len(args))])
155 def __check_base_dir():
156 return os.path.isdir(base_dir)
158 def __tree_status(files = [], tree_id = 'HEAD', unknown = False):
159 """Returns a list of pairs - [status, filename]
161 os.system('git-update-cache --refresh > /dev/null')
167 exclude_file = os.path.join(base_dir, 'exclude')
169 if os.path.exists(exclude_file):
170 extra_exclude.append('--exclude-from=%s' % exclude_file)
171 lines = _output_lines(['git-ls-files', '--others',
172 '--exclude=*.[ao]', '--exclude=.*'
173 '--exclude=TAGS', '--exclude=tags', '--exclude=*~',
174 '--exclude=#*'] + extra_exclude)
175 cache_files += [('?', line.strip()) for line in lines]
178 conflicts = get_conflicts()
181 cache_files += [('C', filename) for filename in conflicts]
184 for line in _output_lines(['git-diff-cache', '-r', tree_id] + files):
185 fs = tuple(line.rstrip().split(' ',4)[-1].split('\t',1))
186 if fs[1] not in conflicts:
187 cache_files.append(fs)
192 """Return true if there are local changes in the tree
194 return len(__tree_status()) != 0
197 """Returns a string representing the HEAD
199 return read_string(head_link)
202 """Returns the name of the file pointed to by the HEAD link
205 if os.path.islink(head_link) and os.path.isfile(head_link):
206 return os.path.basename(os.readlink(head_link))
208 raise GitException, 'Invalid .git/HEAD link. Git tree not initialised?'
211 """Sets the HEAD value
213 write_string(head_link, val)
216 """Add the files or recursively add the directory contents
218 # generate the file list
221 if not os.path.exists(i):
222 raise GitException, 'Unknown file or directory: %s' % i
225 # recursive search. We only add files
226 for root, dirs, local_files in os.walk(i):
227 for name in [os.path.join(root, f) for f in local_files]:
228 if os.path.isfile(name):
229 files.append(os.path.normpath(name))
230 elif os.path.isfile(i):
231 files.append(os.path.normpath(i))
233 raise GitException, '%s is not a file or directory' % i
236 if __run('git-update-cache --add --', files):
237 raise GitException, 'Unable to add file'
239 def rm(files, force = False):
240 """Remove a file from the repository
243 git_opt = '--force-remove'
249 if os.path.exists(f):
250 raise GitException, '%s exists. Remove it first' %f
252 __run('git-update-cache --remove --', files)
255 __run('git-update-cache --force-remove --', files)
257 def update_cache(files):
258 """Update the cache information for the given files
264 if os.path.exists(f):
270 __run('git-update-cache --', files_here)
272 __run('git-update-cache --remove --', files_gone)
274 def commit(message, files = [], parents = [], allowempty = False,
275 author_name = None, author_email = None, author_date = None,
276 committer_name = None, committer_email = None):
277 """Commit the current tree to repository
279 first = (parents == [])
281 # Get the tree status
283 cache_files = __tree_status(files)
285 if not first and len(cache_files) == 0 and not allowempty:
286 raise GitException, 'No changes to commit'
288 # check for unresolved conflicts
289 if not first and len(filter(lambda x: x[0] not in ['M', 'N', 'A', 'D'],
291 raise GitException, 'Commit failed: unresolved conflicts'
293 # get the commit message
294 f = file('.commitmsg', 'w+')
295 if message[-1] == '\n':
306 for f in cache_files:
307 if f[0] in ['N', 'A']:
308 add_files.append(f[1])
310 rm_files.append(f[1])
315 if __run('git-update-cache --add --', add_files):
316 raise GitException, 'Failed git-update-cache --add'
318 if __run('git-update-cache --force-remove --', rm_files):
319 raise GitException, 'Failed git-update-cache --rm'
321 if __run('git-update-cache --', m_files):
322 raise GitException, 'Failed git-update-cache'
324 # write the index to repository
325 tree_id = _output_one_line('git-write-tree')
330 cmd += 'GIT_AUTHOR_NAME="%s" ' % author_name
332 cmd += 'GIT_AUTHOR_EMAIL="%s" ' % author_email
334 cmd += 'GIT_AUTHOR_DATE="%s" ' % author_date
336 cmd += 'GIT_COMMITTER_NAME="%s" ' % committer_name
338 cmd += 'GIT_COMMITTER_EMAIL="%s" ' % committer_email
339 cmd += 'git-commit-tree %s' % tree_id
345 cmd += ' < .commitmsg'
347 commit_id = _output_one_line(cmd)
348 __set_head(commit_id)
349 os.remove('.commitmsg')
353 def merge(base, head1, head2):
354 """Perform a 3-way merge between base, head1 and head2 into the
357 if __run('git-read-tree -u -m', [base, head1, head2]) != 0:
358 raise GitException, 'git-read-tree failed (local changes maybe?)'
360 # this can fail if there are conflicts
361 if os.system('git-merge-cache -o gitmergeonefile.py -a') != 0:
362 raise GitException, 'git-merge-cache failed (possible conflicts)'
364 # this should not fail
365 if os.system('git-checkout-cache -f -a') != 0:
366 raise GitException, 'Failed git-checkout-cache'
368 def status(files = [], modified = False, new = False, deleted = False,
369 conflict = False, unknown = False):
370 """Show the tree status
372 cache_files = __tree_status(files, unknown = True)
373 all = not (modified or new or deleted or conflict or unknown)
388 cache_files = filter(lambda x: x[0] in filestat, cache_files)
390 for fs in cache_files:
392 print '%s %s' % (fs[0], fs[1])
396 def diff(files = [], rev1 = 'HEAD', rev2 = None, out_fd = None):
397 """Show the diff between rev1 and rev2
399 os.system('git-update-cache --refresh > /dev/null')
402 diff_str = _output(['git-diff-tree', '-p', rev1, rev2] + files)
404 diff_str = _output(['git-diff-cache', '-p', rev1] + files)
407 out_fd.write(diff_str)
411 def diffstat(files = [], rev1 = 'HEAD', rev2 = None):
412 """Return the diffstat between rev1 and rev2
415 os.system('git-update-cache --refresh > /dev/null')
416 p=popen2.Popen3('git-apply --stat')
417 diff(files, rev1, rev2, p.tochild)
419 str = p.fromchild.read().rstrip()
421 raise GitException, 'git.diffstat failed'
424 def files(rev1, rev2):
425 """Return the files modified between rev1 and rev2
427 os.system('git-update-cache --refresh > /dev/null')
430 for line in _output_lines('git-diff-tree -r %s %s' % (rev1, rev2)):
431 str += '%s %s\n' % tuple(line.rstrip().split(' ',4)[-1].split('\t',1))
435 def checkout(files = [], tree_id = None, force = False):
436 """Check out the given or all files
438 if tree_id and __run('git-read-tree -m', [tree_id]) != 0:
439 raise GitException, 'Failed git-read-tree -m %s' % tree_id
441 checkout_cmd = 'git-checkout-cache -q -u'
443 checkout_cmd += ' -f'
445 checkout_cmd += ' -a'
447 checkout_cmd += ' --'
449 if __run(checkout_cmd, files) != 0:
450 raise GitException, 'Failed git-checkout-cache'
453 """Switch the tree to the given id
455 to_delete = filter(lambda x: x[0] in ['N', 'A'],
456 __tree_status(tree_id = tree_id))
458 checkout(tree_id = tree_id, force = True)
461 # checkout doesn't remove files
465 def pull(location, head = None, tag = None):
466 """Fetch changes from the remote repository. At the moment, just
467 use the 'git fetch' scripts
475 if __run('git pull', args) != 0:
476 raise GitException, 'Failed "git fetch %s"' % location
478 def apply_patch(filename = None):
479 """Apply a patch onto the current index. There must not be any
480 local changes in the tree, otherwise the command fails
482 os.system('git-update-cache --refresh > /dev/null')
485 if __run('git-apply --index', [filename]) != 0:
486 raise GitException, 'Patch does not apply cleanly'
488 _input('git-apply --index', sys.stdin)
490 def clone(repository, local_dir):
491 """Clone a remote repository. At the moment, just use the
494 if __run('git clone', [repository, local_dir]) != 0:
495 raise GitException, 'Failed "git clone %s %s"' \
496 % (repository, local_dir)