utils.py 7.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216
  1. # utils.py -- Git compatibility utilities
  2. # Copyright (C) 2010 Google, Inc.
  3. #
  4. # This program is free software; you can redistribute it and/or
  5. # modify it under the terms of the GNU General Public License
  6. # as published by the Free Software Foundation; version 2
  7. # of the License or (at your option) any later version of
  8. # the License.
  9. #
  10. # This program is distributed in the hope that it will be useful,
  11. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  12. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  13. # GNU General Public License for more details.
  14. #
  15. # You should have received a copy of the GNU General Public License
  16. # along with this program; if not, write to the Free Software
  17. # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
  18. # MA 02110-1301, USA.
  19. """Utilities for interacting with cgit."""
  20. import errno
  21. import os
  22. import socket
  23. import subprocess
  24. import tempfile
  25. import time
  26. from dulwich.repo import Repo
  27. from dulwich.protocol import TCP_GIT_PORT
  28. from dulwich.tests import (
  29. TestCase,
  30. TestSkipped,
  31. )
  32. _DEFAULT_GIT = 'git'
  33. _VERSION_LEN = 4
  34. def git_version(git_path=_DEFAULT_GIT):
  35. """Attempt to determine the version of git currently installed.
  36. :param git_path: Path to the git executable; defaults to the version in
  37. the system path.
  38. :return: A tuple of ints of the form (major, minor, point, sub-point), or
  39. None if no git installation was found.
  40. """
  41. try:
  42. output = run_git_or_fail(['--version'], git_path=git_path)
  43. except OSError:
  44. return None
  45. version_prefix = 'git version '
  46. if not output.startswith(version_prefix):
  47. return None
  48. parts = output[len(version_prefix):].split('.')
  49. nums = []
  50. for part in parts:
  51. try:
  52. nums.append(int(part))
  53. except ValueError:
  54. break
  55. while len(nums) < _VERSION_LEN:
  56. nums.append(0)
  57. return tuple(nums[:_VERSION_LEN])
  58. def require_git_version(required_version, git_path=_DEFAULT_GIT):
  59. """Require git version >= version, or skip the calling test.
  60. :param required_version: A tuple of ints of the form (major, minor, point,
  61. sub-point); ommitted components default to 0.
  62. :param git_path: Path to the git executable; defaults to the version in
  63. the system path.
  64. :raise ValueError: if the required version tuple has too many parts.
  65. :raise TestSkipped: if no suitable git version was found at the given path.
  66. """
  67. found_version = git_version(git_path=git_path)
  68. if len(required_version) > _VERSION_LEN:
  69. raise ValueError('Invalid version tuple %s, expected %i parts' %
  70. (required_version, _VERSION_LEN))
  71. required_version = list(required_version)
  72. while len(found_version) < len(required_version):
  73. required_version.append(0)
  74. required_version = tuple(required_version)
  75. if found_version < required_version:
  76. required_version = '.'.join(map(str, required_version))
  77. found_version = '.'.join(map(str, found_version))
  78. raise TestSkipped('Test requires git >= %s, found %s' %
  79. (required_version, found_version))
  80. def run_git(args, git_path=_DEFAULT_GIT, input=None, capture_stdout=False,
  81. **popen_kwargs):
  82. """Run a git command.
  83. Input is piped from the input parameter and output is sent to the standard
  84. streams, unless capture_stdout is set.
  85. :param args: A list of args to the git command.
  86. :param git_path: Path to to the git executable.
  87. :param input: Input data to be sent to stdin.
  88. :param capture_stdout: Whether to capture and return stdout.
  89. :param popen_kwargs: Additional kwargs for subprocess.Popen;
  90. stdin/stdout args are ignored.
  91. :return: A tuple of (returncode, stdout contents). If capture_stdout is
  92. False, None will be returned as stdout contents.
  93. :raise OSError: if the git executable was not found.
  94. """
  95. args = [git_path] + args
  96. popen_kwargs['stdin'] = subprocess.PIPE
  97. if capture_stdout:
  98. popen_kwargs['stdout'] = subprocess.PIPE
  99. else:
  100. popen_kwargs.pop('stdout', None)
  101. p = subprocess.Popen(args, **popen_kwargs)
  102. stdout, stderr = p.communicate(input=input)
  103. return (p.returncode, stdout)
  104. def run_git_or_fail(args, git_path=_DEFAULT_GIT, input=None, **popen_kwargs):
  105. """Run a git command, capture stdout/stderr, and fail if git fails."""
  106. popen_kwargs['stderr'] = subprocess.STDOUT
  107. returncode, stdout = run_git(args, git_path=git_path, input=input,
  108. capture_stdout=True, **popen_kwargs)
  109. assert returncode == 0
  110. return stdout
  111. def import_repo_to_dir(name):
  112. """Import a repo from a fast-export file in a temporary directory.
  113. These are used rather than binary repos for compat tests because they are
  114. more compact an human-editable, and we already depend on git.
  115. :param name: The name of the repository export file, relative to
  116. dulwich/tests/data/repos.
  117. :returns: The path to the imported repository.
  118. """
  119. temp_dir = tempfile.mkdtemp()
  120. export_path = os.path.join(os.path.dirname(__file__), os.pardir, 'data',
  121. 'repos', name)
  122. temp_repo_dir = os.path.join(temp_dir, name)
  123. export_file = open(export_path, 'rb')
  124. run_git_or_fail(['init', '--quiet', '--bare', temp_repo_dir])
  125. run_git_or_fail(['fast-import'], input=export_file.read(),
  126. cwd=temp_repo_dir)
  127. export_file.close()
  128. return temp_repo_dir
  129. def import_repo(name):
  130. """Import a repo from a fast-export file in a temporary directory.
  131. :param name: The name of the repository export file, relative to
  132. dulwich/tests/data/repos.
  133. :returns: An initialized Repo object that lives in a temporary directory.
  134. """
  135. return Repo(import_repo_to_dir(name))
  136. def check_for_daemon(limit=10, delay=0.1, timeout=0.1, port=TCP_GIT_PORT):
  137. """Check for a running TCP daemon.
  138. Defaults to checking 10 times with a delay of 0.1 sec between tries.
  139. :param limit: Number of attempts before deciding no daemon is running.
  140. :param delay: Delay between connection attempts.
  141. :param timeout: Socket timeout for connection attempts.
  142. :param port: Port on which we expect the daemon to appear.
  143. :returns: A boolean, true if a daemon is running on the specified port,
  144. false if not.
  145. """
  146. for _ in xrange(limit):
  147. time.sleep(delay)
  148. s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
  149. s.settimeout(delay)
  150. try:
  151. s.connect(('localhost', port))
  152. s.close()
  153. return True
  154. except socket.error, e:
  155. if getattr(e, 'errno', False) and e.errno != errno.ECONNREFUSED:
  156. raise
  157. elif e.args[0] != errno.ECONNREFUSED:
  158. raise
  159. return False
  160. class CompatTestCase(TestCase):
  161. """Test case that requires git for compatibility checks.
  162. Subclasses can change the git version required by overriding
  163. min_git_version.
  164. """
  165. min_git_version = (1, 5, 0)
  166. def setUp(self):
  167. super(CompatTestCase, self).setUp()
  168. require_git_version(self.min_git_version)
  169. def assertReposEqual(self, repo1, repo2):
  170. self.assertEqual(repo1.get_refs(), repo2.get_refs())
  171. self.assertEqual(sorted(set(repo1.object_store)),
  172. sorted(set(repo2.object_store)))
  173. def assertReposNotEqual(self, repo1, repo2):
  174. refs1 = repo1.get_refs()
  175. objs1 = set(repo1.object_store)
  176. refs2 = repo2.get_refs()
  177. objs2 = set(repo2.object_store)
  178. self.assertFalse(refs1 == refs2 and objs1 == objs2)