Python Snippets: Difference between revisions
Line 25: | Line 25: | ||
# <code>units</code> (string) Simply set this argument to the desired string to have it included in the colour bar. The default is the empty string. | # <code>units</code> (string) Simply set this argument to the desired string to have it included in the colour bar. The default is the empty string. | ||
# <code>orientation</code> (string) Specifies whether or not the colour bar should be horizontal or vertical. Default is <code>'vertical'</code>. | # <code>orientation</code> (string) Specifies whether or not the colour bar should be horizontal or vertical. Default is <code>'vertical'</code>. | ||
# <code>centre</code> (boolean) If <code>True</code> (the default), will forcibly centre the colour bar around 0. | # <code>centre</code> (boolean) If <code>True</code> (the default), will forcibly centre the colour bar around <code>centre_val</code>. | ||
# <code>centre_val</code> (double) The centre value about which the colour will be centred, if <code>centre=True</code>. Default is <code>0</code>. | |||
# <code>labelpad</code> (double) Extra space to pad between label and colour bar. The larger it is, the further the label from the colour bar. | |||
# <code>label</code> (string) Identification label to be prepended to the colour bar label. E.g. the name of the field being plotted. | |||
'''Notes:''' | '''Notes:''' | ||
# If you need more significant digits, modify the format string <code>{0:.2g}</code> ( | # If you need more significant digits, modify the format string <code>{0:.2g}</code> (line 31) by changing the <code>2</code> to be the desired number of digits | ||
# This setting only permits 5 ticks along the colour bar: this is to avoid clutter while giving basic information on scaling. If you need / want more, simply modify line 15. | # This setting only permits 5 ticks along the colour bar: this is to avoid clutter while giving basic information on scaling. If you need / want more, simply modify line 15. | ||
<syntaxhighlight lang="python" highlight="15, | <syntaxhighlight lang="python" highlight="15, 31" line> | ||
import matplotlib as mpl | import matplotlib as mpl | ||
import numpy as np | import numpy as np | ||
def ScientificCbar(cbar, | def ScientificCbar(cbar, units='', | ||
orientation='vertical', centre=True, centre_val=0., | |||
orientation='vertical', | labelpad = 20, label=''): | ||
# If requested, centre the colour bar | # If requested, centre the colour bar | ||
if centre: | if centre: | ||
cv = np.max(np.abs( | cb_vals = cbar.mappable.get_clim() | ||
cbar.mappable.set_clim(-cv, cv) | cv = np.max(np.abs(np.array([val - centre_val for val in cb_vals]))) | ||
cbar.mappable.set_clim(centre_val-cv, centre_val+cv) | |||
# Limit the number of ticks on the colour bar | # Limit the number of ticks on the colour bar | ||
Line 56: | Line 59: | ||
scale = np.log10(np.max(np.abs(ticks))) | scale = np.log10(np.max(np.abs(ticks))) | ||
scale = np.floor(scale) | scale = np.floor(scale) | ||
# Label | |||
cb_label = '$\\times10^{' + '{0:d}'.format(int(scale)) + '}$ ' + units | |||
if len(label) > 0: | |||
cb_label = label + '\n' + cb_label | |||
# Tick labels | |||
tick_labels = ["{0:.2g}".format(tick/(10**scale)) for tick in ticks] | |||
# Instead, simply add a ylabel to the colour bar giving the scale. | # Instead, simply add a ylabel to the colour bar giving the scale. | ||
if orientation == 'vertical': | if orientation == 'vertical': | ||
if scale != 0.: | if scale != 0.: | ||
cbar.ax.set_yticklabels( | cbar.ax.set_yticklabels(tick_labels) | ||
cbar.ax.set_ylabel( | cbar.ax.set_ylabel(cb_label, rotation = '-90', labelpad = labelpad) | ||
elif orientation == 'horizontal': | elif orientation == 'horizontal': | ||
if scale != 0.: | if scale != 0.: | ||
cbar.ax.set_xticklabels( | cbar.ax.set_xticklabels(tick_labels) | ||
cbar.ax.set_xlabel( | cbar.ax.set_xlabel(cb_label, rotation = '0', labelpad = labelpad) | ||
</syntaxhighlight> | </syntaxhighlight> |
Revision as of 10:11, 7 October 2019
Package abbreviations
Unless otherwise specified, the snippets use the following conventions for package abbreviations
import matplotlib as mpl
import matplotlib.pyplot as plt
import numpy as np
Improving exponential notation in colour bars
The default behaviour for handling exponents in colour bars isn't the prettiest, and can sometimes overlap the plot window itself. While there are options for shifting it exponent around to fit better, I find it looks a lot better to simply place it in the ylabel for the colour bar. This also provides a nice opportunity to add units!
Function Definition
First, we'll define a function, because it keeps things tidy.
To use it, simply pass the handle for a colour bar to the function ScientificCbar
.
It has some option arguments that may be useful.
units
(string) Simply set this argument to the desired string to have it included in the colour bar. The default is the empty string.orientation
(string) Specifies whether or not the colour bar should be horizontal or vertical. Default is'vertical'
.centre
(boolean) IfTrue
(the default), will forcibly centre the colour bar aroundcentre_val
.centre_val
(double) The centre value about which the colour will be centred, ifcentre=True
. Default is0
.labelpad
(double) Extra space to pad between label and colour bar. The larger it is, the further the label from the colour bar.label
(string) Identification label to be prepended to the colour bar label. E.g. the name of the field being plotted.
Notes:
- If you need more significant digits, modify the format string
{0:.2g}
(line 31) by changing the2
to be the desired number of digits - This setting only permits 5 ticks along the colour bar: this is to avoid clutter while giving basic information on scaling. If you need / want more, simply modify line 15.
import matplotlib as mpl
import numpy as np
def ScientificCbar(cbar, units='',
orientation='vertical', centre=True, centre_val=0.,
labelpad = 20, label=''):
# If requested, centre the colour bar
if centre:
cb_vals = cbar.mappable.get_clim()
cv = np.max(np.abs(np.array([val - centre_val for val in cb_vals])))
cbar.mappable.set_clim(centre_val-cv, centre_val+cv)
# Limit the number of ticks on the colour bar
tick_locator = mpl.ticker.MaxNLocator(nbins=5)
cbar.locator = tick_locator
cbar.update_ticks()
ticks = cbar.get_ticks()
# Re-scale the values to avoid the poorly-placed exponent
# above the colour bar
scale = np.log10(np.max(np.abs(ticks)))
scale = np.floor(scale)
# Label
cb_label = '$\\times10^{' + '{0:d}'.format(int(scale)) + '}$ ' + units
if len(label) > 0:
cb_label = label + '\n' + cb_label
# Tick labels
tick_labels = ["{0:.2g}".format(tick/(10**scale)) for tick in ticks]
# Instead, simply add a ylabel to the colour bar giving the scale.
if orientation == 'vertical':
if scale != 0.:
cbar.ax.set_yticklabels(tick_labels)
cbar.ax.set_ylabel(cb_label, rotation = '-90', labelpad = labelpad)
elif orientation == 'horizontal':
if scale != 0.:
cbar.ax.set_xticklabels(tick_labels)
cbar.ax.set_xlabel(cb_label, rotation = '0', labelpad = labelpad)
Sample Usage
# Create colour bar in usual fashion
# the second and third line are useful
# for pdf outputs
cbar = plt.colorbar(plot_handle, ...)
cbar.solids.set_rasterized(True)
cbar.solids.set_edgecolor("face")
ScientificCbar(cbar)
Merging Images into a Movie
The following function provides a clean wrapper for merging a collection of images (such as pngs) into a movie (such as an mp4).
Notes:
- This requires that ffmpeg be installed and accessible at command-line.
- The first argument,
frame_filenames
, is a string that indicates the files. For example, if the files are img_000.png, img_001.png, ..., then you would pass'img_%03d.png'
- The second argument,
movie_name
, is the desired output filename. This should include the extension. For example,'my_mov.mp4'
- The (optional) argument
fps
specifies the frame rate out the output. Default is 12 frames per second. - The first two arguments use relative paths, so you can merge files in one directory and save the video in another.
- The log files
ffmpeg.log
andffmpeg.err
contain the outputs fromstdout
andstderr
, respectively
import subprocess
def merge_to_mp4(frame_filenames, movie_name, fps=12):
f_log = open("ffmpeg.log", "w")
f_err = open("ffmpeg.err", "w")
cmd = ['ffmpeg', '-framerate', str(fps), '-i', frame_filenames, '-y',
'-q', '1', '-threads', '0', '-pix_fmt', 'yuv420p', movie_name]
subprocess.call(cmd, stdout=f_log, stderr=f_err)
f_log.close()
f_err.close()