test_repository.py 31 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804
  1. # -*- coding: utf-8 -*-
  2. # test_repository.py -- tests for repository.py
  3. # Copyright (C) 2007 James Westby <jw+debian@jameswestby.net>
  4. #
  5. # This program is free software; you can redistribute it and/or
  6. # modify it under the terms of the GNU General Public License
  7. # as published by the Free Software Foundation; version 2
  8. # of the License or (at your option) any later version of
  9. # the License.
  10. #
  11. # This program is distributed in the hope that it will be useful,
  12. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  13. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  14. # GNU General Public License for more details.
  15. #
  16. # You should have received a copy of the GNU General Public License
  17. # along with this program; if not, write to the Free Software
  18. # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
  19. # MA 02110-1301, USA.
  20. """Tests for the repository."""
  21. import os
  22. import stat
  23. import shutil
  24. import sys
  25. import tempfile
  26. import warnings
  27. import sys
  28. from dulwich import errors
  29. from dulwich.object_store import (
  30. tree_lookup_path,
  31. )
  32. from dulwich import objects
  33. from dulwich.config import Config
  34. from dulwich.repo import (
  35. Repo,
  36. MemoryRepo,
  37. )
  38. from dulwich.tests import (
  39. TestCase,
  40. )
  41. from dulwich.tests.utils import (
  42. open_repo,
  43. tear_down_repo,
  44. setup_warning_catcher,
  45. )
  46. missing_sha = b'b91fa4d900e17e99b433218e988c4eb4a3e9a097'
  47. def mkdtemp_bytes():
  48. tmp_dir = tempfile.mkdtemp()
  49. if sys.version_info[0] > 2:
  50. tmp_dir = tmp_dir.encode(sys.getfilesystemencoding())
  51. return tmp_dir
  52. def mkdtemp_unicode():
  53. suffix = u'déłwíçh'
  54. if sys.version_info[0] == 2:
  55. suffix = suffix.encode(sys.getfilesystemencoding())
  56. tmp_dir = tempfile.mkdtemp(suffix=suffix)
  57. if sys.version_info[0] == 2:
  58. tmp_dir = tmp_dir.decode(sys.getfilesystemencoding())
  59. return tmp_dir
  60. class CreateRepositoryTests(TestCase):
  61. def assertFileContentsEqual(self, expected, repo, path):
  62. f = repo.get_named_file(path)
  63. if not f:
  64. self.assertEqual(expected, None)
  65. else:
  66. with f:
  67. self.assertEqual(expected, f.read())
  68. def _check_repo_contents(self, repo, expect_bare):
  69. self.assertEqual(expect_bare, repo.bare)
  70. self.assertFileContentsEqual(b'Unnamed repository', repo, b'description')
  71. self.assertFileContentsEqual(b'', repo, os.path.join(b'info', b'exclude'))
  72. self.assertFileContentsEqual(None, repo, b'nonexistent file')
  73. barestr = b'bare = ' + str(expect_bare).lower().encode('ascii')
  74. with repo.get_named_file(b'config') as f:
  75. config_text = f.read()
  76. self.assertTrue(barestr in config_text, "%r" % config_text)
  77. class CreateMemoryRepositoryTests(CreateRepositoryTests):
  78. def test_create_memory(self):
  79. repo = MemoryRepo.init_bare([], {})
  80. self._check_repo_contents(repo, True)
  81. class CreateRepositoryBytesRootTests(CreateRepositoryTests):
  82. def mkdtemp(self):
  83. tmp_dir = mkdtemp_bytes()
  84. return tmp_dir, tmp_dir
  85. def test_create_disk_bare(self):
  86. tmp_dir, tmp_dir_bytes = self.mkdtemp()
  87. self.addCleanup(shutil.rmtree, tmp_dir)
  88. repo = Repo.init_bare(tmp_dir)
  89. self.assertEqual(tmp_dir_bytes, repo._controldir)
  90. self._check_repo_contents(repo, True)
  91. def test_create_disk_non_bare(self):
  92. tmp_dir, tmp_dir_bytes = self.mkdtemp()
  93. self.addCleanup(shutil.rmtree, tmp_dir)
  94. repo = Repo.init(tmp_dir)
  95. self.assertEqual(os.path.join(tmp_dir_bytes, b'.git'), repo._controldir)
  96. self._check_repo_contents(repo, False)
  97. class CreateRepositoryUnicodeRootTests(CreateRepositoryBytesRootTests):
  98. def mktemp(self):
  99. tmp_dir = mkdtemp_unicode()
  100. tmp_dir_bytes = tmp_dir.encode(sys.getfilesystemencoding())
  101. return tmp_dir, tmp_dir_bytes
  102. class RepositoryBytesRootTests(TestCase):
  103. def setUp(self):
  104. super(RepositoryBytesRootTests, self).setUp()
  105. self._repo = None
  106. def tearDown(self):
  107. if self._repo is not None:
  108. tear_down_repo(self._repo)
  109. super(RepositoryBytesRootTests, self).tearDown()
  110. def mkdtemp(self):
  111. return mkdtemp_bytes()
  112. def open_repo(self, name):
  113. temp_dir = self.mkdtemp()
  114. return open_repo(name, temp_dir)
  115. def test_simple_props(self):
  116. r = self._repo = self.open_repo('a.git')
  117. self.assertEqual(r.controldir(), r._path_bytes)
  118. def test_setitem(self):
  119. r = self._repo = self.open_repo('a.git')
  120. r[b"refs/tags/foo"] = b'a90fa2d900a17e99b433217e988c4eb4a2e9a097'
  121. self.assertEqual(b'a90fa2d900a17e99b433217e988c4eb4a2e9a097',
  122. r[b"refs/tags/foo"].id)
  123. def test_getitem_unicode(self):
  124. r = self._repo = self.open_repo('a.git')
  125. test_keys = [
  126. (b'refs/heads/master', True),
  127. (b'a90fa2d900a17e99b433217e988c4eb4a2e9a097', True),
  128. (b'11' * 19 + b'--', False),
  129. ]
  130. for k, contained in test_keys:
  131. self.assertEqual(k in r, contained)
  132. for k, _ in test_keys:
  133. self.assertRaisesRegexp(
  134. TypeError, "'name' must be bytestring, not int",
  135. r.__getitem__, 12
  136. )
  137. def test_delitem(self):
  138. r = self._repo = self.open_repo('a.git')
  139. del r[b'refs/heads/master']
  140. self.assertRaises(KeyError, lambda: r[b'refs/heads/master'])
  141. del r[b'HEAD']
  142. self.assertRaises(KeyError, lambda: r[b'HEAD'])
  143. self.assertRaises(ValueError, r.__delitem__, b'notrefs/foo')
  144. def test_get_refs(self):
  145. r = self._repo = self.open_repo('a.git')
  146. self.assertEqual({
  147. b'HEAD': b'a90fa2d900a17e99b433217e988c4eb4a2e9a097',
  148. b'refs/heads/master': b'a90fa2d900a17e99b433217e988c4eb4a2e9a097',
  149. b'refs/tags/mytag': b'28237f4dc30d0d462658d6b937b08a0f0b6ef55a',
  150. b'refs/tags/mytag-packed': b'b0931cadc54336e78a1d980420e3268903b57a50',
  151. }, r.get_refs())
  152. def test_head(self):
  153. r = self._repo = self.open_repo('a.git')
  154. self.assertEqual(r.head(), b'a90fa2d900a17e99b433217e988c4eb4a2e9a097')
  155. def test_get_object(self):
  156. r = self._repo = self.open_repo('a.git')
  157. obj = r.get_object(r.head())
  158. self.assertEqual(obj.type_name, b'commit')
  159. def test_get_object_non_existant(self):
  160. r = self._repo = self.open_repo('a.git')
  161. self.assertRaises(KeyError, r.get_object, missing_sha)
  162. def test_contains_object(self):
  163. r = self._repo = self.open_repo('a.git')
  164. self.assertTrue(r.head() in r)
  165. def test_contains_ref(self):
  166. r = self._repo = self.open_repo('a.git')
  167. self.assertTrue(b"HEAD" in r)
  168. def test_get_no_description(self):
  169. r = self._repo = self.open_repo('a.git')
  170. self.assertIs(None, r.get_description())
  171. def test_get_description(self):
  172. r = self._repo = self.open_repo('a.git')
  173. with open(os.path.join(r.path, 'description'), 'wb') as f:
  174. f.write(b"Some description")
  175. self.assertEqual(b"Some description", r.get_description())
  176. def test_set_description(self):
  177. r = self._repo = self.open_repo('a.git')
  178. description = b"Some description"
  179. r.set_description(description)
  180. self.assertEqual(description, r.get_description())
  181. def test_contains_missing(self):
  182. r = self._repo = self.open_repo('a.git')
  183. self.assertFalse(b"bar" in r)
  184. def test_get_peeled(self):
  185. # unpacked ref
  186. r = self._repo = self.open_repo('a.git')
  187. tag_sha = b'28237f4dc30d0d462658d6b937b08a0f0b6ef55a'
  188. self.assertNotEqual(r[tag_sha].sha().hexdigest(), r.head())
  189. self.assertEqual(r.get_peeled(b'refs/tags/mytag'), r.head())
  190. # packed ref with cached peeled value
  191. packed_tag_sha = b'b0931cadc54336e78a1d980420e3268903b57a50'
  192. parent_sha = r[r.head()].parents[0]
  193. self.assertNotEqual(r[packed_tag_sha].sha().hexdigest(), parent_sha)
  194. self.assertEqual(r.get_peeled(b'refs/tags/mytag-packed'), parent_sha)
  195. # TODO: add more corner cases to test repo
  196. def test_get_peeled_not_tag(self):
  197. r = self._repo = self.open_repo('a.git')
  198. self.assertEqual(r.get_peeled(b'HEAD'), r.head())
  199. def test_get_walker(self):
  200. r = self._repo = self.open_repo('a.git')
  201. # include defaults to [r.head()]
  202. self.assertEqual([e.commit.id for e in r.get_walker()],
  203. [r.head(), b'2a72d929692c41d8554c07f6301757ba18a65d91'])
  204. self.assertEqual(
  205. [e.commit.id for e in r.get_walker([b'2a72d929692c41d8554c07f6301757ba18a65d91'])],
  206. [b'2a72d929692c41d8554c07f6301757ba18a65d91'])
  207. self.assertEqual(
  208. [e.commit.id for e in r.get_walker(b'2a72d929692c41d8554c07f6301757ba18a65d91')],
  209. [b'2a72d929692c41d8554c07f6301757ba18a65d91'])
  210. def test_clone(self):
  211. r = self._repo = self.open_repo('a.git')
  212. tmp_dir = self.mkdtemp()
  213. self.addCleanup(shutil.rmtree, tmp_dir)
  214. t = r.clone(tmp_dir, mkdir=False)
  215. self.assertEqual({
  216. b'HEAD': b'a90fa2d900a17e99b433217e988c4eb4a2e9a097',
  217. b'refs/remotes/origin/master':
  218. b'a90fa2d900a17e99b433217e988c4eb4a2e9a097',
  219. b'refs/heads/master': b'a90fa2d900a17e99b433217e988c4eb4a2e9a097',
  220. b'refs/tags/mytag': b'28237f4dc30d0d462658d6b937b08a0f0b6ef55a',
  221. b'refs/tags/mytag-packed':
  222. b'b0931cadc54336e78a1d980420e3268903b57a50',
  223. }, t.refs.as_dict())
  224. shas = [e.commit.id for e in r.get_walker()]
  225. self.assertEqual(shas, [t.head(),
  226. b'2a72d929692c41d8554c07f6301757ba18a65d91'])
  227. def test_clone_no_head(self):
  228. temp_dir = self.mkdtemp()
  229. if isinstance(temp_dir, bytes):
  230. temp_dir_str = temp_dir.decode(sys.getfilesystemencoding())
  231. else:
  232. temp_dir_str = temp_dir
  233. self.addCleanup(shutil.rmtree, temp_dir)
  234. repo_dir = os.path.join(os.path.dirname(__file__), 'data', 'repos')
  235. dest_dir = os.path.join(temp_dir_str, 'a.git')
  236. shutil.copytree(os.path.join(repo_dir, 'a.git'),
  237. dest_dir, symlinks=True)
  238. r = Repo(dest_dir)
  239. del r.refs[b"refs/heads/master"]
  240. del r.refs[b"HEAD"]
  241. t = r.clone(os.path.join(temp_dir_str, 'b.git'), mkdir=True)
  242. self.assertEqual({
  243. b'refs/tags/mytag': b'28237f4dc30d0d462658d6b937b08a0f0b6ef55a',
  244. b'refs/tags/mytag-packed':
  245. b'b0931cadc54336e78a1d980420e3268903b57a50',
  246. }, t.refs.as_dict())
  247. def test_clone_empty(self):
  248. """Test clone() doesn't crash if HEAD points to a non-existing ref.
  249. This simulates cloning server-side bare repository either when it is
  250. still empty or if user renames master branch and pushes private repo
  251. to the server.
  252. Non-bare repo HEAD always points to an existing ref.
  253. """
  254. r = self._repo = self.open_repo('empty.git')
  255. tmp_dir = self.mkdtemp()
  256. self.addCleanup(shutil.rmtree, tmp_dir)
  257. r.clone(tmp_dir, mkdir=False, bare=True)
  258. def test_merge_history(self):
  259. r = self._repo = self.open_repo('simple_merge.git')
  260. shas = [e.commit.id for e in r.get_walker()]
  261. self.assertEqual(shas, [b'5dac377bdded4c9aeb8dff595f0faeebcc8498cc',
  262. b'ab64bbdcc51b170d21588e5c5d391ee5c0c96dfd',
  263. b'4cffe90e0a41ad3f5190079d7c8f036bde29cbe6',
  264. b'60dacdc733de308bb77bb76ce0fb0f9b44c9769e',
  265. b'0d89f20333fbb1d2f3a94da77f4981373d8f4310'])
  266. def test_out_of_order_merge(self):
  267. """Test that revision history is ordered by date, not parent order."""
  268. r = self._repo = self.open_repo('ooo_merge.git')
  269. shas = [e.commit.id for e in r.get_walker()]
  270. self.assertEqual(shas, [b'7601d7f6231db6a57f7bbb79ee52e4d462fd44d1',
  271. b'f507291b64138b875c28e03469025b1ea20bc614',
  272. b'fb5b0425c7ce46959bec94d54b9a157645e114f5',
  273. b'f9e39b120c68182a4ba35349f832d0e4e61f485c'])
  274. def test_get_tags_empty(self):
  275. r = self._repo = self.open_repo('ooo_merge.git')
  276. self.assertEqual({}, r.refs.as_dict(b'refs/tags'))
  277. def test_get_config(self):
  278. r = self._repo = self.open_repo('ooo_merge.git')
  279. self.assertIsInstance(r.get_config(), Config)
  280. def test_get_config_stack(self):
  281. r = self._repo = self.open_repo('ooo_merge.git')
  282. self.assertIsInstance(r.get_config_stack(), Config)
  283. def test_submodule(self):
  284. temp_dir = self.mkdtemp()
  285. repo_dir = os.path.join(os.path.dirname(__file__), 'data', 'repos')
  286. if isinstance(temp_dir, bytes):
  287. temp_dir_str = temp_dir.decode(sys.getfilesystemencoding())
  288. else:
  289. temp_dir_str = temp_dir
  290. shutil.copytree(os.path.join(repo_dir, 'a.git'),
  291. os.path.join(temp_dir_str, 'a.git'), symlinks=True)
  292. rel = os.path.relpath(os.path.join(repo_dir, 'submodule'), temp_dir_str)
  293. os.symlink(os.path.join(rel, 'dotgit'), os.path.join(temp_dir_str, '.git'))
  294. r = Repo(temp_dir)
  295. self.assertEqual(r.head(), b'a90fa2d900a17e99b433217e988c4eb4a2e9a097')
  296. def test_common_revisions(self):
  297. """
  298. This test demonstrates that ``find_common_revisions()`` actually returns
  299. common heads, not revisions; dulwich already uses
  300. ``find_common_revisions()`` in such a manner (see
  301. ``Repo.fetch_objects()``).
  302. """
  303. expected_shas = set([b'60dacdc733de308bb77bb76ce0fb0f9b44c9769e'])
  304. # Source for objects.
  305. r_base = self.open_repo('simple_merge.git')
  306. # Re-create each-side of the merge in simple_merge.git.
  307. #
  308. # Since the trees and blobs are missing, the repository created is
  309. # corrupted, but we're only checking for commits for the purpose of this
  310. # test, so it's immaterial.
  311. r1_dir = self.mkdtemp()
  312. r1_commits = [b'ab64bbdcc51b170d21588e5c5d391ee5c0c96dfd', # HEAD
  313. b'60dacdc733de308bb77bb76ce0fb0f9b44c9769e',
  314. b'0d89f20333fbb1d2f3a94da77f4981373d8f4310']
  315. r2_dir = self.mkdtemp()
  316. r2_commits = [b'4cffe90e0a41ad3f5190079d7c8f036bde29cbe6', # HEAD
  317. b'60dacdc733de308bb77bb76ce0fb0f9b44c9769e',
  318. b'0d89f20333fbb1d2f3a94da77f4981373d8f4310']
  319. try:
  320. r1 = Repo.init_bare(r1_dir)
  321. for c in r1_commits:
  322. r1.object_store.add_object(r_base.get_object(c))
  323. r1.refs[b'HEAD'] = r1_commits[0]
  324. r2 = Repo.init_bare(r2_dir)
  325. for c in r2_commits:
  326. r2.object_store.add_object(r_base.get_object(c))
  327. r2.refs[b'HEAD'] = r2_commits[0]
  328. # Finally, the 'real' testing!
  329. shas = r2.object_store.find_common_revisions(r1.get_graph_walker())
  330. self.assertEqual(set(shas), expected_shas)
  331. shas = r1.object_store.find_common_revisions(r2.get_graph_walker())
  332. self.assertEqual(set(shas), expected_shas)
  333. finally:
  334. shutil.rmtree(r1_dir)
  335. shutil.rmtree(r2_dir)
  336. def test_shell_hook_pre_commit(self):
  337. if os.name != 'posix':
  338. self.skipTest('shell hook tests requires POSIX shell')
  339. pre_commit_fail = b"""#!/bin/sh
  340. exit 1
  341. """
  342. pre_commit_success = b"""#!/bin/sh
  343. exit 0
  344. """
  345. repo_dir = os.path.join(self.mkdtemp())
  346. r = Repo.init(repo_dir)
  347. self.addCleanup(shutil.rmtree, repo_dir)
  348. pre_commit = os.path.join(r.controldir(), b'hooks', b'pre-commit')
  349. with open(pre_commit, 'wb') as f:
  350. f.write(pre_commit_fail)
  351. os.chmod(pre_commit, stat.S_IREAD | stat.S_IWRITE | stat.S_IEXEC)
  352. self.assertRaises(errors.CommitError, r.do_commit, 'failed commit',
  353. committer='Test Committer <test@nodomain.com>',
  354. author='Test Author <test@nodomain.com>',
  355. commit_timestamp=12345, commit_timezone=0,
  356. author_timestamp=12345, author_timezone=0)
  357. with open(pre_commit, 'wb') as f:
  358. f.write(pre_commit_success)
  359. os.chmod(pre_commit, stat.S_IREAD | stat.S_IWRITE | stat.S_IEXEC)
  360. commit_sha = r.do_commit(
  361. b'empty commit',
  362. committer=b'Test Committer <test@nodomain.com>',
  363. author=b'Test Author <test@nodomain.com>',
  364. commit_timestamp=12395, commit_timezone=0,
  365. author_timestamp=12395, author_timezone=0)
  366. self.assertEqual([], r[commit_sha].parents)
  367. def test_shell_hook_commit_msg(self):
  368. if os.name != 'posix':
  369. self.skipTest('shell hook tests requires POSIX shell')
  370. commit_msg_fail = b"""#!/bin/sh
  371. exit 1
  372. """
  373. commit_msg_success = b"""#!/bin/sh
  374. exit 0
  375. """
  376. repo_dir = os.path.join(self.mkdtemp())
  377. r = Repo.init(repo_dir)
  378. self.addCleanup(shutil.rmtree, repo_dir)
  379. commit_msg = os.path.join(r.controldir(), b'hooks', b'commit-msg')
  380. with open(commit_msg, 'wb') as f:
  381. f.write(commit_msg_fail)
  382. os.chmod(commit_msg, stat.S_IREAD | stat.S_IWRITE | stat.S_IEXEC)
  383. self.assertRaises(errors.CommitError, r.do_commit, b'failed commit',
  384. committer=b'Test Committer <test@nodomain.com>',
  385. author=b'Test Author <test@nodomain.com>',
  386. commit_timestamp=12345, commit_timezone=0,
  387. author_timestamp=12345, author_timezone=0)
  388. with open(commit_msg, 'wb') as f:
  389. f.write(commit_msg_success)
  390. os.chmod(commit_msg, stat.S_IREAD | stat.S_IWRITE | stat.S_IEXEC)
  391. commit_sha = r.do_commit(
  392. b'empty commit',
  393. committer=b'Test Committer <test@nodomain.com>',
  394. author=b'Test Author <test@nodomain.com>',
  395. commit_timestamp=12395, commit_timezone=0,
  396. author_timestamp=12395, author_timezone=0)
  397. self.assertEqual([], r[commit_sha].parents)
  398. def test_shell_hook_post_commit(self):
  399. if os.name != 'posix':
  400. self.skipTest('shell hook tests requires POSIX shell')
  401. repo_dir = self.mkdtemp()
  402. if isinstance(repo_dir, bytes):
  403. repo_dir_str = repo_dir.decode(sys.getfilesystemencoding())
  404. else:
  405. repo_dir_str = repo_dir
  406. r = Repo.init(repo_dir)
  407. self.addCleanup(shutil.rmtree, repo_dir)
  408. (fd, path) = tempfile.mkstemp(dir=repo_dir_str)
  409. post_commit_msg = """#!/bin/sh
  410. rm """ + path + """
  411. """
  412. root_sha = r.do_commit(
  413. b'empty commit',
  414. committer=b'Test Committer <test@nodomain.com>',
  415. author=b'Test Author <test@nodomain.com>',
  416. commit_timestamp=12345, commit_timezone=0,
  417. author_timestamp=12345, author_timezone=0)
  418. self.assertEqual([], r[root_sha].parents)
  419. post_commit = os.path.join(r.controldir(), b'hooks', b'post-commit')
  420. with open(post_commit, 'w') as f:
  421. f.write(post_commit_msg)
  422. os.chmod(post_commit, stat.S_IREAD | stat.S_IWRITE | stat.S_IEXEC)
  423. commit_sha = r.do_commit(
  424. b'empty commit',
  425. committer=b'Test Committer <test@nodomain.com>',
  426. author=b'Test Author <test@nodomain.com>',
  427. commit_timestamp=12345, commit_timezone=0,
  428. author_timestamp=12345, author_timezone=0)
  429. self.assertEqual([root_sha], r[commit_sha].parents)
  430. self.assertFalse(os.path.exists(path))
  431. post_commit_msg_fail = """#!/bin/sh
  432. exit 1
  433. """
  434. with open(post_commit, 'w') as f:
  435. f.write(post_commit_msg_fail)
  436. os.chmod(post_commit, stat.S_IREAD | stat.S_IWRITE | stat.S_IEXEC)
  437. warnings.simplefilter("always", UserWarning)
  438. self.addCleanup(warnings.resetwarnings)
  439. warnings_list, restore_warnings = setup_warning_catcher()
  440. self.addCleanup(restore_warnings)
  441. commit_sha2 = r.do_commit(
  442. b'empty commit',
  443. committer=b'Test Committer <test@nodomain.com>',
  444. author=b'Test Author <test@nodomain.com>',
  445. commit_timestamp=12345, commit_timezone=0,
  446. author_timestamp=12345, author_timezone=0)
  447. self.assertEqual(len(warnings_list), 1, warnings_list)
  448. self.assertIsInstance(warnings_list[-1], UserWarning)
  449. self.assertTrue("post-commit hook failed: " in str(warnings_list[-1]))
  450. self.assertEqual([commit_sha], r[commit_sha2].parents)
  451. class RepositoryUnicodeRootTests(RepositoryBytesRootTests):
  452. def mktemp(self):
  453. return mkdtemp_unicode()
  454. class BuildRepoBytesRootTests(TestCase):
  455. """Tests that build on-disk repos from scratch.
  456. Repos live in a temp dir and are torn down after each test. They start with
  457. a single commit in master having single file named 'a'.
  458. """
  459. def get_repo_dir(self):
  460. return os.path.join(mkdtemp_bytes(), b'test')
  461. def get_a_filename(self):
  462. return b'a'
  463. def setUp(self):
  464. super(BuildRepoBytesRootTests, self).setUp()
  465. self._repo_dir = self.get_repo_dir()
  466. os.makedirs(self._repo_dir)
  467. r = self._repo = Repo.init(self._repo_dir)
  468. self.assertFalse(r.bare)
  469. self.assertEqual(b'ref: refs/heads/master', r.refs.read_ref(b'HEAD'))
  470. self.assertRaises(KeyError, lambda: r.refs[b'refs/heads/master'])
  471. with open(os.path.join(r._path_bytes, b'a'), 'wb') as f:
  472. f.write(b'file contents')
  473. r.stage(['a'])
  474. commit_sha = r.do_commit(b'msg',
  475. committer=b'Test Committer <test@nodomain.com>',
  476. author=b'Test Author <test@nodomain.com>',
  477. commit_timestamp=12345, commit_timezone=0,
  478. author_timestamp=12345, author_timezone=0)
  479. self.assertEqual([], r[commit_sha].parents)
  480. self._root_commit = commit_sha
  481. def tearDown(self):
  482. tear_down_repo(self._repo)
  483. super(BuildRepoBytesRootTests, self).tearDown()
  484. def test_build_repo(self):
  485. r = self._repo
  486. self.assertEqual(b'ref: refs/heads/master', r.refs.read_ref(b'HEAD'))
  487. self.assertEqual(self._root_commit, r.refs[b'refs/heads/master'])
  488. expected_blob = objects.Blob.from_string(b'file contents')
  489. self.assertEqual(expected_blob.data, r[expected_blob.id].data)
  490. actual_commit = r[self._root_commit]
  491. self.assertEqual(b'msg', actual_commit.message)
  492. def test_commit_modified(self):
  493. r = self._repo
  494. with open(os.path.join(r._path_bytes, b'a'), 'wb') as f:
  495. f.write(b'new contents')
  496. os.symlink('a', os.path.join(r._path_bytes, b'b'))
  497. r.stage(['a', 'b'])
  498. commit_sha = r.do_commit(b'modified a',
  499. committer=b'Test Committer <test@nodomain.com>',
  500. author=b'Test Author <test@nodomain.com>',
  501. commit_timestamp=12395, commit_timezone=0,
  502. author_timestamp=12395, author_timezone=0)
  503. self.assertEqual([self._root_commit], r[commit_sha].parents)
  504. a_mode, a_id = tree_lookup_path(r.get_object, r[commit_sha].tree, b'a')
  505. self.assertEqual(stat.S_IFREG | 0o644, a_mode)
  506. self.assertEqual(b'new contents', r[a_id].data)
  507. b_mode, b_id = tree_lookup_path(r.get_object, r[commit_sha].tree, b'b')
  508. self.assertTrue(stat.S_ISLNK(b_mode))
  509. self.assertEqual(b'a', r[b_id].data)
  510. def test_commit_deleted(self):
  511. r = self._repo
  512. os.remove(os.path.join(r._path_bytes, b'a'))
  513. r.stage(['a'])
  514. commit_sha = r.do_commit(b'deleted a',
  515. committer=b'Test Committer <test@nodomain.com>',
  516. author=b'Test Author <test@nodomain.com>',
  517. commit_timestamp=12395, commit_timezone=0,
  518. author_timestamp=12395, author_timezone=0)
  519. self.assertEqual([self._root_commit], r[commit_sha].parents)
  520. self.assertEqual([], list(r.open_index()))
  521. tree = r[r[commit_sha].tree]
  522. self.assertEqual([], list(tree.iteritems()))
  523. def test_commit_encoding(self):
  524. r = self._repo
  525. commit_sha = r.do_commit(b'commit with strange character \xee',
  526. committer=b'Test Committer <test@nodomain.com>',
  527. author=b'Test Author <test@nodomain.com>',
  528. commit_timestamp=12395, commit_timezone=0,
  529. author_timestamp=12395, author_timezone=0,
  530. encoding=b"iso8859-1")
  531. self.assertEqual(b"iso8859-1", r[commit_sha].encoding)
  532. def test_commit_config_identity(self):
  533. # commit falls back to the users' identity if it wasn't specified
  534. r = self._repo
  535. c = r.get_config()
  536. c.set((b"user", ), b"name", b"Jelmer")
  537. c.set((b"user", ), b"email", b"jelmer@apache.org")
  538. c.write_to_path()
  539. commit_sha = r.do_commit(b'message')
  540. self.assertEqual(
  541. b"Jelmer <jelmer@apache.org>",
  542. r[commit_sha].author)
  543. self.assertEqual(
  544. b"Jelmer <jelmer@apache.org>",
  545. r[commit_sha].committer)
  546. def test_commit_config_identity_in_memoryrepo(self):
  547. # commit falls back to the users' identity if it wasn't specified
  548. r = MemoryRepo.init_bare([], {})
  549. c = r.get_config()
  550. c.set((b"user", ), b"name", b"Jelmer")
  551. c.set((b"user", ), b"email", b"jelmer@apache.org")
  552. commit_sha = r.do_commit(b'message', tree=objects.Tree().id)
  553. self.assertEqual(
  554. b"Jelmer <jelmer@apache.org>",
  555. r[commit_sha].author)
  556. self.assertEqual(
  557. b"Jelmer <jelmer@apache.org>",
  558. r[commit_sha].committer)
  559. def test_commit_fail_ref(self):
  560. r = self._repo
  561. def set_if_equals(name, old_ref, new_ref):
  562. return False
  563. r.refs.set_if_equals = set_if_equals
  564. def add_if_new(name, new_ref):
  565. self.fail('Unexpected call to add_if_new')
  566. r.refs.add_if_new = add_if_new
  567. old_shas = set(r.object_store)
  568. self.assertRaises(errors.CommitError, r.do_commit, b'failed commit',
  569. committer=b'Test Committer <test@nodomain.com>',
  570. author=b'Test Author <test@nodomain.com>',
  571. commit_timestamp=12345, commit_timezone=0,
  572. author_timestamp=12345, author_timezone=0)
  573. new_shas = set(r.object_store) - old_shas
  574. self.assertEqual(1, len(new_shas))
  575. # Check that the new commit (now garbage) was added.
  576. new_commit = r[new_shas.pop()]
  577. self.assertEqual(r[self._root_commit].tree, new_commit.tree)
  578. self.assertEqual(b'failed commit', new_commit.message)
  579. def test_commit_branch(self):
  580. r = self._repo
  581. commit_sha = r.do_commit(b'commit to branch',
  582. committer=b'Test Committer <test@nodomain.com>',
  583. author=b'Test Author <test@nodomain.com>',
  584. commit_timestamp=12395, commit_timezone=0,
  585. author_timestamp=12395, author_timezone=0,
  586. ref=b"refs/heads/new_branch")
  587. self.assertEqual(self._root_commit, r[b"HEAD"].id)
  588. self.assertEqual(commit_sha, r[b"refs/heads/new_branch"].id)
  589. self.assertEqual([], r[commit_sha].parents)
  590. self.assertTrue(b"refs/heads/new_branch" in r)
  591. new_branch_head = commit_sha
  592. commit_sha = r.do_commit(b'commit to branch 2',
  593. committer=b'Test Committer <test@nodomain.com>',
  594. author=b'Test Author <test@nodomain.com>',
  595. commit_timestamp=12395, commit_timezone=0,
  596. author_timestamp=12395, author_timezone=0,
  597. ref=b"refs/heads/new_branch")
  598. self.assertEqual(self._root_commit, r[b"HEAD"].id)
  599. self.assertEqual(commit_sha, r[b"refs/heads/new_branch"].id)
  600. self.assertEqual([new_branch_head], r[commit_sha].parents)
  601. def test_commit_merge_heads(self):
  602. r = self._repo
  603. merge_1 = r.do_commit(b'commit to branch 2',
  604. committer=b'Test Committer <test@nodomain.com>',
  605. author=b'Test Author <test@nodomain.com>',
  606. commit_timestamp=12395, commit_timezone=0,
  607. author_timestamp=12395, author_timezone=0,
  608. ref=b"refs/heads/new_branch")
  609. commit_sha = r.do_commit(b'commit with merge',
  610. committer=b'Test Committer <test@nodomain.com>',
  611. author=b'Test Author <test@nodomain.com>',
  612. commit_timestamp=12395, commit_timezone=0,
  613. author_timestamp=12395, author_timezone=0,
  614. merge_heads=[merge_1])
  615. self.assertEqual(
  616. [self._root_commit, merge_1],
  617. r[commit_sha].parents)
  618. def test_commit_dangling_commit(self):
  619. r = self._repo
  620. old_shas = set(r.object_store)
  621. old_refs = r.get_refs()
  622. commit_sha = r.do_commit(b'commit with no ref',
  623. committer=b'Test Committer <test@nodomain.com>',
  624. author=b'Test Author <test@nodomain.com>',
  625. commit_timestamp=12395, commit_timezone=0,
  626. author_timestamp=12395, author_timezone=0,
  627. ref=None)
  628. new_shas = set(r.object_store) - old_shas
  629. # New sha is added, but no new refs
  630. self.assertEqual(1, len(new_shas))
  631. new_commit = r[new_shas.pop()]
  632. self.assertEqual(r[self._root_commit].tree, new_commit.tree)
  633. self.assertEqual([], r[commit_sha].parents)
  634. self.assertEqual(old_refs, r.get_refs())
  635. def test_commit_dangling_commit_with_parents(self):
  636. r = self._repo
  637. old_shas = set(r.object_store)
  638. old_refs = r.get_refs()
  639. commit_sha = r.do_commit(b'commit with no ref',
  640. committer=b'Test Committer <test@nodomain.com>',
  641. author=b'Test Author <test@nodomain.com>',
  642. commit_timestamp=12395, commit_timezone=0,
  643. author_timestamp=12395, author_timezone=0,
  644. ref=None, merge_heads=[self._root_commit])
  645. new_shas = set(r.object_store) - old_shas
  646. # New sha is added, but no new refs
  647. self.assertEqual(1, len(new_shas))
  648. new_commit = r[new_shas.pop()]
  649. self.assertEqual(r[self._root_commit].tree, new_commit.tree)
  650. self.assertEqual([self._root_commit], r[commit_sha].parents)
  651. self.assertEqual(old_refs, r.get_refs())
  652. def test_stage_deleted(self):
  653. r = self._repo
  654. os.remove(os.path.join(r._path_bytes, b'a'))
  655. r.stage(['a'])
  656. r.stage(['a']) # double-stage a deleted path
  657. class BuildRepoUnicodeRootTests(TestCase):
  658. """Tests that build on-disk repos from scratch.
  659. Repos live in a temp dir and are torn down after each test. They start with
  660. a single commit in master having single file named 'a'.
  661. """
  662. def get_repo_dir(self):
  663. return os.path.join(mkdtemp_unicode(), 'test')