test_client.py 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475
  1. # test_client.py -- Compatibilty tests for git client.
  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. """Compatibilty tests between the Dulwich client and the cgit server."""
  20. from io import BytesIO
  21. import BaseHTTPServer
  22. import SimpleHTTPServer
  23. import copy
  24. import os
  25. import select
  26. import shutil
  27. import signal
  28. import subprocess
  29. import tarfile
  30. import tempfile
  31. import threading
  32. import urllib
  33. from unittest import SkipTest
  34. from dulwich import (
  35. client,
  36. errors,
  37. file,
  38. index,
  39. protocol,
  40. objects,
  41. repo,
  42. )
  43. from dulwich.tests import (
  44. get_safe_env,
  45. )
  46. from dulwich.tests.compat.utils import (
  47. CompatTestCase,
  48. check_for_daemon,
  49. import_repo_to_dir,
  50. run_git_or_fail,
  51. )
  52. class DulwichClientTestBase(object):
  53. """Tests for client/server compatibility."""
  54. def setUp(self):
  55. self.gitroot = os.path.dirname(import_repo_to_dir('server_new.export'))
  56. self.dest = os.path.join(self.gitroot, 'dest')
  57. file.ensure_dir_exists(self.dest)
  58. run_git_or_fail(['init', '--quiet', '--bare'], cwd=self.dest)
  59. def tearDown(self):
  60. shutil.rmtree(self.gitroot)
  61. def assertDestEqualsSrc(self):
  62. src = repo.Repo(os.path.join(self.gitroot, 'server_new.export'))
  63. dest = repo.Repo(os.path.join(self.gitroot, 'dest'))
  64. self.assertReposEqual(src, dest)
  65. def _client(self):
  66. raise NotImplementedError()
  67. def _build_path(self):
  68. raise NotImplementedError()
  69. def _do_send_pack(self):
  70. c = self._client()
  71. srcpath = os.path.join(self.gitroot, 'server_new.export')
  72. src = repo.Repo(srcpath)
  73. sendrefs = dict(src.get_refs())
  74. del sendrefs['HEAD']
  75. c.send_pack(self._build_path('/dest'), lambda _: sendrefs,
  76. src.object_store.generate_pack_contents)
  77. def test_send_pack(self):
  78. self._do_send_pack()
  79. self.assertDestEqualsSrc()
  80. def test_send_pack_nothing_to_send(self):
  81. self._do_send_pack()
  82. self.assertDestEqualsSrc()
  83. # nothing to send, but shouldn't raise either.
  84. self._do_send_pack()
  85. def test_send_without_report_status(self):
  86. c = self._client()
  87. c._send_capabilities.remove('report-status')
  88. srcpath = os.path.join(self.gitroot, 'server_new.export')
  89. src = repo.Repo(srcpath)
  90. sendrefs = dict(src.get_refs())
  91. del sendrefs['HEAD']
  92. c.send_pack(self._build_path('/dest'), lambda _: sendrefs,
  93. src.object_store.generate_pack_contents)
  94. self.assertDestEqualsSrc()
  95. def make_dummy_commit(self, dest):
  96. b = objects.Blob.from_string('hi')
  97. dest.object_store.add_object(b)
  98. t = index.commit_tree(dest.object_store, [('hi', b.id, 0o100644)])
  99. c = objects.Commit()
  100. c.author = c.committer = 'Foo Bar <foo@example.com>'
  101. c.author_time = c.commit_time = 0
  102. c.author_timezone = c.commit_timezone = 0
  103. c.message = 'hi'
  104. c.tree = t
  105. dest.object_store.add_object(c)
  106. return c.id
  107. def disable_ff_and_make_dummy_commit(self):
  108. # disable non-fast-forward pushes to the server
  109. dest = repo.Repo(os.path.join(self.gitroot, 'dest'))
  110. run_git_or_fail(['config', 'receive.denyNonFastForwards', 'true'],
  111. cwd=dest.path)
  112. commit_id = self.make_dummy_commit(dest)
  113. return dest, commit_id
  114. def compute_send(self):
  115. srcpath = os.path.join(self.gitroot, 'server_new.export')
  116. src = repo.Repo(srcpath)
  117. sendrefs = dict(src.get_refs())
  118. del sendrefs['HEAD']
  119. return sendrefs, src.object_store.generate_pack_contents
  120. def test_send_pack_one_error(self):
  121. dest, dummy_commit = self.disable_ff_and_make_dummy_commit()
  122. dest.refs['refs/heads/master'] = dummy_commit
  123. sendrefs, gen_pack = self.compute_send()
  124. c = self._client()
  125. try:
  126. c.send_pack(self._build_path('/dest'), lambda _: sendrefs, gen_pack)
  127. except errors.UpdateRefsError as e:
  128. self.assertEqual('refs/heads/master failed to update', str(e))
  129. self.assertEqual({'refs/heads/branch': 'ok',
  130. 'refs/heads/master': 'non-fast-forward'},
  131. e.ref_status)
  132. def test_send_pack_multiple_errors(self):
  133. dest, dummy = self.disable_ff_and_make_dummy_commit()
  134. # set up for two non-ff errors
  135. branch, master = 'refs/heads/branch', 'refs/heads/master'
  136. dest.refs[branch] = dest.refs[master] = dummy
  137. sendrefs, gen_pack = self.compute_send()
  138. c = self._client()
  139. try:
  140. c.send_pack(self._build_path('/dest'), lambda _: sendrefs, gen_pack)
  141. except errors.UpdateRefsError as e:
  142. self.assertIn(str(e),
  143. ['{0}, {1} failed to update'.format(branch, master),
  144. '{1}, {0} failed to update'.format(branch, master)])
  145. self.assertEqual({branch: 'non-fast-forward',
  146. master: 'non-fast-forward'},
  147. e.ref_status)
  148. def test_archive(self):
  149. c = self._client()
  150. f = BytesIO()
  151. c.archive(self._build_path('/server_new.export'), 'HEAD', f.write)
  152. f.seek(0)
  153. tf = tarfile.open(fileobj=f)
  154. self.assertEqual(['baz', 'foo'], tf.getnames())
  155. def test_fetch_pack(self):
  156. c = self._client()
  157. dest = repo.Repo(os.path.join(self.gitroot, 'dest'))
  158. refs = c.fetch(self._build_path('/server_new.export'), dest)
  159. for r in refs.items():
  160. dest.refs.set_if_equals(r[0], None, r[1])
  161. self.assertDestEqualsSrc()
  162. def test_incremental_fetch_pack(self):
  163. self.test_fetch_pack()
  164. dest, dummy = self.disable_ff_and_make_dummy_commit()
  165. dest.refs['refs/heads/master'] = dummy
  166. c = self._client()
  167. dest = repo.Repo(os.path.join(self.gitroot, 'server_new.export'))
  168. refs = c.fetch(self._build_path('/dest'), dest)
  169. for r in refs.items():
  170. dest.refs.set_if_equals(r[0], None, r[1])
  171. self.assertDestEqualsSrc()
  172. def test_fetch_pack_no_side_band_64k(self):
  173. c = self._client()
  174. c._fetch_capabilities.remove('side-band-64k')
  175. dest = repo.Repo(os.path.join(self.gitroot, 'dest'))
  176. refs = c.fetch(self._build_path('/server_new.export'), dest)
  177. for r in refs.items():
  178. dest.refs.set_if_equals(r[0], None, r[1])
  179. self.assertDestEqualsSrc()
  180. def test_fetch_pack_zero_sha(self):
  181. # zero sha1s are already present on the client, and should
  182. # be ignored
  183. c = self._client()
  184. dest = repo.Repo(os.path.join(self.gitroot, 'dest'))
  185. refs = c.fetch(self._build_path('/server_new.export'), dest,
  186. lambda refs: [protocol.ZERO_SHA])
  187. for r in refs.items():
  188. dest.refs.set_if_equals(r[0], None, r[1])
  189. def test_send_remove_branch(self):
  190. dest = repo.Repo(os.path.join(self.gitroot, 'dest'))
  191. dummy_commit = self.make_dummy_commit(dest)
  192. dest.refs['refs/heads/master'] = dummy_commit
  193. dest.refs['refs/heads/abranch'] = dummy_commit
  194. sendrefs = dict(dest.refs)
  195. sendrefs['refs/heads/abranch'] = "00" * 20
  196. del sendrefs['HEAD']
  197. gen_pack = lambda have, want: []
  198. c = self._client()
  199. self.assertEqual(dest.refs["refs/heads/abranch"], dummy_commit)
  200. c.send_pack(self._build_path('/dest'), lambda _: sendrefs, gen_pack)
  201. self.assertFalse("refs/heads/abranch" in dest.refs)
  202. class DulwichTCPClientTest(CompatTestCase, DulwichClientTestBase):
  203. def setUp(self):
  204. CompatTestCase.setUp(self)
  205. DulwichClientTestBase.setUp(self)
  206. if check_for_daemon(limit=1):
  207. raise SkipTest('git-daemon was already running on port %s' %
  208. protocol.TCP_GIT_PORT)
  209. fd, self.pidfile = tempfile.mkstemp(prefix='dulwich-test-git-client',
  210. suffix=".pid")
  211. os.fdopen(fd).close()
  212. run_git_or_fail(
  213. ['daemon', '--verbose', '--export-all',
  214. '--pid-file=%s' % self.pidfile, '--base-path=%s' % self.gitroot,
  215. '--detach', '--reuseaddr', '--enable=receive-pack',
  216. '--enable=upload-archive', '--listen=localhost', self.gitroot], cwd=self.gitroot)
  217. if not check_for_daemon():
  218. raise SkipTest('git-daemon failed to start')
  219. def tearDown(self):
  220. try:
  221. with open(self.pidfile) as f:
  222. pid = f.read()
  223. os.kill(int(pid.strip()), signal.SIGKILL)
  224. os.unlink(self.pidfile)
  225. except (OSError, IOError):
  226. pass
  227. DulwichClientTestBase.tearDown(self)
  228. CompatTestCase.tearDown(self)
  229. def _client(self):
  230. return client.TCPGitClient('localhost')
  231. def _build_path(self, path):
  232. return path
  233. class TestSSHVendor(object):
  234. @staticmethod
  235. def run_command(host, command, username=None, port=None):
  236. cmd, path = command[0].replace("'", '').split(' ')
  237. cmd = cmd.split('-', 1)
  238. p = subprocess.Popen(cmd + [path], env=get_safe_env(), stdin=subprocess.PIPE,
  239. stdout=subprocess.PIPE, stderr=subprocess.PIPE)
  240. return client.SubprocessWrapper(p)
  241. class DulwichMockSSHClientTest(CompatTestCase, DulwichClientTestBase):
  242. def setUp(self):
  243. CompatTestCase.setUp(self)
  244. DulwichClientTestBase.setUp(self)
  245. self.real_vendor = client.get_ssh_vendor
  246. client.get_ssh_vendor = TestSSHVendor
  247. def tearDown(self):
  248. DulwichClientTestBase.tearDown(self)
  249. CompatTestCase.tearDown(self)
  250. client.get_ssh_vendor = self.real_vendor
  251. def _client(self):
  252. return client.SSHGitClient('localhost')
  253. def _build_path(self, path):
  254. return self.gitroot + path
  255. class DulwichSubprocessClientTest(CompatTestCase, DulwichClientTestBase):
  256. def setUp(self):
  257. CompatTestCase.setUp(self)
  258. DulwichClientTestBase.setUp(self)
  259. def tearDown(self):
  260. DulwichClientTestBase.tearDown(self)
  261. CompatTestCase.tearDown(self)
  262. def _client(self):
  263. return client.SubprocessGitClient(stderr=subprocess.PIPE)
  264. def _build_path(self, path):
  265. return self.gitroot + path
  266. class GitHTTPRequestHandler(SimpleHTTPServer.SimpleHTTPRequestHandler):
  267. """HTTP Request handler that calls out to 'git http-backend'."""
  268. # Make rfile unbuffered -- we need to read one line and then pass
  269. # the rest to a subprocess, so we can't use buffered input.
  270. rbufsize = 0
  271. def do_POST(self):
  272. self.run_backend()
  273. def do_GET(self):
  274. self.run_backend()
  275. def send_head(self):
  276. return self.run_backend()
  277. def log_request(self, code='-', size='-'):
  278. # Let's be quiet, the test suite is noisy enough already
  279. pass
  280. def run_backend(self):
  281. """Call out to git http-backend."""
  282. # Based on CGIHTTPServer.CGIHTTPRequestHandler.run_cgi:
  283. # Copyright (c) 2001-2010 Python Software Foundation; All Rights Reserved
  284. # Licensed under the Python Software Foundation License.
  285. rest = self.path
  286. # find an explicit query string, if present.
  287. i = rest.rfind('?')
  288. if i >= 0:
  289. rest, query = rest[:i], rest[i+1:]
  290. else:
  291. query = ''
  292. env = copy.deepcopy(os.environ)
  293. env['SERVER_SOFTWARE'] = self.version_string()
  294. env['SERVER_NAME'] = self.server.server_name
  295. env['GATEWAY_INTERFACE'] = 'CGI/1.1'
  296. env['SERVER_PROTOCOL'] = self.protocol_version
  297. env['SERVER_PORT'] = str(self.server.server_port)
  298. env['GIT_PROJECT_ROOT'] = self.server.root_path
  299. env["GIT_HTTP_EXPORT_ALL"] = "1"
  300. env['REQUEST_METHOD'] = self.command
  301. uqrest = urllib.unquote(rest)
  302. env['PATH_INFO'] = uqrest
  303. env['SCRIPT_NAME'] = "/"
  304. if query:
  305. env['QUERY_STRING'] = query
  306. host = self.address_string()
  307. if host != self.client_address[0]:
  308. env['REMOTE_HOST'] = host
  309. env['REMOTE_ADDR'] = self.client_address[0]
  310. authorization = self.headers.getheader("authorization")
  311. if authorization:
  312. authorization = authorization.split()
  313. if len(authorization) == 2:
  314. import base64, binascii
  315. env['AUTH_TYPE'] = authorization[0]
  316. if authorization[0].lower() == "basic":
  317. try:
  318. authorization = base64.decodestring(authorization[1])
  319. except binascii.Error:
  320. pass
  321. else:
  322. authorization = authorization.split(':')
  323. if len(authorization) == 2:
  324. env['REMOTE_USER'] = authorization[0]
  325. # XXX REMOTE_IDENT
  326. if self.headers.typeheader is None:
  327. env['CONTENT_TYPE'] = self.headers.type
  328. else:
  329. env['CONTENT_TYPE'] = self.headers.typeheader
  330. length = self.headers.getheader('content-length')
  331. if length:
  332. env['CONTENT_LENGTH'] = length
  333. referer = self.headers.getheader('referer')
  334. if referer:
  335. env['HTTP_REFERER'] = referer
  336. accept = []
  337. for line in self.headers.getallmatchingheaders('accept'):
  338. if line[:1] in "\t\n\r ":
  339. accept.append(line.strip())
  340. else:
  341. accept = accept + line[7:].split(',')
  342. env['HTTP_ACCEPT'] = ','.join(accept)
  343. ua = self.headers.getheader('user-agent')
  344. if ua:
  345. env['HTTP_USER_AGENT'] = ua
  346. co = filter(None, self.headers.getheaders('cookie'))
  347. if co:
  348. env['HTTP_COOKIE'] = ', '.join(co)
  349. # XXX Other HTTP_* headers
  350. # Since we're setting the env in the parent, provide empty
  351. # values to override previously set values
  352. for k in ('QUERY_STRING', 'REMOTE_HOST', 'CONTENT_LENGTH',
  353. 'HTTP_USER_AGENT', 'HTTP_COOKIE', 'HTTP_REFERER'):
  354. env.setdefault(k, "")
  355. self.send_response(200, "Script output follows")
  356. decoded_query = query.replace('+', ' ')
  357. try:
  358. nbytes = int(length)
  359. except (TypeError, ValueError):
  360. nbytes = 0
  361. if self.command.lower() == "post" and nbytes > 0:
  362. data = self.rfile.read(nbytes)
  363. else:
  364. data = None
  365. # throw away additional data [see bug #427345]
  366. while select.select([self.rfile._sock], [], [], 0)[0]:
  367. if not self.rfile._sock.recv(1):
  368. break
  369. args = ['http-backend']
  370. if '=' not in decoded_query:
  371. args.append(decoded_query)
  372. stdout = run_git_or_fail(args, input=data, env=env, stderr=subprocess.PIPE)
  373. self.wfile.write(stdout)
  374. class HTTPGitServer(BaseHTTPServer.HTTPServer):
  375. allow_reuse_address = True
  376. def __init__(self, server_address, root_path):
  377. BaseHTTPServer.HTTPServer.__init__(self, server_address, GitHTTPRequestHandler)
  378. self.root_path = root_path
  379. self.server_name = "localhost"
  380. def get_url(self):
  381. return 'http://%s:%s/' % (self.server_name, self.server_port)
  382. class DulwichHttpClientTest(CompatTestCase, DulwichClientTestBase):
  383. min_git_version = (1, 7, 0, 2)
  384. def setUp(self):
  385. CompatTestCase.setUp(self)
  386. DulwichClientTestBase.setUp(self)
  387. self._httpd = HTTPGitServer(("localhost", 0), self.gitroot)
  388. self.addCleanup(self._httpd.shutdown)
  389. threading.Thread(target=self._httpd.serve_forever).start()
  390. run_git_or_fail(['config', 'http.uploadpack', 'true'],
  391. cwd=self.dest)
  392. run_git_or_fail(['config', 'http.receivepack', 'true'],
  393. cwd=self.dest)
  394. def tearDown(self):
  395. DulwichClientTestBase.tearDown(self)
  396. CompatTestCase.tearDown(self)
  397. self._httpd.shutdown()
  398. self._httpd.socket.close()
  399. def _client(self):
  400. return client.HttpGitClient(self._httpd.get_url())
  401. def _build_path(self, path):
  402. return path
  403. def test_archive(self):
  404. raise SkipTest("exporting archives not supported over http")