client.py 36 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004
  1. # client.py -- Implementation of the server side git protocols
  2. # Copyright (C) 2008-2009 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 cStringIO import StringIO
  35. import select
  36. import socket
  37. import subprocess
  38. import urllib2
  39. import urlparse
  40. from dulwich.errors import (
  41. GitProtocolError,
  42. NotGitRepository,
  43. SendPackError,
  44. UpdateRefsError,
  45. )
  46. from dulwich.protocol import (
  47. _RBUFSIZE,
  48. PktLineParser,
  49. Protocol,
  50. TCP_GIT_PORT,
  51. ZERO_SHA,
  52. extract_capabilities,
  53. )
  54. from dulwich.pack import (
  55. write_pack_objects,
  56. )
  57. # Python 2.6.6 included these in urlparse.uses_netloc upstream. Do
  58. # monkeypatching to enable similar behaviour in earlier Pythons:
  59. for scheme in ('git', 'git+ssh'):
  60. if scheme not in urlparse.uses_netloc:
  61. urlparse.uses_netloc.append(scheme)
  62. def _fileno_can_read(fileno):
  63. """Check if a file descriptor is readable."""
  64. return len(select.select([fileno], [], [], 0)[0]) > 0
  65. COMMON_CAPABILITIES = ['ofs-delta', 'side-band-64k']
  66. FETCH_CAPABILITIES = ['thin-pack', 'multi_ack', 'multi_ack_detailed'] + COMMON_CAPABILITIES
  67. SEND_CAPABILITIES = ['report-status'] + COMMON_CAPABILITIES
  68. class ReportStatusParser(object):
  69. """Handle status as reported by servers with the 'report-status' capability.
  70. """
  71. def __init__(self):
  72. self._done = False
  73. self._pack_status = None
  74. self._ref_status_ok = True
  75. self._ref_statuses = []
  76. def check(self):
  77. """Check if there were any errors and, if so, raise exceptions.
  78. :raise SendPackError: Raised when the server could not unpack
  79. :raise UpdateRefsError: Raised when refs could not be updated
  80. """
  81. if self._pack_status not in ('unpack ok', None):
  82. raise SendPackError(self._pack_status)
  83. if not self._ref_status_ok:
  84. ref_status = {}
  85. ok = set()
  86. for status in self._ref_statuses:
  87. if ' ' not in status:
  88. # malformed response, move on to the next one
  89. continue
  90. status, ref = status.split(' ', 1)
  91. if status == 'ng':
  92. if ' ' in ref:
  93. ref, status = ref.split(' ', 1)
  94. else:
  95. ok.add(ref)
  96. ref_status[ref] = status
  97. raise UpdateRefsError('%s failed to update' %
  98. ', '.join([ref for ref in ref_status
  99. if ref not in ok]),
  100. ref_status=ref_status)
  101. def handle_packet(self, pkt):
  102. """Handle a packet.
  103. :raise GitProtocolError: Raised when packets are received after a
  104. flush packet.
  105. """
  106. if self._done:
  107. raise GitProtocolError("received more data after status report")
  108. if pkt is None:
  109. self._done = True
  110. return
  111. if self._pack_status is None:
  112. self._pack_status = pkt.strip()
  113. else:
  114. ref_status = pkt.strip()
  115. self._ref_statuses.append(ref_status)
  116. if not ref_status.startswith('ok '):
  117. self._ref_status_ok = False
  118. def read_pkt_refs(proto):
  119. server_capabilities = None
  120. refs = {}
  121. # Receive refs from server
  122. for pkt in proto.read_pkt_seq():
  123. (sha, ref) = pkt.rstrip('\n').split(None, 1)
  124. if sha == 'ERR':
  125. raise GitProtocolError(ref)
  126. if server_capabilities is None:
  127. (ref, server_capabilities) = extract_capabilities(ref)
  128. refs[ref] = sha
  129. if len(refs) == 0:
  130. return None, set([])
  131. return refs, set(server_capabilities)
  132. def read_info_refs(f):
  133. ret = {}
  134. for l in f.readlines():
  135. (sha, name) = l.rstrip("\r\n").split("\t", 1)
  136. ret[name] = sha
  137. return ret
  138. # TODO(durin42): this doesn't correctly degrade if the server doesn't
  139. # support some capabilities. This should work properly with servers
  140. # that don't support multi_ack.
  141. class GitClient(object):
  142. """Git smart server client.
  143. """
  144. def __init__(self, thin_packs=True, report_activity=None):
  145. """Create a new GitClient instance.
  146. :param thin_packs: Whether or not thin packs should be retrieved
  147. :param report_activity: Optional callback for reporting transport
  148. activity.
  149. """
  150. self._report_activity = report_activity
  151. self._report_status_parser = None
  152. self._fetch_capabilities = set(FETCH_CAPABILITIES)
  153. self._send_capabilities = set(SEND_CAPABILITIES)
  154. if not thin_packs:
  155. self._fetch_capabilities.remove('thin-pack')
  156. def send_pack(self, path, determine_wants, generate_pack_contents,
  157. progress=None):
  158. """Upload a pack to a remote repository.
  159. :param path: Repository path
  160. :param generate_pack_contents: Function that can return a sequence of the
  161. shas of the objects to upload.
  162. :param progress: Optional progress function
  163. :raises SendPackError: if server rejects the pack data
  164. :raises UpdateRefsError: if the server supports report-status
  165. and rejects ref updates
  166. """
  167. raise NotImplementedError(self.send_pack)
  168. def fetch(self, path, target, determine_wants=None, progress=None):
  169. """Fetch into a target repository.
  170. :param path: Path to fetch from
  171. :param target: Target repository to fetch into
  172. :param determine_wants: Optional function to determine what refs
  173. to fetch
  174. :param progress: Optional progress function
  175. :return: remote refs as dictionary
  176. """
  177. if determine_wants is None:
  178. determine_wants = target.object_store.determine_wants_all
  179. f, commit, abort = target.object_store.add_pack()
  180. try:
  181. result = self.fetch_pack(path, determine_wants,
  182. target.get_graph_walker(), f.write, progress)
  183. except:
  184. abort()
  185. raise
  186. else:
  187. commit()
  188. return result
  189. def fetch_pack(self, path, determine_wants, graph_walker, pack_data,
  190. progress=None):
  191. """Retrieve a pack from a git smart server.
  192. :param determine_wants: Callback that returns list of commits to fetch
  193. :param graph_walker: Object with next() and ack().
  194. :param pack_data: Callback called for each bit of data in the pack
  195. :param progress: Callback for progress reports (strings)
  196. """
  197. raise NotImplementedError(self.fetch_pack)
  198. def _parse_status_report(self, proto):
  199. unpack = proto.read_pkt_line().strip()
  200. if unpack != 'unpack ok':
  201. st = True
  202. # flush remaining error data
  203. while st is not None:
  204. st = proto.read_pkt_line()
  205. raise SendPackError(unpack)
  206. statuses = []
  207. errs = False
  208. ref_status = proto.read_pkt_line()
  209. while ref_status:
  210. ref_status = ref_status.strip()
  211. statuses.append(ref_status)
  212. if not ref_status.startswith('ok '):
  213. errs = True
  214. ref_status = proto.read_pkt_line()
  215. if errs:
  216. ref_status = {}
  217. ok = set()
  218. for status in statuses:
  219. if ' ' not in status:
  220. # malformed response, move on to the next one
  221. continue
  222. status, ref = status.split(' ', 1)
  223. if status == 'ng':
  224. if ' ' in ref:
  225. ref, status = ref.split(' ', 1)
  226. else:
  227. ok.add(ref)
  228. ref_status[ref] = status
  229. raise UpdateRefsError('%s failed to update' %
  230. ', '.join([ref for ref in ref_status
  231. if ref not in ok]),
  232. ref_status=ref_status)
  233. def _read_side_band64k_data(self, proto, channel_callbacks):
  234. """Read per-channel data.
  235. This requires the side-band-64k capability.
  236. :param proto: Protocol object to read from
  237. :param channel_callbacks: Dictionary mapping channels to packet
  238. handlers to use. None for a callback discards channel data.
  239. """
  240. for pkt in proto.read_pkt_seq():
  241. channel = ord(pkt[0])
  242. pkt = pkt[1:]
  243. try:
  244. cb = channel_callbacks[channel]
  245. except KeyError:
  246. raise AssertionError('Invalid sideband channel %d' % channel)
  247. else:
  248. if cb is not None:
  249. cb(pkt)
  250. def _handle_receive_pack_head(self, proto, capabilities, old_refs, new_refs):
  251. """Handle the head of a 'git-receive-pack' request.
  252. :param proto: Protocol object to read from
  253. :param capabilities: List of negotiated capabilities
  254. :param old_refs: Old refs, as received from the server
  255. :param new_refs: New refs
  256. :return: (have, want) tuple
  257. """
  258. want = []
  259. have = [x for x in old_refs.values() if not x == ZERO_SHA]
  260. sent_capabilities = False
  261. for refname in set(new_refs.keys() + old_refs.keys()):
  262. old_sha1 = old_refs.get(refname, ZERO_SHA)
  263. new_sha1 = new_refs.get(refname, ZERO_SHA)
  264. if old_sha1 != new_sha1:
  265. if sent_capabilities:
  266. proto.write_pkt_line('%s %s %s' % (old_sha1, new_sha1,
  267. refname))
  268. else:
  269. proto.write_pkt_line(
  270. '%s %s %s\0%s' % (old_sha1, new_sha1, refname,
  271. ' '.join(capabilities)))
  272. sent_capabilities = True
  273. if new_sha1 not in have and new_sha1 != ZERO_SHA:
  274. want.append(new_sha1)
  275. proto.write_pkt_line(None)
  276. return (have, want)
  277. def _handle_receive_pack_tail(self, proto, capabilities, progress=None):
  278. """Handle the tail of a 'git-receive-pack' request.
  279. :param proto: Protocol object to read from
  280. :param capabilities: List of negotiated capabilities
  281. :param progress: Optional progress reporting function
  282. """
  283. if "side-band-64k" in capabilities:
  284. if progress is None:
  285. progress = lambda x: None
  286. channel_callbacks = { 2: progress }
  287. if 'report-status' in capabilities:
  288. channel_callbacks[1] = PktLineParser(
  289. self._report_status_parser.handle_packet).parse
  290. self._read_side_band64k_data(proto, channel_callbacks)
  291. else:
  292. if 'report-status' in capabilities:
  293. for pkt in proto.read_pkt_seq():
  294. self._report_status_parser.handle_packet(pkt)
  295. if self._report_status_parser is not None:
  296. self._report_status_parser.check()
  297. # wait for EOF before returning
  298. data = proto.read()
  299. if data:
  300. raise SendPackError('Unexpected response %r' % data)
  301. def _handle_upload_pack_head(self, proto, capabilities, graph_walker,
  302. wants, can_read):
  303. """Handle the head of a 'git-upload-pack' request.
  304. :param proto: Protocol object to read from
  305. :param capabilities: List of negotiated capabilities
  306. :param graph_walker: GraphWalker instance to call .ack() on
  307. :param wants: List of commits to fetch
  308. :param can_read: function that returns a boolean that indicates
  309. whether there is extra graph data to read on proto
  310. """
  311. assert isinstance(wants, list) and type(wants[0]) == str
  312. proto.write_pkt_line('want %s %s\n' % (
  313. wants[0], ' '.join(capabilities)))
  314. for want in wants[1:]:
  315. proto.write_pkt_line('want %s\n' % want)
  316. proto.write_pkt_line(None)
  317. have = graph_walker.next()
  318. while have:
  319. proto.write_pkt_line('have %s\n' % have)
  320. if can_read():
  321. pkt = proto.read_pkt_line()
  322. parts = pkt.rstrip('\n').split(' ')
  323. if parts[0] == 'ACK':
  324. graph_walker.ack(parts[1])
  325. if parts[2] in ('continue', 'common'):
  326. pass
  327. elif parts[2] == 'ready':
  328. break
  329. else:
  330. raise AssertionError(
  331. "%s not in ('continue', 'ready', 'common)" %
  332. parts[2])
  333. have = graph_walker.next()
  334. proto.write_pkt_line('done\n')
  335. def _handle_upload_pack_tail(self, proto, capabilities, graph_walker,
  336. pack_data, progress=None, rbufsize=_RBUFSIZE):
  337. """Handle the tail of a 'git-upload-pack' request.
  338. :param proto: Protocol object to read from
  339. :param capabilities: List of negotiated capabilities
  340. :param graph_walker: GraphWalker instance to call .ack() on
  341. :param pack_data: Function to call with pack data
  342. :param progress: Optional progress reporting function
  343. :param rbufsize: Read buffer size
  344. """
  345. pkt = proto.read_pkt_line()
  346. while pkt:
  347. parts = pkt.rstrip('\n').split(' ')
  348. if parts[0] == 'ACK':
  349. graph_walker.ack(pkt.split(' ')[1])
  350. if len(parts) < 3 or parts[2] not in (
  351. 'ready', 'continue', 'common'):
  352. break
  353. pkt = proto.read_pkt_line()
  354. if "side-band-64k" in capabilities:
  355. if progress is None:
  356. # Just ignore progress data
  357. progress = lambda x: None
  358. self._read_side_band64k_data(proto, {1: pack_data, 2: progress})
  359. # wait for EOF before returning
  360. data = proto.read()
  361. if data:
  362. raise Exception('Unexpected response %r' % data)
  363. else:
  364. while True:
  365. data = proto.read(rbufsize)
  366. if data == "":
  367. break
  368. pack_data(data)
  369. class TraditionalGitClient(GitClient):
  370. """Traditional Git client."""
  371. def _connect(self, cmd, path):
  372. """Create a connection to the server.
  373. This method is abstract - concrete implementations should
  374. implement their own variant which connects to the server and
  375. returns an initialized Protocol object with the service ready
  376. for use and a can_read function which may be used to see if
  377. reads would block.
  378. :param cmd: The git service name to which we should connect.
  379. :param path: The path we should pass to the service.
  380. """
  381. raise NotImplementedError()
  382. def send_pack(self, path, determine_wants, generate_pack_contents,
  383. progress=None):
  384. """Upload a pack to a remote repository.
  385. :param path: Repository path
  386. :param generate_pack_contents: Function that can return a sequence of the
  387. shas of the objects to upload.
  388. :param progress: Optional callback called with progress updates
  389. :raises SendPackError: if server rejects the pack data
  390. :raises UpdateRefsError: if the server supports report-status
  391. and rejects ref updates
  392. """
  393. proto, unused_can_read = self._connect('receive-pack', path)
  394. old_refs, server_capabilities = read_pkt_refs(proto)
  395. negotiated_capabilities = self._send_capabilities & server_capabilities
  396. if 'report-status' in negotiated_capabilities:
  397. self._report_status_parser = ReportStatusParser()
  398. report_status_parser = self._report_status_parser
  399. try:
  400. new_refs = orig_new_refs = determine_wants(dict(old_refs))
  401. except:
  402. proto.write_pkt_line(None)
  403. raise
  404. if not 'delete-refs' in server_capabilities:
  405. # Server does not support deletions. Fail later.
  406. def remove_del(pair):
  407. if pair[1] == ZERO_SHA:
  408. if 'report-status' in negotiated_capabilities:
  409. report_status_parser._ref_statuses.append(
  410. 'ng %s remote does not support deleting refs'
  411. % pair[1])
  412. report_status_parser._ref_status_ok = False
  413. return False
  414. else:
  415. return True
  416. new_refs = dict(
  417. filter(
  418. remove_del,
  419. [(ref, sha) for ref, sha in new_refs.iteritems()]))
  420. if new_refs is None:
  421. proto.write_pkt_line(None)
  422. return old_refs
  423. if len(new_refs) == 0 and len(orig_new_refs):
  424. # NOOP - Original new refs filtered out by policy
  425. proto.write_pkt_line(None)
  426. if self._report_status_parser is not None:
  427. self._report_status_parser.check()
  428. return old_refs
  429. (have, want) = self._handle_receive_pack_head(proto,
  430. negotiated_capabilities, old_refs, new_refs)
  431. if not want and old_refs == new_refs:
  432. return new_refs
  433. objects = generate_pack_contents(have, want)
  434. if len(objects) > 0:
  435. entries, sha = write_pack_objects(proto.write_file(), objects)
  436. elif len(set(new_refs.values()) - set([ZERO_SHA])) > 0:
  437. # Check for valid create/update refs
  438. filtered_new_refs = \
  439. dict([(ref, sha) for ref, sha in new_refs.iteritems()
  440. if sha != ZERO_SHA])
  441. if len(set(filtered_new_refs.iteritems()) -
  442. set(old_refs.iteritems())) > 0:
  443. entries, sha = write_pack_objects(proto.write_file(), objects)
  444. self._handle_receive_pack_tail(proto, negotiated_capabilities,
  445. progress)
  446. return new_refs
  447. def fetch_pack(self, path, determine_wants, graph_walker, pack_data,
  448. progress=None):
  449. """Retrieve a pack from a git smart server.
  450. :param determine_wants: Callback that returns list of commits to fetch
  451. :param graph_walker: Object with next() and ack().
  452. :param pack_data: Callback called for each bit of data in the pack
  453. :param progress: Callback for progress reports (strings)
  454. """
  455. proto, can_read = self._connect('upload-pack', path)
  456. refs, server_capabilities = read_pkt_refs(proto)
  457. negotiated_capabilities = self._fetch_capabilities & server_capabilities
  458. if refs is None:
  459. proto.write_pkt_line(None)
  460. return refs
  461. try:
  462. wants = determine_wants(refs)
  463. except:
  464. proto.write_pkt_line(None)
  465. raise
  466. if wants is not None:
  467. wants = [cid for cid in wants if cid != ZERO_SHA]
  468. if not wants:
  469. proto.write_pkt_line(None)
  470. return refs
  471. self._handle_upload_pack_head(proto, negotiated_capabilities,
  472. graph_walker, wants, can_read)
  473. self._handle_upload_pack_tail(proto, negotiated_capabilities,
  474. graph_walker, pack_data, progress)
  475. return refs
  476. def archive(self, path, committish, write_data, progress=None):
  477. proto, can_read = self._connect('upload-archive', path)
  478. proto.write_pkt_line("argument %s" % committish)
  479. proto.write_pkt_line(None)
  480. pkt = proto.read_pkt_line()
  481. if pkt == "NACK\n":
  482. return
  483. elif pkt == "ACK\n":
  484. pass
  485. elif pkt.startswith("ERR "):
  486. raise GitProtocolError(pkt[4:].rstrip("\n"))
  487. else:
  488. raise AssertionError("invalid response %r" % pkt)
  489. ret = proto.read_pkt_line()
  490. if ret is not None:
  491. raise AssertionError("expected pkt tail")
  492. self._read_side_band64k_data(proto, {1: write_data, 2: progress})
  493. class TCPGitClient(TraditionalGitClient):
  494. """A Git Client that works over TCP directly (i.e. git://)."""
  495. def __init__(self, host, port=None, *args, **kwargs):
  496. if port is None:
  497. port = TCP_GIT_PORT
  498. self._host = host
  499. self._port = port
  500. TraditionalGitClient.__init__(self, *args, **kwargs)
  501. def _connect(self, cmd, path):
  502. sockaddrs = socket.getaddrinfo(self._host, self._port,
  503. socket.AF_UNSPEC, socket.SOCK_STREAM)
  504. s = None
  505. err = socket.error("no address found for %s" % self._host)
  506. for (family, socktype, proto, canonname, sockaddr) in sockaddrs:
  507. s = socket.socket(family, socktype, proto)
  508. s.setsockopt(socket.IPPROTO_TCP, socket.TCP_NODELAY, 1)
  509. try:
  510. s.connect(sockaddr)
  511. break
  512. except socket.error, err:
  513. if s is not None:
  514. s.close()
  515. s = None
  516. if s is None:
  517. raise err
  518. # -1 means system default buffering
  519. rfile = s.makefile('rb', -1)
  520. # 0 means unbuffered
  521. wfile = s.makefile('wb', 0)
  522. proto = Protocol(rfile.read, wfile.write,
  523. report_activity=self._report_activity)
  524. if path.startswith("/~"):
  525. path = path[1:]
  526. proto.send_cmd('git-%s' % cmd, path, 'host=%s' % self._host)
  527. return proto, lambda: _fileno_can_read(s)
  528. class SubprocessWrapper(object):
  529. """A socket-like object that talks to a subprocess via pipes."""
  530. def __init__(self, proc):
  531. self.proc = proc
  532. self.read = proc.stdout.read
  533. self.write = proc.stdin.write
  534. def can_read(self):
  535. if subprocess.mswindows:
  536. from msvcrt import get_osfhandle
  537. from win32pipe import PeekNamedPipe
  538. handle = get_osfhandle(self.proc.stdout.fileno())
  539. return PeekNamedPipe(handle, 0)[2] != 0
  540. else:
  541. return _fileno_can_read(self.proc.stdout.fileno())
  542. def close(self):
  543. self.proc.stdin.close()
  544. self.proc.stdout.close()
  545. self.proc.wait()
  546. class SubprocessGitClient(TraditionalGitClient):
  547. """Git client that talks to a server using a subprocess."""
  548. def __init__(self, *args, **kwargs):
  549. self._connection = None
  550. self._stderr = None
  551. self._stderr = kwargs.get('stderr')
  552. if 'stderr' in kwargs:
  553. del kwargs['stderr']
  554. TraditionalGitClient.__init__(self, *args, **kwargs)
  555. def _connect(self, service, path):
  556. import subprocess
  557. argv = ['git', service, path]
  558. p = SubprocessWrapper(
  559. subprocess.Popen(argv, bufsize=0, stdin=subprocess.PIPE,
  560. stdout=subprocess.PIPE,
  561. stderr=self._stderr))
  562. return Protocol(p.read, p.write,
  563. report_activity=self._report_activity), p.can_read
  564. class SSHVendor(object):
  565. """A client side SSH implementation."""
  566. def connect_ssh(self, host, command, username=None, port=None):
  567. import warnings
  568. warnings.warn(
  569. "SSHVendor.connect_ssh has been renamed to SSHVendor.run_command",
  570. DeprecationWarning)
  571. return self.run_command(host, command, username=username, port=port)
  572. def run_command(self, host, command, username=None, port=None):
  573. """Connect to an SSH server.
  574. Run a command remotely and return a file-like object for interaction
  575. with the remote command.
  576. :param host: Host name
  577. :param command: Command to run
  578. :param username: Optional ame of user to log in as
  579. :param port: Optional SSH port to use
  580. """
  581. raise NotImplementedError(self.run_command)
  582. class SubprocessSSHVendor(SSHVendor):
  583. """SSH vendor that shells out to the local 'ssh' command."""
  584. def run_command(self, host, command, username=None, port=None):
  585. import subprocess
  586. #FIXME: This has no way to deal with passwords..
  587. args = ['ssh', '-x']
  588. if port is not None:
  589. args.extend(['-p', str(port)])
  590. if username is not None:
  591. host = '%s@%s' % (username, host)
  592. args.append(host)
  593. proc = subprocess.Popen(args + command,
  594. stdin=subprocess.PIPE,
  595. stdout=subprocess.PIPE)
  596. return SubprocessWrapper(proc)
  597. try:
  598. import paramiko
  599. except ImportError:
  600. pass
  601. else:
  602. import threading
  603. class ParamikoWrapper(object):
  604. STDERR_READ_N = 2048 # 2k
  605. def __init__(self, client, channel, progress_stderr=None):
  606. self.client = client
  607. self.channel = channel
  608. self.progress_stderr = progress_stderr
  609. self.should_monitor = bool(progress_stderr) or True
  610. self.monitor_thread = None
  611. self.stderr = ''
  612. # Channel must block
  613. self.channel.setblocking(True)
  614. # Start
  615. if self.should_monitor:
  616. self.monitor_thread = threading.Thread(target=self.monitor_stderr)
  617. self.monitor_thread.start()
  618. def monitor_stderr(self):
  619. while self.should_monitor:
  620. # Block and read
  621. data = self.read_stderr(self.STDERR_READ_N)
  622. # Socket closed
  623. if not data:
  624. self.should_monitor = False
  625. break
  626. # Emit data
  627. if self.progress_stderr:
  628. self.progress_stderr(data)
  629. # Append to buffer
  630. self.stderr += data
  631. def stop_monitoring(self):
  632. # Stop StdErr thread
  633. if self.should_monitor:
  634. self.should_monitor = False
  635. self.monitor_thread.join()
  636. # Get left over data
  637. data = self.channel.in_stderr_buffer.empty()
  638. self.stderr += data
  639. def can_read(self):
  640. return self.channel.recv_ready()
  641. def write(self, data):
  642. return self.channel.sendall(data)
  643. def read_stderr(self, n):
  644. return self.channel.recv_stderr(n)
  645. def read(self, n=None):
  646. data = self.channel.recv(n)
  647. data_len = len(data)
  648. # Closed socket
  649. if not data:
  650. return
  651. # Read more if needed
  652. if n and data_len < n:
  653. diff_len = n - data_len
  654. return data + self.read(diff_len)
  655. return data
  656. def close(self):
  657. self.channel.close()
  658. self.stop_monitoring()
  659. def __del__(self):
  660. self.close()
  661. class ParamikoSSHVendor(object):
  662. def __init__(self):
  663. self.ssh_kwargs = {}
  664. def run_command(self, host, command, username=None, port=None,
  665. progress_stderr=None):
  666. # Paramiko needs an explicit port. None is not valid
  667. if port is None:
  668. port = 22
  669. client = paramiko.SSHClient()
  670. policy = paramiko.client.MissingHostKeyPolicy()
  671. client.set_missing_host_key_policy(policy)
  672. client.connect(host, username=username, port=port,
  673. **self.ssh_kwargs)
  674. # Open SSH session
  675. channel = client.get_transport().open_session()
  676. # Run commands
  677. apply(channel.exec_command, command)
  678. return ParamikoWrapper(client, channel,
  679. progress_stderr=progress_stderr)
  680. # Can be overridden by users
  681. get_ssh_vendor = SubprocessSSHVendor
  682. class SSHGitClient(TraditionalGitClient):
  683. def __init__(self, host, port=None, username=None, *args, **kwargs):
  684. self.host = host
  685. self.port = port
  686. self.username = username
  687. TraditionalGitClient.__init__(self, *args, **kwargs)
  688. self.alternative_paths = {}
  689. def _get_cmd_path(self, cmd):
  690. return self.alternative_paths.get(cmd, 'git-%s' % cmd)
  691. def _connect(self, cmd, path):
  692. if path.startswith("/~"):
  693. path = path[1:]
  694. con = get_ssh_vendor().run_command(
  695. self.host, ["%s '%s'" % (self._get_cmd_path(cmd), path)],
  696. port=self.port, username=self.username)
  697. return (Protocol(con.read, con.write, report_activity=self._report_activity),
  698. con.can_read)
  699. class HttpGitClient(GitClient):
  700. def __init__(self, base_url, dumb=None, *args, **kwargs):
  701. self.base_url = base_url.rstrip("/") + "/"
  702. self.dumb = dumb
  703. GitClient.__init__(self, *args, **kwargs)
  704. def _get_url(self, path):
  705. return urlparse.urljoin(self.base_url, path).rstrip("/") + "/"
  706. def _http_request(self, url, headers={}, data=None):
  707. req = urllib2.Request(url, headers=headers, data=data)
  708. try:
  709. resp = self._perform(req)
  710. except urllib2.HTTPError, e:
  711. if e.code == 404:
  712. raise NotGitRepository()
  713. if e.code != 200:
  714. raise GitProtocolError("unexpected http response %d" % e.code)
  715. return resp
  716. def _perform(self, req):
  717. """Perform a HTTP request.
  718. This is provided so subclasses can provide their own version.
  719. :param req: urllib2.Request instance
  720. :return: matching response
  721. """
  722. return urllib2.urlopen(req)
  723. def _discover_references(self, service, url):
  724. assert url[-1] == "/"
  725. url = urlparse.urljoin(url, "info/refs")
  726. headers = {}
  727. if self.dumb != False:
  728. url += "?service=%s" % service
  729. headers["Content-Type"] = "application/x-%s-request" % service
  730. resp = self._http_request(url, headers)
  731. self.dumb = (not resp.info().gettype().startswith("application/x-git-"))
  732. if not self.dumb:
  733. proto = Protocol(resp.read, None)
  734. # The first line should mention the service
  735. pkts = list(proto.read_pkt_seq())
  736. if pkts != [('# service=%s\n' % service)]:
  737. raise GitProtocolError(
  738. "unexpected first line %r from smart server" % pkts)
  739. return read_pkt_refs(proto)
  740. else:
  741. return read_info_refs(resp), set()
  742. def _smart_request(self, service, url, data):
  743. assert url[-1] == "/"
  744. url = urlparse.urljoin(url, service)
  745. headers = {"Content-Type": "application/x-%s-request" % service}
  746. resp = self._http_request(url, headers, data)
  747. if resp.info().gettype() != ("application/x-%s-result" % service):
  748. raise GitProtocolError("Invalid content-type from server: %s"
  749. % resp.info().gettype())
  750. return resp
  751. def send_pack(self, path, determine_wants, generate_pack_contents,
  752. progress=None):
  753. """Upload a pack to a remote repository.
  754. :param path: Repository path
  755. :param generate_pack_contents: Function that can return a sequence of the
  756. shas of the objects to upload.
  757. :param progress: Optional progress function
  758. :raises SendPackError: if server rejects the pack data
  759. :raises UpdateRefsError: if the server supports report-status
  760. and rejects ref updates
  761. """
  762. url = self._get_url(path)
  763. old_refs, server_capabilities = self._discover_references(
  764. "git-receive-pack", url)
  765. negotiated_capabilities = self._send_capabilities & server_capabilities
  766. if 'report-status' in negotiated_capabilities:
  767. self._report_status_parser = ReportStatusParser()
  768. new_refs = determine_wants(dict(old_refs))
  769. if new_refs is None:
  770. return old_refs
  771. if self.dumb:
  772. raise NotImplementedError(self.fetch_pack)
  773. req_data = StringIO()
  774. req_proto = Protocol(None, req_data.write)
  775. (have, want) = self._handle_receive_pack_head(
  776. req_proto, negotiated_capabilities, old_refs, new_refs)
  777. if not want and old_refs == new_refs:
  778. return new_refs
  779. objects = generate_pack_contents(have, want)
  780. if len(objects) > 0:
  781. entries, sha = write_pack_objects(req_proto.write_file(), objects)
  782. resp = self._smart_request("git-receive-pack", url,
  783. data=req_data.getvalue())
  784. resp_proto = Protocol(resp.read, None)
  785. self._handle_receive_pack_tail(resp_proto, negotiated_capabilities,
  786. progress)
  787. return new_refs
  788. def fetch_pack(self, path, determine_wants, graph_walker, pack_data,
  789. progress=None):
  790. """Retrieve a pack from a git smart server.
  791. :param determine_wants: Callback that returns list of commits to fetch
  792. :param graph_walker: Object with next() and ack().
  793. :param pack_data: Callback called for each bit of data in the pack
  794. :param progress: Callback for progress reports (strings)
  795. :return: Dictionary with the refs of the remote repository
  796. """
  797. url = self._get_url(path)
  798. refs, server_capabilities = self._discover_references(
  799. "git-upload-pack", url)
  800. negotiated_capabilities = self._fetch_capabilities & server_capabilities
  801. wants = determine_wants(refs)
  802. if wants is not None:
  803. wants = [cid for cid in wants if cid != ZERO_SHA]
  804. if not wants:
  805. return refs
  806. if self.dumb:
  807. raise NotImplementedError(self.send_pack)
  808. req_data = StringIO()
  809. req_proto = Protocol(None, req_data.write)
  810. self._handle_upload_pack_head(req_proto,
  811. negotiated_capabilities, graph_walker, wants,
  812. lambda: False)
  813. resp = self._smart_request("git-upload-pack", url,
  814. data=req_data.getvalue())
  815. resp_proto = Protocol(resp.read, None)
  816. self._handle_upload_pack_tail(resp_proto, negotiated_capabilities,
  817. graph_walker, pack_data, progress)
  818. return refs
  819. def get_transport_and_path(uri, **kwargs):
  820. """Obtain a git client from a URI or path.
  821. :param uri: URI or path
  822. :param thin_packs: Whether or not thin packs should be retrieved
  823. :param report_activity: Optional callback for reporting transport
  824. activity.
  825. :return: Tuple with client instance and relative path.
  826. """
  827. parsed = urlparse.urlparse(uri)
  828. if parsed.scheme == 'git':
  829. return (TCPGitClient(parsed.hostname, port=parsed.port, **kwargs),
  830. parsed.path)
  831. elif parsed.scheme == 'git+ssh':
  832. path = parsed.path
  833. if path.startswith('/'):
  834. path = parsed.path[1:]
  835. return SSHGitClient(parsed.hostname, port=parsed.port,
  836. username=parsed.username, **kwargs), path
  837. elif parsed.scheme in ('http', 'https'):
  838. return HttpGitClient(urlparse.urlunparse(parsed), **kwargs), parsed.path
  839. if parsed.scheme and not parsed.netloc:
  840. # SSH with no user@, zero or one leading slash.
  841. return SSHGitClient(parsed.scheme, **kwargs), parsed.path
  842. elif parsed.scheme:
  843. raise ValueError('Unknown git protocol scheme: %s' % parsed.scheme)
  844. elif '@' in parsed.path and ':' in parsed.path:
  845. # SSH with user@host:foo.
  846. user_host, path = parsed.path.split(':')
  847. user, host = user_host.rsplit('@')
  848. return SSHGitClient(host, username=user, **kwargs), path
  849. # Otherwise, assume it's a local path.
  850. return SubprocessGitClient(**kwargs), uri