1 from __future__
import division
, absolute_import
, unicode_literals
9 from os
.path
import join
12 from cola
.compat
import int_types
13 from cola
.compat
import ustr
14 from cola
.decorators
import memoize
15 from cola
.interaction
import Interaction
18 INDEX_LOCK
= threading
.Lock()
19 GIT_COLA_TRACE
= core
.getenv('GIT_COLA_TRACE', '')
26 return s
.replace('_', '-')
29 def is_git_dir(git_dir
):
30 """From git's setup.c:is_git_directory()."""
33 headref
= join(git_dir
, 'HEAD')
35 if (core
.isdir(git_dir
) and
36 (core
.isdir(join(git_dir
, 'objects')) and
37 core
.isdir(join(git_dir
, 'refs'))) or
38 (core
.isfile(join(git_dir
, 'gitdir')) and
39 core
.isfile(join(git_dir
, 'commondir')))):
41 result
= (core
.isfile(headref
) or
42 (core
.islink(headref
) and
43 core
.readlink(headref
).startswith('refs/')))
45 result
= is_git_file(git_dir
)
51 return core
.isfile(f
) and '.git' == os
.path
.basename(f
)
54 def is_git_worktree(d
):
55 return is_git_dir(join(d
, '.git'))
58 def read_git_file(path
):
59 """Read the path from a .git-file
61 `None` is returned when <path> is not a .git-file.
65 if path
and is_git_file(path
):
67 data
= core
.read(path
).strip()
68 if data
.startswith(header
):
69 result
= data
[len(header
):]
74 """Git repository paths of interest"""
76 def __init__(self
, git_dir
=None, git_file
=None, worktree
=None):
77 self
.git_dir
= git_dir
78 self
.git_file
= git_file
79 self
.worktree
= worktree
82 def find_git_directory(curpath
):
83 """Perform Git repository discovery
86 paths
= Paths(git_dir
=core
.getenv('GIT_DIR'),
87 worktree
=core
.getenv('GIT_WORKTREE'),
91 ceiling
= core
.getenv('GIT_CEILING_DIRECTORIES')
93 ceiling_dirs
.update([x
for x
in ceiling
.split(':') if x
])
95 if not paths
.git_dir
or not paths
.worktree
:
97 curpath
= core
.abspath(curpath
)
99 # Search for a .git directory
101 if curpath
in ceiling_dirs
:
103 if is_git_dir(curpath
):
104 paths
.git_dir
= curpath
105 if os
.path
.basename(curpath
) == '.git':
106 paths
.worktree
= os
.path
.dirname(curpath
)
108 gitpath
= join(curpath
, '.git')
109 if is_git_dir(gitpath
):
110 paths
.git_dir
= gitpath
111 paths
.worktree
= curpath
113 curpath
, dummy
= os
.path
.split(curpath
)
117 git_dir_path
= read_git_file(paths
.git_dir
)
119 paths
.git_file
= paths
.git_dir
120 paths
.git_dir
= git_dir_path
127 The Git class manages communication with the Git binary
132 self
._git
_cwd
= None #: The working directory used by execute()
133 self
._valid
= {} #: Store the result of is_git_dir() for performance
134 self
.set_worktree(core
.getcwd())
139 def _find_git_directory(self
, path
):
141 self
.paths
= find_git_directory(path
)
143 # Update the current directory for executing commands
144 if self
.paths
.worktree
:
145 self
._git
_cwd
= self
.paths
.worktree
146 elif self
.paths
.git_dir
:
147 self
._git
_cwd
= self
.paths
.git_dir
149 def set_worktree(self
, path
):
150 path
= core
.decode(path
)
151 self
._find
_git
_directory
(path
)
152 return self
.paths
.worktree
155 if not self
.paths
.worktree
:
156 path
= core
.abspath(core
.getcwd())
157 self
._find
_git
_directory
(path
)
158 return self
.paths
.worktree
161 """Is this a valid git repostiory?
163 Cache the result to avoid hitting the filesystem.
166 git_dir
= self
.paths
.git_dir
168 valid
= bool(git_dir
) and self
._valid
[git_dir
]
170 valid
= self
._valid
[git_dir
] = is_git_dir(git_dir
)
174 def git_path(self
, *paths
):
175 if self
.paths
.git_dir
:
176 result
= join(self
.paths
.git_dir
, *paths
)
182 if not self
.paths
.git_dir
:
183 path
= core
.abspath(core
.getcwd())
184 self
._find
_git
_directory
(path
)
185 return self
.paths
.git_dir
187 def __getattr__(self
, name
):
188 git_cmd
= functools
.partial(self
.git
, name
)
189 setattr(self
, name
, git_cmd
)
199 _stderr
=subprocess
.PIPE
,
200 _stdout
=subprocess
.PIPE
,
203 Execute a command and returns its output
205 :param command: argument list to execute.
206 :param _cwd: working directory, defaults to the current directory.
207 :param _decode: whether to decode output, defaults to True.
208 :param _encoding: default encoding, defaults to None (utf-8).
209 :param _raw: do not strip trailing whitespace.
210 :param _stdin: optional stdin filehandle.
211 :returns (status, out, err): exit status, stdout, stderr
214 # Allow the user to have the command executed in their working dir.
219 if sys
.platform
== 'win32':
220 # If git-cola is invoked on Windows using "start pythonw git-cola",
221 # a console window will briefly flash on the screen each time
222 # git-cola invokes git, which is very annoying. The code below
223 # prevents this by ensuring that any window will be hidden.
224 startupinfo
= subprocess
.STARTUPINFO()
225 startupinfo
.dwFlags
= subprocess
.STARTF_USESHOWWINDOW
226 startupinfo
.wShowWindow
= subprocess
.SW_HIDE
227 extra
['startupinfo'] = startupinfo
229 if hasattr(os
, 'setsid'):
230 # SSH uses the SSH_ASKPASS variable only if the process is really
231 # detached from the TTY (stdin redirection and setting the
232 # SSH_ASKPASS environment variable is not enough). To detach a
233 # process from the console it should fork and call os.setsid().
234 extra
['preexec_fn'] = os
.setsid
237 # Guard against thread-unsafe .git/index.lock files
240 status
, out
, err
= core
.run_command(
241 command
, cwd
=_cwd
, encoding
=_encoding
,
242 stdin
=_stdin
, stdout
=_stdout
, stderr
=_stderr
, **extra
)
243 # Let the next thread in
247 if not _raw
and out
is not None:
248 out
= out
.rstrip('\n')
250 cola_trace
= GIT_COLA_TRACE
251 if cola_trace
== 'trace':
252 msg
= 'trace: ' + core
.list2cmdline(command
)
253 Interaction
.log_status(status
, msg
, '')
254 elif cola_trace
== 'full':
256 core
.stderr("%s -> %d: '%s' '%s'" %
257 (' '.join(command
), status
, out
, err
))
259 core
.stderr("%s -> %d" % (' '.join(command
), status
))
261 core
.stderr(' '.join(command
))
263 # Allow access to the command's status code
264 return (status
, out
, err
)
266 def transform_kwargs(self
, **kwargs
):
267 """Transform kwargs into git command line options
269 Callers can assume the following behavior:
271 Passing foo=None ignores foo, so that callers can
272 use default values of None that are ignored unless
275 Passing foo=False ignore foo, for the same reason.
277 Passing foo={string-or-number} results in ['--foo=<value>']
278 in the resulting arguments.
282 types_to_stringify
= set((ustr
, float, str) + int_types
)
284 for k
, v
in kwargs
.items():
291 type_of_value
= type(v
)
293 args
.append('%s%s' % (dashes
, dashify(k
)))
294 elif type_of_value
in types_to_stringify
:
295 args
.append('%s%s%s%s' % (dashes
, dashify(k
), join
, v
))
299 def git(self
, cmd
, *args
, **kwargs
):
300 # Handle optional arguments prior to calling transform_kwargs
301 # otherwise they'll end up in args, which is bad.
302 _kwargs
= dict(_cwd
=self
._git
_cwd
)
313 for kwarg
in execute_kwargs
:
315 _kwargs
[kwarg
] = kwargs
.pop(kwarg
)
317 # Prepare the argument list
318 git_args
= ['git', '-c', 'diff.suppressBlankEmpty=false', dashify(cmd
)]
319 opt_args
= self
.transform_kwargs(**kwargs
)
320 call
= git_args
+ opt_args
323 return self
.execute(call
, **_kwargs
)
325 if e
.errno
!= errno
.ENOENT
:
327 core
.stderr("error: unable to execute 'git'\n"
328 "error: please ensure that 'git' is in your $PATH")
329 if sys
.platform
== 'win32':
330 _print_win32_git_hint()
334 def _print_win32_git_hint():
336 'hint: If you have Git installed in a custom location, e.g.\n'
337 'hint: C:\\Tools\\Git, then you can create a file at\n'
338 'hint: ~/.config/git-cola/git-bindir with following text\n'
339 'hint: and git-cola will add the specified location to your $PATH\n'
340 'hint: automatically when starting cola:\n'
342 'hint: C:\\Tools\\Git\\bin\n')
348 """Return the Git singleton"""
354 Git command singleton
356 >>> from cola.git import git
357 >>> from cola.git import STDOUT
358 >>> 'git' == git.version()[STDOUT][:3].lower()