Using semver¶
The semver
module can store a version in the semver.VersionInfo
class.
For historical reasons, a version can be also stored as a string or dictionary.
Each type can be converted into the other, if the minimum requirements are met.
Knowing the Implemented semver.org Version¶
The semver.org page is the authoritative specification of how semantic versioning is defined. To know which version of semver.org is implemented in the semver library, use the following constant:
>>> semver.SEMVER_SPEC_VERSION
'2.0.0'
Creating a Version¶
Due to historical reasons, the semver project offers two ways of creating a version:
- through an object oriented approach with the
semver.VersionInfo
class. This is the preferred method when using semver. - through module level functions and builtin datatypes (usually string
and dict).
This method is still available for compatibility reasons, but are
marked as deprecated. Using it will emit a
DeprecationWarning
.
Warning
Deprecation Warning
Module level functions are marked as deprecated in version 2.10.0 now. These functions will be removed in semver 3. For details, see the sections Replacing Deprecated Functions and Displaying Deprecation Warnings.
A semver.VersionInfo
instance can be created in different ways:
From a string (a Unicode string in Python 2):
>>> semver.VersionInfo.parse("3.4.5-pre.2+build.4") VersionInfo(major=3, minor=4, patch=5, prerelease='pre.2', build='build.4') >>> semver.VersionInfo.parse(u"5.3.1") VersionInfo(major=5, minor=3, patch=1, prerelease=None, build=None)
From a byte string:
>>> semver.VersionInfo.parse(b"2.3.4") VersionInfo(major=2, minor=3, patch=4, prerelease=None, build=None)
From individual parts by a dictionary:
>>> d = {'major': 3, 'minor': 4, 'patch': 5, 'prerelease': 'pre.2', 'build': 'build.4'} >>> semver.VersionInfo(**d) VersionInfo(major=3, minor=4, patch=5, prerelease='pre.2', build='build.4')
Keep in mind, the
major
,minor
,patch
parts has to be positive.>>> semver.VersionInfo(-1) Traceback (most recent call last): ... ValueError: 'major' is negative. A version can only be positive.
As a minimum requirement, your dictionary needs at least the
major
key, others can be omitted. You get aTypeError
if your dictionary contains invalid keys. Only the keysmajor
,minor
,patch
,prerelease
, andbuild
are allowed.From a tuple:
>>> t = (3, 5, 6) >>> semver.VersionInfo(*t) VersionInfo(major=3, minor=5, patch=6, prerelease=None, build=None)
You can pass either an integer or a string for
major
,minor
, orpatch
:>>> semver.VersionInfo("3", "5", 6) VersionInfo(major=3, minor=5, patch=6, prerelease=None, build=None)
The old, deprecated module level functions are still available. If you
need them, they return different builtin objects (string and dictionary).
Keep in mind, once you have converted a version into a string or dictionary,
it’s an ordinary builtin object. It’s not a special version object like
the semver.VersionInfo
class anymore.
Depending on your use case, the following methods are available:
From individual version parts into a string
In some cases you only need a string from your version data:
>>> semver.format_version(3, 4, 5, 'pre.2', 'build.4') '3.4.5-pre.2+build.4'
From a string into a dictionary
To access individual parts, you can use the function
semver.parse()
:>>> semver.parse("3.4.5-pre.2+build.4") OrderedDict([('major', 3), ('minor', 4), ('patch', 5), ('prerelease', 'pre.2'), ('build', 'build.4')])
If you pass an invalid version string you will get a
ValueError
:>>> semver.parse("1.2") Traceback (most recent call last): ... ValueError: 1.2 is not valid SemVer string
Parsing a Version String¶
“Parsing” in this context means to identify the different parts in a string.
With
semver.parse_version_info()
:>>> semver.parse_version_info("3.4.5-pre.2+build.4") VersionInfo(major=3, minor=4, patch=5, prerelease='pre.2', build='build.4')
With
semver.VersionInfo.parse()
(basically the same assemver.parse_version_info()
):>>> semver.VersionInfo.parse("3.4.5-pre.2+build.4") VersionInfo(major=3, minor=4, patch=5, prerelease='pre.2', build='build.4')
With
semver.parse()
:>>> semver.parse("3.4.5-pre.2+build.4") == {'major': 3, 'minor': 4, 'patch': 5, 'prerelease': 'pre.2', 'build': 'build.4'} True
Checking for a Valid Semver Version¶
If you need to check a string if it is a valid semver version, use the
classmethod semver.VersionInfo.isvalid()
:
>>> semver.VersionInfo.isvalid("1.0.0")
True
>>> semver.VersionInfo.isvalid("invalid")
False
Accessing Parts of a Version Through Names¶
The semver.VersionInfo
contains attributes to access the different
parts of a version:
>>> v = semver.VersionInfo.parse("3.4.5-pre.2+build.4")
>>> v.major
3
>>> v.minor
4
>>> v.patch
5
>>> v.prerelease
'pre.2'
>>> v.build
'build.4'
However, the attributes are read-only. You cannot change an attribute.
If you do, you get an AttributeError
:
>>> v.minor = 5
Traceback (most recent call last):
...
AttributeError: attribute 'minor' is readonly
If you need to replace different parts of a version, refer to section Replacing Parts of a Version.
In case you need the different parts of a version stepwise, iterate over the semver.VersionInfo
instance:
>>> for item in semver.VersionInfo.parse("3.4.5-pre.2+build.4"):
... print(item)
3
4
5
pre.2
build.4
>>> list(semver.VersionInfo.parse("3.4.5-pre.2+build.4"))
[3, 4, 5, 'pre.2', 'build.4']
Accessing Parts Through Index Numbers¶
New in version 2.10.0.
Another way to access parts of a version is to use an index notation. The underlying
VersionInfo
object allows to access its data through
the magic method __getitem__
.
For example, the major
part can be accessed by index number 0 (zero).
Likewise the other parts:
>>> ver = semver.VersionInfo.parse("10.3.2-pre.5+build.10")
>>> ver[0], ver[1], ver[2], ver[3], ver[4]
(10, 3, 2, 'pre.5', 'build.10')
If you need more than one part at the same time, use the slice notation:
>>> ver[0:3]
(10, 3, 2)
Or, as an alternative, you can pass a slice()
object:
>>> sl = slice(0,3)
>>> ver[sl]
(10, 3, 2)
Negative numbers or undefined parts raise an IndexError
exception:
>>> ver = semver.VersionInfo.parse("10.3.2")
>>> ver[3]
Traceback (most recent call last):
...
IndexError: Version part undefined
>>> ver[-2]
Traceback (most recent call last):
...
IndexError: Version index cannot be negative
Replacing Parts of a Version¶
If you want to replace different parts of a version, but leave other parts
unmodified, use the function semver.VersionInfo.replace()
or semver.replace()
:
From a
semver.VersionInfo
instance:>>> version = semver.VersionInfo.parse("1.4.5-pre.1+build.6") >>> version.replace(major=2, minor=2) VersionInfo(major=2, minor=2, patch=5, prerelease='pre.1', build='build.6')
From a version string:
>>> semver.replace("1.4.5-pre.1+build.6", major=2) '2.4.5-pre.1+build.6'
If you pass invalid keys you get an exception:
>>> semver.replace("1.2.3", invalidkey=2)
Traceback (most recent call last):
...
TypeError: replace() got 1 unexpected keyword argument(s): invalidkey
>>> version = semver.VersionInfo.parse("1.4.5-pre.1+build.6")
>>> version.replace(invalidkey=2)
Traceback (most recent call last):
...
TypeError: replace() got 1 unexpected keyword argument(s): invalidkey
Converting a VersionInfo instance into Different Types¶
Sometimes it is needed to convert a semver.VersionInfo
instance into
a different type. For example, for displaying or to access all parts.
It is possible to convert a semver.VersionInfo
instance:
Into a string with the builtin function
str()
:>>> str(semver.VersionInfo.parse("3.4.5-pre.2+build.4")) '3.4.5-pre.2+build.4'
Into a dictionary with
semver.VersionInfo.to_dict()
:>>> v = semver.VersionInfo(major=3, minor=4, patch=5) >>> v.to_dict() OrderedDict([('major', 3), ('minor', 4), ('patch', 5), ('prerelease', None), ('build', None)])
Into a tuple with
semver.VersionInfo.to_tuple()
:>>> v = semver.VersionInfo(major=5, minor=4, patch=2) >>> v.to_tuple() (5, 4, 2, None, None)
Raising Parts of a Version¶
The semver
module contains the following functions to raise parts of
a version:
semver.VersionInfo.bump_major()
: raises the major part and set all other parts to zero. Setprerelease
andbuild
toNone
.semver.VersionInfo.bump_minor()
: raises the minor part and setspatch
to zero. Setprerelease
andbuild
toNone
.semver.VersionInfo.bump_patch()
: raises the patch part. Setprerelease
andbuild
toNone
.semver.VersionInfo.bump_prerelease()
: raises the prerelease part and setbuild
toNone
.semver.VersionInfo.bump_build()
: raises the build part.
>>> str(semver.VersionInfo.parse("3.4.5-pre.2+build.4").bump_major())
'4.0.0'
>>> str(semver.VersionInfo.parse("3.4.5-pre.2+build.4").bump_minor())
'3.5.0'
>>> str(semver.VersionInfo.parse("3.4.5-pre.2+build.4").bump_patch())
'3.4.6'
>>> str(semver.VersionInfo.parse("3.4.5-pre.2+build.4").bump_prerelease())
'3.4.5-pre.3'
>>> str(semver.VersionInfo.parse("3.4.5-pre.2+build.4").bump_build())
'3.4.5-pre.2+build.5'
Likewise the module level functions semver.bump_major()
.
Increasing Parts of a Version Taking into Account Prereleases¶
New in version 2.10.0: Added semver.VersionInfo.next_version()
.
If you want to raise your version and take prereleases into account,
the function semver.VersionInfo.next_version()
would perhaps a
better fit.
>>> v = semver.VersionInfo.parse("3.4.5-pre.2+build.4")
>>> str(v.next_version(part="prerelease"))
'3.4.5-pre.3'
>>> str(semver.VersionInfo.parse("3.4.5-pre.2+build.4").next_version(part="patch"))
'3.4.5'
>>> str(semver.VersionInfo.parse("3.4.5+build.4").next_version(part="patch"))
'3.4.5'
>>> str(semver.VersionInfo.parse("0.1.4").next_version("prerelease"))
'0.1.5-rc.1'
Comparing Versions¶
To compare two versions depends on your type:
Two strings
Use
semver.compare()
:>>> semver.compare("1.0.0", "2.0.0") -1 >>> semver.compare("2.0.0", "1.0.0") 1 >>> semver.compare("2.0.0", "2.0.0") 0
The return value is negative if
version1 < version2
, zero ifversion1 == version2
and strictly positive ifversion1 > version2
.Two
semver.VersionInfo
instancesUse the specific operator. Currently, the operators
<
,<=
,>
,>=
,==
, and!=
are supported:>>> v1 = semver.VersionInfo.parse("3.4.5") >>> v2 = semver.VersionInfo.parse("3.5.1") >>> v1 < v2 True >>> v1 > v2 False
A
semver.VersionInfo
type and atuple()
orlist()
Use the operator as with two
semver.VersionInfo
types:>>> v = semver.VersionInfo.parse("3.4.5") >>> v > (1, 0) True >>> v < [3, 5] True
The opposite does also work:
>>> (1, 0) < v True >>> [3, 5] > v True
A
semver.VersionInfo
type and astr()
You can use also raw strings to compare:
>>> v > "1.0.0" True >>> v < "3.5.0" True
The opposite does also work:
>>> "1.0.0" < v True >>> "3.5.0" > v True
However, if you compare incomplete strings, you get a
ValueError
exception:>>> v > "1.0" Traceback (most recent call last): ... ValueError: 1.0 is not valid SemVer string
A
semver.VersionInfo
type and adict()
You can also use a dictionary. In contrast to strings, you can have an “incomplete” version (as the other parts are set to zero):
>>> v > dict(major=1) True
The opposite does also work:
>>> dict(major=1) < v True
If the dictionary contains unknown keys, you get a
TypeError
exception:>>> v > dict(major=1, unknown=42) Traceback (most recent call last): ... TypeError: ... got an unexpected keyword argument 'unknown'
Other types cannot be compared.
If you need to convert some types into others, refer to Converting a VersionInfo instance into Different Types.
The use of these comparison operators also implies that you can use builtin
functions that leverage this capability; builtins including, but not limited to: max()
, min()
(for examples, see Getting Minimum and Maximum of Multiple Versions) and sorted()
.
Determining Version Equality¶
Version equality means for semver, that major, minor, patch, and prerelease parts are equal in both versions you compare. The build part is ignored. For example:
>>> v = semver.VersionInfo.parse("1.2.3-rc4+1e4664d")
>>> v == "1.2.3-rc4+dedbeef"
True
This also applies when a semver.VersionInfo
is a member of a set, or a
dictionary key:
>>> d = {}
>>> v1 = semver.VersionInfo.parse("1.2.3-rc4+1e4664d")
>>> v2 = semver.VersionInfo.parse("1.2.3-rc4+dedbeef")
>>> d[v1] = 1
>>> d[v2]
1
>>> s = set()
>>> s.add(v1)
>>> v2 in s
True
Comparing Versions through an Expression¶
If you need a more fine-grained approach of comparing two versions,
use the semver.match()
function. It expects two arguments:
- a version string
- a match expression
Currently, the match expression supports the following operators:
<
smaller than>
greater than>=
greater or equal than<=
smaller or equal than==
equal!=
not equal
That gives you the following possibilities to express your condition:
>>> semver.match("2.0.0", ">=1.0.0")
True
>>> semver.match("1.0.0", ">1.0.0")
False
Getting Minimum and Maximum of Multiple Versions¶
Changed in version 2.10.2: The functions semver.max_ver()
and semver.min_ver()
are deprecated in
favor of their builtin counterparts max()
and min()
.
Since semver.VersionInfo
implements __gt__()
and __lt__()
, it can be used with builtins requiring
>>> max([semver.VersionInfo(0, 1, 0), semver.VersionInfo(0, 2, 0), semver.VersionInfo(0, 1, 3)])
VersionInfo(major=0, minor=2, patch=0, prerelease=None, build=None)
>>> min([semver.VersionInfo(0, 1, 0), semver.VersionInfo(0, 2, 0), semver.VersionInfo(0, 1, 3)])
VersionInfo(major=0, minor=1, patch=0, prerelease=None, build=None)
Incidentally, using map()
, you can get the min or max version of any number of versions of the same type
(convertible to semver.VersionInfo
).
For example, here are the maximum and minimum versions of a list of version strings:
>>> str(max(map(semver.VersionInfo.parse, ['1.1.0', '1.2.0', '2.1.0', '0.5.10', '0.4.99'])))
'2.1.0'
>>> str(min(map(semver.VersionInfo.parse, ['1.1.0', '1.2.0', '2.1.0', '0.5.10', '0.4.99'])))
'0.4.99'
And the same can be done with tuples:
>>> max(map(lambda v: semver.VersionInfo(*v), [(1, 1, 0), (1, 2, 0), (2, 1, 0), (0, 5, 10), (0, 4, 99)])).to_tuple()
(2, 1, 0, None, None)
>>> min(map(lambda v: semver.VersionInfo(*v), [(1, 1, 0), (1, 2, 0), (2, 1, 0), (0, 5, 10), (0, 4, 99)])).to_tuple()
(0, 4, 99, None, None)
For dictionaries, it is very similar to finding the max version tuple: see Converting a VersionInfo instance into Different Types.
The “old way” with semver.max_ver()
or semver.min_ver()
is still available, but not recommended:
>>> semver.max_ver("1.0.0", "2.0.0")
'2.0.0'
>>> semver.min_ver("1.0.0", "2.0.0")
'1.0.0'
Dealing with Invalid Versions¶
As semver follows the semver specification, it cannot parse version strings which are considered “invalid” by that specification. The semver library cannot know all the possible variations so you need to help the library a bit.
For example, if you have a version string v1.2
would be an invalid
semver version.
However, “basic” version strings consisting of major, minor,
and patch part, can be easy to convert. The following function extract this
information and returns a tuple with two items:
import re
import semver
BASEVERSION = re.compile(
r"""[vV]?
(?P<major>0|[1-9]\d*)
(\.
(?P<minor>0|[1-9]\d*)
(\.
(?P<patch>0|[1-9]\d*)
)?
)?
""",
re.VERBOSE,
)
def coerce(version):
"""
Convert an incomplete version string into a semver-compatible VersionInfo
object
* Tries to detect a "basic" version string (``major.minor.patch``).
* If not enough components can be found, missing components are
set to zero to obtain a valid semver version.
:param str version: the version string to convert
:return: a tuple with a :class:`VersionInfo` instance (or ``None``
if it's not a version) and the rest of the string which doesn't
belong to a basic version.
:rtype: tuple(:class:`VersionInfo` | None, str)
"""
match = BASEVERSION.search(version)
if not match:
return (None, version)
ver = {
key: 0 if value is None else value for key, value in match.groupdict().items()
}
ver = semver.VersionInfo(**ver)
rest = match.string[match.end() :] # noqa:E203
return ver, rest
The function returns a tuple, containing a VersionInfo
instance or None as the first element and the rest as the second element.
The second element (the rest) can be used to make further adjustments.
For example:
>>> coerce("v1.2")
(VersionInfo(major=1, minor=2, patch=0, prerelease=None, build=None), '')
>>> coerce("v2.5.2-bla")
(VersionInfo(major=2, minor=5, patch=2, prerelease=None, build=None), '-bla')
Replacing Deprecated Functions¶
Changed in version 2.10.0: The development team of semver has decided to deprecate certain functions on
the module level. The preferred way of using semver is through the
semver.VersionInfo
class.
The deprecated functions can still be used in version 2.10.0 and above. In version 3 of semver, the deprecated functions will be removed.
The following list shows the deprecated functions and how you can replace them with code which is compatible for future versions:
semver.bump_major()
,semver.bump_minor()
,semver.bump_patch()
,semver.bump_prerelease()
,semver.bump_build()
Replace them with the respective methods of the
semver.VersionInfo
class. For example, the functionsemver.bump_major()
is replaced bysemver.VersionInfo.bump_major()
and calling thestr(versionobject)
:>>> s1 = semver.bump_major("3.4.5") >>> s2 = str(semver.VersionInfo.parse("3.4.5").bump_major()) >>> s1 == s2 True
Likewise with the other module level functions.
-
Replace it with
semver.VersionInfo.finalize_version()
:>>> s1 = semver.finalize_version('1.2.3-rc.5') >>> s2 = str(semver.VersionInfo.parse('1.2.3-rc.5').finalize_version()) >>> s1 == s2 True
-
Replace it with
str(versionobject)
:>>> s1 = semver.format_version(5, 4, 3, 'pre.2', 'build.1') >>> s2 = str(semver.VersionInfo(5, 4, 3, 'pre.2', 'build.1')) >>> s1 == s2 True
-
Replace it with
max(version1, version2, ...)
ormax([version1, version2, ...])
:>>> s1 = semver.max_ver("1.2.3", "1.2.4") >>> s2 = str(max(map(semver.VersionInfo.parse, ("1.2.3", "1.2.4")))) >>> s1 == s2 True
-
Replace it with
min(version1, version2, ...)
ormin([version1, version2, ...])
:>>> s1 = semver.min_ver("1.2.3", "1.2.4") >>> s2 = str(min(map(semver.VersionInfo.parse, ("1.2.3", "1.2.4")))) >>> s1 == s2 True
-
Replace it with
semver.VersionInfo.parse()
andsemver.VersionInfo.to_dict()
:>>> v1 = semver.parse("1.2.3") >>> v2 = semver.VersionInfo.parse("1.2.3").to_dict() >>> v1 == v2 True
-
Replace it with
semver.VersionInfo.parse()
:>>> v1 = semver.parse_version_info("3.4.5") >>> v2 = semver.VersionInfo.parse("3.4.5") >>> v1 == v2 True
-
Replace it with
semver.VersionInfo.replace()
:>>> s1 = semver.replace("1.2.3", major=2, patch=10) >>> s2 = str(semver.VersionInfo.parse('1.2.3').replace(major=2, patch=10)) >>> s1 == s2 True
Displaying Deprecation Warnings¶
By default, deprecation warnings are ignored in Python. This also affects semver’s own warnings.
It is recommended that you turn on deprecation warnings in your scripts. Use one of the following methods:
Use the option -Wd to enable default warnings:
Directly running the Python command:
$ python3 -Wd scriptname.py
Add the option in the shebang line (something like
#!/usr/bin/python3
) after the command:#!/usr/bin/python3 -Wd
In your own scripts add a filter to ensure that all warnings are displayed:
import warnings warnings.simplefilter("default") # Call your semver code
For further details, see the section Overriding the default filter of the Python documentation.
Creating Subclasses from VersionInfo¶
If you do not like creating functions to modify the behavior of semver
(as shown in section Dealing with Invalid Versions), you can
also create a subclass of the VersionInfo
class.
For example, if you want to output a “v” prefix before a version, but the other behavior is the same, use the following code:
class SemVerWithVPrefix(VersionInfo):
"""
A subclass of VersionInfo which allows a "v" prefix
"""
@classmethod
def parse(cls, version):
"""
Parse version string to a VersionInfo instance.
:param version: version string with "v" or "V" prefix
:type version: str
:raises ValueError: when version does not start with "v" or "V"
:return: a new instance
:rtype: :class:`SemVerWithVPrefix`
"""
if not version[0] in ("v", "V"):
raise ValueError(
"{v!r}: not a valid semantic version tag. Must start with 'v' or 'V'".format(
v=version
)
)
self = super(SemVerWithVPrefix, cls).parse(version[1:])
return self
def __str__(self):
# Reconstruct the tag
return "v" + super(SemVerWithVPrefix, self).__str__()
The derived class SemVerWithVPrefix
can be used like
the original class:
>>> v1 = SemVerWithVPrefix.parse("v1.2.3")
>>> assert str(v1) == "v1.2.3"
>>> print(v1)
v1.2.3
>>> v2 = SemVerWithVPrefix.parse("v2.3.4")
>>> v2 > v1
True
>>> bad = SemVerWithVPrefix.parse("1.2.4")
Traceback (most recent call last):
...
ValueError: '1.2.4': not a valid semantic version tag. Must start with 'v' or 'V'