git.py 2.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105
  1. # -*- coding: utf-8 -*-
  2. import collections
  3. import datetime
  4. import tempfile
  5. import subprocess
  6. import re
  7. import tarfile
  8. GitRef = collections.namedtuple(
  9. "VersionRef",
  10. ["name", "commit", "source", "is_remote", "refname", "creatordate",],
  11. )
  12. def get_all_refs(gitroot):
  13. cmd = (
  14. "git",
  15. "for-each-ref",
  16. "--format",
  17. "%(objectname)\t%(refname)\t%(creatordate:iso)",
  18. "refs",
  19. )
  20. output = subprocess.check_output(cmd, cwd=gitroot).decode()
  21. for line in output.splitlines():
  22. is_remote = False
  23. fields = line.strip().split("\t")
  24. if len(fields) != 3:
  25. continue
  26. commit = fields[0]
  27. refname = fields[1]
  28. creatordate = datetime.datetime.strptime(
  29. fields[2], "%Y-%m-%d %H:%M:%S %z"
  30. )
  31. # Parse refname
  32. matchobj = re.match(
  33. r"^refs/(heads|tags|remotes/[^/]+)/(\S+)$", refname
  34. )
  35. if not matchobj:
  36. continue
  37. source = matchobj.group(1)
  38. name = matchobj.group(2)
  39. if source.startswith("remotes/"):
  40. is_remote = True
  41. yield GitRef(name, commit, source, is_remote, refname, creatordate)
  42. def get_refs(gitroot, tag_whitelist, branch_whitelist, remote_whitelist,
  43. files=()):
  44. for ref in get_all_refs(gitroot):
  45. if ref.source == "tags":
  46. if tag_whitelist is None or not re.match(tag_whitelist, ref.name):
  47. continue
  48. elif ref.source == "heads":
  49. if branch_whitelist is None or not re.match(
  50. branch_whitelist, ref.name
  51. ):
  52. continue
  53. elif ref.is_remote and remote_whitelist is not None:
  54. remote_name = ref.source.partition("/")[2]
  55. if not re.match(remote_whitelist, remote_name):
  56. continue
  57. if branch_whitelist is None or not re.match(
  58. branch_whitelist, ref.name
  59. ):
  60. continue
  61. else:
  62. continue
  63. if not all(file_exists(gitroot, ref.name, filename)
  64. for filename in files):
  65. continue
  66. yield ref
  67. def file_exists(gitroot, refname, filename):
  68. cmd = (
  69. "git",
  70. "cat-file",
  71. "-e",
  72. "{}:{}".format(refname, filename),
  73. )
  74. proc = subprocess.run(cmd, cwd=gitroot, capture_output=True)
  75. return proc.returncode == 0
  76. def copy_tree(src, dst, reference, sourcepath="."):
  77. with tempfile.SpooledTemporaryFile() as fp:
  78. cmd = (
  79. "git",
  80. "archive",
  81. "--format",
  82. "tar",
  83. reference.commit,
  84. "--",
  85. sourcepath,
  86. )
  87. subprocess.check_call(cmd, stdout=fp)
  88. fp.seek(0)
  89. with tarfile.TarFile(fileobj=fp) as tarfp:
  90. tarfp.extractall(dst)