objects.py 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714
  1. # objects.py -- Access to base git objects
  2. # Copyright (C) 2007 James Westby <jw+debian@jameswestby.net>
  3. # Copyright (C) 2008-2009 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 mmap
  25. import os
  26. import stat
  27. import time
  28. import zlib
  29. from dulwich.errors import (
  30. NotBlobError,
  31. NotCommitError,
  32. NotTreeError,
  33. )
  34. from dulwich.file import GitFile
  35. from dulwich.misc import (
  36. make_sha,
  37. )
  38. BLOB_ID = "blob"
  39. TAG_ID = "tag"
  40. TREE_ID = "tree"
  41. COMMIT_ID = "commit"
  42. PARENT_ID = "parent"
  43. AUTHOR_ID = "author"
  44. COMMITTER_ID = "committer"
  45. OBJECT_ID = "object"
  46. TYPE_ID = "type"
  47. TAGGER_ID = "tagger"
  48. ENCODING_ID = "encoding"
  49. S_IFGITLINK = 0160000
  50. def S_ISGITLINK(m):
  51. return (stat.S_IFMT(m) == S_IFGITLINK)
  52. def _decompress(string):
  53. dcomp = zlib.decompressobj()
  54. dcomped = dcomp.decompress(string)
  55. dcomped += dcomp.flush()
  56. return dcomped
  57. def sha_to_hex(sha):
  58. """Takes a string and returns the hex of the sha within"""
  59. hexsha = binascii.hexlify(sha)
  60. assert len(hexsha) == 40, "Incorrect length of sha1 string: %d" % hexsha
  61. return hexsha
  62. def hex_to_sha(hex):
  63. """Takes a hex sha and returns a binary sha"""
  64. assert len(hex) == 40, "Incorrent length of hexsha: %s" % hex
  65. return binascii.unhexlify(hex)
  66. def serializable_property(name, docstring=None):
  67. def set(obj, value):
  68. obj._ensure_parsed()
  69. setattr(obj, "_"+name, value)
  70. obj._needs_serialization = True
  71. def get(obj):
  72. obj._ensure_parsed()
  73. return getattr(obj, "_"+name)
  74. return property(get, set, doc=docstring)
  75. class ShaFile(object):
  76. """A git SHA file."""
  77. @classmethod
  78. def _parse_legacy_object(cls, map):
  79. """Parse a legacy object, creating it and setting object._text"""
  80. text = _decompress(map)
  81. object = None
  82. for posstype in type_map.keys():
  83. if text.startswith(posstype):
  84. object = type_map[posstype]()
  85. text = text[len(posstype):]
  86. break
  87. assert object is not None, "%s is not a known object type" % text[:9]
  88. assert text[0] == ' ', "%s is not a space" % text[0]
  89. text = text[1:]
  90. size = 0
  91. i = 0
  92. while text[0] >= '0' and text[0] <= '9':
  93. if i > 0 and size == 0:
  94. raise AssertionError("Size is not in canonical format")
  95. size = (size * 10) + int(text[0])
  96. text = text[1:]
  97. i += 1
  98. object._size = size
  99. assert text[0] == "\0", "Size not followed by null"
  100. text = text[1:]
  101. object.set_raw_string(text)
  102. return object
  103. def as_legacy_object(self):
  104. text = self.as_raw_string()
  105. return zlib.compress("%s %d\0%s" % (self._type, len(text), text))
  106. def as_raw_string(self):
  107. if self._needs_serialization:
  108. self.serialize()
  109. return self._text
  110. def __str__(self):
  111. return self.as_raw_string()
  112. def __hash__(self):
  113. return hash(self.id)
  114. def as_pretty_string(self):
  115. return self.as_raw_string()
  116. def _ensure_parsed(self):
  117. if self._needs_parsing:
  118. self._parse_text()
  119. def set_raw_string(self, text):
  120. if type(text) != str:
  121. raise TypeError(text)
  122. self._text = text
  123. self._sha = None
  124. self._needs_parsing = True
  125. self._needs_serialization = False
  126. @classmethod
  127. def _parse_object(cls, map):
  128. """Parse a new style object , creating it and setting object._text"""
  129. used = 0
  130. byte = ord(map[used])
  131. used += 1
  132. num_type = (byte >> 4) & 7
  133. try:
  134. object = num_type_map[num_type]()
  135. except KeyError:
  136. raise AssertionError("Not a known type: %d" % num_type)
  137. while (byte & 0x80) != 0:
  138. byte = ord(map[used])
  139. used += 1
  140. raw = map[used:]
  141. object.set_raw_string(_decompress(raw))
  142. return object
  143. @classmethod
  144. def _parse_file(cls, map):
  145. word = (ord(map[0]) << 8) + ord(map[1])
  146. if ord(map[0]) == 0x78 and (word % 31) == 0:
  147. return cls._parse_legacy_object(map)
  148. else:
  149. return cls._parse_object(map)
  150. def __init__(self):
  151. """Don't call this directly"""
  152. self._sha = None
  153. def _parse_text(self):
  154. """For subclasses to do initialisation time parsing"""
  155. @classmethod
  156. def from_file(cls, filename):
  157. """Get the contents of a SHA file on disk"""
  158. size = os.path.getsize(filename)
  159. f = GitFile(filename, 'rb')
  160. try:
  161. map = mmap.mmap(f.fileno(), size, access=mmap.ACCESS_READ)
  162. shafile = cls._parse_file(map)
  163. return shafile
  164. finally:
  165. f.close()
  166. @classmethod
  167. def from_raw_string(cls, type, string):
  168. """Creates an object of the indicated type from the raw string given.
  169. Type is the numeric type of an object. String is the raw uncompressed
  170. contents.
  171. """
  172. real_class = num_type_map[type]
  173. obj = real_class()
  174. obj.type = type
  175. obj.set_raw_string(string)
  176. return obj
  177. @classmethod
  178. def from_string(cls, string):
  179. """Create a blob from a string."""
  180. shafile = cls()
  181. shafile.set_raw_string(string)
  182. return shafile
  183. def _raw_length(self):
  184. """Returns the length of the raw string of this object."""
  185. return len(self.as_raw_string())
  186. def _header(self):
  187. return "%s %lu\0" % (self._type, self._raw_length())
  188. def _make_sha(self):
  189. ret = make_sha()
  190. ret.update(self._header())
  191. ret.update(self.as_raw_string())
  192. return ret
  193. def sha(self):
  194. """The SHA1 object that is the name of this object."""
  195. if self._needs_serialization or self._sha is None:
  196. self._sha = self._make_sha()
  197. return self._sha
  198. @property
  199. def id(self):
  200. return self.sha().hexdigest()
  201. def get_type(self):
  202. return self._num_type
  203. def set_type(self, type):
  204. self._num_type = type
  205. type = property(get_type, set_type)
  206. def __repr__(self):
  207. return "<%s %s>" % (self.__class__.__name__, self.id)
  208. def __ne__(self, other):
  209. return self.id != other.id
  210. def __eq__(self, other):
  211. """Return true id the sha of the two objects match.
  212. The __le__ etc methods aren't overriden as they make no sense,
  213. certainly at this level.
  214. """
  215. return self.id == other.id
  216. class Blob(ShaFile):
  217. """A Git Blob object."""
  218. _type = BLOB_ID
  219. _num_type = 3
  220. def __init__(self):
  221. super(Blob, self).__init__()
  222. self._chunked = []
  223. self._text = ""
  224. self._needs_parsing = False
  225. self._needs_serialization = False
  226. def _get_data(self):
  227. if self._needs_serialization:
  228. self.serialize()
  229. return self._text
  230. def _set_data(self, data):
  231. self._text = data
  232. self._needs_parsing = True
  233. self._needs_serialization = False
  234. data = property(_get_data, _set_data,
  235. "The text contained within the blob object.")
  236. def _get_chunked(self):
  237. self._ensure_parsed()
  238. return self._chunked
  239. def _set_chunked(self, chunks):
  240. self._chunked = chunks
  241. self._needs_serialization = True
  242. chunked = property(_get_chunked, _set_chunked,
  243. "The text within the blob object, as chunks (not necessarily lines).")
  244. def _parse_text(self):
  245. self._chunked = [self._text]
  246. def serialize(self):
  247. self._text = "".join(self._chunked)
  248. def _raw_length(self):
  249. ret = 0
  250. for chunk in self.chunked:
  251. ret += len(chunk)
  252. return ret
  253. def _make_sha(self):
  254. ret = make_sha()
  255. ret.update(self._header())
  256. for chunk in self._chunked:
  257. ret.update(chunk)
  258. return ret
  259. @classmethod
  260. def from_file(cls, filename):
  261. blob = ShaFile.from_file(filename)
  262. if blob._type != cls._type:
  263. raise NotBlobError(filename)
  264. return blob
  265. class Tag(ShaFile):
  266. """A Git Tag object."""
  267. _type = TAG_ID
  268. _num_type = 4
  269. def __init__(self):
  270. super(Tag, self).__init__()
  271. self._needs_parsing = False
  272. self._needs_serialization = True
  273. @classmethod
  274. def from_file(cls, filename):
  275. blob = ShaFile.from_file(filename)
  276. if blob._type != cls._type:
  277. raise NotBlobError(filename)
  278. return blob
  279. @classmethod
  280. def from_string(cls, string):
  281. """Create a blob from a string."""
  282. shafile = cls()
  283. shafile.set_raw_string(string)
  284. return shafile
  285. def serialize(self):
  286. f = StringIO()
  287. f.write("%s %s\n" % (OBJECT_ID, self._object_sha))
  288. f.write("%s %s\n" % (TYPE_ID, num_type_map[self._object_type]._type))
  289. f.write("%s %s\n" % (TAG_ID, self._name))
  290. if self._tagger:
  291. if self._tag_time is None:
  292. f.write("%s %s\n" % (TAGGER_ID, self._tagger))
  293. else:
  294. f.write("%s %s %d %s\n" % (TAGGER_ID, self._tagger, self._tag_time, format_timezone(self._tag_timezone)))
  295. f.write("\n") # To close headers
  296. f.write(self._message)
  297. self._text = f.getvalue()
  298. self._needs_serialization = False
  299. def _parse_text(self):
  300. """Grab the metadata attached to the tag"""
  301. self._tagger = None
  302. f = StringIO(self._text)
  303. for l in f:
  304. l = l.rstrip("\n")
  305. if l == "":
  306. break # empty line indicates end of headers
  307. (field, value) = l.split(" ", 1)
  308. if field == OBJECT_ID:
  309. self._object_sha = value
  310. elif field == TYPE_ID:
  311. self._object_type = type_map[value]
  312. elif field == TAG_ID:
  313. self._name = value
  314. elif field == TAGGER_ID:
  315. try:
  316. sep = value.index("> ")
  317. except ValueError:
  318. self._tagger = value
  319. self._tag_time = None
  320. self._tag_timezone = None
  321. else:
  322. self._tagger = value[0:sep+1]
  323. (timetext, timezonetext) = value[sep+2:].rsplit(" ", 1)
  324. try:
  325. self._tag_time = int(timetext)
  326. except ValueError: #Not a unix timestamp
  327. self._tag_time = time.strptime(timetext)
  328. self._tag_timezone = parse_timezone(timezonetext)
  329. else:
  330. raise AssertionError("Unknown field %s" % field)
  331. self._message = f.read()
  332. self._needs_parsing = False
  333. def _get_object(self):
  334. """Returns the object pointed by this tag, represented as a tuple(type, sha)"""
  335. self._ensure_parsed()
  336. return (self._object_type, self._object_sha)
  337. def _set_object(self, value):
  338. self._ensure_parsed()
  339. (self._object_type, self._object_sha) = value
  340. self._needs_serialization = True
  341. object = property(_get_object, _set_object)
  342. name = serializable_property("name", "The name of this tag")
  343. tagger = serializable_property("tagger",
  344. "Returns the name of the person who created this tag")
  345. tag_time = serializable_property("tag_time",
  346. "The creation timestamp of the tag. As the number of seconds since the epoch")
  347. tag_timezone = serializable_property("tag_timezone",
  348. "The timezone that tag_time is in.")
  349. message = serializable_property("message", "The message attached to this tag")
  350. def parse_tree(text):
  351. """Parse a tree text.
  352. :param text: Serialized text to parse
  353. :return: Dictionary with names as keys, (mode, sha) tuples as values
  354. """
  355. ret = {}
  356. count = 0
  357. l = len(text)
  358. while count < l:
  359. mode_end = text.index(' ', count)
  360. mode = int(text[count:mode_end], 8)
  361. name_end = text.index('\0', mode_end)
  362. name = text[mode_end+1:name_end]
  363. count = name_end+21
  364. sha = text[name_end+1:count]
  365. ret[name] = (mode, sha_to_hex(sha))
  366. return ret
  367. def serialize_tree(items):
  368. """Serialize the items in a tree to a text.
  369. :param items: Sorted iterable over (name, mode, sha) tuples
  370. :return: Serialized tree text
  371. """
  372. f = StringIO()
  373. for name, mode, hexsha in items:
  374. f.write("%04o %s\0%s" % (mode, name, hex_to_sha(hexsha)))
  375. return f.getvalue()
  376. def sorted_tree_items(entries):
  377. """Iterate over a tree entries dictionary in the order in which
  378. the items would be serialized.
  379. :param entries: Dictionary mapping names to (mode, sha) tuples
  380. :return: Iterator over (name, mode, sha)
  381. """
  382. def cmp_entry((name1, value1), (name2, value2)):
  383. if stat.S_ISDIR(value1[0]):
  384. name1 += "/"
  385. if stat.S_ISDIR(value2[0]):
  386. name2 += "/"
  387. return cmp(name1, name2)
  388. for name, entry in sorted(entries.iteritems(), cmp=cmp_entry):
  389. yield name, entry[0], entry[1]
  390. class Tree(ShaFile):
  391. """A Git tree object"""
  392. _type = TREE_ID
  393. _num_type = 2
  394. def __init__(self):
  395. super(Tree, self).__init__()
  396. self._entries = {}
  397. self._needs_parsing = False
  398. self._needs_serialization = True
  399. @classmethod
  400. def from_file(cls, filename):
  401. tree = ShaFile.from_file(filename)
  402. if tree._type != cls._type:
  403. raise NotTreeError(filename)
  404. return tree
  405. def __contains__(self, name):
  406. self._ensure_parsed()
  407. return name in self._entries
  408. def __getitem__(self, name):
  409. self._ensure_parsed()
  410. return self._entries[name]
  411. def __setitem__(self, name, value):
  412. assert isinstance(value, tuple)
  413. assert len(value) == 2
  414. self._ensure_parsed()
  415. self._entries[name] = value
  416. self._needs_serialization = True
  417. def __delitem__(self, name):
  418. self._ensure_parsed()
  419. del self._entries[name]
  420. self._needs_serialization = True
  421. def __len__(self):
  422. self._ensure_parsed()
  423. return len(self._entries)
  424. def add(self, mode, name, hexsha):
  425. assert type(mode) == int
  426. assert type(name) == str
  427. assert type(hexsha) == str
  428. self._ensure_parsed()
  429. self._entries[name] = mode, hexsha
  430. self._needs_serialization = True
  431. def entries(self):
  432. """Return a list of tuples describing the tree entries"""
  433. self._ensure_parsed()
  434. # The order of this is different from iteritems() for historical
  435. # reasons
  436. return [
  437. (mode, name, hexsha) for (name, mode, hexsha) in self.iteritems()]
  438. def iteritems(self):
  439. """Iterate over all entries in the order in which they would be
  440. serialized.
  441. :return: Iterator over (name, mode, sha) tuples
  442. """
  443. self._ensure_parsed()
  444. return sorted_tree_items(self._entries)
  445. def _parse_text(self):
  446. """Grab the entries in the tree"""
  447. self._entries = parse_tree(self._text)
  448. self._needs_parsing = False
  449. def serialize(self):
  450. self._text = serialize_tree(self.iteritems())
  451. self._needs_serialization = False
  452. def as_pretty_string(self):
  453. text = ""
  454. for name, mode, hexsha in self.iteritems():
  455. if mode & stat.S_IFDIR:
  456. kind = "tree"
  457. else:
  458. kind = "blob"
  459. text += "%04o %s %s\t%s\n" % (mode, kind, hexsha, name)
  460. return text
  461. def parse_timezone(text):
  462. offset = int(text)
  463. signum = (offset < 0) and -1 or 1
  464. offset = abs(offset)
  465. hours = int(offset / 100)
  466. minutes = (offset % 100)
  467. return signum * (hours * 3600 + minutes * 60)
  468. def format_timezone(offset):
  469. if offset % 60 != 0:
  470. raise ValueError("Unable to handle non-minute offset.")
  471. sign = (offset < 0) and '-' or '+'
  472. offset = abs(offset)
  473. return '%c%02d%02d' % (sign, offset / 3600, (offset / 60) % 60)
  474. class Commit(ShaFile):
  475. """A git commit object"""
  476. _type = COMMIT_ID
  477. _num_type = 1
  478. def __init__(self):
  479. super(Commit, self).__init__()
  480. self._parents = []
  481. self._encoding = None
  482. self._needs_parsing = False
  483. self._needs_serialization = True
  484. self._extra = {}
  485. @classmethod
  486. def from_file(cls, filename):
  487. commit = ShaFile.from_file(filename)
  488. if commit._type != cls._type:
  489. raise NotCommitError(filename)
  490. return commit
  491. def _parse_text(self):
  492. self._parents = []
  493. self._extra = []
  494. self._author = None
  495. f = StringIO(self._text)
  496. for l in f:
  497. l = l.rstrip("\n")
  498. if l == "":
  499. # Empty line indicates end of headers
  500. break
  501. (field, value) = l.split(" ", 1)
  502. if field == TREE_ID:
  503. self._tree = value
  504. elif field == PARENT_ID:
  505. self._parents.append(value)
  506. elif field == AUTHOR_ID:
  507. self._author, timetext, timezonetext = value.rsplit(" ", 2)
  508. self._author_time = int(timetext)
  509. self._author_timezone = parse_timezone(timezonetext)
  510. elif field == COMMITTER_ID:
  511. self._committer, timetext, timezonetext = value.rsplit(" ", 2)
  512. self._commit_time = int(timetext)
  513. self._commit_timezone = parse_timezone(timezonetext)
  514. elif field == ENCODING_ID:
  515. self._encoding = value
  516. else:
  517. self._extra.append((field, value))
  518. self._message = f.read()
  519. self._needs_parsing = False
  520. def serialize(self):
  521. f = StringIO()
  522. f.write("%s %s\n" % (TREE_ID, self._tree))
  523. for p in self._parents:
  524. f.write("%s %s\n" % (PARENT_ID, p))
  525. f.write("%s %s %s %s\n" % (AUTHOR_ID, self._author, str(self._author_time), format_timezone(self._author_timezone)))
  526. f.write("%s %s %s %s\n" % (COMMITTER_ID, self._committer, str(self._commit_time), format_timezone(self._commit_timezone)))
  527. if self.encoding:
  528. f.write("%s %s\n" % (ENCODING_ID, self.encoding))
  529. for k, v in self.extra:
  530. if "\n" in k or "\n" in v:
  531. raise AssertionError("newline in extra data: %r -> %r" % (k, v))
  532. f.write("%s %s\n" % (k, v))
  533. f.write("\n") # There must be a new line after the headers
  534. f.write(self._message)
  535. self._text = f.getvalue()
  536. self._needs_serialization = False
  537. tree = serializable_property("tree", "Tree that is the state of this commit")
  538. def _get_parents(self):
  539. """Return a list of parents of this commit."""
  540. self._ensure_parsed()
  541. return self._parents
  542. def _set_parents(self, value):
  543. """Set a list of parents of this commit."""
  544. self._ensure_parsed()
  545. self._needs_serialization = True
  546. self._parents = value
  547. parents = property(_get_parents, _set_parents)
  548. def _get_extra(self):
  549. """Return extra settings of this commit."""
  550. self._ensure_parsed()
  551. return self._extra
  552. extra = property(_get_extra)
  553. author = serializable_property("author",
  554. "The name of the author of the commit")
  555. committer = serializable_property("committer",
  556. "The name of the committer of the commit")
  557. message = serializable_property("message",
  558. "The commit message")
  559. commit_time = serializable_property("commit_time",
  560. "The timestamp of the commit. As the number of seconds since the epoch.")
  561. commit_timezone = serializable_property("commit_timezone",
  562. "The zone the commit time is in")
  563. author_time = serializable_property("author_time",
  564. "The timestamp the commit was written. as the number of seconds since the epoch.")
  565. author_timezone = serializable_property("author_timezone",
  566. "Returns the zone the author time is in.")
  567. encoding = serializable_property("encoding",
  568. "Encoding of the commit message.")
  569. type_map = {
  570. BLOB_ID : Blob,
  571. TREE_ID : Tree,
  572. COMMIT_ID : Commit,
  573. TAG_ID: Tag,
  574. }
  575. num_type_map = {
  576. 0: None,
  577. 1: Commit,
  578. 2: Tree,
  579. 3: Blob,
  580. 4: Tag,
  581. # 5 Is reserved for further expansion
  582. }
  583. try:
  584. # Try to import C versions
  585. from dulwich._objects import parse_tree, sorted_tree_items
  586. except ImportError:
  587. pass