1 from __future__
import division
, absolute_import
, unicode_literals
2 from binascii
import unhexlify
6 from os
.path
import join
11 from . import observable
13 from .compat
import int_types
14 from .git
import STDOUT
15 from .compat
import ustr
17 BUILTIN_READER
= os
.environ
.get('GIT_COLA_BUILTIN_CONFIG_READER', False)
19 _USER_CONFIG
= core
.expanduser(join('~', '.gitconfig'))
20 _USER_XDG_CONFIG
= core
.expanduser(
21 join(core
.getenv('XDG_CONFIG_HOME', join('~', '.config')), 'git', 'config')
26 """Create GitConfig instances"""
27 return GitConfig(context
)
31 # Try /etc/gitconfig as a fallback for the system config
33 ('system', '/etc/gitconfig'),
34 ('user', _USER_XDG_CONFIG
),
35 ('user', _USER_CONFIG
),
37 config
= git
.git_path('config')
39 paths
.append(('repo', config
))
42 for category
, path
in paths
:
44 statinfo
.append((category
, path
, core
.stat(path
).st_mtime
))
51 # Try /etc/gitconfig as a fallback for the system config
57 config
= git
.git_path('config')
64 mtimes
.append(core
.stat(path
).st_mtime
)
70 def _config_to_python(v
):
71 """Convert a Git config string into a Python value"""
73 if v
in ('true', 'yes'):
75 elif v
in ('false', 'no'):
86 """Convert a value (int or hex string) into bytes"""
87 if isinstance(value
, int_types
):
88 # If the value is an integer then it's a value that was converted
89 # by the config reader. Zero-pad it into a 6-digit hex number.
90 value
= '%06d' % value
91 return unhexlify(core
.encode(value
.lstrip('#')))
94 def _config_key_value(line
, splitchar
):
95 """Split a config line into a (key, value) pair"""
98 k
, v
= line
.split(splitchar
, 1)
100 # the user has an empty entry in their git config,
101 # which Git interprets as meaning "true"
104 return k
, _config_to_python(v
)
107 class GitConfig(observable
.Observable
):
108 """Encapsulate access to git-config values."""
110 message_user_config_changed
= 'user_config_changed'
111 message_repo_config_changed
= 'repo_config_changed'
112 message_updated
= 'updated'
114 def __init__(self
, context
):
115 observable
.Observable
.__init
__(self
)
116 self
.git
= context
.git
120 self
._user
_or
_system
= {}
123 self
._cache
_key
= None
125 self
._config
_files
= {}
126 self
._attr
_cache
= {}
127 self
._find
_config
_files
()
130 self
._cache
_key
= None
132 self
._config
_files
.clear()
133 self
._attr
_cache
= {}
134 self
._find
_config
_files
()
137 def reset_values(self
):
141 self
._user
_or
_system
.clear()
146 return copy
.deepcopy(self
._user
)
149 return copy
.deepcopy(self
._repo
)
152 return copy
.deepcopy(self
._all
)
154 def _find_config_files(self
):
156 Classify git config files into 'system', 'user', and 'repo'.
158 Populates self._configs with a list of the files in
159 reverse-precedence order. self._config_files is populated with
160 {category: path} where category is one of 'system', 'user', or 'repo'.
163 # Try the git config in git's installation prefix
164 statinfo
= _stat_info(self
.git
)
165 self
._configs
= [x
[1] for x
in statinfo
]
166 self
._config
_files
= {}
167 for (cat
, path
, _
) in statinfo
:
168 self
._config
_files
[cat
] = path
172 Return True when the cache matches.
174 Updates the cache and returns False when the cache does not match.
177 cache_key
= _cache_key(self
.git
)
178 if self
._cache
_key
is None or cache_key
!= self
._cache
_key
:
179 self
._cache
_key
= cache_key
184 """Read git config value into the system, user and repo dicts."""
190 if 'system' in self
._config
_files
:
191 self
._system
.update(self
.read_config(self
._config
_files
['system']))
193 if 'user' in self
._config
_files
:
194 self
._user
.update(self
.read_config(self
._config
_files
['user']))
196 if 'repo' in self
._config
_files
:
197 self
._repo
.update(self
.read_config(self
._config
_files
['repo']))
199 for dct
in (self
._system
, self
._user
):
200 self
._user
_or
_system
.update(dct
)
202 for dct
in (self
._system
, self
._user
, self
._repo
):
203 self
._all
.update(dct
)
205 self
.notify_observers(self
.message_updated
)
207 def read_config(self
, path
):
208 """Return git config data from a path as a dictionary."""
211 return self
._read
_config
_file
(path
)
214 args
= ('--null', '--file', path
, '--list')
215 config_lines
= self
.git
.config(*args
)[STDOUT
].split('\0')
216 for line
in config_lines
:
218 # the user has an invalid entry in their git config
220 k
, v
= _config_key_value(line
, '\n')
221 self
._map
[k
.lower()] = k
225 def _read_config_file(self
, path
):
226 """Read a .gitconfig file into a dict"""
229 header_simple
= re
.compile(r
'^\[(\s+)]$')
230 header_subkey
= re
.compile(r
'^\[(\s+) "(\s+)"\]$')
232 with core
.xopen(path
, 'rt') as f
:
233 file_lines
= f
.readlines()
235 stripped_lines
= [line
.strip() for line
in file_lines
]
236 lines
= [line
for line
in stripped_lines
if bool(line
)]
239 if line
.startswith('#'):
242 match
= header_simple
.match(line
)
244 prefix
= match
.group(1) + '.'
246 match
= header_subkey
.match(line
)
248 prefix
= match
.group(1) + '.' + match
.group(2) + '.'
251 k
, v
= _config_key_value(line
, '=')
253 self
._map
[k
.lower()] = k
258 def _get(self
, src
, key
, default
, fn
=None, cached
=True):
259 if not cached
or not src
:
262 value
= self
._get
_with
_fallback
(src
, key
)
270 def _get_with_fallback(self
, src
, key
):
275 key
= self
._map
.get(key
.lower(), key
)
280 # Allow the final KeyError to bubble up
281 return src
[key
.lower()]
283 def get(self
, key
, default
=None, fn
=None, cached
=True):
284 """Return the string value for a config key."""
285 return self
._get
(self
._all
, key
, default
, fn
=fn
, cached
=cached
)
287 def get_all(self
, key
):
288 """Return all values for a key sorted in priority order
290 The purpose of this function is to group the values returned by
291 `git config --show-origin --get-all` so that the relative order is
292 preserved but can still be overridden at each level.
294 One use case is the `cola.icontheme` variable, which is an ordered
295 list of icon themes to load. This value can be set both in
296 ~/.gitconfig as well as .git/config, and we want to allow a
297 relative order to be defined in either file.
299 The problem is that git will read the system /etc/gitconfig,
300 global ~/.gitconfig, and then the local .git/config settings
301 and return them in that order, so we must post-process them to
302 get them in an order which makes sense for use for our values.
303 Otherwise, we cannot replace the order, or make a specific theme used
304 first, in our local .git/config since the native order returned by
305 git will always list the global config before the local one.
307 get_all() allows for this use case by gathering all of the per-config
308 values separately and then orders them according to the expected
309 local > global > system order.
313 status
, out
, _
= self
.git
.config(key
, z
=True, get_all
=True, show_origin
=True)
318 items
= [x
for x
in out
.rstrip(chr(0)).split(chr(0)) if x
]
319 for i
in range(len(items
) // 2):
320 source
= items
[i
* 2]
321 value
= items
[i
* 2 + 1]
322 if source
!= current_source
:
323 current_source
= source
325 partial_results
.append(current_result
)
326 current_result
.append(value
)
327 # Git's results are ordered System, Global, Local.
328 # Reverse the order here so that Local has the highest priority.
329 for partial_result
in reversed(partial_results
):
330 result
.extend(partial_result
)
334 def get_user(self
, key
, default
=None):
335 return self
._get
(self
._user
, key
, default
)
337 def get_repo(self
, key
, default
=None):
338 return self
._get
(self
._repo
, key
, default
)
340 def get_user_or_system(self
, key
, default
=None):
341 return self
._get
(self
._user
_or
_system
, key
, default
)
343 def set_user(self
, key
, value
):
344 if value
in (None, ''):
345 self
.git
.config('--global', key
, unset
=True)
347 self
.git
.config('--global', key
, python_to_git(value
))
349 msg
= self
.message_user_config_changed
350 self
.notify_observers(msg
, key
, value
)
352 def set_repo(self
, key
, value
):
353 if value
in (None, ''):
354 self
.git
.config(key
, unset
=True)
356 self
.git
.config(key
, python_to_git(value
))
358 msg
= self
.message_repo_config_changed
359 self
.notify_observers(msg
, key
, value
)
363 match
= fnmatch
.fnmatch
367 for key
, val
in self
._all
.items():
368 if match(key
.lower(), pat
):
373 """Return True when git-annex is enabled"""
374 return bool(self
.get('annex.uuid', default
=False))
376 def gui_encoding(self
):
377 return self
.get('gui.encoding', default
=None)
379 def is_per_file_attrs_enabled(self
):
381 'cola.fileattributes', fn
=lambda: os
.path
.exists('.gitattributes')
384 def file_encoding(self
, path
):
385 if not self
.is_per_file_attrs_enabled():
386 return self
.gui_encoding()
387 cache
= self
._attr
_cache
391 value
= cache
[path
] = self
._file
_encoding
(path
) or self
.gui_encoding()
394 def _file_encoding(self
, path
):
395 """Return the file encoding for a path"""
396 status
, out
, _
= self
.git
.check_attr('encoding', '--', path
)
399 header
= '%s: encoding: ' % path
400 if out
.startswith(header
):
401 encoding
= out
[len(header
) :].strip()
402 if encoding
not in ('unspecified', 'unset', 'set'):
406 def get_guitool_opts(self
, name
):
407 """Return the guitool.<name> namespace as a dict
409 The dict keys are simplified so that "guitool.$name.cmd" is accessible
413 prefix
= len('guitool.%s.' % name
)
414 guitools
= self
.find('guitool.%s.*' % name
)
415 return dict([(key
[prefix
:], value
) for (key
, value
) in guitools
.items()])
417 def get_guitool_names(self
):
418 guitools
= self
.find('guitool.*.cmd')
419 prefix
= len('guitool.')
421 return sorted([name
[prefix
:-suffix
] for (name
, _
) in guitools
.items()])
423 def get_guitool_names_and_shortcuts(self
):
424 """Return guitool names and their configured shortcut"""
425 names
= self
.get_guitool_names()
426 return [(name
, self
.get('guitool.%s.shortcut' % name
)) for name
in names
]
429 term
= self
.get('cola.terminal', default
=None)
431 # find a suitable default terminal
432 term
= 'xterm -e' # for mac osx
434 # Try to find Git's sh.exe directory in
435 # one of the typical locations
436 pf
= os
.environ
.get('ProgramFiles', 'C:\\Program Files')
437 pf32
= os
.environ
.get('ProgramFiles(x86)', 'C:\\Program Files (x86)')
438 pf64
= os
.environ
.get('ProgramW6432', 'C:\\Program Files')
440 for p
in [pf64
, pf32
, pf
, 'C:\\']:
441 candidate
= os
.path
.join(p
, 'Git\\bin\\sh.exe')
442 if os
.path
.isfile(candidate
):
446 candidates
= ('xfce4-terminal', 'konsole', 'gnome-terminal')
447 for basename
in candidates
:
448 if core
.exists('/usr/bin/%s' % basename
):
449 if basename
== 'gnome-terminal':
450 term
= '%s --' % basename
452 term
= '%s -e' % basename
456 def color(self
, key
, default
):
457 value
= self
.get('cola.color.%s' % key
, default
=default
)
458 struct_layout
= core
.encode('BBB')
460 r
, g
, b
= struct
.unpack(struct_layout
, unhex(value
))
461 except (struct
.error
, TypeError):
462 r
, g
, b
= struct
.unpack(struct_layout
, unhex(default
))
466 def python_to_git(value
):
467 if isinstance(value
, bool):
468 return 'true' if value
else 'false'
469 if isinstance(value
, int_types
):