1 from __future__
import absolute_import
, division
, print_function
, unicode_literals
2 from functools
import partial
5 from os
.path
import join
11 from .compat
import int_types
12 from .compat
import ustr
13 from .compat
import WIN32
14 from .decorators
import memoize
15 from .interaction
import Interaction
18 GIT_COLA_TRACE
= core
.getenv('GIT_COLA_TRACE', '')
19 GIT
= core
.getenv('GIT_COLA_GIT', 'git')
24 # Object ID / SHA1-related constants
25 # Git's empty tree is a built-in constant object name.
26 EMPTY_TREE_OID
= '4b825dc642cb6eb9a060e54bf8d69288fbee4904'
27 # Git's diff machinery returns zeroes for modified files whose content exists
28 # in the worktree only.
29 MISSING_BLOB_OID
= '0000000000000000000000000000000000000000'
30 # Git's SHA-1 object IDs are 40 characters long.
31 # This will need to change when Git moves away from SHA-1.
32 # When that happens we'll have to detect and update this at runtime in
33 # order to support both old and new git.
36 _index_lock
= threading
.Lock()
40 return value
.replace('_', '-')
43 def is_git_dir(git_dir
):
44 """From git's setup.c:is_git_directory()."""
47 headref
= join(git_dir
, 'HEAD')
52 core
.isdir(join(git_dir
, 'objects'))
53 and core
.isdir(join(git_dir
, 'refs'))
56 core
.isfile(join(git_dir
, 'gitdir'))
57 and core
.isfile(join(git_dir
, 'commondir'))
61 result
= core
.isfile(headref
) or (
62 core
.islink(headref
) and core
.readlink(headref
).startswith('refs/')
65 result
= is_git_file(git_dir
)
70 def is_git_file(filename
):
71 return core
.isfile(filename
) and os
.path
.basename(filename
) == '.git'
74 def is_git_worktree(dirname
):
75 return is_git_dir(join(dirname
, '.git'))
78 def is_git_repository(path
):
79 return is_git_worktree(path
) or is_git_dir(path
)
82 def read_git_file(path
):
83 """Read the path from a .git-file
85 `None` is returned when <path> is not a .git-file.
89 if path
and is_git_file(path
):
91 data
= core
.read(path
).strip()
92 if data
.startswith(header
):
93 result
= data
[len(header
) :]
94 if result
and not os
.path
.isabs(result
):
95 path_folder
= os
.path
.dirname(path
)
96 repo_relative
= join(path_folder
, result
)
97 result
= os
.path
.normpath(repo_relative
)
102 """Git repository paths of interest"""
104 def __init__(self
, git_dir
=None, git_file
=None, worktree
=None, common_dir
=None):
105 if git_dir
and not is_git_dir(git_dir
):
107 self
.git_dir
= git_dir
108 self
.git_file
= git_file
109 self
.worktree
= worktree
110 self
.common_dir
= common_dir
114 ceiling
= core
.getenv('GIT_CEILING_DIRECTORIES')
116 ceiling_dirs
.update([x
for x
in ceiling
.split(':') if x
])
119 path
= core
.abspath(path
)
121 if not self
.git_dir
or not self
.worktree
:
122 # Search for a .git directory
124 if path
in ceiling_dirs
:
129 basename
= os
.path
.basename(path
)
130 if not self
.worktree
and basename
== '.git':
131 self
.worktree
= os
.path
.dirname(path
)
132 # We are either in a bare repository, or someone set GIT_DIR
133 # but did not set GIT_WORK_TREE.
135 if not self
.worktree
:
136 basename
= os
.path
.basename(self
.git_dir
)
137 if basename
== '.git':
138 self
.worktree
= os
.path
.dirname(self
.git_dir
)
139 elif path
and not is_git_dir(path
):
142 gitpath
= join(path
, '.git')
143 if is_git_dir(gitpath
):
145 self
.git_dir
= gitpath
146 if not self
.worktree
:
149 path
, dummy
= os
.path
.split(path
)
154 git_dir_path
= read_git_file(self
.git_dir
)
156 self
.git_file
= self
.git_dir
157 self
.git_dir
= git_dir_path
159 commondir_file
= join(git_dir_path
, 'commondir')
160 if core
.exists(commondir_file
):
161 common_path
= core
.read(commondir_file
).strip()
163 if os
.path
.isabs(common_path
):
164 common_dir
= common_path
166 common_dir
= join(git_dir_path
, common_path
)
167 common_dir
= os
.path
.normpath(common_dir
)
168 self
.common_dir
= common_dir
169 # usage: Paths().get()
173 def find_git_directory(path
):
174 """Perform Git repository discovery"""
176 git_dir
=core
.getenv('GIT_DIR'), worktree
=core
.getenv('GIT_WORK_TREE')
182 The Git class manages communication with the Git binary
188 self
._valid
= {} #: Store the result of is_git_dir() for performance
189 self
.set_worktree(core
.getcwd())
191 def is_git_repository(self
, path
):
192 return is_git_repository(path
)
195 """Return the working directory used by git()"""
196 return self
.paths
.worktree
or self
.paths
.git_dir
198 def set_worktree(self
, path
):
199 path
= core
.decode(path
)
200 self
.paths
= find_git_directory(path
)
201 return self
.paths
.worktree
204 if not self
.paths
.worktree
:
205 path
= core
.abspath(core
.getcwd())
206 self
.paths
= find_git_directory(path
)
207 return self
.paths
.worktree
210 """Is this a valid git repository?
212 Cache the result to avoid hitting the filesystem.
215 git_dir
= self
.paths
.git_dir
217 valid
= bool(git_dir
) and self
._valid
[git_dir
]
219 valid
= self
._valid
[git_dir
] = is_git_dir(git_dir
)
223 def git_path(self
, *paths
):
225 if self
.paths
.git_dir
:
226 result
= join(self
.paths
.git_dir
, *paths
)
227 if result
and self
.paths
.common_dir
and not core
.exists(result
):
228 common_result
= join(self
.paths
.common_dir
, *paths
)
229 if core
.exists(common_result
):
230 result
= common_result
234 if not self
.paths
.git_dir
:
235 path
= core
.abspath(core
.getcwd())
236 self
.paths
= find_git_directory(path
)
237 return self
.paths
.git_dir
239 def __getattr__(self
, name
):
240 git_cmd
= partial(self
.git
, name
)
241 setattr(self
, name
, git_cmd
)
252 _stderr
=subprocess
.PIPE
,
253 _stdout
=subprocess
.PIPE
,
255 _no_win32_startupinfo
=False,
258 Execute a command and returns its output
260 :param command: argument list to execute.
261 :param _cwd: working directory, defaults to the current directory.
262 :param _decode: whether to decode output, defaults to True.
263 :param _encoding: default encoding, defaults to None (utf-8).
264 :param _readonly: avoid taking the index lock. Assume the command is read-only.
265 :param _raw: do not strip trailing whitespace.
266 :param _stdin: optional stdin filehandle.
267 :returns (status, out, err): exit status, stdout, stderr
270 # Allow the user to have the command executed in their working dir.
276 if hasattr(os
, 'setsid'):
277 # SSH uses the SSH_ASKPASS variable only if the process is really
278 # detached from the TTY (stdin redirection and setting the
279 # SSH_ASKPASS environment variable is not enough). To detach a
280 # process from the console it should fork and call os.setsid().
281 extra
['preexec_fn'] = os
.setsid
283 start_time
= time
.time()
286 # Guard against thread-unsafe .git/index.lock files
288 _index_lock
.acquire() # pylint: disable=consider-using-with
290 status
, out
, err
= core
.run_command(
297 no_win32_startupinfo
=_no_win32_startupinfo
,
301 # Let the next thread in
303 _index_lock
.release()
305 end_time
= time
.time()
306 elapsed_time
= abs(end_time
- start_time
)
308 if not _raw
and out
is not None:
309 out
= core
.UStr(out
.rstrip('\n'), out
.encoding
)
311 cola_trace
= GIT_COLA_TRACE
312 if cola_trace
== 'trace':
313 msg
= 'trace: %.3fs: %s' % (elapsed_time
, core
.list2cmdline(command
))
314 Interaction
.log_status(status
, msg
, '')
315 elif cola_trace
== 'full':
318 "# %.3fs: %s -> %d: '%s' '%s'"
319 % (elapsed_time
, ' '.join(command
), status
, out
, err
)
323 '# %.3fs: %s -> %d' % (elapsed_time
, ' '.join(command
), status
)
326 core
.print_stderr('# %.3fs: %s' % (elapsed_time
, ' '.join(command
)))
328 # Allow access to the command's status code
329 return (status
, out
, err
)
331 def git(self
, cmd
, *args
, **kwargs
):
332 # Handle optional arguments prior to calling transform_kwargs
333 # otherwise they'll end up in args, which is bad.
334 _kwargs
= dict(_cwd
=self
.getcwd())
344 '_no_win32_startupinfo',
347 for kwarg
in execute_kwargs
:
349 _kwargs
[kwarg
] = kwargs
.pop(kwarg
)
351 # Prepare the argument list
355 'diff.suppressBlankEmpty=false',
357 'log.showSignature=false',
360 opt_args
= transform_kwargs(**kwargs
)
361 call
= git_args
+ opt_args
364 result
= self
.execute(call
, **_kwargs
)
365 except OSError as exc
:
366 if WIN32
and exc
.errno
== errno
.ENOENT
:
367 # see if git exists at all. on win32 it can fail with ENOENT in
368 # case of argv overflow. we should be safe from that but use
369 # defensive coding for the worst-case scenario. On UNIX
370 # we have ENAMETOOLONG but that doesn't exist on Windows.
371 if _git_is_installed():
373 _print_win32_git_hint()
374 result
= (1, '', "error: unable to execute '%s'" % GIT
)
378 def _git_is_installed():
379 """Return True if git is installed"""
380 # On win32 Git commands can fail with ENOENT in case of argv overflow. we
381 # should be safe from that but use defensive coding for the worst-case
382 # scenario. On UNIX we have ENAMETOOLONG but that doesn't exist on
385 status
, _
, _
= Git
.execute([GIT
, '--version'])
392 def transform_kwargs(**kwargs
):
393 """Transform kwargs into git command line options
395 Callers can assume the following behavior:
397 Passing foo=None ignores foo, so that callers can
398 use default values of None that are ignored unless
401 Passing foo=False ignore foo, for the same reason.
403 Passing foo={string-or-number} results in ['--foo=<value>']
404 in the resulting arguments.
408 types_to_stringify
= (ustr
, float, str) + int_types
410 for k
, value
in kwargs
.items():
417 # isinstance(False, int) is True, so we have to check bool first
418 if isinstance(value
, bool):
420 args
.append('%s%s' % (dashes
, dashify(k
)))
421 # else: pass # False is ignored; flag=False inhibits --flag
422 elif isinstance(value
, types_to_stringify
):
423 args
.append('%s%s%s%s' % (dashes
, dashify(k
), equals
, value
))
428 def win32_git_error_hint():
431 'NOTE: If you have Git installed in a custom location, e.g.\n'
432 'C:\\Tools\\Git, then you can create a file at\n'
433 '~/.config/git-cola/git-bindir with following text\n'
434 'and git-cola will add the specified location to your $PATH\n'
435 'automatically when starting cola:\n'
442 def _print_win32_git_hint():
443 hint
= '\n' + win32_git_error_hint() + '\n'
444 core
.print_stderr("error: unable to execute 'git'" + hint
)
448 """Create Git instances
451 >>> status, out, err = git.version()
452 >>> 'git' == out[:3].lower()