client.py 45 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798991001011021031041051061071081091101111121131141151161171181191201211221231241251261271281291301311321331341351361371381391401411421431441451461471481491501511521531541551561571581591601611621631641651661671681691701711721731741751761771781791801811821831841851861871881891901911921931941951961971981992002012022032042052062072082092102112122132142152162172182192202212222232242252262272282292302312322332342352362372382392402412422432442452462472482492502512522532542552562572582592602612622632642652662672682692702712722732742752762772782792802812822832842852862872882892902912922932942952962972982993003013023033043053063073083093103113123133143153163173183193203213223233243253263273283293303313323333343353363373383393403413423433443453463473483493503513523533543553563573583593603613623633643653663673683693703713723733743753763773783793803813823833843853863873883893903913923933943953963973983994004014024034044054064074084094104114124134144154164174184194204214224234244254264274284294304314324334344354364374384394404414424434444454464474484494504514524534544554564574584594604614624634644654664674684694704714724734744754764774784794804814824834844854864874884894904914924934944954964974984995005015025035045055065075085095105115125135145155165175185195205215225235245255265275285295305315325335345355365375385395405415425435445455465475485495505515525535545555565575585595605615625635645655665675685695705715725735745755765775785795805815825835845855865875885895905915925935945955965975985996006016026036046056066076086096106116126136146156166176186196206216226236246256266276286296306316326336346356366376386396406416426436446456466476486496506516526536546556566576586596606616626636646656666676686696706716726736746756766776786796806816826836846856866876886896906916926936946956966976986997007017027037047057067077087097107117127137147157167177187197207217227237247257267277287297307317327337347357367377387397407417427437447457467477487497507517527537547557567577587597607617627637647657667677687697707717727737747757767777787797807817827837847857867877887897907917927937947957967977987998008018028038048058068078088098108118128138148158168178188198208218228238248258268278288298308318328338348358368378388398408418428438448458468478488498508518528538548558568578588598608618628638648658668678688698708718728738748758768778788798808818828838848858868878888898908918928938948958968978988999009019029039049059069079089099109119129139149159169179189199209219229239249259269279289299309319329339349359369379389399409419429439449459469479489499509519529539549559569579589599609619629639649659669679689699709719729739749759769779789799809819829839849859869879889899909919929939949959969979989991000100110021003100410051006100710081009101010111012101310141015101610171018101910201021102210231024102510261027102810291030103110321033103410351036103710381039104010411042104310441045104610471048104910501051105210531054105510561057105810591060106110621063106410651066106710681069107010711072107310741075107610771078107910801081108210831084108510861087108810891090109110921093109410951096109710981099110011011102110311041105110611071108110911101111111211131114111511161117111811191120112111221123112411251126112711281129113011311132113311341135113611371138113911401141114211431144114511461147114811491150115111521153115411551156115711581159116011611162116311641165116611671168116911701171117211731174117511761177117811791180118111821183118411851186118711881189119011911192119311941195119611971198119912001201120212031204120512061207120812091210121112121213121412151216121712181219122012211222122312241225122612271228122912301231123212331234123512361237
  1. # client.py -- Implementation of the server side git protocols
  2. # Copyright (C) 2008-2013 Jelmer Vernooij <jelmer@samba.org>
  3. # Copyright (C) 2008 John Carr
  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; either version 2
  8. # or (at your option) a later version of 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. """Client side support for the Git protocol.
  20. The Dulwich client supports the following capabilities:
  21. * thin-pack
  22. * multi_ack_detailed
  23. * multi_ack
  24. * side-band-64k
  25. * ofs-delta
  26. * report-status
  27. * delete-refs
  28. Known capabilities that are not supported:
  29. * shallow
  30. * no-progress
  31. * include-tag
  32. """
  33. __docformat__ = 'restructuredText'
  34. from contextlib import closing
  35. from io import BytesIO, BufferedReader
  36. import dulwich
  37. import select
  38. import shlex
  39. import socket
  40. import subprocess
  41. import sys
  42. try:
  43. import urllib2
  44. import urlparse
  45. except ImportError:
  46. import urllib.request as urllib2
  47. import urllib.parse as urlparse
  48. from dulwich.errors import (
  49. GitProtocolError,
  50. NotGitRepository,
  51. SendPackError,
  52. UpdateRefsError,
  53. )
  54. from dulwich.protocol import (
  55. _RBUFSIZE,
  56. CAPABILITY_DELETE_REFS,
  57. CAPABILITY_MULTI_ACK,
  58. CAPABILITY_MULTI_ACK_DETAILED,
  59. CAPABILITY_OFS_DELTA,
  60. CAPABILITY_REPORT_STATUS,
  61. CAPABILITY_SIDE_BAND_64K,
  62. CAPABILITY_THIN_PACK,
  63. COMMAND_DONE,
  64. COMMAND_HAVE,
  65. COMMAND_WANT,
  66. SIDE_BAND_CHANNEL_DATA,
  67. SIDE_BAND_CHANNEL_PROGRESS,
  68. SIDE_BAND_CHANNEL_FATAL,
  69. PktLineParser,
  70. Protocol,
  71. ProtocolFile,
  72. TCP_GIT_PORT,
  73. ZERO_SHA,
  74. extract_capabilities,
  75. )
  76. from dulwich.pack import (
  77. write_pack_objects,
  78. )
  79. from dulwich.refs import (
  80. read_info_refs,
  81. )
  82. def _fileno_can_read(fileno):
  83. """Check if a file descriptor is readable."""
  84. return len(select.select([fileno], [], [], 0)[0]) > 0
  85. COMMON_CAPABILITIES = [CAPABILITY_OFS_DELTA, CAPABILITY_SIDE_BAND_64K]
  86. FETCH_CAPABILITIES = ([CAPABILITY_THIN_PACK, CAPABILITY_MULTI_ACK,
  87. CAPABILITY_MULTI_ACK_DETAILED] +
  88. COMMON_CAPABILITIES)
  89. SEND_CAPABILITIES = [CAPABILITY_REPORT_STATUS] + COMMON_CAPABILITIES
  90. class ReportStatusParser(object):
  91. """Handle status as reported by servers with 'report-status' capability.
  92. """
  93. def __init__(self):
  94. self._done = False
  95. self._pack_status = None
  96. self._ref_status_ok = True
  97. self._ref_statuses = []
  98. def check(self):
  99. """Check if there were any errors and, if so, raise exceptions.
  100. :raise SendPackError: Raised when the server could not unpack
  101. :raise UpdateRefsError: Raised when refs could not be updated
  102. """
  103. if self._pack_status not in (b'unpack ok', None):
  104. raise SendPackError(self._pack_status)
  105. if not self._ref_status_ok:
  106. ref_status = {}
  107. ok = set()
  108. for status in self._ref_statuses:
  109. if b' ' not in status:
  110. # malformed response, move on to the next one
  111. continue
  112. status, ref = status.split(b' ', 1)
  113. if status == b'ng':
  114. if b' ' in ref:
  115. ref, status = ref.split(b' ', 1)
  116. else:
  117. ok.add(ref)
  118. ref_status[ref] = status
  119. # TODO(jelmer): don't assume encoding of refs is ascii.
  120. raise UpdateRefsError(', '.join([
  121. ref.decode('ascii') for ref in ref_status if ref not in ok]) +
  122. ' failed to update', ref_status=ref_status)
  123. def handle_packet(self, pkt):
  124. """Handle a packet.
  125. :raise GitProtocolError: Raised when packets are received after a
  126. flush packet.
  127. """
  128. if self._done:
  129. raise GitProtocolError("received more data after status report")
  130. if pkt is None:
  131. self._done = True
  132. return
  133. if self._pack_status is None:
  134. self._pack_status = pkt.strip()
  135. else:
  136. ref_status = pkt.strip()
  137. self._ref_statuses.append(ref_status)
  138. if not ref_status.startswith(b'ok '):
  139. self._ref_status_ok = False
  140. def read_pkt_refs(proto):
  141. server_capabilities = None
  142. refs = {}
  143. # Receive refs from server
  144. for pkt in proto.read_pkt_seq():
  145. (sha, ref) = pkt.rstrip(b'\n').split(None, 1)
  146. if sha == b'ERR':
  147. raise GitProtocolError(ref)
  148. if server_capabilities is None:
  149. (ref, server_capabilities) = extract_capabilities(ref)
  150. refs[ref] = sha
  151. if len(refs) == 0:
  152. return None, set([])
  153. return refs, set(server_capabilities)
  154. # TODO(durin42): this doesn't correctly degrade if the server doesn't
  155. # support some capabilities. This should work properly with servers
  156. # that don't support multi_ack.
  157. class GitClient(object):
  158. """Git smart server client.
  159. """
  160. def __init__(self, thin_packs=True, report_activity=None):
  161. """Create a new GitClient instance.
  162. :param thin_packs: Whether or not thin packs should be retrieved
  163. :param report_activity: Optional callback for reporting transport
  164. activity.
  165. """
  166. self._report_activity = report_activity
  167. self._report_status_parser = None
  168. self._fetch_capabilities = set(FETCH_CAPABILITIES)
  169. self._send_capabilities = set(SEND_CAPABILITIES)
  170. if not thin_packs:
  171. self._fetch_capabilities.remove(CAPABILITY_THIN_PACK)
  172. def send_pack(self, path, determine_wants, generate_pack_contents,
  173. progress=None, write_pack=write_pack_objects):
  174. """Upload a pack to a remote repository.
  175. :param path: Repository path
  176. :param generate_pack_contents: Function that can return a sequence of
  177. the shas of the objects to upload.
  178. :param progress: Optional progress function
  179. :param write_pack: Function called with (file, iterable of objects) to
  180. write the objects returned by generate_pack_contents to the server.
  181. :raises SendPackError: if server rejects the pack data
  182. :raises UpdateRefsError: if the server supports report-status
  183. and rejects ref updates
  184. """
  185. raise NotImplementedError(self.send_pack)
  186. def fetch(self, path, target, determine_wants=None, progress=None):
  187. """Fetch into a target repository.
  188. :param path: Path to fetch from
  189. :param target: Target repository to fetch into
  190. :param determine_wants: Optional function to determine what refs
  191. to fetch
  192. :param progress: Optional progress function
  193. :return: remote refs as dictionary
  194. """
  195. if determine_wants is None:
  196. determine_wants = target.object_store.determine_wants_all
  197. f, commit, abort = target.object_store.add_pack()
  198. try:
  199. result = self.fetch_pack(
  200. path, determine_wants, target.get_graph_walker(), f.write,
  201. progress)
  202. except:
  203. abort()
  204. raise
  205. else:
  206. commit()
  207. return result
  208. def fetch_pack(self, path, determine_wants, graph_walker, pack_data,
  209. progress=None):
  210. """Retrieve a pack from a git smart server.
  211. :param determine_wants: Callback that returns list of commits to fetch
  212. :param graph_walker: Object with next() and ack().
  213. :param pack_data: Callback called for each bit of data in the pack
  214. :param progress: Callback for progress reports (strings)
  215. """
  216. raise NotImplementedError(self.fetch_pack)
  217. def get_refs(self, path):
  218. """Retrieve the current refs from a git smart server.
  219. :param path: Path to the repo to fetch from.
  220. """
  221. raise NotImplementedError(self.get_refs)
  222. def _parse_status_report(self, proto):
  223. unpack = proto.read_pkt_line().strip()
  224. if unpack != b'unpack ok':
  225. st = True
  226. # flush remaining error data
  227. while st is not None:
  228. st = proto.read_pkt_line()
  229. raise SendPackError(unpack)
  230. statuses = []
  231. errs = False
  232. ref_status = proto.read_pkt_line()
  233. while ref_status:
  234. ref_status = ref_status.strip()
  235. statuses.append(ref_status)
  236. if not ref_status.startswith(b'ok '):
  237. errs = True
  238. ref_status = proto.read_pkt_line()
  239. if errs:
  240. ref_status = {}
  241. ok = set()
  242. for status in statuses:
  243. if b' ' not in status:
  244. # malformed response, move on to the next one
  245. continue
  246. status, ref = status.split(b' ', 1)
  247. if status == b'ng':
  248. if b' ' in ref:
  249. ref, status = ref.split(b' ', 1)
  250. else:
  251. ok.add(ref)
  252. ref_status[ref] = status
  253. raise UpdateRefsError(', '.join([ref for ref in ref_status
  254. if ref not in ok]) +
  255. b' failed to update',
  256. ref_status=ref_status)
  257. def _read_side_band64k_data(self, proto, channel_callbacks):
  258. """Read per-channel data.
  259. This requires the side-band-64k capability.
  260. :param proto: Protocol object to read from
  261. :param channel_callbacks: Dictionary mapping channels to packet
  262. handlers to use. None for a callback discards channel data.
  263. """
  264. for pkt in proto.read_pkt_seq():
  265. channel = ord(pkt[:1])
  266. pkt = pkt[1:]
  267. try:
  268. cb = channel_callbacks[channel]
  269. except KeyError:
  270. raise AssertionError('Invalid sideband channel %d' % channel)
  271. else:
  272. if cb is not None:
  273. cb(pkt)
  274. def _handle_receive_pack_head(self, proto, capabilities, old_refs,
  275. new_refs):
  276. """Handle the head of a 'git-receive-pack' request.
  277. :param proto: Protocol object to read from
  278. :param capabilities: List of negotiated capabilities
  279. :param old_refs: Old refs, as received from the server
  280. :param new_refs: New refs
  281. :return: (have, want) tuple
  282. """
  283. want = []
  284. have = [x for x in old_refs.values() if not x == ZERO_SHA]
  285. sent_capabilities = False
  286. all_refs = set(new_refs.keys()).union(set(old_refs.keys()))
  287. for refname in all_refs:
  288. old_sha1 = old_refs.get(refname, ZERO_SHA)
  289. new_sha1 = new_refs.get(refname, ZERO_SHA)
  290. if old_sha1 != new_sha1:
  291. if sent_capabilities:
  292. proto.write_pkt_line(old_sha1 + b' ' + new_sha1 + b' ' + refname)
  293. else:
  294. proto.write_pkt_line(
  295. old_sha1 + b' ' + new_sha1 + b' ' + refname + b'\0' +
  296. b' '.join(capabilities))
  297. sent_capabilities = True
  298. if new_sha1 not in have and new_sha1 != ZERO_SHA:
  299. want.append(new_sha1)
  300. proto.write_pkt_line(None)
  301. return (have, want)
  302. def _handle_receive_pack_tail(self, proto, capabilities, progress=None):
  303. """Handle the tail of a 'git-receive-pack' request.
  304. :param proto: Protocol object to read from
  305. :param capabilities: List of negotiated capabilities
  306. :param progress: Optional progress reporting function
  307. """
  308. if b"side-band-64k" in capabilities:
  309. if progress is None:
  310. progress = lambda x: None
  311. channel_callbacks = {2: progress}
  312. if CAPABILITY_REPORT_STATUS in capabilities:
  313. channel_callbacks[1] = PktLineParser(
  314. self._report_status_parser.handle_packet).parse
  315. self._read_side_band64k_data(proto, channel_callbacks)
  316. else:
  317. if CAPABILITY_REPORT_STATUS in capabilities:
  318. for pkt in proto.read_pkt_seq():
  319. self._report_status_parser.handle_packet(pkt)
  320. if self._report_status_parser is not None:
  321. self._report_status_parser.check()
  322. def _handle_upload_pack_head(self, proto, capabilities, graph_walker,
  323. wants, can_read):
  324. """Handle the head of a 'git-upload-pack' request.
  325. :param proto: Protocol object to read from
  326. :param capabilities: List of negotiated capabilities
  327. :param graph_walker: GraphWalker instance to call .ack() on
  328. :param wants: List of commits to fetch
  329. :param can_read: function that returns a boolean that indicates
  330. whether there is extra graph data to read on proto
  331. """
  332. assert isinstance(wants, list) and isinstance(wants[0], bytes)
  333. proto.write_pkt_line(COMMAND_WANT + b' ' + wants[0] + b' ' + b' '.join(capabilities) + b'\n')
  334. for want in wants[1:]:
  335. proto.write_pkt_line(COMMAND_WANT + b' ' + want + b'\n')
  336. proto.write_pkt_line(None)
  337. have = next(graph_walker)
  338. while have:
  339. proto.write_pkt_line(COMMAND_HAVE + b' ' + have + b'\n')
  340. if can_read():
  341. pkt = proto.read_pkt_line()
  342. parts = pkt.rstrip(b'\n').split(b' ')
  343. if parts[0] == b'ACK':
  344. graph_walker.ack(parts[1])
  345. if parts[2] in (b'continue', b'common'):
  346. pass
  347. elif parts[2] == b'ready':
  348. break
  349. else:
  350. raise AssertionError(
  351. "%s not in ('continue', 'ready', 'common)" %
  352. parts[2])
  353. have = next(graph_walker)
  354. proto.write_pkt_line(COMMAND_DONE + b'\n')
  355. def _handle_upload_pack_tail(self, proto, capabilities, graph_walker,
  356. pack_data, progress=None, rbufsize=_RBUFSIZE):
  357. """Handle the tail of a 'git-upload-pack' request.
  358. :param proto: Protocol object to read from
  359. :param capabilities: List of negotiated capabilities
  360. :param graph_walker: GraphWalker instance to call .ack() on
  361. :param pack_data: Function to call with pack data
  362. :param progress: Optional progress reporting function
  363. :param rbufsize: Read buffer size
  364. """
  365. pkt = proto.read_pkt_line()
  366. while pkt:
  367. parts = pkt.rstrip(b'\n').split(b' ')
  368. if parts[0] == b'ACK':
  369. graph_walker.ack(parts[1])
  370. if len(parts) < 3 or parts[2] not in (
  371. b'ready', b'continue', b'common'):
  372. break
  373. pkt = proto.read_pkt_line()
  374. if CAPABILITY_SIDE_BAND_64K in capabilities:
  375. if progress is None:
  376. # Just ignore progress data
  377. progress = lambda x: None
  378. self._read_side_band64k_data(proto, {
  379. SIDE_BAND_CHANNEL_DATA: pack_data,
  380. SIDE_BAND_CHANNEL_PROGRESS: progress}
  381. )
  382. else:
  383. while True:
  384. data = proto.read(rbufsize)
  385. if data == b"":
  386. break
  387. pack_data(data)
  388. class TraditionalGitClient(GitClient):
  389. """Traditional Git client."""
  390. def _connect(self, cmd, path):
  391. """Create a connection to the server.
  392. This method is abstract - concrete implementations should
  393. implement their own variant which connects to the server and
  394. returns an initialized Protocol object with the service ready
  395. for use and a can_read function which may be used to see if
  396. reads would block.
  397. :param cmd: The git service name to which we should connect.
  398. :param path: The path we should pass to the service.
  399. """
  400. raise NotImplementedError()
  401. def send_pack(self, path, determine_wants, generate_pack_contents,
  402. progress=None, write_pack=write_pack_objects):
  403. """Upload a pack to a remote repository.
  404. :param path: Repository path
  405. :param generate_pack_contents: Function that can return a sequence of
  406. the shas of the objects to upload.
  407. :param progress: Optional callback called with progress updates
  408. :param write_pack: Function called with (file, iterable of objects) to
  409. write the objects returned by generate_pack_contents to the server.
  410. :raises SendPackError: if server rejects the pack data
  411. :raises UpdateRefsError: if the server supports report-status
  412. and rejects ref updates
  413. """
  414. proto, unused_can_read = self._connect(b'receive-pack', path)
  415. with proto:
  416. old_refs, server_capabilities = read_pkt_refs(proto)
  417. negotiated_capabilities = self._send_capabilities & server_capabilities
  418. if CAPABILITY_REPORT_STATUS in negotiated_capabilities:
  419. self._report_status_parser = ReportStatusParser()
  420. report_status_parser = self._report_status_parser
  421. try:
  422. new_refs = orig_new_refs = determine_wants(dict(old_refs))
  423. except:
  424. proto.write_pkt_line(None)
  425. raise
  426. if not CAPABILITY_DELETE_REFS in server_capabilities:
  427. # Server does not support deletions. Fail later.
  428. new_refs = dict(orig_new_refs)
  429. for ref, sha in orig_new_refs.items():
  430. if sha == ZERO_SHA:
  431. if CAPABILITY_REPORT_STATUS in negotiated_capabilities:
  432. report_status_parser._ref_statuses.append(
  433. b'ng ' + sha + b' remote does not support deleting refs')
  434. report_status_parser._ref_status_ok = False
  435. del new_refs[ref]
  436. if new_refs is None:
  437. proto.write_pkt_line(None)
  438. return old_refs
  439. if len(new_refs) == 0 and len(orig_new_refs):
  440. # NOOP - Original new refs filtered out by policy
  441. proto.write_pkt_line(None)
  442. if report_status_parser is not None:
  443. report_status_parser.check()
  444. return old_refs
  445. (have, want) = self._handle_receive_pack_head(
  446. proto, negotiated_capabilities, old_refs, new_refs)
  447. if not want and old_refs == new_refs:
  448. return new_refs
  449. objects = generate_pack_contents(have, want)
  450. dowrite = len(objects) > 0
  451. dowrite = dowrite or any(old_refs.get(ref) != sha
  452. for (ref, sha) in new_refs.items()
  453. if sha != ZERO_SHA)
  454. if dowrite:
  455. write_pack(proto.write_file(), objects)
  456. self._handle_receive_pack_tail(
  457. proto, negotiated_capabilities, progress)
  458. return new_refs
  459. def fetch_pack(self, path, determine_wants, graph_walker, pack_data,
  460. progress=None):
  461. """Retrieve a pack from a git smart server.
  462. :param determine_wants: Callback that returns list of commits to fetch
  463. :param graph_walker: Object with next() and ack().
  464. :param pack_data: Callback called for each bit of data in the pack
  465. :param progress: Callback for progress reports (strings)
  466. """
  467. proto, can_read = self._connect(b'upload-pack', path)
  468. with proto:
  469. refs, server_capabilities = read_pkt_refs(proto)
  470. negotiated_capabilities = (
  471. self._fetch_capabilities & server_capabilities)
  472. if refs is None:
  473. proto.write_pkt_line(None)
  474. return refs
  475. try:
  476. wants = determine_wants(refs)
  477. except:
  478. proto.write_pkt_line(None)
  479. raise
  480. if wants is not None:
  481. wants = [cid for cid in wants if cid != ZERO_SHA]
  482. if not wants:
  483. proto.write_pkt_line(None)
  484. return refs
  485. self._handle_upload_pack_head(
  486. proto, negotiated_capabilities, graph_walker, wants, can_read)
  487. self._handle_upload_pack_tail(
  488. proto, negotiated_capabilities, graph_walker, pack_data, progress)
  489. return refs
  490. def get_refs(self, path):
  491. """Retrieve the current refs from a git smart server."""
  492. # stock `git ls-remote` uses upload-pack
  493. proto, _ = self._connect(b'upload-pack', path)
  494. with proto:
  495. refs, _ = read_pkt_refs(proto)
  496. return refs
  497. def archive(self, path, committish, write_data, progress=None,
  498. write_error=None):
  499. proto, can_read = self._connect(b'upload-archive', path)
  500. with proto:
  501. proto.write_pkt_line(b"argument " + committish)
  502. proto.write_pkt_line(None)
  503. pkt = proto.read_pkt_line()
  504. if pkt == b"NACK\n":
  505. return
  506. elif pkt == b"ACK\n":
  507. pass
  508. elif pkt.startswith(b"ERR "):
  509. raise GitProtocolError(pkt[4:].rstrip(b"\n"))
  510. else:
  511. raise AssertionError("invalid response %r" % pkt)
  512. ret = proto.read_pkt_line()
  513. if ret is not None:
  514. raise AssertionError("expected pkt tail")
  515. self._read_side_band64k_data(proto, {
  516. SIDE_BAND_CHANNEL_DATA: write_data,
  517. SIDE_BAND_CHANNEL_PROGRESS: progress,
  518. SIDE_BAND_CHANNEL_FATAL: write_error})
  519. class TCPGitClient(TraditionalGitClient):
  520. """A Git Client that works over TCP directly (i.e. git://)."""
  521. def __init__(self, host, port=None, *args, **kwargs):
  522. if port is None:
  523. port = TCP_GIT_PORT
  524. self._host = host
  525. self._port = port
  526. TraditionalGitClient.__init__(self, *args, **kwargs)
  527. def _connect(self, cmd, path):
  528. sockaddrs = socket.getaddrinfo(
  529. self._host, self._port, socket.AF_UNSPEC, socket.SOCK_STREAM)
  530. s = None
  531. err = socket.error("no address found for %s" % self._host)
  532. for (family, socktype, proto, canonname, sockaddr) in sockaddrs:
  533. s = socket.socket(family, socktype, proto)
  534. s.setsockopt(socket.IPPROTO_TCP, socket.TCP_NODELAY, 1)
  535. try:
  536. s.connect(sockaddr)
  537. break
  538. except socket.error as err:
  539. if s is not None:
  540. s.close()
  541. s = None
  542. if s is None:
  543. raise err
  544. # -1 means system default buffering
  545. rfile = s.makefile('rb', -1)
  546. # 0 means unbuffered
  547. wfile = s.makefile('wb', 0)
  548. def close():
  549. rfile.close()
  550. wfile.close()
  551. s.close()
  552. proto = Protocol(rfile.read, wfile.write, close,
  553. report_activity=self._report_activity)
  554. if path.startswith(b"/~"):
  555. path = path[1:]
  556. proto.send_cmd(b'git-' + cmd, path, b'host=' + self._host)
  557. return proto, lambda: _fileno_can_read(s)
  558. class SubprocessWrapper(object):
  559. """A socket-like object that talks to a subprocess via pipes."""
  560. def __init__(self, proc):
  561. self.proc = proc
  562. if sys.version_info[0] == 2:
  563. self.read = proc.stdout.read
  564. else:
  565. self.read = BufferedReader(proc.stdout).read
  566. self.write = proc.stdin.write
  567. def can_read(self):
  568. if subprocess.mswindows:
  569. from msvcrt import get_osfhandle
  570. from win32pipe import PeekNamedPipe
  571. handle = get_osfhandle(self.proc.stdout.fileno())
  572. data, total_bytes_avail, msg_bytes_left = PeekNamedPipe(handle, 0)
  573. return total_bytes_avail != 0
  574. else:
  575. return _fileno_can_read(self.proc.stdout.fileno())
  576. def close(self):
  577. self.proc.stdin.close()
  578. self.proc.stdout.close()
  579. if self.proc.stderr:
  580. self.proc.stderr.close()
  581. self.proc.wait()
  582. def find_git_command():
  583. """Find command to run for system Git (usually C Git).
  584. """
  585. if sys.platform == 'win32': # support .exe, .bat and .cmd
  586. try: # to avoid overhead
  587. import win32api
  588. except ImportError: # run through cmd.exe with some overhead
  589. return ['cmd', '/c', 'git']
  590. else:
  591. status, git = win32api.FindExecutable('git')
  592. return [git]
  593. else:
  594. return ['git']
  595. class SubprocessGitClient(TraditionalGitClient):
  596. """Git client that talks to a server using a subprocess."""
  597. def __init__(self, *args, **kwargs):
  598. self._connection = None
  599. self._stderr = None
  600. self._stderr = kwargs.get('stderr')
  601. if 'stderr' in kwargs:
  602. del kwargs['stderr']
  603. TraditionalGitClient.__init__(self, *args, **kwargs)
  604. git_command = None
  605. def _connect(self, service, path):
  606. import subprocess
  607. if self.git_command is None:
  608. git_command = find_git_command()
  609. argv = git_command + [service.decode('ascii'), path]
  610. p = SubprocessWrapper(
  611. subprocess.Popen(argv, bufsize=0, stdin=subprocess.PIPE,
  612. stdout=subprocess.PIPE,
  613. stderr=self._stderr))
  614. return Protocol(p.read, p.write, p.close,
  615. report_activity=self._report_activity), p.can_read
  616. class LocalGitClient(GitClient):
  617. """Git Client that just uses a local Repo."""
  618. def __init__(self, thin_packs=True, report_activity=None):
  619. """Create a new LocalGitClient instance.
  620. :param path: Path to the local repository
  621. :param thin_packs: Whether or not thin packs should be retrieved
  622. :param report_activity: Optional callback for reporting transport
  623. activity.
  624. """
  625. self._report_activity = report_activity
  626. # Ignore the thin_packs argument
  627. def send_pack(self, path, determine_wants, generate_pack_contents,
  628. progress=None, write_pack=write_pack_objects):
  629. """Upload a pack to a remote repository.
  630. :param path: Repository path
  631. :param generate_pack_contents: Function that can return a sequence of
  632. the shas of the objects to upload.
  633. :param progress: Optional progress function
  634. :param write_pack: Function called with (file, iterable of objects) to
  635. write the objects returned by generate_pack_contents to the server.
  636. :raises SendPackError: if server rejects the pack data
  637. :raises UpdateRefsError: if the server supports report-status
  638. and rejects ref updates
  639. """
  640. from dulwich.repo import Repo
  641. with closing(Repo(path)) as target:
  642. old_refs = target.get_refs()
  643. new_refs = determine_wants(dict(old_refs))
  644. have = [sha1 for sha1 in old_refs.values() if sha1 != ZERO_SHA]
  645. want = []
  646. all_refs = set(new_refs.keys()).union(set(old_refs.keys()))
  647. for refname in all_refs:
  648. old_sha1 = old_refs.get(refname, ZERO_SHA)
  649. new_sha1 = new_refs.get(refname, ZERO_SHA)
  650. if new_sha1 not in have and new_sha1 != ZERO_SHA:
  651. want.append(new_sha1)
  652. if not want and old_refs == new_refs:
  653. return new_refs
  654. target.object_store.add_objects(generate_pack_contents(have, want))
  655. for name, sha in new_refs.items():
  656. target.refs[name] = sha
  657. return new_refs
  658. def fetch(self, path, target, determine_wants=None, progress=None):
  659. """Fetch into a target repository.
  660. :param path: Path to fetch from
  661. :param target: Target repository to fetch into
  662. :param determine_wants: Optional function to determine what refs
  663. to fetch
  664. :param progress: Optional progress function
  665. :return: remote refs as dictionary
  666. """
  667. from dulwich.repo import Repo
  668. with closing(Repo(path)) as r:
  669. return r.fetch(target, determine_wants=determine_wants,
  670. progress=progress)
  671. def fetch_pack(self, path, determine_wants, graph_walker, pack_data,
  672. progress=None):
  673. """Retrieve a pack from a git smart server.
  674. :param determine_wants: Callback that returns list of commits to fetch
  675. :param graph_walker: Object with next() and ack().
  676. :param pack_data: Callback called for each bit of data in the pack
  677. :param progress: Callback for progress reports (strings)
  678. """
  679. from dulwich.repo import Repo
  680. with closing(Repo(path)) as r:
  681. objects_iter = r.fetch_objects(determine_wants, graph_walker, progress)
  682. # Did the process short-circuit (e.g. in a stateless RPC call)? Note
  683. # that the client still expects a 0-object pack in most cases.
  684. if objects_iter is None:
  685. return
  686. write_pack_objects(ProtocolFile(None, pack_data), objects_iter)
  687. def get_refs(self, path):
  688. """Retrieve the current refs from a git smart server."""
  689. from dulwich.repo import Repo
  690. with closing(Repo(path)) as target:
  691. return target.get_refs()
  692. # What Git client to use for local access
  693. default_local_git_client_cls = LocalGitClient
  694. class SSHVendor(object):
  695. """A client side SSH implementation."""
  696. def connect_ssh(self, host, command, username=None, port=None):
  697. import warnings
  698. warnings.warn(
  699. "SSHVendor.connect_ssh has been renamed to SSHVendor.run_command",
  700. DeprecationWarning)
  701. return self.run_command(host, command, username=username, port=port)
  702. def run_command(self, host, command, username=None, port=None):
  703. """Connect to an SSH server.
  704. Run a command remotely and return a file-like object for interaction
  705. with the remote command.
  706. :param host: Host name
  707. :param command: Command to run (as argv array)
  708. :param username: Optional ame of user to log in as
  709. :param port: Optional SSH port to use
  710. """
  711. raise NotImplementedError(self.run_command)
  712. class SubprocessSSHVendor(SSHVendor):
  713. """SSH vendor that shells out to the local 'ssh' command."""
  714. def run_command(self, host, command, username=None, port=None):
  715. if (type(command) is not list or
  716. not all([isinstance(b, bytes) for b in command])):
  717. raise TypeError(command)
  718. import subprocess
  719. #FIXME: This has no way to deal with passwords..
  720. args = ['ssh', '-x']
  721. if port is not None:
  722. args.extend(['-p', str(port)])
  723. if username is not None:
  724. host = '%s@%s' % (username, host)
  725. args.append(host)
  726. proc = subprocess.Popen(args + command,
  727. stdin=subprocess.PIPE,
  728. stdout=subprocess.PIPE)
  729. return SubprocessWrapper(proc)
  730. try:
  731. import paramiko
  732. except ImportError:
  733. pass
  734. else:
  735. import threading
  736. class ParamikoWrapper(object):
  737. STDERR_READ_N = 2048 # 2k
  738. def __init__(self, client, channel, progress_stderr=None):
  739. self.client = client
  740. self.channel = channel
  741. self.progress_stderr = progress_stderr
  742. self.should_monitor = bool(progress_stderr) or True
  743. self.monitor_thread = None
  744. self.stderr = ''
  745. # Channel must block
  746. self.channel.setblocking(True)
  747. # Start
  748. if self.should_monitor:
  749. self.monitor_thread = threading.Thread(
  750. target=self.monitor_stderr)
  751. self.monitor_thread.start()
  752. def monitor_stderr(self):
  753. while self.should_monitor:
  754. # Block and read
  755. data = self.read_stderr(self.STDERR_READ_N)
  756. # Socket closed
  757. if not data:
  758. self.should_monitor = False
  759. break
  760. # Emit data
  761. if self.progress_stderr:
  762. self.progress_stderr(data)
  763. # Append to buffer
  764. self.stderr += data
  765. def stop_monitoring(self):
  766. # Stop StdErr thread
  767. if self.should_monitor:
  768. self.should_monitor = False
  769. self.monitor_thread.join()
  770. # Get left over data
  771. data = self.channel.in_stderr_buffer.empty()
  772. self.stderr += data
  773. def can_read(self):
  774. return self.channel.recv_ready()
  775. def write(self, data):
  776. return self.channel.sendall(data)
  777. def read_stderr(self, n):
  778. return self.channel.recv_stderr(n)
  779. def read(self, n=None):
  780. data = self.channel.recv(n)
  781. data_len = len(data)
  782. # Closed socket
  783. if not data:
  784. return
  785. # Read more if needed
  786. if n and data_len < n:
  787. diff_len = n - data_len
  788. return data + self.read(diff_len)
  789. return data
  790. def close(self):
  791. self.channel.close()
  792. self.stop_monitoring()
  793. class ParamikoSSHVendor(object):
  794. def __init__(self):
  795. self.ssh_kwargs = {}
  796. def run_command(self, host, command, username=None, port=None,
  797. progress_stderr=None):
  798. if (type(command) is not list or
  799. not all([isinstance(b, bytes) for b in command])):
  800. raise TypeError(command)
  801. # Paramiko needs an explicit port. None is not valid
  802. if port is None:
  803. port = 22
  804. client = paramiko.SSHClient()
  805. policy = paramiko.client.MissingHostKeyPolicy()
  806. client.set_missing_host_key_policy(policy)
  807. client.connect(host, username=username, port=port,
  808. **self.ssh_kwargs)
  809. # Open SSH session
  810. channel = client.get_transport().open_session()
  811. # Run commands
  812. channel.exec_command(subprocess.list2cmdline(command))
  813. return ParamikoWrapper(
  814. client, channel, progress_stderr=progress_stderr)
  815. # Can be overridden by users
  816. get_ssh_vendor = SubprocessSSHVendor
  817. class SSHGitClient(TraditionalGitClient):
  818. def __init__(self, host, port=None, username=None, *args, **kwargs):
  819. self.host = host
  820. self.port = port
  821. self.username = username
  822. TraditionalGitClient.__init__(self, *args, **kwargs)
  823. self.alternative_paths = {}
  824. def _get_cmd_path(self, cmd):
  825. cmd = self.alternative_paths.get(cmd, b'git-' + cmd)
  826. if sys.version_info[0:2] >= (2, 7):
  827. return [b.decode('ascii') for b in shlex.split(cmd)]
  828. else:
  829. return shlex.split(cmd.decode('ascii'))
  830. def _connect(self, cmd, path):
  831. if path.startswith("/~"):
  832. path = path[1:]
  833. con = get_ssh_vendor().run_command(
  834. self.host, self._get_cmd_path(cmd) + [path],
  835. port=self.port, username=self.username)
  836. return (Protocol(con.read, con.write, con.close,
  837. report_activity=self._report_activity),
  838. con.can_read)
  839. def default_user_agent_string():
  840. return "dulwich/%s" % ".".join([str(x) for x in dulwich.__version__])
  841. def default_urllib2_opener(config):
  842. if config is not None:
  843. proxy_server = config.get("http", "proxy")
  844. else:
  845. proxy_server = None
  846. handlers = []
  847. if proxy_server is not None:
  848. handlers.append(urllib2.ProxyHandler({"http": proxy_server}))
  849. opener = urllib2.build_opener(*handlers)
  850. if config is not None:
  851. user_agent = config.get("http", "useragent")
  852. else:
  853. user_agent = None
  854. if user_agent is None:
  855. user_agent = default_user_agent_string()
  856. opener.addheaders = [('User-agent', user_agent)]
  857. return opener
  858. class HttpGitClient(GitClient):
  859. def __init__(self, base_url, dumb=None, opener=None, config=None, *args,
  860. **kwargs):
  861. self.base_url = base_url.rstrip("/") + "/"
  862. self.dumb = dumb
  863. if opener is None:
  864. self.opener = default_urllib2_opener(config)
  865. else:
  866. self.opener = opener
  867. GitClient.__init__(self, *args, **kwargs)
  868. def __repr__(self):
  869. return "%s(%r, dumb=%r)" % (type(self).__name__, self.base_url, self.dumb)
  870. def _get_url(self, path):
  871. return urlparse.urljoin(self.base_url, path).rstrip("/") + "/"
  872. def _http_request(self, url, headers={}, data=None):
  873. req = urllib2.Request(url, headers=headers, data=data)
  874. try:
  875. resp = self.opener.open(req)
  876. except urllib2.HTTPError as e:
  877. if e.code == 404:
  878. raise NotGitRepository()
  879. if e.code != 200:
  880. raise GitProtocolError("unexpected http response %d" % e.code)
  881. return resp
  882. def _discover_references(self, service, url):
  883. assert url[-1] == "/"
  884. url = urlparse.urljoin(url, "info/refs")
  885. headers = {}
  886. if self.dumb is not False:
  887. url += "?service=%s" % service
  888. headers["Content-Type"] = "application/x-%s-request" % service
  889. resp = self._http_request(url, headers)
  890. try:
  891. self.dumb = (not resp.info().gettype().startswith("application/x-git-"))
  892. if not self.dumb:
  893. proto = Protocol(resp.read, None)
  894. # The first line should mention the service
  895. pkts = list(proto.read_pkt_seq())
  896. if pkts != [('# service=%s\n' % service)]:
  897. raise GitProtocolError(
  898. "unexpected first line %r from smart server" % pkts)
  899. return read_pkt_refs(proto)
  900. else:
  901. return read_info_refs(resp), set()
  902. finally:
  903. resp.close()
  904. def _smart_request(self, service, url, data):
  905. assert url[-1] == "/"
  906. url = urlparse.urljoin(url, service)
  907. headers = {"Content-Type": "application/x-%s-request" % service}
  908. resp = self._http_request(url, headers, data)
  909. if resp.info().gettype() != ("application/x-%s-result" % service):
  910. raise GitProtocolError("Invalid content-type from server: %s"
  911. % resp.info().gettype())
  912. return resp
  913. def send_pack(self, path, determine_wants, generate_pack_contents,
  914. progress=None, write_pack=write_pack_objects):
  915. """Upload a pack to a remote repository.
  916. :param path: Repository path
  917. :param generate_pack_contents: Function that can return a sequence of
  918. the shas of the objects to upload.
  919. :param progress: Optional progress function
  920. :param write_pack: Function called with (file, iterable of objects) to
  921. write the objects returned by generate_pack_contents to the server.
  922. :raises SendPackError: if server rejects the pack data
  923. :raises UpdateRefsError: if the server supports report-status
  924. and rejects ref updates
  925. """
  926. url = self._get_url(path)
  927. old_refs, server_capabilities = self._discover_references(
  928. b"git-receive-pack", url)
  929. negotiated_capabilities = self._send_capabilities & server_capabilities
  930. if CAPABILITY_REPORT_STATUS in negotiated_capabilities:
  931. self._report_status_parser = ReportStatusParser()
  932. new_refs = determine_wants(dict(old_refs))
  933. if new_refs is None:
  934. return old_refs
  935. if self.dumb:
  936. raise NotImplementedError(self.fetch_pack)
  937. req_data = BytesIO()
  938. req_proto = Protocol(None, req_data.write)
  939. (have, want) = self._handle_receive_pack_head(
  940. req_proto, negotiated_capabilities, old_refs, new_refs)
  941. if not want and old_refs == new_refs:
  942. return new_refs
  943. objects = generate_pack_contents(have, want)
  944. if len(objects) > 0:
  945. write_pack(req_proto.write_file(), objects)
  946. resp = self._smart_request(b"git-receive-pack", url,
  947. data=req_data.getvalue())
  948. try:
  949. resp_proto = Protocol(resp.read, None)
  950. self._handle_receive_pack_tail(resp_proto, negotiated_capabilities,
  951. progress)
  952. return new_refs
  953. finally:
  954. resp.close()
  955. def fetch_pack(self, path, determine_wants, graph_walker, pack_data,
  956. progress=None):
  957. """Retrieve a pack from a git smart server.
  958. :param determine_wants: Callback that returns list of commits to fetch
  959. :param graph_walker: Object with next() and ack().
  960. :param pack_data: Callback called for each bit of data in the pack
  961. :param progress: Callback for progress reports (strings)
  962. :return: Dictionary with the refs of the remote repository
  963. """
  964. url = self._get_url(path)
  965. refs, server_capabilities = self._discover_references(
  966. b"git-upload-pack", url)
  967. negotiated_capabilities = self._fetch_capabilities & server_capabilities
  968. wants = determine_wants(refs)
  969. if wants is not None:
  970. wants = [cid for cid in wants if cid != ZERO_SHA]
  971. if not wants:
  972. return refs
  973. if self.dumb:
  974. raise NotImplementedError(self.send_pack)
  975. req_data = BytesIO()
  976. req_proto = Protocol(None, req_data.write)
  977. self._handle_upload_pack_head(
  978. req_proto, negotiated_capabilities, graph_walker, wants,
  979. lambda: False)
  980. resp = self._smart_request(
  981. b"git-upload-pack", url, data=req_data.getvalue())
  982. try:
  983. resp_proto = Protocol(resp.read, None)
  984. self._handle_upload_pack_tail(resp_proto, negotiated_capabilities,
  985. graph_walker, pack_data, progress)
  986. return refs
  987. finally:
  988. resp.close()
  989. def get_refs(self, path):
  990. """Retrieve the current refs from a git smart server."""
  991. url = self._get_url(path)
  992. refs, _ = self._discover_references(
  993. b"git-upload-pack", url)
  994. return refs
  995. def get_transport_and_path_from_url(url, config=None, **kwargs):
  996. """Obtain a git client from a URL.
  997. :param url: URL to open
  998. :param config: Optional config object
  999. :param thin_packs: Whether or not thin packs should be retrieved
  1000. :param report_activity: Optional callback for reporting transport
  1001. activity.
  1002. :return: Tuple with client instance and relative path.
  1003. """
  1004. parsed = urlparse.urlparse(url)
  1005. if parsed.scheme == 'git':
  1006. return (TCPGitClient(parsed.hostname, port=parsed.port, **kwargs),
  1007. parsed.path)
  1008. elif parsed.scheme == 'git+ssh':
  1009. path = parsed.path
  1010. if path.startswith('/'):
  1011. path = parsed.path[1:]
  1012. return SSHGitClient(parsed.hostname, port=parsed.port,
  1013. username=parsed.username, **kwargs), path
  1014. elif parsed.scheme in ('http', 'https'):
  1015. return HttpGitClient(urlparse.urlunparse(parsed), config=config,
  1016. **kwargs), parsed.path
  1017. elif parsed.scheme == 'file':
  1018. return default_local_git_client_cls(**kwargs), parsed.path
  1019. raise ValueError("unknown scheme '%s'" % parsed.scheme)
  1020. def get_transport_and_path(location, **kwargs):
  1021. """Obtain a git client from a URL.
  1022. :param location: URL or path
  1023. :param config: Optional config object
  1024. :param thin_packs: Whether or not thin packs should be retrieved
  1025. :param report_activity: Optional callback for reporting transport
  1026. activity.
  1027. :return: Tuple with client instance and relative path.
  1028. """
  1029. # First, try to parse it as a URL
  1030. try:
  1031. return get_transport_and_path_from_url(location, **kwargs)
  1032. except ValueError:
  1033. pass
  1034. if (sys.platform == 'win32' and
  1035. location[0].isalpha() and location[1:3] == ':\\'):
  1036. # Windows local path
  1037. return default_local_git_client_cls(**kwargs), location
  1038. if ':' in location and not '@' in location:
  1039. # SSH with no user@, zero or one leading slash.
  1040. (hostname, path) = location.split(':')
  1041. return SSHGitClient(hostname, **kwargs), path
  1042. elif '@' in location and ':' in location:
  1043. # SSH with user@host:foo.
  1044. user_host, path = location.split(':')
  1045. user, host = user_host.rsplit('@')
  1046. return SSHGitClient(host, username=user, **kwargs), path
  1047. # Otherwise, assume it's a local path.
  1048. return default_local_git_client_cls(**kwargs), location