server.py 25 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738
  1. # server.py -- Implementation of the server side git protocols
  2. # Copyright (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. For more detailed implementation on the network protocol, see the
  20. Documentation/technical directory in the cgit distribution, and in particular:
  21. * Documentation/technical/protocol-capabilities.txt
  22. * Documentation/technical/pack-protocol.txt
  23. """
  24. import collections
  25. import socket
  26. import SocketServer
  27. import sys
  28. import zlib
  29. from dulwich.errors import (
  30. ApplyDeltaError,
  31. ChecksumMismatch,
  32. GitProtocolError,
  33. ObjectFormatException,
  34. )
  35. from dulwich import log_utils
  36. from dulwich.objects import (
  37. hex_to_sha,
  38. )
  39. from dulwich.pack import (
  40. PackStreamReader,
  41. write_pack_data,
  42. )
  43. from dulwich.protocol import (
  44. MULTI_ACK,
  45. MULTI_ACK_DETAILED,
  46. ProtocolFile,
  47. ReceivableProtocol,
  48. SINGLE_ACK,
  49. TCP_GIT_PORT,
  50. ZERO_SHA,
  51. ack_type,
  52. extract_capabilities,
  53. extract_want_line_capabilities,
  54. )
  55. from dulwich.repo import (
  56. Repo,
  57. )
  58. logger = log_utils.getLogger(__name__)
  59. class Backend(object):
  60. """A backend for the Git smart server implementation."""
  61. def open_repository(self, path):
  62. """Open the repository at a path."""
  63. raise NotImplementedError(self.open_repository)
  64. class BackendRepo(object):
  65. """Repository abstraction used by the Git server.
  66. Please note that the methods required here are a
  67. subset of those provided by dulwich.repo.Repo.
  68. """
  69. object_store = None
  70. refs = None
  71. def get_refs(self):
  72. """
  73. Get all the refs in the repository
  74. :return: dict of name -> sha
  75. """
  76. raise NotImplementedError
  77. def get_peeled(self, name):
  78. """Return the cached peeled value of a ref, if available.
  79. :param name: Name of the ref to peel
  80. :return: The peeled value of the ref. If the ref is known not point to
  81. a tag, this will be the SHA the ref refers to. If no cached
  82. information about a tag is available, this method may return None,
  83. but it should attempt to peel the tag if possible.
  84. """
  85. return None
  86. def fetch_objects(self, determine_wants, graph_walker, progress,
  87. get_tagged=None):
  88. """
  89. Yield the objects required for a list of commits.
  90. :param progress: is a callback to send progress messages to the client
  91. :param get_tagged: Function that returns a dict of pointed-to sha -> tag
  92. sha for including tags.
  93. """
  94. raise NotImplementedError
  95. class PackStreamCopier(PackStreamReader):
  96. """Class to verify a pack stream as it is being read.
  97. The pack is read from a ReceivableProtocol using read() or recv() as
  98. appropriate and written out to the given file-like object.
  99. """
  100. def __init__(self, read_all, read_some, outfile):
  101. super(PackStreamCopier, self).__init__(read_all, read_some)
  102. self.outfile = outfile
  103. def _read(self, read, size):
  104. data = super(PackStreamCopier, self)._read(read, size)
  105. self.outfile.write(data)
  106. return data
  107. def verify(self):
  108. """Verify a pack stream and write it to the output file.
  109. See PackStreamReader.iterobjects for a list of exceptions this may
  110. throw.
  111. """
  112. for _, _, _ in self.read_objects():
  113. pass
  114. class DictBackend(Backend):
  115. """Trivial backend that looks up Git repositories in a dictionary."""
  116. def __init__(self, repos):
  117. self.repos = repos
  118. def open_repository(self, path):
  119. logger.debug('Opening repository at %s', path)
  120. # FIXME: What to do in case there is no repo ?
  121. return self.repos[path]
  122. class Handler(object):
  123. """Smart protocol command handler base class."""
  124. def __init__(self, backend, proto):
  125. self.backend = backend
  126. self.proto = proto
  127. self._client_capabilities = None
  128. @classmethod
  129. def capability_line(cls):
  130. return " ".join(cls.capabilities())
  131. @classmethod
  132. def capabilities(cls):
  133. raise NotImplementedError(cls.capabilities)
  134. @classmethod
  135. def innocuous_capabilities(cls):
  136. return ("include-tag", "thin-pack", "no-progress", "ofs-delta")
  137. @classmethod
  138. def required_capabilities(cls):
  139. """Return a list of capabilities that we require the client to have."""
  140. return []
  141. def set_client_capabilities(self, caps):
  142. allowable_caps = set(self.innocuous_capabilities())
  143. allowable_caps.update(self.capabilities())
  144. for cap in caps:
  145. if cap not in allowable_caps:
  146. raise GitProtocolError('Client asked for capability %s that '
  147. 'was not advertised.' % cap)
  148. for cap in self.required_capabilities():
  149. if cap not in caps:
  150. raise GitProtocolError('Client does not support required '
  151. 'capability %s.' % cap)
  152. self._client_capabilities = set(caps)
  153. logger.info('Client capabilities: %s', caps)
  154. def has_capability(self, cap):
  155. if self._client_capabilities is None:
  156. raise GitProtocolError('Server attempted to access capability %s '
  157. 'before asking client' % cap)
  158. return cap in self._client_capabilities
  159. class UploadPackHandler(Handler):
  160. """Protocol handler for uploading a pack to the server."""
  161. def __init__(self, backend, args, proto,
  162. stateless_rpc=False, advertise_refs=False):
  163. Handler.__init__(self, backend, proto)
  164. self.repo = backend.open_repository(args[0])
  165. self._graph_walker = None
  166. self.stateless_rpc = stateless_rpc
  167. self.advertise_refs = advertise_refs
  168. @classmethod
  169. def capabilities(cls):
  170. return ("multi_ack_detailed", "multi_ack", "side-band-64k", "thin-pack",
  171. "ofs-delta", "no-progress", "include-tag")
  172. @classmethod
  173. def required_capabilities(cls):
  174. return ("side-band-64k", "thin-pack", "ofs-delta")
  175. def progress(self, message):
  176. if self.has_capability("no-progress"):
  177. return
  178. self.proto.write_sideband(2, message)
  179. def get_tagged(self, refs=None, repo=None):
  180. """Get a dict of peeled values of tags to their original tag shas.
  181. :param refs: dict of refname -> sha of possible tags; defaults to all of
  182. the backend's refs.
  183. :param repo: optional Repo instance for getting peeled refs; defaults to
  184. the backend's repo, if available
  185. :return: dict of peeled_sha -> tag_sha, where tag_sha is the sha of a
  186. tag whose peeled value is peeled_sha.
  187. """
  188. if not self.has_capability("include-tag"):
  189. return {}
  190. if refs is None:
  191. refs = self.repo.get_refs()
  192. if repo is None:
  193. repo = getattr(self.repo, "repo", None)
  194. if repo is None:
  195. # Bail if we don't have a Repo available; this is ok since
  196. # clients must be able to handle if the server doesn't include
  197. # all relevant tags.
  198. # TODO: fix behavior when missing
  199. return {}
  200. tagged = {}
  201. for name, sha in refs.iteritems():
  202. peeled_sha = repo.get_peeled(name)
  203. if peeled_sha != sha:
  204. tagged[peeled_sha] = sha
  205. return tagged
  206. def handle(self):
  207. write = lambda x: self.proto.write_sideband(1, x)
  208. graph_walker = ProtocolGraphWalker(self, self.repo.object_store,
  209. self.repo.get_peeled)
  210. objects_iter = self.repo.fetch_objects(
  211. graph_walker.determine_wants, graph_walker, self.progress,
  212. get_tagged=self.get_tagged)
  213. # Do they want any objects?
  214. if len(objects_iter) == 0:
  215. return
  216. self.progress("dul-daemon says what\n")
  217. self.progress("counting objects: %d, done.\n" % len(objects_iter))
  218. write_pack_data(ProtocolFile(None, write), objects_iter,
  219. len(objects_iter))
  220. self.progress("how was that, then?\n")
  221. # we are done
  222. self.proto.write("0000")
  223. class ProtocolGraphWalker(object):
  224. """A graph walker that knows the git protocol.
  225. As a graph walker, this class implements ack(), next(), and reset(). It
  226. also contains some base methods for interacting with the wire and walking
  227. the commit tree.
  228. The work of determining which acks to send is passed on to the
  229. implementation instance stored in _impl. The reason for this is that we do
  230. not know at object creation time what ack level the protocol requires. A
  231. call to set_ack_level() is required to set up the implementation, before any
  232. calls to next() or ack() are made.
  233. """
  234. def __init__(self, handler, object_store, get_peeled):
  235. self.handler = handler
  236. self.store = object_store
  237. self.get_peeled = get_peeled
  238. self.proto = handler.proto
  239. self.stateless_rpc = handler.stateless_rpc
  240. self.advertise_refs = handler.advertise_refs
  241. self._wants = []
  242. self._cached = False
  243. self._cache = []
  244. self._cache_index = 0
  245. self._impl = None
  246. def determine_wants(self, heads):
  247. """Determine the wants for a set of heads.
  248. The given heads are advertised to the client, who then specifies which
  249. refs he wants using 'want' lines. This portion of the protocol is the
  250. same regardless of ack type, and in fact is used to set the ack type of
  251. the ProtocolGraphWalker.
  252. :param heads: a dict of refname->SHA1 to advertise
  253. :return: a list of SHA1s requested by the client
  254. """
  255. if not heads:
  256. raise GitProtocolError('No heads found')
  257. values = set(heads.itervalues())
  258. if self.advertise_refs or not self.stateless_rpc:
  259. for i, (ref, sha) in enumerate(heads.iteritems()):
  260. line = "%s %s" % (sha, ref)
  261. if not i:
  262. line = "%s\x00%s" % (line, self.handler.capability_line())
  263. self.proto.write_pkt_line("%s\n" % line)
  264. peeled_sha = self.get_peeled(ref)
  265. if peeled_sha != sha:
  266. self.proto.write_pkt_line('%s %s^{}\n' %
  267. (peeled_sha, ref))
  268. # i'm done..
  269. self.proto.write_pkt_line(None)
  270. if self.advertise_refs:
  271. return []
  272. # Now client will sending want want want commands
  273. want = self.proto.read_pkt_line()
  274. if not want:
  275. return []
  276. line, caps = extract_want_line_capabilities(want)
  277. self.handler.set_client_capabilities(caps)
  278. self.set_ack_type(ack_type(caps))
  279. command, sha = self._split_proto_line(line)
  280. want_revs = []
  281. while command != None:
  282. if command != 'want':
  283. raise GitProtocolError(
  284. 'Protocol got unexpected command %s' % command)
  285. if sha not in values:
  286. raise GitProtocolError(
  287. 'Client wants invalid object %s' % sha)
  288. want_revs.append(sha)
  289. command, sha = self.read_proto_line()
  290. self.set_wants(want_revs)
  291. return want_revs
  292. def ack(self, have_ref):
  293. return self._impl.ack(have_ref)
  294. def reset(self):
  295. self._cached = True
  296. self._cache_index = 0
  297. def next(self):
  298. if not self._cached:
  299. if not self._impl and self.stateless_rpc:
  300. return None
  301. return self._impl.next()
  302. self._cache_index += 1
  303. if self._cache_index > len(self._cache):
  304. return None
  305. return self._cache[self._cache_index]
  306. def _split_proto_line(self, line):
  307. fields = line.rstrip('\n').split(' ', 1)
  308. if len(fields) == 1 and fields[0] == 'done':
  309. return ('done', None)
  310. elif len(fields) == 2 and fields[0] in ('want', 'have'):
  311. try:
  312. hex_to_sha(fields[1])
  313. return tuple(fields)
  314. except (TypeError, AssertionError), e:
  315. raise GitProtocolError(e)
  316. raise GitProtocolError('Received invalid line from client:\n%s' % line)
  317. def read_proto_line(self):
  318. """Read a line from the wire.
  319. :return: a tuple having one of the following forms:
  320. ('want', obj_id)
  321. ('have', obj_id)
  322. ('done', None)
  323. (None, None) (for a flush-pkt)
  324. :raise GitProtocolError: if the line cannot be parsed into one of the
  325. possible return values.
  326. """
  327. line = self.proto.read_pkt_line()
  328. if not line:
  329. return (None, None)
  330. return self._split_proto_line(line)
  331. def send_ack(self, sha, ack_type=''):
  332. if ack_type:
  333. ack_type = ' %s' % ack_type
  334. self.proto.write_pkt_line('ACK %s%s\n' % (sha, ack_type))
  335. def send_nak(self):
  336. self.proto.write_pkt_line('NAK\n')
  337. def set_wants(self, wants):
  338. self._wants = wants
  339. def _is_satisfied(self, haves, want, earliest):
  340. """Check whether a want is satisfied by a set of haves.
  341. A want, typically a branch tip, is "satisfied" only if there exists a
  342. path back from that want to one of the haves.
  343. :param haves: A set of commits we know the client has.
  344. :param want: The want to check satisfaction for.
  345. :param earliest: A timestamp beyond which the search for haves will be
  346. terminated, presumably because we're searching too far down the
  347. wrong branch.
  348. """
  349. o = self.store[want]
  350. pending = collections.deque([o])
  351. while pending:
  352. commit = pending.popleft()
  353. if commit.id in haves:
  354. return True
  355. if commit.type_name != "commit":
  356. # non-commit wants are assumed to be satisfied
  357. continue
  358. for parent in commit.parents:
  359. parent_obj = self.store[parent]
  360. # TODO: handle parents with later commit times than children
  361. if parent_obj.commit_time >= earliest:
  362. pending.append(parent_obj)
  363. return False
  364. def all_wants_satisfied(self, haves):
  365. """Check whether all the current wants are satisfied by a set of haves.
  366. :param haves: A set of commits we know the client has.
  367. :note: Wants are specified with set_wants rather than passed in since
  368. in the current interface they are determined outside this class.
  369. """
  370. haves = set(haves)
  371. earliest = min([self.store[h].commit_time for h in haves])
  372. for want in self._wants:
  373. if not self._is_satisfied(haves, want, earliest):
  374. return False
  375. return True
  376. def set_ack_type(self, ack_type):
  377. impl_classes = {
  378. MULTI_ACK: MultiAckGraphWalkerImpl,
  379. MULTI_ACK_DETAILED: MultiAckDetailedGraphWalkerImpl,
  380. SINGLE_ACK: SingleAckGraphWalkerImpl,
  381. }
  382. self._impl = impl_classes[ack_type](self)
  383. class SingleAckGraphWalkerImpl(object):
  384. """Graph walker implementation that speaks the single-ack protocol."""
  385. def __init__(self, walker):
  386. self.walker = walker
  387. self._sent_ack = False
  388. def ack(self, have_ref):
  389. if not self._sent_ack:
  390. self.walker.send_ack(have_ref)
  391. self._sent_ack = True
  392. def next(self):
  393. command, sha = self.walker.read_proto_line()
  394. if command in (None, 'done'):
  395. if not self._sent_ack:
  396. self.walker.send_nak()
  397. return None
  398. elif command == 'have':
  399. return sha
  400. class MultiAckGraphWalkerImpl(object):
  401. """Graph walker implementation that speaks the multi-ack protocol."""
  402. def __init__(self, walker):
  403. self.walker = walker
  404. self._found_base = False
  405. self._common = []
  406. def ack(self, have_ref):
  407. self._common.append(have_ref)
  408. if not self._found_base:
  409. self.walker.send_ack(have_ref, 'continue')
  410. if self.walker.all_wants_satisfied(self._common):
  411. self._found_base = True
  412. # else we blind ack within next
  413. def next(self):
  414. while True:
  415. command, sha = self.walker.read_proto_line()
  416. if command is None:
  417. self.walker.send_nak()
  418. # in multi-ack mode, a flush-pkt indicates the client wants to
  419. # flush but more have lines are still coming
  420. continue
  421. elif command == 'done':
  422. # don't nak unless no common commits were found, even if not
  423. # everything is satisfied
  424. if self._common:
  425. self.walker.send_ack(self._common[-1])
  426. else:
  427. self.walker.send_nak()
  428. return None
  429. elif command == 'have':
  430. if self._found_base:
  431. # blind ack
  432. self.walker.send_ack(sha, 'continue')
  433. return sha
  434. class MultiAckDetailedGraphWalkerImpl(object):
  435. """Graph walker implementation speaking the multi-ack-detailed protocol."""
  436. def __init__(self, walker):
  437. self.walker = walker
  438. self._found_base = False
  439. self._common = []
  440. def ack(self, have_ref):
  441. self._common.append(have_ref)
  442. if not self._found_base:
  443. self.walker.send_ack(have_ref, 'common')
  444. if self.walker.all_wants_satisfied(self._common):
  445. self._found_base = True
  446. self.walker.send_ack(have_ref, 'ready')
  447. # else we blind ack within next
  448. def next(self):
  449. while True:
  450. command, sha = self.walker.read_proto_line()
  451. if command is None:
  452. self.walker.send_nak()
  453. if self.walker.stateless_rpc:
  454. return None
  455. continue
  456. elif command == 'done':
  457. # don't nak unless no common commits were found, even if not
  458. # everything is satisfied
  459. if self._common:
  460. self.walker.send_ack(self._common[-1])
  461. else:
  462. self.walker.send_nak()
  463. return None
  464. elif command == 'have':
  465. if self._found_base:
  466. # blind ack; can happen if the client has more requests
  467. # inflight
  468. self.walker.send_ack(sha, 'ready')
  469. return sha
  470. class ReceivePackHandler(Handler):
  471. """Protocol handler for downloading a pack from the client."""
  472. def __init__(self, backend, args, proto,
  473. stateless_rpc=False, advertise_refs=False):
  474. Handler.__init__(self, backend, proto)
  475. self.repo = backend.open_repository(args[0])
  476. self.stateless_rpc = stateless_rpc
  477. self.advertise_refs = advertise_refs
  478. @classmethod
  479. def capabilities(cls):
  480. return ("report-status", "delete-refs")
  481. def _apply_pack(self, refs):
  482. f, commit = self.repo.object_store.add_thin_pack()
  483. all_exceptions = (IOError, OSError, ChecksumMismatch, ApplyDeltaError,
  484. AssertionError, socket.error, zlib.error,
  485. ObjectFormatException)
  486. status = []
  487. # TODO: more informative error messages than just the exception string
  488. try:
  489. PackStreamCopier(self.proto.read, self.proto.recv, f).verify()
  490. p = commit()
  491. if not p:
  492. raise IOError('Failed to write pack')
  493. p.check()
  494. status.append(('unpack', 'ok'))
  495. except all_exceptions, e:
  496. status.append(('unpack', str(e).replace('\n', '')))
  497. # The pack may still have been moved in, but it may contain broken
  498. # objects. We trust a later GC to clean it up.
  499. for oldsha, sha, ref in refs:
  500. ref_status = 'ok'
  501. try:
  502. if sha == ZERO_SHA:
  503. if not 'delete-refs' in self.capabilities():
  504. raise GitProtocolError(
  505. 'Attempted to delete refs without delete-refs '
  506. 'capability.')
  507. try:
  508. del self.repo.refs[ref]
  509. except all_exceptions:
  510. ref_status = 'failed to delete'
  511. else:
  512. try:
  513. self.repo.refs[ref] = sha
  514. except all_exceptions:
  515. ref_status = 'failed to write'
  516. except KeyError, e:
  517. ref_status = 'bad ref'
  518. status.append((ref, ref_status))
  519. return status
  520. def _report_status(self, status):
  521. for name, msg in status:
  522. if name == 'unpack':
  523. self.proto.write_pkt_line('unpack %s\n' % msg)
  524. elif msg == 'ok':
  525. self.proto.write_pkt_line('ok %s\n' % name)
  526. else:
  527. self.proto.write_pkt_line('ng %s %s\n' % (name, msg))
  528. self.proto.write_pkt_line(None)
  529. def handle(self):
  530. refs = self.repo.get_refs().items()
  531. if self.advertise_refs or not self.stateless_rpc:
  532. if refs:
  533. self.proto.write_pkt_line(
  534. "%s %s\x00%s\n" % (refs[0][1], refs[0][0],
  535. self.capability_line()))
  536. for i in range(1, len(refs)):
  537. ref = refs[i]
  538. self.proto.write_pkt_line("%s %s\n" % (ref[1], ref[0]))
  539. else:
  540. self.proto.write_pkt_line("%s capabilities^{} %s" % (
  541. ZERO_SHA, self.capability_line()))
  542. self.proto.write("0000")
  543. if self.advertise_refs:
  544. return
  545. client_refs = []
  546. ref = self.proto.read_pkt_line()
  547. # if ref is none then client doesnt want to send us anything..
  548. if ref is None:
  549. return
  550. ref, caps = extract_capabilities(ref)
  551. self.set_client_capabilities(caps)
  552. # client will now send us a list of (oldsha, newsha, ref)
  553. while ref:
  554. client_refs.append(ref.split())
  555. ref = self.proto.read_pkt_line()
  556. # backend can now deal with this refs and read a pack using self.read
  557. status = self._apply_pack(client_refs)
  558. # when we have read all the pack from the client, send a status report
  559. # if the client asked for it
  560. if self.has_capability('report-status'):
  561. self._report_status(status)
  562. # Default handler classes for git services.
  563. DEFAULT_HANDLERS = {
  564. 'git-upload-pack': UploadPackHandler,
  565. 'git-receive-pack': ReceivePackHandler,
  566. }
  567. class TCPGitRequestHandler(SocketServer.StreamRequestHandler):
  568. def __init__(self, handlers, *args, **kwargs):
  569. self.handlers = handlers
  570. SocketServer.StreamRequestHandler.__init__(self, *args, **kwargs)
  571. def handle(self):
  572. proto = ReceivableProtocol(self.connection.recv, self.wfile.write)
  573. command, args = proto.read_cmd()
  574. logger.info('Handling %s request, args=%s', command, args)
  575. cls = self.handlers.get(command, None)
  576. if not callable(cls):
  577. raise GitProtocolError('Invalid service %s' % command)
  578. h = cls(self.server.backend, args, proto)
  579. h.handle()
  580. class TCPGitServer(SocketServer.TCPServer):
  581. allow_reuse_address = True
  582. serve = SocketServer.TCPServer.serve_forever
  583. def _make_handler(self, *args, **kwargs):
  584. return TCPGitRequestHandler(self.handlers, *args, **kwargs)
  585. def __init__(self, backend, listen_addr, port=TCP_GIT_PORT, handlers=None):
  586. self.handlers = dict(DEFAULT_HANDLERS)
  587. if handlers is not None:
  588. self.handlers.update(handlers)
  589. self.backend = backend
  590. logger.info('Listening for TCP connections on %s:%d', listen_addr, port)
  591. SocketServer.TCPServer.__init__(self, (listen_addr, port),
  592. self._make_handler)
  593. def verify_request(self, request, client_address):
  594. logger.info('Handling request from %s', client_address)
  595. return True
  596. def handle_error(self, request, client_address):
  597. logger.exception('Exception happened during processing of request '
  598. 'from %s', client_address)
  599. def main(argv=sys.argv):
  600. """Entry point for starting a TCP git server."""
  601. if len(argv) > 1:
  602. gitdir = argv[1]
  603. else:
  604. gitdir = '.'
  605. log_utils.default_logging_config()
  606. backend = DictBackend({'/': Repo(gitdir)})
  607. server = TCPGitServer(backend, 'localhost')
  608. server.serve_forever()