git.py 2.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107
  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(
  43. gitroot, tag_whitelist, branch_whitelist, remote_whitelist, files=()
  44. ):
  45. for ref in get_all_refs(gitroot):
  46. if ref.source == "tags":
  47. if tag_whitelist is None or not re.match(tag_whitelist, ref.name):
  48. continue
  49. elif ref.source == "heads":
  50. if branch_whitelist is None or not re.match(
  51. branch_whitelist, ref.name
  52. ):
  53. continue
  54. elif ref.is_remote and remote_whitelist is not None:
  55. remote_name = ref.source.partition("/")[2]
  56. if not re.match(remote_whitelist, remote_name):
  57. continue
  58. if branch_whitelist is None or not re.match(
  59. branch_whitelist, ref.name
  60. ):
  61. continue
  62. else:
  63. continue
  64. if not all(
  65. file_exists(gitroot, ref.name, filename) for filename in files
  66. ):
  67. continue
  68. yield ref
  69. def file_exists(gitroot, refname, filename):
  70. cmd = (
  71. "git",
  72. "cat-file",
  73. "-e",
  74. "{}:{}".format(refname, filename),
  75. )
  76. proc = subprocess.run(cmd, cwd=gitroot, capture_output=True)
  77. return proc.returncode == 0
  78. def copy_tree(src, dst, reference, sourcepath="."):
  79. with tempfile.SpooledTemporaryFile() as fp:
  80. cmd = (
  81. "git",
  82. "archive",
  83. "--format",
  84. "tar",
  85. reference.commit,
  86. "--",
  87. sourcepath,
  88. )
  89. subprocess.check_call(cmd, stdout=fp)
  90. fp.seek(0)
  91. with tarfile.TarFile(fileobj=fp) as tarfp:
  92. tarfp.extractall(dst)