/usr/share/python/debpython/version.py is in python-minimal 2.7.15~rc1-1.
This file is owned by root:root, with mode 0o644.
The actual contents of the file can be viewed below.
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 | # -*- coding: UTF-8 -*-
# Copyright © 2010-2012 Piotr Ożarowski <piotr@debian.org>
#
# Permission is hereby granted, free of charge, to any person obtaining a copy
# of this software and associated documentation files (the "Software"), to deal
# in the Software without restriction, including without limitation the rights
# to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
# copies of the Software, and to permit persons to whom the Software is
# furnished to do so, subject to the following conditions:
#
# The above copyright notice and this permission notice shall be included in
# all copies or substantial portions of the Software.
#
# THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
# IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
# FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
# AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
# LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
# OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
# THE SOFTWARE.
import logging
import re
from ConfigParser import SafeConfigParser
from os import environ
from os.path import exists, dirname, join
from types import GeneratorType
# will be overriden via debian_defaults file few lines later
SUPPORTED = [(2, 7),]
DEFAULT = (2, 7)
RANGE_PATTERN = r'(-)?(\d\.\d+)(?:(-)(\d\.\d+)?)?'
RANGE_RE = re.compile(RANGE_PATTERN)
log = logging.getLogger(__name__)
# try to read debian_defaults and get a list of supported Python versions and
# the default one from there
_supported = environ.get('DEBPYTHON_SUPPORTED')
_default = environ.get('DEBPYTHON_DEFAULT')
if not _supported or not _default:
_config = SafeConfigParser()
_config.read('/usr/share/python/debian_defaults')
if not _default:
_default = _config.get('DEFAULT', 'default-version')[6:]
if not _supported:
_supported = _config.get('DEFAULT', 'supported-versions')\
.replace('python', '')
try:
DEFAULT = tuple(int(i) for i in _default.split('.'))
except Exception:
log.exception('cannot read debian_defaults')
try:
SUPPORTED = tuple(tuple(int(j) for j in i.strip().split('.'))
for i in _supported.split(','))
except Exception:
log.exception('cannot read debian_defaults')
def get_requested_versions(vrange=None, available=None):
"""Return a set of requested and supported Python versions.
:param available: if set to `True`, return installed versions only,
if set to `False`, return requested versions that are not installed.
By default returns all requested versions.
:type available: bool
>>> sorted(get_requested_versions([(2, 5), (3, 0)]))
[(2, 7)]
>>> sorted(get_requested_versions('')) == sorted(SUPPORTED)
True
>>> sorted(get_requested_versions([None, None])) == sorted(SUPPORTED)
True
>>> get_requested_versions([(5, 0), None])
set([])
"""
if isinstance(vrange, basestring):
vrange = parse_vrange(vrange)
if not vrange or list(vrange) == [None, None]:
versions = set(SUPPORTED)
else:
minv = (0, 0) if vrange[0] is None else vrange[0]
maxv = (99, 99) if vrange[1] is None else vrange[1]
if minv == maxv:
versions = set((minv,) if minv in SUPPORTED else tuple())
else:
versions = set(v for v in SUPPORTED if minv <= v < maxv)
if available:
versions = set(v for v in versions
if exists("/usr/bin/python%d.%d" % v))
elif available is False:
versions = set(v for v in versions
if not exists("/usr/bin/python%d.%d" % v))
return versions
def parse_vrange(value):
"""Return minimum and maximum Python version from given range.
>>> parse_vrange('2.4-')
((2, 4), None)
>>> parse_vrange('2.4-2.6')
((2, 4), (2, 6))
>>> parse_vrange('2.4-3.0')
((2, 4), (3, 0))
>>> parse_vrange('-2.7')
(None, (2, 7))
>>> parse_vrange('2.5')
((2, 5), (2, 5))
>>> parse_vrange('') == parse_vrange('-') == (None, None)
True
"""
if value in ('', '-'):
return None, None
match = RANGE_RE.match(value)
if not match:
raise ValueError("version range is invalid: %s" % value)
groups = match.groups()
if list(groups).count(None) == 3: # only one version is allowed
minv = tuple(int(i) for i in groups[1].split('.'))
return minv, minv
minv = maxv = None
if groups[0]: # maximum version only
maxv = groups[1]
else:
minv = groups[1]
maxv = groups[3]
minv = tuple(int(i) for i in minv.split('.')) if minv else None
maxv = tuple(int(i) for i in maxv.split('.')) if maxv else None
if maxv and minv and minv > maxv:
raise ValueError("version range is invalid: %s" % value)
return minv, maxv
def parse_pycentral_vrange(value):
"""Parse XS-Python-Version.
>>> parse_pycentral_vrange('current') == (DEFAULT, DEFAULT)
True
>>> parse_pycentral_vrange('all')
(None, None)
>>> parse_pycentral_vrange('all, >= 2.4')
((2, 4), None)
>>> parse_pycentral_vrange('all, << 3.0')
(None, (3, 0))
>>> parse_pycentral_vrange('2.6')
((2, 6), (2, 6))
>>> parse_pycentral_vrange('2.5, 2.6')
((2, 5), None)
>>> parse_pycentral_vrange('>= 2.6.3')
((2, 6), None)
"""
get = lambda x: get_requested_versions(parse_vrange(x))
current = False
minv = maxv = None
hardcoded = set()
for item in value.split(','):
item = item.strip()
if item == 'all':
continue
elif item == 'current':
current = True
continue
match = re.match('>=\s*([\d\.]+)', item)
if match:
minv = "%.3s" % match.group(1)
continue
match = re.match('<<\s*([\d\.]+)', item)
if match:
maxv = "%.3s" % match.group(1)
continue
match = re.match('^[\d\.]+$', item)
if match:
hardcoded.add("%.3s" % match.group(0))
if len(hardcoded) == 1:
ver = hardcoded.pop()
return getver(ver), getver(ver)
if not minv and hardcoded:
# yeah, no maxv!
minv = sorted(hardcoded)[0]
if current:
versions = sorted(get("%s-%s" % (minv if minv else '',
maxv if maxv else '')))
if not versions:
raise ValueError("version range doesn't match installed Python versions: %s" % value)
# not really what "current" means...
if DEFAULT in versions:
return DEFAULT, DEFAULT
else:
return versions[0], versions[0]
return getver(minv) if minv else None, \
getver(maxv) if maxv else None
def vrange_str(vrange):
"""Return version range string from given range.
>>> vrange_str(((2, 4), None))
'2.4-'
>>> vrange_str(((2, 4), (2, 6)))
'2.4-2.6'
>>> vrange_str(((2, 4), (3, 0)))
'2.4-3.0'
>>> vrange_str((None, (2, 7)))
'-2.7'
>>> vrange_str(((2, 5), (2, 5)))
'2.5'
>>> vrange_str((None, None))
'-'
"""
if vrange[0] is vrange[1] is None:
return '-'
if vrange[0] == vrange[1]:
return '.'.join(str(i) for i in vrange[0])
elif vrange[0] is None:
return '-' + '.'.join(str(i) for i in vrange[1])
elif vrange[1] is None:
return '.'.join(str(i) for i in vrange[0]) + '-'
else:
return "%s-%s" % ('.'.join(str(i) for i in vrange[0]),
'.'.join(str(i) for i in vrange[1]))
def vrepr(value):
"""
>>> vrepr(([2, 7], [3, 2]))
['2.7', '3.2']
>>> vrepr(('2.6', '3.1'))
['2.6', '3.1']
>>> vrepr('2.7')
'2.7'
>>> vrepr((2, 7))
'2.7'
"""
if isinstance(value, basestring):
return value
elif not isinstance(value, (GeneratorType, set))\
and isinstance(value[0], int):
return '.'.join(str(i) for i in value)
result = []
for version in value:
if isinstance(version, basestring):
result.append(version)
else:
result.append('.'.join(str(i) for i in version))
return result
def getver(value):
"""Return pair of integers that represent version.
>>> getver('2.5')
(2, 5)
>>> getver('2.6.4')
(2, 6)
>>> getver(None)
''
"""
if not value:
return ''
return tuple(int(i) for i in value.split('.', 2))[:2]
def debsorted(versions, return_str=None):
"""Return sorted list of versions starting with default Python
version (if available) then list of suppored versions greater than default
one followed by reversed list of older versions.
List of versions sorted this way can be used in Depends field.
:param vrepr: return string represenatations of versions, by default the
same format is used as in :param:`versions`
>>> debsorted([(2, 6), (3, 1), (2, 5), (2, 4), (2, 7)])[0] == DEFAULT
True
>>> debsorted(('2.4', '3.2', '2.6', '2.7'))[-1]
(2, 4)
>>> debsorted(set([(2, 1), (2, 2)]))
[(2, 2), (2, 1)]
>>> debsorted([(2, 1), (2, 2)], return_str=True)
['2.2', '2.1']
"""
result = []
old_versions = []
for version in sorted(versions):
if isinstance(version, basestring):
version = getver(version)
if version < DEFAULT:
old_versions.append(version)
else:
result.append(version)
result.extend(reversed(old_versions))
if return_str and result:
return vrepr(result)
return result
|