server.py 32 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961
  1. # server.py -- Implementation of the server side git protocols
  2. # Copyright (C) 2008 John Carr <john.carr@unrouted.co.uk>
  3. # Coprygith (C) 2011-2012 Jelmer Vernooij <jelmer@samba.org>
  4. #
  5. # This program is free software; you can redistribute it and/or
  6. # modify it under the terms of the GNU General Public License
  7. # as published by the Free Software Foundation; version 2
  8. # or (at your option) any 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. """Git smart network protocol server implementation.
  20. For more detailed implementation on the network protocol, see the
  21. Documentation/technical directory in the cgit distribution, and in particular:
  22. * Documentation/technical/protocol-capabilities.txt
  23. * Documentation/technical/pack-protocol.txt
  24. Currently supported capabilities:
  25. * include-tag
  26. * thin-pack
  27. * multi_ack_detailed
  28. * multi_ack
  29. * side-band-64k
  30. * ofs-delta
  31. * no-progress
  32. * report-status
  33. * delete-refs
  34. * shallow
  35. """
  36. import collections
  37. import os
  38. import socket
  39. import sys
  40. import zlib
  41. try:
  42. import SocketServer
  43. except ImportError:
  44. import socketserver as SocketServer
  45. from dulwich.errors import (
  46. ApplyDeltaError,
  47. ChecksumMismatch,
  48. GitProtocolError,
  49. NotGitRepository,
  50. UnexpectedCommandError,
  51. ObjectFormatException,
  52. )
  53. from dulwich import log_utils
  54. from dulwich.objects import (
  55. hex_to_sha,
  56. Commit,
  57. )
  58. from dulwich.pack import (
  59. write_pack_objects,
  60. )
  61. from dulwich.protocol import (
  62. BufferedPktLineWriter,
  63. MULTI_ACK,
  64. MULTI_ACK_DETAILED,
  65. Protocol,
  66. ProtocolFile,
  67. ReceivableProtocol,
  68. SINGLE_ACK,
  69. TCP_GIT_PORT,
  70. ZERO_SHA,
  71. ack_type,
  72. extract_capabilities,
  73. extract_want_line_capabilities,
  74. )
  75. from dulwich.refs import (
  76. write_info_refs,
  77. )
  78. from dulwich.repo import (
  79. Repo,
  80. )
  81. logger = log_utils.getLogger(__name__)
  82. class Backend(object):
  83. """A backend for the Git smart server implementation."""
  84. def open_repository(self, path):
  85. """Open the repository at a path.
  86. :param path: Path to the repository
  87. :raise NotGitRepository: no git repository was found at path
  88. :return: Instance of BackendRepo
  89. """
  90. raise NotImplementedError(self.open_repository)
  91. class BackendRepo(object):
  92. """Repository abstraction used by the Git server.
  93. The methods required here are a subset of those provided by
  94. dulwich.repo.Repo.
  95. """
  96. object_store = None
  97. refs = None
  98. def get_refs(self):
  99. """
  100. Get all the refs in the repository
  101. :return: dict of name -> sha
  102. """
  103. raise NotImplementedError
  104. def get_peeled(self, name):
  105. """Return the cached peeled value of a ref, if available.
  106. :param name: Name of the ref to peel
  107. :return: The peeled value of the ref. If the ref is known not point to
  108. a tag, this will be the SHA the ref refers to. If no cached
  109. information about a tag is available, this method may return None,
  110. but it should attempt to peel the tag if possible.
  111. """
  112. return None
  113. def fetch_objects(self, determine_wants, graph_walker, progress,
  114. get_tagged=None):
  115. """
  116. Yield the objects required for a list of commits.
  117. :param progress: is a callback to send progress messages to the client
  118. :param get_tagged: Function that returns a dict of pointed-to sha -> tag
  119. sha for including tags.
  120. """
  121. raise NotImplementedError
  122. class DictBackend(Backend):
  123. """Trivial backend that looks up Git repositories in a dictionary."""
  124. def __init__(self, repos):
  125. self.repos = repos
  126. def open_repository(self, path):
  127. logger.debug('Opening repository at %s', path)
  128. try:
  129. return self.repos[path]
  130. except KeyError:
  131. raise NotGitRepository(
  132. "No git repository was found at %(path)s" % dict(path=path)
  133. )
  134. class FileSystemBackend(Backend):
  135. """Simple backend that looks up Git repositories in the local file system."""
  136. def __init__(self, root="/"):
  137. super(FileSystemBackend, self).__init__()
  138. self.root = (os.path.abspath(root) + "/").replace("//", "/")
  139. def open_repository(self, path):
  140. logger.debug('opening repository at %s', path)
  141. abspath = os.path.abspath(os.path.join(self.root, path)) + "/"
  142. if not abspath.startswith(self.root):
  143. raise NotGitRepository("Invalid path %r" % path)
  144. return Repo(abspath)
  145. class Handler(object):
  146. """Smart protocol command handler base class."""
  147. def __init__(self, backend, proto, http_req=None):
  148. self.backend = backend
  149. self.proto = proto
  150. self.http_req = http_req
  151. self._client_capabilities = None
  152. @classmethod
  153. def capability_line(cls):
  154. return " ".join(cls.capabilities())
  155. @classmethod
  156. def capabilities(cls):
  157. raise NotImplementedError(cls.capabilities)
  158. @classmethod
  159. def innocuous_capabilities(cls):
  160. return ("include-tag", "thin-pack", "no-progress", "ofs-delta")
  161. @classmethod
  162. def required_capabilities(cls):
  163. """Return a list of capabilities that we require the client to have."""
  164. return []
  165. def set_client_capabilities(self, caps):
  166. allowable_caps = set(self.innocuous_capabilities())
  167. allowable_caps.update(self.capabilities())
  168. for cap in caps:
  169. if cap not in allowable_caps:
  170. raise GitProtocolError('Client asked for capability %s that '
  171. 'was not advertised.' % cap)
  172. for cap in self.required_capabilities():
  173. if cap not in caps:
  174. raise GitProtocolError('Client does not support required '
  175. 'capability %s.' % cap)
  176. self._client_capabilities = set(caps)
  177. logger.info('Client capabilities: %s', caps)
  178. def has_capability(self, cap):
  179. if self._client_capabilities is None:
  180. raise GitProtocolError('Server attempted to access capability %s '
  181. 'before asking client' % cap)
  182. return cap in self._client_capabilities
  183. class UploadPackHandler(Handler):
  184. """Protocol handler for uploading a pack to the server."""
  185. def __init__(self, backend, args, proto, http_req=None,
  186. advertise_refs=False):
  187. Handler.__init__(self, backend, proto, http_req=http_req)
  188. self.repo = backend.open_repository(args[0])
  189. self._graph_walker = None
  190. self.advertise_refs = advertise_refs
  191. @classmethod
  192. def capabilities(cls):
  193. return ("multi_ack_detailed", "multi_ack", "side-band-64k", "thin-pack",
  194. "ofs-delta", "no-progress", "include-tag", "shallow")
  195. @classmethod
  196. def required_capabilities(cls):
  197. return ("side-band-64k", "thin-pack", "ofs-delta")
  198. def progress(self, message):
  199. if self.has_capability("no-progress"):
  200. return
  201. self.proto.write_sideband(2, message)
  202. def get_tagged(self, refs=None, repo=None):
  203. """Get a dict of peeled values of tags to their original tag shas.
  204. :param refs: dict of refname -> sha of possible tags; defaults to all of
  205. the backend's refs.
  206. :param repo: optional Repo instance for getting peeled refs; defaults to
  207. the backend's repo, if available
  208. :return: dict of peeled_sha -> tag_sha, where tag_sha is the sha of a
  209. tag whose peeled value is peeled_sha.
  210. """
  211. if not self.has_capability("include-tag"):
  212. return {}
  213. if refs is None:
  214. refs = self.repo.get_refs()
  215. if repo is None:
  216. repo = getattr(self.repo, "repo", None)
  217. if repo is None:
  218. # Bail if we don't have a Repo available; this is ok since
  219. # clients must be able to handle if the server doesn't include
  220. # all relevant tags.
  221. # TODO: fix behavior when missing
  222. return {}
  223. tagged = {}
  224. for name, sha in refs.iteritems():
  225. peeled_sha = repo.get_peeled(name)
  226. if peeled_sha != sha:
  227. tagged[peeled_sha] = sha
  228. return tagged
  229. def handle(self):
  230. write = lambda x: self.proto.write_sideband(1, x)
  231. graph_walker = ProtocolGraphWalker(self, self.repo.object_store,
  232. self.repo.get_peeled)
  233. objects_iter = self.repo.fetch_objects(
  234. graph_walker.determine_wants, graph_walker, self.progress,
  235. get_tagged=self.get_tagged)
  236. # Did the process short-circuit (e.g. in a stateless RPC call)? Note
  237. # that the client still expects a 0-object pack in most cases.
  238. if len(objects_iter) == 0:
  239. return
  240. self.progress("dul-daemon says what\n")
  241. self.progress("counting objects: %d, done.\n" % len(objects_iter))
  242. write_pack_objects(ProtocolFile(None, write), objects_iter)
  243. self.progress("how was that, then?\n")
  244. # we are done
  245. self.proto.write("0000")
  246. def _split_proto_line(line, allowed):
  247. """Split a line read from the wire.
  248. :param line: The line read from the wire.
  249. :param allowed: An iterable of command names that should be allowed.
  250. Command names not listed below as possible return values will be
  251. ignored. If None, any commands from the possible return values are
  252. allowed.
  253. :return: a tuple having one of the following forms:
  254. ('want', obj_id)
  255. ('have', obj_id)
  256. ('done', None)
  257. (None, None) (for a flush-pkt)
  258. :raise UnexpectedCommandError: if the line cannot be parsed into one of the
  259. allowed return values.
  260. """
  261. if not line:
  262. fields = [None]
  263. else:
  264. fields = line.rstrip('\n').split(' ', 1)
  265. command = fields[0]
  266. if allowed is not None and command not in allowed:
  267. raise UnexpectedCommandError(command)
  268. try:
  269. if len(fields) == 1 and command in ('done', None):
  270. return (command, None)
  271. elif len(fields) == 2:
  272. if command in ('want', 'have', 'shallow', 'unshallow'):
  273. hex_to_sha(fields[1])
  274. return tuple(fields)
  275. elif command == 'deepen':
  276. return command, int(fields[1])
  277. except (TypeError, AssertionError) as e:
  278. raise GitProtocolError(e)
  279. raise GitProtocolError('Received invalid line from client: %s' % line)
  280. def _find_shallow(store, heads, depth):
  281. """Find shallow commits according to a given depth.
  282. :param store: An ObjectStore for looking up objects.
  283. :param heads: Iterable of head SHAs to start walking from.
  284. :param depth: The depth of ancestors to include.
  285. :return: A tuple of (shallow, not_shallow), sets of SHAs that should be
  286. considered shallow and unshallow according to the arguments. Note that
  287. these sets may overlap if a commit is reachable along multiple paths.
  288. """
  289. parents = {}
  290. def get_parents(sha):
  291. result = parents.get(sha, None)
  292. if not result:
  293. result = store[sha].parents
  294. parents[sha] = result
  295. return result
  296. todo = [] # stack of (sha, depth)
  297. for head_sha in heads:
  298. obj = store.peel_sha(head_sha)
  299. if isinstance(obj, Commit):
  300. todo.append((obj.id, 0))
  301. not_shallow = set()
  302. shallow = set()
  303. while todo:
  304. sha, cur_depth = todo.pop()
  305. if cur_depth < depth:
  306. not_shallow.add(sha)
  307. new_depth = cur_depth + 1
  308. todo.extend((p, new_depth) for p in get_parents(sha))
  309. else:
  310. shallow.add(sha)
  311. return shallow, not_shallow
  312. def _want_satisfied(store, haves, want, earliest):
  313. o = store[want]
  314. pending = collections.deque([o])
  315. while pending:
  316. commit = pending.popleft()
  317. if commit.id in haves:
  318. return True
  319. if commit.type_name != "commit":
  320. # non-commit wants are assumed to be satisfied
  321. continue
  322. for parent in commit.parents:
  323. parent_obj = store[parent]
  324. # TODO: handle parents with later commit times than children
  325. if parent_obj.commit_time >= earliest:
  326. pending.append(parent_obj)
  327. return False
  328. def _all_wants_satisfied(store, haves, wants):
  329. """Check whether all the current wants are satisfied by a set of haves.
  330. :param store: Object store to retrieve objects from
  331. :param haves: A set of commits we know the client has.
  332. :param wants: A set of commits the client wants
  333. :note: Wants are specified with set_wants rather than passed in since
  334. in the current interface they are determined outside this class.
  335. """
  336. haves = set(haves)
  337. if haves:
  338. earliest = min([store[h].commit_time for h in haves])
  339. else:
  340. earliest = 0
  341. unsatisfied_wants = set()
  342. for want in wants:
  343. if not _want_satisfied(store, haves, want, earliest):
  344. return False
  345. return True
  346. class ProtocolGraphWalker(object):
  347. """A graph walker that knows the git protocol.
  348. As a graph walker, this class implements ack(), next(), and reset(). It
  349. also contains some base methods for interacting with the wire and walking
  350. the commit tree.
  351. The work of determining which acks to send is passed on to the
  352. implementation instance stored in _impl. The reason for this is that we do
  353. not know at object creation time what ack level the protocol requires. A
  354. call to set_ack_level() is required to set up the implementation, before any
  355. calls to next() or ack() are made.
  356. """
  357. def __init__(self, handler, object_store, get_peeled):
  358. self.handler = handler
  359. self.store = object_store
  360. self.get_peeled = get_peeled
  361. self.proto = handler.proto
  362. self.http_req = handler.http_req
  363. self.advertise_refs = handler.advertise_refs
  364. self._wants = []
  365. self.shallow = set()
  366. self.client_shallow = set()
  367. self.unshallow = set()
  368. self._cached = False
  369. self._cache = []
  370. self._cache_index = 0
  371. self._impl = None
  372. def determine_wants(self, heads):
  373. """Determine the wants for a set of heads.
  374. The given heads are advertised to the client, who then specifies which
  375. refs he wants using 'want' lines. This portion of the protocol is the
  376. same regardless of ack type, and in fact is used to set the ack type of
  377. the ProtocolGraphWalker.
  378. If the client has the 'shallow' capability, this method also reads and
  379. responds to the 'shallow' and 'deepen' lines from the client. These are
  380. not part of the wants per se, but they set up necessary state for
  381. walking the graph. Additionally, later code depends on this method
  382. consuming everything up to the first 'have' line.
  383. :param heads: a dict of refname->SHA1 to advertise
  384. :return: a list of SHA1s requested by the client
  385. """
  386. values = set(heads.itervalues())
  387. if self.advertise_refs or not self.http_req:
  388. for i, (ref, sha) in enumerate(sorted(heads.iteritems())):
  389. line = "%s %s" % (sha, ref)
  390. if not i:
  391. line = "%s\x00%s" % (line, self.handler.capability_line())
  392. self.proto.write_pkt_line("%s\n" % line)
  393. peeled_sha = self.get_peeled(ref)
  394. if peeled_sha != sha:
  395. self.proto.write_pkt_line('%s %s^{}\n' %
  396. (peeled_sha, ref))
  397. # i'm done..
  398. self.proto.write_pkt_line(None)
  399. if self.advertise_refs:
  400. return []
  401. # Now client will sending want want want commands
  402. want = self.proto.read_pkt_line()
  403. if not want:
  404. return []
  405. line, caps = extract_want_line_capabilities(want)
  406. self.handler.set_client_capabilities(caps)
  407. self.set_ack_type(ack_type(caps))
  408. allowed = ('want', 'shallow', 'deepen', None)
  409. command, sha = _split_proto_line(line, allowed)
  410. want_revs = []
  411. while command == 'want':
  412. if sha not in values:
  413. raise GitProtocolError(
  414. 'Client wants invalid object %s' % sha)
  415. want_revs.append(sha)
  416. command, sha = self.read_proto_line(allowed)
  417. self.set_wants(want_revs)
  418. if command in ('shallow', 'deepen'):
  419. self.unread_proto_line(command, sha)
  420. self._handle_shallow_request(want_revs)
  421. if self.http_req and self.proto.eof():
  422. # The client may close the socket at this point, expecting a
  423. # flush-pkt from the server. We might be ready to send a packfile at
  424. # this point, so we need to explicitly short-circuit in this case.
  425. return []
  426. return want_revs
  427. def unread_proto_line(self, command, value):
  428. self.proto.unread_pkt_line('%s %s' % (command, value))
  429. def ack(self, have_ref):
  430. if len(have_ref) != 40:
  431. raise ValueError("invalid sha %r" % have_ref)
  432. return self._impl.ack(have_ref)
  433. def reset(self):
  434. self._cached = True
  435. self._cache_index = 0
  436. def next(self):
  437. if not self._cached:
  438. if not self._impl and self.http_req:
  439. return None
  440. return next(self._impl)
  441. self._cache_index += 1
  442. if self._cache_index > len(self._cache):
  443. return None
  444. return self._cache[self._cache_index]
  445. __next__ = next
  446. def read_proto_line(self, allowed):
  447. """Read a line from the wire.
  448. :param allowed: An iterable of command names that should be allowed.
  449. :return: A tuple of (command, value); see _split_proto_line.
  450. :raise UnexpectedCommandError: If an error occurred reading the line.
  451. """
  452. return _split_proto_line(self.proto.read_pkt_line(), allowed)
  453. def _handle_shallow_request(self, wants):
  454. while True:
  455. command, val = self.read_proto_line(('deepen', 'shallow'))
  456. if command == 'deepen':
  457. depth = val
  458. break
  459. self.client_shallow.add(val)
  460. self.read_proto_line((None,)) # consume client's flush-pkt
  461. shallow, not_shallow = _find_shallow(self.store, wants, depth)
  462. # Update self.shallow instead of reassigning it since we passed a
  463. # reference to it before this method was called.
  464. self.shallow.update(shallow - not_shallow)
  465. new_shallow = self.shallow - self.client_shallow
  466. unshallow = self.unshallow = not_shallow & self.client_shallow
  467. for sha in sorted(new_shallow):
  468. self.proto.write_pkt_line('shallow %s' % sha)
  469. for sha in sorted(unshallow):
  470. self.proto.write_pkt_line('unshallow %s' % sha)
  471. self.proto.write_pkt_line(None)
  472. def send_ack(self, sha, ack_type=''):
  473. if ack_type:
  474. ack_type = ' %s' % ack_type
  475. self.proto.write_pkt_line('ACK %s%s\n' % (sha, ack_type))
  476. def send_nak(self):
  477. self.proto.write_pkt_line('NAK\n')
  478. def set_wants(self, wants):
  479. self._wants = wants
  480. def all_wants_satisfied(self, haves):
  481. """Check whether all the current wants are satisfied by a set of haves.
  482. :param haves: A set of commits we know the client has.
  483. :note: Wants are specified with set_wants rather than passed in since
  484. in the current interface they are determined outside this class.
  485. """
  486. return _all_wants_satisfied(self.store, haves, self._wants)
  487. def set_ack_type(self, ack_type):
  488. impl_classes = {
  489. MULTI_ACK: MultiAckGraphWalkerImpl,
  490. MULTI_ACK_DETAILED: MultiAckDetailedGraphWalkerImpl,
  491. SINGLE_ACK: SingleAckGraphWalkerImpl,
  492. }
  493. self._impl = impl_classes[ack_type](self)
  494. _GRAPH_WALKER_COMMANDS = ('have', 'done', None)
  495. class SingleAckGraphWalkerImpl(object):
  496. """Graph walker implementation that speaks the single-ack protocol."""
  497. def __init__(self, walker):
  498. self.walker = walker
  499. self._sent_ack = False
  500. def ack(self, have_ref):
  501. if not self._sent_ack:
  502. self.walker.send_ack(have_ref)
  503. self._sent_ack = True
  504. def next(self):
  505. command, sha = self.walker.read_proto_line(_GRAPH_WALKER_COMMANDS)
  506. if command in (None, 'done'):
  507. if not self._sent_ack:
  508. self.walker.send_nak()
  509. return None
  510. elif command == 'have':
  511. return sha
  512. __next__ = next
  513. class MultiAckGraphWalkerImpl(object):
  514. """Graph walker implementation that speaks the multi-ack protocol."""
  515. def __init__(self, walker):
  516. self.walker = walker
  517. self._found_base = False
  518. self._common = []
  519. def ack(self, have_ref):
  520. self._common.append(have_ref)
  521. if not self._found_base:
  522. self.walker.send_ack(have_ref, 'continue')
  523. if self.walker.all_wants_satisfied(self._common):
  524. self._found_base = True
  525. # else we blind ack within next
  526. def next(self):
  527. while True:
  528. command, sha = self.walker.read_proto_line(_GRAPH_WALKER_COMMANDS)
  529. if command is None:
  530. self.walker.send_nak()
  531. # in multi-ack mode, a flush-pkt indicates the client wants to
  532. # flush but more have lines are still coming
  533. continue
  534. elif command == 'done':
  535. # don't nak unless no common commits were found, even if not
  536. # everything is satisfied
  537. if self._common:
  538. self.walker.send_ack(self._common[-1])
  539. else:
  540. self.walker.send_nak()
  541. return None
  542. elif command == 'have':
  543. if self._found_base:
  544. # blind ack
  545. self.walker.send_ack(sha, 'continue')
  546. return sha
  547. __next__ = next
  548. class MultiAckDetailedGraphWalkerImpl(object):
  549. """Graph walker implementation speaking the multi-ack-detailed protocol."""
  550. def __init__(self, walker):
  551. self.walker = walker
  552. self._found_base = False
  553. self._common = []
  554. def ack(self, have_ref):
  555. self._common.append(have_ref)
  556. if not self._found_base:
  557. self.walker.send_ack(have_ref, 'common')
  558. if self.walker.all_wants_satisfied(self._common):
  559. self._found_base = True
  560. self.walker.send_ack(have_ref, 'ready')
  561. # else we blind ack within next
  562. def next(self):
  563. while True:
  564. command, sha = self.walker.read_proto_line(_GRAPH_WALKER_COMMANDS)
  565. if command is None:
  566. self.walker.send_nak()
  567. if self.walker.http_req:
  568. return None
  569. continue
  570. elif command == 'done':
  571. # don't nak unless no common commits were found, even if not
  572. # everything is satisfied
  573. if self._common:
  574. self.walker.send_ack(self._common[-1])
  575. else:
  576. self.walker.send_nak()
  577. return None
  578. elif command == 'have':
  579. if self._found_base:
  580. # blind ack; can happen if the client has more requests
  581. # inflight
  582. self.walker.send_ack(sha, 'ready')
  583. return sha
  584. __next__ = next
  585. class ReceivePackHandler(Handler):
  586. """Protocol handler for downloading a pack from the client."""
  587. def __init__(self, backend, args, proto, http_req=None,
  588. advertise_refs=False):
  589. Handler.__init__(self, backend, proto, http_req=http_req)
  590. self.repo = backend.open_repository(args[0])
  591. self.advertise_refs = advertise_refs
  592. @classmethod
  593. def capabilities(cls):
  594. return ("report-status", "delete-refs", "side-band-64k")
  595. def _apply_pack(self, refs):
  596. all_exceptions = (IOError, OSError, ChecksumMismatch, ApplyDeltaError,
  597. AssertionError, socket.error, zlib.error,
  598. ObjectFormatException)
  599. status = []
  600. will_send_pack = False
  601. for command in refs:
  602. if command[1] != ZERO_SHA:
  603. will_send_pack = True
  604. if will_send_pack:
  605. # TODO: more informative error messages than just the exception string
  606. try:
  607. recv = getattr(self.proto, "recv", None)
  608. self.repo.object_store.add_thin_pack(self.proto.read, recv)
  609. status.append(('unpack', 'ok'))
  610. except all_exceptions as e:
  611. status.append(('unpack', str(e).replace('\n', '')))
  612. # The pack may still have been moved in, but it may contain broken
  613. # objects. We trust a later GC to clean it up.
  614. else:
  615. # The git protocol want to find a status entry related to unpack process
  616. # even if no pack data has been sent.
  617. status.append(('unpack', 'ok'))
  618. for oldsha, sha, ref in refs:
  619. ref_status = 'ok'
  620. try:
  621. if sha == ZERO_SHA:
  622. if not 'delete-refs' in self.capabilities():
  623. raise GitProtocolError(
  624. 'Attempted to delete refs without delete-refs '
  625. 'capability.')
  626. try:
  627. del self.repo.refs[ref]
  628. except all_exceptions:
  629. ref_status = 'failed to delete'
  630. else:
  631. try:
  632. self.repo.refs[ref] = sha
  633. except all_exceptions:
  634. ref_status = 'failed to write'
  635. except KeyError as e:
  636. ref_status = 'bad ref'
  637. status.append((ref, ref_status))
  638. return status
  639. def _report_status(self, status):
  640. if self.has_capability('side-band-64k'):
  641. writer = BufferedPktLineWriter(
  642. lambda d: self.proto.write_sideband(1, d))
  643. write = writer.write
  644. def flush():
  645. writer.flush()
  646. self.proto.write_pkt_line(None)
  647. else:
  648. write = self.proto.write_pkt_line
  649. flush = lambda: None
  650. for name, msg in status:
  651. if name == 'unpack':
  652. write('unpack %s\n' % msg)
  653. elif msg == 'ok':
  654. write('ok %s\n' % name)
  655. else:
  656. write('ng %s %s\n' % (name, msg))
  657. write(None)
  658. flush()
  659. def handle(self):
  660. if self.advertise_refs or not self.http_req:
  661. refs = sorted(self.repo.get_refs().iteritems())
  662. if refs:
  663. self.proto.write_pkt_line(
  664. "%s %s\x00%s\n" % (refs[0][1], refs[0][0],
  665. self.capability_line()))
  666. for i in range(1, len(refs)):
  667. ref = refs[i]
  668. self.proto.write_pkt_line("%s %s\n" % (ref[1], ref[0]))
  669. else:
  670. self.proto.write_pkt_line("%s capabilities^{}\0%s" % (
  671. ZERO_SHA, self.capability_line()))
  672. self.proto.write("0000")
  673. if self.advertise_refs:
  674. return
  675. client_refs = []
  676. ref = self.proto.read_pkt_line()
  677. # if ref is none then client doesnt want to send us anything..
  678. if ref is None:
  679. return
  680. ref, caps = extract_capabilities(ref)
  681. self.set_client_capabilities(caps)
  682. # client will now send us a list of (oldsha, newsha, ref)
  683. while ref:
  684. client_refs.append(ref.split())
  685. ref = self.proto.read_pkt_line()
  686. # backend can now deal with this refs and read a pack using self.read
  687. status = self._apply_pack(client_refs)
  688. # when we have read all the pack from the client, send a status report
  689. # if the client asked for it
  690. if self.has_capability('report-status'):
  691. self._report_status(status)
  692. # Default handler classes for git services.
  693. DEFAULT_HANDLERS = {
  694. 'git-upload-pack': UploadPackHandler,
  695. 'git-receive-pack': ReceivePackHandler,
  696. }
  697. class TCPGitRequestHandler(SocketServer.StreamRequestHandler):
  698. def __init__(self, handlers, *args, **kwargs):
  699. self.handlers = handlers
  700. SocketServer.StreamRequestHandler.__init__(self, *args, **kwargs)
  701. def handle(self):
  702. proto = ReceivableProtocol(self.connection.recv, self.wfile.write)
  703. command, args = proto.read_cmd()
  704. logger.info('Handling %s request, args=%s', command, args)
  705. cls = self.handlers.get(command, None)
  706. if not callable(cls):
  707. raise GitProtocolError('Invalid service %s' % command)
  708. h = cls(self.server.backend, args, proto)
  709. h.handle()
  710. class TCPGitServer(SocketServer.TCPServer):
  711. allow_reuse_address = True
  712. serve = SocketServer.TCPServer.serve_forever
  713. def _make_handler(self, *args, **kwargs):
  714. return TCPGitRequestHandler(self.handlers, *args, **kwargs)
  715. def __init__(self, backend, listen_addr, port=TCP_GIT_PORT, handlers=None):
  716. self.handlers = dict(DEFAULT_HANDLERS)
  717. if handlers is not None:
  718. self.handlers.update(handlers)
  719. self.backend = backend
  720. logger.info('Listening for TCP connections on %s:%d', listen_addr, port)
  721. SocketServer.TCPServer.__init__(self, (listen_addr, port),
  722. self._make_handler)
  723. def verify_request(self, request, client_address):
  724. logger.info('Handling request from %s', client_address)
  725. return True
  726. def handle_error(self, request, client_address):
  727. logger.exception('Exception happened during processing of request '
  728. 'from %s', client_address)
  729. def main(argv=sys.argv):
  730. """Entry point for starting a TCP git server."""
  731. import optparse
  732. parser = optparse.OptionParser()
  733. parser.add_option("-l", "--listen_address", dest="listen_address",
  734. default="localhost",
  735. help="Binding IP address.")
  736. parser.add_option("-p", "--port", dest="port", type=int,
  737. default=TCP_GIT_PORT,
  738. help="Binding TCP port.")
  739. options, args = parser.parse_args(argv)
  740. log_utils.default_logging_config()
  741. if len(args) > 1:
  742. gitdir = args[1]
  743. else:
  744. gitdir = '.'
  745. from dulwich import porcelain
  746. porcelain.daemon(gitdir, address=options.listen_address,
  747. port=options.port)
  748. def serve_command(handler_cls, argv=sys.argv, backend=None, inf=sys.stdin,
  749. outf=sys.stdout):
  750. """Serve a single command.
  751. This is mostly useful for the implementation of commands used by e.g. git+ssh.
  752. :param handler_cls: `Handler` class to use for the request
  753. :param argv: execv-style command-line arguments. Defaults to sys.argv.
  754. :param backend: `Backend` to use
  755. :param inf: File-like object to read from, defaults to standard input.
  756. :param outf: File-like object to write to, defaults to standard output.
  757. :return: Exit code for use with sys.exit. 0 on success, 1 on failure.
  758. """
  759. if backend is None:
  760. backend = FileSystemBackend()
  761. def send_fn(data):
  762. outf.write(data)
  763. outf.flush()
  764. proto = Protocol(inf.read, send_fn)
  765. handler = handler_cls(backend, argv[1:], proto)
  766. # FIXME: Catch exceptions and write a single-line summary to outf.
  767. handler.handle()
  768. return 0
  769. def generate_info_refs(repo):
  770. """Generate an info refs file."""
  771. refs = repo.get_refs()
  772. return write_info_refs(refs, repo.object_store)
  773. def generate_objects_info_packs(repo):
  774. """Generate an index for for packs."""
  775. for pack in repo.object_store.packs:
  776. yield 'P %s\n' % pack.data.filename
  777. def update_server_info(repo):
  778. """Generate server info for dumb file access.
  779. This generates info/refs and objects/info/packs,
  780. similar to "git update-server-info".
  781. """
  782. repo._put_named_file(os.path.join('info', 'refs'),
  783. "".join(generate_info_refs(repo)))
  784. repo._put_named_file(os.path.join('objects', 'info', 'packs'),
  785. "".join(generate_objects_info_packs(repo)))
  786. if __name__ == '__main__':
  787. main()