This repository was archived by the owner on Jan 16, 2024. It is now read-only.
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathgit-bare-sync.py
executable file
·354 lines (293 loc) · 11.5 KB
/
git-bare-sync.py
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
import sys
from typing import TextIO
from os import path
from git import Repo, exc as GitException
def get_arguments() -> object:
"""
Get and parse arguments which script was launched
Returns:
object: An ArgumentParser object which was parsed.
Parsed arguments would accessible as object attributes.
"""
import argparse
parser = argparse.ArgumentParser(
formatter_class=argparse.RawDescriptionHelpFormatter,
description="Script allow set remotes to a bare repository and "
"fetch an updates from remote git server.\n"
"Can work on the list from config and also with CLI arguments.",
)
parser.add_argument(
'action', choices=['fetch', 'metric'], nargs='?', default='fetch',
help="What need to process with script. "
"Set remote and fetch from external git server (fetch), "
"or just return content of file with metrics (metric). "
)
parser.add_argument(
'-c', '--config', type=argparse.FileType('r'),
help="Path to config where options defined. "
"The following CLI options will be ignored."
)
parser.add_argument(
'--local-repo', dest='local_repo',
help="Path to local bare git repository. "
"Used in executing script thru CLI."
)
parser.add_argument(
'--remote-repo', dest='remote_repo',
help="Full url to git repository on external server. "
"Used in executing script thru CLI."
)
parser.add_argument(
'--remove-branches', dest='remove_local_branches', action='store_true',
help="Flag for removing local git branches "
"which not existing in remote repository. "
"It corresponds to git option --prune."
)
parser.add_argument(
'--status-file', dest='status_file',
help="Path to a file with statuses how the remote repos fetching went. "
"Used in executing script thru CLI."
)
return parser.parse_args()
def read_config(config: TextIO) -> dict:
"""
Read config and parse yaml in dict.
Args:
config (str): Path to config.
Returns:
dict: Yaml config which was parsed, as dict.
"""
import yaml
try:
return yaml.load(config, Loader=yaml.Loader)
except yaml.scanner.ScannerError as e:
raise SystemExit(
"Got error while parsing configuration file.\n{err}".format(err=e),
)
def parse_config(config: dict) -> tuple:
"""
Parse config into variables with test on a correctness.
Args:
config (dict): Readed to dict config.
Returns:
tuple: A set of variables from config
"""
try:
repo_root = config['repo_root']
if not path.isdir(repo_root):
raise FileNotFoundError(
"Directory not found or permission denied "
"from config field repo_root: {directory}".format(directory=repo_root)
)
remote_repo_base_url = \
config['remote_user'] + '@' + \
config['remote_server'] + ':'
remove_local_branches = config['remove_local_branches']
# create dicts of local git repository with full paths
# and remote urls
repo_with_remotes = dict()
for key, value in config['repos'].items():
if value is not None:
repo_sub_path = path.join(repo_root, key)
if not path.isdir(repo_sub_path):
raise FileNotFoundError(
"Directory not found or permission denied "
"from config field repos -> {key}: "
"{directory}".format(key=key, directory=repo_sub_path)
)
for repos in value:
for local, remote in repos.items():
repo_full_path = path.join(repo_sub_path, local)
if not path.isdir(repo_full_path):
raise FileNotFoundError(
"Directory not found or permission denied, "
"of git repository: {directory}".format(
directory=repo_full_path
)
)
repo_with_remotes.update({repo_full_path: remote})
status_file = config['metrics']
except KeyError as e:
raise SystemExit("Missing config field {field}".format(field=e))
except (FileNotFoundError, PermissionError) as e:
raise SystemExit(e)
except TypeError as e:
raise SystemError(
"Potential error in configuration file.\n"
"Got exception while parsing it: {err}".format(err=e)
)
return (remote_repo_base_url, repo_with_remotes, remove_local_branches, status_file)
def parse_cli_arguments(args: object) -> tuple:
"""
Parse arguments for executing script thru CLI
Test their on a correctness
Args:
args (object): An ArgumentParser instance after executing parse_args function.
Contain script arguments values from CLI.
Returns:
tuple: A set of a variable from script arguments
"""
try:
local_repo = path.abspath(args.local_repo)
remote_repo = args.remote_repo
remove_local_branches = args.remove_local_branches
status_file = args.status_file
if args.action == 'fetch':
if local_repo is None or remote_repo is None:
raise TypeError
if not path.isdir(local_repo):
raise SystemExit(
"Directory not found or permission denied, "
"of git repository: {directory}".format(directory=local_repo)
)
else:
if status_file is None:
raise SystemExit(
"Needs arguments --status-file "
"when script run without configuration file "
"and action 'metric'"
)
except TypeError:
raise SystemExit(
"Needs arguments --local-repo and --remote-repo "
"when script run without configuration file"
)
return (local_repo, remote_repo, remove_local_branches, status_file)
def create_git_remote(repo: object, url: str) -> bool:
"""
Create remote to external git server in git repository for future fetching.
Recreate remote "origin" if it exists.
Args:
repo (object): A GitPython Repo instance.
It is git repository over that will proceed works.
url (str): Remote URL. Typically is a ssh link.
Returns:
bool: True if remote was added successfully. Otherwise False.
"""
try:
if len(repo.remotes) > 1:
print(
"Unexpected amount of repo {repo} remotes.\n"
"You need to solve "
"the conflict on your own.".format(repo=repo.working_dir),
file=sys.stderr
)
return False
# check that remote exists and not changed
if len(repo.remotes) != 0:
# get url value from remote.urls iterator
# usually there one value anyway
remote_url = next(repo.remotes[0].urls)
if remote_url == url:
return True
repo.create_remote('origin', url=url)
return True
except GitException.GitCommandError as e:
# recreate remote if it exists but urls doesn't concide
if 'remote origin already exists' in e.stderr:
repo.delete_remote('origin')
return create_git_remote(repo, url)
else:
print(e.stderr, file=sys.stderr)
return False
def fetch_remote_repository(remote: object, remove_local_branches: bool) -> bool:
"""
Fetch repository update from external git server.
Used force update branches by specified refs with "+".
Remove deleted branches according to flag.
That the responsibility of parameter "prune".
Args:
remote (object): A GitPython Remote instance.
Got from instance of Repo remotes objects.
remove_local_branches (bool): Flag in charge of removing local git branches
which not existing on remote repository.
Returns:
bool: True if update fetching successfully. Otherwise, False.
"""
try:
remote.fetch(refspec='+refs/heads/*:refs/heads/*', prune=remove_local_branches)
return True
except GitException.GitCommandError as e:
if 'Could not read from remote repository' in e.stderr:
print(
'Could not read from remote repository: '
'{repo}'.format(repo=next(remote.urls)),
file=sys.stderr
)
else:
print(e.stderr, file=sys.stderr)
return False
def write_status_file(metrics: dict, status_file: str):
"""
Write collected metrics to status file as json.
Args:
metrics (dict): Collected metrics. Formatted as 'repo: status'.
status_file (str): Path to a file with statuses.
"""
import json
import time
try:
full_status = {
'updated_at': int(time.time()),
'statuses': metrics
}
with open(status_file, 'w') as status_file_fh:
status_file_fh.write(json.dumps(full_status, indent=2))
except PermissionError as e:
raise SystemExit(e)
def read_status_file(status_file: str):
"""
Read collected metrics from status file.
Args:
status_file (str): Path to a file with statuses.
"""
try:
with open(status_file, 'r') as status_file_fh:
print(status_file_fh.read())
except (PermissionError, FileNotFoundError) as e:
raise SystemExit(e)
def main():
arguments = get_arguments()
# assign config/CLI variables with their verification
if arguments.config is not None:
config = read_config(arguments.config)
base_remote_url, repos, remove_branches, status_file = parse_config(config)
else:
(local_repo,
remote_repo,
remove_branches,
status_file) = parse_cli_arguments(arguments)
repos = {local_repo: remote_repo}
if arguments.action == 'metric':
read_status_file(status_file)
sys.exit(0)
fetch_states = dict()
try:
for repo_path, remote_url in repos.items():
try:
full_remote_url = base_remote_url + remote_url
except UnboundLocalError:
full_remote_url = remote_url
repo = Repo(repo_path)
create_res = create_git_remote(repo, full_remote_url)
if create_res:
remote = repo.remotes[0]
fetch_res = fetch_remote_repository(remote, remove_branches)
else:
print(
"Failed while creatig remote for repository {repository}. "
"Skipping".format(repository=full_remote_url),
file=sys.stderr
)
fetch_states.update({
path.basename(repo_path) + ':' + full_remote_url.split(':')[-1]:
1 if (fetch_res and create_res) else 0
})
except GitException.InvalidGitRepositoryError as e:
print("Invalid repository {repo}".format(repo=e), file=sys.stderr)
if status_file is not None:
write_status_file(fetch_states, status_file)
if __name__ == '__main__':
main()