utils.py 12 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360
  1. # utils.py -- Test utilities for Dulwich.
  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. """Utility functions common to Dulwich tests."""
  20. import datetime
  21. import os
  22. import shutil
  23. import sys
  24. import tempfile
  25. import time
  26. import types
  27. import warnings
  28. from dulwich.index import (
  29. commit_tree,
  30. )
  31. from dulwich.objects import (
  32. FixedSha,
  33. Commit,
  34. Tag,
  35. object_class,
  36. )
  37. from dulwich.pack import (
  38. OFS_DELTA,
  39. REF_DELTA,
  40. DELTA_TYPES,
  41. obj_sha,
  42. SHA1Writer,
  43. write_pack_header,
  44. write_pack_object,
  45. create_delta,
  46. )
  47. from dulwich.repo import Repo
  48. from dulwich.tests import (
  49. SkipTest,
  50. skipIf,
  51. )
  52. # Plain files are very frequently used in tests, so let the mode be very short.
  53. F = 0o100644 # Shorthand mode for Files.
  54. def open_repo(name):
  55. """Open a copy of a repo in a temporary directory.
  56. Use this function for accessing repos in dulwich/tests/data/repos to avoid
  57. accidentally or intentionally modifying those repos in place. Use
  58. tear_down_repo to delete any temp files created.
  59. :param name: The name of the repository, relative to
  60. dulwich/tests/data/repos
  61. :returns: An initialized Repo object that lives in a temporary directory.
  62. """
  63. temp_dir = tempfile.mkdtemp()
  64. repo_dir = os.path.join(os.path.dirname(__file__), 'data', 'repos', name)
  65. temp_repo_dir = os.path.join(temp_dir, name)
  66. shutil.copytree(repo_dir, temp_repo_dir, symlinks=True)
  67. return Repo(temp_repo_dir)
  68. def tear_down_repo(repo):
  69. """Tear down a test repository."""
  70. temp_dir = os.path.dirname(repo.path.rstrip(os.sep))
  71. shutil.rmtree(temp_dir)
  72. def make_object(cls, **attrs):
  73. """Make an object for testing and assign some members.
  74. This method creates a new subclass to allow arbitrary attribute
  75. reassignment, which is not otherwise possible with objects having __slots__.
  76. :param attrs: dict of attributes to set on the new object.
  77. :return: A newly initialized object of type cls.
  78. """
  79. class TestObject(cls):
  80. """Class that inherits from the given class, but without __slots__.
  81. Note that classes with __slots__ can't have arbitrary attributes monkey-
  82. patched in, so this is a class that is exactly the same only with a
  83. __dict__ instead of __slots__.
  84. """
  85. pass
  86. TestObject.__name__ = 'TestObject_' + cls.__name__
  87. obj = TestObject()
  88. for name, value in attrs.items():
  89. if name == 'id':
  90. # id property is read-only, so we overwrite sha instead.
  91. sha = FixedSha(value)
  92. obj.sha = lambda: sha
  93. else:
  94. setattr(obj, name, value)
  95. return obj
  96. def make_commit(**attrs):
  97. """Make a Commit object with a default set of members.
  98. :param attrs: dict of attributes to overwrite from the default values.
  99. :return: A newly initialized Commit object.
  100. """
  101. default_time = int(time.mktime(datetime.datetime(2010, 1, 1).timetuple()))
  102. all_attrs = {'author': b'Test Author <test@nodomain.com>',
  103. 'author_time': default_time,
  104. 'author_timezone': 0,
  105. 'committer': b'Test Committer <test@nodomain.com>',
  106. 'commit_time': default_time,
  107. 'commit_timezone': 0,
  108. 'message': b'Test message.',
  109. 'parents': [],
  110. 'tree': b'0' * 40}
  111. all_attrs.update(attrs)
  112. return make_object(Commit, **all_attrs)
  113. def make_tag(target, **attrs):
  114. """Make a Tag object with a default set of values.
  115. :param target: object to be tagged (Commit, Blob, Tree, etc)
  116. :param attrs: dict of attributes to overwrite from the default values.
  117. :return: A newly initialized Tag object.
  118. """
  119. target_id = target.id
  120. target_type = object_class(target.type_name)
  121. default_time = int(time.mktime(datetime.datetime(2010, 1, 1).timetuple()))
  122. all_attrs = {'tagger': 'Test Author <test@nodomain.com>',
  123. 'tag_time': default_time,
  124. 'tag_timezone': 0,
  125. 'message': 'Test message.',
  126. 'object': (target_type, target_id),
  127. 'name': 'Test Tag',
  128. }
  129. all_attrs.update(attrs)
  130. return make_object(Tag, **all_attrs)
  131. def functest_builder(method, func):
  132. """Generate a test method that tests the given function."""
  133. def do_test(self):
  134. method(self, func)
  135. return do_test
  136. def ext_functest_builder(method, func):
  137. """Generate a test method that tests the given extension function.
  138. This is intended to generate test methods that test both a pure-Python
  139. version and an extension version using common test code. The extension test
  140. will raise SkipTest if the extension is not found.
  141. Sample usage:
  142. class MyTest(TestCase);
  143. def _do_some_test(self, func_impl):
  144. self.assertEqual('foo', func_impl())
  145. test_foo = functest_builder(_do_some_test, foo_py)
  146. test_foo_extension = ext_functest_builder(_do_some_test, _foo_c)
  147. :param method: The method to run. It must must two parameters, self and the
  148. function implementation to test.
  149. :param func: The function implementation to pass to method.
  150. """
  151. def do_test(self):
  152. if not isinstance(func, types.BuiltinFunctionType):
  153. raise SkipTest("%s extension not found" % func)
  154. method(self, func)
  155. return do_test
  156. def build_pack(f, objects_spec, store=None):
  157. """Write test pack data from a concise spec.
  158. :param f: A file-like object to write the pack to.
  159. :param objects_spec: A list of (type_num, obj). For non-delta types, obj
  160. is the string of that object's data.
  161. For delta types, obj is a tuple of (base, data), where:
  162. * base can be either an index in objects_spec of the base for that
  163. * delta; or for a ref delta, a SHA, in which case the resulting pack
  164. * will be thin and the base will be an external ref.
  165. * data is a string of the full, non-deltified data for that object.
  166. Note that offsets/refs and deltas are computed within this function.
  167. :param store: An optional ObjectStore for looking up external refs.
  168. :return: A list of tuples in the order specified by objects_spec:
  169. (offset, type num, data, sha, CRC32)
  170. """
  171. sf = SHA1Writer(f)
  172. num_objects = len(objects_spec)
  173. write_pack_header(sf, num_objects)
  174. full_objects = {}
  175. offsets = {}
  176. crc32s = {}
  177. while len(full_objects) < num_objects:
  178. for i, (type_num, data) in enumerate(objects_spec):
  179. if type_num not in DELTA_TYPES:
  180. full_objects[i] = (type_num, data,
  181. obj_sha(type_num, [data]))
  182. continue
  183. base, data = data
  184. if isinstance(base, int):
  185. if base not in full_objects:
  186. continue
  187. base_type_num, _, _ = full_objects[base]
  188. else:
  189. base_type_num, _ = store.get_raw(base)
  190. full_objects[i] = (base_type_num, data,
  191. obj_sha(base_type_num, [data]))
  192. for i, (type_num, obj) in enumerate(objects_spec):
  193. offset = f.tell()
  194. if type_num == OFS_DELTA:
  195. base_index, data = obj
  196. base = offset - offsets[base_index]
  197. _, base_data, _ = full_objects[base_index]
  198. obj = (base, create_delta(base_data, data))
  199. elif type_num == REF_DELTA:
  200. base_ref, data = obj
  201. if isinstance(base_ref, int):
  202. _, base_data, base = full_objects[base_ref]
  203. else:
  204. base_type_num, base_data = store.get_raw(base_ref)
  205. base = obj_sha(base_type_num, base_data)
  206. obj = (base, create_delta(base_data, data))
  207. crc32 = write_pack_object(sf, type_num, obj)
  208. offsets[i] = offset
  209. crc32s[i] = crc32
  210. expected = []
  211. for i in range(num_objects):
  212. type_num, data, sha = full_objects[i]
  213. assert len(sha) == 20
  214. expected.append((offsets[i], type_num, data, sha, crc32s[i]))
  215. sf.write_sha()
  216. f.seek(0)
  217. return expected
  218. def build_commit_graph(object_store, commit_spec, trees=None, attrs=None):
  219. """Build a commit graph from a concise specification.
  220. Sample usage:
  221. >>> c1, c2, c3 = build_commit_graph(store, [[1], [2, 1], [3, 1, 2]])
  222. >>> store[store[c3].parents[0]] == c1
  223. True
  224. >>> store[store[c3].parents[1]] == c2
  225. True
  226. If not otherwise specified, commits will refer to the empty tree and have
  227. commit times increasing in the same order as the commit spec.
  228. :param object_store: An ObjectStore to commit objects to.
  229. :param commit_spec: An iterable of iterables of ints defining the commit
  230. graph. Each entry defines one commit, and entries must be in topological
  231. order. The first element of each entry is a commit number, and the
  232. remaining elements are its parents. The commit numbers are only
  233. meaningful for the call to make_commits; since real commit objects are
  234. created, they will get created with real, opaque SHAs.
  235. :param trees: An optional dict of commit number -> tree spec for building
  236. trees for commits. The tree spec is an iterable of (path, blob, mode) or
  237. (path, blob) entries; if mode is omitted, it defaults to the normal file
  238. mode (0100644).
  239. :param attrs: A dict of commit number -> (dict of attribute -> value) for
  240. assigning additional values to the commits.
  241. :return: The list of commit objects created.
  242. :raise ValueError: If an undefined commit identifier is listed as a parent.
  243. """
  244. if trees is None:
  245. trees = {}
  246. if attrs is None:
  247. attrs = {}
  248. commit_time = 0
  249. nums = {}
  250. commits = []
  251. for commit in commit_spec:
  252. commit_num = commit[0]
  253. try:
  254. parent_ids = [nums[pn] for pn in commit[1:]]
  255. except KeyError as e:
  256. missing_parent, = e.args
  257. raise ValueError('Unknown parent %i' % missing_parent)
  258. blobs = []
  259. for entry in trees.get(commit_num, []):
  260. if len(entry) == 2:
  261. path, blob = entry
  262. entry = (path, blob, F)
  263. path, blob, mode = entry
  264. blobs.append((path, blob.id, mode))
  265. object_store.add_object(blob)
  266. tree_id = commit_tree(object_store, blobs)
  267. commit_attrs = {
  268. 'message': ('Commit %i' % commit_num).encode('ascii'),
  269. 'parents': parent_ids,
  270. 'tree': tree_id,
  271. 'commit_time': commit_time,
  272. }
  273. commit_attrs.update(attrs.get(commit_num, {}))
  274. commit_obj = make_commit(**commit_attrs)
  275. # By default, increment the time by a lot. Out-of-order commits should
  276. # be closer together than this because their main cause is clock skew.
  277. commit_time = commit_attrs['commit_time'] + 100
  278. nums[commit_num] = commit_obj.id
  279. object_store.add_object(commit_obj)
  280. commits.append(commit_obj)
  281. return commits
  282. def setup_warning_catcher():
  283. """Wrap warnings.showwarning with code that records warnings."""
  284. caught_warnings = []
  285. original_showwarning = warnings.showwarning
  286. def custom_showwarning(*args, **kwargs):
  287. caught_warnings.append(args[0])
  288. warnings.showwarning = custom_showwarning
  289. def restore_showwarning():
  290. warnings.showwarning = original_showwarning
  291. return caught_warnings, restore_showwarning
  292. skipIfPY3 = skipIf(sys.version_info[0] == 3, "Feature not yet ported to python3.")