server.py 42 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273747576777879808182838485868788899091929394959697989910010110210310410510610710810911011111211311411511611711811912012112212312412512612712812913013113213313413513613713813914014114214314414514614714814915015115215315415515615715815916016116216316416516616716816917017117217317417517617717817918018118218318418518618718818919019119219319419519619719819920020120220320420520620720820921021121221321421521621721821922022122222322422522622722822923023123223323423523623723823924024124224324424524624724824925025125225325425525625725825926026126226326426526626726826927027127227327427527627727827928028128228328428528628728828929029129229329429529629729829930030130230330430530630730830931031131231331431531631731831932032132232332432532632732832933033133233333433533633733833934034134234334434534634734834935035135235335435535635735835936036136236336436536636736836937037137237337437537637737837938038138238338438538638738838939039139239339439539639739839940040140240340440540640740840941041141241341441541641741841942042142242342442542642742842943043143243343443543643743843944044144244344444544644744844945045145245345445545645745845946046146246346446546646746846947047147247347447547647747847948048148248348448548648748848949049149249349449549649749849950050150250350450550650750850951051151251351451551651751851952052152252352452552652752852953053153253353453553653753853954054154254354454554654754854955055155255355455555655755855956056156256356456556656756856957057157257357457557657757857958058158258358458558658758858959059159259359459559659759859960060160260360460560660760860961061161261361461561661761861962062162262362462562662762862963063163263363463563663763863964064164264364464564664764864965065165265365465565665765865966066166266366466566666766866967067167267367467567667767867968068168268368468568668768868969069169269369469569669769869970070170270370470570670770870971071171271371471571671771871972072172272372472572672772872973073173273373473573673773873974074174274374474574674774874975075175275375475575675775875976076176276376476576676776876977077177277377477577677777877978078178278378478578678778878979079179279379479579679779879980080180280380480580680780880981081181281381481581681781881982082182282382482582682782882983083183283383483583683783883984084184284384484584684784884985085185285385485585685785885986086186286386486586686786886987087187287387487587687787887988088188288388488588688788888989089189289389489589689789889990090190290390490590690790890991091191291391491591691791891992092192292392492592692792892993093193293393493593693793893994094194294394494594694794894995095195295395495595695795895996096196296396496596696796896997097197297397497597697797897998098198298398498598698798898999099199299399499599699799899910001001100210031004100510061007100810091010101110121013101410151016101710181019102010211022102310241025102610271028102910301031103210331034103510361037103810391040104110421043104410451046104710481049105010511052105310541055105610571058105910601061106210631064106510661067106810691070107110721073107410751076107710781079108010811082108310841085108610871088108910901091109210931094109510961097109810991100110111021103110411051106110711081109111011111112111311141115111611171118111911201121112211231124112511261127112811291130113111321133113411351136113711381139114011411142114311441145114611471148114911501151115211531154115511561157115811591160116111621163116411651166116711681169117011711172117311741175117611771178117911801181118211831184118511861187118811891190119111921193119411951196119711981199120012011202120312041205120612071208120912101211121212131214121512161217121812191220122112221223122412251226122712281229123012311232123312341235123612371238123912401241124212431244124512461247124812491250125112521253125412551256125712581259126012611262126312641265126612671268126912701271127212731274
  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@jelmer.uk>
  4. #
  5. # Dulwich is dual-licensed under the Apache License, Version 2.0 and the GNU
  6. # General Public License as public by the Free Software Foundation; version 2.0
  7. # or (at your option) any later version. You can redistribute it and/or
  8. # modify it under the terms of either of these two licenses.
  9. #
  10. # Unless required by applicable law or agreed to in writing, software
  11. # distributed under the License is distributed on an "AS IS" BASIS,
  12. # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
  13. # See the License for the specific language governing permissions and
  14. # limitations under the License.
  15. #
  16. # You should have received a copy of the licenses; if not, see
  17. # <http://www.gnu.org/licenses/> for a copy of the GNU General Public License
  18. # and <http://www.apache.org/licenses/LICENSE-2.0> for a copy of the Apache
  19. # License, Version 2.0.
  20. #
  21. """Git smart network protocol server implementation.
  22. For more detailed implementation on the network protocol, see the
  23. Documentation/technical directory in the cgit distribution, and in particular:
  24. * Documentation/technical/protocol-capabilities.txt
  25. * Documentation/technical/pack-protocol.txt
  26. Currently supported capabilities:
  27. * include-tag
  28. * thin-pack
  29. * multi_ack_detailed
  30. * multi_ack
  31. * side-band-64k
  32. * ofs-delta
  33. * no-progress
  34. * report-status
  35. * delete-refs
  36. * shallow
  37. * symref
  38. """
  39. import collections
  40. import os
  41. import socket
  42. import sys
  43. import time
  44. from typing import List, Tuple, Dict, Optional, Iterable
  45. import zlib
  46. import socketserver
  47. from dulwich.archive import tar_stream
  48. from dulwich.errors import (
  49. ApplyDeltaError,
  50. ChecksumMismatch,
  51. GitProtocolError,
  52. HookError,
  53. NotGitRepository,
  54. UnexpectedCommandError,
  55. ObjectFormatException,
  56. )
  57. from dulwich import log_utils
  58. from dulwich.objects import (
  59. Commit,
  60. valid_hexsha,
  61. )
  62. from dulwich.pack import (
  63. write_pack_objects,
  64. )
  65. from dulwich.protocol import (
  66. BufferedPktLineWriter,
  67. capability_agent,
  68. CAPABILITIES_REF,
  69. CAPABILITY_AGENT,
  70. CAPABILITY_DELETE_REFS,
  71. CAPABILITY_INCLUDE_TAG,
  72. CAPABILITY_MULTI_ACK_DETAILED,
  73. CAPABILITY_MULTI_ACK,
  74. CAPABILITY_NO_DONE,
  75. CAPABILITY_NO_PROGRESS,
  76. CAPABILITY_OFS_DELTA,
  77. CAPABILITY_QUIET,
  78. CAPABILITY_REPORT_STATUS,
  79. CAPABILITY_SHALLOW,
  80. CAPABILITY_SIDE_BAND_64K,
  81. CAPABILITY_THIN_PACK,
  82. COMMAND_DEEPEN,
  83. COMMAND_DONE,
  84. COMMAND_HAVE,
  85. COMMAND_SHALLOW,
  86. COMMAND_UNSHALLOW,
  87. COMMAND_WANT,
  88. MULTI_ACK,
  89. MULTI_ACK_DETAILED,
  90. Protocol,
  91. ProtocolFile,
  92. ReceivableProtocol,
  93. SIDE_BAND_CHANNEL_DATA,
  94. SIDE_BAND_CHANNEL_PROGRESS,
  95. SIDE_BAND_CHANNEL_FATAL,
  96. SINGLE_ACK,
  97. TCP_GIT_PORT,
  98. ZERO_SHA,
  99. ack_type,
  100. extract_capabilities,
  101. extract_want_line_capabilities,
  102. symref_capabilities,
  103. format_ref_line,
  104. format_shallow_line,
  105. format_unshallow_line,
  106. format_ack_line,
  107. NAK_LINE,
  108. )
  109. from dulwich.refs import (
  110. ANNOTATED_TAG_SUFFIX,
  111. write_info_refs,
  112. )
  113. from dulwich.repo import (
  114. BaseRepo,
  115. Repo,
  116. )
  117. logger = log_utils.getLogger(__name__)
  118. class Backend(object):
  119. """A backend for the Git smart server implementation."""
  120. def open_repository(self, path):
  121. """Open the repository at a path.
  122. Args:
  123. path: Path to the repository
  124. Raises:
  125. NotGitRepository: no git repository was found at path
  126. Returns: Instance of BackendRepo
  127. """
  128. raise NotImplementedError(self.open_repository)
  129. class BackendRepo(object):
  130. """Repository abstraction used by the Git server.
  131. The methods required here are a subset of those provided by
  132. dulwich.repo.Repo.
  133. """
  134. object_store = None
  135. refs = None
  136. def get_refs(self) -> Dict[bytes, bytes]:
  137. """
  138. Get all the refs in the repository
  139. Returns: dict of name -> sha
  140. """
  141. raise NotImplementedError
  142. def get_peeled(self, name: bytes) -> Optional[bytes]:
  143. """Return the cached peeled value of a ref, if available.
  144. Args:
  145. name: Name of the ref to peel
  146. Returns: The peeled value of the ref. If the ref is known not point to
  147. a tag, this will be the SHA the ref refers to. If no cached
  148. information about a tag is available, this method may return None,
  149. but it should attempt to peel the tag if possible.
  150. """
  151. return None
  152. def fetch_objects(self, determine_wants, graph_walker, progress, get_tagged=None):
  153. """
  154. Yield the objects required for a list of commits.
  155. Args:
  156. progress: is a callback to send progress messages to the client
  157. get_tagged: Function that returns a dict of pointed-to sha ->
  158. tag sha for including tags.
  159. """
  160. raise NotImplementedError
  161. class DictBackend(Backend):
  162. """Trivial backend that looks up Git repositories in a dictionary."""
  163. def __init__(self, repos):
  164. self.repos = repos
  165. def open_repository(self, path: str) -> BaseRepo:
  166. logger.debug("Opening repository at %s", path)
  167. try:
  168. return self.repos[path]
  169. except KeyError:
  170. raise NotGitRepository(
  171. "No git repository was found at %(path)s" % dict(path=path)
  172. )
  173. class FileSystemBackend(Backend):
  174. """Simple backend looking up Git repositories in the local file system."""
  175. def __init__(self, root=os.sep):
  176. super(FileSystemBackend, self).__init__()
  177. self.root = (os.path.abspath(root) + os.sep).replace(os.sep * 2, os.sep)
  178. def open_repository(self, path):
  179. logger.debug("opening repository at %s", path)
  180. abspath = os.path.abspath(os.path.join(self.root, path)) + os.sep
  181. normcase_abspath = os.path.normcase(abspath)
  182. normcase_root = os.path.normcase(self.root)
  183. if not normcase_abspath.startswith(normcase_root):
  184. raise NotGitRepository("Path %r not inside root %r" % (path, self.root))
  185. return Repo(abspath)
  186. class Handler(object):
  187. """Smart protocol command handler base class."""
  188. def __init__(self, backend, proto, stateless_rpc=False):
  189. self.backend = backend
  190. self.proto = proto
  191. self.stateless_rpc = stateless_rpc
  192. def handle(self):
  193. raise NotImplementedError(self.handle)
  194. class PackHandler(Handler):
  195. """Protocol handler for packs."""
  196. def __init__(self, backend, proto, stateless_rpc=False):
  197. super(PackHandler, self).__init__(backend, proto, stateless_rpc)
  198. self._client_capabilities = None
  199. # Flags needed for the no-done capability
  200. self._done_received = False
  201. @classmethod
  202. def capabilities(cls) -> Iterable[bytes]:
  203. raise NotImplementedError(cls.capabilities)
  204. @classmethod
  205. def innocuous_capabilities(cls) -> Iterable[bytes]:
  206. return [
  207. CAPABILITY_INCLUDE_TAG,
  208. CAPABILITY_THIN_PACK,
  209. CAPABILITY_NO_PROGRESS,
  210. CAPABILITY_OFS_DELTA,
  211. capability_agent(),
  212. ]
  213. @classmethod
  214. def required_capabilities(cls) -> Iterable[bytes]:
  215. """Return a list of capabilities that we require the client to have."""
  216. return []
  217. def set_client_capabilities(self, caps: Iterable[bytes]) -> None:
  218. allowable_caps = set(self.innocuous_capabilities())
  219. allowable_caps.update(self.capabilities())
  220. for cap in caps:
  221. if cap.startswith(CAPABILITY_AGENT + b"="):
  222. continue
  223. if cap not in allowable_caps:
  224. raise GitProtocolError(
  225. "Client asked for capability %r that " "was not advertised." % cap
  226. )
  227. for cap in self.required_capabilities():
  228. if cap not in caps:
  229. raise GitProtocolError(
  230. "Client does not support required " "capability %r." % cap
  231. )
  232. self._client_capabilities = set(caps)
  233. logger.info("Client capabilities: %s", caps)
  234. def has_capability(self, cap: bytes) -> bool:
  235. if self._client_capabilities is None:
  236. raise GitProtocolError(
  237. "Server attempted to access capability %r " "before asking client" % cap
  238. )
  239. return cap in self._client_capabilities
  240. def notify_done(self) -> None:
  241. self._done_received = True
  242. class UploadPackHandler(PackHandler):
  243. """Protocol handler for uploading a pack to the client."""
  244. def __init__(self, backend, args, proto, stateless_rpc=False, advertise_refs=False):
  245. super(UploadPackHandler, self).__init__(
  246. backend, proto, stateless_rpc=stateless_rpc
  247. )
  248. self.repo = backend.open_repository(args[0])
  249. self._graph_walker = None
  250. self.advertise_refs = advertise_refs
  251. # A state variable for denoting that the have list is still
  252. # being processed, and the client is not accepting any other
  253. # data (such as side-band, see the progress method here).
  254. self._processing_have_lines = False
  255. @classmethod
  256. def capabilities(cls):
  257. return [
  258. CAPABILITY_MULTI_ACK_DETAILED,
  259. CAPABILITY_MULTI_ACK,
  260. CAPABILITY_SIDE_BAND_64K,
  261. CAPABILITY_THIN_PACK,
  262. CAPABILITY_OFS_DELTA,
  263. CAPABILITY_NO_PROGRESS,
  264. CAPABILITY_INCLUDE_TAG,
  265. CAPABILITY_SHALLOW,
  266. CAPABILITY_NO_DONE,
  267. ]
  268. @classmethod
  269. def required_capabilities(cls):
  270. return (
  271. CAPABILITY_SIDE_BAND_64K,
  272. CAPABILITY_THIN_PACK,
  273. CAPABILITY_OFS_DELTA,
  274. )
  275. def progress(self, message):
  276. if self.has_capability(CAPABILITY_NO_PROGRESS) or self._processing_have_lines:
  277. return
  278. self.proto.write_sideband(SIDE_BAND_CHANNEL_PROGRESS, message)
  279. def get_tagged(self, refs=None, repo=None):
  280. """Get a dict of peeled values of tags to their original tag shas.
  281. Args:
  282. refs: dict of refname -> sha of possible tags; defaults to all
  283. of the backend's refs.
  284. repo: optional Repo instance for getting peeled refs; defaults
  285. to the backend's repo, if available
  286. Returns: dict of peeled_sha -> tag_sha, where tag_sha is the sha of a
  287. tag whose peeled value is peeled_sha.
  288. """
  289. if not self.has_capability(CAPABILITY_INCLUDE_TAG):
  290. return {}
  291. if refs is None:
  292. refs = self.repo.get_refs()
  293. if repo is None:
  294. repo = getattr(self.repo, "repo", None)
  295. if repo is None:
  296. # Bail if we don't have a Repo available; this is ok since
  297. # clients must be able to handle if the server doesn't include
  298. # all relevant tags.
  299. # TODO: fix behavior when missing
  300. return {}
  301. # TODO(jelmer): Integrate this with the refs logic in
  302. # Repo.fetch_objects
  303. tagged = {}
  304. for name, sha in refs.items():
  305. peeled_sha = repo.get_peeled(name)
  306. if peeled_sha != sha:
  307. tagged[peeled_sha] = sha
  308. return tagged
  309. def handle(self):
  310. def write(x):
  311. return self.proto.write_sideband(SIDE_BAND_CHANNEL_DATA, x)
  312. graph_walker = _ProtocolGraphWalker(
  313. self,
  314. self.repo.object_store,
  315. self.repo.get_peeled,
  316. self.repo.refs.get_symrefs,
  317. )
  318. wants = []
  319. def wants_wrapper(refs, **kwargs):
  320. wants.extend(graph_walker.determine_wants(refs, **kwargs))
  321. return wants
  322. objects_iter = self.repo.fetch_objects(
  323. wants_wrapper,
  324. graph_walker,
  325. self.progress,
  326. get_tagged=self.get_tagged,
  327. )
  328. # Note the fact that client is only processing responses related
  329. # to the have lines it sent, and any other data (including side-
  330. # band) will be be considered a fatal error.
  331. self._processing_have_lines = True
  332. # Did the process short-circuit (e.g. in a stateless RPC call)? Note
  333. # that the client still expects a 0-object pack in most cases.
  334. # Also, if it also happens that the object_iter is instantiated
  335. # with a graph walker with an implementation that talks over the
  336. # wire (which is this instance of this class) this will actually
  337. # iterate through everything and write things out to the wire.
  338. if len(wants) == 0:
  339. return
  340. # The provided haves are processed, and it is safe to send side-
  341. # band data now.
  342. self._processing_have_lines = False
  343. if not graph_walker.handle_done(
  344. not self.has_capability(CAPABILITY_NO_DONE), self._done_received
  345. ):
  346. return
  347. self.progress(
  348. ("counting objects: %d, done.\n" % len(objects_iter)).encode("ascii")
  349. )
  350. write_pack_objects(ProtocolFile(None, write), objects_iter)
  351. # we are done
  352. self.proto.write_pkt_line(None)
  353. def _split_proto_line(line, allowed):
  354. """Split a line read from the wire.
  355. Args:
  356. line: The line read from the wire.
  357. allowed: An iterable of command names that should be allowed.
  358. Command names not listed below as possible return values will be
  359. ignored. If None, any commands from the possible return values are
  360. allowed.
  361. Returns: a tuple having one of the following forms:
  362. ('want', obj_id)
  363. ('have', obj_id)
  364. ('done', None)
  365. (None, None) (for a flush-pkt)
  366. Raises:
  367. UnexpectedCommandError: if the line cannot be parsed into one of the
  368. allowed return values.
  369. """
  370. if not line:
  371. fields = [None]
  372. else:
  373. fields = line.rstrip(b"\n").split(b" ", 1)
  374. command = fields[0]
  375. if allowed is not None and command not in allowed:
  376. raise UnexpectedCommandError(command)
  377. if len(fields) == 1 and command in (COMMAND_DONE, None):
  378. return (command, None)
  379. elif len(fields) == 2:
  380. if command in (
  381. COMMAND_WANT,
  382. COMMAND_HAVE,
  383. COMMAND_SHALLOW,
  384. COMMAND_UNSHALLOW,
  385. ):
  386. if not valid_hexsha(fields[1]):
  387. raise GitProtocolError("Invalid sha")
  388. return tuple(fields)
  389. elif command == COMMAND_DEEPEN:
  390. return command, int(fields[1])
  391. raise GitProtocolError("Received invalid line from client: %r" % line)
  392. def _find_shallow(store, heads, depth):
  393. """Find shallow commits according to a given depth.
  394. Args:
  395. store: An ObjectStore for looking up objects.
  396. heads: Iterable of head SHAs to start walking from.
  397. depth: The depth of ancestors to include. A depth of one includes
  398. only the heads themselves.
  399. Returns: A tuple of (shallow, not_shallow), sets of SHAs that should be
  400. considered shallow and unshallow according to the arguments. Note that
  401. these sets may overlap if a commit is reachable along multiple paths.
  402. """
  403. parents = {}
  404. def get_parents(sha):
  405. result = parents.get(sha, None)
  406. if not result:
  407. result = store[sha].parents
  408. parents[sha] = result
  409. return result
  410. todo = [] # stack of (sha, depth)
  411. for head_sha in heads:
  412. obj = store.peel_sha(head_sha)
  413. if isinstance(obj, Commit):
  414. todo.append((obj.id, 1))
  415. not_shallow = set()
  416. shallow = set()
  417. while todo:
  418. sha, cur_depth = todo.pop()
  419. if cur_depth < depth:
  420. not_shallow.add(sha)
  421. new_depth = cur_depth + 1
  422. todo.extend((p, new_depth) for p in get_parents(sha))
  423. else:
  424. shallow.add(sha)
  425. return shallow, not_shallow
  426. def _want_satisfied(store, haves, want, earliest):
  427. o = store[want]
  428. pending = collections.deque([o])
  429. known = set([want])
  430. while pending:
  431. commit = pending.popleft()
  432. if commit.id in haves:
  433. return True
  434. if commit.type_name != b"commit":
  435. # non-commit wants are assumed to be satisfied
  436. continue
  437. for parent in commit.parents:
  438. if parent in known:
  439. continue
  440. known.add(parent)
  441. parent_obj = store[parent]
  442. # TODO: handle parents with later commit times than children
  443. if parent_obj.commit_time >= earliest:
  444. pending.append(parent_obj)
  445. return False
  446. def _all_wants_satisfied(store, haves, wants):
  447. """Check whether all the current wants are satisfied by a set of haves.
  448. Args:
  449. store: Object store to retrieve objects from
  450. haves: A set of commits we know the client has.
  451. wants: A set of commits the client wants
  452. Note: Wants are specified with set_wants rather than passed in since
  453. in the current interface they are determined outside this class.
  454. """
  455. haves = set(haves)
  456. if haves:
  457. earliest = min([store[h].commit_time for h in haves])
  458. else:
  459. earliest = 0
  460. for want in wants:
  461. if not _want_satisfied(store, haves, want, earliest):
  462. return False
  463. return True
  464. class _ProtocolGraphWalker(object):
  465. """A graph walker that knows the git protocol.
  466. As a graph walker, this class implements ack(), next(), and reset(). It
  467. also contains some base methods for interacting with the wire and walking
  468. the commit tree.
  469. The work of determining which acks to send is passed on to the
  470. implementation instance stored in _impl. The reason for this is that we do
  471. not know at object creation time what ack level the protocol requires. A
  472. call to set_ack_type() is required to set up the implementation, before
  473. any calls to next() or ack() are made.
  474. """
  475. def __init__(self, handler, object_store, get_peeled, get_symrefs):
  476. self.handler = handler
  477. self.store = object_store
  478. self.get_peeled = get_peeled
  479. self.get_symrefs = get_symrefs
  480. self.proto = handler.proto
  481. self.stateless_rpc = handler.stateless_rpc
  482. self.advertise_refs = handler.advertise_refs
  483. self._wants = []
  484. self.shallow = set()
  485. self.client_shallow = set()
  486. self.unshallow = set()
  487. self._cached = False
  488. self._cache = []
  489. self._cache_index = 0
  490. self._impl = None
  491. def determine_wants(self, heads, depth=None):
  492. """Determine the wants for a set of heads.
  493. The given heads are advertised to the client, who then specifies which
  494. refs they want using 'want' lines. This portion of the protocol is the
  495. same regardless of ack type, and in fact is used to set the ack type of
  496. the ProtocolGraphWalker.
  497. If the client has the 'shallow' capability, this method also reads and
  498. responds to the 'shallow' and 'deepen' lines from the client. These are
  499. not part of the wants per se, but they set up necessary state for
  500. walking the graph. Additionally, later code depends on this method
  501. consuming everything up to the first 'have' line.
  502. Args:
  503. heads: a dict of refname->SHA1 to advertise
  504. Returns: a list of SHA1s requested by the client
  505. """
  506. symrefs = self.get_symrefs()
  507. values = set(heads.values())
  508. if self.advertise_refs or not self.stateless_rpc:
  509. for i, (ref, sha) in enumerate(sorted(heads.items())):
  510. try:
  511. peeled_sha = self.get_peeled(ref)
  512. except KeyError:
  513. # Skip refs that are inaccessible
  514. # TODO(jelmer): Integrate with Repo.fetch_objects refs
  515. # logic.
  516. continue
  517. if i == 0:
  518. logger.info(
  519. "Sending capabilities: %s", self.handler.capabilities())
  520. line = format_ref_line(
  521. ref, sha,
  522. self.handler.capabilities()
  523. + symref_capabilities(symrefs.items()))
  524. else:
  525. line = format_ref_line(ref, sha)
  526. self.proto.write_pkt_line(line)
  527. if peeled_sha != sha:
  528. self.proto.write_pkt_line(
  529. format_ref_line(ref + ANNOTATED_TAG_SUFFIX, peeled_sha))
  530. # i'm done..
  531. self.proto.write_pkt_line(None)
  532. if self.advertise_refs:
  533. return []
  534. # Now client will sending want want want commands
  535. want = self.proto.read_pkt_line()
  536. if not want:
  537. return []
  538. line, caps = extract_want_line_capabilities(want)
  539. self.handler.set_client_capabilities(caps)
  540. self.set_ack_type(ack_type(caps))
  541. allowed = (COMMAND_WANT, COMMAND_SHALLOW, COMMAND_DEEPEN, None)
  542. command, sha = _split_proto_line(line, allowed)
  543. want_revs = []
  544. while command == COMMAND_WANT:
  545. if sha not in values:
  546. raise GitProtocolError("Client wants invalid object %s" % sha)
  547. want_revs.append(sha)
  548. command, sha = self.read_proto_line(allowed)
  549. self.set_wants(want_revs)
  550. if command in (COMMAND_SHALLOW, COMMAND_DEEPEN):
  551. self.unread_proto_line(command, sha)
  552. self._handle_shallow_request(want_revs)
  553. if self.stateless_rpc and self.proto.eof():
  554. # The client may close the socket at this point, expecting a
  555. # flush-pkt from the server. We might be ready to send a packfile
  556. # at this point, so we need to explicitly short-circuit in this
  557. # case.
  558. return []
  559. return want_revs
  560. def unread_proto_line(self, command, value):
  561. if isinstance(value, int):
  562. value = str(value).encode("ascii")
  563. self.proto.unread_pkt_line(command + b" " + value)
  564. def ack(self, have_ref):
  565. if len(have_ref) != 40:
  566. raise ValueError("invalid sha %r" % have_ref)
  567. return self._impl.ack(have_ref)
  568. def reset(self):
  569. self._cached = True
  570. self._cache_index = 0
  571. def next(self):
  572. if not self._cached:
  573. if not self._impl and self.stateless_rpc:
  574. return None
  575. return next(self._impl)
  576. self._cache_index += 1
  577. if self._cache_index > len(self._cache):
  578. return None
  579. return self._cache[self._cache_index]
  580. __next__ = next
  581. def read_proto_line(self, allowed):
  582. """Read a line from the wire.
  583. Args:
  584. allowed: An iterable of command names that should be allowed.
  585. Returns: A tuple of (command, value); see _split_proto_line.
  586. Raises:
  587. UnexpectedCommandError: If an error occurred reading the line.
  588. """
  589. return _split_proto_line(self.proto.read_pkt_line(), allowed)
  590. def _handle_shallow_request(self, wants):
  591. while True:
  592. command, val = self.read_proto_line((COMMAND_DEEPEN, COMMAND_SHALLOW))
  593. if command == COMMAND_DEEPEN:
  594. depth = val
  595. break
  596. self.client_shallow.add(val)
  597. self.read_proto_line((None,)) # consume client's flush-pkt
  598. shallow, not_shallow = _find_shallow(self.store, wants, depth)
  599. # Update self.shallow instead of reassigning it since we passed a
  600. # reference to it before this method was called.
  601. self.shallow.update(shallow - not_shallow)
  602. new_shallow = self.shallow - self.client_shallow
  603. unshallow = self.unshallow = not_shallow & self.client_shallow
  604. for sha in sorted(new_shallow):
  605. self.proto.write_pkt_line(format_shallow_line(sha))
  606. for sha in sorted(unshallow):
  607. self.proto.write_pkt_line(format_unshallow_line(sha))
  608. self.proto.write_pkt_line(None)
  609. def notify_done(self):
  610. # relay the message down to the handler.
  611. self.handler.notify_done()
  612. def send_ack(self, sha, ack_type=b""):
  613. self.proto.write_pkt_line(format_ack_line(sha, ack_type))
  614. def send_nak(self):
  615. self.proto.write_pkt_line(NAK_LINE)
  616. def handle_done(self, done_required, done_received):
  617. # Delegate this to the implementation.
  618. return self._impl.handle_done(done_required, done_received)
  619. def set_wants(self, wants):
  620. self._wants = wants
  621. def all_wants_satisfied(self, haves):
  622. """Check whether all the current wants are satisfied by a set of haves.
  623. Args:
  624. haves: A set of commits we know the client has.
  625. Note: Wants are specified with set_wants rather than passed in since
  626. in the current interface they are determined outside this class.
  627. """
  628. return _all_wants_satisfied(self.store, haves, self._wants)
  629. def set_ack_type(self, ack_type):
  630. impl_classes = {
  631. MULTI_ACK: MultiAckGraphWalkerImpl,
  632. MULTI_ACK_DETAILED: MultiAckDetailedGraphWalkerImpl,
  633. SINGLE_ACK: SingleAckGraphWalkerImpl,
  634. }
  635. self._impl = impl_classes[ack_type](self)
  636. _GRAPH_WALKER_COMMANDS = (COMMAND_HAVE, COMMAND_DONE, None)
  637. class SingleAckGraphWalkerImpl(object):
  638. """Graph walker implementation that speaks the single-ack protocol."""
  639. def __init__(self, walker):
  640. self.walker = walker
  641. self._common = []
  642. def ack(self, have_ref):
  643. if not self._common:
  644. self.walker.send_ack(have_ref)
  645. self._common.append(have_ref)
  646. def next(self):
  647. command, sha = self.walker.read_proto_line(_GRAPH_WALKER_COMMANDS)
  648. if command in (None, COMMAND_DONE):
  649. # defer the handling of done
  650. self.walker.notify_done()
  651. return None
  652. elif command == COMMAND_HAVE:
  653. return sha
  654. __next__ = next
  655. def handle_done(self, done_required, done_received):
  656. if not self._common:
  657. self.walker.send_nak()
  658. if done_required and not done_received:
  659. # we are not done, especially when done is required; skip
  660. # the pack for this request and especially do not handle
  661. # the done.
  662. return False
  663. if not done_received and not self._common:
  664. # Okay we are not actually done then since the walker picked
  665. # up no haves. This is usually triggered when client attempts
  666. # to pull from a source that has no common base_commit.
  667. # See: test_server.MultiAckDetailedGraphWalkerImplTestCase.\
  668. # test_multi_ack_stateless_nodone
  669. return False
  670. return True
  671. class MultiAckGraphWalkerImpl(object):
  672. """Graph walker implementation that speaks the multi-ack protocol."""
  673. def __init__(self, walker):
  674. self.walker = walker
  675. self._found_base = False
  676. self._common = []
  677. def ack(self, have_ref):
  678. self._common.append(have_ref)
  679. if not self._found_base:
  680. self.walker.send_ack(have_ref, b"continue")
  681. if self.walker.all_wants_satisfied(self._common):
  682. self._found_base = True
  683. # else we blind ack within next
  684. def next(self):
  685. while True:
  686. command, sha = self.walker.read_proto_line(_GRAPH_WALKER_COMMANDS)
  687. if command is None:
  688. self.walker.send_nak()
  689. # in multi-ack mode, a flush-pkt indicates the client wants to
  690. # flush but more have lines are still coming
  691. continue
  692. elif command == COMMAND_DONE:
  693. self.walker.notify_done()
  694. return None
  695. elif command == COMMAND_HAVE:
  696. if self._found_base:
  697. # blind ack
  698. self.walker.send_ack(sha, b"continue")
  699. return sha
  700. __next__ = next
  701. def handle_done(self, done_required, done_received):
  702. if done_required and not done_received:
  703. # we are not done, especially when done is required; skip
  704. # the pack for this request and especially do not handle
  705. # the done.
  706. return False
  707. if not done_received and not self._common:
  708. # Okay we are not actually done then since the walker picked
  709. # up no haves. This is usually triggered when client attempts
  710. # to pull from a source that has no common base_commit.
  711. # See: test_server.MultiAckDetailedGraphWalkerImplTestCase.\
  712. # test_multi_ack_stateless_nodone
  713. return False
  714. # don't nak unless no common commits were found, even if not
  715. # everything is satisfied
  716. if self._common:
  717. self.walker.send_ack(self._common[-1])
  718. else:
  719. self.walker.send_nak()
  720. return True
  721. class MultiAckDetailedGraphWalkerImpl(object):
  722. """Graph walker implementation speaking the multi-ack-detailed protocol."""
  723. def __init__(self, walker):
  724. self.walker = walker
  725. self._common = []
  726. def ack(self, have_ref):
  727. # Should only be called iff have_ref is common
  728. self._common.append(have_ref)
  729. self.walker.send_ack(have_ref, b"common")
  730. def next(self):
  731. while True:
  732. command, sha = self.walker.read_proto_line(_GRAPH_WALKER_COMMANDS)
  733. if command is None:
  734. if self.walker.all_wants_satisfied(self._common):
  735. self.walker.send_ack(self._common[-1], b"ready")
  736. self.walker.send_nak()
  737. if self.walker.stateless_rpc:
  738. # The HTTP version of this request a flush-pkt always
  739. # signifies an end of request, so we also return
  740. # nothing here as if we are done (but not really, as
  741. # it depends on whether no-done capability was
  742. # specified and that's handled in handle_done which
  743. # may or may not call post_nodone_check depending on
  744. # that).
  745. return None
  746. elif command == COMMAND_DONE:
  747. # Let the walker know that we got a done.
  748. self.walker.notify_done()
  749. break
  750. elif command == COMMAND_HAVE:
  751. # return the sha and let the caller ACK it with the
  752. # above ack method.
  753. return sha
  754. # don't nak unless no common commits were found, even if not
  755. # everything is satisfied
  756. __next__ = next
  757. def handle_done(self, done_required, done_received):
  758. if done_required and not done_received:
  759. # we are not done, especially when done is required; skip
  760. # the pack for this request and especially do not handle
  761. # the done.
  762. return False
  763. if not done_received and not self._common:
  764. # Okay we are not actually done then since the walker picked
  765. # up no haves. This is usually triggered when client attempts
  766. # to pull from a source that has no common base_commit.
  767. # See: test_server.MultiAckDetailedGraphWalkerImplTestCase.\
  768. # test_multi_ack_stateless_nodone
  769. return False
  770. # don't nak unless no common commits were found, even if not
  771. # everything is satisfied
  772. if self._common:
  773. self.walker.send_ack(self._common[-1])
  774. else:
  775. self.walker.send_nak()
  776. return True
  777. class ReceivePackHandler(PackHandler):
  778. """Protocol handler for downloading a pack from the client."""
  779. def __init__(self, backend, args, proto, stateless_rpc=False, advertise_refs=False):
  780. super(ReceivePackHandler, self).__init__(
  781. backend, proto, stateless_rpc=stateless_rpc
  782. )
  783. self.repo = backend.open_repository(args[0])
  784. self.advertise_refs = advertise_refs
  785. @classmethod
  786. def capabilities(cls) -> Iterable[bytes]:
  787. return [
  788. CAPABILITY_REPORT_STATUS,
  789. CAPABILITY_DELETE_REFS,
  790. CAPABILITY_QUIET,
  791. CAPABILITY_OFS_DELTA,
  792. CAPABILITY_SIDE_BAND_64K,
  793. CAPABILITY_NO_DONE,
  794. ]
  795. def _apply_pack(
  796. self, refs: List[Tuple[bytes, bytes, bytes]]
  797. ) -> List[Tuple[bytes, bytes]]:
  798. all_exceptions = (
  799. IOError,
  800. OSError,
  801. ChecksumMismatch,
  802. ApplyDeltaError,
  803. AssertionError,
  804. socket.error,
  805. zlib.error,
  806. ObjectFormatException,
  807. )
  808. status = []
  809. will_send_pack = False
  810. for command in refs:
  811. if command[1] != ZERO_SHA:
  812. will_send_pack = True
  813. if will_send_pack:
  814. # TODO: more informative error messages than just the exception
  815. # string
  816. try:
  817. recv = getattr(self.proto, "recv", None)
  818. self.repo.object_store.add_thin_pack(self.proto.read, recv)
  819. status.append((b"unpack", b"ok"))
  820. except all_exceptions as e:
  821. status.append((b"unpack", str(e).replace("\n", "").encode("utf-8")))
  822. # The pack may still have been moved in, but it may contain
  823. # broken objects. We trust a later GC to clean it up.
  824. else:
  825. # The git protocol want to find a status entry related to unpack
  826. # process even if no pack data has been sent.
  827. status.append((b"unpack", b"ok"))
  828. for oldsha, sha, ref in refs:
  829. ref_status = b"ok"
  830. try:
  831. if sha == ZERO_SHA:
  832. if CAPABILITY_DELETE_REFS not in self.capabilities():
  833. raise GitProtocolError(
  834. "Attempted to delete refs without delete-refs "
  835. "capability."
  836. )
  837. try:
  838. self.repo.refs.remove_if_equals(ref, oldsha)
  839. except all_exceptions:
  840. ref_status = b"failed to delete"
  841. else:
  842. try:
  843. self.repo.refs.set_if_equals(ref, oldsha, sha)
  844. except all_exceptions:
  845. ref_status = b"failed to write"
  846. except KeyError:
  847. ref_status = b"bad ref"
  848. status.append((ref, ref_status))
  849. return status
  850. def _report_status(self, status: List[Tuple[bytes, bytes]]) -> None:
  851. if self.has_capability(CAPABILITY_SIDE_BAND_64K):
  852. writer = BufferedPktLineWriter(
  853. lambda d: self.proto.write_sideband(SIDE_BAND_CHANNEL_DATA, d)
  854. )
  855. write = writer.write
  856. def flush():
  857. writer.flush()
  858. self.proto.write_pkt_line(None)
  859. else:
  860. write = self.proto.write_pkt_line
  861. def flush():
  862. pass
  863. for name, msg in status:
  864. if name == b"unpack":
  865. write(b"unpack " + msg + b"\n")
  866. elif msg == b"ok":
  867. write(b"ok " + name + b"\n")
  868. else:
  869. write(b"ng " + name + b" " + msg + b"\n")
  870. write(None)
  871. flush()
  872. def _on_post_receive(self, client_refs):
  873. hook = self.repo.hooks.get("post-receive", None)
  874. if not hook:
  875. return
  876. try:
  877. output = hook.execute(client_refs)
  878. if output:
  879. self.proto.write_sideband(SIDE_BAND_CHANNEL_PROGRESS, output)
  880. except HookError as err:
  881. self.proto.write_sideband(SIDE_BAND_CHANNEL_FATAL, str(err).encode('utf-8'))
  882. def handle(self) -> None:
  883. if self.advertise_refs or not self.stateless_rpc:
  884. refs = sorted(self.repo.get_refs().items())
  885. symrefs = sorted(self.repo.refs.get_symrefs().items())
  886. if not refs:
  887. refs = [(CAPABILITIES_REF, ZERO_SHA)]
  888. logger.info(
  889. "Sending capabilities: %s", self.capabilities())
  890. self.proto.write_pkt_line(
  891. format_ref_line(
  892. refs[0][0], refs[0][1],
  893. self.capabilities() + symref_capabilities(symrefs)))
  894. for i in range(1, len(refs)):
  895. ref = refs[i]
  896. self.proto.write_pkt_line(format_ref_line(ref[0], ref[1]))
  897. self.proto.write_pkt_line(None)
  898. if self.advertise_refs:
  899. return
  900. client_refs = []
  901. ref = self.proto.read_pkt_line()
  902. # if ref is none then client doesn't want to send us anything..
  903. if ref is None:
  904. return
  905. ref, caps = extract_capabilities(ref)
  906. self.set_client_capabilities(caps)
  907. # client will now send us a list of (oldsha, newsha, ref)
  908. while ref:
  909. client_refs.append(ref.split())
  910. ref = self.proto.read_pkt_line()
  911. # backend can now deal with this refs and read a pack using self.read
  912. status = self._apply_pack(client_refs)
  913. self._on_post_receive(client_refs)
  914. # when we have read all the pack from the client, send a status report
  915. # if the client asked for it
  916. if self.has_capability(CAPABILITY_REPORT_STATUS):
  917. self._report_status(status)
  918. class UploadArchiveHandler(Handler):
  919. def __init__(self, backend, args, proto, stateless_rpc=False):
  920. super(UploadArchiveHandler, self).__init__(backend, proto, stateless_rpc)
  921. self.repo = backend.open_repository(args[0])
  922. def handle(self):
  923. def write(x):
  924. return self.proto.write_sideband(SIDE_BAND_CHANNEL_DATA, x)
  925. arguments = []
  926. for pkt in self.proto.read_pkt_seq():
  927. (key, value) = pkt.split(b" ", 1)
  928. if key != b"argument":
  929. raise GitProtocolError("unknown command %s" % key)
  930. arguments.append(value.rstrip(b"\n"))
  931. prefix = b""
  932. format = "tar"
  933. i = 0
  934. store = self.repo.object_store
  935. while i < len(arguments):
  936. argument = arguments[i]
  937. if argument == b"--prefix":
  938. i += 1
  939. prefix = arguments[i]
  940. elif argument == b"--format":
  941. i += 1
  942. format = arguments[i].decode("ascii")
  943. else:
  944. commit_sha = self.repo.refs[argument]
  945. tree = store[store[commit_sha].tree]
  946. i += 1
  947. self.proto.write_pkt_line(b"ACK")
  948. self.proto.write_pkt_line(None)
  949. for chunk in tar_stream(
  950. store, tree, mtime=time.time(), prefix=prefix, format=format
  951. ):
  952. write(chunk)
  953. self.proto.write_pkt_line(None)
  954. # Default handler classes for git services.
  955. DEFAULT_HANDLERS = {
  956. b"git-upload-pack": UploadPackHandler,
  957. b"git-receive-pack": ReceivePackHandler,
  958. b"git-upload-archive": UploadArchiveHandler,
  959. }
  960. class TCPGitRequestHandler(socketserver.StreamRequestHandler):
  961. def __init__(self, handlers, *args, **kwargs):
  962. self.handlers = handlers
  963. socketserver.StreamRequestHandler.__init__(self, *args, **kwargs)
  964. def handle(self):
  965. proto = ReceivableProtocol(self.connection.recv, self.wfile.write)
  966. command, args = proto.read_cmd()
  967. logger.info("Handling %s request, args=%s", command, args)
  968. cls = self.handlers.get(command, None)
  969. if not callable(cls):
  970. raise GitProtocolError("Invalid service %s" % command)
  971. h = cls(self.server.backend, args, proto)
  972. h.handle()
  973. class TCPGitServer(socketserver.TCPServer):
  974. allow_reuse_address = True
  975. serve = socketserver.TCPServer.serve_forever
  976. def _make_handler(self, *args, **kwargs):
  977. return TCPGitRequestHandler(self.handlers, *args, **kwargs)
  978. def __init__(self, backend, listen_addr, port=TCP_GIT_PORT, handlers=None):
  979. self.handlers = dict(DEFAULT_HANDLERS)
  980. if handlers is not None:
  981. self.handlers.update(handlers)
  982. self.backend = backend
  983. logger.info("Listening for TCP connections on %s:%d", listen_addr, port)
  984. socketserver.TCPServer.__init__(self, (listen_addr, port), self._make_handler)
  985. def verify_request(self, request, client_address):
  986. logger.info("Handling request from %s", client_address)
  987. return True
  988. def handle_error(self, request, client_address):
  989. logger.exception(
  990. "Exception happened during processing of request " "from %s",
  991. client_address,
  992. )
  993. def main(argv=sys.argv):
  994. """Entry point for starting a TCP git server."""
  995. import optparse
  996. parser = optparse.OptionParser()
  997. parser.add_option(
  998. "-l",
  999. "--listen_address",
  1000. dest="listen_address",
  1001. default="localhost",
  1002. help="Binding IP address.",
  1003. )
  1004. parser.add_option(
  1005. "-p",
  1006. "--port",
  1007. dest="port",
  1008. type=int,
  1009. default=TCP_GIT_PORT,
  1010. help="Binding TCP port.",
  1011. )
  1012. options, args = parser.parse_args(argv)
  1013. log_utils.default_logging_config()
  1014. if len(args) > 1:
  1015. gitdir = args[1]
  1016. else:
  1017. gitdir = "."
  1018. # TODO(jelmer): Support git-daemon-export-ok and --export-all.
  1019. backend = FileSystemBackend(gitdir)
  1020. server = TCPGitServer(backend, options.listen_address, options.port)
  1021. server.serve_forever()
  1022. def serve_command(
  1023. handler_cls, argv=sys.argv, backend=None, inf=sys.stdin, outf=sys.stdout
  1024. ):
  1025. """Serve a single command.
  1026. This is mostly useful for the implementation of commands used by e.g.
  1027. git+ssh.
  1028. Args:
  1029. handler_cls: `Handler` class to use for the request
  1030. argv: execv-style command-line arguments. Defaults to sys.argv.
  1031. backend: `Backend` to use
  1032. inf: File-like object to read from, defaults to standard input.
  1033. outf: File-like object to write to, defaults to standard output.
  1034. Returns: Exit code for use with sys.exit. 0 on success, 1 on failure.
  1035. """
  1036. if backend is None:
  1037. backend = FileSystemBackend()
  1038. def send_fn(data):
  1039. outf.write(data)
  1040. outf.flush()
  1041. proto = Protocol(inf.read, send_fn)
  1042. handler = handler_cls(backend, argv[1:], proto)
  1043. # FIXME: Catch exceptions and write a single-line summary to outf.
  1044. handler.handle()
  1045. return 0
  1046. def generate_info_refs(repo):
  1047. """Generate an info refs file."""
  1048. refs = repo.get_refs()
  1049. return write_info_refs(refs, repo.object_store)
  1050. def generate_objects_info_packs(repo):
  1051. """Generate an index for for packs."""
  1052. for pack in repo.object_store.packs:
  1053. yield (b"P " + os.fsencode(pack.data.filename) + b"\n")
  1054. def update_server_info(repo):
  1055. """Generate server info for dumb file access.
  1056. This generates info/refs and objects/info/packs,
  1057. similar to "git update-server-info".
  1058. """
  1059. repo._put_named_file(
  1060. os.path.join("info", "refs"), b"".join(generate_info_refs(repo))
  1061. )
  1062. repo._put_named_file(
  1063. os.path.join("objects", "info", "packs"),
  1064. b"".join(generate_objects_info_packs(repo)),
  1065. )
  1066. if __name__ == "__main__":
  1067. main()