forked from cern-fts/davix
-
Notifications
You must be signed in to change notification settings - Fork 0
/
genversion.py
executable file
·257 lines (198 loc) · 8.91 KB
/
genversion.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
#!/usr/bin/env python2
################################################################################
## Script to generate version numbers from git tags. ##
## Author: Georgios Bitzes - CERN ##
## https://gitlab.cern.ch/gbitzes/build-tools ##
## ##
## Copyright (C) 2017 CERN/Switzerland ##
## This program is free software: you can redistribute it and/or modify ##
## it under the terms of the GNU General Public License as published by ##
## the Free Software Foundation, either version 3 of the License, or ##
## (at your option) any later version. ##
## ##
## This program is distributed in the hope that it will be useful, ##
## but WITHOUT ANY WARRANTY; without even the implied warranty of ##
## MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the ##
## GNU General Public License for more details. ##
## ##
## You should have received a copy of the GNU General Public License ##
## along with this program. If not, see <http://www.gnu.org/licenses/>. ##
################################################################################
import os, subprocess, sys, argparse
def removePrefix(s, prefix):
if s.startswith(prefix):
return s[len(prefix):]
return s
def makeVersionTriplet(fragments):
if len(fragments) == 2:
return (int(fragments[0]), int(fragments[1]), 0)
if len(fragments) == 3:
return (int(fragments[0]), int(fragments[1]), int(fragments[2]))
raise Exception("Invalid length of version fragments: {0}".format(fragments))
class SoftwareVersion:
def __init__(self, major, minor, patch, miniPatch=None):
self.major = major
self.minor = minor
self.patch = patch
self.miniPatch = miniPatch
if self.patch == None: assert self.miniPatch == None
def toString(self):
ret = "{0}.{1}".format(self.major, self.minor)
if self.patch or self.miniPatch:
ret += ".{0}".format(self.patch)
if self.miniPatch:
ret += ".{0}".format(self.miniPatch)
return ret
class GitDescribe:
def __init__(self, description):
self.description = description
self.parse()
def parse(self):
parts = self.description
# Is the working dir dirty?
self.dirty = self.description.endswith("-dirty")
if self.dirty:
parts = parts[0:len(parts)-len("-dirty")]
# Trim any preceeding "v" or "R" in the version, if any
parts = removePrefix(parts, "v")
parts = removePrefix(parts, "R_")
# Is there a git hash?
self.commitHash = None
potentialHash = parts.split("-")
if potentialHash and potentialHash[-1].startswith("g"):
self.commitHash = potentialHash[-1][1:]
parts = parts[0:(len(parts) - len(self.commitHash) - 2 )]
# Is there a number of commits since tag? Can only exist if hash has been
# found already.
self.numberOfCommits = None
if self.commitHash:
tmp = parts.split("-")
self.numberOfCommits = int(tmp[-1])
parts = parts[0:(len(parts) - len(tmp[-1]) - 1)]
# Are we using "_", ".", or "-" as delimiter?
self.versionFragments = None
for delim in ["_", ".", "-"]:
if delim in parts:
self.versionFragments = parts.split(delim)
break
if not self.versionFragments:
raise Exception("Unable to parse vresion fragments of {0}".format(self.description))
if len(self.versionFragments) != 2 and len(self.versionFragments) != 3:
raise Exception("Unable to understand version fragments ({0}) of {1}".format(self.versionFragments, self.description))
self.versionTriplet = makeVersionTriplet(self.versionFragments)
self.buildMiniPatch()
self.buildVersion()
def buildVersion(self):
self.version = SoftwareVersion(
self.versionTriplet[0],
self.versionTriplet[1],
self.versionTriplet[2],
self.miniPatch
)
def buildMiniPatch(self):
self.miniPatch = None
if self.commitHash:
self.miniPatch = "{0}.{1}".format(self.numberOfCommits, self.commitHash)
if self.isDirty():
if not self.miniPatch:
self.miniPatch = "dirty"
else:
self.miniPatch += ".dirty"
def toString(self):
return self.description
def isDirty(self):
return self.dirty
def getVersion(self):
return self.version
def getCommitHash(self):
return self.commitHash
def getNumberOfCommits(self):
return self.numberOfCommits
def getVersionTriplet(self):
return self.versionTriplet
def getMiniPatch(self):
return self.miniPatch
def applyTemplate(templateContent, replacements):
newContent = templateContent
for replacement in replacements:
if replacement[1] is not None:
replacement[1] = str(replacement[1])
newContent = newContent.replace(replacement[0], replacement[1])
return newContent
def sh(cmd):
process = subprocess.Popen(cmd, stdout=subprocess.PIPE, shell=True, stderr=subprocess.STDOUT)
output, unused_err = process.communicate()
retcode = process.poll()
if retcode:
raise Exception("Command {0} exited with code {1}".format(cmd, retcode))
return output.decode("utf-8")
def getFile(filename):
try:
with open(filename) as f:
content = "".join(f.readlines())
except:
return ""
return content
def replaceFile(output, outfile, fullversion):
oldContent = getFile(outfile)
if oldContent == output:
print("{0} up-to-date.".format(outfile))
else:
with open(outfile, "w") as f:
f.write(output)
print("{0} updated. ({1})".format(outfile, fullversion))
def giveOutput(output, outfile, fullversion):
if outfile:
replaceFile(output, outfile, fullversion)
else:
print(output)
def declare_incompatible_options(parser, option, group):
if option not in sys.argv: return
for item in group:
if item in sys.argv:
parser.error("argument {0} is incompatible with argument {1}".format(option, item))
def ensureRunningInGitRepo(args):
try:
root_dir = sh("git rev-parse --show-toplevel").strip()
os.chdir(root_dir)
except:
# not a failure - simply means we're building from a release tarball
print("Cannot regenerate {0} from git".format(args.out))
sys.exit(0)
# Ensure the release tarball isn't being built from inside a different git repository
path_to_genversion = os.path.abspath(os.path.dirname(__file__))
if path_to_genversion != root_dir:
print("Cannot regenerate {0} from git".format(args.out))
sys.exit(0)
def main():
parser = argparse.ArgumentParser(formatter_class=argparse.ArgumentDefaultsHelpFormatter,
description="Configure files that contain version numbers.\n")
parser.add_argument('--template', type=str, help="The template input file.")
parser.add_argument('--out', type=str, help="The file to output - if not specified, stdout will be used instead.")
parser.add_argument('--template-string', type=str, help="The template string.")
parser.add_argument('--custom-version', type=str, help="Don't run git - extract version from the given string")
args = parser.parse_args()
if (not args.template and not args.template_string):
parser.error("no input specified; use either --template or --template-string")
declare_incompatible_options(parser, "--template-string", ["--template"])
if not args.custom_version:
ensureRunningInGitRepo(args)
gitDescribe = GitDescribe(sh("git describe --dirty").strip())
else:
gitDescribe = GitDescribe(args.custom_version)
softwareVersion = gitDescribe.getVersion()
replacements = [
["@GIT_DESCRIBE@", gitDescribe.toString()],
["@VERSION_MAJOR@", softwareVersion.major],
["@VERSION_MINOR@", softwareVersion.minor],
["@VERSION_PATCH@", softwareVersion.patch],
["@VERSION_MINIPATCH@", softwareVersion.miniPatch],
["@VERSION_FULL@", softwareVersion.toString()]
]
inputContents = args.template_string
if not inputContents:
inputContents = getFile(args.template)
output = applyTemplate(inputContents, replacements)
giveOutput(output, args.out, softwareVersion.toString())
if __name__ == '__main__':
main()