index.py 9.2 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310
  1. # index.py -- File parser/write for the git index file
  2. # Copyright (C) 2008-2009 Jelmer Vernooij <jelmer@samba.org>
  3. # This program is free software; you can redistribute it and/or
  4. # modify it under the terms of the GNU General Public License
  5. # as published by the Free Software Foundation; version 2
  6. # of the License or (at your opinion) any later version of the license.
  7. #
  8. # This program is distributed in the hope that it will be useful,
  9. # but WITHOUT ANY WARRANTY; without even the implied warranty of
  10. # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the
  11. # GNU General Public License for more details.
  12. #
  13. # You should have received a copy of the GNU General Public License
  14. # along with this program; if not, write to the Free Software
  15. # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston,
  16. # MA 02110-1301, USA.
  17. """Parser for the git index file format."""
  18. import os
  19. import stat
  20. import struct
  21. from dulwich.file import GitFile
  22. from dulwich.objects import (
  23. S_IFGITLINK,
  24. S_ISGITLINK,
  25. Tree,
  26. hex_to_sha,
  27. sha_to_hex,
  28. )
  29. from dulwich.pack import (
  30. SHA1Reader,
  31. SHA1Writer,
  32. )
  33. def read_cache_time(f):
  34. """Read a cache time.
  35. :param f: File-like object to read from
  36. :return: Tuple with seconds and nanoseconds
  37. """
  38. return struct.unpack(">LL", f.read(8))
  39. def write_cache_time(f, t):
  40. """Write a cache time.
  41. :param f: File-like object to write to
  42. :param t: Time to write (as int, float or tuple with secs and nsecs)
  43. """
  44. if isinstance(t, int):
  45. t = (t, 0)
  46. elif isinstance(t, float):
  47. (secs, nsecs) = divmod(t, 1.0)
  48. t = (int(secs), int(nsecs * 1000000000))
  49. elif not isinstance(t, tuple):
  50. raise TypeError(t)
  51. f.write(struct.pack(">LL", *t))
  52. def read_cache_entry(f):
  53. """Read an entry from a cache file.
  54. :param f: File-like object to read from
  55. :return: tuple with: device, inode, mode, uid, gid, size, sha, flags
  56. """
  57. beginoffset = f.tell()
  58. ctime = read_cache_time(f)
  59. mtime = read_cache_time(f)
  60. (dev, ino, mode, uid, gid, size, sha, flags, ) = \
  61. struct.unpack(">LLLLLL20sH", f.read(20 + 4 * 6 + 2))
  62. name = f.read((flags & 0x0fff))
  63. # Padding:
  64. real_size = ((f.tell() - beginoffset + 8) & ~7)
  65. data = f.read((beginoffset + real_size) - f.tell())
  66. return (name, ctime, mtime, dev, ino, mode, uid, gid, size,
  67. sha_to_hex(sha), flags & ~0x0fff)
  68. def write_cache_entry(f, entry):
  69. """Write an index entry to a file.
  70. :param f: File object
  71. :param entry: Entry to write, tuple with:
  72. (name, ctime, mtime, dev, ino, mode, uid, gid, size, sha, flags)
  73. """
  74. beginoffset = f.tell()
  75. (name, ctime, mtime, dev, ino, mode, uid, gid, size, sha, flags) = entry
  76. write_cache_time(f, ctime)
  77. write_cache_time(f, mtime)
  78. flags = len(name) | (flags &~ 0x0fff)
  79. f.write(struct.pack(">LLLLLL20sH", dev, ino, mode, uid, gid, size, hex_to_sha(sha), flags))
  80. f.write(name)
  81. real_size = ((f.tell() - beginoffset + 8) & ~7)
  82. f.write("\0" * ((beginoffset + real_size) - f.tell()))
  83. def read_index(f):
  84. """Read an index file, yielding the individual entries."""
  85. header = f.read(4)
  86. if header != "DIRC":
  87. raise AssertionError("Invalid index file header: %r" % header)
  88. (version, num_entries) = struct.unpack(">LL", f.read(4 * 2))
  89. assert version in (1, 2)
  90. for i in range(num_entries):
  91. yield read_cache_entry(f)
  92. def read_index_dict(f):
  93. """Read an index file and return it as a dictionary.
  94. :param f: File object to read from
  95. """
  96. ret = {}
  97. for x in read_index(f):
  98. ret[x[0]] = tuple(x[1:])
  99. return ret
  100. def write_index(f, entries):
  101. """Write an index file.
  102. :param f: File-like object to write to
  103. :param entries: Iterable over the entries to write
  104. """
  105. f.write("DIRC")
  106. f.write(struct.pack(">LL", 2, len(entries)))
  107. for x in entries:
  108. write_cache_entry(f, x)
  109. def write_index_dict(f, entries):
  110. """Write an index file based on the contents of a dictionary.
  111. """
  112. entries_list = []
  113. for name in sorted(entries):
  114. entries_list.append((name,) + tuple(entries[name]))
  115. write_index(f, entries_list)
  116. def cleanup_mode(mode):
  117. """Cleanup a mode value.
  118. This will return a mode that can be stored in a tree object.
  119. :param mode: Mode to clean up.
  120. """
  121. if stat.S_ISLNK(mode):
  122. return stat.S_IFLNK
  123. elif stat.S_ISDIR(mode):
  124. return stat.S_IFDIR
  125. elif S_ISGITLINK(mode):
  126. return S_IFGITLINK
  127. ret = stat.S_IFREG | 0644
  128. ret |= (mode & 0111)
  129. return ret
  130. class Index(object):
  131. """A Git Index file."""
  132. def __init__(self, filename):
  133. """Open an index file.
  134. :param filename: Path to the index file
  135. """
  136. self._filename = filename
  137. self.clear()
  138. self.read()
  139. def write(self):
  140. """Write current contents of index to disk."""
  141. f = GitFile(self._filename, 'wb')
  142. try:
  143. f = SHA1Writer(f)
  144. write_index_dict(f, self._byname)
  145. finally:
  146. f.close()
  147. def read(self):
  148. """Read current contents of index from disk."""
  149. f = GitFile(self._filename, 'rb')
  150. try:
  151. f = SHA1Reader(f)
  152. for x in read_index(f):
  153. self[x[0]] = tuple(x[1:])
  154. # FIXME: Additional data?
  155. f.read(os.path.getsize(self._filename)-f.tell()-20)
  156. f.check_sha()
  157. finally:
  158. f.close()
  159. def __len__(self):
  160. """Number of entries in this index file."""
  161. return len(self._byname)
  162. def __getitem__(self, name):
  163. """Retrieve entry by relative path.
  164. :return: tuple with (ctime, mtime, dev, ino, mode, uid, gid, size, sha, flags)
  165. """
  166. return self._byname[name]
  167. def __iter__(self):
  168. """Iterate over the paths in this index."""
  169. return iter(self._byname)
  170. def get_sha1(self, path):
  171. """Return the (git object) SHA1 for the object at a path."""
  172. return self[path][-2]
  173. def get_mode(self, path):
  174. """Return the POSIX file mode for the object at a path."""
  175. return self[path][-6]
  176. def iterblobs(self):
  177. """Iterate over path, sha, mode tuples for use with commit_tree."""
  178. for path in self:
  179. entry = self[path]
  180. yield path, entry[-2], cleanup_mode(entry[-6])
  181. def clear(self):
  182. """Remove all contents from this index."""
  183. self._byname = {}
  184. def __setitem__(self, name, x):
  185. assert isinstance(name, str)
  186. assert len(x) == 10
  187. # Remove the old entry if any
  188. self._byname[name] = x
  189. def iteritems(self):
  190. return self._byname.iteritems()
  191. def update(self, entries):
  192. for name, value in entries.iteritems():
  193. self[name] = value
  194. def changes_from_tree(self, object_store, tree, want_unchanged=False):
  195. """Find the differences between the contents of this index and a tree.
  196. :param object_store: Object store to use for retrieving tree contents
  197. :param tree: SHA1 of the root tree
  198. :param want_unchanged: Whether unchanged files should be reported
  199. :return: Iterator over tuples with (oldpath, newpath), (oldmode, newmode), (oldsha, newsha)
  200. """
  201. mine = set(self._byname.keys())
  202. for (name, mode, sha) in object_store.iter_tree_contents(tree):
  203. if name in mine:
  204. if (want_unchanged or self.get_sha1(name) != sha or
  205. self.get_mode(name) != mode):
  206. yield ((name, name), (mode, self.get_mode(name)), (sha, self.get_sha1(name)))
  207. mine.remove(name)
  208. else:
  209. # Was removed
  210. yield ((name, None), (mode, None), (sha, None))
  211. # Mention added files
  212. for name in mine:
  213. yield ((None, name), (None, self.get_mode(name)), (None, self.get_sha1(name)))
  214. def commit_tree(object_store, blobs):
  215. """Commit a new tree.
  216. :param object_store: Object store to add trees to
  217. :param blobs: Iterable over blob path, sha, mode entries
  218. :return: SHA1 of the created tree.
  219. """
  220. trees = {"": {}}
  221. def add_tree(path):
  222. if path in trees:
  223. return trees[path]
  224. dirname, basename = os.path.split(path)
  225. t = add_tree(dirname)
  226. assert isinstance(basename, str)
  227. newtree = {}
  228. t[basename] = newtree
  229. trees[path] = newtree
  230. return newtree
  231. for path, sha, mode in blobs:
  232. tree_path, basename = os.path.split(path)
  233. tree = add_tree(tree_path)
  234. tree[basename] = (mode, sha)
  235. def build_tree(path):
  236. tree = Tree()
  237. for basename, entry in trees[path].iteritems():
  238. if type(entry) == dict:
  239. mode = stat.S_IFDIR
  240. sha = build_tree(os.path.join(path, basename))
  241. else:
  242. (mode, sha) = entry
  243. tree.add(mode, basename, sha)
  244. object_store.add_object(tree)
  245. return tree.id
  246. return build_tree("")
  247. def commit_index(object_store, index):
  248. """Create a new tree from an index.
  249. :param object_store: Object store to save the tree in
  250. :param index: Index file
  251. """
  252. return commit_tree(object_store, index.iterblobs())