filecmp.py 9.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305
  1. """Utilities for comparing files and directories.
  2. Classes:
  3. dircmp
  4. Functions:
  5. cmp(f1, f2, shallow=True) -> int
  6. cmpfiles(a, b, common) -> ([], [], [])
  7. clear_cache()
  8. """
  9. import os
  10. import stat
  11. from itertools import filterfalse
  12. __all__ = ['clear_cache', 'cmp', 'dircmp', 'cmpfiles', 'DEFAULT_IGNORES']
  13. _cache = {}
  14. BUFSIZE = 8*1024
  15. DEFAULT_IGNORES = [
  16. 'RCS', 'CVS', 'tags', '.git', '.hg', '.bzr', '_darcs', '__pycache__']
  17. def clear_cache():
  18. """Clear the filecmp cache."""
  19. _cache.clear()
  20. def cmp(f1, f2, shallow=True):
  21. """Compare two files.
  22. Arguments:
  23. f1 -- First file name
  24. f2 -- Second file name
  25. shallow -- Just check stat signature (do not read the files).
  26. defaults to True.
  27. Return value:
  28. True if the files are the same, False otherwise.
  29. This function uses a cache for past comparisons and the results,
  30. with cache entries invalidated if their stat information
  31. changes. The cache may be cleared by calling clear_cache().
  32. """
  33. s1 = _sig(os.stat(f1))
  34. s2 = _sig(os.stat(f2))
  35. if s1[0] != stat.S_IFREG or s2[0] != stat.S_IFREG:
  36. return False
  37. if shallow and s1 == s2:
  38. return True
  39. if s1[1] != s2[1]:
  40. return False
  41. outcome = _cache.get((f1, f2, s1, s2))
  42. if outcome is None:
  43. outcome = _do_cmp(f1, f2)
  44. if len(_cache) > 100: # limit the maximum size of the cache
  45. clear_cache()
  46. _cache[f1, f2, s1, s2] = outcome
  47. return outcome
  48. def _sig(st):
  49. return (stat.S_IFMT(st.st_mode),
  50. st.st_size,
  51. st.st_mtime)
  52. def _do_cmp(f1, f2):
  53. bufsize = BUFSIZE
  54. with open(f1, 'rb') as fp1, open(f2, 'rb') as fp2:
  55. while True:
  56. b1 = fp1.read(bufsize)
  57. b2 = fp2.read(bufsize)
  58. if b1 != b2:
  59. return False
  60. if not b1:
  61. return True
  62. # Directory comparison class.
  63. #
  64. class dircmp:
  65. """A class that manages the comparison of 2 directories.
  66. dircmp(a, b, ignore=None, hide=None)
  67. A and B are directories.
  68. IGNORE is a list of names to ignore,
  69. defaults to DEFAULT_IGNORES.
  70. HIDE is a list of names to hide,
  71. defaults to [os.curdir, os.pardir].
  72. High level usage:
  73. x = dircmp(dir1, dir2)
  74. x.report() -> prints a report on the differences between dir1 and dir2
  75. or
  76. x.report_partial_closure() -> prints report on differences between dir1
  77. and dir2, and reports on common immediate subdirectories.
  78. x.report_full_closure() -> like report_partial_closure,
  79. but fully recursive.
  80. Attributes:
  81. left_list, right_list: The files in dir1 and dir2,
  82. filtered by hide and ignore.
  83. common: a list of names in both dir1 and dir2.
  84. left_only, right_only: names only in dir1, dir2.
  85. common_dirs: subdirectories in both dir1 and dir2.
  86. common_files: files in both dir1 and dir2.
  87. common_funny: names in both dir1 and dir2 where the type differs between
  88. dir1 and dir2, or the name is not stat-able.
  89. same_files: list of identical files.
  90. diff_files: list of filenames which differ.
  91. funny_files: list of files which could not be compared.
  92. subdirs: a dictionary of dircmp objects, keyed by names in common_dirs.
  93. """
  94. def __init__(self, a, b, ignore=None, hide=None): # Initialize
  95. self.left = a
  96. self.right = b
  97. if hide is None:
  98. self.hide = [os.curdir, os.pardir] # Names never to be shown
  99. else:
  100. self.hide = hide
  101. if ignore is None:
  102. self.ignore = DEFAULT_IGNORES
  103. else:
  104. self.ignore = ignore
  105. def phase0(self): # Compare everything except common subdirectories
  106. self.left_list = _filter(os.listdir(self.left),
  107. self.hide+self.ignore)
  108. self.right_list = _filter(os.listdir(self.right),
  109. self.hide+self.ignore)
  110. self.left_list.sort()
  111. self.right_list.sort()
  112. def phase1(self): # Compute common names
  113. a = dict(zip(map(os.path.normcase, self.left_list), self.left_list))
  114. b = dict(zip(map(os.path.normcase, self.right_list), self.right_list))
  115. self.common = list(map(a.__getitem__, filter(b.__contains__, a)))
  116. self.left_only = list(map(a.__getitem__, filterfalse(b.__contains__, a)))
  117. self.right_only = list(map(b.__getitem__, filterfalse(a.__contains__, b)))
  118. def phase2(self): # Distinguish files, directories, funnies
  119. self.common_dirs = []
  120. self.common_files = []
  121. self.common_funny = []
  122. for x in self.common:
  123. a_path = os.path.join(self.left, x)
  124. b_path = os.path.join(self.right, x)
  125. ok = 1
  126. try:
  127. a_stat = os.stat(a_path)
  128. except OSError as why:
  129. # print('Can\'t stat', a_path, ':', why.args[1])
  130. ok = 0
  131. try:
  132. b_stat = os.stat(b_path)
  133. except OSError as why:
  134. # print('Can\'t stat', b_path, ':', why.args[1])
  135. ok = 0
  136. if ok:
  137. a_type = stat.S_IFMT(a_stat.st_mode)
  138. b_type = stat.S_IFMT(b_stat.st_mode)
  139. if a_type != b_type:
  140. self.common_funny.append(x)
  141. elif stat.S_ISDIR(a_type):
  142. self.common_dirs.append(x)
  143. elif stat.S_ISREG(a_type):
  144. self.common_files.append(x)
  145. else:
  146. self.common_funny.append(x)
  147. else:
  148. self.common_funny.append(x)
  149. def phase3(self): # Find out differences between common files
  150. xx = cmpfiles(self.left, self.right, self.common_files)
  151. self.same_files, self.diff_files, self.funny_files = xx
  152. def phase4(self): # Find out differences between common subdirectories
  153. # A new dircmp object is created for each common subdirectory,
  154. # these are stored in a dictionary indexed by filename.
  155. # The hide and ignore properties are inherited from the parent
  156. self.subdirs = {}
  157. for x in self.common_dirs:
  158. a_x = os.path.join(self.left, x)
  159. b_x = os.path.join(self.right, x)
  160. self.subdirs[x] = dircmp(a_x, b_x, self.ignore, self.hide)
  161. def phase4_closure(self): # Recursively call phase4() on subdirectories
  162. self.phase4()
  163. for sd in self.subdirs.values():
  164. sd.phase4_closure()
  165. def report(self): # Print a report on the differences between a and b
  166. # Output format is purposely lousy
  167. print('diff', self.left, self.right)
  168. if self.left_only:
  169. self.left_only.sort()
  170. print('Only in', self.left, ':', self.left_only)
  171. if self.right_only:
  172. self.right_only.sort()
  173. print('Only in', self.right, ':', self.right_only)
  174. if self.same_files:
  175. self.same_files.sort()
  176. print('Identical files :', self.same_files)
  177. if self.diff_files:
  178. self.diff_files.sort()
  179. print('Differing files :', self.diff_files)
  180. if self.funny_files:
  181. self.funny_files.sort()
  182. print('Trouble with common files :', self.funny_files)
  183. if self.common_dirs:
  184. self.common_dirs.sort()
  185. print('Common subdirectories :', self.common_dirs)
  186. if self.common_funny:
  187. self.common_funny.sort()
  188. print('Common funny cases :', self.common_funny)
  189. def report_partial_closure(self): # Print reports on self and on subdirs
  190. self.report()
  191. for sd in self.subdirs.values():
  192. print()
  193. sd.report()
  194. def report_full_closure(self): # Report on self and subdirs recursively
  195. self.report()
  196. for sd in self.subdirs.values():
  197. print()
  198. sd.report_full_closure()
  199. methodmap = dict(subdirs=phase4,
  200. same_files=phase3, diff_files=phase3, funny_files=phase3,
  201. common_dirs = phase2, common_files=phase2, common_funny=phase2,
  202. common=phase1, left_only=phase1, right_only=phase1,
  203. left_list=phase0, right_list=phase0)
  204. def __getattr__(self, attr):
  205. if attr not in self.methodmap:
  206. raise AttributeError(attr)
  207. self.methodmap[attr](self)
  208. return getattr(self, attr)
  209. def cmpfiles(a, b, common, shallow=True):
  210. """Compare common files in two directories.
  211. a, b -- directory names
  212. common -- list of file names found in both directories
  213. shallow -- if true, do comparison based solely on stat() information
  214. Returns a tuple of three lists:
  215. files that compare equal
  216. files that are different
  217. filenames that aren't regular files.
  218. """
  219. res = ([], [], [])
  220. for x in common:
  221. ax = os.path.join(a, x)
  222. bx = os.path.join(b, x)
  223. res[_cmp(ax, bx, shallow)].append(x)
  224. return res
  225. # Compare two files.
  226. # Return:
  227. # 0 for equal
  228. # 1 for different
  229. # 2 for funny cases (can't stat, etc.)
  230. #
  231. def _cmp(a, b, sh, abs=abs, cmp=cmp):
  232. try:
  233. return not abs(cmp(a, b, sh))
  234. except OSError:
  235. return 2
  236. # Return a copy with items that occur in skip removed.
  237. #
  238. def _filter(flist, skip):
  239. return list(filterfalse(skip.__contains__, flist))
  240. # Demonstration and testing.
  241. #
  242. def demo():
  243. import sys
  244. import getopt
  245. options, args = getopt.getopt(sys.argv[1:], 'r')
  246. if len(args) != 2:
  247. raise getopt.GetoptError('need exactly two args', None)
  248. dd = dircmp(args[0], args[1])
  249. if ('-r', '') in options:
  250. dd.report_full_closure()
  251. else:
  252. dd.report()
  253. if __name__ == '__main__':
  254. demo()