]>
git.scottworley.com Git - git-cache/blob - git_cache.py
1 # git-cache: Cache git content locally
3 # This program is free software: you can redistribute it and/or modify it
4 # under the terms of the GNU General Public License as published by the
5 # Free Software Foundation, version 3.
8 # It would be nice if we could share the nix git cache, but as of the
9 # time of writing it is transitioning from gitv2 (deprecated) to gitv3
10 # (not ready yet), and trying to straddle them both is too far into nix
11 # implementation details for my comfort. So we re-implement here half of
12 # nix's builtins.fetchGit. :(
23 from typing
import Iterator
, NamedTuple
, Optional
, TypeVar
, Tuple
, Union
27 Path
= str # eg: "/home/user/.cache/git-cache/v1"
28 Repo
= str # eg: "https://github.com/NixOS/nixpkgs.git"
29 Ref
= str # eg: "master" or "v1.0.0"
30 Rev
= str # eg: "53a27350551844e1ed1a9257690294767389ef0d"
31 RefOrRev
= Union
[Ref
, Rev
]
34 class _LogEntry(NamedTuple
):
42 def _repo_hashname(repo
: Repo
) -> str:
43 return hashlib
.sha256(repo
.encode()).hexdigest()
46 def git_cachedir(repo
: Repo
) -> Path
:
47 # Use xdg module when it's less painful to have as a dependency
48 XDG_CACHE_HOME
= Path(
49 os
.environ
.get('XDG_CACHE_HOME', os
.path
.expanduser('~/.cache')))
51 return Path(os
.path
.join(
54 _repo_hashname(repo
)))
57 def _log_filename(repo
: Repo
) -> Path
:
58 # Use xdg module when it's less painful to have as a dependency
60 os
.environ
.get('XDG_DATA_HOME', os
.path
.expanduser('~/.local/share')))
62 return Path(os
.path
.join(
65 _repo_hashname(repo
)))
68 def is_ancestor(repo
: Repo
, descendant
: RefOrRev
, ancestor
: RefOrRev
) -> bool:
69 cachedir
= git_cachedir(repo
)
70 logging
.debug('Checking if %s is an ancestor of %s', ancestor
, descendant
)
71 process
= subprocess
.run(['git',
79 return process
.returncode
== 0
86 force
: bool = False) -> None:
87 if not force
and not is_ancestor(repo
, descendant
, ancestor
):
88 raise Exception(f
'{ancestor} is not an ancestor of {descendant}')
91 def _read_fetch_log(repo
: Repo
) -> Iterator
[_LogEntry
]:
92 filename
= _log_filename(repo
)
93 if not os
.path
.exists(filename
):
95 with open(filename
, 'r', encoding
='utf-8') as f
:
97 _
, _
, rev
, ref
= line
.strip().split(maxsplit
=3)
98 yield _LogEntry(ref
, rev
)
101 def _last(it
: Iterator
[T
]) -> Optional
[T
]:
102 return functools
.reduce(lambda a
, b
: b
, it
, None)
105 def _previous_fetched_rev(repo
: Repo
, ref
: Ref
) -> Optional
[Rev
]:
106 return _last(entry
.rev
for entry
in _read_fetch_log(
107 repo
) if entry
.ref
== ref
)
110 def _log_fetch(repo
: Repo
, ref
: Ref
, rev
: Rev
, force
: bool = False) -> None:
112 prev_rev
= _previous_fetched_rev(repo
, ref
)
113 if prev_rev
is not None:
114 verify_ancestry(repo
, rev
, prev_rev
)
115 filename
= _log_filename(repo
)
116 os
.makedirs(os
.path
.dirname(filename
), exist_ok
=True)
117 with open(filename
, 'a', encoding
='utf-8') as f
:
119 f
'{time.strftime("%Y-%m%d-%H:%M:%S%z")} '
120 f
'{"FORCEDFETCH" if force else "fetch"} {rev} {ref}\n'
124 def _show_force_warning() -> None:
126 **************************************************************************
127 * WARNING: git-cache INVOKED WITH --force! *
129 * This mode allows previously-fetched refs to be overwritten to point to *
130 * non-descendants -- commits that don't have the previous version of the *
131 * the ref in their history! *
133 * This should only be invoked by a human operator who knows what they're *
134 * doing to correct a specific, known, problem. Care should be taken to *
135 * prevent recurrence. *
137 * Press ^C to abort. *
139 ''', end
='', file=sys
.stderr
)
140 warn_time_override
= os
.environ
.get('FORCE_WARNING_TIME', None)
142 if warn_time_override
is None:
145 warn_time
= int(warn_time_override
)
147 '''* !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! *
148 * !! WARNING DISPLAY TIME OVERRIDDEN !! *
150 * !! This message is intended to be displayed long enough for a !! *
151 * !! human operator to read it and have a chance to abort. An !! *
152 * !! override for the delay time is provided FOR THE UNIT TESTS !! *
153 * !! to avoid delaying software builds unnecessarily. This is !! *
154 * !! INTENDED FOR USE IN UNIT TESTS ONLY; THIS MESSAGE SHOULD !! *
155 * !! NEVER BE SEEN OUTSIDE BUILD LOGS! !! *
156 * !!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! *
158 ''', end
='', file=sys
.stderr
)
160 for i
in range(warn_time
, 0, -1):
161 msg
= f
'* {f"Continuing in {i} seconds...":-70s} *'
162 print(msg
, file=sys
.stderr
)
164 print('*' * 74, file=sys
.stderr
)
167 @backoff.on_exception(
169 subprocess
.CalledProcessError
,
170 max_time
=lambda: int(os
.environ
.get('BACKOFF_MAX_TIME', '30')))
175 force
: bool = False) -> None:
176 subprocess
.run(['git', '-C', cachedir
, 'fetch'] +
177 (['--force'] if force
else []) +
178 [repo
, f
'{ref}:{ref}'], check
=True)
181 def fetch(repo
: Repo
, ref
: Ref
, force
: bool = False) -> Tuple
[Path
, Rev
]:
183 _show_force_warning()
184 cachedir
= git_cachedir(repo
)
185 if not os
.path
.exists(cachedir
):
186 logging
.debug("Initializing git repo")
187 subprocess
.run(['git',
189 'init.defaultBranch=git-cache--no-default-branch',
196 logging
.debug('Fetching ref "%s" from %s', ref
, repo
)
197 _git_fetch(cachedir
, repo
, ref
, force
=force
)
199 with open(os
.path
.join(cachedir
, 'refs', 'heads', ref
), encoding
='utf-8') as rev_file
:
200 rev
= Rev(rev_file
.read(999).strip())
201 verify_ancestry(repo
, ref
, rev
, force
=force
)
202 _log_fetch(repo
, ref
, rev
, force
=force
)
207 def ensure_rev_available(
211 force
: bool = False) -> Path
:
212 cachedir
= git_cachedir(repo
)
213 if os
.path
.exists(cachedir
) and is_ancestor(repo
, ref
, rev
):
217 'We do not have rev %s. We will fetch ref "%s" and hope it appears.',
219 fetch(repo
, ref
, force
=force
)
220 logging
.debug('Verifying that fetch retrieved rev %s', rev
)
221 subprocess
.run(['git', '-C', cachedir
, 'cat-file', '-e', rev
], check
=True)
222 verify_ancestry(repo
, ref
, rev
, force
=force
)
228 parser
= argparse
.ArgumentParser(
229 description
='Cache remote git repositories locally.',
230 epilog
='example usage: git-cache https://github.com/NixOS/nixpkgs.git master')
234 help='Recover from a force-push in the remote repo')
239 help='Git repository URL')
244 help='Ref (branch or tag) in the git repo')
250 help='Ensure that this revision is present. ' +
251 'If this revision is already present locally, no network operations are performed.')
252 args
= parser
.parse_args()
255 cachedir
, rev
= fetch(args
.repo
, args
.ref
, force
=args
.force
)
256 print(f
'{rev} {cachedir}')
259 ensure_rev_available(