1

I am plotting data on a map using the plt.text function in Matplotlib. The data for the majority of the plot features values less than 1, and the plots have a precision of 7.

enter image description here

The snippet of code that generates the image is below:

fh = Dataset('/path/to/file/icy.nc', mode='r')
point_list = zip(lat,lon)
dataset_list = []
for i, j in point_list:
    dataset_list.append(fh.variables['ICTHICK'][:][i,j])

for x, y, z in zip(text_lon, text_lat, dataset_list):
    if z in range(-6,6):
        plt.text(x, y, z, color='white', fontsize=12, fontweight='semibold', horizontalalignment='center', transform=crs.LambertConformal())
    #elif:Some other color range here!
    else:
        plt.text(x, y, z, fontsize=12, fontweight='semibold', horizontalalignment='center', transform=crs.LambertConformal()

The goal is to restrict the precision of all plots to two (X.XX). I followed code laid out in a previous post, however upon implementation, there is no change in the precision of the plots. This code alteration is as follows:

plt.text(x, y, r'{0:.2f}'.format(*dataset_list), color='white', fontsize=12, fontweight='semibold', horizontalalignment='center', transform=crs.LambertConformal())

Any advice as to where my current code is going awry?

TornadoEric
  • 399
  • 3
  • 16

1 Answers1

6

The code below works for me:

import pylab as plt
import random

fig, ax = plt.subplots(1, 1, figsize=(5, 5))
for i in range(1, 21):
    #Replace random.random() with z in your case
    ax.text(i, i, "{:.2f}".format(random.random()))
ax.set_xlim(0, 25)
ax.set_ylim(0, 25)

Output:

Output

GWW
  • 43,129
  • 11
  • 115
  • 108
  • 1
    This works perfectly as well, the code example is greatly appreciated! This format or the alteration to the code above as stated by ImportantOfBeingErnest will produce the desired result. – TornadoEric Jan 25 '19 at 23:07