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 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464
|
Tutorial
========
Follow the steps below and learn how to use Pint to track physical quantities
and perform unit conversions in Python.
Initializing a Registry
-----------------------
Before using Pint, initialize a :class:`UnitRegistry() <pint.registry.UnitRegistry>`
object. The ``UnitRegistry`` stores the unit definitions, their relationships,
and handles conversions between units.
.. doctest::
>>> from pint import UnitRegistry
>>> ureg = UnitRegistry()
If no parameters are given to the constructor, the ``UnitRegistry`` is populated
with the `default list of units`_ and prefixes.
Defining a Quantity
-------------------
Once you've initialized your ``UnitRegistry``, you can define quantities easily:
.. doctest::
>>> distance = 24.0 * ureg.meter
>>> distance
<Quantity(24.0, 'meter')>
>>> print(distance)
24.0 meter
As you can see, ``distance`` here is a :class:`Quantity() <pint.quantity.Quantity>`
object that represents a physical quantity. Quantities can be queried for their
magnitude, units, and dimensionality:
.. doctest::
>>> distance.magnitude
24.0
>>> distance.units
<Unit('meter')>
>>> print(distance.dimensionality)
[length]
and can correctly handle many mathematical operations, including with other
:class:`Quantity() <pint.quantity.Quantity>` objects:
.. doctest::
>>> time = 8.0 * ureg.second
>>> print(time)
8.0 second
>>> speed = distance / time
>>> speed
<Quantity(3.0, 'meter / second')>
>>> print(speed)
3.0 meter / second
>>> print(speed.dimensionality)
[length] / [time]
Notice the built-in parser recognizes prefixed and pluralized units even though
they are not in the definition list:
.. doctest::
>>> distance = 42 * ureg.kilometers
>>> print(distance)
42 kilometer
>>> print(distance.to(ureg.meter))
42000.0 meter
Pint will complain if you try to use a unit which is not in the registry:
.. doctest::
>>> speed = 23 * ureg.snail_speed
Traceback (most recent call last):
...
UndefinedUnitError: 'snail_speed' is not defined in the unit registry
You can add your own units to the existing registry, or build your own list.
See the page on :ref:`defining` for more information on that.
See `String parsing`_ and :ref:`Defining Quantities` for more ways of defining
a ``Quantity()`` object.
``Quantity()`` objects also work well with NumPy arrays, which you can
read about in the section on :doc:`NumPy support <numpy>`.
Converting to different units
-----------------------------
As the underlying ``UnitRegistry`` knows the relationships between
different units, you can convert a ``Quantity`` to the units of your choice using
the ``to()`` method, which accepts a string or a :class:`Unit() <pint.unit.Unit>` object:
.. doctest::
>>> speed.to('inch/minute')
<Quantity(7086.61417, 'inch / minute')>
>>> ureg.inch / ureg.minute
<Unit('inch / minute')>
>>> speed.to(ureg.inch / ureg.minute)
<Quantity(7086.61417, 'inch / minute')>
This method returns a new object leaving the original intact as can be seen by:
.. doctest::
>>> print(speed)
3.0 meter / second
If you want to convert in-place (i.e. without creating another object), you can
use the ``ito()`` method:
.. doctest::
>>> speed.ito(ureg.inch / ureg.minute)
>>> speed
<Quantity(7086.61417, 'inch / minute')>
>>> print(speed)
7086.6141... inch / minute
Pint will complain if you ask it to perform a conversion it doesn't know
how to do:
.. doctest::
>>> speed.to(ureg.joule)
Traceback (most recent call last):
...
DimensionalityError: Cannot convert from 'inch / minute' ([length] / [time]) to 'joule' ([length] ** 2 * [mass] / [time] ** 2)
See the section on :doc:`contexts` for information about expanding Pint's
automatic conversion capabilities for your application.
Simplifying units
-----------------
Sometimes, the magnitude of the quantity will be very large or very small.
The method ``to_compact()`` can adjust the units to make a quantity more
human-readable:
.. doctest::
>>> wavelength = 1550 * ureg.nm
>>> frequency = (ureg.speed_of_light / wavelength).to('Hz')
>>> print(frequency)
193414489032258.03 hertz
>>> print(frequency.to_compact())
193.414489032... terahertz
There are also methods ``to_base_units()`` and ``ito_base_units()`` which automatically
convert to the reference units with the correct dimensionality:
.. doctest::
>>> height = 5.0 * ureg.foot + 9.0 * ureg.inch
>>> print(height)
5.75 foot
>>> print(height.to_base_units())
1.752... meter
>>> print(height)
5.75 foot
>>> height.ito_base_units()
>>> print(height)
1.752... meter
There are also methods ``to_reduced_units()`` and ``ito_reduced_units()`` which perform
a simplified dimensional reduction, combining units with the same dimensionality
but otherwise keeping your unit definitions intact.
.. doctest::
>>> density = 1.4 * ureg.gram / ureg.cm**3
>>> volume = 10*ureg.cc
>>> mass = density*volume
>>> print(mass)
14.0 cubic_centimeter * gram / centimeter ** 3
>>> print(mass.to_reduced_units())
14.0 gram
>>> print(mass)
14.0 cubic_centimeter * gram / centimeter ** 3
>>> mass.ito_reduced_units()
>>> print(mass)
14.0 gram
If you want pint to automatically perform dimensional reduction when producing
new quantities, the ``UnitRegistry`` class accepts a parameter ``auto_reduce_dimensions``.
Dimensional reduction can be slow, so auto-reducing is disabled by default.
The methods ``to_preferred()`` and ``ito_preferred()`` provide more control over dimensional
reduction by specifying a list of units to combine to get the required dimensionality.
.. doctest::
>>> preferred_units = [
... ureg.ft, # distance L
... ureg.slug, # mass M
... ureg.s, # duration T
... ureg.rankine, # temperature Θ
... ureg.lbf, # force L M T^-2
... ureg.W, # power L^2 M T^-3
... ]
>>> power = ((1 * ureg.lbf) * (1 * ureg.m / ureg.s)).to_preferred(preferred_units)
>>> print(power)
4.4482216152605005 watt
The list of preferred units can also be specified in the unit registry to prevent having to pass it to every call to ``to_preferred()``.
.. doctest::
>>> ureg.default_preferred_units = preferred_units
>>> power = ((1 * ureg.lbf) * (1 * ureg.m / ureg.s)).to_preferred()
>>> print(power)
4.4482216152605005 watt
The ``UnitRegistry`` class accepts a parameter ``autoconvert_to_preferred``. If set to ``True``, pint will automatically convert to
preferred units when producing new quantities. This is disabled by default.
Note when there are multiple good combinations of units to reduce to, to_preferred is not guaranteed to be repeatable.
For example, ``(1 * ureg.lbf * ureg.m).to_preferred(preferred_units)`` may return ``W s`` or ``ft lbf``.
String parsing
--------------
Pint includes powerful string parsing for identifying magnitudes and units. In
many cases, units can be defined as strings:
.. doctest::
>>> 2.54 * ureg('centimeter')
<Quantity(2.54, 'centimeter')>
or using the ``Quantity`` constructor:
.. doctest::
>>> Q_ = ureg.Quantity
>>> Q_(2.54, 'centimeter')
<Quantity(2.54, 'centimeter')>
Numbers are also parsed, so you can use an expression:
.. doctest::
>>> ureg('2.54 * centimeter')
<Quantity(2.54, 'centimeter')>
>>> Q_('2.54 * centimeter')
<Quantity(2.54, 'centimeter')>
or leave out the `*` altogether:
.. doctest::
>>> Q_('2.54cm')
<Quantity(2.54, 'centimeter')>
This enables you to build a simple unit converter in 3 lines:
.. doctest::
>>> user_input = '2.54 * centimeter to inch'
>>> src, dst = user_input.split(' to ')
>>> Q_(src).to(dst)
<Quantity(1.0, 'inch')>
Strings containing values can be parsed using the ``ureg.parse_pattern()`` function.
A ``format``-like string with the units defined in it is used as the pattern:
.. doctest::
>>> input_string = '10 feet 10 inches'
>>> pattern = '{feet} feet {inch} inches'
>>> ureg.parse_pattern(input_string, pattern)
[<Quantity(10.0, 'foot')>, <Quantity(10.0, 'inch')>]
To search for multiple matches, set the ``many`` parameter to ``True``. The following
example also demonstrates how the parser is able to find matches in amongst filler characters:
.. doctest::
>>> input_string = '10 feet - 20 feet ! 30 feet.'
>>> pattern = '{feet} feet'
>>> ureg.parse_pattern(input_string, pattern, many=True)
[[<Quantity(10.0, 'foot')>], [<Quantity(20.0, 'foot')>], [<Quantity(30.0, 'foot')>]]
The full power of regex can also be employed when writing patterns:
.. doctest::
>>> input_string = "10` - 20 feet ! 30 ft."
>>> pattern = r"{feet}(`| feet| ft)"
>>> ureg.parse_pattern(input_string, pattern, many=True)
[[<Quantity(10.0, 'foot')>], [<Quantity(20.0, 'foot')>], [<Quantity(30.0, 'foot')>]]
*Note that the curly brackets (``{}``) are converted to a float-matching pattern by the parser.*
This function is useful for tasks such as bulk extraction of units from thousands
of uniform strings or even very large texts with units dotted around in no particular pattern.
.. _sec-string-formatting:
String formatting
-----------------
Pint's physical quantities can be easily printed:
.. doctest::
>>> accel = 1.3 * ureg.parse_units('meter/second**2')
>>> # The standard string formatting code
>>> print('The str is {!s}'.format(accel))
The str is 1.3 meter / second ** 2
>>> # The standard representation formatting code
>>> print('The repr is {!r}'.format(accel))
The repr is <Quantity(1.3, 'meter / second ** 2')>
>>> # Accessing useful attributes
>>> print('The magnitude is {0.magnitude} with units {0.units}'.format(accel))
The magnitude is 1.3 with units meter / second ** 2
Pint supports float formatting for numpy arrays as well:
.. doctest::
>>> import numpy as np
>>> accel = np.array([-1.1, 1e-6, 1.2505, 1.3]) * ureg.parse_units('meter/second**2')
>>> # float formatting numpy arrays
>>> print('The array is {:.2f}'.format(accel))
The array is [-1.10 0.00 1.25 1.30] meter / second ** 2
>>> # scientific form formatting with unit pretty printing
>>> print('The array is {:+.2E~P}'.format(accel))
The array is [-1.10E+00 +1.00E-06 +1.25E+00 +1.30E+00] m/s²
Pint also supports `f-strings`_ from python>=3.6 :
.. doctest::
>>> accel = 1.3 * ureg.parse_units('meter/second**2')
>>> print(f'The str is {accel}')
The str is 1.3 meter / second ** 2
>>> print(f'The str is {accel:.3e}')
The str is 1.300e+00 meter / second ** 2
>>> print(f'The str is {accel:~}')
The str is 1.3 m / s ** 2
>>> print(f'The str is {accel:~.3e}')
The str is 1.300e+00 m / s ** 2
>>> print(f'The str is {accel:~H}') # HTML format (displays well in Jupyter)
The str is 1.3 m/s<sup>2</sup>
But Pint also extends the standard formatting capabilities for unicode, LaTeX, and HTML
representations:
.. doctest::
>>> accel = 1.3 * ureg['meter/second**2']
>>> # Pretty print
>>> 'The pretty representation is {:P}'.format(accel)
'The pretty representation is 1.3 meter/second²'
>>> # LaTeX print
>>> 'The LaTeX representation is {:L}'.format(accel)
'The LaTeX representation is 1.3\\ \\frac{\\mathrm{meter}}{\\mathrm{second}^{2}}'
>>> # HTML print - good for Jupyter notebooks
>>> 'The HTML representation is {:H}'.format(accel)
'The HTML representation is 1.3 meter/second<sup>2</sup>'
If you want to use abbreviated unit names, prefix the specification with `~`:
.. doctest::
>>> 'The str is {:~}'.format(accel)
'The str is 1.3 m / s ** 2'
>>> 'The pretty representation is {:~P}'.format(accel)
'The pretty representation is 1.3 m/s²'
The same is true for LaTeX (`L`) and HTML (`H`) specs.
.. note::
The abbreviated unit is drawn from the unit registry where the 3rd item in the
equivalence chain (ie 1 = 2 = **3**) will be returned when the prefix '~' is
used. The 1st item in the chain is the canonical name of the unit.
The formatting specs (ie 'L', 'H', 'P') can be used with Python string
`formatting syntax`_ for custom float representations. For example, scientific
notation:
.. doctest::
>>> 'Scientific notation: {:.3e~L}'.format(accel)
'Scientific notation: 1.300\\times 10^{0}\\ \\frac{\\mathrm{m}}{\\mathrm{s}^{2}}'
Pint also supports the LaTeX `siunitx` package:
.. doctest::
:skipif: not_installed['uncertainties']
>>> accel = 1.3 * ureg.parse_units('meter/second**2')
>>> # siunitx Latex print
>>> print('The siunitx representation is {:Lx}'.format(accel))
The siunitx representation is \SI[]{1.3}{\meter\per\second\squared}
>>> accel = accel.plus_minus(0.2)
>>> print('The siunitx representation is {:Lx}'.format(accel))
The siunitx representation is \SI{1.30 +- 0.20}{\meter\per\second\squared}
Additionally, you can specify a default format specification:
.. doctest::
>>> accel = 1.3 * ureg.parse_units('meter/second**2')
>>> 'The acceleration is {}'.format(accel)
'The acceleration is 1.3 meter / second ** 2'
>>> ureg.formatter.default_format = 'P'
>>> 'The acceleration is {}'.format(accel)
'The acceleration is 1.3 meter/second²'
Localizing
----------
If Babel_ is installed you can translate unit names to any language
.. doctest::
>>> ureg.formatter.format_quantity(accel, locale='fr_FR')
'1,3 mètres par seconde²'
You can also specify the format locale at the registry level either at creation:
.. doctest::
>>> ureg = UnitRegistry(fmt_locale='fr_FR')
or later:
.. doctest::
>>> ureg.formatter.set_locale('fr_FR')
and by doing that, string formatting is now localized:
.. doctest::
>>> ureg.formatter.default_format = 'P'
>>> accel = 1.3 * ureg.parse_units('meter/second**2')
>>> str(accel)
'1,3 mètres par seconde²'
>>> "%s" % accel
'1,3 mètres par seconde²'
>>> "{}".format(accel)
'1,3 mètres par seconde²'
If you want to customize string formatting, take a look at :ref:`formatting`.
.. _`default list of units`: https://github.com/hgrecco/pint/blob/master/pint/default_en.txt
.. _`Babel`: http://babel.pocoo.org/
.. _`formatting syntax`: https://docs.python.org/3/library/string.html#format-specification-mini-language
.. _`f-strings`: https://www.python.org/dev/peps/pep-0498/
|