objects.py 41 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791792793794795796797798799800801802803804805806807808809810811812813814815816817818819820821822823824825826827828829830831832833834835836837838839840841842843844845846847848849850851852853854855856857858859860861862863864865866867868869870871872873874875876877878879880881882883884885886887888889890891892893894895896897898899900901902903904905906907908909910911912913914915916917918919920921922923924925926927928929930931932933934935936937938939940941942943944945946947948949950951952953954955956957958959960961962963964965966967968969970971972973974975976977978979980981982983984985986987988989990991992993994995996997998999100010011002100310041005100610071008100910101011101210131014101510161017101810191020102110221023102410251026102710281029103010311032103310341035103610371038103910401041104210431044104510461047104810491050105110521053105410551056105710581059106010611062106310641065106610671068106910701071107210731074107510761077107810791080108110821083108410851086108710881089109010911092109310941095109610971098109911001101110211031104110511061107110811091110111111121113111411151116111711181119112011211122112311241125112611271128112911301131113211331134113511361137113811391140114111421143114411451146114711481149115011511152115311541155115611571158115911601161116211631164116511661167116811691170117111721173117411751176117711781179118011811182118311841185118611871188118911901191119211931194119511961197119811991200120112021203120412051206120712081209121012111212121312141215121612171218121912201221122212231224122512261227122812291230123112321233123412351236123712381239124012411242124312441245124612471248124912501251125212531254125512561257
  1. # objects.py -- Access to base git objects
  2. # Copyright (C) 2007 James Westby <jw+debian@jameswestby.net>
  3. # Copyright (C) 2008-2013 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. # of the License or (at your option) a later version of the License.
  9. #
  10. # This program is distributed in the hope that it will be useful,
  11. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  12. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  13. # GNU General Public License for more details.
  14. #
  15. # You should have received a copy of the GNU General Public License
  16. # along with this program; if not, write to the Free Software
  17. # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
  18. # MA 02110-1301, USA.
  19. """Access to base git objects."""
  20. import binascii
  21. from cStringIO import (
  22. StringIO,
  23. )
  24. import os
  25. import posixpath
  26. import stat
  27. import warnings
  28. import zlib
  29. from dulwich.errors import (
  30. ChecksumMismatch,
  31. NotBlobError,
  32. NotCommitError,
  33. NotTagError,
  34. NotTreeError,
  35. ObjectFormatException,
  36. )
  37. from dulwich.file import GitFile
  38. from dulwich._compat import (
  39. make_sha,
  40. namedtuple,
  41. )
  42. ZERO_SHA = "0" * 40
  43. # Header fields for commits
  44. _TREE_HEADER = "tree"
  45. _PARENT_HEADER = "parent"
  46. _AUTHOR_HEADER = "author"
  47. _COMMITTER_HEADER = "committer"
  48. _ENCODING_HEADER = "encoding"
  49. _MERGETAG_HEADER = "mergetag"
  50. # Header fields for objects
  51. _OBJECT_HEADER = "object"
  52. _TYPE_HEADER = "type"
  53. _TAG_HEADER = "tag"
  54. _TAGGER_HEADER = "tagger"
  55. S_IFGITLINK = 0160000
  56. def S_ISGITLINK(m):
  57. """Check if a mode indicates a submodule.
  58. :param m: Mode to check
  59. :return: a ``boolean``
  60. """
  61. return (stat.S_IFMT(m) == S_IFGITLINK)
  62. def _decompress(string):
  63. dcomp = zlib.decompressobj()
  64. dcomped = dcomp.decompress(string)
  65. dcomped += dcomp.flush()
  66. return dcomped
  67. def sha_to_hex(sha):
  68. """Takes a string and returns the hex of the sha within"""
  69. hexsha = binascii.hexlify(sha)
  70. assert len(hexsha) == 40, "Incorrect length of sha1 string: %d" % hexsha
  71. return hexsha
  72. def hex_to_sha(hex):
  73. """Takes a hex sha and returns a binary sha"""
  74. assert len(hex) == 40, "Incorrent length of hexsha: %s" % hex
  75. try:
  76. return binascii.unhexlify(hex)
  77. except TypeError, exc:
  78. if not isinstance(hex, str):
  79. raise
  80. raise ValueError(exc.message)
  81. def hex_to_filename(path, hex):
  82. """Takes a hex sha and returns its filename relative to the given path."""
  83. dir = hex[:2]
  84. file = hex[2:]
  85. # Check from object dir
  86. return os.path.join(path, dir, file)
  87. def filename_to_hex(filename):
  88. """Takes an object filename and returns its corresponding hex sha."""
  89. # grab the last (up to) two path components
  90. names = filename.rsplit(os.path.sep, 2)[-2:]
  91. errmsg = "Invalid object filename: %s" % filename
  92. assert len(names) == 2, errmsg
  93. base, rest = names
  94. assert len(base) == 2 and len(rest) == 38, errmsg
  95. hex = base + rest
  96. hex_to_sha(hex)
  97. return hex
  98. def object_header(num_type, length):
  99. """Return an object header for the given numeric type and text length."""
  100. return "%s %d\0" % (object_class(num_type).type_name, length)
  101. def serializable_property(name, docstring=None):
  102. """A property that helps tracking whether serialization is necessary.
  103. """
  104. def set(obj, value):
  105. obj._ensure_parsed()
  106. setattr(obj, "_"+name, value)
  107. obj._needs_serialization = True
  108. def get(obj):
  109. obj._ensure_parsed()
  110. return getattr(obj, "_"+name)
  111. return property(get, set, doc=docstring)
  112. def object_class(type):
  113. """Get the object class corresponding to the given type.
  114. :param type: Either a type name string or a numeric type.
  115. :return: The ShaFile subclass corresponding to the given type, or None if
  116. type is not a valid type name/number.
  117. """
  118. return _TYPE_MAP.get(type, None)
  119. def check_hexsha(hex, error_msg):
  120. """Check if a string is a valid hex sha string.
  121. :param hex: Hex string to check
  122. :param error_msg: Error message to use in exception
  123. :raise ObjectFormatException: Raised when the string is not valid
  124. """
  125. try:
  126. hex_to_sha(hex)
  127. except (TypeError, AssertionError, ValueError):
  128. raise ObjectFormatException("%s %s" % (error_msg, hex))
  129. def check_identity(identity, error_msg):
  130. """Check if the specified identity is valid.
  131. This will raise an exception if the identity is not valid.
  132. :param identity: Identity string
  133. :param error_msg: Error message to use in exception
  134. """
  135. email_start = identity.find("<")
  136. email_end = identity.find(">")
  137. if (email_start < 0 or email_end < 0 or email_end <= email_start
  138. or identity.find("<", email_start + 1) >= 0
  139. or identity.find(">", email_end + 1) >= 0
  140. or not identity.endswith(">")):
  141. raise ObjectFormatException(error_msg)
  142. class FixedSha(object):
  143. """SHA object that behaves like hashlib's but is given a fixed value."""
  144. __slots__ = ('_hexsha', '_sha')
  145. def __init__(self, hexsha):
  146. self._hexsha = hexsha
  147. self._sha = hex_to_sha(hexsha)
  148. def digest(self):
  149. """Return the raw SHA digest."""
  150. return self._sha
  151. def hexdigest(self):
  152. """Return the hex SHA digest."""
  153. return self._hexsha
  154. class ShaFile(object):
  155. """A git SHA file."""
  156. __slots__ = ('_needs_parsing', '_chunked_text', '_file', '_path',
  157. '_sha', '_needs_serialization', '_magic')
  158. @staticmethod
  159. def _parse_legacy_object_header(magic, f):
  160. """Parse a legacy object, creating it but not reading the file."""
  161. bufsize = 1024
  162. decomp = zlib.decompressobj()
  163. header = decomp.decompress(magic)
  164. start = 0
  165. end = -1
  166. while end < 0:
  167. extra = f.read(bufsize)
  168. header += decomp.decompress(extra)
  169. magic += extra
  170. end = header.find("\0", start)
  171. start = len(header)
  172. header = header[:end]
  173. type_name, size = header.split(" ", 1)
  174. size = int(size) # sanity check
  175. obj_class = object_class(type_name)
  176. if not obj_class:
  177. raise ObjectFormatException("Not a known type: %s" % type_name)
  178. ret = obj_class()
  179. ret._magic = magic
  180. return ret
  181. def _parse_legacy_object(self, map):
  182. """Parse a legacy object, setting the raw string."""
  183. text = _decompress(map)
  184. header_end = text.find('\0')
  185. if header_end < 0:
  186. raise ObjectFormatException("Invalid object header, no \\0")
  187. self.set_raw_string(text[header_end+1:])
  188. def as_legacy_object_chunks(self):
  189. """Return chunks representing the object in the experimental format.
  190. :return: List of strings
  191. """
  192. compobj = zlib.compressobj()
  193. yield compobj.compress(self._header())
  194. for chunk in self.as_raw_chunks():
  195. yield compobj.compress(chunk)
  196. yield compobj.flush()
  197. def as_legacy_object(self):
  198. """Return string representing the object in the experimental format.
  199. """
  200. return "".join(self.as_legacy_object_chunks())
  201. def as_raw_chunks(self):
  202. """Return chunks with serialization of the object.
  203. :return: List of strings, not necessarily one per line
  204. """
  205. if self._needs_parsing:
  206. self._ensure_parsed()
  207. elif self._needs_serialization:
  208. self._chunked_text = self._serialize()
  209. return self._chunked_text
  210. def as_raw_string(self):
  211. """Return raw string with serialization of the object.
  212. :return: String object
  213. """
  214. return "".join(self.as_raw_chunks())
  215. def __str__(self):
  216. """Return raw string serialization of this object."""
  217. return self.as_raw_string()
  218. def __hash__(self):
  219. """Return unique hash for this object."""
  220. return hash(self.id)
  221. def as_pretty_string(self):
  222. """Return a string representing this object, fit for display."""
  223. return self.as_raw_string()
  224. def _ensure_parsed(self):
  225. if self._needs_parsing:
  226. if not self._chunked_text:
  227. if self._file is not None:
  228. self._parse_file(self._file)
  229. self._file = None
  230. elif self._path is not None:
  231. self._parse_path()
  232. else:
  233. raise AssertionError(
  234. "ShaFile needs either text or filename")
  235. self._deserialize(self._chunked_text)
  236. self._needs_parsing = False
  237. def set_raw_string(self, text, sha=None):
  238. """Set the contents of this object from a serialized string."""
  239. if type(text) != str:
  240. raise TypeError(text)
  241. self.set_raw_chunks([text], sha)
  242. def set_raw_chunks(self, chunks, sha=None):
  243. """Set the contents of this object from a list of chunks."""
  244. self._chunked_text = chunks
  245. self._deserialize(chunks)
  246. if sha is None:
  247. self._sha = None
  248. else:
  249. self._sha = FixedSha(sha)
  250. self._needs_parsing = False
  251. self._needs_serialization = False
  252. @staticmethod
  253. def _parse_object_header(magic, f):
  254. """Parse a new style object, creating it but not reading the file."""
  255. num_type = (ord(magic[0]) >> 4) & 7
  256. obj_class = object_class(num_type)
  257. if not obj_class:
  258. raise ObjectFormatException("Not a known type %d" % num_type)
  259. ret = obj_class()
  260. ret._magic = magic
  261. return ret
  262. def _parse_object(self, map):
  263. """Parse a new style object, setting self._text."""
  264. # skip type and size; type must have already been determined, and
  265. # we trust zlib to fail if it's otherwise corrupted
  266. byte = ord(map[0])
  267. used = 1
  268. while (byte & 0x80) != 0:
  269. byte = ord(map[used])
  270. used += 1
  271. raw = map[used:]
  272. self.set_raw_string(_decompress(raw))
  273. @classmethod
  274. def _is_legacy_object(cls, magic):
  275. b0, b1 = map(ord, magic)
  276. word = (b0 << 8) + b1
  277. return (b0 & 0x8F) == 0x08 and (word % 31) == 0
  278. @classmethod
  279. def _parse_file_header(cls, f):
  280. magic = f.read(2)
  281. if cls._is_legacy_object(magic):
  282. return cls._parse_legacy_object_header(magic, f)
  283. else:
  284. return cls._parse_object_header(magic, f)
  285. def __init__(self):
  286. """Don't call this directly"""
  287. self._sha = None
  288. self._path = None
  289. self._file = None
  290. self._magic = None
  291. self._chunked_text = []
  292. self._needs_parsing = False
  293. self._needs_serialization = True
  294. def _deserialize(self, chunks):
  295. raise NotImplementedError(self._deserialize)
  296. def _serialize(self):
  297. raise NotImplementedError(self._serialize)
  298. def _parse_path(self):
  299. f = GitFile(self._path, 'rb')
  300. try:
  301. self._parse_file(f)
  302. finally:
  303. f.close()
  304. def _parse_file(self, f):
  305. magic = self._magic
  306. if magic is None:
  307. magic = f.read(2)
  308. map = magic + f.read()
  309. if self._is_legacy_object(magic[:2]):
  310. self._parse_legacy_object(map)
  311. else:
  312. self._parse_object(map)
  313. @classmethod
  314. def from_path(cls, path):
  315. """Open a SHA file from disk."""
  316. f = GitFile(path, 'rb')
  317. try:
  318. obj = cls.from_file(f)
  319. obj._path = path
  320. obj._sha = FixedSha(filename_to_hex(path))
  321. obj._file = None
  322. obj._magic = None
  323. return obj
  324. finally:
  325. f.close()
  326. @classmethod
  327. def from_file(cls, f):
  328. """Get the contents of a SHA file on disk."""
  329. try:
  330. obj = cls._parse_file_header(f)
  331. obj._sha = None
  332. obj._needs_parsing = True
  333. obj._needs_serialization = True
  334. obj._file = f
  335. return obj
  336. except (IndexError, ValueError), e:
  337. raise ObjectFormatException("invalid object header")
  338. @staticmethod
  339. def from_raw_string(type_num, string, sha=None):
  340. """Creates an object of the indicated type from the raw string given.
  341. :param type_num: The numeric type of the object.
  342. :param string: The raw uncompressed contents.
  343. :param sha: Optional known sha for the object
  344. """
  345. obj = object_class(type_num)()
  346. obj.set_raw_string(string, sha)
  347. return obj
  348. @staticmethod
  349. def from_raw_chunks(type_num, chunks, sha=None):
  350. """Creates an object of the indicated type from the raw chunks given.
  351. :param type_num: The numeric type of the object.
  352. :param chunks: An iterable of the raw uncompressed contents.
  353. :param sha: Optional known sha for the object
  354. """
  355. obj = object_class(type_num)()
  356. obj.set_raw_chunks(chunks, sha)
  357. return obj
  358. @classmethod
  359. def from_string(cls, string):
  360. """Create a ShaFile from a string."""
  361. obj = cls()
  362. obj.set_raw_string(string)
  363. return obj
  364. def _check_has_member(self, member, error_msg):
  365. """Check that the object has a given member variable.
  366. :param member: the member variable to check for
  367. :param error_msg: the message for an error if the member is missing
  368. :raise ObjectFormatException: with the given error_msg if member is
  369. missing or is None
  370. """
  371. if getattr(self, member, None) is None:
  372. raise ObjectFormatException(error_msg)
  373. def check(self):
  374. """Check this object for internal consistency.
  375. :raise ObjectFormatException: if the object is malformed in some way
  376. :raise ChecksumMismatch: if the object was created with a SHA that does
  377. not match its contents
  378. """
  379. # TODO: if we find that error-checking during object parsing is a
  380. # performance bottleneck, those checks should be moved to the class's
  381. # check() method during optimization so we can still check the object
  382. # when necessary.
  383. old_sha = self.id
  384. try:
  385. self._deserialize(self.as_raw_chunks())
  386. self._sha = None
  387. new_sha = self.id
  388. except Exception, e:
  389. raise ObjectFormatException(e)
  390. if old_sha != new_sha:
  391. raise ChecksumMismatch(new_sha, old_sha)
  392. def _header(self):
  393. return object_header(self.type, self.raw_length())
  394. def raw_length(self):
  395. """Returns the length of the raw string of this object."""
  396. ret = 0
  397. for chunk in self.as_raw_chunks():
  398. ret += len(chunk)
  399. return ret
  400. def _make_sha(self):
  401. ret = make_sha()
  402. ret.update(self._header())
  403. for chunk in self.as_raw_chunks():
  404. ret.update(chunk)
  405. return ret
  406. def sha(self):
  407. """The SHA1 object that is the name of this object."""
  408. if self._sha is None or self._needs_serialization:
  409. # this is a local because as_raw_chunks() overwrites self._sha
  410. new_sha = make_sha()
  411. new_sha.update(self._header())
  412. for chunk in self.as_raw_chunks():
  413. new_sha.update(chunk)
  414. self._sha = new_sha
  415. return self._sha
  416. @property
  417. def id(self):
  418. """The hex SHA of this object."""
  419. return self.sha().hexdigest()
  420. def get_type(self):
  421. """Return the type number for this object class."""
  422. return self.type_num
  423. def set_type(self, type):
  424. """Set the type number for this object class."""
  425. self.type_num = type
  426. # DEPRECATED: use type_num or type_name as needed.
  427. type = property(get_type, set_type)
  428. def __repr__(self):
  429. return "<%s %s>" % (self.__class__.__name__, self.id)
  430. def __ne__(self, other):
  431. return not isinstance(other, ShaFile) or self.id != other.id
  432. def __eq__(self, other):
  433. """Return True if the SHAs of the two objects match.
  434. It doesn't make sense to talk about an order on ShaFiles, so we don't
  435. override the rich comparison methods (__le__, etc.).
  436. """
  437. return isinstance(other, ShaFile) and self.id == other.id
  438. class Blob(ShaFile):
  439. """A Git Blob object."""
  440. __slots__ = ()
  441. type_name = 'blob'
  442. type_num = 3
  443. def __init__(self):
  444. super(Blob, self).__init__()
  445. self._chunked_text = []
  446. self._needs_parsing = False
  447. self._needs_serialization = False
  448. def _get_data(self):
  449. return self.as_raw_string()
  450. def _set_data(self, data):
  451. self.set_raw_string(data)
  452. data = property(_get_data, _set_data,
  453. "The text contained within the blob object.")
  454. def _get_chunked(self):
  455. self._ensure_parsed()
  456. return self._chunked_text
  457. def _set_chunked(self, chunks):
  458. self._chunked_text = chunks
  459. def _serialize(self):
  460. if not self._chunked_text:
  461. self._ensure_parsed()
  462. self._needs_serialization = False
  463. return self._chunked_text
  464. def _deserialize(self, chunks):
  465. self._chunked_text = chunks
  466. chunked = property(_get_chunked, _set_chunked,
  467. "The text within the blob object, as chunks (not necessarily lines).")
  468. @classmethod
  469. def from_path(cls, path):
  470. blob = ShaFile.from_path(path)
  471. if not isinstance(blob, cls):
  472. raise NotBlobError(path)
  473. return blob
  474. def check(self):
  475. """Check this object for internal consistency.
  476. :raise ObjectFormatException: if the object is malformed in some way
  477. """
  478. super(Blob, self).check()
  479. def _parse_message(chunks):
  480. """Parse a message with a list of fields and a body.
  481. :param chunks: the raw chunks of the tag or commit object.
  482. :return: iterator of tuples of (field, value), one per header line, in the
  483. order read from the text, possibly including duplicates. Includes a
  484. field named None for the freeform tag/commit text.
  485. """
  486. f = StringIO("".join(chunks))
  487. k = None
  488. v = ""
  489. for l in f:
  490. if l.startswith(" "):
  491. v += l[1:]
  492. else:
  493. if k is not None:
  494. yield (k, v.rstrip("\n"))
  495. if l == "\n":
  496. # Empty line indicates end of headers
  497. break
  498. (k, v) = l.split(" ", 1)
  499. yield (None, f.read())
  500. f.close()
  501. class Tag(ShaFile):
  502. """A Git Tag object."""
  503. type_name = 'tag'
  504. type_num = 4
  505. __slots__ = ('_tag_timezone_neg_utc', '_name', '_object_sha',
  506. '_object_class', '_tag_time', '_tag_timezone',
  507. '_tagger', '_message')
  508. def __init__(self):
  509. super(Tag, self).__init__()
  510. self._tag_timezone_neg_utc = False
  511. @classmethod
  512. def from_path(cls, filename):
  513. tag = ShaFile.from_path(filename)
  514. if not isinstance(tag, cls):
  515. raise NotTagError(filename)
  516. return tag
  517. def check(self):
  518. """Check this object for internal consistency.
  519. :raise ObjectFormatException: if the object is malformed in some way
  520. """
  521. super(Tag, self).check()
  522. self._check_has_member("_object_sha", "missing object sha")
  523. self._check_has_member("_object_class", "missing object type")
  524. self._check_has_member("_name", "missing tag name")
  525. if not self._name:
  526. raise ObjectFormatException("empty tag name")
  527. check_hexsha(self._object_sha, "invalid object sha")
  528. if getattr(self, "_tagger", None):
  529. check_identity(self._tagger, "invalid tagger")
  530. last = None
  531. for field, _ in _parse_message(self._chunked_text):
  532. if field == _OBJECT_HEADER and last is not None:
  533. raise ObjectFormatException("unexpected object")
  534. elif field == _TYPE_HEADER and last != _OBJECT_HEADER:
  535. raise ObjectFormatException("unexpected type")
  536. elif field == _TAG_HEADER and last != _TYPE_HEADER:
  537. raise ObjectFormatException("unexpected tag name")
  538. elif field == _TAGGER_HEADER and last != _TAG_HEADER:
  539. raise ObjectFormatException("unexpected tagger")
  540. last = field
  541. def _serialize(self):
  542. chunks = []
  543. chunks.append("%s %s\n" % (_OBJECT_HEADER, self._object_sha))
  544. chunks.append("%s %s\n" % (_TYPE_HEADER, self._object_class.type_name))
  545. chunks.append("%s %s\n" % (_TAG_HEADER, self._name))
  546. if self._tagger:
  547. if self._tag_time is None:
  548. chunks.append("%s %s\n" % (_TAGGER_HEADER, self._tagger))
  549. else:
  550. chunks.append("%s %s %d %s\n" % (
  551. _TAGGER_HEADER, self._tagger, self._tag_time,
  552. format_timezone(self._tag_timezone,
  553. self._tag_timezone_neg_utc)))
  554. chunks.append("\n") # To close headers
  555. chunks.append(self._message)
  556. return chunks
  557. def _deserialize(self, chunks):
  558. """Grab the metadata attached to the tag"""
  559. self._tagger = None
  560. for field, value in _parse_message(chunks):
  561. if field == _OBJECT_HEADER:
  562. self._object_sha = value
  563. elif field == _TYPE_HEADER:
  564. obj_class = object_class(value)
  565. if not obj_class:
  566. raise ObjectFormatException("Not a known type: %s" % value)
  567. self._object_class = obj_class
  568. elif field == _TAG_HEADER:
  569. self._name = value
  570. elif field == _TAGGER_HEADER:
  571. try:
  572. sep = value.index("> ")
  573. except ValueError:
  574. self._tagger = value
  575. self._tag_time = None
  576. self._tag_timezone = None
  577. self._tag_timezone_neg_utc = False
  578. else:
  579. self._tagger = value[0:sep+1]
  580. try:
  581. (timetext, timezonetext) = value[sep+2:].rsplit(" ", 1)
  582. self._tag_time = int(timetext)
  583. self._tag_timezone, self._tag_timezone_neg_utc = \
  584. parse_timezone(timezonetext)
  585. except ValueError, e:
  586. raise ObjectFormatException(e)
  587. elif field is None:
  588. self._message = value
  589. else:
  590. raise ObjectFormatException("Unknown field %s" % field)
  591. def _get_object(self):
  592. """Get the object pointed to by this tag.
  593. :return: tuple of (object class, sha).
  594. """
  595. self._ensure_parsed()
  596. return (self._object_class, self._object_sha)
  597. def _set_object(self, value):
  598. self._ensure_parsed()
  599. (self._object_class, self._object_sha) = value
  600. self._needs_serialization = True
  601. object = property(_get_object, _set_object)
  602. name = serializable_property("name", "The name of this tag")
  603. tagger = serializable_property("tagger",
  604. "Returns the name of the person who created this tag")
  605. tag_time = serializable_property("tag_time",
  606. "The creation timestamp of the tag. As the number of seconds since the epoch")
  607. tag_timezone = serializable_property("tag_timezone",
  608. "The timezone that tag_time is in.")
  609. message = serializable_property("message", "The message attached to this tag")
  610. class TreeEntry(namedtuple('TreeEntry', ['path', 'mode', 'sha'])):
  611. """Named tuple encapsulating a single tree entry."""
  612. def in_path(self, path):
  613. """Return a copy of this entry with the given path prepended."""
  614. if type(self.path) != str:
  615. raise TypeError
  616. return TreeEntry(posixpath.join(path, self.path), self.mode, self.sha)
  617. def parse_tree(text, strict=False):
  618. """Parse a tree text.
  619. :param text: Serialized text to parse
  620. :return: iterator of tuples of (name, mode, sha)
  621. :raise ObjectFormatException: if the object was malformed in some way
  622. """
  623. count = 0
  624. l = len(text)
  625. while count < l:
  626. mode_end = text.index(' ', count)
  627. mode_text = text[count:mode_end]
  628. if strict and mode_text.startswith('0'):
  629. raise ObjectFormatException("Invalid mode '%s'" % mode_text)
  630. try:
  631. mode = int(mode_text, 8)
  632. except ValueError:
  633. raise ObjectFormatException("Invalid mode '%s'" % mode_text)
  634. name_end = text.index('\0', mode_end)
  635. name = text[mode_end+1:name_end]
  636. count = name_end+21
  637. sha = text[name_end+1:count]
  638. if len(sha) != 20:
  639. raise ObjectFormatException("Sha has invalid length")
  640. hexsha = sha_to_hex(sha)
  641. yield (name, mode, hexsha)
  642. def serialize_tree(items):
  643. """Serialize the items in a tree to a text.
  644. :param items: Sorted iterable over (name, mode, sha) tuples
  645. :return: Serialized tree text as chunks
  646. """
  647. for name, mode, hexsha in items:
  648. yield "%04o %s\0%s" % (mode, name, hex_to_sha(hexsha))
  649. def sorted_tree_items(entries, name_order):
  650. """Iterate over a tree entries dictionary.
  651. :param name_order: If True, iterate entries in order of their name. If
  652. False, iterate entries in tree order, that is, treat subtree entries as
  653. having '/' appended.
  654. :param entries: Dictionary mapping names to (mode, sha) tuples
  655. :return: Iterator over (name, mode, hexsha)
  656. """
  657. cmp_func = name_order and cmp_entry_name_order or cmp_entry
  658. for name, entry in sorted(entries.iteritems(), cmp=cmp_func):
  659. mode, hexsha = entry
  660. # Stricter type checks than normal to mirror checks in the C version.
  661. if not isinstance(mode, int) and not isinstance(mode, long):
  662. raise TypeError('Expected integer/long for mode, got %r' % mode)
  663. mode = int(mode)
  664. if not isinstance(hexsha, str):
  665. raise TypeError('Expected a string for SHA, got %r' % hexsha)
  666. yield TreeEntry(name, mode, hexsha)
  667. def cmp_entry((name1, value1), (name2, value2)):
  668. """Compare two tree entries in tree order."""
  669. if stat.S_ISDIR(value1[0]):
  670. name1 += "/"
  671. if stat.S_ISDIR(value2[0]):
  672. name2 += "/"
  673. return cmp(name1, name2)
  674. def cmp_entry_name_order(entry1, entry2):
  675. """Compare two tree entries in name order."""
  676. return cmp(entry1[0], entry2[0])
  677. class Tree(ShaFile):
  678. """A Git tree object"""
  679. type_name = 'tree'
  680. type_num = 2
  681. __slots__ = ('_entries')
  682. def __init__(self):
  683. super(Tree, self).__init__()
  684. self._entries = {}
  685. @classmethod
  686. def from_path(cls, filename):
  687. tree = ShaFile.from_path(filename)
  688. if not isinstance(tree, cls):
  689. raise NotTreeError(filename)
  690. return tree
  691. def __contains__(self, name):
  692. self._ensure_parsed()
  693. return name in self._entries
  694. def __getitem__(self, name):
  695. self._ensure_parsed()
  696. return self._entries[name]
  697. def __setitem__(self, name, value):
  698. """Set a tree entry by name.
  699. :param name: The name of the entry, as a string.
  700. :param value: A tuple of (mode, hexsha), where mode is the mode of the
  701. entry as an integral type and hexsha is the hex SHA of the entry as
  702. a string.
  703. """
  704. mode, hexsha = value
  705. self._ensure_parsed()
  706. self._entries[name] = (mode, hexsha)
  707. self._needs_serialization = True
  708. def __delitem__(self, name):
  709. self._ensure_parsed()
  710. del self._entries[name]
  711. self._needs_serialization = True
  712. def __len__(self):
  713. self._ensure_parsed()
  714. return len(self._entries)
  715. def __iter__(self):
  716. self._ensure_parsed()
  717. return iter(self._entries)
  718. def add(self, name, mode, hexsha):
  719. """Add an entry to the tree.
  720. :param mode: The mode of the entry as an integral type. Not all
  721. possible modes are supported by git; see check() for details.
  722. :param name: The name of the entry, as a string.
  723. :param hexsha: The hex SHA of the entry as a string.
  724. """
  725. if type(name) is int and type(mode) is str:
  726. (name, mode) = (mode, name)
  727. warnings.warn("Please use Tree.add(name, mode, hexsha)",
  728. category=DeprecationWarning, stacklevel=2)
  729. self._ensure_parsed()
  730. self._entries[name] = mode, hexsha
  731. self._needs_serialization = True
  732. def entries(self):
  733. """Return a list of tuples describing the tree entries.
  734. :note: The order of the tuples that are returned is different from that
  735. returned by the items and iteritems methods. This function will be
  736. deprecated in the future.
  737. """
  738. warnings.warn("Tree.entries() is deprecated. Use Tree.items() or"
  739. " Tree.iteritems() instead.", category=DeprecationWarning,
  740. stacklevel=2)
  741. self._ensure_parsed()
  742. # The order of this is different from iteritems() for historical
  743. # reasons
  744. return [
  745. (mode, name, hexsha) for (name, mode, hexsha) in self.iteritems()]
  746. def iteritems(self, name_order=False):
  747. """Iterate over entries.
  748. :param name_order: If True, iterate in name order instead of tree order.
  749. :return: Iterator over (name, mode, sha) tuples
  750. """
  751. self._ensure_parsed()
  752. return sorted_tree_items(self._entries, name_order)
  753. def items(self):
  754. """Return the sorted entries in this tree.
  755. :return: List with (name, mode, sha) tuples
  756. """
  757. return list(self.iteritems())
  758. def _deserialize(self, chunks):
  759. """Grab the entries in the tree"""
  760. try:
  761. parsed_entries = parse_tree("".join(chunks))
  762. except ValueError, e:
  763. raise ObjectFormatException(e)
  764. # TODO: list comprehension is for efficiency in the common (small) case;
  765. # if memory efficiency in the large case is a concern, use a genexp.
  766. self._entries = dict([(n, (m, s)) for n, m, s in parsed_entries])
  767. def check(self):
  768. """Check this object for internal consistency.
  769. :raise ObjectFormatException: if the object is malformed in some way
  770. """
  771. super(Tree, self).check()
  772. last = None
  773. allowed_modes = (stat.S_IFREG | 0755, stat.S_IFREG | 0644,
  774. stat.S_IFLNK, stat.S_IFDIR, S_IFGITLINK,
  775. # TODO: optionally exclude as in git fsck --strict
  776. stat.S_IFREG | 0664)
  777. for name, mode, sha in parse_tree(''.join(self._chunked_text),
  778. True):
  779. check_hexsha(sha, 'invalid sha %s' % sha)
  780. if '/' in name or name in ('', '.', '..'):
  781. raise ObjectFormatException('invalid name %s' % name)
  782. if mode not in allowed_modes:
  783. raise ObjectFormatException('invalid mode %06o' % mode)
  784. entry = (name, (mode, sha))
  785. if last:
  786. if cmp_entry(last, entry) > 0:
  787. raise ObjectFormatException('entries not sorted')
  788. if name == last[0]:
  789. raise ObjectFormatException('duplicate entry %s' % name)
  790. last = entry
  791. def _serialize(self):
  792. return list(serialize_tree(self.iteritems()))
  793. def as_pretty_string(self):
  794. text = []
  795. for name, mode, hexsha in self.iteritems():
  796. if mode & stat.S_IFDIR:
  797. kind = "tree"
  798. else:
  799. kind = "blob"
  800. text.append("%04o %s %s\t%s\n" % (mode, kind, hexsha, name))
  801. return "".join(text)
  802. def lookup_path(self, lookup_obj, path):
  803. """Look up an object in a Git tree.
  804. :param lookup_obj: Callback for retrieving object by SHA1
  805. :param path: Path to lookup
  806. :return: A tuple of (mode, SHA) of the resulting path.
  807. """
  808. parts = path.split('/')
  809. sha = self.id
  810. mode = None
  811. for p in parts:
  812. if not p:
  813. continue
  814. obj = lookup_obj(sha)
  815. if not isinstance(obj, Tree):
  816. raise NotTreeError(sha)
  817. mode, sha = obj[p]
  818. return mode, sha
  819. def parse_timezone(text):
  820. """Parse a timezone text fragment (e.g. '+0100').
  821. :param text: Text to parse.
  822. :return: Tuple with timezone as seconds difference to UTC
  823. and a boolean indicating whether this was a UTC timezone
  824. prefixed with a negative sign (-0000).
  825. """
  826. # cgit parses the first character as the sign, and the rest
  827. # as an integer (using strtol), which could also be negative.
  828. # We do the same for compatibility. See #697828.
  829. if not text[0] in '+-':
  830. raise ValueError("Timezone must start with + or - (%(text)s)" % vars())
  831. sign = text[0]
  832. offset = int(text[1:])
  833. if sign == '-':
  834. offset = -offset
  835. unnecessary_negative_timezone = (offset >= 0 and sign == '-')
  836. signum = (offset < 0) and -1 or 1
  837. offset = abs(offset)
  838. hours = int(offset / 100)
  839. minutes = (offset % 100)
  840. return (signum * (hours * 3600 + minutes * 60),
  841. unnecessary_negative_timezone)
  842. def format_timezone(offset, unnecessary_negative_timezone=False):
  843. """Format a timezone for Git serialization.
  844. :param offset: Timezone offset as seconds difference to UTC
  845. :param unnecessary_negative_timezone: Whether to use a minus sign for
  846. UTC or positive timezones (-0000 and --700 rather than +0000 / +0700).
  847. """
  848. if offset % 60 != 0:
  849. raise ValueError("Unable to handle non-minute offset.")
  850. if offset < 0 or unnecessary_negative_timezone:
  851. sign = '-'
  852. offset = -offset
  853. else:
  854. sign = '+'
  855. return '%c%02d%02d' % (sign, offset / 3600, (offset / 60) % 60)
  856. def parse_commit(chunks):
  857. """Parse a commit object from chunks.
  858. :param chunks: Chunks to parse
  859. :return: Tuple of (tree, parents, author_info, commit_info,
  860. encoding, mergetag, message, extra)
  861. """
  862. parents = []
  863. extra = []
  864. tree = None
  865. author_info = (None, None, (None, None))
  866. commit_info = (None, None, (None, None))
  867. encoding = None
  868. mergetag = []
  869. message = None
  870. for field, value in _parse_message(chunks):
  871. if field == _TREE_HEADER:
  872. tree = value
  873. elif field == _PARENT_HEADER:
  874. parents.append(value)
  875. elif field == _AUTHOR_HEADER:
  876. author, timetext, timezonetext = value.rsplit(" ", 2)
  877. author_time = int(timetext)
  878. author_info = (author, author_time, parse_timezone(timezonetext))
  879. elif field == _COMMITTER_HEADER:
  880. committer, timetext, timezonetext = value.rsplit(" ", 2)
  881. commit_time = int(timetext)
  882. commit_info = (committer, commit_time, parse_timezone(timezonetext))
  883. elif field == _ENCODING_HEADER:
  884. encoding = value
  885. elif field == _MERGETAG_HEADER:
  886. mergetag.append(Tag.from_string(value + "\n"))
  887. elif field is None:
  888. message = value
  889. else:
  890. extra.append((field, value))
  891. return (tree, parents, author_info, commit_info, encoding, mergetag,
  892. message, extra)
  893. class Commit(ShaFile):
  894. """A git commit object"""
  895. type_name = 'commit'
  896. type_num = 1
  897. __slots__ = ('_parents', '_encoding', '_extra', '_author_timezone_neg_utc',
  898. '_commit_timezone_neg_utc', '_commit_time',
  899. '_author_time', '_author_timezone', '_commit_timezone',
  900. '_author', '_committer', '_parents', '_extra',
  901. '_encoding', '_tree', '_message', '_mergetag')
  902. def __init__(self):
  903. super(Commit, self).__init__()
  904. self._parents = []
  905. self._encoding = None
  906. self._mergetag = []
  907. self._extra = []
  908. self._author_timezone_neg_utc = False
  909. self._commit_timezone_neg_utc = False
  910. @classmethod
  911. def from_path(cls, path):
  912. commit = ShaFile.from_path(path)
  913. if not isinstance(commit, cls):
  914. raise NotCommitError(path)
  915. return commit
  916. def _deserialize(self, chunks):
  917. (self._tree, self._parents, author_info, commit_info, self._encoding,
  918. self._mergetag, self._message, self._extra) = \
  919. parse_commit(chunks)
  920. (self._author, self._author_time, (self._author_timezone,
  921. self._author_timezone_neg_utc)) = author_info
  922. (self._committer, self._commit_time, (self._commit_timezone,
  923. self._commit_timezone_neg_utc)) = commit_info
  924. def check(self):
  925. """Check this object for internal consistency.
  926. :raise ObjectFormatException: if the object is malformed in some way
  927. """
  928. super(Commit, self).check()
  929. self._check_has_member("_tree", "missing tree")
  930. self._check_has_member("_author", "missing author")
  931. self._check_has_member("_committer", "missing committer")
  932. # times are currently checked when set
  933. for parent in self._parents:
  934. check_hexsha(parent, "invalid parent sha")
  935. check_hexsha(self._tree, "invalid tree sha")
  936. check_identity(self._author, "invalid author")
  937. check_identity(self._committer, "invalid committer")
  938. last = None
  939. for field, _ in _parse_message(self._chunked_text):
  940. if field == _TREE_HEADER and last is not None:
  941. raise ObjectFormatException("unexpected tree")
  942. elif field == _PARENT_HEADER and last not in (_PARENT_HEADER,
  943. _TREE_HEADER):
  944. raise ObjectFormatException("unexpected parent")
  945. elif field == _AUTHOR_HEADER and last not in (_TREE_HEADER,
  946. _PARENT_HEADER):
  947. raise ObjectFormatException("unexpected author")
  948. elif field == _COMMITTER_HEADER and last != _AUTHOR_HEADER:
  949. raise ObjectFormatException("unexpected committer")
  950. elif field == _ENCODING_HEADER and last != _COMMITTER_HEADER:
  951. raise ObjectFormatException("unexpected encoding")
  952. last = field
  953. # TODO: optionally check for duplicate parents
  954. def _serialize(self):
  955. chunks = []
  956. chunks.append("%s %s\n" % (_TREE_HEADER, self._tree))
  957. for p in self._parents:
  958. chunks.append("%s %s\n" % (_PARENT_HEADER, p))
  959. chunks.append("%s %s %s %s\n" % (
  960. _AUTHOR_HEADER, self._author, str(self._author_time),
  961. format_timezone(self._author_timezone,
  962. self._author_timezone_neg_utc)))
  963. chunks.append("%s %s %s %s\n" % (
  964. _COMMITTER_HEADER, self._committer, str(self._commit_time),
  965. format_timezone(self._commit_timezone,
  966. self._commit_timezone_neg_utc)))
  967. if self.encoding:
  968. chunks.append("%s %s\n" % (_ENCODING_HEADER, self.encoding))
  969. for mergetag in self.mergetag:
  970. mergetag_chunks = mergetag.as_raw_string().split("\n")
  971. chunks.append("%s %s\n" % (_MERGETAG_HEADER, mergetag_chunks[0]))
  972. # Embedded extra header needs leading space
  973. for chunk in mergetag_chunks[1:]:
  974. chunks.append(" %s\n" % chunk)
  975. # No trailing empty line
  976. chunks[-1] = chunks[-1].rstrip(" \n")
  977. for k, v in self.extra:
  978. if "\n" in k or "\n" in v:
  979. raise AssertionError("newline in extra data: %r -> %r" % (k, v))
  980. chunks.append("%s %s\n" % (k, v))
  981. chunks.append("\n") # There must be a new line after the headers
  982. chunks.append(self._message)
  983. return chunks
  984. tree = serializable_property("tree", "Tree that is the state of this commit")
  985. def _get_parents(self):
  986. """Return a list of parents of this commit."""
  987. self._ensure_parsed()
  988. return self._parents
  989. def _set_parents(self, value):
  990. """Set a list of parents of this commit."""
  991. self._ensure_parsed()
  992. self._needs_serialization = True
  993. self._parents = value
  994. parents = property(_get_parents, _set_parents)
  995. def _get_extra(self):
  996. """Return extra settings of this commit."""
  997. self._ensure_parsed()
  998. return self._extra
  999. extra = property(_get_extra)
  1000. author = serializable_property("author",
  1001. "The name of the author of the commit")
  1002. committer = serializable_property("committer",
  1003. "The name of the committer of the commit")
  1004. message = serializable_property("message",
  1005. "The commit message")
  1006. commit_time = serializable_property("commit_time",
  1007. "The timestamp of the commit. As the number of seconds since the epoch.")
  1008. commit_timezone = serializable_property("commit_timezone",
  1009. "The zone the commit time is in")
  1010. author_time = serializable_property("author_time",
  1011. "The timestamp the commit was written. as the number of seconds since the epoch.")
  1012. author_timezone = serializable_property("author_timezone",
  1013. "Returns the zone the author time is in.")
  1014. encoding = serializable_property("encoding",
  1015. "Encoding of the commit message.")
  1016. mergetag = serializable_property("mergetag",
  1017. "Associated signed tag.")
  1018. OBJECT_CLASSES = (
  1019. Commit,
  1020. Tree,
  1021. Blob,
  1022. Tag,
  1023. )
  1024. _TYPE_MAP = {}
  1025. for cls in OBJECT_CLASSES:
  1026. _TYPE_MAP[cls.type_name] = cls
  1027. _TYPE_MAP[cls.type_num] = cls
  1028. # Hold on to the pure-python implementations for testing
  1029. _parse_tree_py = parse_tree
  1030. _sorted_tree_items_py = sorted_tree_items
  1031. try:
  1032. # Try to import C versions
  1033. from dulwich._objects import parse_tree, sorted_tree_items
  1034. except ImportError:
  1035. pass