git.py 2.4 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889
  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. for ref in get_all_refs(gitroot):
  44. if ref.source == "tags":
  45. if tag_whitelist is None or not re.match(tag_whitelist, ref.name):
  46. continue
  47. elif ref.source == "heads":
  48. if branch_whitelist is None or not re.match(
  49. branch_whitelist, ref.name
  50. ):
  51. continue
  52. elif ref.is_remote and remote_whitelist is not None:
  53. remote_name = ref.source.partition("/")[2]
  54. if not re.match(remote_whitelist, remote_name):
  55. continue
  56. if branch_whitelist is None or not re.match(
  57. branch_whitelist, ref.name
  58. ):
  59. continue
  60. else:
  61. continue
  62. yield ref
  63. def copy_tree(src, dst, reference, sourcepath="."):
  64. with tempfile.SpooledTemporaryFile() as fp:
  65. cmd = (
  66. "git",
  67. "archive",
  68. "--format",
  69. "tar",
  70. reference.commit,
  71. "--",
  72. sourcepath,
  73. )
  74. subprocess.check_call(cmd, stdout=fp)
  75. fp.seek(0)
  76. with tarfile.TarFile(fileobj=fp) as tarfp:
  77. tarfp.extractall(dst)