server.py 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443
  1. # server.py -- Implementation of the server side git protocols
  2. # Copryight (C) 2008 John Carr <john.carr@unrouted.co.uk>
  3. #
  4. # This program is free software; you can redistribute it and/or
  5. # modify it under the terms of the GNU General Public License
  6. # as published by the Free Software Foundation; version 2
  7. # or (at your option) any later version of the License.
  8. #
  9. # This program is distributed in the hope that it will be useful,
  10. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  11. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  12. # GNU General Public License for more details.
  13. #
  14. # You should have received a copy of the GNU General Public License
  15. # along with this program; if not, write to the Free Software
  16. # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
  17. # MA 02110-1301, USA.
  18. """Git smart network protocol server implementation."""
  19. import collections
  20. import SocketServer
  21. import tempfile
  22. from dulwich.errors import (
  23. GitProtocolError,
  24. )
  25. from dulwich.objects import (
  26. hex_to_sha,
  27. )
  28. from dulwich.protocol import (
  29. Protocol,
  30. ProtocolFile,
  31. TCP_GIT_PORT,
  32. extract_capabilities,
  33. extract_want_line_capabilities,
  34. SINGLE_ACK,
  35. MULTI_ACK,
  36. ack_type,
  37. )
  38. from dulwich.repo import (
  39. Repo,
  40. )
  41. from dulwich.pack import (
  42. write_pack_data,
  43. )
  44. class Backend(object):
  45. def get_refs(self):
  46. """
  47. Get all the refs in the repository
  48. :return: dict of name -> sha
  49. """
  50. raise NotImplementedError
  51. def apply_pack(self, refs, read):
  52. """ Import a set of changes into a repository and update the refs
  53. :param refs: list of tuple(name, sha)
  54. :param read: callback to read from the incoming pack
  55. """
  56. raise NotImplementedError
  57. def fetch_objects(self, determine_wants, graph_walker, progress):
  58. """
  59. Yield the objects required for a list of commits.
  60. :param progress: is a callback to send progress messages to the client
  61. """
  62. raise NotImplementedError
  63. class GitBackend(Backend):
  64. def __init__(self, gitdir=None):
  65. self.gitdir = gitdir
  66. if not self.gitdir:
  67. self.gitdir = tempfile.mkdtemp()
  68. Repo.create(self.gitdir)
  69. self.repo = Repo(self.gitdir)
  70. self.object_store = self.repo.object_store
  71. self.fetch_objects = self.repo.fetch_objects
  72. self.get_refs = self.repo.get_refs
  73. def apply_pack(self, refs, read):
  74. f, commit = self.repo.object_store.add_thin_pack()
  75. try:
  76. f.write(read())
  77. finally:
  78. commit()
  79. for oldsha, sha, ref in refs:
  80. if ref == "0" * 40:
  81. del self.repo.refs[ref]
  82. else:
  83. self.repo.refs[ref] = sha
  84. print "pack applied"
  85. class Handler(object):
  86. """Smart protocol command handler base class."""
  87. def __init__(self, backend, read, write):
  88. self.backend = backend
  89. self.proto = Protocol(read, write)
  90. def capabilities(self):
  91. return " ".join(self.default_capabilities())
  92. class UploadPackHandler(Handler):
  93. """Protocol handler for uploading a pack to the server."""
  94. def __init__(self, backend, read, write):
  95. Handler.__init__(self, backend, read, write)
  96. self._client_capabilities = None
  97. self._graph_walker = None
  98. def default_capabilities(self):
  99. return ("multi_ack", "side-band-64k", "thin-pack", "ofs-delta")
  100. def set_client_capabilities(self, caps):
  101. my_caps = self.default_capabilities()
  102. for cap in caps:
  103. if '_ack' in cap and cap not in my_caps:
  104. raise GitProtocolError('Client asked for capability %s that '
  105. 'was not advertised.' % cap)
  106. self._client_capabilities = caps
  107. def get_client_capabilities(self):
  108. return self._client_capabilities
  109. client_capabilities = property(get_client_capabilities,
  110. set_client_capabilities)
  111. def handle(self):
  112. def determine_wants(heads):
  113. keys = heads.keys()
  114. values = set(heads.itervalues())
  115. if keys:
  116. self.proto.write_pkt_line("%s %s\x00%s\n" % ( heads[keys[0]], keys[0], self.capabilities()))
  117. for k in keys[1:]:
  118. self.proto.write_pkt_line("%s %s\n" % (heads[k], k))
  119. # i'm done..
  120. self.proto.write("0000")
  121. # Now client will either send "0000", meaning that it doesnt want to pull.
  122. # or it will start sending want want want commands
  123. want = self.proto.read_pkt_line()
  124. if want == None:
  125. return []
  126. want, self.client_capabilities = extract_want_line_capabilities(want)
  127. graph_walker.set_ack_type(ack_type(self.client_capabilities))
  128. want_revs = []
  129. while want and want[:4] == 'want':
  130. sha = want[5:45]
  131. try:
  132. hex_to_sha(sha)
  133. except (TypeError, AssertionError), e:
  134. raise GitProtocolError(e)
  135. if sha not in values:
  136. raise GitProtocolError(
  137. 'Client wants invalid object %s' % sha)
  138. want_revs.append(sha)
  139. want = self.proto.read_pkt_line()
  140. graph_walker.set_wants(want_revs)
  141. return want_revs
  142. progress = lambda x: self.proto.write_sideband(2, x)
  143. write = lambda x: self.proto.write_sideband(1, x)
  144. graph_walker = ProtocolGraphWalker(self.backend.object_store, self.proto)
  145. objects_iter = self.backend.fetch_objects(determine_wants, graph_walker, progress)
  146. # Do they want any objects?
  147. if len(objects_iter) == 0:
  148. return
  149. progress("dul-daemon says what\n")
  150. progress("counting objects: %d, done.\n" % len(objects_iter))
  151. write_pack_data(ProtocolFile(None, write), objects_iter,
  152. len(objects_iter))
  153. progress("how was that, then?\n")
  154. # we are done
  155. self.proto.write("0000")
  156. class ProtocolGraphWalker(object):
  157. """A graph walker that knows the git protocol.
  158. As a graph walker, this class implements ack(), next(), and reset(). It also
  159. contains some base methods for interacting with the wire and walking the
  160. commit tree.
  161. The work of determining which acks to send is passed on to the
  162. implementation instance stored in _impl. The reason for this is that we do
  163. not know at object creation time what ack level the protocol requires. A
  164. call to set_ack_level() is required to set up the implementation, before any
  165. calls to next() or ack() are made.
  166. """
  167. def __init__(self, object_store, proto):
  168. self.store = object_store
  169. self.proto = proto
  170. self._wants = []
  171. self._cached = False
  172. self._cache = []
  173. self._cache_index = 0
  174. self._impl = None
  175. def ack(self, have_ref):
  176. return self._impl.ack(have_ref)
  177. def reset(self):
  178. self._cached = True
  179. self._cache_index = 0
  180. def next(self):
  181. if not self._cached:
  182. return self._impl.next()
  183. self._cache_index += 1
  184. if self._cache_index > len(self._cache):
  185. return None
  186. return self._cache[self._cache_index]
  187. def read_proto_line(self):
  188. """Read a line from the wire.
  189. :return: a tuple having one of the following forms:
  190. ('have', obj_id)
  191. ('done', None)
  192. (None, None) (for a flush-pkt)
  193. """
  194. line = self.proto.read_pkt_line()
  195. if not line:
  196. return (None, None)
  197. fields = line.rstrip('\n').split(' ', 1)
  198. if len(fields) == 1 and fields[0] == 'done':
  199. return ('done', None)
  200. if len(fields) == 2 and fields[0] == 'have':
  201. try:
  202. hex_to_sha(fields[1])
  203. return fields
  204. except (TypeError, AssertionError), e:
  205. raise GitProtocolError(e)
  206. raise GitProtocolError('Received invalid line from client:\n%s' % line)
  207. def send_ack(self, sha, ack_type=''):
  208. if ack_type:
  209. ack_type = ' %s' % ack_type
  210. self.proto.write_pkt_line('ACK %s%s\n' % (sha, ack_type))
  211. def send_nak(self):
  212. self.proto.write_pkt_line('NAK\n')
  213. def set_wants(self, wants):
  214. self._wants = wants
  215. def _is_satisfied(self, haves, want, earliest):
  216. """Check whether a want is satisfied by a set of haves.
  217. A want, typically a branch tip, is "satisfied" only if there exists a
  218. path back from that want to one of the haves.
  219. :param haves: A set of commits we know the client has.
  220. :param want: The want to check satisfaction for.
  221. :param earliest: A timestamp beyond which the search for haves will be
  222. terminated, presumably because we're searching too far down the
  223. wrong branch.
  224. """
  225. o = self.store[want]
  226. pending = collections.deque([o])
  227. while pending:
  228. commit = pending.popleft()
  229. if commit.id in haves:
  230. return True
  231. if not getattr(commit, 'get_parents', None):
  232. # non-commit wants are assumed to be satisfied
  233. continue
  234. for parent in commit.get_parents():
  235. parent_obj = self.store[parent]
  236. # TODO: handle parents with later commit times than children
  237. if parent_obj.commit_time >= earliest:
  238. pending.append(parent_obj)
  239. return False
  240. def all_wants_satisfied(self, haves):
  241. """Check whether all the current wants are satisfied by a set of haves.
  242. :param haves: A set of commits we know the client has.
  243. :note: Wants are specified with set_wants rather than passed in since
  244. in the current interface they are determined outside this class.
  245. """
  246. haves = set(haves)
  247. earliest = min([self.store[h].commit_time for h in haves])
  248. for want in self._wants:
  249. if not self._is_satisfied(haves, want, earliest):
  250. return False
  251. return True
  252. def set_ack_type(self, ack_type):
  253. impl_classes = {
  254. MULTI_ACK: MultiAckGraphWalkerImpl,
  255. SINGLE_ACK: SingleAckGraphWalkerImpl,
  256. }
  257. self._impl = impl_classes[ack_type](self)
  258. class SingleAckGraphWalkerImpl(object):
  259. """Graph walker implementation that speaks the single-ack protocol."""
  260. def __init__(self, walker):
  261. self.walker = walker
  262. self._sent_ack = False
  263. def ack(self, have_ref):
  264. if not self._sent_ack:
  265. self.walker.send_ack(have_ref)
  266. self._sent_ack = True
  267. def next(self):
  268. command, sha = self.walker.read_proto_line()
  269. if command in (None, 'done'):
  270. if not self._sent_ack:
  271. self.walker.send_nak()
  272. return None
  273. elif command == 'have':
  274. return sha
  275. class MultiAckGraphWalkerImpl(object):
  276. """Graph walker implementation that speaks the multi-ack protocol."""
  277. def __init__(self, walker):
  278. self.walker = walker
  279. self._found_base = False
  280. self._common = []
  281. def ack(self, have_ref):
  282. self._common.append(have_ref)
  283. if not self._found_base:
  284. self.walker.send_ack(have_ref, 'continue')
  285. if self.walker.all_wants_satisfied(self._common):
  286. self._found_base = True
  287. # else we blind ack within next
  288. def next(self):
  289. command, sha = self.walker.read_proto_line()
  290. if command is None:
  291. self.walker.send_nak()
  292. return None
  293. elif command == 'done':
  294. # don't nak unless no common commits were found, even if not
  295. # everything is satisfied
  296. if self._common:
  297. self.walker.send_ack(self._common[-1])
  298. else:
  299. self.walker.send_nak()
  300. return None
  301. elif command == 'have':
  302. if self._found_base:
  303. # blind ack
  304. self.walker.send_ack(sha, 'continue')
  305. return sha
  306. class ReceivePackHandler(Handler):
  307. """Protocol handler for downloading a pack to the client."""
  308. def default_capabilities(self):
  309. return ("report-status", "delete-refs")
  310. def handle(self):
  311. refs = self.backend.get_refs().items()
  312. if refs:
  313. self.proto.write_pkt_line("%s %s\x00%s\n" % (refs[0][1], refs[0][0], self.capabilities()))
  314. for i in range(1, len(refs)):
  315. ref = refs[i]
  316. self.proto.write_pkt_line("%s %s\n" % (ref[1], ref[0]))
  317. else:
  318. self.proto.write_pkt_line("0000000000000000000000000000000000000000 capabilities^{} %s" % self.capabilities())
  319. self.proto.write("0000")
  320. client_refs = []
  321. ref = self.proto.read_pkt_line()
  322. # if ref is none then client doesnt want to send us anything..
  323. if ref is None:
  324. return
  325. ref, client_capabilities = extract_capabilities(ref)
  326. # client will now send us a list of (oldsha, newsha, ref)
  327. while ref:
  328. client_refs.append(ref.split())
  329. ref = self.proto.read_pkt_line()
  330. # backend can now deal with this refs and read a pack using self.read
  331. self.backend.apply_pack(client_refs, self.proto.read)
  332. # when we have read all the pack from the client, it assumes
  333. # everything worked OK.
  334. # there is NO ack from the server before it reports victory.
  335. class TCPGitRequestHandler(SocketServer.StreamRequestHandler):
  336. def handle(self):
  337. proto = Protocol(self.rfile.read, self.wfile.write)
  338. command, args = proto.read_cmd()
  339. # switch case to handle the specific git command
  340. if command == 'git-upload-pack':
  341. cls = UploadPackHandler
  342. elif command == 'git-receive-pack':
  343. cls = ReceivePackHandler
  344. else:
  345. return
  346. h = cls(self.server.backend, self.rfile.read, self.wfile.write)
  347. h.handle()
  348. class TCPGitServer(SocketServer.TCPServer):
  349. allow_reuse_address = True
  350. serve = SocketServer.TCPServer.serve_forever
  351. def __init__(self, backend, listen_addr, port=TCP_GIT_PORT):
  352. self.backend = backend
  353. SocketServer.TCPServer.__init__(self, (listen_addr, port), TCPGitRequestHandler)