git_config.py 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714
  1. #
  2. # Copyright (C) 2008 The Android Open Source Project
  3. #
  4. # Licensed under the Apache License, Version 2.0 (the "License");
  5. # you may not use this file except in compliance with the License.
  6. # You may obtain a copy of the License at
  7. #
  8. # http://www.apache.org/licenses/LICENSE-2.0
  9. #
  10. # Unless required by applicable law or agreed to in writing, software
  11. # distributed under the License is distributed on an "AS IS" BASIS,
  12. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  13. # See the License for the specific language governing permissions and
  14. # limitations under the License.
  15. import cPickle
  16. import os
  17. import re
  18. import subprocess
  19. import sys
  20. try:
  21. import threading as _threading
  22. except ImportError:
  23. import dummy_threading as _threading
  24. import time
  25. import urllib2
  26. from signal import SIGTERM
  27. from urllib2 import urlopen, HTTPError
  28. from error import GitError, UploadError
  29. from trace import Trace
  30. from git_command import GitCommand
  31. from git_command import ssh_sock
  32. from git_command import terminate_ssh_clients
  33. R_HEADS = 'refs/heads/'
  34. R_TAGS = 'refs/tags/'
  35. ID_RE = re.compile('^[0-9a-f]{40}$')
  36. REVIEW_CACHE = dict()
  37. def IsId(rev):
  38. return ID_RE.match(rev)
  39. def _key(name):
  40. parts = name.split('.')
  41. if len(parts) < 2:
  42. return name.lower()
  43. parts[ 0] = parts[ 0].lower()
  44. parts[-1] = parts[-1].lower()
  45. return '.'.join(parts)
  46. class GitConfig(object):
  47. _ForUser = None
  48. @classmethod
  49. def ForUser(cls):
  50. if cls._ForUser is None:
  51. cls._ForUser = cls(file = os.path.expanduser('~/.gitconfig'))
  52. return cls._ForUser
  53. @classmethod
  54. def ForRepository(cls, gitdir, defaults=None):
  55. return cls(file = os.path.join(gitdir, 'config'),
  56. defaults = defaults)
  57. def __init__(self, file, defaults=None, pickleFile=None):
  58. self.file = file
  59. self.defaults = defaults
  60. self._cache_dict = None
  61. self._section_dict = None
  62. self._remotes = {}
  63. self._branches = {}
  64. if pickleFile is None:
  65. self._pickle = os.path.join(
  66. os.path.dirname(self.file),
  67. '.repopickle_' + os.path.basename(self.file))
  68. else:
  69. self._pickle = pickleFile
  70. def Has(self, name, include_defaults = True):
  71. """Return true if this configuration file has the key.
  72. """
  73. if _key(name) in self._cache:
  74. return True
  75. if include_defaults and self.defaults:
  76. return self.defaults.Has(name, include_defaults = True)
  77. return False
  78. def GetBoolean(self, name):
  79. """Returns a boolean from the configuration file.
  80. None : The value was not defined, or is not a boolean.
  81. True : The value was set to true or yes.
  82. False: The value was set to false or no.
  83. """
  84. v = self.GetString(name)
  85. if v is None:
  86. return None
  87. v = v.lower()
  88. if v in ('true', 'yes'):
  89. return True
  90. if v in ('false', 'no'):
  91. return False
  92. return None
  93. def GetString(self, name, all=False):
  94. """Get the first value for a key, or None if it is not defined.
  95. This configuration file is used first, if the key is not
  96. defined or all = True then the defaults are also searched.
  97. """
  98. try:
  99. v = self._cache[_key(name)]
  100. except KeyError:
  101. if self.defaults:
  102. return self.defaults.GetString(name, all = all)
  103. v = []
  104. if not all:
  105. if v:
  106. return v[0]
  107. return None
  108. r = []
  109. r.extend(v)
  110. if self.defaults:
  111. r.extend(self.defaults.GetString(name, all = True))
  112. return r
  113. def SetString(self, name, value):
  114. """Set the value(s) for a key.
  115. Only this configuration file is modified.
  116. The supplied value should be either a string,
  117. or a list of strings (to store multiple values).
  118. """
  119. key = _key(name)
  120. try:
  121. old = self._cache[key]
  122. except KeyError:
  123. old = []
  124. if value is None:
  125. if old:
  126. del self._cache[key]
  127. self._do('--unset-all', name)
  128. elif isinstance(value, list):
  129. if len(value) == 0:
  130. self.SetString(name, None)
  131. elif len(value) == 1:
  132. self.SetString(name, value[0])
  133. elif old != value:
  134. self._cache[key] = list(value)
  135. self._do('--replace-all', name, value[0])
  136. for i in xrange(1, len(value)):
  137. self._do('--add', name, value[i])
  138. elif len(old) != 1 or old[0] != value:
  139. self._cache[key] = [value]
  140. self._do('--replace-all', name, value)
  141. def GetRemote(self, name):
  142. """Get the remote.$name.* configuration values as an object.
  143. """
  144. try:
  145. r = self._remotes[name]
  146. except KeyError:
  147. r = Remote(self, name)
  148. self._remotes[r.name] = r
  149. return r
  150. def GetBranch(self, name):
  151. """Get the branch.$name.* configuration values as an object.
  152. """
  153. try:
  154. b = self._branches[name]
  155. except KeyError:
  156. b = Branch(self, name)
  157. self._branches[b.name] = b
  158. return b
  159. def GetSubSections(self, section):
  160. """List all subsection names matching $section.*.*
  161. """
  162. return self._sections.get(section, set())
  163. def HasSection(self, section, subsection = ''):
  164. """Does at least one key in section.subsection exist?
  165. """
  166. try:
  167. return subsection in self._sections[section]
  168. except KeyError:
  169. return False
  170. def UrlInsteadOf(self, url):
  171. """Resolve any url.*.insteadof references.
  172. """
  173. for new_url in self.GetSubSections('url'):
  174. old_url = self.GetString('url.%s.insteadof' % new_url)
  175. if old_url is not None and url.startswith(old_url):
  176. return new_url + url[len(old_url):]
  177. return url
  178. @property
  179. def _sections(self):
  180. d = self._section_dict
  181. if d is None:
  182. d = {}
  183. for name in self._cache.keys():
  184. p = name.split('.')
  185. if 2 == len(p):
  186. section = p[0]
  187. subsect = ''
  188. else:
  189. section = p[0]
  190. subsect = '.'.join(p[1:-1])
  191. if section not in d:
  192. d[section] = set()
  193. d[section].add(subsect)
  194. self._section_dict = d
  195. return d
  196. @property
  197. def _cache(self):
  198. if self._cache_dict is None:
  199. self._cache_dict = self._Read()
  200. return self._cache_dict
  201. def _Read(self):
  202. d = self._ReadPickle()
  203. if d is None:
  204. d = self._ReadGit()
  205. self._SavePickle(d)
  206. return d
  207. def _ReadPickle(self):
  208. try:
  209. if os.path.getmtime(self._pickle) \
  210. <= os.path.getmtime(self.file):
  211. os.remove(self._pickle)
  212. return None
  213. except OSError:
  214. return None
  215. try:
  216. Trace(': unpickle %s', self.file)
  217. fd = open(self._pickle, 'rb')
  218. try:
  219. return cPickle.load(fd)
  220. finally:
  221. fd.close()
  222. except EOFError:
  223. os.remove(self._pickle)
  224. return None
  225. except IOError:
  226. os.remove(self._pickle)
  227. return None
  228. except cPickle.PickleError:
  229. os.remove(self._pickle)
  230. return None
  231. def _SavePickle(self, cache):
  232. try:
  233. fd = open(self._pickle, 'wb')
  234. try:
  235. cPickle.dump(cache, fd, cPickle.HIGHEST_PROTOCOL)
  236. finally:
  237. fd.close()
  238. except IOError:
  239. if os.path.exists(self._pickle):
  240. os.remove(self._pickle)
  241. except cPickle.PickleError:
  242. if os.path.exists(self._pickle):
  243. os.remove(self._pickle)
  244. def _ReadGit(self):
  245. """
  246. Read configuration data from git.
  247. This internal method populates the GitConfig cache.
  248. """
  249. c = {}
  250. d = self._do('--null', '--list')
  251. if d is None:
  252. return c
  253. for line in d.rstrip('\0').split('\0'):
  254. if '\n' in line:
  255. key, val = line.split('\n', 1)
  256. else:
  257. key = line
  258. val = None
  259. if key in c:
  260. c[key].append(val)
  261. else:
  262. c[key] = [val]
  263. return c
  264. def _do(self, *args):
  265. command = ['config', '--file', self.file]
  266. command.extend(args)
  267. p = GitCommand(None,
  268. command,
  269. capture_stdout = True,
  270. capture_stderr = True)
  271. if p.Wait() == 0:
  272. return p.stdout
  273. else:
  274. GitError('git config %s: %s' % (str(args), p.stderr))
  275. class RefSpec(object):
  276. """A Git refspec line, split into its components:
  277. forced: True if the line starts with '+'
  278. src: Left side of the line
  279. dst: Right side of the line
  280. """
  281. @classmethod
  282. def FromString(cls, rs):
  283. lhs, rhs = rs.split(':', 2)
  284. if lhs.startswith('+'):
  285. lhs = lhs[1:]
  286. forced = True
  287. else:
  288. forced = False
  289. return cls(forced, lhs, rhs)
  290. def __init__(self, forced, lhs, rhs):
  291. self.forced = forced
  292. self.src = lhs
  293. self.dst = rhs
  294. def SourceMatches(self, rev):
  295. if self.src:
  296. if rev == self.src:
  297. return True
  298. if self.src.endswith('/*') and rev.startswith(self.src[:-1]):
  299. return True
  300. return False
  301. def DestMatches(self, ref):
  302. if self.dst:
  303. if ref == self.dst:
  304. return True
  305. if self.dst.endswith('/*') and ref.startswith(self.dst[:-1]):
  306. return True
  307. return False
  308. def MapSource(self, rev):
  309. if self.src.endswith('/*'):
  310. return self.dst[:-1] + rev[len(self.src) - 1:]
  311. return self.dst
  312. def __str__(self):
  313. s = ''
  314. if self.forced:
  315. s += '+'
  316. if self.src:
  317. s += self.src
  318. if self.dst:
  319. s += ':'
  320. s += self.dst
  321. return s
  322. _master_processes = []
  323. _master_keys = set()
  324. _ssh_master = True
  325. _master_keys_lock = None
  326. def init_ssh():
  327. """Should be called once at the start of repo to init ssh master handling.
  328. At the moment, all we do is to create our lock.
  329. """
  330. global _master_keys_lock
  331. assert _master_keys_lock is None, "Should only call init_ssh once"
  332. _master_keys_lock = _threading.Lock()
  333. def _open_ssh(host, port=None):
  334. global _ssh_master
  335. # Acquire the lock. This is needed to prevent opening multiple masters for
  336. # the same host when we're running "repo sync -jN" (for N > 1) _and_ the
  337. # manifest <remote fetch="ssh://xyz"> specifies a different host from the
  338. # one that was passed to repo init.
  339. _master_keys_lock.acquire()
  340. try:
  341. # Check to see whether we already think that the master is running; if we
  342. # think it's already running, return right away.
  343. if port is not None:
  344. key = '%s:%s' % (host, port)
  345. else:
  346. key = host
  347. if key in _master_keys:
  348. return True
  349. if not _ssh_master \
  350. or 'GIT_SSH' in os.environ \
  351. or sys.platform in ('win32', 'cygwin'):
  352. # failed earlier, or cygwin ssh can't do this
  353. #
  354. return False
  355. # We will make two calls to ssh; this is the common part of both calls.
  356. command_base = ['ssh',
  357. '-o','ControlPath %s' % ssh_sock(),
  358. host]
  359. if port is not None:
  360. command_base[1:1] = ['-p',str(port)]
  361. # Since the key wasn't in _master_keys, we think that master isn't running.
  362. # ...but before actually starting a master, we'll double-check. This can
  363. # be important because we can't tell that that 'git@myhost.com' is the same
  364. # as 'myhost.com' where "User git" is setup in the user's ~/.ssh/config file.
  365. check_command = command_base + ['-O','check']
  366. try:
  367. Trace(': %s', ' '.join(check_command))
  368. check_process = subprocess.Popen(check_command,
  369. stdout=subprocess.PIPE,
  370. stderr=subprocess.PIPE)
  371. check_process.communicate() # read output, but ignore it...
  372. isnt_running = check_process.wait()
  373. if not isnt_running:
  374. # Our double-check found that the master _was_ infact running. Add to
  375. # the list of keys.
  376. _master_keys.add(key)
  377. return True
  378. except Exception:
  379. # Ignore excpetions. We we will fall back to the normal command and print
  380. # to the log there.
  381. pass
  382. command = command_base[:1] + \
  383. ['-M', '-N'] + \
  384. command_base[1:]
  385. try:
  386. Trace(': %s', ' '.join(command))
  387. p = subprocess.Popen(command)
  388. except Exception, e:
  389. _ssh_master = False
  390. print >>sys.stderr, \
  391. '\nwarn: cannot enable ssh control master for %s:%s\n%s' \
  392. % (host,port, str(e))
  393. return False
  394. _master_processes.append(p)
  395. _master_keys.add(key)
  396. time.sleep(1)
  397. return True
  398. finally:
  399. _master_keys_lock.release()
  400. def close_ssh():
  401. global _master_keys_lock
  402. terminate_ssh_clients()
  403. for p in _master_processes:
  404. try:
  405. os.kill(p.pid, SIGTERM)
  406. p.wait()
  407. except OSError:
  408. pass
  409. del _master_processes[:]
  410. _master_keys.clear()
  411. d = ssh_sock(create=False)
  412. if d:
  413. try:
  414. os.rmdir(os.path.dirname(d))
  415. except OSError:
  416. pass
  417. # We're done with the lock, so we can delete it.
  418. _master_keys_lock = None
  419. URI_SCP = re.compile(r'^([^@:]*@?[^:/]{1,}):')
  420. URI_ALL = re.compile(r'^([a-z][a-z+]*)://([^@/]*@?[^/]*)/')
  421. def _preconnect(url):
  422. m = URI_ALL.match(url)
  423. if m:
  424. scheme = m.group(1)
  425. host = m.group(2)
  426. if ':' in host:
  427. host, port = host.split(':')
  428. else:
  429. port = None
  430. if scheme in ('ssh', 'git+ssh', 'ssh+git'):
  431. return _open_ssh(host, port)
  432. return False
  433. m = URI_SCP.match(url)
  434. if m:
  435. host = m.group(1)
  436. return _open_ssh(host)
  437. return False
  438. class Remote(object):
  439. """Configuration options related to a remote.
  440. """
  441. def __init__(self, config, name):
  442. self._config = config
  443. self.name = name
  444. self.url = self._Get('url')
  445. self.review = self._Get('review')
  446. self.projectname = self._Get('projectname')
  447. self.fetch = map(lambda x: RefSpec.FromString(x),
  448. self._Get('fetch', all=True))
  449. self._review_protocol = None
  450. def _InsteadOf(self):
  451. globCfg = GitConfig.ForUser()
  452. urlList = globCfg.GetSubSections('url')
  453. longest = ""
  454. longestUrl = ""
  455. for url in urlList:
  456. key = "url." + url + ".insteadOf"
  457. insteadOfList = globCfg.GetString(key, all=True)
  458. for insteadOf in insteadOfList:
  459. if self.url.startswith(insteadOf) \
  460. and len(insteadOf) > len(longest):
  461. longest = insteadOf
  462. longestUrl = url
  463. if len(longest) == 0:
  464. return self.url
  465. return self.url.replace(longest, longestUrl, 1)
  466. def PreConnectFetch(self):
  467. connectionUrl = self._InsteadOf()
  468. return _preconnect(connectionUrl)
  469. @property
  470. def ReviewProtocol(self):
  471. if self._review_protocol is None:
  472. if self.review is None:
  473. return None
  474. u = self.review
  475. if not u.startswith('http:') and not u.startswith('https:'):
  476. u = 'http://%s' % u
  477. if u.endswith('/Gerrit'):
  478. u = u[:len(u) - len('/Gerrit')]
  479. if not u.endswith('/ssh_info'):
  480. if not u.endswith('/'):
  481. u += '/'
  482. u += 'ssh_info'
  483. if u in REVIEW_CACHE:
  484. info = REVIEW_CACHE[u]
  485. self._review_protocol = info[0]
  486. self._review_host = info[1]
  487. self._review_port = info[2]
  488. else:
  489. try:
  490. info = urlopen(u).read()
  491. if info == 'NOT_AVAILABLE':
  492. raise UploadError('%s: SSH disabled' % self.review)
  493. if '<' in info:
  494. # Assume the server gave us some sort of HTML
  495. # response back, like maybe a login page.
  496. #
  497. raise UploadError('%s: Cannot parse response' % u)
  498. self._review_protocol = 'ssh'
  499. self._review_host = info.split(" ")[0]
  500. self._review_port = info.split(" ")[1]
  501. except urllib2.URLError, e:
  502. raise UploadError('%s: %s' % (self.review, e.reason[1]))
  503. except HTTPError, e:
  504. if e.code == 404:
  505. self._review_protocol = 'http-post'
  506. self._review_host = None
  507. self._review_port = None
  508. else:
  509. raise UploadError('Upload over ssh unavailable')
  510. REVIEW_CACHE[u] = (
  511. self._review_protocol,
  512. self._review_host,
  513. self._review_port)
  514. return self._review_protocol
  515. def SshReviewUrl(self, userEmail):
  516. if self.ReviewProtocol != 'ssh':
  517. return None
  518. username = self._config.GetString('review.%s.username' % self.review)
  519. if username is None:
  520. username = userEmail.split("@")[0]
  521. return 'ssh://%s@%s:%s/%s' % (
  522. username,
  523. self._review_host,
  524. self._review_port,
  525. self.projectname)
  526. def ToLocal(self, rev):
  527. """Convert a remote revision string to something we have locally.
  528. """
  529. if IsId(rev):
  530. return rev
  531. if rev.startswith(R_TAGS):
  532. return rev
  533. if not rev.startswith('refs/'):
  534. rev = R_HEADS + rev
  535. for spec in self.fetch:
  536. if spec.SourceMatches(rev):
  537. return spec.MapSource(rev)
  538. raise GitError('remote %s does not have %s' % (self.name, rev))
  539. def WritesTo(self, ref):
  540. """True if the remote stores to the tracking ref.
  541. """
  542. for spec in self.fetch:
  543. if spec.DestMatches(ref):
  544. return True
  545. return False
  546. def ResetFetch(self, mirror=False):
  547. """Set the fetch refspec to its default value.
  548. """
  549. if mirror:
  550. dst = 'refs/heads/*'
  551. else:
  552. dst = 'refs/remotes/%s/*' % self.name
  553. self.fetch = [RefSpec(True, 'refs/heads/*', dst)]
  554. def Save(self):
  555. """Save this remote to the configuration.
  556. """
  557. self._Set('url', self.url)
  558. self._Set('review', self.review)
  559. self._Set('projectname', self.projectname)
  560. self._Set('fetch', map(lambda x: str(x), self.fetch))
  561. def _Set(self, key, value):
  562. key = 'remote.%s.%s' % (self.name, key)
  563. return self._config.SetString(key, value)
  564. def _Get(self, key, all=False):
  565. key = 'remote.%s.%s' % (self.name, key)
  566. return self._config.GetString(key, all = all)
  567. class Branch(object):
  568. """Configuration options related to a single branch.
  569. """
  570. def __init__(self, config, name):
  571. self._config = config
  572. self.name = name
  573. self.merge = self._Get('merge')
  574. r = self._Get('remote')
  575. if r:
  576. self.remote = self._config.GetRemote(r)
  577. else:
  578. self.remote = None
  579. @property
  580. def LocalMerge(self):
  581. """Convert the merge spec to a local name.
  582. """
  583. if self.remote and self.merge:
  584. return self.remote.ToLocal(self.merge)
  585. return None
  586. def Save(self):
  587. """Save this branch back into the configuration.
  588. """
  589. if self._config.HasSection('branch', self.name):
  590. if self.remote:
  591. self._Set('remote', self.remote.name)
  592. else:
  593. self._Set('remote', None)
  594. self._Set('merge', self.merge)
  595. else:
  596. fd = open(self._config.file, 'ab')
  597. try:
  598. fd.write('[branch "%s"]\n' % self.name)
  599. if self.remote:
  600. fd.write('\tremote = %s\n' % self.remote.name)
  601. if self.merge:
  602. fd.write('\tmerge = %s\n' % self.merge)
  603. finally:
  604. fd.close()
  605. def _Set(self, key, value):
  606. key = 'branch.%s.%s' % (self.name, key)
  607. return self._config.SetString(key, value)
  608. def _Get(self, key, all=False):
  609. key = 'branch.%s.%s' % (self.name, key)
  610. return self._config.GetString(key, all = all)