diff --git a/_images/GOES_CIRA_Product_Writer_25_2.png b/_images/GOES_CIRA_Product_Writer_25_2.png
new file mode 100644
index 0000000..789df56
Binary files /dev/null and b/_images/GOES_CIRA_Product_Writer_25_2.png differ
diff --git a/_images/GOES_CIRA_Product_Writer_25_4.png b/_images/GOES_CIRA_Product_Writer_25_4.png
new file mode 100644
index 0000000..0254e1a
Binary files /dev/null and b/_images/GOES_CIRA_Product_Writer_25_4.png differ
diff --git a/_images/GOES_CIRA_Product_Writer_25_6.png b/_images/GOES_CIRA_Product_Writer_25_6.png
new file mode 100644
index 0000000..fb504ab
Binary files /dev/null and b/_images/GOES_CIRA_Product_Writer_25_6.png differ
diff --git a/_sources/examples/generated/GOES_CIRA_Product_Writer.rst.txt b/_sources/examples/generated/GOES_CIRA_Product_Writer.rst.txt
new file mode 100644
index 0000000..12eae3e
--- /dev/null
+++ b/_sources/examples/generated/GOES_CIRA_Product_Writer.rst.txt
@@ -0,0 +1,470 @@
+========================
+GOES CIRA Product Writer
+========================
+`Notebook `_
+Python-AWIPS Tutorial Notebook
+
+--------------
+
+Objectives
+==========
+
+- Use python-awips to connect to an EDEX server
+- Define and filter the data request specifically for new `CIRA GOES16
+ data
+ products `__
+- Resize the products to their native resolution
+- Write the individual bands (channels) locally
+- Combine and write the RGB product locally
+
+--------------
+
+Table of Contents
+-----------------
+
+| `1
+ Imports `__\
+| `2 Initial
+ Setup `__\
+| `2.1 EDEX
+ Connection `__\
+| `2.2 Parameter
+ Definition `__\
+| `3 Function:
+ set_size() `__\
+| `4 Function:
+ write_img() `__\
+| `5 Get the Data and Write it
+ Out! `__\
+| `5.1 Filter the
+ Data `__\
+| `5.2 Define Output
+ Location `__\
+| `5.3 Write Out GOES
+ Images `__\
+| `6 See
+ Also `__\
+| `6.1 Related
+ Notebooks `__\
+| `6.2 Additional
+ Documentation `__\
+
+--------------
+
+1 Imports
+---------
+
+The imports below are used throughout the notebook. Note the first
+import is coming directly from python-awips and allows us to connect to
+an EDEX server. The subsequent imports are for data manipulation and
+visualization.
+
+.. code:: ipython3
+
+ from awips.dataaccess import DataAccessLayer
+ import cartopy.crs as ccrs
+ import cartopy.feature as cfeat
+ import matplotlib.pyplot as plt
+ from datetime import datetime
+ import numpy as np
+ import os
+
+`Top `__
+
+--------------
+
+2 Initial Setup
+---------------
+
+2.1 EDEX Connection
+~~~~~~~~~~~~~~~~~~~
+
+First we establish a connection to Unidata’s public EDEX server. With
+that connection made, we can create a `new data request
+object `__
+and set the data type to **satellite**.
+
+.. code:: ipython3
+
+ # Create an EDEX data request
+ DataAccessLayer.changeEDEXHost("edex-cloud.unidata.ucar.edu")
+ request = DataAccessLayer.newDataRequest()
+ request.setDatatype("satellite")
+
+2.2 Parameter Definition
+~~~~~~~~~~~~~~~~~~~~~~~~
+
+After establishing the python-awips specific objects, we create a few
+other parameters that will be used for the data query based off of known
+values: projection, and extent.
+
+.. code:: ipython3
+
+ # Create a projection for ECONUS and WCONUS
+ # Set up the projection using known parameters (from the netcdf of GOES products)
+ globe = ccrs.Globe(semimajor_axis=6378137.0, semiminor_axis=6356752.5, ellipse=None)
+ sat_h = 35785830.0
+ proj = ccrs.Geostationary(globe=globe, central_longitude=-75.0, satellite_height=sat_h, sweep_axis='x')
+
+ # Define the extents for ECONUS and WCONUS in goes native coords
+ # (originally taken from netcdf GOES data)
+ extent = (-3626751., 1382263.5, 1583666.1, 4588674.)
+
+`Top `__
+
+--------------
+
+3 Function: set_size()
+----------------------
+
+Here we’re defining a function that will allow us to pass in the
+dimensions of the output file we desire in pixels. Default Python
+methods require the size to be set in inches, which is confusing in our
+case, since we know what the size of GOES images are in pixels. Also,
+default Python functions add a padding when creating figures, and we
+don’t want that.
+
+This function allows the exact final image to be specified based in
+pixels, with no padding or buffers.
+
+.. code:: ipython3
+
+ def set_size(w,h, plt):
+ """ w, h: width, height in pixels """
+
+ # Convert from pixels to inches
+ DPI = plt.figure().get_dpi()
+ w = w/float(DPI)
+ h = h/float(DPI)
+
+ # Get the axes
+ ax=plt.gca()
+
+ # Remove the padding
+ l = ax.figure.subplotpars.left
+ r = ax.figure.subplotpars.right
+ t = ax.figure.subplotpars.top
+ b = ax.figure.subplotpars.bottom
+ figw = float(w)/(r-l)
+ figh = float(h)/(t-b)
+
+ # Set the final size
+ ax.figure.set_size_inches(figw, figh)
+
+ # Return the DPI, this is used when in the
+ # write_image() function
+ return DPI
+
+`Top `__
+
+--------------
+
+4 Function: write_img()
+-----------------------
+
+Next, we’re defining another function which takes the image data, file
+name, projection, extent, reference time, and whether or not to print
+out a footnote.
+
+This method specifies the size of the output image and creates a plot
+object to draw all our data into. Then it draws the GOES data,
+coastlines, state boundaries, and lat/lon lines onto the image.
+Additionally, if we want, it writes out a short footnote describing what
+product we’re looking at. Finally, it writes out the figure to disk.
+
+By default we’re specifying the output dimensions to be 5000x4000
+pixels, because that is the native GOES image size, but feel free to
+modify these values if you wish to print out an image of another size
+(you may want to keep the w:h ratio the same though).
+
+.. code:: ipython3
+
+ def write_img(data, name, proj, extent, reftime, footnote):
+
+ # Specify the desired size, in pixels
+ px_width = 5000.0
+ px_height = 3000.0
+
+ # Create the plot with proper projection, and set the figure size
+ fig = plt.figure()
+ DPI = set_size(px_width, px_height, plt)
+ ax = plt.axes(projection=proj)
+
+ # Draw GOES data
+ ax.imshow(data, cmap='gray', transform=proj, extent=extent)
+
+ # Add Coastlines and States
+ ax.coastlines(resolution='50m', color='magenta', linewidth=1.0)
+ ax.add_feature(cfeat.STATES, edgecolor='magenta', linewidth=1.0)
+ ax.gridlines(color='cyan', linewidth=2.0, xlocs=np.arange(-180, 180, 10), linestyle=(0,(5,10)))
+
+ # Create and draw the footnote if needed
+ if footnote:
+ footnoteStr = ' CIRA-'+name[7:-4]+'-'+str(reftime)
+ plt.annotate(str(footnoteStr), (0,0), (0, 0), xycoords='axes fraction', textcoords='offset points', va='top')
+
+ # Write out the figure
+ plt.savefig(name, dpi=DPI, bbox_inches='tight', pad_inches=0)
+
+`Top `__
+
+--------------
+
+5 Get the Data and Write it Out!
+--------------------------------
+
+5.1 Filter the Data
+~~~~~~~~~~~~~~~~~~~
+
+Define exactly what data we want to be printing out. This notebook is
+designed to loop through and print out multiple images, so here we can
+pick which images we’re wanting to print out. We’re specifying
+**ECONUS** (for East CONUS), **CLDSNOW**, **DBRDUST**, and **GEOCOLR**
+(for the new CIRA products) and the **three channels** for the RBG
+composites.
+
+.. container:: alert-info
+
+ | Tip:
+ | More information could be gathered by looking at all the available
+ location names (sectors), identifiers (entities), and parameters
+ (channels). To see those run the following lines of code after the
+ dataType has been set to satellite on the request object:
+
+::
+
+ ## Print Available Location Names
+ print((DataAccessLayer.getAvailableLocationNames(request))
+
+ ## Print Available Identifiers and Values
+ ids = DataAccessLayer.getOptionalIdentifiers(request)
+ print(ids)
+ for id in ids:
+ print(id, DataAccessLayer.getIdentifierValues(request, id))
+
+.. code:: ipython3
+
+ # Define Location names
+ sectors = ["ECONUS"]
+
+ # Define creatingEntity Identifiers
+ entities = ["CLDSNOW", "DBRDUST", "GEOCOLR"]
+
+ # Define parameters
+ ch1 = "CH-01-0.47um"
+ ch2 = "CH-02-0.64um"
+ ch3 = "CH-03-0.87um"
+ channels = [ch1, ch2, ch3]
+
+5.2 Define Output Location
+~~~~~~~~~~~~~~~~~~~~~~~~~~
+
+Here we define a folder for where the satellite images will be written
+to. The default directory is a new folder called ‘output’ that lives
+whereever this notebook lives.
+
+.. container:: alert-info
+
+ | Tip:
+ | If you specify the fully qualified path, it will no longer depend
+ on where this notebook is located. For example (for a Mac):
+
+::
+
+ outputDir = '/Users/scarter/test_dir/output/'
+
+.. code:: ipython3
+
+ # Define name of the desired end directory
+ outputDir = 'output/'
+
+ # Check to see if this folder exists
+ if not os.path.exists(outputDir):
+ # If not, create the directory
+ print('Creating new output directory: ',outputDir)
+ os.makedirs(outputDir)
+ else:
+ # If so, let the user know
+ print('Output directory exists!')
+
+
+.. parsed-literal::
+
+ Output directory exists!
+
+
+5.3 Write Out GOES Images
+~~~~~~~~~~~~~~~~~~~~~~~~~
+
+.. code:: ipython3
+
+ # First loop through the sectors (location names)
+ for sector in sectors:
+
+ # Set the location on the request
+ request.setLocationNames(sector)
+
+ # Next loop through the Products (entities)
+ for entity in entities:
+ # Reset the time and channel variables since we're on a new product
+ time = None
+ R = None
+ G = None
+ B = None
+
+ # Set the product
+ request.addIdentifier("creatingEntity", entity)
+
+ # Cycle through the channels (parameters)
+ for channel in channels:
+ request.setParameters(channel)
+
+ # Set the time for this product if it hasn't been set
+ # If it has been set, then we proceed with that value
+ # so that all bands in for the one product are pulled
+ # from the same time
+ if(time is None):
+ times = DataAccessLayer.getAvailableTimes(request)
+ time = [times[-1]]
+ print("selected time:", time)
+
+ # Request the data from EDEX
+ response = DataAccessLayer.getGridData(request, time)
+ # Grab the actual data from the response
+ grid = response[0]
+ # Get the raw data from the response
+ data = grid.getRawData()
+ reftime = grid.getDataTime().getRefTime()
+
+ # Set the R,G,B channel
+ if(channel == ch1):
+ B = data
+ elif (channel == ch2):
+ R = data
+ elif (channel == ch3):
+ G = data
+
+ # Create the single channel name
+ name = outputDir+entity+'-'+sector+'-'+channel+'.png'
+
+ # Write out the single channel
+ print('writing',name)
+ write_img(data, name, proj, extent, reftime, False)
+
+ # --- End of channel loop
+
+ # Create the RGB product
+ # Apply range limits for each channel. RGB values must be between 0 and 1
+ R = np.clip(R, 0, 1)
+ G = np.clip(G, 0, 1)
+ B = np.clip(B, 0, 1)
+ RGB = np.dstack([R, G, B])
+
+ # Create RGB name
+ rgbName = outputDir+entity+'-'+sector+'-RGB.png'
+ # Write out the RGB image
+ print('writing', rgbName)
+ write_img(RGB, rgbName, proj, extent, time, False)
+
+ # --- End of entity loop
+ #--- End of sector loop
+
+ print('Done!')
+
+
+.. parsed-literal::
+
+ selected time: []
+ writing output/CLDSNOW-ECONUS-CH-01-0.47um.png
+ writing output/CLDSNOW-ECONUS-CH-02-0.64um.png
+ writing output/CLDSNOW-ECONUS-CH-03-0.87um.png
+ writing output/CLDSNOW-ECONUS-RGB.png
+ selected time: []
+ writing output/DBRDUST-ECONUS-CH-01-0.47um.png
+ writing output/DBRDUST-ECONUS-CH-02-0.64um.png
+ writing output/DBRDUST-ECONUS-CH-03-0.87um.png
+ writing output/DBRDUST-ECONUS-RGB.png
+ selected time: []
+ writing output/GEOCOLR-ECONUS-CH-01-0.47um.png
+ writing output/GEOCOLR-ECONUS-CH-02-0.64um.png
+ writing output/GEOCOLR-ECONUS-CH-03-0.87um.png
+ writing output/GEOCOLR-ECONUS-RGB.png
+ Done!
+
+
+
+.. parsed-literal::
+
+
+
+
+
+.. image:: GOES_CIRA_Product_Writer_files/GOES_CIRA_Product_Writer_25_2.png
+
+
+
+.. parsed-literal::
+
+
+
+
+
+.. image:: GOES_CIRA_Product_Writer_files/GOES_CIRA_Product_Writer_25_4.png
+
+
+
+.. parsed-literal::
+
+
+
+
+
+.. image:: GOES_CIRA_Product_Writer_files/GOES_CIRA_Product_Writer_25_6.png
+
+
+`Top `__
+
+--------------
+
+6 See Also
+----------
+
+6.1 Related Notebooks
+~~~~~~~~~~~~~~~~~~~~~
+
+- `Satellite
+ Imagery `__
+
+6.2 Additional Documentation
+~~~~~~~~~~~~~~~~~~~~~~~~~~~~
+
+**CIRA Quick Guides**
+
+- `DEBRA-Dust `__
+- `Cloud-Snow `__
+- `GEOCOLOR `__
+
+**python-awips**
+
+- `DataAccessLayer.changeEDEXHost() `__
+- `DataAccessLayer.newDataRequest() `__
+- `DataAccessLayer.getAvailableLocationNames() `__
+- `DataAccessLayer.getOptionalIdentifiers() `__
+- `DataAccessLayer.getIdentifierValues() `__
+- `DataAccessLayer.getAvailableTimes() `__
+- `IDataRequest `__
+
+**matplotlib**
+
+- `matplotlib.pyplot() `__
+- `matplotlib.pyplot.axes() `__
+- `matplotlib.pyplot.figure() `__
+
+**numpy**
+
+- `numpy.clip() `__
+- `numpy.dstack() `__
+
+`Top `__
+
+--------------
diff --git a/_static/basic.css b/_static/basic.css
index aa9df31..912859b 100644
--- a/_static/basic.css
+++ b/_static/basic.css
@@ -819,7 +819,7 @@ div.code-block-caption code {
table.highlighttable td.linenos,
span.linenos,
-div.doctest > div.highlight span.gp { /* gp: Generic.Prompt */
+div.highlight span.gp { /* gp: Generic.Prompt */
user-select: none;
-webkit-user-select: text; /* Safari fallback only */
-webkit-user-select: none; /* Chrome/Safari */
diff --git a/_static/doctools.js b/_static/doctools.js
index 61ac9d2..8cbf1b1 100644
--- a/_static/doctools.js
+++ b/_static/doctools.js
@@ -301,12 +301,14 @@ var Documentation = {
window.location.href = prevHref;
return false;
}
+ break;
case 39: // right
var nextHref = $('link[rel="next"]').prop('href');
if (nextHref) {
window.location.href = nextHref;
return false;
}
+ break;
}
}
});
diff --git a/_static/searchtools.js b/_static/searchtools.js
index e09f926..8eb1421 100644
--- a/_static/searchtools.js
+++ b/_static/searchtools.js
@@ -276,7 +276,7 @@ var Search = {
setTimeout(function() {
displayNextItem();
}, 5);
- } else if (DOCUMENTATION_OPTIONS.HAS_SOURCE) {
+ } else {
$.ajax({url: requestUrl,
dataType: "text",
complete: function(jqxhr, textstatus) {
@@ -289,12 +289,6 @@ var Search = {
displayNextItem();
}, 5);
}});
- } else {
- // no source available, just display title
- Search.output.append(listItem);
- setTimeout(function() {
- displayNextItem();
- }, 5);
}
}
// search finished, update title and status message
diff --git a/examples/generated/Colored_Surface_Temperature_Plot.html b/examples/generated/Colored_Surface_Temperature_Plot.html
index 77c7820..30959d8 100644
--- a/examples/generated/Colored_Surface_Temperature_Plot.html
+++ b/examples/generated/Colored_Surface_Temperature_Plot.html
@@ -98,6 +98,7 @@
Data Plotting Examples
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
@@ -483,7 +484,7 @@ are returned as Kelvin and wind components as m/s.
diff --git a/examples/generated/GOES_CIRA_Product_Writer.html b/examples/generated/GOES_CIRA_Product_Writer.html
new file mode 100644
index 0000000..3ba9622
--- /dev/null
+++ b/examples/generated/GOES_CIRA_Product_Writer.html
@@ -0,0 +1,665 @@
+
+
+
+
+
+
+
+
+
+ GOES CIRA Product Writer — python-awips documentation
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+ python-awips
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
GOES CIRA Product Writer
+
Notebook
+Python-AWIPS Tutorial Notebook
+
+
+
Objectives
+
+Use python-awips to connect to an EDEX server
+Define and filter the data request specifically for new CIRA GOES16
+data
+products
+Resize the products to their native resolution
+Write the individual bands (channels) locally
+Combine and write the RGB product locally
+
+
+
+
Table of Contents
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
1 Imports
+
The imports below are used throughout the notebook. Note the first
+import is coming directly from python-awips and allows us to connect to
+an EDEX server. The subsequent imports are for data manipulation and
+visualization.
+
from awips.dataaccess import DataAccessLayer
+import cartopy.crs as ccrs
+import cartopy.feature as cfeat
+import matplotlib.pyplot as plt
+from datetime import datetime
+import numpy as np
+import os
+
+
+
Top
+
+
+
+
2 Initial Setup
+
+
2.1 EDEX Connection
+
First we establish a connection to Unidata’s public EDEX server. With
+that connection made, we can create a new data request
+object
+and set the data type to satellite .
+
# Create an EDEX data request
+DataAccessLayer . changeEDEXHost ( "edex-cloud.unidata.ucar.edu" )
+request = DataAccessLayer . newDataRequest ()
+request . setDatatype ( "satellite" )
+
+
+
+
+
2.2 Parameter Definition
+
After establishing the python-awips specific objects, we create a few
+other parameters that will be used for the data query based off of known
+values: projection, and extent.
+
# Create a projection for ECONUS and WCONUS
+# Set up the projection using known parameters (from the netcdf of GOES products)
+globe = ccrs . Globe ( semimajor_axis = 6378137.0 , semiminor_axis = 6356752.5 , ellipse = None )
+sat_h = 35785830.0
+proj = ccrs . Geostationary ( globe = globe , central_longitude =- 75.0 , satellite_height = sat_h , sweep_axis = 'x' )
+
+# Define the extents for ECONUS and WCONUS in goes native coords
+# (originally taken from netcdf GOES data)
+extent = ( - 3626751. , 1382263.5 , 1583666.1 , 4588674. )
+
+
+
Top
+
+
+
+
+
3 Function: set_size()
+
Here we’re defining a function that will allow us to pass in the
+dimensions of the output file we desire in pixels. Default Python
+methods require the size to be set in inches, which is confusing in our
+case, since we know what the size of GOES images are in pixels. Also,
+default Python functions add a padding when creating figures, and we
+don’t want that.
+
This function allows the exact final image to be specified based in
+pixels, with no padding or buffers.
+
def set_size ( w , h , plt ):
+ """ w, h: width, height in pixels """
+
+ # Convert from pixels to inches
+ DPI = plt . figure () . get_dpi ()
+ w = w / float ( DPI )
+ h = h / float ( DPI )
+
+ # Get the axes
+ ax = plt . gca ()
+
+ # Remove the padding
+ l = ax . figure . subplotpars . left
+ r = ax . figure . subplotpars . right
+ t = ax . figure . subplotpars . top
+ b = ax . figure . subplotpars . bottom
+ figw = float ( w ) / ( r - l )
+ figh = float ( h ) / ( t - b )
+
+ # Set the final size
+ ax . figure . set_size_inches ( figw , figh )
+
+ # Return the DPI, this is used when in the
+ # write_image() function
+ return DPI
+
+
+
Top
+
+
+
+
4 Function: write_img()
+
Next, we’re defining another function which takes the image data, file
+name, projection, extent, reference time, and whether or not to print
+out a footnote.
+
This method specifies the size of the output image and creates a plot
+object to draw all our data into. Then it draws the GOES data,
+coastlines, state boundaries, and lat/lon lines onto the image.
+Additionally, if we want, it writes out a short footnote describing what
+product we’re looking at. Finally, it writes out the figure to disk.
+
By default we’re specifying the output dimensions to be 5000x4000
+pixels, because that is the native GOES image size, but feel free to
+modify these values if you wish to print out an image of another size
+(you may want to keep the w:h ratio the same though).
+
def write_img ( data , name , proj , extent , reftime , footnote ):
+
+ # Specify the desired size, in pixels
+ px_width = 5000.0
+ px_height = 3000.0
+
+ # Create the plot with proper projection, and set the figure size
+ fig = plt . figure ()
+ DPI = set_size ( px_width , px_height , plt )
+ ax = plt . axes ( projection = proj )
+
+ # Draw GOES data
+ ax . imshow ( data , cmap = 'gray' , transform = proj , extent = extent )
+
+ # Add Coastlines and States
+ ax . coastlines ( resolution = '50m' , color = 'magenta' , linewidth = 1.0 )
+ ax . add_feature ( cfeat . STATES , edgecolor = 'magenta' , linewidth = 1.0 )
+ ax . gridlines ( color = 'cyan' , linewidth = 2.0 , xlocs = np . arange ( - 180 , 180 , 10 ), linestyle = ( 0 ,( 5 , 10 )))
+
+ # Create and draw the footnote if needed
+ if footnote :
+ footnoteStr = ' CIRA-' + name [ 7 : - 4 ] + '-' + str ( reftime )
+ plt . annotate ( str ( footnoteStr ), ( 0 , 0 ), ( 0 , 0 ), xycoords = 'axes fraction' , textcoords = 'offset points' , va = 'top' )
+
+ # Write out the figure
+ plt . savefig ( name , dpi = DPI , bbox_inches = 'tight' , pad_inches = 0 )
+
+
+
Top
+
+
+
+
5 Get the Data and Write it Out!
+
+
5.1 Filter the Data
+
Define exactly what data we want to be printing out. This notebook is
+designed to loop through and print out multiple images, so here we can
+pick which images we’re wanting to print out. We’re specifying
+ECONUS (for East CONUS), CLDSNOW , DBRDUST , and GEOCOLR
+(for the new CIRA products) and the three channels for the RBG
+composites.
+
+
+
Tip:
+
More information could be gathered by looking at all the available
+location names (sectors), identifiers (entities), and parameters
+(channels). To see those run the following lines of code after the
+dataType has been set to satellite on the request object:
+
+
+
## Print Available Location Names
+print (( DataAccessLayer . getAvailableLocationNames ( request ))
+
+## Print Available Identifiers and Values
+ids = DataAccessLayer . getOptionalIdentifiers ( request )
+print ( ids )
+for id in ids :
+ print ( id , DataAccessLayer . getIdentifierValues ( request , id ))
+
+
+
# Define Location names
+sectors = [ "ECONUS" ]
+
+# Define creatingEntity Identifiers
+entities = [ "CLDSNOW" , "DBRDUST" , "GEOCOLR" ]
+
+# Define parameters
+ch1 = "CH-01-0.47um"
+ch2 = "CH-02-0.64um"
+ch3 = "CH-03-0.87um"
+channels = [ ch1 , ch2 , ch3 ]
+
+
+
+
+
5.2 Define Output Location
+
Here we define a folder for where the satellite images will be written
+to. The default directory is a new folder called ‘output’ that lives
+whereever this notebook lives.
+
+
+
Tip:
+
If you specify the fully qualified path, it will no longer depend
+on where this notebook is located. For example (for a Mac):
+
+
+
outputDir = '/Users/scarter/test_dir/output/'
+
+
+
# Define name of the desired end directory
+outputDir = 'output/'
+
+# Check to see if this folder exists
+if not os . path . exists ( outputDir ):
+ # If not, create the directory
+ print ( 'Creating new output directory: ' , outputDir )
+ os . makedirs ( outputDir )
+else :
+ # If so, let the user know
+ print ( 'Output directory exists!' )
+
+
+
Output directory exists!
+
+
+
+
+
5.3 Write Out GOES Images
+
# First loop through the sectors (location names)
+for sector in sectors :
+
+ # Set the location on the request
+ request . setLocationNames ( sector )
+
+ # Next loop through the Products (entities)
+ for entity in entities :
+ # Reset the time and channel variables since we're on a new product
+ time = None
+ R = None
+ G = None
+ B = None
+
+ # Set the product
+ request . addIdentifier ( "creatingEntity" , entity )
+
+ # Cycle through the channels (parameters)
+ for channel in channels :
+ request . setParameters ( channel )
+
+ # Set the time for this product if it hasn't been set
+ # If it has been set, then we proceed with that value
+ # so that all bands in for the one product are pulled
+ # from the same time
+ if ( time is None ):
+ times = DataAccessLayer . getAvailableTimes ( request )
+ time = [ times [ - 1 ]]
+ print ( "selected time:" , time )
+
+ # Request the data from EDEX
+ response = DataAccessLayer . getGridData ( request , time )
+ # Grab the actual data from the response
+ grid = response [ 0 ]
+ # Get the raw data from the response
+ data = grid . getRawData ()
+ reftime = grid . getDataTime () . getRefTime ()
+
+ # Set the R,G,B channel
+ if ( channel == ch1 ):
+ B = data
+ elif ( channel == ch2 ):
+ R = data
+ elif ( channel == ch3 ):
+ G = data
+
+ # Create the single channel name
+ name = outputDir + entity + '-' + sector + '-' + channel + '.png'
+
+ # Write out the single channel
+ print ( 'writing' , name )
+ write_img ( data , name , proj , extent , reftime , False )
+
+ # --- End of channel loop
+
+ # Create the RGB product
+ # Apply range limits for each channel. RGB values must be between 0 and 1
+ R = np . clip ( R , 0 , 1 )
+ G = np . clip ( G , 0 , 1 )
+ B = np . clip ( B , 0 , 1 )
+ RGB = np . dstack ([ R , G , B ])
+
+ # Create RGB name
+ rgbName = outputDir + entity + '-' + sector + '-RGB.png'
+ # Write out the RGB image
+ print ( 'writing' , rgbName )
+ write_img ( RGB , rgbName , proj , extent , time , False )
+
+ # --- End of entity loop
+#--- End of sector loop
+
+print ( 'Done!' )
+
+
+
selected time: [<DataTime instance: 2021-05-28 06:51:14 >]
+writing output/CLDSNOW-ECONUS-CH-01-0.47um.png
+writing output/CLDSNOW-ECONUS-CH-02-0.64um.png
+writing output/CLDSNOW-ECONUS-CH-03-0.87um.png
+writing output/CLDSNOW-ECONUS-RGB.png
+selected time: [<DataTime instance: 2021-05-28 06:51:14 >]
+writing output/DBRDUST-ECONUS-CH-01-0.47um.png
+writing output/DBRDUST-ECONUS-CH-02-0.64um.png
+writing output/DBRDUST-ECONUS-CH-03-0.87um.png
+writing output/DBRDUST-ECONUS-RGB.png
+selected time: [<DataTime instance: 2021-05-28 06:56:14 >]
+writing output/GEOCOLR-ECONUS-CH-01-0.47um.png
+writing output/GEOCOLR-ECONUS-CH-02-0.64um.png
+writing output/GEOCOLR-ECONUS-CH-03-0.87um.png
+writing output/GEOCOLR-ECONUS-RGB.png
+Done!
+
+
+
< Figure size 432 x288 with 0 Axes >
+
+
+
+
< Figure size 432 x288 with 0 Axes >
+
+
+
+
< Figure size 432 x288 with 0 Axes >
+
+
+
+
Top
+
+
+
+
+
6 See Also
+
+
+
6.2 Additional Documentation
+
CIRA Quick Guides
+
+
python-awips
+
+
matplotlib
+
+
numpy
+
+
Top
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/examples/generated/GOES_Geostationary_Lightning_Mapper.html b/examples/generated/GOES_Geostationary_Lightning_Mapper.html
index 747c073..b5a2f14 100644
--- a/examples/generated/GOES_Geostationary_Lightning_Mapper.html
+++ b/examples/generated/GOES_Geostationary_Lightning_Mapper.html
@@ -43,7 +43,7 @@
-
+
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
@@ -285,7 +286,7 @@ tornadoes, hurricanes, flash floods, snowstorms and fires.
diff --git a/examples/generated/Grid_Levels_and_Parameters.html b/examples/generated/Grid_Levels_and_Parameters.html
index f3615df..b680015 100644
--- a/examples/generated/Grid_Levels_and_Parameters.html
+++ b/examples/generated/Grid_Levels_and_Parameters.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Objectives
diff --git a/examples/generated/Grids_and_Cartopy.html b/examples/generated/Grids_and_Cartopy.html
index aff1928..9d3cf29 100644
--- a/examples/generated/Grids_and_Cartopy.html
+++ b/examples/generated/Grids_and_Cartopy.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/examples/generated/METAR_Station_Plot_with_MetPy.html b/examples/generated/METAR_Station_Plot_with_MetPy.html
index 81d599e..e1bfbd5 100644
--- a/examples/generated/METAR_Station_Plot_with_MetPy.html
+++ b/examples/generated/METAR_Station_Plot_with_MetPy.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/examples/generated/Map_Resources_and_Topography.html b/examples/generated/Map_Resources_and_Topography.html
index 6e8e983..9e4f2dd 100644
--- a/examples/generated/Map_Resources_and_Topography.html
+++ b/examples/generated/Map_Resources_and_Topography.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/examples/generated/Model_Sounding_Data.html b/examples/generated/Model_Sounding_Data.html
index 7ba3f27..b76e3ce 100644
--- a/examples/generated/Model_Sounding_Data.html
+++ b/examples/generated/Model_Sounding_Data.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/examples/generated/NEXRAD_Level3_Radar.html b/examples/generated/NEXRAD_Level3_Radar.html
index d9067c5..98ede3c 100644
--- a/examples/generated/NEXRAD_Level3_Radar.html
+++ b/examples/generated/NEXRAD_Level3_Radar.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/examples/generated/Precip_Accumulation-Region_Of_Interest.html b/examples/generated/Precip_Accumulation-Region_Of_Interest.html
index b4da83d..883dde1 100644
--- a/examples/generated/Precip_Accumulation-Region_Of_Interest.html
+++ b/examples/generated/Precip_Accumulation-Region_Of_Interest.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/examples/generated/Regional_Surface_Obs_Plot.html b/examples/generated/Regional_Surface_Obs_Plot.html
index 99e7b96..2757b33 100644
--- a/examples/generated/Regional_Surface_Obs_Plot.html
+++ b/examples/generated/Regional_Surface_Obs_Plot.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/examples/generated/Satellite_Imagery.html b/examples/generated/Satellite_Imagery.html
index d7a745e..f81e9bc 100644
--- a/examples/generated/Satellite_Imagery.html
+++ b/examples/generated/Satellite_Imagery.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/examples/generated/Upper_Air_BUFR_Soundings.html b/examples/generated/Upper_Air_BUFR_Soundings.html
index 3dc2881..f2485b8 100644
--- a/examples/generated/Upper_Air_BUFR_Soundings.html
+++ b/examples/generated/Upper_Air_BUFR_Soundings.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/examples/generated/Watch_and_Warning_Polygons.html b/examples/generated/Watch_and_Warning_Polygons.html
index 365797e..916ece4 100644
--- a/examples/generated/Watch_and_Warning_Polygons.html
+++ b/examples/generated/Watch_and_Warning_Polygons.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/examples/index.html b/examples/index.html
index fcc8f39..bba56ba 100644
--- a/examples/index.html
+++ b/examples/index.html
@@ -98,6 +98,7 @@
Data Plotting Examples
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
@@ -188,6 +189,7 @@
Colored Surface Temperature Plot
Forecast Model Vertical Sounding
+GOES CIRA Product Writer
GOES Geostationary Lightning Mapper
Grid Levels and Parameters
Grids and Cartopy
diff --git a/objects.inv b/objects.inv
index e1533d0..6bc3c48 100644
Binary files a/objects.inv and b/objects.inv differ
diff --git a/searchindex.js b/searchindex.js
index ad484df..117573b 100644
--- a/searchindex.js
+++ b/searchindex.js
@@ -1 +1 @@
-Search.setIndex({docnames:["about","api/CombinedTimeQuery","api/DataAccessLayer","api/DateTimeConverter","api/IDataRequest","api/IFPClient","api/ModelSounding","api/PyData","api/PyGeometryData","api/PyGridData","api/RadarCommon","api/ThriftClient","api/ThriftClientRouter","api/TimeUtil","api/index","datatypes","dev","examples/generated/Colored_Surface_Temperature_Plot","examples/generated/Forecast_Model_Vertical_Sounding","examples/generated/GOES_Geostationary_Lightning_Mapper","examples/generated/Grid_Levels_and_Parameters","examples/generated/Grids_and_Cartopy","examples/generated/METAR_Station_Plot_with_MetPy","examples/generated/Map_Resources_and_Topography","examples/generated/Model_Sounding_Data","examples/generated/NEXRAD_Level3_Radar","examples/generated/Precip_Accumulation-Region_Of_Interest","examples/generated/Regional_Surface_Obs_Plot","examples/generated/Satellite_Imagery","examples/generated/Upper_Air_BUFR_Soundings","examples/generated/Watch_and_Warning_Polygons","examples/index","gridparms","index"],envversion:{"sphinx.domains.c":2,"sphinx.domains.changeset":1,"sphinx.domains.citation":1,"sphinx.domains.cpp":3,"sphinx.domains.index":1,"sphinx.domains.javascript":2,"sphinx.domains.math":2,"sphinx.domains.python":3,"sphinx.domains.rst":2,"sphinx.domains.std":2,"sphinx.ext.intersphinx":1,"sphinx.ext.viewcode":1,sphinx:56},filenames:["about.rst","api/CombinedTimeQuery.rst","api/DataAccessLayer.rst","api/DateTimeConverter.rst","api/IDataRequest.rst","api/IFPClient.rst","api/ModelSounding.rst","api/PyData.rst","api/PyGeometryData.rst","api/PyGridData.rst","api/RadarCommon.rst","api/ThriftClient.rst","api/ThriftClientRouter.rst","api/TimeUtil.rst","api/index.rst","datatypes.rst","dev.rst","examples/generated/Colored_Surface_Temperature_Plot.rst","examples/generated/Forecast_Model_Vertical_Sounding.rst","examples/generated/GOES_Geostationary_Lightning_Mapper.rst","examples/generated/Grid_Levels_and_Parameters.rst","examples/generated/Grids_and_Cartopy.rst","examples/generated/METAR_Station_Plot_with_MetPy.rst","examples/generated/Map_Resources_and_Topography.rst","examples/generated/Model_Sounding_Data.rst","examples/generated/NEXRAD_Level3_Radar.rst","examples/generated/Precip_Accumulation-Region_Of_Interest.rst","examples/generated/Regional_Surface_Obs_Plot.rst","examples/generated/Satellite_Imagery.rst","examples/generated/Upper_Air_BUFR_Soundings.rst","examples/generated/Watch_and_Warning_Polygons.rst","examples/index.rst","gridparms.rst","index.rst"],objects:{"awips.DateTimeConverter":{constructTimeRange:[3,1,1,""],convertToDateTime:[3,1,1,""]},"awips.RadarCommon":{encode_dep_vals:[10,1,1,""],encode_radial:[10,1,1,""],encode_thresh_vals:[10,1,1,""],get_data_type:[10,1,1,""],get_datetime_str:[10,1,1,""],get_hdf5_data:[10,1,1,""],get_header:[10,1,1,""]},"awips.ThriftClient":{ThriftClient:[11,2,1,""],ThriftRequestException:[11,4,1,""]},"awips.ThriftClient.ThriftClient":{sendRequest:[11,3,1,""]},"awips.TimeUtil":{determineDrtOffset:[13,1,1,""],makeTime:[13,1,1,""]},"awips.dataaccess":{CombinedTimeQuery:[1,0,0,"-"],DataAccessLayer:[2,0,0,"-"],IDataRequest:[4,2,1,""],ModelSounding:[6,0,0,"-"],PyData:[7,0,0,"-"],PyGeometryData:[8,0,0,"-"],PyGridData:[9,0,0,"-"],ThriftClientRouter:[12,0,0,"-"]},"awips.dataaccess.CombinedTimeQuery":{getAvailableTimes:[1,1,1,""]},"awips.dataaccess.DataAccessLayer":{changeEDEXHost:[2,1,1,""],getAvailableLevels:[2,1,1,""],getAvailableLocationNames:[2,1,1,""],getAvailableParameters:[2,1,1,""],getAvailableTimes:[2,1,1,""],getForecastRun:[2,1,1,""],getGeometryData:[2,1,1,""],getGridData:[2,1,1,""],getIdentifierValues:[2,1,1,""],getMetarObs:[2,1,1,""],getOptionalIdentifiers:[2,1,1,""],getRadarProductIDs:[2,1,1,""],getRadarProductNames:[2,1,1,""],getRequiredIdentifiers:[2,1,1,""],getSupportedDatatypes:[2,1,1,""],getSynopticObs:[2,1,1,""],newDataRequest:[2,1,1,""],setLazyLoadGridLatLon:[2,1,1,""]},"awips.dataaccess.IDataRequest":{__weakref__:[4,5,1,""],addIdentifier:[4,3,1,""],getDatatype:[4,3,1,""],getEnvelope:[4,3,1,""],getIdentifiers:[4,3,1,""],getLevels:[4,3,1,""],getLocationNames:[4,3,1,""],setDatatype:[4,3,1,""],setEnvelope:[4,3,1,""],setLevels:[4,3,1,""],setLocationNames:[4,3,1,""],setParameters:[4,3,1,""]},"awips.dataaccess.ModelSounding":{changeEDEXHost:[6,1,1,""],getSounding:[6,1,1,""]},"awips.dataaccess.PyData":{PyData:[7,2,1,""]},"awips.dataaccess.PyData.PyData":{getAttribute:[7,3,1,""],getAttributes:[7,3,1,""],getDataTime:[7,3,1,""],getLevel:[7,3,1,""],getLocationName:[7,3,1,""]},"awips.dataaccess.PyGeometryData":{PyGeometryData:[8,2,1,""]},"awips.dataaccess.PyGeometryData.PyGeometryData":{getGeometry:[8,3,1,""],getNumber:[8,3,1,""],getParameters:[8,3,1,""],getString:[8,3,1,""],getType:[8,3,1,""],getUnit:[8,3,1,""]},"awips.dataaccess.PyGridData":{PyGridData:[9,2,1,""]},"awips.dataaccess.PyGridData.PyGridData":{getLatLonCoords:[9,3,1,""],getParameter:[9,3,1,""],getRawData:[9,3,1,""],getUnit:[9,3,1,""]},"awips.dataaccess.ThriftClientRouter":{LazyGridLatLon:[12,2,1,""],ThriftClientRouter:[12,2,1,""]},"awips.dataaccess.ThriftClientRouter.ThriftClientRouter":{getAvailableLevels:[12,3,1,""],getAvailableLocationNames:[12,3,1,""],getAvailableParameters:[12,3,1,""],getAvailableTimes:[12,3,1,""],getGeometryData:[12,3,1,""],getGridData:[12,3,1,""],getIdentifierValues:[12,3,1,""],getNotificationFilter:[12,3,1,""],getOptionalIdentifiers:[12,3,1,""],getRequiredIdentifiers:[12,3,1,""],getSupportedDatatypes:[12,3,1,""],newDataRequest:[12,3,1,""],setLazyLoadGridLatLon:[12,3,1,""]},"awips.gfe":{IFPClient:[5,0,0,"-"]},"awips.gfe.IFPClient":{IFPClient:[5,2,1,""]},"awips.gfe.IFPClient.IFPClient":{commitGrid:[5,3,1,""],getGridInventory:[5,3,1,""],getParmList:[5,3,1,""],getSelectTR:[5,3,1,""],getSiteID:[5,3,1,""]},awips:{DateTimeConverter:[3,0,0,"-"],RadarCommon:[10,0,0,"-"],ThriftClient:[11,0,0,"-"],TimeUtil:[13,0,0,"-"]}},objnames:{"0":["py","module","Python module"],"1":["py","function","Python function"],"2":["py","class","Python class"],"3":["py","method","Python method"],"4":["py","exception","Python exception"],"5":["py","attribute","Python attribute"]},objtypes:{"0":"py:module","1":"py:function","2":"py:class","3":"py:method","4":"py:exception","5":"py:attribute"},terms:{"0":[17,18,19,20,21,22,23,24,25,26,27,28,29,32],"00":[18,20,22,24],"000":20,"000000":27,"000508":25,"001012802000048":27,"0027720002":25,"005":18,"008382":25,"00hpa":28,"01":[20,28,32],"0127":25,"017472787":25,"019499999":25,"02":28,"021388888888888888hr":28,"0290003":26,"02905":27,"02hpa":28,"03":28,"03199876199994":27,"033959802":25,"0393701":26,"03hpa":28,"04":[24,28],"04hpa":28,"05":[25,28],"051":26,"0555557e":25,"06":[20,28],"07":[19,28],"071":26,"07hpa":28,"08":[25,28],"08255":25,"082804":25,"088392":25,"0891":27,"08hpa":28,"09":[24,25,28],"092348410":15,"0_100":20,"0_1000":20,"0_10000":20,"0_115_360_359":25,"0_116_116":25,"0_116_360_0":25,"0_120":20,"0_12000":20,"0_13_13":25,"0_150":20,"0_1500":20,"0_180":20,"0_200":20,"0_2000":20,"0_230_360_0":25,"0_250":20,"0_2500":20,"0_260":20,"0_265":20,"0_270":20,"0_275":20,"0_280":20,"0_285":20,"0_290":20,"0_295":20,"0_30":20,"0_300":20,"0_3000":20,"0_305":20,"0_310":20,"0_315":20,"0_320":20,"0_325":20,"0_330":20,"0_335":20,"0_340":20,"0_345":20,"0_346_360_0":25,"0_350":20,"0_3500":20,"0_359":25,"0_400":20,"0_4000":20,"0_40000":20,"0_450":20,"0_4500":20,"0_460_360_0":25,"0_464_464":25,"0_500":20,"0_5000":20,"0_550":20,"0_5500":20,"0_60":20,"0_600":20,"0_6000":20,"0_609":20,"0_610":20,"0_650":20,"0_700":20,"0_7000":20,"0_750":20,"0_800":20,"0_8000":20,"0_850":20,"0_90":20,"0_900":20,"0_9000":20,"0_920_360_0":25,"0_950":20,"0bl":20,"0c":[18,32],"0co":22,"0deg":32,"0f":[22,27],"0fhag":[15,18,20,21],"0k":20,"0ke":20,"0lyrmb":20,"0m":28,"0mb":[18,20],"0pv":20,"0sfc":[20,26],"0tilt":20,"0trop":20,"0x11127bfd0":21,"0x11b971da0":26,"0x11dcfedd8":27,"0x7ffd0f33c040":23,"1":[0,15,17,18,19,22,23,24,25,26,27,28,29,30,32],"10":[15,17,18,22,25,26,27,28,29,32],"100":[18,20,24,29,32],"1000":[18,20,22,24,29,32],"10000":20,"1013":28,"103":28,"104":[18,28],"1042":28,"1058":23,"1070":28,"10800":20,"108000":20,"109":30,"10c":32,"10hpa":28,"10m":32,"11":[25,26,28,32],"110":28,"1100":28,"112":24,"115":25,"1152x1008":28,"116":25,"116167":28,"117":28,"118":22,"118800":20,"11hpa":28,"12":[17,18,20,23,24,26,27,28,29,30,32],"120":[17,20,26,32],"1203":23,"12192":25,"125":[26,28],"1250":20,"127":[26,30],"129600":20,"12h":32,"12hpa":28,"13":[25,26,28,32],"131":32,"133":28,"134":25,"135":25,"137":32,"138":25,"139":26,"13hpa":28,"14":[17,18,20,24,25,26,28,32],"140":26,"1400":23,"140400":20,"141":25,"142":28,"1440":32,"14hpa":28,"15":[17,18,19,24,26,28,29,32],"150":20,"1500":20,"151":28,"151200":20,"152":27,"1524":20,"159":25,"1598":21,"15c":32,"15hpa":28,"16":[15,17,19,20,21,24,25,26,27,32],"160":28,"161":25,"162000":20,"163":25,"165":25,"166":25,"1688":23,"169":25,"1693":23,"1694":23,"17":[24,25,26,28,32],"170":[25,28],"1701":23,"1703":23,"1706":23,"171":25,"1716":23,"172":25,"172800":20,"173":25,"1730":23,"174":25,"1741":23,"1746":23,"175":25,"1753":23,"176":25,"1767":23,"177":25,"1781":23,"1790004":26,"17hpa":28,"18":[18,19,25,26,27,28,32],"180":28,"1828":20,"183600":20,"1875":26,"1890006":26,"18hpa":28,"19":[18,20,25,28],"190":[25,28],"194400":20,"19hpa":28,"19um":28,"1f":[18,22,27],"1h":32,"1mb":18,"1st":32,"1v4":24,"1x1":32,"2":[0,15,17,18,22,23,24,25,26,27,28,29,32],"20":[18,22,24,25,26,28,29,30,32],"200":[20,28,32],"2000":20,"2000m":32,"201":32,"2016":16,"2018":[18,25,28],"202":32,"2020":24,"2021":20,"203":32,"204":32,"205":32,"205200":20,"206":32,"207":32,"207see":32,"208":[23,32],"209":32,"20b2aa":23,"20c":32,"20km":20,"20um":28,"21":26,"210":32,"211":32,"212":[28,32],"215":32,"216":32,"21600":20,"216000":20,"217":32,"218":32,"219":32,"22":[18,19,26],"222":32,"223":[28,32],"224":32,"225":23,"226800":20,"22hpa":28,"23":[22,23,25,28],"230":25,"235":28,"237600":20,"23hpa":28,"24":[26,27,30,32],"240":32,"243":24,"247":28,"24799":28,"248400":20,"24h":32,"24hpa":28,"25":[17,20,26,32],"250":[20,32],"2500":20,"252":32,"253":32,"254":32,"255":[20,22],"257":20,"259":28,"259200":20,"25um":28,"26":28,"260":[20,27],"263":24,"265":20,"26c":32,"26hpa":28,"27":[25,26],"270":20,"270000":20,"272":28,"273":[18,24,29],"2743":20,"274543999":15,"275":20,"27hpa":28,"28":[26,27,28],"280":20,"280511999":15,"280800":20,"285":20,"285491999":15,"286":28,"29":[24,28],"290":20,"291600":20,"295":[20,26],"2960005":26,"2fhag":[16,20],"2h":32,"2km":32,"2m":32,"2nd":32,"2pi":32,"2s":32,"3":[6,17,18,23,24,25,26,27,28,29,32],"30":[20,26,28,29,32],"300":[20,26,28,32],"3000":20,"302400":20,"3048":20,"305":20,"3071667e":25,"30hpa":28,"30m":32,"30um":28,"31":[25,27,28],"310":20,"3125":26,"314":28,"315":20,"31hpa":28,"32":[17,18,25,26,27,28],"320":20,"32400":20,"324000":20,"325":20,"328":28,"32hpa":28,"33":[26,27,32],"330":20,"334":26,"335":20,"339":26,"340":20,"343":28,"345":20,"345600":20,"346":25,"3468":27,"34hpa":28,"34um":28,"35":[17,20,22,27,28],"350":20,"3500":20,"358":28,"35hpa":28,"35um":28,"36":26,"360":[25,32],"3600":[26,28],"3657":20,"367200":20,"369":20,"36shrmi":20,"37":25,"374":28,"375":26,"37hpa":28,"388800":20,"38hpa":28,"38um":28,"39":[18,26,28],"390":28,"3h":32,"3j2":24,"3rd":32,"3tilt":20,"4":[18,22,24,26,27,28,32],"40":[18,20,24,32],"400":20,"4000":20,"400hpa":32,"407":28,"40km":18,"41":25,"410400":20,"41999816894531":24,"41hpa":28,"42":[25,26,28],"422266":28,"424":28,"43":[24,28],"43200":20,"432000":20,"4328":23,"43hpa":28,"441":28,"4420482":26,"44848":27,"44hpa":28,"45":[17,18,20,26,28],"450":20,"4500":20,"45227":28,"453600":20,"4572":20,"459":28,"45hpa":28,"46":15,"460":25,"464":25,"46hpa":28,"47":28,"47462":28,"475200":20,"477":28,"47hpa":28,"47um":28,"48":[26,32],"49":30,"496":28,"496800":20,"4bl":24,"4bq":24,"4hv":24,"4lftx":32,"4mb":18,"4om":24,"4th":32,"4tilt":20,"5":[0,19,23,24,25,26,27,28,32],"50":[15,18,20,22,23,25,26,30,32],"500":[20,28,32],"5000":[20,23],"50934":27,"50dbzz":20,"50hpa":28,"50m":[17,19,21,23,25,26,28,30],"50um":28,"51":[25,26,28],"515":28,"518400":20,"51hpa":28,"52":26,"521051616000022":27,"525":20,"5290003":26,"52hpa":28,"535":28,"5364203":26,"5399999e":25,"53hpa":28,"54":26,"54000":20,"540000":20,"54hpa":28,"55":[17,20],"550":20,"5500":20,"555":28,"56":[25,28],"561600":20,"5625":26,"57":[23,25,26],"575":[20,28],"5775646e":25,"57hpa":28,"58":[25,28],"583200":20,"58hpa":28,"59":22,"596":28,"59hpa":28,"5af":24,"5ag":24,"5c":32,"5pv":20,"5sz":24,"5tilt":20,"5wava":32,"5wavh":32,"6":[18,22,24,26,27,28,32],"60":[20,24,26,27,28,29,32],"600":20,"6000":20,"604800":20,"609":20,"6096":20,"610":20,"61595":28,"617":28,"61um":28,"623":23,"625":[20,26],"626":26,"626400":20,"628002":26,"62hpa":28,"63":26,"63429260299995":27,"639":28,"63hpa":28,"64":[24,30],"64800":20,"648000":20,"64um":28,"65":[15,17,24,26],"650":20,"65000152587891":24,"65155":27,"652773000":15,"65293884277344":15,"656933000":15,"657455":28,"65hpa":28,"66":[26,28],"660741000":15,"661":28,"66553":27,"669600":20,"67":[18,24],"670002":26,"67402":27,"675":20,"67hpa":28,"683":28,"6875":26,"68hpa":28,"69":26,"690":25,"691200":20,"69hpa":28,"6fhag":20,"6h":32,"6km":32,"6mb":18,"6ro":24,"7":[18,21,24,25,26,28,32],"70":[17,32],"700":20,"7000":20,"706":28,"70851":28,"70hpa":28,"71":28,"712800":20,"718":26,"71hpa":28,"72":[26,32],"725":20,"72562":29,"729":28,"72hpa":28,"73":22,"734400":20,"74":[21,26],"75":[17,26],"750":20,"75201":27,"753":28,"75600":20,"756000":20,"757":23,"758":23,"759":23,"760":23,"761":23,"762":23,"7620":20,"765":23,"766":23,"768":23,"769":23,"77":[26,28],"775":[20,23],"777":28,"777600":20,"778":23,"78":[25,26,27],"782322971":15,"78hpa":28,"79":26,"79354":27,"797777777777778hr":28,"799200":20,"79hpa":28,"7mb":18,"7tilt":20,"8":[17,21,22,24,26,27,28,32],"80":[21,23,25,27,28,32],"800":20,"8000":20,"802":28,"81":[25,26],"812":26,"82":[26,27],"820800":20,"825":20,"82676":27,"8269997":26,"827":28,"83":[27,28],"834518":25,"836":18,"837":18,"84":26,"842400":20,"848":18,"85":[17,26],"850":20,"852":28,"853":26,"85hpa":28,"86":27,"86400":20,"864000":20,"86989b":23,"87":[18,26,27,28],"875":[20,26],"878":28,"87hpa":28,"87um":28,"88hpa":28,"89":[26,27,28],"89899":27,"89hpa":28,"8fhag":20,"8tilt":20,"8v7":24,"9":[21,24,26,28,32],"90":[15,19,20,32],"900":20,"9000":20,"904":28,"90um":28,"911":17,"9144":20,"92":[15,27,28],"920":25,"921":17,"925":20,"92hpa":28,"931":28,"93574":27,"94":[24,25],"94384":24,"948581075":15,"94915580749512":15,"95":22,"950":20,"958":28,"9581":11,"95hpa":28,"95um":28,"96":28,"96hpa":28,"97200":20,"975":20,"97hpa":28,"98":28,"986":28,"98hpa":28,"99":25,"992865960":15,"9999":[17,22,26,27,29],"99hpa":28,"9b6":24,"9tilt":20,"\u03c9":32,"\u03c9\u03c9":32,"\u03c9q":32,"\u03c9t":32,"abstract":[4,16],"boolean":[2,10],"break":16,"byte":32,"case":[16,20,21,24,29],"class":[4,5,7,8,9,11,12,16,18,20,22,25],"default":[0,6,16,30],"do":[0,16,20,30],"enum":16,"export":0,"final":[6,21,32],"float":[3,8,16,17,18,22,27,32],"function":[0,16,20,22,27,30,32],"import":[16,17,18,19,22,23,24,25,26,27,28,29,30],"int":[3,8,16,17,22,23,26,27,32],"long":[3,8,16,32],"new":[2,17,21,24,26,27,33],"null":16,"public":[0,16],"return":[2,3,4,6,7,8,9,10,15,16,18,20,21,22,23,24,25,26,27,28,29,30,32],"short":32,"super":32,"switch":18,"throw":[2,16],"transient":32,"true":[2,15,18,20,21,22,23,24,25,26,27,28,30,32],"try":[20,22,24,27],"void":16,"while":[16,27,29],A:[0,2,3,4,6,16,18,24,26,32],As:[0,16],At:[0,32],By:[16,32],For:[0,16,20,23,29],IS:18,If:[4,6,16,18,20,21,22,33],In:[0,16,21,23,32,33],Into:20,It:[2,16],Near:32,No:[16,24,25],Not:[4,16,20],Of:[31,32],One:25,The:[0,16,18,19,20,21,23,24,29,32,33],There:[16,18],These:[0,2],To:[16,32],With:32,_:18,__future__:23,__weakref__:4,_datadict:18,_pcolorarg:21,_soundingcub:6,abbrevi:[4,8,9,32],abi:32,abl:[16,24],about:[16,20],abov:[16,18,20,21,23,32],abq:22,absd:32,absfrq:32,absh:32,absolut:32,absorpt:32,absrb:32,abstractdatapluginfactori:16,abstractgeometrydatabasefactori:16,abstractgeometrytimeagnosticdatabasefactori:16,abstractgriddatapluginfactori:16,absv:32,ac137:32,acar:[16,20],acceler:32,access:[0,2,6,16,20,21,23],account:27,accum:[25,32],accumul:[31,32],acond:32,acpcp:32,acpcpn:32,act:6,action:16,activ:[32,33],actp:28,actual:[2,16],acv:22,acwvh:32,ad:[16,21,27,32],adcl:32,add:[4,16,17,22,29],add_barb:[22,27],add_featur:[22,23,27,28,30],add_geometri:26,add_grid:[18,24,29],add_subplot:22,add_valu:[22,27],addidentifi:[4,15,16,19,23,24,27,28],addit:[0,16],adiabat:32,adm:24,admin_0_boundary_lines_land:[23,30],admin_1_states_provinces_lin:[23,28,30],adp:28,aerodynam:32,aerosol:32,aetyp:32,afa:24,affect:2,after:[0,16],ag:32,ageow:20,ageowm:20,agl:32,agnost:[2,16],ago:28,agr:24,ah:32,ahn:24,ai131:32,aia:24,aid:19,aih:24,air:[0,20,31,32],air_pressure_at_sea_level:[22,27],air_temperatur:[22,27],airep:[16,20],airmet:16,airport:16,ajo:24,akh:32,akm:32,al:27,alabama:27,alarm:0,albdo:32,albedo:32,alert:[0,16],algorithm:25,all:[0,2,4,6,16,17,18,20,23,29,32,33],allow:[0,2,16,18],along:[20,21],alpha:[23,32],alr:20,alreadi:[22,33],alrrc:32,also:[0,3,15,16],alter:16,although:20,altimet:32,altitud:32,altmsl:32,alwai:16,america:[17,22],amixl:32,amount:[16,28,32],amsl:32,amsr:32,amsre10:32,amsre11:32,amsre12:32,amsre9:32,an:[0,2,4,7,16,17,19,20,21,24,28,29,32,33],analysi:[0,33],analyz:20,anc:32,ancconvectiveoutlook:32,ancfinalforecast:32,angl:[16,32],ani:[0,2,16,18,23],anisotropi:32,anj:24,annot:23,anomali:32,anoth:[16,20],antarct:28,anyth:16,aod:28,aohflx:32,aosgso:32,apach:0,apcp:32,apcpn:32,api:16,app:16,appar:32,appear:[21,23],append:[18,19,22,23,24,27,29,30],appli:[0,16],applic:[0,23],approach:0,appropri:[0,30],approv:32,appt:20,aptmp:32,apx:24,aqq:24,aqua:32,ar:[0,2,4,16,18,19,20,21,23,24,27,28,29,32,33],aradp:32,arain:32,arbitrari:32,arbtxt:32,architectur:16,arctic:28,area:[23,26,28,32],arg:[2,3,4,6,7,8,10,16,21],argsort:29,argument:3,ari12h1000yr:32,ari12h100yr:32,ari12h10yr:32,ari12h1yr:32,ari12h200yr:32,ari12h25yr:32,ari12h2yr:32,ari12h500yr:32,ari12h50yr:32,ari12h5yr:32,ari1h1000yr:32,ari1h100yr:32,ari1h10yr:32,ari1h1yr:32,ari1h200yr:32,ari1h25yr:32,ari1h2yr:32,ari1h500yr:32,ari1h50yr:32,ari1h5yr:32,ari24h1000yr:32,ari24h100yr:32,ari24h10yr:32,ari24h1yr:32,ari24h200yr:32,ari24h25yr:32,ari24h2yr:32,ari24h500yr:32,ari24h50yr:32,ari24h5yr:32,ari2h1000yr:32,ari2h100yr:32,ari2h10yr:32,ari2h1yr:32,ari2h200yr:32,ari2h25yr:32,ari2h2yr:32,ari2h500yr:32,ari2h50yr:32,ari2h5yr:32,ari30m1000yr:32,ari30m100yr:32,ari30m10yr:32,ari30m1yr:32,ari30m200yr:32,ari30m25yr:32,ari30m2yr:32,ari30m500yr:32,ari30m50yr:32,ari30m5yr:32,ari3h1000yr:32,ari3h100yr:32,ari3h10yr:32,ari3h1yr:32,ari3h200yr:32,ari3h25yr:32,ari3h2yr:32,ari3h500yr:32,ari3h50yr:32,ari3h5yr:32,ari6h1000yr:32,ari6h100yr:32,ari6h10yr:32,ari6h1yr:32,ari6h200yr:32,ari6h25yr:32,ari6h2yr:32,ari6h500yr:32,ari6h50yr:32,ari6h5yr:32,around:[16,21],arrai:[2,9,15,16,17,18,20,21,22,23,24,25,27,29,30],asd:32,aset:32,asgso:32,ash:32,ashfl:32,asnow:32,assign:29,assimil:32,assist:0,associ:[0,7,9,16,32],assum:24,asymptot:32,ath:24,atl1:24,atl2:24,atl3:24,atl4:24,atl:22,atlh:24,atmdiv:32,atmo:32,atmospher:[20,32],attach:[16,22,27],attempt:16,attent:18,attribut:[7,16,19],automat:16,autosp:20,av:20,avail:[0,2,6,16,18,19,21,23,30,32],avail_param:22,available_loc:25,availablelevel:[15,18,25],availableloc:29,availableparm:[2,19,25],availableproduct:[15,22,27,28],availablesector:[15,28],averag:32,avg:32,aviat:32,avoid:16,avsft:32,awai:21,awh:24,awip:[1,2,3,4,5,6,7,8,9,10,11,12,13,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30],awips2:[0,24],awr:24,awvh:32,ax2:21,ax:[17,18,19,21,22,23,24,25,26,27,28,29,30],ax_hod:[18,24,29],ax_synop:27,axes_grid1:[18,24,29],axi:21,axvlin:[18,24,29],azdat:10,azimuth:32,azval:10,b:[20,24,32],ba:32,bab:24,back:16,backend:0,background:21,backscatt:32,band:32,bare:32,baret:32,barotrop:32,base:[0,6,16,24,25,28,32],baseflow:32,baselin:16,basi:6,basin:16,basr:32,basrv:32,bassw:32,bbox:[17,18,21,23,25,26,27,28,30],bcbl:32,bcly:32,bctl:32,bcy:32,bde:22,bdept06:20,bdg:[22,24],bdp:24,beam:32,bean:16,becaus:[16,20,24,27,29],becom:[16,23],been:16,befor:[16,20],begin:22,beginrang:[17,22,27],behavior:16,being:[0,4,16],below:[16,20,23,32,33],beninx:32,best:[16,32],better:2,between:[0,16,18,21,32],bfl:24,bgrun:32,bgtl:24,bh1:24,bh2:24,bh3:24,bh4:24,bh5:24,bhk:24,bi:22,bia:32,bid:24,bil:22,bin:16,binlightn:[16,19,20],binoffset:16,bir:24,bit:20,bkeng:32,bkn:[22,27],bl:[20,24],black:[23,26,29,30,32],blackadar:32,blank:30,bld:32,bli:[20,32],blkmag:20,blkshr:20,blob:24,blow:32,blst:32,blu:24,blue:[22,23,27],blysp:32,bmixl:32,bmx:24,bna:24,bo:22,board:19,bod:24,boi:22,border:22,both:[16,19,21,23,25],bottom:32,bou:23,boulder:23,bound:[16,17,21,22,23,27,30],boundari:[20,21,27,32],box:[16,17,21,26],bq:32,bra:24,bright:32,brightbandbottomheight:32,brightbandtopheight:32,brn:20,brnehii:20,brnmag:20,brnshr:20,brnvec:20,bro:22,broken:0,browser:33,brtmp:32,btl:24,btot:32,buffer:[23,27],bufr:[20,24,31],bufrmosavn:20,bufrmoseta:20,bufrmosgf:20,bufrmoshpc:20,bufrmoslamp:20,bufrmosmrf:20,bufrua:[16,20,29],bui:22,build:[3,16,29],bulb:32,bundl:16,bvec1:32,bvec2:32,bvec3:32,bvr:24,bytebufferwrapp:16,c01:24,c02:24,c03:24,c04:24,c06:24,c07:24,c08:24,c09:24,c10:24,c11:24,c12:24,c13:24,c14:24,c17:24,c18:24,c19:24,c20:24,c21:24,c22:24,c23:24,c24:24,c25:24,c27:24,c28:24,c30:24,c31:24,c32:24,c33:24,c34:24,c35:24,c36:24,c7h:24,c:[17,18,21,24,29,32,33],caesium:32,cai:24,caii:32,caiirad:32,calc:[22,24,27,29],calcul:[16,21,26,29],call:[0,16,21,23,33],caller:16,camt:32,can:[0,3,16,20,21,23,24,27,28,33],canopi:32,capabl:16,capac:32,cape:[20,28,32],capestk:20,capetolvl:20,car:22,carolina:27,cartopi:[17,19,20,22,23,25,26,27,28,30,31],cat:32,categor:32,categori:[17,22,23,24,25,27,28,30,32],cave:[16,17,33],cb:32,cbar2:21,cbar:[21,23,25,26,28],cbase:32,cbe:24,cbhe:32,cbl:32,cbn:24,cbound:23,cc5000:23,ccape:20,ccbl:32,cceil:32,ccfp:16,ccin:20,ccittia5:32,ccly:32,ccond:32,ccr:[17,19,21,22,23,25,26,27,28,30],cctl:32,ccy:32,cd:[32,33],cdcimr:32,cdcon:32,cdlyr:32,cduvb:32,cdww:32,ceas:32,ceil:32,cell:[16,21],cent:32,center:[0,21,32,33],cento:0,central_latitud:[22,27],central_longitud:[19,22,27],certain:[2,16],cfeat:[19,28],cfeatur:[22,27,30],cfnlf:32,cfnsf:32,cfrzr3hr:20,cfrzr6hr:20,cfrzr:[20,32],cg:32,ch:[22,28],chang:[2,6,16,22,23,32],changeedexhost:[2,6,15,17,18,19,20,21,22,23,24,25,26,27,28,29,30],channel:32,chart:29,che:24,chill:32,choos:16,cice:32,cicel:32,cicep3hr:20,cicep6hr:20,cicep:[20,32],ciflt:32,cin:[20,32],cisoilw:32,citylist:23,citynam:23,civi:32,ckn:24,cld:24,cldcvr:24,cle:[22,24],clean:[16,18],clear:32,clg:32,clgtn:32,click:0,client:[0,2,12],climat:20,clip_on:[22,27],cln:24,clone:33,cloud:[15,17,18,19,20,21,22,23,24,25,26,27,28,29,30,32],cloud_coverag:[22,27],cloudcov:32,cloudm:32,clt:22,clwmr:32,cm:32,cmap:[21,23,25,26,28],cmc:[18,20],cngwdu:32,cngwdv:32,cnvdemf:32,cnvdmf:32,cnvhr:32,cnvmr:32,cnvu:32,cnvumf:32,cnvv:32,cnwat:32,coars:32,coastlin:[17,19,21,22,23,25,26,28,30],code:[0,16,20,22,25,27,32],coe:22,coeff:25,coeffici:32,col1:24,col2:24,col3:24,col4:24,col:32,collect:19,color:[18,20,21,22,24,27,29,30,31],colorado:23,colorbar:[21,23,25,26,28],column:[23,28,32],com:[0,16,17,21,22,24,27,33],combin:[2,16,32],combinedtimequeri:14,come:16,command:0,commerci:0,commitgrid:5,common:[0,16,17,21,22,27],common_obs_spati:20,commun:[0,2,6],compar:21,compat:[0,16],complet:16,compon:[0,18,22,24,27,32],component_rang:[18,24,29],compos:0,composit:[0,25,28,32],compositereflectivitymaxhourli:32,compris:0,concaten:[24,29],concentr:32,concept:16,cond:32,condens:32,condit:[2,32],condp:32,conduct:[0,32],conf:0,confid:32,configur:0,connect:[2,6],consid:[0,16,32],consider:2,consist:[0,16],constant:[21,24,29],constrain:4,construct:24,constructor:16,constructtimerang:3,cont:32,contain:[0,16],contb:32,content:[16,32],contet:32,conti:32,continent:21,continu:[16,25,28,29],contourf:23,contrail:32,control:0,contrust:[15,28],contt:32,conu:[17,23,26,28,32],conus_envelop:26,conusmergedreflect:32,conusplusmergedreflect:32,convect:32,conveni:[2,16],converg:32,convers:3,convert:[3,16,17,18,21,22,27],convert_temperatur:21,converttodatetim:3,convp:32,coolwarm:28,coordin:[0,9,16,21,32],copi:17,corf:20,corff:20,corffm:20,corfm:20,coronagraph:32,correct:[22,27,32],correl:[16,25],correspond:16,cosd:16,cosmic:32,cot:[0,24],could:[2,16],count:[23,25,32],counti:[16,27],covari:32,cover:[20,24,32],coverag:32,covmm:32,covmz:32,covpsp:32,covqm:32,covqq:32,covqvv:32,covqz:32,covtm:32,covtt:32,covtvv:32,covtw:32,covtz:32,covvvvv:32,covzz:32,cp3hr:20,cp6hr:20,cp:20,cpofp:32,cpozp:32,cppaf:32,cpr:[20,22],cprat:32,cprd:20,cqv:24,cr:[17,19,21,22,23,25,26,27,28,30],crain3hr:20,crain6hr:20,crain:[20,32],creat:[0,2,16,17,18,19,21,22,24,26,27,29,30,33],creatingent:[15,28],crest:32,crestmaxstreamflow:32,crestmaxustreamflow:32,crestsoilmoistur:32,critic:32,critt1:20,crl:24,cross:32,crr:24,crswkt:12,crtfrq:32,crw:22,cs2:21,cs:[21,23,25,26,28],csdlf:32,csdsf:32,csm:28,csnow3hr:20,csnow6hr:20,csnow:[20,32],csrate:32,csrwe:32,csulf:32,csusf:32,ct:32,cth:28,ctl:32,ctop:32,ctophqi:32,ctot:20,ctp:32,ctstm:32,ctt:28,cty:24,ctyp:32,cuefi:32,cultur:[23,28,30],cumnrm:20,cumshr:20,cumulonimbu:32,current:[16,32],curu:20,custom:16,custom_layout:[22,27],cv:24,cvm:24,cwat:32,cwdi:32,cweu:24,cwfn:24,cwkx:24,cwlb:24,cwlo:24,cwlt:24,cwlw:24,cwmw:24,cwo:24,cwork:32,cwp:32,cwph:24,cwqg:24,cwr:32,cwsa:24,cwse:24,cwzb:24,cwzc:24,cwzv:24,cyah:24,cyaw:24,cybk:24,cybu:24,cycb:24,cycg:24,cycl:[2,15,18,20,21,24,25,26],cyclon:32,cycx:24,cyda:24,cyeg:24,cyev:24,cyf:24,cyfb:24,cyfo:24,cygq:24,cyhm:24,cyhz:24,cyjt:24,cylh:24,cylj:24,cymd:24,cymo:24,cymt:24,cymx:24,cyoc:24,cyow:24,cypa:24,cype:24,cypl:24,cypq:24,cyqa:24,cyqd:24,cyqg:24,cyqh:24,cyqi:24,cyqk:24,cyqq:24,cyqr:24,cyqt:24,cyqx:24,cyrb:24,cysi:24,cysm:24,cyt:24,cyth:24,cytl:24,cyul:24,cyux:24,cyvo:24,cyvp:24,cyvq:24,cyvr:24,cyvv:24,cywa:24,cywg:24,cywo:24,cyx:24,cyxc:24,cyxh:24,cyxi:24,cyxu:24,cyxx:24,cyxz:24,cyy:24,cyyb:24,cyyc:24,cyyj:24,cyyq:24,cyyr:24,cyyt:24,cyyz:24,cyz:24,cyzf:24,cyzt:24,cyzv:24,d2d:0,d2dgriddata:16,d:[0,15,16,17,18,22,24,27,28,32],daemon:0,dai:[19,28,32],daili:32,dal:2,dalt:32,darkgreen:[17,22,27],darkr:[22,27],data:[0,2,4,6,7,8,9,10,19,22,23,25,26,27,28,29,30,32],data_arr:22,dataaccess:[1,2,4,6,7,8,9,12,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30],dataaccesslay:[4,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30],dataaccessregistri:16,databas:[0,16,23,27],datadestin:16,datafactoryregistri:16,dataplugin:[16,21],datarecord:7,dataset:[0,20,23,33],datasetid:[6,16],datastorag:16,datatim:[2,6,16,20,29],datatyp:[2,4,12,17,19,20,21,22,23,27,28],datauri:28,date:3,datetim:[3,10,17,18,19,22,24,27,28,30],datetimeconvert:14,db:[16,32],dbll:32,dbm:0,dbsl:32,dbss:32,dbz:[25,32],dcape:20,dcbl:32,dccbl:32,dcctl:32,dctl:32,dd:20,decod:[0,16],decreas:21,deep:32,def:[21,22,23,25,26,27,28,30],defaultdatarequest:[16,21],defaultgeometryrequest:16,defaultgridrequest:16,deficit:32,defin:[4,20,23,28,30,32],definit:[16,23],defv:20,deg2rad:29,deg:[24,32],degc:[18,22,24,27,29],degf:[17,22,27,29],degre:[21,22,27,32],del2gh:20,deleg:16,delta:32,den:[24,32],densiti:32,depend:[2,16,20,23,32],depmn:32,deposit:32,depr:32,depress:32,depth:32,depval:10,deriv:[0,16,25,28,32],describ:0,descript:[10,32],design:0,desir:16,desktop:0,destin:16,destunit:21,detail:[16,20],detect:[19,32],determin:[0,16,18,26],determinedrtoffset:13,detrain:32,dev:32,develop:[0,19,33],deviat:32,devmsl:32,dew:32,dew_point_temperatur:[22,27],dewpoint:[18,22,27,29],df:20,dfw:22,dhr:28,diagnost:32,dice:32,dict:[17,19,21,22,23,25,26,27,28,30],dictionari:[2,4,6,22,27],difeflux:32,diff:25,differ:[0,16,20,21,32],differenti:32,diffus:32,dififlux:32,difpflux:32,digit:[15,25],dim:32,dimension:0,dir:24,dirc:32,dirdegtru:32,direc:[29,32],direct:[22,27,32],directli:0,dirpw:32,dirsw:32,dirwww:32,discharg:19,disclosur:23,disk:32,dispers:32,displai:[0,16,33],display:0,dissip:32,dist:32,distinct:16,distirubt:24,distribut:0,diverg:32,divers:16,divf:20,divfn:20,divid:32,dlh:22,dlwrf:32,dm:32,dman:29,dobson:32,document:[16,20],doe:[16,24],domain:[0,23],don:16,done:16,dot:[18,29],doubl:8,dov:24,down:17,downdraft:32,download:[0,23],downward:32,dp:[20,32],dpblw:32,dpd:20,dpg:24,dpi:22,dpmsl:32,dpt:[18,20,27,32],drag:32,draw:[17,24,26,29],draw_label:[21,23,25,27,28,30],dream:16,drift:32,drop:32,droplet:32,drt:22,dry:32,dry_laps:[24,29],dsc:24,dsd:24,dskdai:32,dskint:32,dskngt:32,dsm:22,dstype:[17,21,22,27],dswrf:32,dt:[20,32],dtrf:32,dtx:24,dtype:[17,18,22,27,30],due:32,durat:32,dure:[2,21],duvb:32,dvadv:20,dvl:28,dvn:24,dwpc:24,dwuvr:32,dwww:32,dy:24,dynamicseri:[3,17,21,22,27],dz:20,dzdt:32,e28:24,e74:24,e7e7e7:27,e:[0,16,22,24,27,28,32],ea:32,each:[2,16,23,24,27,30],eas:16,easier:16,easiest:21,easili:23,east:[28,32],east_6km:20,east_pr_6km:20,eastward_wind:[22,27],eat:24,eatm:32,eax:24,echo:[25,32],echotop18:32,echotop30:32,echotop50:32,echotop60:32,ecmwf:32,econu:28,eddi:32,edex:[2,6,15,16,17,18,19,21,22,23,24,25,26,27,28,29,30,33],edex_camel:0,edex_ldm:0,edex_postgr:0,edex_url:20,edexserv:[17,19,22,27],edg:21,edgecolor:[23,26,27,30],editor:0,edu:[0,15,17,18,19,20,21,22,23,24,25,26,27,28,29,30,33],edw:24,eet:28,ef25m:32,ef50m:32,efd:28,effect:[16,32],effici:32,effict:33,efl:24,ehelx:32,ehi01:20,ehi:20,ehii:20,ehlt:32,either:[0,16,20,30,33],elcden:32,electmp:32,electr:32,electron:32,element:[6,9,20,22],elev:[23,29,32],eli:22,elif:[17,18,22,27],elon:32,elonn:32,elp:22,els:[17,18,20,22,25,26,27,30],elsct:32,elyr:32,email:33,embed:32,emeso:28,emiss:32,emit:19,emnp:32,emp:24,emploi:0,empti:18,emsp:20,enabl:[16,23],encod:32,encode_dep_v:10,encode_radi:10,encode_thresh_v:10,encourag:0,end:[0,17,22,24,27],endrang:[17,22,27],energi:32,engeri:32,engin:32,enhanc:[0,25],enl:24,ensur:0,entir:[0,23,32],entiti:[0,15],entitl:0,enumer:[23,26,28],env:[4,16,21,33],envelop:[2,4,12,16,17,18,21,23,26,27],environ:[0,2,33],environment:[0,19],eocn:32,eph:22,epot:32,epsr:32,ept:20,epta:20,eptc:20,eptgrd:20,eptgrdm:20,epv:20,epvg:20,epvt1:20,epvt2:20,equilibrium:32,equival:32,error:[0,16,20,32],esp2:20,esp:20,essenti:[16,23],estc:24,estim:32,estof:20,estpc:32,estuwind:32,estvwind:32,eta:[24,32],etal:32,etc:[0,16,18,23],etcwl:32,etot:32,etsrg:32,etss:20,euv:32,euvirr:32,euvrad:32,ev:32,evapor:32,evapotranspir:32,evapt:32,evb:32,evcw:32,evec1:32,evec2:32,evec3:32,event:19,everi:16,everyth:16,evp:32,ewatr:32,exampl:[0,2,15,16,20,21,23,24,25,28,29,30],exceed:32,except:[11,16,20,22,24,27],excess:32,exchang:[0,32],execut:0,exercis:[17,22,27],exist:[2,16,17],exit:24,exp:24,expand:16,expect:16,experienc:33,explicit:21,exten:32,extend:[16,23,25,29],extent:[19,23,28],extra:32,extrem:32,f107:32,f10:32,f1:32,f2:32,f:[17,20,21,24,29,32,33],facecolor:[19,23,26,27,28,30],facilit:0,factor:32,factori:4,factorymethod:16,fall:[23,28],fals:[1,2,21,23,25,27,28,30],familiar:16,far:22,farenheit:21,faster:16,fat:22,fc:24,fcst:[20,26],fcsthour:24,fcsthr:26,fcstrun:[15,18,20,21,24,26],fdc:28,fdr:24,featur:[19,22,23,27,28,30],feature_artist:[26,27],featureartist:[26,27],feed:0,feel:33,felt:16,few:[16,20,22,27],ff:20,ffc:24,ffg01:32,ffg03:32,ffg06:32,ffg12:32,ffg24:32,ffg:[20,32],ffmp:16,ffr01:32,ffr03:32,ffr06:32,ffr12:32,ffr24:32,ffrun:32,fgen:20,fhag:18,fhu:24,fice:32,field:[16,23,32],fig2:21,fig:[17,19,21,22,23,25,26,27,28,30],fig_synop:27,figsiz:[17,18,19,21,22,23,24,25,26,27,28,29,30],figur:[18,21,22,24,28,29],file:[0,10,16],filter:[2,20,27],filterwarn:[17,22,24,25,27],find:[2,20],fine:[16,32],finish:0,fire:[19,32],firedi:32,fireodt:32,fireolk:32,first:[9,16,19,28,30,32],fix:[20,21],fl:27,flag:29,flash:[19,32],flat:25,flatten:25,fldcp:32,flg:[22,24],flght:32,flight:32,float64:30,floatarraywrapp:16,flood:[19,32],florida:27,flow:0,flown:19,flp:24,flux:32,fmt:[22,27],fnd:20,fnmoc:20,fnvec:20,fog:28,folder:16,follow:[0,16,24,29],fontsiz:[17,22,27],forc:[32,33],forcast:20,forecast:[0,2,6,19,20,21,28,31,32,33],forecasthr:2,forecastmodel:24,forg:33,form:0,format:[0,19,20,22],foss:0,foss_cots_licens:0,found:[16,17,18,20,25,27],fpk:24,fprate:32,fractil:32,fraction:[22,27,32],frain:32,framework:[2,6],free:[0,16,32,33],freez:32,freq:32,frequenc:[19,32],frequent:16,fri:24,friction:32,fricv:32,frime:32,from:[0,2,3,16,17,18,19,20,21,22,23,25,26,27,28,29,30,32,33],fromtimestamp:22,front:0,frozen:32,frozr:32,frzr:32,fsd:[20,22],fsi:24,fsvec:20,ftr:24,full:[2,15,16,20,23,28,29],fundament:0,further:0,furthermor:16,futur:16,fvec:20,fwd:24,fwr:20,fzra1:20,fzra2:20,g001:24,g003:24,g004:24,g005:24,g007:24,g009:24,g:[16,18,24,29,32],ga:27,gage:16,gamma:20,gaug:32,gaugecorrqpe01h:32,gaugecorrqpe03h:32,gaugecorrqpe06h:32,gaugecorrqpe12h:32,gaugecorrqpe24h:32,gaugecorrqpe48h:32,gaugecorrqpe72h:32,gaugeinfindex01h:32,gaugeinfindex03h:32,gaugeinfindex06h:32,gaugeinfindex12h:32,gaugeinfindex24h:32,gaugeinfindex48h:32,gaugeinfindex72h:32,gaugeonlyqpe01h:32,gaugeonlyqpe03h:32,gaugeonlyqpe06h:32,gaugeonlyqpe12h:32,gaugeonlyqpe24h:32,gaugeonlyqpe48h:32,gaugeonlyqpe72h:32,gbound:23,gc137:32,gcbl:32,gctl:32,gdp:24,gdv:24,gempak:[17,24],gener:[2,16,26],geoax:21,geodatarecord:8,geograph:[20,33],geoid:32,geom:[15,23,24,27,30],geom_count:30,geom_typ:30,geometr:32,geometri:[2,4,8,16,17,18,23,26,27,30],geomfield:[23,27],geopotenti:32,georgia:27,geospati:16,geostationari:31,geovort:20,geow:20,geowm:20,get:[2,4,7,8,9,10,16,17,18,21,22,23,27,28,29,30],get_cloud_cov:[22,27],get_cmap:[21,23,25,26],get_data_typ:10,get_datetime_str:10,get_hdf5_data:[10,15],get_head:10,getattribut:[7,16,19],getavailablelevel:[2,12,15,18,20,25],getavailablelocationnam:[2,12,15,16,20,24,25,28,29],getavailableparamet:[2,12,15,19,20,22,25,27,28],getavailabletim:[1,2,12,15,16,18,19,20,21,24,25,26,28,29,30],getdata:16,getdatatim:[7,15,16,17,19,20,21,22,24,25,26,27,28,29,30],getdatatyp:[4,16],getenvelop:[4,16],getfcsttim:[20,24,26],getforecastrun:[2,15,18,20,21,24,26],getgeometri:[2,8,15,16,19,23,24,27,30],getgeometrydata:[2,12,15,16,17,19,20,22,23,24,27,29,30],getgriddata:[2,12,15,16,20,21,23,25,26,28],getgridgeometri:16,getgridinventori:5,getidentifi:[4,16],getidentifiervalu:[2,12,15,19,28],getlatcoord:16,getlatloncoord:[9,15,20,21,23,25,26,28],getlevel:[4,7,16,21,25],getlocationnam:[4,7,15,16,20,21,24,25,26,30],getloncoord:16,getmetarob:[2,17,27],getnotificationfilt:12,getnumb:[8,16,22,23,24,27,29],getoptionalidentifi:[2,12,28],getparamet:[8,9,16,20,21,22,24,25,28,29,30],getparmlist:5,getradarproductid:[2,25],getradarproductnam:[2,25],getrawdata:[9,15,16,20,21,23,25,26,28],getreftim:[15,18,19,20,21,24,25,26,28,29,30],getrequiredidentifi:[2,12],getselecttr:5,getsiteid:5,getsound:[6,18],getstoragerequest:16,getstr:[8,16,22,23,27,29,30],getsupporteddatatyp:[2,12,20],getsynopticob:[2,27],gettyp:[8,16],getunit:[8,9,16,20,25,29],getvalidperiod:[15,24,30],gf:[20,24],gfe:[0,4,5,16,20],gfeeditarea:20,gfegriddata:16,gflux:32,gfs1p0:20,gfs20:[18,20],gfs40:16,gh:[20,32],ght:32,ghxsm2:20,ghxsm:20,gi131:32,gi:23,git:33,github:[0,24,33],given:[3,6,20,32],gjt:22,gl:[21,23,25,27,28,30],gld:22,glm:15,glm_point:19,glmev:19,glmfl:19,glmgr:[15,19],global:[20,32],glry:24,gm:28,gmt:[19,24],gmx1:24,gnb:24,gnc:24,go:[16,20,21],goal:16,goe:[31,32],good:23,gov:24,gp:32,gpa:32,gpm:32,grab:[22,27],grad:32,gradient:32,gradp:32,graphic:0,graup:32,graupel:32,graupl:32,graviti:32,grb:22,greatest:26,green:17,grf:24,grib:[0,16,21,32],grid:[0,2,4,6,9,16,18,23,25,26,27,28,31],grid_cycl:20,grid_data:20,grid_fcstrun:20,grid_level:20,grid_loc:20,grid_param:20,grid_request:20,grid_respons:20,grid_tim:20,griddata:23,griddatafactori:16,griddatarecord:9,gridgeometry2d:16,gridlin:[19,21,23,25,26,27,28,30],grle:32,ground:[19,20,21,32],groundwat:32,group:[19,23],growth:32,gscbl:32,gsctl:32,gsgso:32,gtb:24,gtp:24,guarante:2,guidanc:32,gust:32,gv:24,gvl:24,gvv:20,gwd:32,gwdu:32,gwdv:32,gwrec:32,gyx:24,h02:24,h50above0c:32,h50abovem20c:32,h60above0c:32,h60abovem20c:32,h:[17,18,22,24,27,28,29,32],ha:[0,16,23],hag:20,hai:24,hail:32,hailprob:32,hailstorm:19,hain:32,hall:32,hand:[22,27],handl:[0,16,23],handler:[16,24],harad:32,hat:0,have:[16,20,22,27,30,33],havni:32,hazard:16,hcbb:32,hcbl:32,hcbt:32,hcdc:32,hcl:32,hcly:32,hctl:32,hdfgroup:0,hdln:30,header:0,headerformat:10,heat:32,heavi:32,hecbb:32,hecbt:32,height:[16,19,20,21,23,28,29,32],heightcompositereflect:32,heightcthgt:32,heightllcompositereflect:32,helcor:32,heli:20,helic:[20,32],heliospher:32,help:20,helper:16,hemispher:28,here:[20,21,22,24,27],hf:32,hflux:32,hfr:20,hgr:24,hgt:32,hgtag:32,hgtn:32,hh:20,hhc:28,hi1:20,hi3:20,hi4:20,hi:20,hidden:0,hide:16,hidx:20,hierarch:0,hierarchi:16,high:[0,19,32],highest:32,highlayercompositereflect:32,highli:0,hindex:32,hint:2,hlcy:32,hln:22,hmc:32,hmn:24,hodograph:[18,29],hom:24,hoo:24,hook:16,horizont:[21,23,25,26,28,32],host:[2,5,6,11,12,29],hot:22,hou:22,hour:[6,22,25,28,32],hourdiff:28,hourli:32,how:[20,21,33],howev:16,hpbl:32,hpcguid:20,hpcqpfndfd:20,hprimf:32,hr:[26,28,32],hrcono:32,hrrr:[20,26],hsclw:32,hsi:24,hstdv:32,hsv:22,htfl:32,htgl:32,htman:29,htsgw:32,htslw:32,http:[0,24,33],htx:32,huge:16,humid:32,humidi:32,hurrican:19,hy:24,hybl:32,hybrid:[15,25,32],hydro:16,hydrometeor:25,hyr:24,hz:32,i:[0,16,20,23,26,27,28],ic:32,icaht:32,icao:[16,32],icc:24,icec:32,iceg:32,icetk:32,ici:32,icib:32,icip:32,icit:32,icmr:32,icon:0,icprb:32,icsev:32,ict:22,icwat:32,id:[16,22,23,28,29],ida:22,idata:16,idatafactori:16,idatarequest:[2,14,16],idatastor:16,idd:0,ideal:16,identifi:[2,4,16,21,22,28],identifierkei:[2,12],idetifi:2,idra:[10,15],idrl:32,ierl:32,if1rl:32,if2rl:32,ifpclient:14,igeometrydata:[2,16],igeometrydatafactori:16,igeometryfactori:16,igeometryrequest:16,igm:24,ignor:[2,16,17,22,24,25,27],igriddata:[2,16],igriddatafactori:16,igridfactori:16,igridrequest:16,ihf:16,ii:26,iintegr:32,il:24,iliqw:32,iln:24,ilw:32,ilx:24,imag:[0,15,21,28],imageri:[0,20,26,31,32],imftsw:32,imfww:32,immedi:2,impact:19,implement:[0,2],implent:16,improv:16,imt:24,imwf:32,inc:[18,26],inch:[22,26,27,32],includ:[0,3,16,19,24,33],inclus:29,incompatiblerequestexcept:16,incorrectli:21,increas:21,increment:[16,18,24,29],ind:22,independ:0,index:[14,28,32],indic:[2,16,32],individu:[16,32],influenc:32,info:16,inform:[0,2,19,20],infrar:32,ingest:[0,16],ingestgrib:0,inhibit:32,init:0,initi:[2,29,32],ink:24,inlin:[17,18,19,22,23,24,25,26,27,28,29,30],inloc:[23,27],input:21,ins:16,inset_ax:[18,24,29],inset_loc:[18,24,29],insid:[16,23],inst:25,instal:0,instanc:[2,6,20],instantan:32,instanti:16,instead:16,instrr:32,instruct:33,instrument:19,inteflux:32,integ:[22,25,27,32],integr:32,intens:[15,19,32],inter:0,interact:16,interest:[20,31,32,33],interfac:[0,32],intern:2,internet:0,interpol:29,interpret:[16,21],intersect:[23,30],interv:32,intfd:32,intiflux:32,intpflux:32,inv:20,invers:32,investig:20,invok:0,iodin:32,ion:32,ionden:32,ionospher:32,iontmp:32,iplay:20,iprat:32,ipx:24,ipython3:25,ir:[28,32],irband4:32,irradi:32,isbl:32,isentrop:32,iserverrequest:16,isobar:[18,32],isol:0,isotherm:[18,24,29,32],issu:[30,33],item:[17,29],its:[0,16,20],itself:[0,16],izon:32,j:[24,26,32],jack:24,jan:22,java:[0,24],javadoc:16,jax:22,jdn:24,jep:16,jj:26,join:18,jupyt:33,just:[20,33],jvm:16,k0co:22,k40b:24,k9v9:24,k:[20,21,22,24,29,32],kabe:24,kabi:24,kabq:[22,24],kabr:24,kaci:24,kack:24,kact:24,kacv:[22,24],kag:24,kagc:24,kahn:24,kai:24,kak:24,kal:24,kalb:24,kali:24,kalo:24,kalw:24,kama:24,kan:24,kanb:24,kand:24,kaoo:24,kapa:24,kapn:24,kart:24,kase:24,kast:24,kati:24,katl:[22,24],kau:24,kaug:24,kauw:24,kavl:24,kavp:24,kaxn:24,kazo:24,kbaf:24,kbce:24,kbde:[22,24],kbdg:22,kbdl:24,kbdr:24,kbed:24,kbfd:24,kbff:24,kbfi:24,kbfl:24,kbgm:24,kbgr:24,kbhb:24,kbhm:24,kbi:[22,24],kbih:24,kbil:[22,24],kbjc:24,kbji:24,kbke:24,kbkw:24,kblf:24,kblh:24,kbli:24,kbml:24,kbna:24,kbno:24,kbnv:24,kbo:[22,24],kboi:[22,24],kbpt:24,kbqk:24,kbrd:24,kbrl:24,kbro:[22,24],kbtl:24,kbtm:24,kbtr:24,kbtv:24,kbuf:24,kbui:22,kbur:24,kbvi:24,kbvx:24,kbvy:24,kbwg:24,kbwi:24,kbyi:24,kbzn:24,kcae:24,kcak:24,kcar:[22,24],kcd:24,kcdc:24,kcdr:24,kcec:24,kcef:24,kcgi:24,kcgx:24,kch:[22,24],kcha:24,kchh:24,kcho:24,kcid:24,kciu:24,kckb:24,kckl:24,kcle:[22,24],kcll:24,kclm:24,kclt:[22,24],kcmh:24,kcmi:24,kcmx:24,kcnm:24,kcnu:24,kco:24,kcod:24,kcoe:[22,24],kcon:24,kcou:24,kcpr:[22,24],kcre:24,kcrp:24,kcrq:24,kcrw:[22,24],kcsg:24,kcsv:24,kctb:24,kcvg:24,kcwa:24,kcy:24,kdab:24,kdag:24,kdai:24,kdal:24,kdan:24,kdbq:24,kdca:24,kddc:24,kdec:24,kden:24,kdet:24,kdfw:[22,24],kdhn:24,kdht:24,kdik:24,kdl:24,kdlh:[22,24],kdmn:24,kdpa:24,kdra:24,kdro:24,kdrt:[22,24],kdsm:[22,24],kdtw:24,kdug:24,kduj:24,keat:24,keau:24,kecg:24,keed:24,kege:24,kei:[4,6,7,16],kekn:24,keko:24,kel:24,keld:24,keli:[22,24],kelm:24,kelo:24,kelp:[22,24],kelvin:[18,21,27],keng:32,kenv:24,keph:[22,24],kepo:24,kepz:24,keri:24,kesf:24,keug:24,kevv:24,kewb:24,kewn:24,kewr:24,keyw:24,kfai:24,kfam:24,kfar:[22,24],kfat:[22,24],kfca:24,kfdy:24,kfkl:24,kflg:[22,24],kfll:24,kflo:24,kfmn:24,kfmy:24,kfnt:24,kfoe:24,kfpr:24,kfrm:24,kfsd:[22,24],kfsm:24,kft:32,kftw:24,kfty:24,kfve:24,kfvx:24,kfwa:24,kfxe:24,kfyv:24,kg:[24,25,32],kgag:24,kgcc:24,kgck:24,kgcn:24,kgeg:24,kgfk:24,kgfl:24,kggg:24,kggw:24,kgjt:[22,24],kgl:24,kgld:[22,24],kglh:24,kgmu:24,kgnr:24,kgnv:24,kgon:24,kgpt:24,kgrb:[22,24],kgri:24,kgrr:24,kgso:24,kgsp:24,kgtf:24,kguc:24,kgup:24,kgwo:24,kgyi:24,kgzh:24,khat:24,khbr:24,khdn:24,khib:24,khio:24,khky:24,khlg:24,khln:[22,24],khob:24,khon:24,khot:[22,24],khou:[22,24],khpn:24,khqm:24,khrl:24,khro:24,khsv:[22,24],kht:24,khth:24,khuf:24,khul:24,khut:24,khvn:24,khvr:24,khya:24,ki:[20,28],kiad:24,kiag:24,kiah:24,kict:[22,24],kida:[22,24],kil:24,kilg:24,kilm:24,kind:[20,22,24,32],kinect:32,kinet:32,kink:24,kinl:24,kint:24,kinw:24,kipl:24,kipt:24,kisn:24,kisp:24,kith:24,kiwd:24,kjac:24,kjan:[22,24],kjax:[22,24],kjbr:24,kjfk:24,kjhw:24,kjkl:24,kjln:24,kjm:24,kjst:24,kjxn:24,kkl:24,kla:24,klaf:24,klan:24,klar:24,klax:[22,24],klbb:[22,24],klbe:24,klbf:[22,24,29],klcb:24,klch:24,kleb:24,klex:[22,24],klfk:24,klft:24,klga:24,klgb:24,klgu:24,klit:24,klmt:[22,24],klnd:24,klnk:[22,24],klol:24,kloz:24,klrd:24,klse:24,klsv:22,kluk:24,klv:24,klw:24,klwb:24,klwm:24,klwt:24,klyh:24,klzk:24,km:32,kmaf:24,kmb:24,kmcb:24,kmce:24,kmci:24,kmcn:24,kmco:24,kmcw:24,kmdn:24,kmdt:24,kmdw:24,kmei:24,kmem:[22,24],kmfd:24,kmfe:24,kmfr:24,kmgm:24,kmgw:24,kmhe:24,kmhk:24,kmht:24,kmhx:[15,24,25],kmhx_0:25,kmia:[22,24],kmiv:24,kmkc:24,kmke:24,kmkg:24,kmkl:24,kml:24,kmlb:24,kmlc:24,kmlf:22,kmli:24,kmlp:22,kmlt:24,kmlu:24,kmmu:24,kmob:[22,24],kmot:24,kmpv:24,kmqt:24,kmrb:24,kmry:24,kmsl:24,kmsn:24,kmso:[22,24],kmsp:[22,24],kmss:24,kmsy:[22,24],kmtj:24,kmtn:24,kmwh:24,kmyr:24,kna:24,knes1:32,knew:24,knl:24,knot:[18,22,24,27,29],know:[16,21],known:[0,33],knsi:24,knyc:22,knyl:22,ko:[29,32],koak:24,kofk:24,kogd:24,kokc:[22,24],kolf:22,koli:22,kolm:24,koma:24,kont:24,kopf:24,koqu:24,kord:[22,24],korf:24,korh:24,kosh:24,koth:[22,24],kotm:24,kox:32,kp11:24,kp38:24,kpa:32,kpae:24,kpah:24,kpbf:24,kpbi:24,kpdk:24,kpdt:[22,24],kpdx:[22,24],kpfn:24,kpga:24,kphf:24,kphl:[22,24],kphn:24,kphx:[22,24],kpia:24,kpib:24,kpie:24,kpih:[22,24],kpir:24,kpit:[22,24],kpkb:24,kpln:24,kpmd:24,kpn:24,kpnc:24,kpne:24,kpou:24,kpqi:24,kprb:24,kprc:24,kpsc:24,kpsm:[22,24],kpsp:24,kptk:24,kpub:24,kpuw:22,kpvd:24,kpvu:24,kpwm:24,krad:24,krap:[22,24],krbl:24,krdd:24,krdg:24,krdm:[22,24],krdu:24,krf:20,krfd:24,kric:[22,24],kriw:24,krk:24,krkd:24,krno:[22,24],krnt:24,kroa:24,kroc:24,krow:24,krsl:24,krst:24,krsw:24,krum:24,krut:22,krwf:24,krwi:24,krwl:24,ksac:24,ksaf:24,ksan:24,ksat:[22,24],ksav:24,ksba:24,ksbn:24,ksbp:24,ksby:24,ksch:24,ksck:24,ksdf:24,ksdm:24,ksdy:24,ksea:[22,24],ksep:24,ksff:24,ksfo:[22,24],ksgf:24,ksgu:24,kshr:24,kshv:[22,24],ksjc:24,ksjt:24,kslc:[22,24],ksle:24,kslk:24,ksln:24,ksmf:24,ksmx:24,ksn:24,ksna:24,ksp:24,kspi:24,ksrq:24,kssi:24,kst:24,kstj:24,kstl:24,kstp:24,ksu:24,ksun:24,ksux:24,ksve:24,kswf:24,ksyr:[22,24],ktc:24,ktcc:24,ktcl:24,kteb:24,ktiw:24,ktlh:[22,24],ktmb:24,ktol:24,ktop:24,ktpa:[22,24],ktph:24,ktri:24,ktrk:24,ktrm:24,kttd:24,kttf:22,kttn:24,ktu:24,ktul:24,ktup:24,ktvc:24,ktvl:24,ktwf:24,ktxk:24,kty:24,ktyr:24,kuca:24,kuil:22,kuin:24,kuki:24,kunv:[22,24],kurtosi:32,kvct:24,kvel:24,kvih:22,kvld:24,kvny:24,kvrb:24,kwarg:[2,12],kwjf:24,kwmc:[22,24],kwrl:24,kwy:24,kx:32,ky22:24,ky26:24,kykm:24,kykn:24,kyng:24,kyum:24,kzzv:24,l1783:24,l:[18,20,24,28,29,32],la:27,laa:24,label:21,lai:32,lake:22,lambda:32,lambertconform:[17,22,27],lamp2p5:20,land:[22,30,32],landn:32,landu:32,languag:16,lap:24,lapp:32,lapr:32,laps:32,larg:[23,32],last:[17,20,22,30],lasthourdatetim:[17,22,27],lat:[2,6,9,15,16,17,18,20,21,23,25,26,27,28],latent:32,later:[22,27,30],latest:[2,18,28],latitud:[16,17,18,21,22,27,32],latitude_formatt:[19,21,23,25,26,27,28,30],latlondeleg:9,latlongrid:9,lauv:32,lavni:32,lavv:32,lax:22,layer:[16,20,25,32],layth:32,lazi:2,lazygridlatlon:12,lazyloadgridlatlon:[2,12],lbb:22,lbf:22,lbslw:32,lbthl:32,lby:24,lcbl:32,lcdc:32,lcl:[24,29],lcl_pressur:29,lcl_temperatur:29,lcly:32,lctl:32,lcy:32,ldadmesonet:16,ldl:24,ldmd:0,lead:21,leaf:32,left:29,leftov:2,legendr:32,len:[17,18,21,23,25,27,28,30],length:[30,32],less:[16,18],let:[16,21],level3:31,level:[0,2,4,6,7,12,16,18,21,23,24,25,29,31,32],levelreq:18,lex:22,lftx:32,lhtfl:32,lhx:24,li:[20,28],lib:21,librari:21,lic:24,lift:[28,32],light:[19,32],lightn:[31,32],lightningdensity15min:32,lightningdensity1min:32,lightningdensity30min:32,lightningdensity5min:32,lightningprobabilitynext30min:32,like:[3,16,20],limb:32,limit:[2,16,27],line:[16,18,24,29],linestyl:[18,23,24,27,28,29],linewidth:[18,22,23,24,26,27,29],linux:0,lipmf:32,liq:25,liquid:32,liqvsm:32,lisfc2x:20,list:[2,4,6,7,8,16,18,19,24,25,28],ll:[20,21,33],llcompositereflect:32,llsm:32,lltw:32,lm5:20,lm6:20,lmbint:32,lmbsr:32,lmh:32,lmt:22,lmv:32,ln:32,lnk:22,lo:32,load:2,loam:32,loc:[18,24,29],local:[0,16],localhost:12,locap:20,locat:[2,4,7,16,17,19,21,23,29],locationfield:[23,27],locationnam:[2,4,12,16,21],log10:32,log:[0,24,29,32],logger:0,logic:21,logp:29,lon:[2,6,9,15,16,17,18,20,21,23,25,26,27,28],longitud:[16,17,18,21,22,27,32],longitude_formatt:[19,21,23,25,26,27,28,30],look:[16,20,21,23],lookup:16,loop:30,lopp:32,lor:24,louisiana:27,louv:32,lovv:32,low:[28,32],lower:[28,32],lowest:32,lowlayercompositereflect:32,lp:32,lpmtf:32,lrghr:32,lrgmr:32,lrr:24,lsclw:32,lsf:24,lsoil:32,lspa:32,lsprate:32,lssrate:32,lssrwe:32,lst:28,lsv:22,lswp:32,ltng:32,lu:24,lvl:[18,20],lvm:24,lw1:24,lwavr:32,lwbz:32,lwhr:32,lwrad:32,m2:32,m2spw:32,m6:32,m:[17,18,22,24,25,27,28,29,32],ma:23,mac:[0,24],macat:32,mactp:32,made:16,madv:20,magnet:32,magnitud:[18,32],mai:[0,16,21,27,33],main:[0,16,32],maintain:16,maip:32,majorriv:23,make:[16,21,27],make_map:[23,25,26,27,28,30],maketim:13,man_param:29,manag:[0,16,33],mandatori:29,mangeo:29,mani:[21,27],manifest:16,manipul:[0,16,21],manner:16,manual:24,map:[16,20,22,26,27,28,31,32],mapdata:[23,27],mapgeometryfactori:16,mapper:[31,32],marker:[19,23,26],markerfacecolor:29,mask:[17,27,32],masked_invalid:23,mass:32,match:[2,16],math:[18,24,29],mathemat:16,matplotlib:[17,18,19,21,22,23,24,25,26,27,28,29,30],matplotplib:23,matter:32,max:[17,18,21,23,24,25,26,28,29,32],maxah:32,maxdvv:32,maxept:20,maximum:[23,26,32],maxref:32,maxrh:32,maxuvv:32,maxuw:32,maxvw:32,maxw:32,maxwh:32,maz:24,mb:[18,20,29,32],mbar:[22,24,27,29],mcbl:32,mcdc:32,mcida:28,mcly:32,mcon2:20,mcon:20,mconv:32,mctl:32,mcy:32,mdpc:24,mdpp:24,mdsd:24,mdst:24,mean:[16,32],measur:19,mecat:32,mectp:32,medium:32,mei:32,melbrn:32,melt:[25,32],mem:22,memori:16,merg:32,merged_counti:23,mergedazshear02kmagl:32,mergedazshear36kmagl:32,mergedbasereflect:32,mergedbasereflectivityqc:32,mergedreflectivityatlowestaltitud:32,mergedreflectivitycomposit:32,mergedreflectivityqccomposit:32,mergedreflectivityqcomposit:32,mergesound:24,meridion:32,mesh:32,meshtrack120min:32,meshtrack1440min:32,meshtrack240min:32,meshtrack30min:32,meshtrack360min:32,meshtrack60min:32,mesocyclon:25,messag:[0,16],met:[2,16],metadata:0,metar:[2,16,17,31],meteorolog:[0,33],meteosat:28,meter:[20,21,23],method:[2,16,20],metpi:[17,18,23,26,27,29,31],metr:32,mf:16,mflux:32,mflx:32,mg:32,mgfl:24,mggt:24,mght:24,mgpb:24,mgsj:24,mham:24,mhca:24,mhch:24,mhlc:24,mhle:24,mhlm:24,mhnj:24,mhpl:24,mhro:24,mhsr:24,mhte:24,mhtg:24,mhyr:24,mia:22,mib:24,microburst:19,micron:[28,32],mid:32,middl:32,mie:24,might:[2,20,33],min:[17,18,21,23,25,26,28,32],mind:16,minept:20,miniconda3:21,minim:32,minimum:[23,32],minrh:32,minut:[17,27,28],miscellan:28,miss:[27,29],missing200:32,mississippi:27,mix1:20,mix2:20,mix:[24,32],mixht:32,mixl:32,mixli:32,mixr:32,mixrat:20,mkj:24,mkjp:24,mld:24,mlf:22,mllcl:20,mlp:22,mlyno:32,mm:[20,32],mma:24,mmaa:24,mmag:20,mmbt:24,mmc:24,mmce:24,mmcl:24,mmcn:24,mmcu:24,mmcv:24,mmcz:24,mmdo:24,mmgl:24,mmgm:24,mmho:24,mmlp:24,mmma:24,mmmd:24,mmml:24,mmmm:24,mmmt:24,mmmx:24,mmmy:24,mmmz:24,mmnl:24,mmp:20,mmpr:24,mmrx:24,mmsd:24,mmsp:24,mmtc:24,mmtj:24,mmtm:24,mmto:24,mmtp:24,mmun:24,mmvr:24,mmzc:24,mmzh:24,mmzo:24,mnmg:24,mnpc:24,mnt3hr:20,mnt6hr:20,mntsf:32,mob:22,moddelsound:16,model:[6,20,21,28,31,32],modelheight0c:32,modelnam:[6,16,18],modelsound:[14,18,20,24],modelsurfacetemperatur:32,modelwetbulbtemperatur:32,moder:32,modern:0,modifi:[0,16],moisten:32,moistur:32,moisutr:24,momentum:32,monoton:21,montgomeri:32,mor:24,more:[16,20,21],mosaic:32,most:[0,16,20,21,29,32],motion:32,mountain:32,mountainmapperqpe01h:32,mountainmapperqpe03h:32,mountainmapperqpe06h:32,mountainmapperqpe12h:32,mountainmapperqpe24h:32,mountainmapperqpe48h:32,mountainmapperqpe72h:32,move:16,mpbo:24,mpch:24,mpda:24,mpl:[19,21,23,25,26,27,28,30],mpl_toolkit:[18,24,29],mpmg:24,mpsa:24,mpto:24,mpv:20,mpx:24,mr:24,mrch:24,mrcono:32,mrf:[22,24],mrlb:24,mrlm:24,mrm:20,mrms_0500:20,mrms_1000:20,mrmsvil:32,mrmsvildens:32,mroc:24,mrpv:24,ms:27,msac:24,msfdi:20,msfi:20,msfmi:20,msg:20,msgtype:19,msl:[20,32],mslet:32,mslp:[24,32],mslpm:32,mso:22,msp:22,msr:20,msss:24,mstav:32,msy:22,mtch:24,mtha:32,mthd:32,mthe:32,mtht:32,mtl:24,mtpp:24,mtri:[24,29],mtv:[20,24],mty:24,muba:24,mubi:24,muca:24,mucap:20,mucl:24,mucm:24,mucu:24,mugm:24,mugt:24,muha:24,multi:2,multi_value_param:[22,27],multilinestr:23,multipl:[0,16,20,27],multipolygon:[15,23,27,30],mumo:24,mumz:24,mung:24,must:[2,3,16,24],muvr:24,muvt:24,mwcr:24,mwsl:32,mwsper:32,mxsalb:32,mxt3hr:20,mxt6hr:20,mxuphl:32,myb:24,myeg:24,mygf:24,mygw:24,myl:24,mynn:24,mzbz:24,mzptsw:32,mzpww:32,mzt:24,mzwper:32,n0r:28,n1p:28,n:[23,24,29,32],nam12:20,nam40:[18,20,26],nam:[18,24],name:[0,2,4,5,7,8,16,18,23,25,27,28,29,30],nan:[17,22,25,27,28,29],nanmax:25,nanmin:25,nation:[0,33],nativ:[2,3,16],natur:32,naturalearthfeatur:[23,28,30],navgem0p5:20,nbdsf:32,nbe:20,nbsalb:32,ncep:24,ncip:32,nck:24,ncoda:20,ncp:0,ncpcp:32,ndarrai:25,nddsf:32,ndvi:32,nearest:32,necessari:16,need:[2,16,20,21,33],neighbor:32,neither:32,nesdi:28,net:32,netcdf:0,neutral:32,neutron:32,newdatarequest:[2,12,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30],newhostnam:2,nexrad3:2,nexrad:31,nexrad_data:25,nexrcomp:28,next:[22,27,30,32],ngx:24,nh:28,nhk:24,nid:24,night:[19,32],nkx:24,nlat:32,nlatn:32,nlgsp:32,nlwr:32,nlwrc:32,nlwrf:32,nlwrt:32,noa:24,noaa:24,noaaport:24,nohrsc:20,nomin:[20,32],non:[32,33],none:[2,5,6,7,9,12,21,22,23,26,27,28,30,32],normal:[28,32],normalis:32,north:[17,22],northern:28,northward_wind:[22,27],note:[16,18,20,21,32],notebook:[17,18,19,22,23,24,25,26,27,28,29,30,33],notif:0,now:[20,26,27,30],np:[17,18,19,22,23,24,25,26,27,28,29,30],npixu:32,npoess:28,nru:24,nsharp:24,nsof:28,nst1:20,nst2:20,nst:20,nswr:32,nswrf:32,nswrfc:32,nswrt:32,ntat:[20,32],ntd:24,ntmp:24,ntp:28,ntrnflux:32,nuc:32,number:[0,8,16,21,23,30,32],numer:[2,32],nummand:29,nummwnd:29,numpi:[9,15,16,17,18,19,22,23,24,25,26,27,28,29,30],numsigt:29,numsigw:29,numtrop:29,nw:[20,22,24,27],nwsalb:32,nwstr:32,nx:[9,12],ny:[9,12],nyc:22,nyl:22,o3mr:32,o:24,ob:[2,4,15,16,17,19,20,23,24,29,30,31],obil:32,object:[2,3,4,6,16,23,29],obml:32,observ:[0,17,22],observs:27,obsgeometryfactori:16,ocean:[22,32],oct:19,off:[0,21],offer:20,offset:[16,23],offsetstr:28,often:16,ohc:32,oitl:32,okai:21,okc:22,olf:22,oli:22,olyr:32,om:24,omega:[24,32],omgalf:32,oml:32,omlu:32,omlv:32,onc:[16,20],one:[16,20,21],onli:[0,2,4,20,32],onlin:20,onset:32,op:23,open:[0,16,32,33],oper:[0,19,33],opt:21,option:[2,6,16,20,28],orang:[17,23],orbit:19,ord:22,order:[18,21,32,33],org:0,orient:[21,23,25,26,28],orn:20,orographi:32,orthograph:19,os:0,osd:32,oseq:32,oth:22,other:[0,16,20,23,28],otherwis:2,our:[18,20,21,23,26,27,28,30,33],ourselv:24,out:[2,16,20,22,27,33],outlook:32,output:20,outsid:16,ovc:[22,27],over:[24,32],overal:32,overhead:2,own:[0,16],ozcat:32,ozcon:32,ozmax1:32,ozmax8:32,ozon:[28,32],p2omlt:32,p3hr:20,p6hr:20,p:[20,24,28,29,32],pa:[24,32],pacakg:33,packag:[0,16,20,21,23],padv:20,page:23,pai:18,pair:[3,6,17],palt:32,parallel:32,param1:20,param2:20,param3:20,param:[4,8,16,17,20,22,27],paramet:[2,4,6,8,9,12,16,18,21,27,29,30,31],parameter:32,parameterin:32,paramt:24,parcal:32,parcali:32,parcel:[29,32],parcel_profil:[24,29],parm:[18,20,24,30],parm_arrai:29,parmid:5,part:[0,16],particl:32,particul:32,particular:[2,16],pass:[3,16,27],past:32,path:0,pbe:20,pblr:32,pblreg:32,pcbb:32,pcbt:32,pcolormesh:[25,26,28],pcp:32,pcpn:32,pctp1:32,pctp2:32,pctp3:32,pctp4:32,pd:[15,30],pdf:0,pdly:32,pdmax1:32,pdmax24:32,pdt:22,pdx:22,peak:32,peaked:32,pec:20,pecbb:32,pecbt:32,pecif:16,pedersen:32,pellet:32,per:32,percent:[28,32],perform:[2,3,6,16,18],period:[24,30,32],perpendicular:32,perpw:32,person:0,perspect:0,persw:32,pertin:16,pevap:32,pevpr:32,pfrezprec:32,pfrnt:20,pfrozprec:32,pgrd1:20,pgrd:20,pgrdm:20,phase:[25,32],phenomena:19,phensig:[15,30],phensigstr:30,phl:22,photar:32,photospher:32,photosynthet:32,phx:22,physic:32,physicalel:28,pick:20,pid:5,piec:[0,16],pih:22,pirep:[16,20],pit:22,piva:20,pixel:32,pixst:32,plai:21,plain:32,plan:16,planetari:32,plant:32,platecarre:[17,19,21,22,23,25,26,27,28,30],plbl:32,pleas:[21,33],pli:32,plot:[18,19,20,23,24,25,29,30],plot_barb:[18,24,29],plot_colormap:[18,24,29],plot_dry_adiabat:18,plot_mixing_lin:18,plot_moist_adiabat:18,plot_paramet:17,plot_text:22,plpl:32,plsmden:32,plt:[17,18,19,21,22,23,24,25,26,27,28,29,30],plu:32,plug:16,plugin:[24,29],plugindataobject:16,pluginnam:16,pm:32,pmaxwh:32,pmtc:32,pmtf:32,pname:23,poe:28,point:[15,16,17,18,19,20,23,24,26,32],pointdata:16,poli:[15,30],polit:23,political_boundari:[23,30],pollut:32,polygon:[15,16,17,18,23,26,27,31],pop:[23,32],popul:[16,20,23],populatedata:16,poro:32,poros:32,port:[5,11],posh:32,post:0,postgr:[0,23],pot:[20,32],pota:20,potenti:32,power:[16,28],poz:32,pozo:32,pozt:32,ppan:32,ppb:32,ppbn:32,ppbv:32,ppert:32,pperww:32,ppffg:32,ppnn:32,ppsub:32,pr:[20,24,32],practicewarn:20,prate:32,pratmp:32,prcp:32,pre:32,preced:16,precip:[25,31,32],precipit:[22,25,26,27,28,32],precipr:32,preciptyp:32,predomin:32,prepar:[16,22],prepend:22,pres_weath:[22,27],presa:32,presd:32,presdev:32,present:0,present_weath:[22,27],presn:32,pressur:[18,24,28,29,32],presur:32,presweath:[2,22,27],previou:21,previous:[23,33],primari:[0,32],print:[15,17,18,19,20,21,22,23,24,25,26,27,28,30],print_funct:23,prior:32,prman:29,prmsl:32,prob:32,probabilityse:32,probabl:32,process:[0,2,16],processor:0,procon:32,prod:25,produc:21,product:[0,2,15,16,17,24,25,32],productid:25,productnam:25,prof:29,profil:[0,16,20,24,29],prog_disc:23,prognam:5,program:[0,33],progress:23,proj:[22,27],project:[16,17,19,21,22,23,25,26,27,28,30],properti:28,proport:32,propos:32,proprietari:0,protden:32,proton:32,prottmp:32,provid:[0,2,16,23,33],prp01h:32,prp03h:32,prp06h:32,prp12h:32,prp24h:32,prp30min:32,prpmax:32,prptmp:32,prregi:28,prsig:29,prsigsv:32,prsigsvr:32,prsigt:29,prsvr:32,ps:29,pseudo:32,psfc:32,psm:22,psql:0,psu:32,ptan:32,ptbn:32,ptend:32,ptnn:32,ptor:32,ptr:20,ptva:20,ptyp:20,ptype:32,pull:22,pulsecount:19,pulseindex:19,pure:16,purpl:17,put:[22,27],puw:22,pv:[20,32],pveq:20,pvl:32,pvmww:32,pvort:32,pw2:20,pw:[20,28,32],pwat:32,pwc:32,pwcat:32,pwper:32,pwther:32,py:[16,21,33],pydata:14,pygeometrydata:14,pygriddata:[14,21,23],pyjobject:16,pyplot:[17,18,19,21,22,23,24,25,26,27,28,29,30],python3:[21,33],python:[0,2,3,16,20,21,22,23,27,28,30],q:[24,32],qdiv:20,qmax:32,qmin:32,qnvec:20,qpe01:32,qpe01_acr:32,qpe01_alr:32,qpe01_fwr:32,qpe01_krf:32,qpe01_msr:32,qpe01_orn:32,qpe01_ptr:32,qpe01_rha:32,qpe01_rsa:32,qpe01_str:32,qpe01_tar:32,qpe01_tir:32,qpe01_tua:32,qpe06:32,qpe06_acr:32,qpe06_alr:32,qpe06_fwr:32,qpe06_krf:32,qpe06_msr:32,qpe06_orn:32,qpe06_ptr:32,qpe06_rha:32,qpe06_rsa:32,qpe06_str:32,qpe06_tar:32,qpe06_tir:32,qpe06_tua:32,qpe24:32,qpe24_acr:32,qpe24_alr:32,qpe24_fwr:32,qpe24_krf:32,qpe24_msr:32,qpe24_orn:32,qpe24_ptr:32,qpe24_rha:32,qpe24_rsa:32,qpe24_str:32,qpe24_tar:32,qpe24_tir:32,qpe24_tua:32,qpe:32,qpeffg01h:32,qpeffg03h:32,qpeffg06h:32,qpeffgmax:32,qpf06:32,qpf06_acr:32,qpf06_alr:32,qpf06_fwr:32,qpf06_krf:32,qpf06_msr:32,qpf06_orn:32,qpf06_ptr:32,qpf06_rha:32,qpf06_rsa:32,qpf06_str:32,qpf06_tar:32,qpf06_tir:32,qpf06_tua:32,qpf24:32,qpf24_acr:32,qpf24_alr:32,qpf24_fwr:32,qpf24_krf:32,qpf24_msr:32,qpf24_orn:32,qpf24_ptr:32,qpf24_rha:32,qpf24_rsa:32,qpf24_str:32,qpf24_tar:32,qpf24_tir:32,qpf24_tua:32,qpidd:0,qpv1:20,qpv2:20,qpv3:20,qpv4:20,qq:32,qrec:32,qsvec:20,qualiti:32,quantit:32,queri:[0,16,18,23],queue:0,quit:20,qvec:20,qz0:32,r:[16,18,19,24,29,32],rad:32,radar:[0,2,4,10,16,20,31,32],radar_spati:20,radarcommon:[14,15],radargridfactori:16,radaronlyqpe01h:32,radaronlyqpe03h:32,radaronlyqpe06h:32,radaronlyqpe12h:32,radaronlyqpe24h:32,radaronlyqpe48h:32,radaronlyqpe72h:32,radarqualityindex:32,radi:32,radial:[10,32],radianc:32,radiat:32,radio:32,radioact:32,radiu:32,radt:32,rage:32,rai:32,rain1:20,rain2:20,rain3:20,rain:[28,32],rainbow:[21,25,26],rainfal:[26,32],rais:[3,18],rala:32,rang:[16,19,22,25,27,32],rap13:[15,20,21],rap:22,raster:10,rate:[25,28,32],rather:18,ratio:[24,32],raw:[16,21,32],raytheon:[0,16,17,21,22,27],raza:32,rc:[0,32],rcparam:[18,22,24,29],rcq:32,rcsol:32,rct:32,rdlnum:32,rdm:22,rdrip:32,rdsp1:32,rdsp2:32,rdsp3:32,re:[0,16,20],reach:33,read:[0,20,21],readabl:0,readi:[0,20],real:30,reason:16,rec:25,receiv:0,recent:[21,29],recharg:32,record:[10,16,17,18,22,23,27,29,30],rectangular:[4,16],recurr:32,red:[0,17,19,21],reduc:[16,32],reduct:32,ref:[15,16,30],refc:32,refd:32,refer:[2,4,16,20,23,24,32],refl:[15,25],reflect:[0,25,32],reflectivity0c:32,reflectivityatlowestaltitud:32,reflectivitym10c:32,reflectivitym15c:32,reflectivitym20c:32,reflectivitym5c:32,reftim:[2,24,30],reftimeonli:[1,2,12],refzc:32,refzi:32,refzr:32,regardless:16,regim:32,region:[31,32],registri:16,rel:[25,32],relat:0,reld:32,releas:[0,33],relev:20,relv:32,remain:0,remot:32,render:[0,23,28],replac:[16,18],reporttyp:24,repres:[3,16],represent:3,req:16,request:[0,1,2,4,5,6,11,12,15,17,18,19,22,24,25,26,27,28,29,30,33],requir:[0,2,16,23],resist:32,resolut:[17,19,21,23,25,26,28],resourc:[20,31],respect:[16,21,32],respons:[2,15,17,19,21,22,23,24,25,26,27,28,29,30],rest:[16,27],result:16,retop:32,retriev:[0,4,6,29],retrofit:16,rev:32,review:[0,16],rfl06:32,rfl08:32,rfl16:32,rfl39:32,rh:[20,24,32],rh_001_bin:20,rh_002_bin:20,rha:20,rhpw:32,ri:32,ric:22,richardson:32,right:0,right_label:[21,23,25,27,28,30],rime:32,risk:32,river:16,rlyr:32,rm5:20,rm6:20,rmix:24,rmprop2:20,rmprop:20,rno:22,ro:20,root:32,rotat:[18,32],rotationtrackll120min:32,rotationtrackll1440min:32,rotationtrackll240min:32,rotationtrackll30min:32,rotationtrackll360min:32,rotationtrackll60min:32,rotationtrackml120min:32,rotationtrackml1440min:32,rotationtrackml240min:32,rotationtrackml30min:32,rotationtrackml360min:32,rotationtrackml60min:32,rough:32,round:29,rout:16,royalblu:17,rprate:32,rpttype:29,rqi:32,rrqpe:28,rsa:20,rsmin:32,rssc:32,rtma:20,rtof:20,run:[0,2,16,18,20,21,33],runoff:32,runtim:2,runtimewarn:[17,22,24,25,27],rut:22,rv:20,rwmr:32,s:[16,17,18,20,21,22,24,26,27,28,32,33],salbd:32,salin:32,salt:32,salti:32,same:[3,16,23,27,28],sampl:[6,23],samplepoint:6,sat:[22,32],satd:32,satellit:[0,16,20,31],satellitefactori:16,satellitefactoryregist:16,satellitegriddata:16,satellitegridfactori:16,satosm:32,satur:32,save:[0,16],savefig:22,sbc123:32,sbc124:32,sbsalb:32,sbsno:32,sbt112:32,sbt113:32,sbt114:32,sbt115:32,sbt122:32,sbt123:32,sbt124:32,sbt125:32,sbta1610:32,sbta1611:32,sbta1612:32,sbta1613:32,sbta1614:32,sbta1615:32,sbta1616:32,sbta167:32,sbta168:32,sbta169:32,sbta1710:32,sbta1711:32,sbta1712:32,sbta1713:32,sbta1714:32,sbta1715:32,sbta1716:32,sbta177:32,sbta178:32,sbta179:32,sc:[27,32],scalb:32,scale:[21,23,28,30,32],scan:[0,15,25,32],scarter:21,scatter:[19,23,26],scatteromet:32,scbl:32,scbt:32,sccbt:32,scctl:32,scctp:32,sce:32,scene:32,scestuwind:32,scestvwind:32,schema:23,scint:32,scintil:32,scipi:21,scli:32,scope:16,scp:32,scpw:32,scrad:32,scratch:16,script:[0,29],scst:32,sct:[22,27],sctl:32,sden:32,sdsgso:32,sdwe:32,sea:[22,32],seab:32,seaic:20,sealevelpress:[22,27],seamless:32,seamlesshsr:32,seamlesshsrheight:32,search:16,sec:25,second:[9,20,28,32],secondari:32,section:[16,32],sector:[15,26],sectorid:28,see:[0,16,23,32],select:[18,22,23,25],self:21,send:[0,16],sendrequest:11,sens:[0,32],sensibl:32,sensorcount:19,sent:0,sep:24,separ:[0,2,16,29],sequenc:32,seri:[6,19],server:[0,16,18,20,21,23,29,30,33],serverrequestrout:16,servic:[0,11,16,33],servr:32,set:[2,4,16,21,22,28,29,30,32],set_ext:[17,21,22,23,25,26,27,28,30],set_label:[21,23,25,26,28],set_titl:[17,19,22,27],set_xlim:[18,24,29],set_ylim:[18,24,29],setdatatyp:[4,15,16,20,21,28,29,30],setenvelop:[4,16,23],setlazyloadgridlatlon:[2,12],setlevel:[4,15,16,20,21,25,26],setlocationnam:[4,15,16,18,20,21,22,23,24,25,26,27,28,29],setparamet:[4,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30],setstoragerequest:16,setup:33,sevap:32,seven:19,sever:[0,19,20,32],sfc:[16,28,32],sfcob:[2,16,20],sfcr:32,sfcrh:32,sfexc:32,sfo:22,sgcvv:32,sh:[0,20,24],shade:21,shahr:32,shailpro:32,shallow:32,shamr:32,shape:[4,8,15,16,17,18,20,23,25,26,27,28,30],shape_featur:[23,27,30],shapelyfeatur:[23,27,30],share:0,shear:[20,32],sheer:32,shef:16,shelf:0,shi:32,should:[2,16],show:[18,19,20,21,22,24,25,28,29,30],shrink:[21,23,25,26,28],shrmag:20,shsr:32,shtfl:32,shv:22,shwlt:20,shx:20,si:28,sice:32,sighailprob:32,sighal:32,sigl:32,sigma:32,signific:[29,32],significantli:23,sigp:32,sigpar:32,sigt:29,sigt_param:29,sigtgeo:29,sigtrndprob:32,sigwindprob:32,silt:32,similar:[0,16,17],simpl:[22,27],simple_layout:27,simpli:0,simul:32,sinc:[0,16],singl:[0,2,16,18,20,23,27,32],single_value_param:[22,27],sipd:32,site:[5,15,20,21,23,24,30],siteid:30,size:[25,28,32],skew:[24,29],skewt:[18,29],skin:[28,32],skip:22,sktmp:32,sky:32,sky_cov:[22,27],sky_layer_bas:[22,27],skycov:[2,22,27],skylayerbas:[2,22,27],slab:16,slant:[24,29],slc:22,sld:32,sldp:32,sli:[20,32],slight:32,slightli:16,slope:32,slow:23,sltfl:32,sltyp:32,smdry:32,smref:32,smy:32,sndobject:18,snfalb:32,snmr:32,sno:32,snoag:32,snoc:32,snod:32,snohf:32,snol:32,snom:32,snorat:20,snoratcrocu:20,snoratemcsref:20,snoratov2:20,snoratspc:20,snoratspcdeep:20,snoratspcsurfac:20,snot:32,snow1:20,snow2:20,snow3:20,snow:[20,32],snowc:32,snowfal:32,snowstorm:19,snowt:[20,32],snsq:20,snw:20,snwa:20,so:[20,21],softwar:[0,16],soil:32,soill:32,soilm:32,soilp:32,soilw:32,solar:32,sole:2,solrf:32,solza:32,some:[0,16,20],someth:20,sort:[15,19,20,24,25,28,29],sotyp:32,sound:[6,20,31],sounder:28,soundingrequest:24,sourc:[0,1,2,3,4,5,6,7,8,9,10,11,12,13,15,16],south:27,sp:[30,32],spacecraft:19,span:[22,32],spatial:27,spc:32,spcguid:20,spd:[24,29],spdl:32,spec:24,spechum:24,special:[2,16],specif:[0,4,16,21,22,25,32],specifi:[2,6,8,16,20,32],specirr:32,spectal:32,spectra:32,spectral:32,spectrum:32,speed:[22,27,32],spf:32,spfh:32,spftr:32,spr:32,sprate:32,sprdf:32,spread:32,spring:16,spt:32,sqrt:18,squar:32,sr:32,src:[24,32],srcono:32,srfa161:32,srfa162:32,srfa163:32,srfa164:32,srfa165:32,srfa166:32,srfa171:32,srfa172:32,srfa173:32,srfa174:32,srfa175:32,srfa176:32,srml:20,srmlm:20,srmm:20,srmmm:20,srmr:20,srmrm:20,srweq:32,ss:20,ssgso:32,sshg:32,ssi:20,ssp:20,ssrun:32,ssst:32,sst:28,sstor:32,sstt:32,st:20,stack:16,staelev:29,stanam:29,stand:[20,32],standard:[0,23,32],standard_parallel:[22,27],start:[0,16,17,20,21,22,27,33],state:[16,22,23,27,28],states_provinc:30,staticcorioli:20,staticspac:20,statictopo:20,station:[17,27,29,31],station_nam:22,stationid:[16,27],stationnam:[17,22,27],stationplot:[17,22,27],stationplotlayout:[22,27],std:32,steep:32,step:29,stid:[22,27],stoke:32,stomat:32,stop:0,storag:[0,16,32],store:[0,16,27],storm:[19,25,32],storprob:32,stp1:20,stp:20,stpa:32,str:[17,18,19,20,21,22,23,24,25,26,27,28,29,30],stream:32,streamflow:32,stree:32,stress:32,strftime:[17,22,27],striketyp:19,string:[2,4,7,8,9,10,16,18,32],strm:32,strmmot:20,strptime:[17,22,27,28],strtp:20,struct_tim:3,structur:16,style:16,sub:32,subinterv:32,sublay:32,sublim:32,submit:4,subplot:[17,19,21,23,25,26,27,28,30],subplot_kw:[17,19,21,23,25,26,27,28,30],subsequ:21,subset:[16,17],subtair:17,succe:2,sucp:20,suggest:16,suit:0,suitabl:2,sun:32,sunsd:32,sunshin:32,supercool:32,superlayercompositereflect:32,supern:28,suppli:21,support:[0,2,3,4,33],suppress:[17,27],sure:27,surfac:[0,16,18,20,28,31,32],surg:32,svrt:32,sw:[22,27],swavr:32,swdir:32,sweat:32,swell:32,swepn:32,swhr:32,swindpro:32,swper:32,swrad:32,swsalb:32,swtidx:20,sx:32,symbol:[22,27],synop:[2,16],syr:22,system:[0,20,32],t0:24,t:[15,16,20,21,24,29,32],t_001_bin:20,tabl:[0,23,27,30,32],taconcp:32,taconip:32,taconrdp:32,tadv:20,tair:17,take:[0,16,20,21,29],taken:[0,16],talk:20,tar:20,task:16,taskbar:0,tcdc:32,tchp:32,tcioz:32,tciwv:32,tclsw:32,tcol:32,tcolc:32,tcolg:32,tcoli:32,tcolm:32,tcolr:32,tcolw:32,tcond:32,tconu:28,tcsrg20:32,tcsrg30:32,tcsrg40:32,tcsrg50:32,tcsrg60:32,tcsrg70:32,tcsrg80:32,tcsrg90:32,tcwat:32,td2:24,td:[24,29],tdef:20,tdend:20,tdman:29,tdsig:29,tdsigt:29,tdunit:29,technic:16,temp:[17,21,22,24,27,28,32],temperatur:[18,20,21,22,24,27,29,31,32],tempwtr:32,ten:27,tendenc:32,term:[0,32],termain:0,terrain:[23,32],text:[19,32],textcoord:23,tfd:28,tgrd:20,tgrdm:20,than:[0,18,21],the_geom:[23,27],thei:[0,16],thel:32,them:[16,17,22,27],themat:32,therefor:16,thermo:24,thermoclin:32,theta:32,thflx:32,thgrd:20,thi:[0,2,16,17,18,20,21,22,23,24,25,27,29,30,33],thick:32,third:0,thom5:20,thom5a:20,thom6:20,those:16,thousand:27,three:[16,19,24],threshold:17,threshval:10,thrift:11,thriftclient:[14,16,18],thriftclientrout:14,thriftrequestexcept:11,through:[0,16,18,21,29,30],throughout:20,thrown:16,thunderstorm:32,thz0:32,ti:23,tide:32,tie:23,tier:6,time:[2,3,6,7,12,15,16,17,18,19,22,24,25,26,27,28,29,30,32],timeagnosticdataexcept:16,timearg:3,timedelta:[17,18,22,27],timeit:18,timeob:[22,27],timerang:[2,3,6,16,17,18,22,27],timereq:18,timestamp:3,timestr:13,timeutil:14,tipd:32,tir:20,titl:[18,24,29],title_str:29,tke:32,tlh:22,tman:29,tmax:[20,32],tmdpd:20,tmin:[20,32],tmp:[24,27,32],tmpa:32,tmpl:32,tmpswp:32,togeth:0,tool:0,toolbar:0,top:[16,19,20,21,25,28,32],top_label:[21,23,25,27,28,30],topo:[20,23],topographi:[20,31],tori2:20,tori:20,tornado:[19,32],torprob:32,total:[17,19,23,25,26,28,32],totqi:20,totsn:32,toz:32,tozn:32,tp3hr:20,tp6hr:20,tp:[20,26],tp_inch:26,tpa:22,tpcwindprob:20,tpfi:32,tpman:29,tprate:32,tpsig:29,tpsigt:29,tpunit:29,tpw:28,tqind:20,track:[25,32],train:21,tran:32,transform:[17,19,22,23,26,27],transo:32,transpir:32,transport:32,trbb:32,trbtp:32,tree:[15,28],trend:32,tri:[24,29],trndprob:32,tro:32,trop:20,tropic:32,tropopaus:[20,32],tropospher:32,tsc:32,tsd1d:32,tsec:32,tshrmi:20,tsi:32,tslsa:32,tsmt:32,tsnow:32,tsnowp:32,tsoil:32,tsrate:32,tsrwe:32,tstk:20,tstm:32,tstmc:32,tt:[26,28,32],ttdia:32,ttf:22,tthdp:32,ttot:20,ttphy:32,ttrad:32,ttx:32,tua:20,tune:[2,16],tupl:9,turb:32,turbb:32,turbt:32,turbul:32,tutori:[20,21],tv:20,tw:20,twatp:32,twind:20,twindu:20,twindv:20,twmax:20,twmin:20,two:[0,16,21,32,33],twstk:20,txsm:20,txt:23,type:[0,3,8,10,16,21,23,29,30,32],typeerror:[2,3,22],typic:[0,16,20],u:[18,22,24,27,29,32],ubaro:32,uc:24,ucar:[0,15,17,18,19,20,21,22,23,24,25,26,27,28,29,30,33],ucomp:24,uf:[16,17,21,22,27],uflx:32,ufx:20,ug:32,ugrd:32,ugust:32,ugwd:32,uic:32,uil:22,ulsm:32,ulsnorat:20,ulst:32,ultra:32,ulwrf:32,unbias:25,under:32,underli:16,understand:[16,21],understood:[16,23],undertak:16,undocu:16,unidata:[15,17,18,19,20,21,22,23,24,25,26,27,28,29,30,33],unidata_16:24,unifi:[0,16],uniqu:2,unit:[8,9,16,18,20,22,24,25,26,27,29,32],uniwisc:28,unknown:32,unsupportedoperationexcept:16,unsupportedoutputtypeexcept:16,until:2,unv:22,uogrd:32,up:[16,30,32,33],updat:33,updraft:32,uphl:32,upper:[0,20,31,32],upward:32,uq:32,uri:11,url:[20,21],urma25:20,us:[0,2,6,17,18,20,22,23,27,29,30,32],us_east_delaware_1km:20,us_east_florida_2km:20,us_east_north_2km:20,us_east_south_2km:20,us_east_virginia_1km:20,us_hawaii_1km:20,us_hawaii_2km:20,us_hawaii_6km:20,us_west_500m:20,us_west_cencal_2km:20,us_west_losangeles_1km:20,us_west_lososos_1km:20,us_west_north_2km:20,us_west_sanfran_1km:20,us_west_socal_2km:20,us_west_washington_1km:20,use_level:18,use_parm:18,useless:16,user:[0,5,21,25],userwarn:21,ussd:32,ustm:32,uswrf:32,ut:32,utc:28,utcnow:[17,22,27,28],util:20,utrf:32,uu:32,uv:32,uvi:32,uviuc:32,uw:[18,20],uwstk:20,v:[0,18,22,24,27,29,32],vadv:20,vadvadvect:20,vaftd:32,vah:28,valid:[7,21,25,26,32],validperiod:29,validtim:29,valu:[2,4,7,8,11,16,17,22,23,24,26,27,32],valueerror:[18,27],vaml:28,vap:24,vapor:[24,32],vapor_pressur:24,vapour:32,vapp:32,vapr:24,variabl:[22,27],varianc:32,variant:21,variou:[0,22],vash:32,vbaro:32,vbdsf:32,vc:24,vcomp:24,vddsf:32,vdfhr:32,vdfmr:32,vdfoz:32,vdfua:32,vdfva:32,vector:32,vedh:32,veg:32,veget:32,vegt:32,vel1:32,vel2:32,vel3:32,veloc:[0,25,32],ventil:32,veri:16,version:0,vert:25,vertic:[24,29,31,32],vflx:32,vgp:20,vgrd:32,vgtyp:32,vgwd:32,vi:32,via:[0,3,16],vice:32,view:0,vih:22,vii:32,vil:32,viliq:32,violet:32,virtual:32,viscou:32,visibl:[28,32],vist:20,visual:[0,20],vmax:21,vmin:21,vmp:28,vogrd:32,volash:32,volcan:32,voldec:32,voltso:32,volum:0,volumetr:32,vortic:32,vpot:32,vptmp:32,vq:32,vrate:32,vs:16,vsmthw:20,vsoilm:32,vsosm:32,vss:20,vssd:32,vstm:32,vt:32,vtec:[30,32],vtmp:32,vtot:20,vtp:28,vucsh:32,vv:32,vvcsh:32,vvel:32,vw:[18,20],vwiltm:32,vwsh:32,vwstk:20,w:[18,28,32],wa:[0,16,18,27,32],wai:[2,16,26],wait:2,want:[16,20],warm:32,warmrainprob:32,warn:[16,17,20,21,22,23,24,25,27,31],warning_color:30,wat:32,watch:[23,31],water:[28,32],watervapor:32,watr:32,wave:32,wbz:32,wcconv:32,wcd:20,wcda:28,wci:32,wcinc:32,wcuflx:32,wcvflx:32,wd:20,wdir:32,wdirw:32,wdiv:20,wdman:29,wdrt:32,we:[20,21,22,24,27,30],weak:4,weasd:[20,32],weather:[0,6,22,27,32,33],weatherel:6,weight:32,well:[0,16,17,21,33],wesp:32,west:28,west_6km:20,westatl:20,westconu:20,wet:32,wg:32,what:[16,18,20],when:[0,2,18,21],where:[9,16,18,20,23,24,26,32],whether:2,which:[0,6,16,20,21,23,24,32],white:[26,32],who:[0,16],whtcor:32,whtrad:32,wide:19,width:32,wilt:32,wind:[18,19,20,22,24,27,29,32],wind_compon:[22,24,27,29],wind_direct:24,wind_spe:[24,29],winddir:[22,27],windprob:32,windspe:[22,27],wish:[16,20],within:[0,2,4,16,23],without:[0,2,16,27],wkb:18,wmc:22,wmix:32,wmo:[22,27,32],wmostanum:29,wndchl:20,word:16,work:[0,2,20,32,33],workstat:0,worri:16,would:[2,16],wpre:29,wrap:16,write:0,writer:16,written:[0,16,18],wsman:29,wsp:20,wsp_001_bin:20,wsp_002_bin:20,wsp_003_bin:20,wsp_004_bin:20,wspd:32,wstp:32,wstr:32,wsunit:29,wt:32,wtend:32,wtmpc:32,wv:28,wvconv:32,wvdir:32,wvhgt:32,wvinc:32,wvper:32,wvsp1:32,wvsp2:32,wvsp3:32,wvuflx:32,wvvflx:32,ww3:20,wwsdir:32,www:0,wxtype:32,x:[0,17,18,19,21,22,23,26,27,30,32],xformatt:[21,23,25,27,28,30],xlen:10,xlong:32,xml:16,xr:32,xrayrad:32,xshrt:32,xytext:23,y:[17,18,19,21,22,23,24,26,27,28,32],ye:32,year:32,yformatt:[21,23,25,27,28,30],ylen:10,yml:33,you:[16,20,21,27,29,33],your:20,yyyi:20,z:32,zagl:20,zenith:32,zero:32,zonal:32,zone:[16,32],zpc:22},titles:["About Unidata AWIPS","CombinedTimeQuery","DataAccessLayer","DateTimeConverter","IDataRequest (newDataRequest())","IFPClient","ModelSounding","PyData","PyGeometryData","PyGridData","RadarCommon","ThriftClient","ThriftClientRouter","TimeUtil","API Documentation","Available Data Types","Development Guide","Colored Surface Temperature Plot","Forecast Model Vertical Sounding","GOES Geostationary Lightning Mapper","Grid Levels and Parameters","Grids and Cartopy","METAR Station Plot with MetPy","Map Resources and Topography","Model Sounding Data","NEXRAD Level3 Radar","Precip Accumulation-Region Of Interest","Regional Surface Obs Plot","Satellite Imagery","Upper Air BUFR Soundings","Watch and Warning Polygons","Data Plotting Examples","Grid Parameters","Python AWIPS Data Access Framework"],titleterms:{"1":[20,21],"10":20,"16":28,"2":[20,21],"3":[20,21],"4":[20,21],"5":[20,21],"6":[20,21],"7":20,"8":20,"9":20,"function":21,"import":[20,21],"new":[16,20],Of:26,about:0,access:33,accumul:26,addit:21,air:29,alertviz:0,also:[20,21],api:14,avail:[15,20,24,28],awip:[0,33],background:16,base:21,binlightn:15,both:27,boundari:23,bufr:29,calcul:24,cartopi:21,cascaded_union:23,cave:0,citi:23,code:33,color:17,combinedtimequeri:1,comparison:18,conda:33,connect:20,contact:33,content:[20,21],contourf:21,contribut:16,counti:23,creat:[20,23,28],cwa:23,data:[15,16,20,21,24,31,33],dataaccesslay:2,datatyp:16,datetimeconvert:3,defin:21,design:16,develop:16,dewpoint:24,document:[14,21],edex:[0,20],edexbridg:0,entiti:28,exampl:[31,33],factori:16,filter:23,forecast:18,framework:[16,33],from:24,geostationari:19,get:20,glm:19,goe:[19,28],grid:[15,20,21,32],guid:16,hdf5:0,hodograph:24,how:16,httpd:0,humid:24,idatarequest:4,ifpclient:5,imageri:28,implement:16,instal:33,interest:26,interfac:16,interst:23,java:16,lake:23,ldm:0,level3:25,level:20,licens:0,lightn:19,limit:21,list:20,locat:[20,24],log:18,major:23,make_map:21,map:23,mapper:19,merg:23,mesoscal:28,metar:[22,27],metpi:[22,24],model:[18,24],modelsound:6,nearbi:23,newdatarequest:4,nexrad:25,note:23,notebook:[20,21],ob:[22,27],object:[20,21],onli:[16,33],p:18,packag:33,paramet:[19,20,24,32],pcolormesh:21,pip:33,plot:[17,21,22,27,31],plugin:16,polygon:30,postgresql:0,pre:33,precip:26,product:28,pydata:7,pygeometrydata:8,pygriddata:9,pypi:0,python:33,qpid:0,question:33,radar:[15,25],radarcommon:10,receiv:16,region:[26,27],regist:16,relat:[20,21],request:[16,20,21,23],requisit:33,resourc:23,result:21,retriev:16,river:23,satellit:[15,28],sector:28,see:[20,21],set:20,setup:23,sfcob:27,skew:18,skewt:24,softwar:33,sound:[18,24,29],sourc:[19,28,33],spatial:23,specif:24,station:22,support:[16,20],surfac:[17,22,27],synop:27,synopt:27,t:18,tabl:[20,21],temperatur:17,thriftclient:11,thriftclientrout:12,time:[20,21],timeutil:13,topographi:23,type:[15,20],unidata:0,upper:29,us:[16,21,33],user:16,vertic:18,warn:[15,30],watch:30,wfo:23,when:16,work:16,write:16}})
\ No newline at end of file
+Search.setIndex({docnames:["about","api/CombinedTimeQuery","api/DataAccessLayer","api/DateTimeConverter","api/IDataRequest","api/IFPClient","api/ModelSounding","api/PyData","api/PyGeometryData","api/PyGridData","api/RadarCommon","api/ThriftClient","api/ThriftClientRouter","api/TimeUtil","api/index","datatypes","dev","examples/generated/Colored_Surface_Temperature_Plot","examples/generated/Forecast_Model_Vertical_Sounding","examples/generated/GOES_CIRA_Product_Writer","examples/generated/GOES_Geostationary_Lightning_Mapper","examples/generated/Grid_Levels_and_Parameters","examples/generated/Grids_and_Cartopy","examples/generated/METAR_Station_Plot_with_MetPy","examples/generated/Map_Resources_and_Topography","examples/generated/Model_Sounding_Data","examples/generated/NEXRAD_Level3_Radar","examples/generated/Precip_Accumulation-Region_Of_Interest","examples/generated/Regional_Surface_Obs_Plot","examples/generated/Satellite_Imagery","examples/generated/Upper_Air_BUFR_Soundings","examples/generated/Watch_and_Warning_Polygons","examples/index","gridparms","index"],envversion:{"sphinx.domains.c":2,"sphinx.domains.changeset":1,"sphinx.domains.citation":1,"sphinx.domains.cpp":4,"sphinx.domains.index":1,"sphinx.domains.javascript":2,"sphinx.domains.math":2,"sphinx.domains.python":3,"sphinx.domains.rst":2,"sphinx.domains.std":2,"sphinx.ext.intersphinx":1,"sphinx.ext.viewcode":1,sphinx:56},filenames:["about.rst","api/CombinedTimeQuery.rst","api/DataAccessLayer.rst","api/DateTimeConverter.rst","api/IDataRequest.rst","api/IFPClient.rst","api/ModelSounding.rst","api/PyData.rst","api/PyGeometryData.rst","api/PyGridData.rst","api/RadarCommon.rst","api/ThriftClient.rst","api/ThriftClientRouter.rst","api/TimeUtil.rst","api/index.rst","datatypes.rst","dev.rst","examples/generated/Colored_Surface_Temperature_Plot.rst","examples/generated/Forecast_Model_Vertical_Sounding.rst","examples/generated/GOES_CIRA_Product_Writer.rst","examples/generated/GOES_Geostationary_Lightning_Mapper.rst","examples/generated/Grid_Levels_and_Parameters.rst","examples/generated/Grids_and_Cartopy.rst","examples/generated/METAR_Station_Plot_with_MetPy.rst","examples/generated/Map_Resources_and_Topography.rst","examples/generated/Model_Sounding_Data.rst","examples/generated/NEXRAD_Level3_Radar.rst","examples/generated/Precip_Accumulation-Region_Of_Interest.rst","examples/generated/Regional_Surface_Obs_Plot.rst","examples/generated/Satellite_Imagery.rst","examples/generated/Upper_Air_BUFR_Soundings.rst","examples/generated/Watch_and_Warning_Polygons.rst","examples/index.rst","gridparms.rst","index.rst"],objects:{"awips.DateTimeConverter":{constructTimeRange:[3,1,1,""],convertToDateTime:[3,1,1,""]},"awips.RadarCommon":{encode_dep_vals:[10,1,1,""],encode_radial:[10,1,1,""],encode_thresh_vals:[10,1,1,""],get_data_type:[10,1,1,""],get_datetime_str:[10,1,1,""],get_hdf5_data:[10,1,1,""],get_header:[10,1,1,""]},"awips.ThriftClient":{ThriftClient:[11,2,1,""],ThriftRequestException:[11,4,1,""]},"awips.ThriftClient.ThriftClient":{sendRequest:[11,3,1,""]},"awips.TimeUtil":{determineDrtOffset:[13,1,1,""],makeTime:[13,1,1,""]},"awips.dataaccess":{CombinedTimeQuery:[1,0,0,"-"],DataAccessLayer:[2,0,0,"-"],IDataRequest:[4,2,1,""],ModelSounding:[6,0,0,"-"],PyData:[7,0,0,"-"],PyGeometryData:[8,0,0,"-"],PyGridData:[9,0,0,"-"],ThriftClientRouter:[12,0,0,"-"]},"awips.dataaccess.CombinedTimeQuery":{getAvailableTimes:[1,1,1,""]},"awips.dataaccess.DataAccessLayer":{changeEDEXHost:[2,1,1,""],getAvailableLevels:[2,1,1,""],getAvailableLocationNames:[2,1,1,""],getAvailableParameters:[2,1,1,""],getAvailableTimes:[2,1,1,""],getForecastRun:[2,1,1,""],getGeometryData:[2,1,1,""],getGridData:[2,1,1,""],getIdentifierValues:[2,1,1,""],getMetarObs:[2,1,1,""],getOptionalIdentifiers:[2,1,1,""],getRadarProductIDs:[2,1,1,""],getRadarProductNames:[2,1,1,""],getRequiredIdentifiers:[2,1,1,""],getSupportedDatatypes:[2,1,1,""],getSynopticObs:[2,1,1,""],newDataRequest:[2,1,1,""],setLazyLoadGridLatLon:[2,1,1,""]},"awips.dataaccess.IDataRequest":{__weakref__:[4,5,1,""],addIdentifier:[4,3,1,""],getDatatype:[4,3,1,""],getEnvelope:[4,3,1,""],getIdentifiers:[4,3,1,""],getLevels:[4,3,1,""],getLocationNames:[4,3,1,""],setDatatype:[4,3,1,""],setEnvelope:[4,3,1,""],setLevels:[4,3,1,""],setLocationNames:[4,3,1,""],setParameters:[4,3,1,""]},"awips.dataaccess.ModelSounding":{changeEDEXHost:[6,1,1,""],getSounding:[6,1,1,""]},"awips.dataaccess.PyData":{PyData:[7,2,1,""]},"awips.dataaccess.PyData.PyData":{getAttribute:[7,3,1,""],getAttributes:[7,3,1,""],getDataTime:[7,3,1,""],getLevel:[7,3,1,""],getLocationName:[7,3,1,""]},"awips.dataaccess.PyGeometryData":{PyGeometryData:[8,2,1,""]},"awips.dataaccess.PyGeometryData.PyGeometryData":{getGeometry:[8,3,1,""],getNumber:[8,3,1,""],getParameters:[8,3,1,""],getString:[8,3,1,""],getType:[8,3,1,""],getUnit:[8,3,1,""]},"awips.dataaccess.PyGridData":{PyGridData:[9,2,1,""]},"awips.dataaccess.PyGridData.PyGridData":{getLatLonCoords:[9,3,1,""],getParameter:[9,3,1,""],getRawData:[9,3,1,""],getUnit:[9,3,1,""]},"awips.dataaccess.ThriftClientRouter":{LazyGridLatLon:[12,2,1,""],ThriftClientRouter:[12,2,1,""]},"awips.dataaccess.ThriftClientRouter.ThriftClientRouter":{getAvailableLevels:[12,3,1,""],getAvailableLocationNames:[12,3,1,""],getAvailableParameters:[12,3,1,""],getAvailableTimes:[12,3,1,""],getGeometryData:[12,3,1,""],getGridData:[12,3,1,""],getIdentifierValues:[12,3,1,""],getNotificationFilter:[12,3,1,""],getOptionalIdentifiers:[12,3,1,""],getRequiredIdentifiers:[12,3,1,""],getSupportedDatatypes:[12,3,1,""],newDataRequest:[12,3,1,""],setLazyLoadGridLatLon:[12,3,1,""]},"awips.gfe":{IFPClient:[5,0,0,"-"]},"awips.gfe.IFPClient":{IFPClient:[5,2,1,""]},"awips.gfe.IFPClient.IFPClient":{commitGrid:[5,3,1,""],getGridInventory:[5,3,1,""],getParmList:[5,3,1,""],getSelectTR:[5,3,1,""],getSiteID:[5,3,1,""]},awips:{DateTimeConverter:[3,0,0,"-"],RadarCommon:[10,0,0,"-"],ThriftClient:[11,0,0,"-"],TimeUtil:[13,0,0,"-"]}},objnames:{"0":["py","module","Python module"],"1":["py","function","Python function"],"2":["py","class","Python class"],"3":["py","method","Python method"],"4":["py","exception","Python exception"],"5":["py","attribute","Python attribute"]},objtypes:{"0":"py:module","1":"py:function","2":"py:class","3":"py:method","4":"py:exception","5":"py:attribute"},terms:{"0":[17,18,19,20,21,22,23,24,25,26,27,28,29,30,33],"00":[18,21,23,25],"000":21,"000000":28,"000508":26,"001012802000048":28,"0027720002":26,"005":18,"008382":26,"00hpa":29,"01":[19,21,29,33],"0127":26,"017472787":26,"019499999":26,"02":[19,29],"021388888888888888hr":29,"0290003":27,"02905":28,"02hpa":29,"03":[19,29],"03199876199994":28,"033959802":26,"0393701":27,"03hpa":29,"04":[25,29],"04hpa":29,"05":[19,26,29],"051":27,"0555557e":26,"06":[19,21,29],"07":[20,29],"071":27,"07hpa":29,"08":[26,29],"08255":26,"082804":26,"088392":26,"0891":28,"08hpa":29,"09":[25,26,29],"092348410":15,"0_100":21,"0_1000":21,"0_10000":21,"0_115_360_359":26,"0_116_116":26,"0_116_360_0":26,"0_120":21,"0_12000":21,"0_13_13":26,"0_150":21,"0_1500":21,"0_180":21,"0_200":21,"0_2000":21,"0_230_360_0":26,"0_250":21,"0_2500":21,"0_260":21,"0_265":21,"0_270":21,"0_275":21,"0_280":21,"0_285":21,"0_290":21,"0_295":21,"0_30":21,"0_300":21,"0_3000":21,"0_305":21,"0_310":21,"0_315":21,"0_320":21,"0_325":21,"0_330":21,"0_335":21,"0_340":21,"0_345":21,"0_346_360_0":26,"0_350":21,"0_3500":21,"0_359":26,"0_400":21,"0_4000":21,"0_40000":21,"0_450":21,"0_4500":21,"0_460_360_0":26,"0_464_464":26,"0_500":21,"0_5000":21,"0_550":21,"0_5500":21,"0_60":21,"0_600":21,"0_6000":21,"0_609":21,"0_610":21,"0_650":21,"0_700":21,"0_7000":21,"0_750":21,"0_800":21,"0_8000":21,"0_850":21,"0_90":21,"0_900":21,"0_9000":21,"0_920_360_0":26,"0_950":21,"0bl":21,"0c":[18,33],"0co":23,"0deg":33,"0f":[23,28],"0fhag":[15,18,21,22],"0k":21,"0ke":21,"0lyrmb":21,"0m":29,"0mb":[18,21],"0pv":21,"0sfc":[21,27],"0tilt":21,"0trop":21,"0x11127bfd0":22,"0x11b971da0":27,"0x11dcfedd8":28,"0x7ffd0f33c040":24,"1":[0,15,17,18,20,23,24,25,26,27,28,29,30,31,33],"10":[15,17,18,19,23,26,27,28,29,30,33],"100":[18,21,25,30,33],"1000":[18,21,23,25,30,33],"10000":21,"1013":29,"103":29,"104":[18,29],"1042":29,"1058":24,"1070":29,"10800":21,"108000":21,"109":31,"10c":33,"10hpa":29,"10m":33,"11":[26,27,29,33],"110":29,"1100":29,"112":25,"115":26,"1152x1008":29,"116":26,"116167":29,"117":29,"118":23,"118800":21,"11hpa":29,"12":[17,18,21,24,25,27,28,29,30,31,33],"120":[17,21,27,33],"1203":24,"12192":26,"125":[27,29],"1250":21,"127":[27,31],"129600":21,"12h":33,"12hpa":29,"13":[26,27,29,33],"131":33,"133":29,"134":26,"135":26,"137":33,"138":26,"1382263":19,"139":27,"13hpa":29,"14":[17,18,19,21,25,26,27,29,33],"140":27,"1400":24,"140400":21,"141":26,"142":29,"1440":33,"14hpa":29,"15":[17,18,20,25,27,29,30,33],"150":21,"1500":21,"151":29,"151200":21,"152":28,"1524":21,"1583666":19,"159":26,"1598":22,"15c":33,"15hpa":29,"16":[15,17,20,21,22,25,26,27,28,33],"160":29,"161":26,"162000":21,"163":26,"165":26,"166":26,"1688":24,"169":26,"1693":24,"1694":24,"17":[25,26,27,29,33],"170":[26,29],"1701":24,"1703":24,"1706":24,"171":26,"1716":24,"172":26,"172800":21,"173":26,"1730":24,"174":26,"1741":24,"1746":24,"175":26,"1753":24,"176":26,"1767":24,"177":26,"1781":24,"1790004":27,"17hpa":29,"18":[18,20,26,27,28,29,33],"180":[19,29],"1828":21,"183600":21,"1875":27,"1890006":27,"18hpa":29,"19":[18,21,26,29],"190":[26,29],"194400":21,"19hpa":29,"19um":29,"1f":[18,23,28],"1h":33,"1mb":18,"1st":33,"1v4":25,"1x1":33,"2":[0,15,17,18,23,24,25,26,27,28,29,30,33],"20":[18,23,25,26,27,29,30,31,33],"200":[21,29,33],"2000":21,"2000m":33,"201":33,"2016":16,"2018":[18,26,29],"202":33,"2020":25,"2021":[19,21],"203":33,"204":33,"205":33,"205200":21,"206":33,"207":33,"207see":33,"208":[24,33],"209":33,"20b2aa":24,"20c":33,"20km":21,"20um":29,"21":27,"210":33,"211":33,"212":[29,33],"215":33,"216":33,"21600":21,"216000":21,"217":33,"218":33,"219":33,"22":[18,20,27],"222":33,"223":[29,33],"224":33,"225":24,"226800":21,"22hpa":29,"23":[23,24,26,29],"230":26,"235":29,"237600":21,"23hpa":29,"24":[27,28,31,33],"240":33,"243":25,"247":29,"24799":29,"248400":21,"24h":33,"24hpa":29,"25":[17,21,27,33],"250":[21,33],"2500":21,"252":33,"253":33,"254":33,"255":[21,23],"257":21,"259":29,"259200":21,"25um":29,"26":29,"260":[21,28],"263":25,"265":21,"26c":33,"26hpa":29,"27":[26,27],"270":21,"270000":21,"272":29,"273":[18,25,30],"2743":21,"274543999":15,"275":21,"27hpa":29,"28":[19,27,28,29],"280":21,"280511999":15,"280800":21,"285":21,"285491999":15,"286":29,"29":[25,29],"290":21,"291600":21,"295":[21,27],"2960005":27,"2fhag":[16,21],"2h":33,"2km":33,"2m":33,"2nd":33,"2pi":33,"2s":33,"3":[6,17,18,24,25,26,27,28,29,30,33],"30":[21,27,29,30,33],"300":[21,27,29,33],"3000":[19,21],"302400":21,"3048":21,"305":21,"3071667e":26,"30hpa":29,"30m":33,"30um":29,"31":[26,28,29],"310":21,"3125":27,"314":29,"315":21,"31hpa":29,"32":[17,18,26,27,28,29],"320":21,"32400":21,"324000":21,"325":21,"328":29,"32hpa":29,"33":[27,28,33],"330":21,"334":27,"335":21,"339":27,"340":21,"343":29,"345":21,"345600":21,"346":26,"3468":28,"34hpa":29,"34um":29,"35":[17,21,23,28,29],"350":21,"3500":21,"35785830":19,"358":29,"35hpa":29,"35um":29,"36":27,"360":[26,33],"3600":[27,29],"3626751":19,"3657":21,"367200":21,"369":21,"36shrmi":21,"37":26,"374":29,"375":27,"37hpa":29,"388800":21,"38hpa":29,"38um":29,"39":[18,27,29],"390":29,"3h":33,"3j2":25,"3rd":33,"3tilt":21,"4":[18,23,25,27,28,29,33],"40":[18,21,25,33],"400":21,"4000":21,"400hpa":33,"407":29,"40km":18,"41":26,"410400":21,"41999816894531":25,"41hpa":29,"42":[26,27,29],"422266":29,"424":29,"43":[25,29],"43200":21,"432000":21,"4328":24,"432x288":19,"43hpa":29,"441":29,"4420482":27,"44848":28,"44hpa":29,"45":[17,18,21,27,29],"450":21,"4500":21,"45227":29,"453600":21,"4572":21,"4588674":19,"459":29,"45hpa":29,"46":15,"460":26,"464":26,"46hpa":29,"47":29,"47462":29,"475200":21,"477":29,"47hpa":29,"47um":[19,29],"48":[27,33],"49":31,"496":29,"496800":21,"4bl":25,"4bq":25,"4hv":25,"4lftx":33,"4mb":18,"4om":25,"4th":33,"4tilt":21,"5":[0,20,24,25,26,27,28,29,33],"50":[15,18,21,23,24,26,27,31,33],"500":[21,29,33],"5000":[19,21,24],"5000x4000":19,"50934":28,"50dbzz":21,"50hpa":29,"50m":[17,19,20,22,24,26,27,29,31],"50um":29,"51":[19,26,27,29],"515":29,"518400":21,"51hpa":29,"52":27,"521051616000022":28,"525":21,"5290003":27,"52hpa":29,"535":29,"5364203":27,"5399999e":26,"53hpa":29,"54":27,"54000":21,"540000":21,"54hpa":29,"55":[17,21],"550":21,"5500":21,"555":29,"56":[19,26,29],"561600":21,"5625":27,"57":[24,26,27],"575":[21,29],"5775646e":26,"57hpa":29,"58":[26,29],"583200":21,"58hpa":29,"59":23,"596":29,"59hpa":29,"5af":25,"5ag":25,"5c":33,"5pv":21,"5sz":25,"5tilt":21,"5wava":33,"5wavh":33,"6":[18,23,25,27,28,29,33],"60":[21,25,27,28,29,30,33],"600":21,"6000":21,"604800":21,"609":21,"6096":21,"610":21,"61595":29,"617":29,"61um":29,"623":24,"625":[21,27],"626":27,"626400":21,"628002":27,"62hpa":29,"63":27,"63429260299995":28,"6356752":19,"6378137":19,"639":29,"63hpa":29,"64":[25,31],"64800":21,"648000":21,"64um":[19,29],"65":[15,17,25,27],"650":21,"65000152587891":25,"65155":28,"652773000":15,"65293884277344":15,"656933000":15,"657455":29,"65hpa":29,"66":[27,29],"660741000":15,"661":29,"66553":28,"669600":21,"67":[18,25],"670002":27,"67402":28,"675":21,"67hpa":29,"683":29,"6875":27,"68hpa":29,"69":27,"690":26,"691200":21,"69hpa":29,"6fhag":21,"6h":33,"6km":33,"6mb":18,"6ro":25,"7":[18,19,22,25,26,27,29,33],"70":[17,33],"700":21,"7000":21,"706":29,"70851":29,"70hpa":29,"71":29,"712800":21,"718":27,"71hpa":29,"72":[27,33],"725":21,"72562":30,"729":29,"72hpa":29,"73":23,"734400":21,"74":[22,27],"75":[17,19,27],"750":21,"75201":28,"753":29,"75600":21,"756000":21,"757":24,"758":24,"759":24,"760":24,"761":24,"762":24,"7620":21,"765":24,"766":24,"768":24,"769":24,"77":[27,29],"775":[21,24],"777":29,"777600":21,"778":24,"78":[26,27,28],"782322971":15,"78hpa":29,"79":27,"79354":28,"797777777777778hr":29,"799200":21,"79hpa":29,"7mb":18,"7tilt":21,"8":[17,22,23,25,27,28,29,33],"80":[22,24,26,28,29,33],"800":21,"8000":21,"802":29,"81":[26,27],"812":27,"82":[27,28],"820800":21,"825":21,"82676":28,"8269997":27,"827":29,"83":[28,29],"834518":26,"836":18,"837":18,"84":27,"842400":21,"848":18,"85":[17,27],"850":21,"852":29,"853":27,"85hpa":29,"86":28,"86400":21,"864000":21,"86989b":24,"87":[18,27,28,29],"875":[21,27],"878":29,"87hpa":29,"87um":[19,29],"88hpa":29,"89":[27,28,29],"89899":28,"89hpa":29,"8fhag":21,"8tilt":21,"8v7":25,"9":[22,25,27,29,33],"90":[15,20,21,33],"900":21,"9000":21,"904":29,"90um":29,"911":17,"9144":21,"92":[15,28,29],"920":26,"921":17,"925":21,"92hpa":29,"931":29,"93574":28,"94":[25,26],"94384":25,"948581075":15,"94915580749512":15,"95":23,"950":21,"958":29,"9581":11,"95hpa":29,"95um":29,"96":29,"96hpa":29,"97200":21,"975":21,"97hpa":29,"98":29,"986":29,"98hpa":29,"99":26,"992865960":15,"9999":[17,23,27,28,30],"99hpa":29,"9b6":25,"9tilt":21,"\u03c9":33,"\u03c9\u03c9":33,"\u03c9q":33,"\u03c9t":33,"abstract":[4,16],"boolean":[2,10],"break":16,"byte":33,"case":[16,19,21,22,25,30],"class":[4,5,7,8,9,11,12,16,18,21,23,26],"default":[0,6,16,19,31],"do":[0,16,21,31],"enum":16,"export":0,"final":[6,19,22,33],"float":[3,8,16,17,18,19,23,28,33],"function":[0,16,21,23,28,31,33],"import":[16,17,18,20,23,24,25,26,27,28,29,30,31],"int":[3,8,16,17,23,24,27,28,33],"long":[3,8,16,33],"new":[2,17,19,22,25,27,28,34],"null":16,"public":[0,16,19],"return":[2,3,4,6,7,8,9,10,15,16,18,19,21,22,23,24,25,26,27,28,29,30,31,33],"short":[19,33],"super":33,"switch":18,"throw":[2,16],"transient":33,"true":[2,15,18,21,22,23,24,25,26,27,28,29,31,33],"try":[21,23,25,28],"void":16,"while":[16,28,30],A:[0,2,3,4,6,16,18,25,27,33],As:[0,16],At:[0,33],By:[16,19,33],For:[0,16,19,21,24,30],IS:18,If:[4,6,16,18,19,21,22,23,34],In:[0,16,22,24,33,34],Into:21,It:[2,16],Near:33,No:[16,25,26],Not:[4,16,21],Of:[32,33],One:26,The:[0,16,18,19,20,21,22,24,25,30,33,34],Then:19,There:[16,18],These:[0,2],To:[16,19,33],With:[19,33],_:18,__future__:24,__weakref__:4,_datadict:18,_pcolorarg:22,_soundingcub:6,abbrevi:[4,8,9,33],abi:33,abl:[16,25],about:[16,21],abov:[16,18,21,22,24,33],abq:23,absd:33,absfrq:33,absh:33,absolut:33,absorpt:33,absrb:33,abstractdatapluginfactori:16,abstractgeometrydatabasefactori:16,abstractgeometrytimeagnosticdatabasefactori:16,abstractgriddatapluginfactori:16,absv:33,ac137:33,acar:[16,21],acceler:33,access:[0,2,6,16,21,22,24],account:28,accum:[26,33],accumul:[32,33],acond:33,acpcp:33,acpcpn:33,act:6,action:16,activ:[33,34],actp:29,actual:[2,16,19],acv:23,acwvh:33,ad:[16,22,28,33],adcl:33,add:[4,16,17,19,23,30],add_barb:[23,28],add_featur:[19,23,24,28,29,31],add_geometri:27,add_grid:[18,25,30],add_subplot:23,add_valu:[23,28],addidentifi:[4,15,16,19,20,24,25,28,29],addit:[0,16],addition:19,adiabat:33,adm:25,admin_0_boundary_lines_land:[24,31],admin_1_states_provinces_lin:[24,29,31],adp:29,aerodynam:33,aerosol:33,aetyp:33,afa:25,affect:2,after:[0,16,19],ag:33,ageow:21,ageowm:21,agl:33,agnost:[2,16],ago:29,agr:25,ah:33,ahn:25,ai131:33,aia:25,aid:20,aih:25,air:[0,21,32,33],air_pressure_at_sea_level:[23,28],air_temperatur:[23,28],airep:[16,21],airmet:16,airport:16,ajo:25,akh:33,akm:33,al:28,alabama:28,alarm:0,albdo:33,albedo:33,alert:[0,16],algorithm:26,all:[0,2,4,6,16,17,18,19,21,24,30,33,34],allow:[0,2,16,18,19],along:[21,22],alpha:[24,33],alr:21,alreadi:[23,34],alrrc:33,also:[0,3,15,16],alter:16,although:21,altimet:33,altitud:33,altmsl:33,alwai:16,america:[17,23],amixl:33,amount:[16,29,33],amsl:33,amsr:33,amsre10:33,amsre11:33,amsre12:33,amsre9:33,an:[0,2,4,7,16,17,19,20,21,22,25,29,30,33,34],analysi:[0,34],analyz:21,anc:33,ancconvectiveoutlook:33,ancfinalforecast:33,angl:[16,33],ani:[0,2,16,18,24],anisotropi:33,anj:25,annot:[19,24],anomali:33,anoth:[16,19,21],antarct:29,anyth:16,aod:29,aohflx:33,aosgso:33,apach:0,apcp:33,apcpn:33,api:16,app:16,appar:33,appear:[22,24],append:[18,20,23,24,25,28,30,31],appli:[0,16,19],applic:[0,24],approach:0,appropri:[0,31],approv:33,appt:21,aptmp:33,apx:25,aqq:25,aqua:33,ar:[0,2,4,16,18,19,20,21,22,24,25,28,29,30,33,34],aradp:33,arain:33,arang:19,arbitrari:33,arbtxt:33,architectur:16,arctic:29,area:[24,27,29,33],arg:[2,3,4,6,7,8,10,16,22],argsort:30,argument:3,ari12h1000yr:33,ari12h100yr:33,ari12h10yr:33,ari12h1yr:33,ari12h200yr:33,ari12h25yr:33,ari12h2yr:33,ari12h500yr:33,ari12h50yr:33,ari12h5yr:33,ari1h1000yr:33,ari1h100yr:33,ari1h10yr:33,ari1h1yr:33,ari1h200yr:33,ari1h25yr:33,ari1h2yr:33,ari1h500yr:33,ari1h50yr:33,ari1h5yr:33,ari24h1000yr:33,ari24h100yr:33,ari24h10yr:33,ari24h1yr:33,ari24h200yr:33,ari24h25yr:33,ari24h2yr:33,ari24h500yr:33,ari24h50yr:33,ari24h5yr:33,ari2h1000yr:33,ari2h100yr:33,ari2h10yr:33,ari2h1yr:33,ari2h200yr:33,ari2h25yr:33,ari2h2yr:33,ari2h500yr:33,ari2h50yr:33,ari2h5yr:33,ari30m1000yr:33,ari30m100yr:33,ari30m10yr:33,ari30m1yr:33,ari30m200yr:33,ari30m25yr:33,ari30m2yr:33,ari30m500yr:33,ari30m50yr:33,ari30m5yr:33,ari3h1000yr:33,ari3h100yr:33,ari3h10yr:33,ari3h1yr:33,ari3h200yr:33,ari3h25yr:33,ari3h2yr:33,ari3h500yr:33,ari3h50yr:33,ari3h5yr:33,ari6h1000yr:33,ari6h100yr:33,ari6h10yr:33,ari6h1yr:33,ari6h200yr:33,ari6h25yr:33,ari6h2yr:33,ari6h500yr:33,ari6h50yr:33,ari6h5yr:33,around:[16,22],arrai:[2,9,15,16,17,18,21,22,23,24,25,26,28,30,31],asd:33,aset:33,asgso:33,ash:33,ashfl:33,asnow:33,assign:30,assimil:33,assist:0,associ:[0,7,9,16,33],assum:25,asymptot:33,ath:25,atl1:25,atl2:25,atl3:25,atl4:25,atl:23,atlh:25,atmdiv:33,atmo:33,atmospher:[21,33],attach:[16,23,28],attempt:16,attent:18,attribut:[7,16,20],automat:16,autosp:21,av:21,avail:[0,2,6,16,18,19,20,22,24,31,33],avail_param:23,available_loc:26,availablelevel:[15,18,26],availableloc:30,availableparm:[2,20,26],availableproduct:[15,23,28,29],availablesector:[15,29],averag:33,avg:33,aviat:33,avoid:16,avsft:33,awai:22,awh:25,awip:[1,2,3,4,5,6,7,8,9,10,11,12,13,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31],awips2:[0,25],awr:25,awvh:33,ax2:22,ax:[17,18,19,20,22,23,24,25,26,27,28,29,30,31],ax_hod:[18,25,30],ax_synop:28,axes_grid1:[18,25,30],axi:22,axvlin:[18,25,30],azdat:10,azimuth:33,azval:10,b:[19,21,25,33],ba:33,bab:25,back:16,backend:0,background:22,backscatt:33,band:[19,33],bare:33,baret:33,barotrop:33,base:[0,6,16,19,25,26,29,33],baseflow:33,baselin:16,basi:6,basin:16,basr:33,basrv:33,bassw:33,bbox:[17,18,22,24,26,27,28,29,31],bbox_inch:19,bcbl:33,bcly:33,bctl:33,bcy:33,bde:23,bdept06:21,bdg:[23,25],bdp:25,beam:33,bean:16,becaus:[16,19,21,25,28,30],becom:[16,24],been:[16,19],befor:[16,21],begin:23,beginrang:[17,23,28],behavior:16,being:[0,4,16],below:[16,19,21,24,33,34],beninx:33,best:[16,33],better:2,between:[0,16,18,19,22,33],bfl:25,bgrun:33,bgtl:25,bh1:25,bh2:25,bh3:25,bh4:25,bh5:25,bhk:25,bi:23,bia:33,bid:25,bil:23,bin:16,binlightn:[16,20,21],binoffset:16,bir:25,bit:21,bkeng:33,bkn:[23,28],bl:[21,25],black:[24,27,30,31,33],blackadar:33,blank:31,bld:33,bli:[21,33],blkmag:21,blkshr:21,blob:25,blow:33,blst:33,blu:25,blue:[23,24,28],blysp:33,bmixl:33,bmx:25,bna:25,bo:23,board:20,bod:25,boi:23,border:23,both:[16,20,22,24,26],bottom:[19,33],bou:24,boulder:24,bound:[16,17,22,23,24,28,31],boundari:[19,21,22,28,33],box:[16,17,22,27],bq:33,bra:25,bright:33,brightbandbottomheight:33,brightbandtopheight:33,brn:21,brnehii:21,brnmag:21,brnshr:21,brnvec:21,bro:23,broken:0,browser:34,brtmp:33,btl:25,btot:33,buffer:[19,24,28],bufr:[21,25,32],bufrmosavn:21,bufrmoseta:21,bufrmosgf:21,bufrmoshpc:21,bufrmoslamp:21,bufrmosmrf:21,bufrua:[16,21,30],bui:23,build:[3,16,30],bulb:33,bundl:16,bvec1:33,bvec2:33,bvec3:33,bvr:25,bytebufferwrapp:16,c01:25,c02:25,c03:25,c04:25,c06:25,c07:25,c08:25,c09:25,c10:25,c11:25,c12:25,c13:25,c14:25,c17:25,c18:25,c19:25,c20:25,c21:25,c22:25,c23:25,c24:25,c25:25,c27:25,c28:25,c30:25,c31:25,c32:25,c33:25,c34:25,c35:25,c36:25,c7h:25,c:[17,18,22,25,30,33,34],caesium:33,cai:25,caii:33,caiirad:33,calc:[23,25,28,30],calcul:[16,22,27,30],call:[0,16,19,22,24,34],caller:16,camt:33,can:[0,3,16,19,21,22,24,25,28,29,34],canopi:33,capabl:16,capac:33,cape:[21,29,33],capestk:21,capetolvl:21,car:23,carolina:28,cartopi:[17,19,20,21,23,24,26,27,28,29,31,32],cat:33,categor:33,categori:[17,23,24,25,26,28,29,31,33],cave:[16,17,34],cb:33,cbar2:22,cbar:[22,24,26,27,29],cbase:33,cbe:25,cbhe:33,cbl:33,cbn:25,cbound:24,cc5000:24,ccape:21,ccbl:33,cceil:33,ccfp:16,ccin:21,ccittia5:33,ccly:33,ccond:33,ccr:[17,19,20,22,23,24,26,27,28,29,31],cctl:33,ccy:33,cd:[33,34],cdcimr:33,cdcon:33,cdlyr:33,cduvb:33,cdww:33,ceas:33,ceil:33,cell:[16,22],cent:33,center:[0,22,33,34],cento:0,central_latitud:[23,28],central_longitud:[19,20,23,28],certain:[2,16],cfeat:[19,20,29],cfeatur:[23,28,31],cfnlf:33,cfnsf:33,cfrzr3hr:21,cfrzr6hr:21,cfrzr:[21,33],cg:33,ch1:19,ch2:19,ch3:19,ch:[19,23,29],chang:[2,6,16,23,24,33],changeedexhost:[2,6,15,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31],channel:[19,33],chart:30,che:25,check:19,chill:33,choos:16,cice:33,cicel:33,cicep3hr:21,cicep6hr:21,cicep:[21,33],ciflt:33,cin:[21,33],cira:32,cisoilw:33,citylist:24,citynam:24,civi:33,ckn:25,cld:25,cldcvr:25,cldsnow:19,cle:[23,25],clean:[16,18],clear:33,clg:33,clgtn:33,click:0,client:[0,2,12],climat:21,clip:19,clip_on:[23,28],cln:25,clone:34,cloud:[15,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,33],cloud_coverag:[23,28],cloudcov:33,cloudm:33,clt:23,clwmr:33,cm:33,cmap:[19,22,24,26,27,29],cmc:[18,21],cngwdu:33,cngwdv:33,cnvdemf:33,cnvdmf:33,cnvhr:33,cnvmr:33,cnvu:33,cnvumf:33,cnvv:33,cnwat:33,coars:33,coastlin:[17,19,20,22,23,24,26,27,29,31],code:[0,16,19,21,23,26,28,33],coe:23,coeff:26,coeffici:33,col1:25,col2:25,col3:25,col4:25,col:33,collect:20,color:[18,19,21,22,23,25,28,30,31,32],colorado:24,colorbar:[22,24,26,27,29],column:[24,29,33],com:[0,16,17,22,23,25,28,34],combin:[2,16,19,33],combinedtimequeri:14,come:[16,19],command:0,commerci:0,commitgrid:5,common:[0,16,17,22,23,28],common_obs_spati:21,commun:[0,2,6],compar:22,compat:[0,16],complet:16,compon:[0,18,23,25,28,33],component_rang:[18,25,30],compos:0,composit:[0,19,26,29,33],compositereflectivitymaxhourli:33,compris:0,concaten:[25,30],concentr:33,concept:16,cond:33,condens:33,condit:[2,33],condp:33,conduct:[0,33],conf:0,confid:33,configur:0,confus:19,connect:[2,6],consid:[0,16,33],consider:2,consist:[0,16],constant:[22,25,30],constrain:4,construct:25,constructor:16,constructtimerang:3,cont:33,contain:[0,16],contb:33,content:[16,33],contet:33,conti:33,continent:22,continu:[16,26,29,30],contourf:24,contrail:33,control:0,contrust:[15,29],contt:33,conu:[17,19,24,27,29,33],conus_envelop:27,conusmergedreflect:33,conusplusmergedreflect:33,convect:33,conveni:[2,16],converg:33,convers:3,convert:[3,16,17,18,19,22,23,28],convert_temperatur:22,converttodatetim:3,convp:33,coolwarm:29,coord:19,coordin:[0,9,16,22,33],copi:17,corf:21,corff:21,corffm:21,corfm:21,coronagraph:33,correct:[23,28,33],correl:[16,26],correspond:16,cosd:16,cosmic:33,cot:[0,25],could:[2,16,19],count:[24,26,33],counti:[16,28],covari:33,cover:[21,25,33],coverag:33,covmm:33,covmz:33,covpsp:33,covqm:33,covqq:33,covqvv:33,covqz:33,covtm:33,covtt:33,covtvv:33,covtw:33,covtz:33,covvvvv:33,covzz:33,cp3hr:21,cp6hr:21,cp:21,cpofp:33,cpozp:33,cppaf:33,cpr:[21,23],cprat:33,cprd:21,cqv:25,cr:[17,19,20,22,23,24,26,27,28,29,31],crain3hr:21,crain6hr:21,crain:[21,33],creat:[0,2,16,17,18,19,20,22,23,25,27,28,30,31,34],creatingent:[15,19,29],crest:33,crestmaxstreamflow:33,crestmaxustreamflow:33,crestsoilmoistur:33,critic:33,critt1:21,crl:25,cross:33,crr:25,crswkt:12,crtfrq:33,crw:23,cs2:22,cs:[22,24,26,27,29],csdlf:33,csdsf:33,csm:29,csnow3hr:21,csnow6hr:21,csnow:[21,33],csrate:33,csrwe:33,csulf:33,csusf:33,ct:33,cth:29,ctl:33,ctop:33,ctophqi:33,ctot:21,ctp:33,ctstm:33,ctt:29,cty:25,ctyp:33,cuefi:33,cultur:[24,29,31],cumnrm:21,cumshr:21,cumulonimbu:33,current:[16,33],curu:21,custom:16,custom_layout:[23,28],cv:25,cvm:25,cwat:33,cwdi:33,cweu:25,cwfn:25,cwkx:25,cwlb:25,cwlo:25,cwlt:25,cwlw:25,cwmw:25,cwo:25,cwork:33,cwp:33,cwph:25,cwqg:25,cwr:33,cwsa:25,cwse:25,cwzb:25,cwzc:25,cwzv:25,cyah:25,cyan:19,cyaw:25,cybk:25,cybu:25,cycb:25,cycg:25,cycl:[2,15,18,19,21,22,25,26,27],cyclon:33,cycx:25,cyda:25,cyeg:25,cyev:25,cyf:25,cyfb:25,cyfo:25,cygq:25,cyhm:25,cyhz:25,cyjt:25,cylh:25,cylj:25,cymd:25,cymo:25,cymt:25,cymx:25,cyoc:25,cyow:25,cypa:25,cype:25,cypl:25,cypq:25,cyqa:25,cyqd:25,cyqg:25,cyqh:25,cyqi:25,cyqk:25,cyqq:25,cyqr:25,cyqt:25,cyqx:25,cyrb:25,cysi:25,cysm:25,cyt:25,cyth:25,cytl:25,cyul:25,cyux:25,cyvo:25,cyvp:25,cyvq:25,cyvr:25,cyvv:25,cywa:25,cywg:25,cywo:25,cyx:25,cyxc:25,cyxh:25,cyxi:25,cyxu:25,cyxx:25,cyxz:25,cyy:25,cyyb:25,cyyc:25,cyyj:25,cyyq:25,cyyr:25,cyyt:25,cyyz:25,cyz:25,cyzf:25,cyzt:25,cyzv:25,d2d:0,d2dgriddata:16,d:[0,15,16,17,18,23,25,28,29,33],daemon:0,dai:[20,29,33],daili:33,dal:2,dalt:33,darkgreen:[17,23,28],darkr:[23,28],data:[0,2,4,6,7,8,9,10,20,23,24,26,27,28,29,30,31,33],data_arr:23,dataaccess:[1,2,4,6,7,8,9,12,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31],dataaccesslay:[4,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31],dataaccessregistri:16,databas:[0,16,24,28],datadestin:16,datafactoryregistri:16,dataplugin:[16,22],datarecord:7,dataset:[0,21,24,34],datasetid:[6,16],datastorag:16,datatim:[2,6,16,19,21,30],datatyp:[2,4,12,17,19,20,21,22,23,24,28,29],datauri:29,date:3,datetim:[3,10,17,18,19,20,23,25,28,29,31],datetimeconvert:14,db:[16,33],dbll:33,dbm:0,dbrdust:19,dbsl:33,dbss:33,dbz:[26,33],dcape:21,dcbl:33,dccbl:33,dcctl:33,dctl:33,dd:21,debra:19,decod:[0,16],decreas:22,deep:33,def:[19,22,23,24,26,27,28,29,31],defaultdatarequest:[16,22],defaultgeometryrequest:16,defaultgridrequest:16,deficit:33,defin:[4,21,24,29,31,33],definit:[16,24],defv:21,deg2rad:30,deg:[25,33],degc:[18,23,25,28,30],degf:[17,23,28,30],degre:[22,23,28,33],del2gh:21,deleg:16,delta:33,den:[25,33],densiti:33,depend:[2,16,19,21,24,33],depmn:33,deposit:33,depr:33,depress:33,depth:33,depval:10,deriv:[0,16,26,29,33],describ:[0,19],descript:[10,33],design:[0,19],desir:[16,19],desktop:0,destin:16,destunit:22,detail:[16,21],detect:[20,33],determin:[0,16,18,27],determinedrtoffset:13,detrain:33,dev:33,develop:[0,20,34],deviat:33,devmsl:33,dew:33,dew_point_temperatur:[23,28],dewpoint:[18,23,28,30],df:21,dfw:23,dhr:29,diagnost:33,dice:33,dict:[17,20,22,23,24,26,27,28,29,31],dictionari:[2,4,6,23,28],difeflux:33,diff:26,differ:[0,16,21,22,33],differenti:33,diffus:33,dififlux:33,difpflux:33,digit:[15,26],dim:33,dimens:19,dimension:0,dir:25,dirc:33,dirdegtru:33,direc:[30,33],direct:[23,28,33],directli:[0,19],directori:19,dirpw:33,dirsw:33,dirwww:33,discharg:20,disclosur:24,disk:[19,33],dispers:33,displai:[0,16,34],display:0,dissip:33,dist:33,distinct:16,distirubt:25,distribut:0,diverg:33,divers:16,divf:21,divfn:21,divid:33,dlh:23,dlwrf:33,dm:33,dman:30,dobson:33,document:[16,21],doe:[16,25],domain:[0,24],don:[16,19],done:[16,19],dot:[18,30],doubl:8,dov:25,down:17,downdraft:33,download:[0,24],downward:33,dp:[21,33],dpblw:33,dpd:21,dpg:25,dpi:[19,23],dpmsl:33,dpt:[18,21,28,33],drag:33,draw:[17,19,25,27,30],draw_label:[22,24,26,28,29,31],dream:16,drift:33,drop:33,droplet:33,drt:23,dry:33,dry_laps:[25,30],dsc:25,dsd:25,dskdai:33,dskint:33,dskngt:33,dsm:23,dstack:19,dstype:[17,22,23,28],dswrf:33,dt:[21,33],dtrf:33,dtx:25,dtype:[17,18,23,28,31],due:33,durat:33,dure:[2,22],dust:19,duvb:33,dvadv:21,dvl:29,dvn:25,dwpc:25,dwuvr:33,dwww:33,dy:25,dynamicseri:[3,17,22,23,28],dz:21,dzdt:33,e28:25,e74:25,e7e7e7:28,e:[0,16,23,25,28,29,33],ea:33,each:[2,16,19,24,25,28,31],eas:16,easier:16,easiest:22,easili:24,east:[19,29,33],east_6km:21,east_pr_6km:21,eastward_wind:[23,28],eat:25,eatm:33,eax:25,echo:[26,33],echotop18:33,echotop30:33,echotop50:33,echotop60:33,ecmwf:33,econu:[19,29],eddi:33,edex:[2,6,15,16,17,18,20,22,23,24,25,26,27,28,29,30,31,34],edex_camel:0,edex_ldm:0,edex_postgr:0,edex_url:21,edexserv:[17,20,23,28],edg:22,edgecolor:[19,24,27,28,31],editor:0,edu:[0,15,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,34],edw:25,eet:29,ef25m:33,ef50m:33,efd:29,effect:[16,33],effici:33,effict:34,efl:25,ehelx:33,ehi01:21,ehi:21,ehii:21,ehlt:33,either:[0,16,21,31,34],elcden:33,electmp:33,electr:33,electron:33,element:[6,9,21,23],elev:[24,30,33],eli:23,elif:[17,18,19,23,28],ellips:19,elon:33,elonn:33,elp:23,els:[17,18,19,21,23,26,27,28,31],elsct:33,elyr:33,email:34,embed:33,emeso:29,emiss:33,emit:20,emnp:33,emp:25,emploi:0,empti:18,emsp:21,enabl:[16,24],encod:33,encode_dep_v:10,encode_radi:10,encode_thresh_v:10,encourag:0,end:[0,17,19,23,25,28],endrang:[17,23,28],energi:33,engeri:33,engin:33,enhanc:[0,26],enl:25,ensur:0,entir:[0,24,33],entiti:[0,15,19],entitl:0,enumer:[24,27,29],env:[4,16,22,34],envelop:[2,4,12,16,17,18,22,24,27,28],environ:[0,2,34],environment:[0,20],eocn:33,eph:23,epot:33,epsr:33,ept:21,epta:21,eptc:21,eptgrd:21,eptgrdm:21,epv:21,epvg:21,epvt1:21,epvt2:21,equilibrium:33,equival:33,error:[0,16,21,33],esp2:21,esp:21,essenti:[16,24],establish:19,estc:25,estim:33,estof:21,estpc:33,estuwind:33,estvwind:33,eta:[25,33],etal:33,etc:[0,16,18,24],etcwl:33,etot:33,etsrg:33,etss:21,euv:33,euvirr:33,euvrad:33,ev:33,evapor:33,evapotranspir:33,evapt:33,evb:33,evcw:33,evec1:33,evec2:33,evec3:33,event:20,everi:16,everyth:16,evp:33,ewatr:33,exact:19,exactli:19,exampl:[0,2,15,16,19,21,22,24,25,26,29,30,31],exceed:33,except:[11,16,21,23,25,28],excess:33,exchang:[0,33],execut:0,exercis:[17,23,28],exist:[2,16,17,19],exit:25,exp:25,expand:16,expect:16,experienc:34,explicit:22,exten:33,extend:[16,24,26,30],extent:[19,20,24,29],extra:33,extrem:33,f107:33,f10:33,f1:33,f2:33,f:[17,21,22,25,30,33,34],facecolor:[20,24,27,28,29,31],facilit:0,factor:33,factori:4,factorymethod:16,fall:[24,29],fals:[1,2,19,22,24,26,28,29,31],familiar:16,far:23,farenheit:22,faster:16,fat:23,fc:25,fcst:[21,27],fcsthour:25,fcsthr:27,fcstrun:[15,18,21,22,25,27],fdc:29,fdr:25,featur:[19,20,23,24,28,29,31],feature_artist:[27,28],featureartist:[27,28],feed:0,feel:[19,34],felt:16,few:[16,19,21,23,28],ff:21,ffc:25,ffg01:33,ffg03:33,ffg06:33,ffg12:33,ffg24:33,ffg:[21,33],ffmp:16,ffr01:33,ffr03:33,ffr06:33,ffr12:33,ffr24:33,ffrun:33,fgen:21,fhag:18,fhu:25,fice:33,field:[16,24,33],fig2:22,fig:[17,19,20,22,23,24,26,27,28,29,31],fig_synop:28,figh:19,figsiz:[17,18,20,22,23,24,25,26,27,28,29,30,31],figur:[18,19,22,23,25,29,30],figw:19,file:[0,10,16,19],filter:[2,21,28],filterwarn:[17,23,25,26,28],find:[2,21],fine:[16,33],finish:0,fire:[20,33],firedi:33,fireodt:33,fireolk:33,first:[9,16,19,20,29,31,33],fix:[21,22],fl:28,flag:30,flash:[20,33],flat:26,flatten:26,fldcp:33,flg:[23,25],flght:33,flight:33,float64:31,floatarraywrapp:16,flood:[20,33],florida:28,flow:0,flown:20,flp:25,flux:33,fmt:[23,28],fnd:21,fnmoc:21,fnvec:21,fog:29,folder:[16,19],follow:[0,16,19,25,30],fontsiz:[17,23,28],footnot:19,footnotestr:19,forc:[33,34],forcast:21,forecast:[0,2,6,20,21,22,29,32,33,34],forecasthr:2,forecastmodel:25,forg:34,form:0,format:[0,20,21,23],foss:0,foss_cots_licens:0,found:[16,17,18,21,26,28],fpk:25,fprate:33,fractil:33,fraction:[19,23,28,33],frain:33,framework:[2,6],free:[0,16,19,33,34],freez:33,freq:33,frequenc:[20,33],frequent:16,fri:25,friction:33,fricv:33,frime:33,from:[0,2,3,16,17,18,19,20,21,22,23,24,26,27,28,29,30,31,33,34],fromtimestamp:23,front:0,frozen:33,frozr:33,frzr:33,fsd:[21,23],fsi:25,fsvec:21,ftr:25,full:[2,15,16,21,24,29,30],fulli:19,fundament:0,further:0,furthermor:16,futur:16,fvec:21,fwd:25,fwr:21,fzra1:21,fzra2:21,g001:25,g003:25,g004:25,g005:25,g007:25,g009:25,g:[16,18,19,25,30,33],ga:28,gage:16,gamma:21,gather:19,gaug:33,gaugecorrqpe01h:33,gaugecorrqpe03h:33,gaugecorrqpe06h:33,gaugecorrqpe12h:33,gaugecorrqpe24h:33,gaugecorrqpe48h:33,gaugecorrqpe72h:33,gaugeinfindex01h:33,gaugeinfindex03h:33,gaugeinfindex06h:33,gaugeinfindex12h:33,gaugeinfindex24h:33,gaugeinfindex48h:33,gaugeinfindex72h:33,gaugeonlyqpe01h:33,gaugeonlyqpe03h:33,gaugeonlyqpe06h:33,gaugeonlyqpe12h:33,gaugeonlyqpe24h:33,gaugeonlyqpe48h:33,gaugeonlyqpe72h:33,gbound:24,gc137:33,gca:19,gcbl:33,gctl:33,gdp:25,gdv:25,gempak:[17,25],gener:[2,16,27],geoax:22,geocolor:19,geocolr:19,geodatarecord:8,geograph:[21,34],geoid:33,geom:[15,24,25,28,31],geom_count:31,geom_typ:31,geometr:33,geometri:[2,4,8,16,17,18,24,27,28,31],geomfield:[24,28],geopotenti:33,georgia:28,geospati:16,geostationari:[19,32],geovort:21,geow:21,geowm:21,get:[2,4,7,8,9,10,16,17,18,22,23,24,28,29,30,31],get_cloud_cov:[23,28],get_cmap:[22,24,26,27],get_data_typ:10,get_datetime_str:10,get_dpi:19,get_hdf5_data:[10,15],get_head:10,getattribut:[7,16,20],getavailablelevel:[2,12,15,18,21,26],getavailablelocationnam:[2,12,15,16,19,21,25,26,29,30],getavailableparamet:[2,12,15,20,21,23,26,28,29],getavailabletim:[1,2,12,15,16,18,19,20,21,22,25,26,27,29,30,31],getdata:16,getdatatim:[7,15,16,17,19,20,21,22,23,25,26,27,28,29,30,31],getdatatyp:[4,16],getenvelop:[4,16],getfcsttim:[21,25,27],getforecastrun:[2,15,18,21,22,25,27],getgeometri:[2,8,15,16,20,24,25,28,31],getgeometrydata:[2,12,15,16,17,20,21,23,24,25,28,30,31],getgriddata:[2,12,15,16,19,21,22,24,26,27,29],getgridgeometri:16,getgridinventori:5,getidentifi:[4,16],getidentifiervalu:[2,12,15,19,20,29],getlatcoord:16,getlatloncoord:[9,15,21,22,24,26,27,29],getlevel:[4,7,16,22,26],getlocationnam:[4,7,15,16,21,22,25,26,27,31],getloncoord:16,getmetarob:[2,17,28],getnotificationfilt:12,getnumb:[8,16,23,24,25,28,30],getoptionalidentifi:[2,12,19,29],getparamet:[8,9,16,21,22,23,25,26,29,30,31],getparmlist:5,getradarproductid:[2,26],getradarproductnam:[2,26],getrawdata:[9,15,16,19,21,22,24,26,27,29],getreftim:[15,18,19,20,21,22,25,26,27,29,30,31],getrequiredidentifi:[2,12],getselecttr:5,getsiteid:5,getsound:[6,18],getstoragerequest:16,getstr:[8,16,23,24,28,30,31],getsupporteddatatyp:[2,12,21],getsynopticob:[2,28],gettyp:[8,16],getunit:[8,9,16,21,26,30],getvalidperiod:[15,25,31],gf:[21,25],gfe:[0,4,5,16,21],gfeeditarea:21,gfegriddata:16,gflux:33,gfs1p0:21,gfs20:[18,21],gfs40:16,gh:[21,33],ght:33,ghxsm2:21,ghxsm:21,gi131:33,gi:24,git:34,github:[0,25,34],given:[3,6,21,33],gjt:23,gl:[22,24,26,28,29,31],gld:23,glm:15,glm_point:20,glmev:20,glmfl:20,glmgr:[15,20],global:[21,33],globe:19,glry:25,gm:29,gmt:[20,25],gmx1:25,gnb:25,gnc:25,go:[16,21,22],goal:16,goe:[32,33],goes16:19,good:24,gov:25,gp:33,gpa:33,gpm:33,grab:[19,23,28],grad:33,gradient:33,gradp:33,grai:19,graphic:0,graup:33,graupel:33,graupl:33,graviti:33,grb:23,greatest:27,green:17,grf:25,grib:[0,16,22,33],grid:[0,2,4,6,9,16,18,19,24,26,27,28,29,32],grid_cycl:21,grid_data:21,grid_fcstrun:21,grid_level:21,grid_loc:21,grid_param:21,grid_request:21,grid_respons:21,grid_tim:21,griddata:24,griddatafactori:16,griddatarecord:9,gridgeometry2d:16,gridlin:[19,20,22,24,26,27,28,29,31],grle:33,ground:[20,21,22,33],groundwat:33,group:[20,24],growth:33,gscbl:33,gsctl:33,gsgso:33,gtb:25,gtp:25,guarante:2,guid:19,guidanc:33,gust:33,gv:25,gvl:25,gvv:21,gwd:33,gwdu:33,gwdv:33,gwrec:33,gyx:25,h02:25,h50above0c:33,h50abovem20c:33,h60above0c:33,h60abovem20c:33,h:[17,18,19,23,25,28,29,30,33],ha:[0,16,19,24],hag:21,hai:25,hail:33,hailprob:33,hailstorm:20,hain:33,hall:33,hand:[23,28],handl:[0,16,24],handler:[16,25],harad:33,hasn:19,hat:0,have:[16,21,23,28,31,34],havni:33,hazard:16,hcbb:33,hcbl:33,hcbt:33,hcdc:33,hcl:33,hcly:33,hctl:33,hdfgroup:0,hdln:31,header:0,headerformat:10,heat:33,heavi:33,hecbb:33,hecbt:33,height:[16,19,20,21,22,24,29,30,33],heightcompositereflect:33,heightcthgt:33,heightllcompositereflect:33,helcor:33,heli:21,helic:[21,33],heliospher:33,help:21,helper:16,hemispher:29,here:[19,21,22,23,25,28],hf:33,hflux:33,hfr:21,hgr:25,hgt:33,hgtag:33,hgtn:33,hh:21,hhc:29,hi1:21,hi3:21,hi4:21,hi:21,hidden:0,hide:16,hidx:21,hierarch:0,hierarchi:16,high:[0,20,33],highest:33,highlayercompositereflect:33,highli:0,hindex:33,hint:2,hlcy:33,hln:23,hmc:33,hmn:25,hodograph:[18,30],hom:25,hoo:25,hook:16,horizont:[22,24,26,27,29,33],host:[2,5,6,11,12,30],hot:23,hou:23,hour:[6,23,26,29,33],hourdiff:29,hourli:33,how:[21,22,34],howev:16,hpbl:33,hpcguid:21,hpcqpfndfd:21,hprimf:33,hr:[27,29,33],hrcono:33,hrrr:[21,27],hsclw:33,hsi:25,hstdv:33,hsv:23,htfl:33,htgl:33,htman:30,htsgw:33,htslw:33,http:[0,25,34],htx:33,huge:16,humid:33,humidi:33,hurrican:20,hy:25,hybl:33,hybrid:[15,26,33],hydro:16,hydrometeor:26,hyr:25,hz:33,i:[0,16,21,24,27,28,29],ic:33,icaht:33,icao:[16,33],icc:25,icec:33,iceg:33,icetk:33,ici:33,icib:33,icip:33,icit:33,icmr:33,icon:0,icprb:33,icsev:33,ict:23,icwat:33,id:[16,19,23,24,29,30],ida:23,idata:16,idatafactori:16,idatarequest:[2,14,16,19],idatastor:16,idd:0,ideal:16,identifi:[2,4,16,19,22,23,29],identifierkei:[2,12],idetifi:2,idra:[10,15],idrl:33,ierl:33,if1rl:33,if2rl:33,ifpclient:14,igeometrydata:[2,16],igeometrydatafactori:16,igeometryfactori:16,igeometryrequest:16,igm:25,ignor:[2,16,17,23,25,26,28],igriddata:[2,16],igriddatafactori:16,igridfactori:16,igridrequest:16,ihf:16,ii:27,iintegr:33,il:25,iliqw:33,iln:25,ilw:33,ilx:25,imag:[0,15,22,29],imageri:[0,19,21,27,32,33],imftsw:33,imfww:33,immedi:2,impact:20,implement:[0,2],implent:16,improv:16,imshow:19,imt:25,imwf:33,inc:[18,27],inch:[19,23,27,28,33],includ:[0,3,16,20,25,34],inclus:30,incompatiblerequestexcept:16,incorrectli:22,increas:22,increment:[16,18,25,30],ind:23,independ:0,index:[14,29,33],indic:[2,16,33],individu:[16,19,33],influenc:33,info:16,inform:[0,2,19,20,21],infrar:33,ingest:[0,16],ingestgrib:0,inhibit:33,init:0,initi:[2,30,33],ink:25,inlin:[17,18,20,23,24,25,26,27,28,29,30,31],inloc:[24,28],input:22,ins:16,inset_ax:[18,25,30],inset_loc:[18,25,30],insid:[16,24],inst:26,instal:0,instanc:[2,6,19,21],instantan:33,instanti:16,instead:16,instrr:33,instruct:34,instrument:20,inteflux:33,integ:[23,26,28,33],integr:33,intens:[15,20,33],inter:0,interact:16,interest:[21,32,33,34],interfac:[0,33],intern:2,internet:0,interpol:30,interpret:[16,22],intersect:[24,31],interv:33,intfd:33,intiflux:33,intpflux:33,inv:21,invers:33,investig:21,invok:0,iodin:33,ion:33,ionden:33,ionospher:33,iontmp:33,iplay:21,iprat:33,ipx:25,ipython3:26,ir:[29,33],irband4:33,irradi:33,isbl:33,isentrop:33,iserverrequest:16,isobar:[18,33],isol:0,isotherm:[18,25,30,33],issu:[31,34],item:[17,30],its:[0,16,21],itself:[0,16],izon:33,j:[25,27,33],jack:25,jan:23,java:[0,25],javadoc:16,jax:23,jdn:25,jep:16,jj:27,join:18,jupyt:34,just:[21,34],jvm:16,k0co:23,k40b:25,k9v9:25,k:[21,22,23,25,30,33],kabe:25,kabi:25,kabq:[23,25],kabr:25,kaci:25,kack:25,kact:25,kacv:[23,25],kag:25,kagc:25,kahn:25,kai:25,kak:25,kal:25,kalb:25,kali:25,kalo:25,kalw:25,kama:25,kan:25,kanb:25,kand:25,kaoo:25,kapa:25,kapn:25,kart:25,kase:25,kast:25,kati:25,katl:[23,25],kau:25,kaug:25,kauw:25,kavl:25,kavp:25,kaxn:25,kazo:25,kbaf:25,kbce:25,kbde:[23,25],kbdg:23,kbdl:25,kbdr:25,kbed:25,kbfd:25,kbff:25,kbfi:25,kbfl:25,kbgm:25,kbgr:25,kbhb:25,kbhm:25,kbi:[23,25],kbih:25,kbil:[23,25],kbjc:25,kbji:25,kbke:25,kbkw:25,kblf:25,kblh:25,kbli:25,kbml:25,kbna:25,kbno:25,kbnv:25,kbo:[23,25],kboi:[23,25],kbpt:25,kbqk:25,kbrd:25,kbrl:25,kbro:[23,25],kbtl:25,kbtm:25,kbtr:25,kbtv:25,kbuf:25,kbui:23,kbur:25,kbvi:25,kbvx:25,kbvy:25,kbwg:25,kbwi:25,kbyi:25,kbzn:25,kcae:25,kcak:25,kcar:[23,25],kcd:25,kcdc:25,kcdr:25,kcec:25,kcef:25,kcgi:25,kcgx:25,kch:[23,25],kcha:25,kchh:25,kcho:25,kcid:25,kciu:25,kckb:25,kckl:25,kcle:[23,25],kcll:25,kclm:25,kclt:[23,25],kcmh:25,kcmi:25,kcmx:25,kcnm:25,kcnu:25,kco:25,kcod:25,kcoe:[23,25],kcon:25,kcou:25,kcpr:[23,25],kcre:25,kcrp:25,kcrq:25,kcrw:[23,25],kcsg:25,kcsv:25,kctb:25,kcvg:25,kcwa:25,kcy:25,kdab:25,kdag:25,kdai:25,kdal:25,kdan:25,kdbq:25,kdca:25,kddc:25,kdec:25,kden:25,kdet:25,kdfw:[23,25],kdhn:25,kdht:25,kdik:25,kdl:25,kdlh:[23,25],kdmn:25,kdpa:25,kdra:25,kdro:25,kdrt:[23,25],kdsm:[23,25],kdtw:25,kdug:25,kduj:25,keat:25,keau:25,kecg:25,keed:25,keep:19,kege:25,kei:[4,6,7,16],kekn:25,keko:25,kel:25,keld:25,keli:[23,25],kelm:25,kelo:25,kelp:[23,25],kelvin:[18,22,28],keng:33,kenv:25,keph:[23,25],kepo:25,kepz:25,keri:25,kesf:25,keug:25,kevv:25,kewb:25,kewn:25,kewr:25,keyw:25,kfai:25,kfam:25,kfar:[23,25],kfat:[23,25],kfca:25,kfdy:25,kfkl:25,kflg:[23,25],kfll:25,kflo:25,kfmn:25,kfmy:25,kfnt:25,kfoe:25,kfpr:25,kfrm:25,kfsd:[23,25],kfsm:25,kft:33,kftw:25,kfty:25,kfve:25,kfvx:25,kfwa:25,kfxe:25,kfyv:25,kg:[25,26,33],kgag:25,kgcc:25,kgck:25,kgcn:25,kgeg:25,kgfk:25,kgfl:25,kggg:25,kggw:25,kgjt:[23,25],kgl:25,kgld:[23,25],kglh:25,kgmu:25,kgnr:25,kgnv:25,kgon:25,kgpt:25,kgrb:[23,25],kgri:25,kgrr:25,kgso:25,kgsp:25,kgtf:25,kguc:25,kgup:25,kgwo:25,kgyi:25,kgzh:25,khat:25,khbr:25,khdn:25,khib:25,khio:25,khky:25,khlg:25,khln:[23,25],khob:25,khon:25,khot:[23,25],khou:[23,25],khpn:25,khqm:25,khrl:25,khro:25,khsv:[23,25],kht:25,khth:25,khuf:25,khul:25,khut:25,khvn:25,khvr:25,khya:25,ki:[21,29],kiad:25,kiag:25,kiah:25,kict:[23,25],kida:[23,25],kil:25,kilg:25,kilm:25,kind:[21,23,25,33],kinect:33,kinet:33,kink:25,kinl:25,kint:25,kinw:25,kipl:25,kipt:25,kisn:25,kisp:25,kith:25,kiwd:25,kjac:25,kjan:[23,25],kjax:[23,25],kjbr:25,kjfk:25,kjhw:25,kjkl:25,kjln:25,kjm:25,kjst:25,kjxn:25,kkl:25,kla:25,klaf:25,klan:25,klar:25,klax:[23,25],klbb:[23,25],klbe:25,klbf:[23,25,30],klcb:25,klch:25,kleb:25,klex:[23,25],klfk:25,klft:25,klga:25,klgb:25,klgu:25,klit:25,klmt:[23,25],klnd:25,klnk:[23,25],klol:25,kloz:25,klrd:25,klse:25,klsv:23,kluk:25,klv:25,klw:25,klwb:25,klwm:25,klwt:25,klyh:25,klzk:25,km:33,kmaf:25,kmb:25,kmcb:25,kmce:25,kmci:25,kmcn:25,kmco:25,kmcw:25,kmdn:25,kmdt:25,kmdw:25,kmei:25,kmem:[23,25],kmfd:25,kmfe:25,kmfr:25,kmgm:25,kmgw:25,kmhe:25,kmhk:25,kmht:25,kmhx:[15,25,26],kmhx_0:26,kmia:[23,25],kmiv:25,kmkc:25,kmke:25,kmkg:25,kmkl:25,kml:25,kmlb:25,kmlc:25,kmlf:23,kmli:25,kmlp:23,kmlt:25,kmlu:25,kmmu:25,kmob:[23,25],kmot:25,kmpv:25,kmqt:25,kmrb:25,kmry:25,kmsl:25,kmsn:25,kmso:[23,25],kmsp:[23,25],kmss:25,kmsy:[23,25],kmtj:25,kmtn:25,kmwh:25,kmyr:25,kna:25,knes1:33,knew:25,knl:25,knot:[18,23,25,28,30],know:[16,19,22],known:[0,19,34],knsi:25,knyc:23,knyl:23,ko:[30,33],koak:25,kofk:25,kogd:25,kokc:[23,25],kolf:23,koli:23,kolm:25,koma:25,kont:25,kopf:25,koqu:25,kord:[23,25],korf:25,korh:25,kosh:25,koth:[23,25],kotm:25,kox:33,kp11:25,kp38:25,kpa:33,kpae:25,kpah:25,kpbf:25,kpbi:25,kpdk:25,kpdt:[23,25],kpdx:[23,25],kpfn:25,kpga:25,kphf:25,kphl:[23,25],kphn:25,kphx:[23,25],kpia:25,kpib:25,kpie:25,kpih:[23,25],kpir:25,kpit:[23,25],kpkb:25,kpln:25,kpmd:25,kpn:25,kpnc:25,kpne:25,kpou:25,kpqi:25,kprb:25,kprc:25,kpsc:25,kpsm:[23,25],kpsp:25,kptk:25,kpub:25,kpuw:23,kpvd:25,kpvu:25,kpwm:25,krad:25,krap:[23,25],krbl:25,krdd:25,krdg:25,krdm:[23,25],krdu:25,krf:21,krfd:25,kric:[23,25],kriw:25,krk:25,krkd:25,krno:[23,25],krnt:25,kroa:25,kroc:25,krow:25,krsl:25,krst:25,krsw:25,krum:25,krut:23,krwf:25,krwi:25,krwl:25,ksac:25,ksaf:25,ksan:25,ksat:[23,25],ksav:25,ksba:25,ksbn:25,ksbp:25,ksby:25,ksch:25,ksck:25,ksdf:25,ksdm:25,ksdy:25,ksea:[23,25],ksep:25,ksff:25,ksfo:[23,25],ksgf:25,ksgu:25,kshr:25,kshv:[23,25],ksjc:25,ksjt:25,kslc:[23,25],ksle:25,kslk:25,ksln:25,ksmf:25,ksmx:25,ksn:25,ksna:25,ksp:25,kspi:25,ksrq:25,kssi:25,kst:25,kstj:25,kstl:25,kstp:25,ksu:25,ksun:25,ksux:25,ksve:25,kswf:25,ksyr:[23,25],ktc:25,ktcc:25,ktcl:25,kteb:25,ktiw:25,ktlh:[23,25],ktmb:25,ktol:25,ktop:25,ktpa:[23,25],ktph:25,ktri:25,ktrk:25,ktrm:25,kttd:25,kttf:23,kttn:25,ktu:25,ktul:25,ktup:25,ktvc:25,ktvl:25,ktwf:25,ktxk:25,kty:25,ktyr:25,kuca:25,kuil:23,kuin:25,kuki:25,kunv:[23,25],kurtosi:33,kvct:25,kvel:25,kvih:23,kvld:25,kvny:25,kvrb:25,kwarg:[2,12],kwjf:25,kwmc:[23,25],kwrl:25,kwy:25,kx:33,ky22:25,ky26:25,kykm:25,kykn:25,kyng:25,kyum:25,kzzv:25,l1783:25,l:[18,19,21,25,29,30,33],la:28,laa:25,label:22,lai:33,lake:23,lambda:33,lambertconform:[17,23,28],lamp2p5:21,land:[23,31,33],landn:33,landu:33,languag:16,lap:25,lapp:33,lapr:33,laps:33,larg:[24,33],last:[17,21,23,31],lasthourdatetim:[17,23,28],lat:[2,6,9,15,16,17,18,19,21,22,24,26,27,28,29],latent:33,later:[23,28,31],latest:[2,18,29],latitud:[16,17,18,22,23,28,33],latitude_formatt:[20,22,24,26,27,28,29,31],latlondeleg:9,latlongrid:9,lauv:33,lavni:33,lavv:33,lax:23,layer:[16,21,26,33],layth:33,lazi:2,lazygridlatlon:12,lazyloadgridlatlon:[2,12],lbb:23,lbf:23,lbslw:33,lbthl:33,lby:25,lcbl:33,lcdc:33,lcl:[25,30],lcl_pressur:30,lcl_temperatur:30,lcly:33,lctl:33,lcy:33,ldadmesonet:16,ldl:25,ldmd:0,lead:22,leaf:33,left:[19,30],leftov:2,legendr:33,len:[17,18,22,24,26,28,29,31],length:[31,33],less:[16,18],let:[16,19,22],level3:32,level:[0,2,4,6,7,12,16,18,22,24,25,26,30,32,33],levelreq:18,lex:23,lftx:33,lhtfl:33,lhx:25,li:[21,29],lib:22,librari:22,lic:25,lift:[29,33],light:[20,33],lightn:[32,33],lightningdensity15min:33,lightningdensity1min:33,lightningdensity30min:33,lightningdensity5min:33,lightningprobabilitynext30min:33,like:[3,16,21],limb:33,limit:[2,16,19,28],line:[16,18,19,25,30],linestyl:[18,19,24,25,28,29,30],linewidth:[18,19,23,24,25,27,28,30],linux:0,lipmf:33,liq:26,liquid:33,liqvsm:33,lisfc2x:21,list:[2,4,6,7,8,16,18,20,25,26,29],live:19,ll:[21,22,34],llcompositereflect:33,llsm:33,lltw:33,lm5:21,lm6:21,lmbint:33,lmbsr:33,lmh:33,lmt:23,lmv:33,ln:33,lnk:23,lo:33,load:2,loam:33,loc:[18,25,30],local:[0,16,19],localhost:12,locap:21,locat:[2,4,7,16,17,20,22,24,30],locationfield:[24,28],locationnam:[2,4,12,16,22],log10:33,log:[0,25,30,33],logger:0,logic:22,logp:30,lon:[2,6,9,15,16,17,18,19,21,22,24,26,27,28,29],longer:19,longitud:[16,17,18,22,23,28,33],longitude_formatt:[20,22,24,26,27,28,29,31],look:[16,19,21,22,24],lookup:16,loop:[19,31],lopp:33,lor:25,louisiana:28,louv:33,lovv:33,low:[29,33],lower:[29,33],lowest:33,lowlayercompositereflect:33,lp:33,lpmtf:33,lrghr:33,lrgmr:33,lrr:25,lsclw:33,lsf:25,lsoil:33,lspa:33,lsprate:33,lssrate:33,lssrwe:33,lst:29,lsv:23,lswp:33,ltng:33,lu:25,lvl:[18,21],lvm:25,lw1:25,lwavr:33,lwbz:33,lwhr:33,lwrad:33,m2:33,m2spw:33,m6:33,m:[17,18,23,25,26,28,29,30,33],ma:24,mac:[0,19,25],macat:33,mactp:33,made:[16,19],madv:21,magenta:19,magnet:33,magnitud:[18,33],mai:[0,16,19,22,28,34],main:[0,16,33],maintain:16,maip:33,majorriv:24,make:[16,22,28],make_map:[24,26,27,28,29,31],makedir:19,maketim:13,man_param:30,manag:[0,16,34],mandatori:30,mangeo:30,mani:[22,28],manifest:16,manipul:[0,16,19,22],manner:16,manual:25,map:[16,21,23,27,28,29,32,33],mapdata:[24,28],mapgeometryfactori:16,mapper:[32,33],marker:[20,24,27],markerfacecolor:30,mask:[17,28,33],masked_invalid:24,mass:33,match:[2,16],math:[18,25,30],mathemat:16,matplotlib:[17,18,19,20,22,23,24,25,26,27,28,29,30,31],matplotplib:24,matter:33,max:[17,18,22,24,25,26,27,29,30,33],maxah:33,maxdvv:33,maxept:21,maximum:[24,27,33],maxref:33,maxrh:33,maxuvv:33,maxuw:33,maxvw:33,maxw:33,maxwh:33,maz:25,mb:[18,21,30,33],mbar:[23,25,28,30],mcbl:33,mcdc:33,mcida:29,mcly:33,mcon2:21,mcon:21,mconv:33,mctl:33,mcy:33,mdpc:25,mdpp:25,mdsd:25,mdst:25,mean:[16,33],measur:20,mecat:33,mectp:33,medium:33,mei:33,melbrn:33,melt:[26,33],mem:23,memori:16,merg:33,merged_counti:24,mergedazshear02kmagl:33,mergedazshear36kmagl:33,mergedbasereflect:33,mergedbasereflectivityqc:33,mergedreflectivityatlowestaltitud:33,mergedreflectivitycomposit:33,mergedreflectivityqccomposit:33,mergedreflectivityqcomposit:33,mergesound:25,meridion:33,mesh:33,meshtrack120min:33,meshtrack1440min:33,meshtrack240min:33,meshtrack30min:33,meshtrack360min:33,meshtrack60min:33,mesocyclon:26,messag:[0,16],met:[2,16],metadata:0,metar:[2,16,17,32],meteorolog:[0,34],meteosat:29,meter:[21,22,24],method:[2,16,19,21],metpi:[17,18,24,27,28,30,32],metr:33,mf:16,mflux:33,mflx:33,mg:33,mgfl:25,mggt:25,mght:25,mgpb:25,mgsj:25,mham:25,mhca:25,mhch:25,mhlc:25,mhle:25,mhlm:25,mhnj:25,mhpl:25,mhro:25,mhsr:25,mhte:25,mhtg:25,mhyr:25,mia:23,mib:25,microburst:20,micron:[29,33],mid:33,middl:33,mie:25,might:[2,21,34],min:[17,18,22,24,26,27,29,33],mind:16,minept:21,miniconda3:22,minim:33,minimum:[24,33],minrh:33,minut:[17,28,29],miscellan:29,miss:[28,30],missing200:33,mississippi:28,mix1:21,mix2:21,mix:[25,33],mixht:33,mixl:33,mixli:33,mixr:33,mixrat:21,mkj:25,mkjp:25,mld:25,mlf:23,mllcl:21,mlp:23,mlyno:33,mm:[21,33],mma:25,mmaa:25,mmag:21,mmbt:25,mmc:25,mmce:25,mmcl:25,mmcn:25,mmcu:25,mmcv:25,mmcz:25,mmdo:25,mmgl:25,mmgm:25,mmho:25,mmlp:25,mmma:25,mmmd:25,mmml:25,mmmm:25,mmmt:25,mmmx:25,mmmy:25,mmmz:25,mmnl:25,mmp:21,mmpr:25,mmrx:25,mmsd:25,mmsp:25,mmtc:25,mmtj:25,mmtm:25,mmto:25,mmtp:25,mmun:25,mmvr:25,mmzc:25,mmzh:25,mmzo:25,mnmg:25,mnpc:25,mnt3hr:21,mnt6hr:21,mntsf:33,mob:23,moddelsound:16,model:[6,21,22,29,32,33],modelheight0c:33,modelnam:[6,16,18],modelsound:[14,18,21,25],modelsurfacetemperatur:33,modelwetbulbtemperatur:33,moder:33,modern:0,modifi:[0,16,19],moisten:33,moistur:33,moisutr:25,momentum:33,monoton:22,montgomeri:33,mor:25,more:[16,19,21,22],mosaic:33,most:[0,16,21,22,30,33],motion:33,mountain:33,mountainmapperqpe01h:33,mountainmapperqpe03h:33,mountainmapperqpe06h:33,mountainmapperqpe12h:33,mountainmapperqpe24h:33,mountainmapperqpe48h:33,mountainmapperqpe72h:33,move:16,mpbo:25,mpch:25,mpda:25,mpl:[20,22,24,26,27,28,29,31],mpl_toolkit:[18,25,30],mpmg:25,mpsa:25,mpto:25,mpv:21,mpx:25,mr:25,mrch:25,mrcono:33,mrf:[23,25],mrlb:25,mrlm:25,mrm:21,mrms_0500:21,mrms_1000:21,mrmsvil:33,mrmsvildens:33,mroc:25,mrpv:25,ms:28,msac:25,msfdi:21,msfi:21,msfmi:21,msg:21,msgtype:20,msl:[21,33],mslet:33,mslp:[25,33],mslpm:33,mso:23,msp:23,msr:21,msss:25,mstav:33,msy:23,mtch:25,mtha:33,mthd:33,mthe:33,mtht:33,mtl:25,mtpp:25,mtri:[25,30],mtv:[21,25],mty:25,muba:25,mubi:25,muca:25,mucap:21,mucl:25,mucm:25,mucu:25,mugm:25,mugt:25,muha:25,multi:2,multi_value_param:[23,28],multilinestr:24,multipl:[0,16,19,21,28],multipolygon:[15,24,28,31],mumo:25,mumz:25,mung:25,must:[2,3,16,19,25],muvr:25,muvt:25,mwcr:25,mwsl:33,mwsper:33,mxsalb:33,mxt3hr:21,mxt6hr:21,mxuphl:33,myb:25,myeg:25,mygf:25,mygw:25,myl:25,mynn:25,mzbz:25,mzptsw:33,mzpww:33,mzt:25,mzwper:33,n0r:29,n1p:29,n:[24,25,30,33],nam12:21,nam40:[18,21,27],nam:[18,25],name:[0,2,4,5,7,8,16,18,19,24,26,28,29,30,31],nan:[17,23,26,28,29,30],nanmax:26,nanmin:26,nation:[0,34],nativ:[2,3,16,19],natur:33,naturalearthfeatur:[24,29,31],navgem0p5:21,nbdsf:33,nbe:21,nbsalb:33,ncep:25,ncip:33,nck:25,ncoda:21,ncp:0,ncpcp:33,ndarrai:26,nddsf:33,ndvi:33,nearest:33,necessari:16,need:[2,16,19,21,22,34],neighbor:33,neither:33,nesdi:29,net:33,netcdf:[0,19],neutral:33,neutron:33,newdatarequest:[2,12,14,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31],newhostnam:2,nexrad3:2,nexrad:32,nexrad_data:26,nexrcomp:29,next:[19,23,28,31,33],ngx:25,nh:29,nhk:25,nid:25,night:[20,33],nkx:25,nlat:33,nlatn:33,nlgsp:33,nlwr:33,nlwrc:33,nlwrf:33,nlwrt:33,noa:25,noaa:25,noaaport:25,nohrsc:21,nomin:[21,33],non:[33,34],none:[2,5,6,7,9,12,19,22,23,24,27,28,29,31,33],normal:[29,33],normalis:33,north:[17,23],northern:29,northward_wind:[23,28],note:[16,18,19,21,22,33],notebook:[17,18,20,23,24,25,26,27,28,29,30,31,34],notif:0,now:[21,27,28,31],np:[17,18,19,20,23,24,25,26,27,28,29,30,31],npixu:33,npoess:29,nru:25,nsharp:25,nsof:29,nst1:21,nst2:21,nst:21,nswr:33,nswrf:33,nswrfc:33,nswrt:33,ntat:[21,33],ntd:25,ntmp:25,ntp:29,ntrnflux:33,nuc:33,number:[0,8,16,22,24,31,33],numer:[2,33],nummand:30,nummwnd:30,numpi:[9,15,16,17,18,19,20,23,24,25,26,27,28,29,30,31],numsigt:30,numsigw:30,numtrop:30,nw:[21,23,25,28],nwsalb:33,nwstr:33,nx:[9,12],ny:[9,12],nyc:23,nyl:23,o3mr:33,o:25,ob:[2,4,15,16,17,20,21,24,25,30,31,32],obil:33,object:[2,3,4,6,16,24,30],obml:33,observ:[0,17,23],observs:28,obsgeometryfactori:16,ocean:[23,33],oct:20,off:[0,19,22],offer:21,offset:[16,19,24],offsetstr:29,often:16,ohc:33,oitl:33,okai:22,okc:23,olf:23,oli:23,olyr:33,om:25,omega:[25,33],omgalf:33,oml:33,omlu:33,omlv:33,onc:[16,21],one:[16,19,21,22],onli:[0,2,4,21,33],onlin:21,onset:33,onto:19,op:24,open:[0,16,33,34],oper:[0,20,34],opt:22,option:[2,6,16,21,29],orang:[17,24],orbit:20,ord:23,order:[18,22,33,34],org:0,orient:[22,24,26,27,29],origin:19,orn:21,orographi:33,orthograph:20,os:[0,19],osd:33,oseq:33,oth:23,other:[0,16,19,21,24,29],otherwis:2,our:[18,19,21,22,24,27,28,29,31,34],ourselv:25,out:[2,16,21,23,28,34],outlook:33,output:21,outputdir:19,outsid:16,ovc:[23,28],over:[25,33],overal:33,overhead:2,own:[0,16],ozcat:33,ozcon:33,ozmax1:33,ozmax8:33,ozon:[29,33],p2omlt:33,p3hr:21,p6hr:21,p:[21,25,29,30,33],pa:[25,33],pacakg:34,packag:[0,16,21,22,24],pad:19,pad_inch:19,padv:21,page:24,pai:18,pair:[3,6,17],palt:33,parallel:33,param1:21,param2:21,param3:21,param:[4,8,16,17,21,23,28],paramet:[2,4,6,8,9,12,16,18,22,28,30,31,32],parameter:33,parameterin:33,paramt:25,parcal:33,parcali:33,parcel:[30,33],parcel_profil:[25,30],parm:[18,21,25,31],parm_arrai:30,parmid:5,part:[0,16],particl:33,particul:33,particular:[2,16],pass:[3,16,19,28],past:33,path:[0,19],pbe:21,pblr:33,pblreg:33,pcbb:33,pcbt:33,pcolormesh:[26,27,29],pcp:33,pcpn:33,pctp1:33,pctp2:33,pctp3:33,pctp4:33,pd:[15,31],pdf:0,pdly:33,pdmax1:33,pdmax24:33,pdt:23,pdx:23,peak:33,peaked:33,pec:21,pecbb:33,pecbt:33,pecif:16,pedersen:33,pellet:33,per:33,percent:[29,33],perform:[2,3,6,16,18],period:[25,31,33],perpendicular:33,perpw:33,person:0,perspect:0,persw:33,pertin:16,pevap:33,pevpr:33,pfrezprec:33,pfrnt:21,pfrozprec:33,pgrd1:21,pgrd:21,pgrdm:21,phase:[26,33],phenomena:20,phensig:[15,31],phensigstr:31,phl:23,photar:33,photospher:33,photosynthet:33,phx:23,physic:33,physicalel:29,pick:[19,21],pid:5,piec:[0,16],pih:23,pirep:[16,21],pit:23,piva:21,pixel:[19,33],pixst:33,plai:22,plain:33,plan:16,planetari:33,plant:33,platecarre:[17,20,22,23,24,26,27,28,29,31],plbl:33,pleas:[22,34],pli:33,plot:[18,19,20,21,24,25,26,30,31],plot_barb:[18,25,30],plot_colormap:[18,25,30],plot_dry_adiabat:18,plot_mixing_lin:18,plot_moist_adiabat:18,plot_paramet:17,plot_text:23,plpl:33,plsmden:33,plt:[17,18,19,20,22,23,24,25,26,27,28,29,30,31],plu:33,plug:16,plugin:[25,30],plugindataobject:16,pluginnam:16,pm:33,pmaxwh:33,pmtc:33,pmtf:33,pname:24,png:19,poe:29,point:[15,16,17,18,19,20,21,24,25,27,33],pointdata:16,poli:[15,31],polit:24,political_boundari:[24,31],pollut:33,polygon:[15,16,17,18,24,27,28,32],pop:[24,33],popul:[16,21,24],populatedata:16,poro:33,poros:33,port:[5,11],posh:33,post:0,postgr:[0,24],pot:[21,33],pota:21,potenti:33,power:[16,29],poz:33,pozo:33,pozt:33,ppan:33,ppb:33,ppbn:33,ppbv:33,ppert:33,pperww:33,ppffg:33,ppnn:33,ppsub:33,pr:[21,25,33],practicewarn:21,prate:33,pratmp:33,prcp:33,pre:33,preced:16,precip:[26,32,33],precipit:[23,26,27,28,29,33],precipr:33,preciptyp:33,predomin:33,prepar:[16,23],prepend:23,pres_weath:[23,28],presa:33,presd:33,presdev:33,present:0,present_weath:[23,28],presn:33,pressur:[18,25,29,30,33],presur:33,presweath:[2,23,28],previou:22,previous:[24,34],primari:[0,33],print:[15,17,18,19,20,21,22,23,24,25,26,27,28,29,31],print_funct:24,prior:33,prman:30,prmsl:33,prob:33,probabilityse:33,probabl:33,proce:19,process:[0,2,16],processor:0,procon:33,prod:26,produc:22,product:[0,2,15,16,17,25,26,32,33],productid:26,productnam:26,prof:30,profil:[0,16,21,25,30],prog_disc:24,prognam:5,program:[0,34],progress:24,proj:[19,23,28],project:[16,17,19,20,22,23,24,26,27,28,29,31],proper:19,properti:29,proport:33,propos:33,proprietari:0,protden:33,proton:33,prottmp:33,provid:[0,2,16,24,34],prp01h:33,prp03h:33,prp06h:33,prp12h:33,prp24h:33,prp30min:33,prpmax:33,prptmp:33,prregi:29,prsig:30,prsigsv:33,prsigsvr:33,prsigt:30,prsvr:33,ps:30,pseudo:33,psfc:33,psm:23,psql:0,psu:33,ptan:33,ptbn:33,ptend:33,ptnn:33,ptor:33,ptr:21,ptva:21,ptyp:21,ptype:33,pull:[19,23],pulsecount:20,pulseindex:20,pure:16,purpl:17,put:[23,28],puw:23,pv:[21,33],pveq:21,pvl:33,pvmww:33,pvort:33,pw2:21,pw:[21,29,33],pwat:33,pwc:33,pwcat:33,pwper:33,pwther:33,px_height:19,px_width:19,py:[16,22,34],pydata:14,pygeometrydata:14,pygriddata:[14,22,24],pyjobject:16,pyplot:[17,18,19,20,22,23,24,25,26,27,28,29,30,31],python3:[22,34],python:[0,2,3,16,19,21,22,23,24,28,29,31],q:[25,33],qdiv:21,qmax:33,qmin:33,qnvec:21,qpe01:33,qpe01_acr:33,qpe01_alr:33,qpe01_fwr:33,qpe01_krf:33,qpe01_msr:33,qpe01_orn:33,qpe01_ptr:33,qpe01_rha:33,qpe01_rsa:33,qpe01_str:33,qpe01_tar:33,qpe01_tir:33,qpe01_tua:33,qpe06:33,qpe06_acr:33,qpe06_alr:33,qpe06_fwr:33,qpe06_krf:33,qpe06_msr:33,qpe06_orn:33,qpe06_ptr:33,qpe06_rha:33,qpe06_rsa:33,qpe06_str:33,qpe06_tar:33,qpe06_tir:33,qpe06_tua:33,qpe24:33,qpe24_acr:33,qpe24_alr:33,qpe24_fwr:33,qpe24_krf:33,qpe24_msr:33,qpe24_orn:33,qpe24_ptr:33,qpe24_rha:33,qpe24_rsa:33,qpe24_str:33,qpe24_tar:33,qpe24_tir:33,qpe24_tua:33,qpe:33,qpeffg01h:33,qpeffg03h:33,qpeffg06h:33,qpeffgmax:33,qpf06:33,qpf06_acr:33,qpf06_alr:33,qpf06_fwr:33,qpf06_krf:33,qpf06_msr:33,qpf06_orn:33,qpf06_ptr:33,qpf06_rha:33,qpf06_rsa:33,qpf06_str:33,qpf06_tar:33,qpf06_tir:33,qpf06_tua:33,qpf24:33,qpf24_acr:33,qpf24_alr:33,qpf24_fwr:33,qpf24_krf:33,qpf24_msr:33,qpf24_orn:33,qpf24_ptr:33,qpf24_rha:33,qpf24_rsa:33,qpf24_str:33,qpf24_tar:33,qpf24_tir:33,qpf24_tua:33,qpidd:0,qpv1:21,qpv2:21,qpv3:21,qpv4:21,qq:33,qrec:33,qsvec:21,qualifi:19,qualiti:33,quantit:33,queri:[0,16,18,19,24],queue:0,quick:19,quit:21,qvec:21,qz0:33,r:[16,18,19,20,25,30,33],rad:33,radar:[0,2,4,10,16,21,32,33],radar_spati:21,radarcommon:[14,15],radargridfactori:16,radaronlyqpe01h:33,radaronlyqpe03h:33,radaronlyqpe06h:33,radaronlyqpe12h:33,radaronlyqpe24h:33,radaronlyqpe48h:33,radaronlyqpe72h:33,radarqualityindex:33,radi:33,radial:[10,33],radianc:33,radiat:33,radio:33,radioact:33,radiu:33,radt:33,rage:33,rai:33,rain1:21,rain2:21,rain3:21,rain:[29,33],rainbow:[22,26,27],rainfal:[27,33],rais:[3,18],rala:33,rang:[16,19,20,23,26,28,33],rap13:[15,21,22],rap:23,raster:10,rate:[26,29,33],rather:18,ratio:[19,25,33],raw:[16,19,22,33],raytheon:[0,16,17,22,23,28],raza:33,rbg:19,rc:[0,33],rcparam:[18,23,25,30],rcq:33,rcsol:33,rct:33,rdlnum:33,rdm:23,rdrip:33,rdsp1:33,rdsp2:33,rdsp3:33,re:[0,16,19,21],reach:34,read:[0,21,22],readabl:0,readi:[0,21],real:31,reason:16,rec:26,receiv:0,recent:[22,30],recharg:33,record:[10,16,17,18,23,24,28,30,31],rectangular:[4,16],recurr:33,red:[0,17,20,22],reduc:[16,33],reduct:33,ref:[15,16,31],refc:33,refd:33,refer:[2,4,16,19,21,24,25,33],refl:[15,26],reflect:[0,26,33],reflectivity0c:33,reflectivityatlowestaltitud:33,reflectivitym10c:33,reflectivitym15c:33,reflectivitym20c:33,reflectivitym5c:33,reftim:[2,19,25,31],reftimeonli:[1,2,12],refzc:33,refzi:33,refzr:33,regardless:16,regim:33,region:[32,33],registri:16,rel:[26,33],relat:0,reld:33,releas:[0,34],relev:21,relv:33,remain:0,remot:33,remov:19,render:[0,24,29],replac:[16,18],reporttyp:25,repres:[3,16],represent:3,req:16,request:[0,1,2,4,5,6,11,12,15,17,18,19,20,23,25,26,27,28,29,30,31,34],requir:[0,2,16,19,24],reset:19,resist:33,resiz:19,resolut:[17,19,20,22,24,26,27,29],resourc:[21,32],respect:[16,22,33],respons:[2,15,17,19,20,22,23,24,25,26,27,28,29,30,31],rest:[16,28],result:16,retop:33,retriev:[0,4,6,30],retrofit:16,rev:33,review:[0,16],rfl06:33,rfl08:33,rfl16:33,rfl39:33,rgb:19,rgbname:19,rh:[21,25,33],rh_001_bin:21,rh_002_bin:21,rha:21,rhpw:33,ri:33,ric:23,richardson:33,right:[0,19],right_label:[22,24,26,28,29,31],rime:33,risk:33,river:16,rlyr:33,rm5:21,rm6:21,rmix:25,rmprop2:21,rmprop:21,rno:23,ro:21,root:33,rotat:[18,33],rotationtrackll120min:33,rotationtrackll1440min:33,rotationtrackll240min:33,rotationtrackll30min:33,rotationtrackll360min:33,rotationtrackll60min:33,rotationtrackml120min:33,rotationtrackml1440min:33,rotationtrackml240min:33,rotationtrackml30min:33,rotationtrackml360min:33,rotationtrackml60min:33,rough:33,round:30,rout:16,royalblu:17,rprate:33,rpttype:30,rqi:33,rrqpe:29,rsa:21,rsmin:33,rssc:33,rtma:21,rtof:21,run:[0,2,16,18,19,21,22,34],runoff:33,runtim:2,runtimewarn:[17,23,25,26,28],rut:23,rv:21,rwmr:33,s:[16,17,18,19,21,22,23,25,27,28,29,33,34],salbd:33,salin:33,salt:33,salti:33,same:[3,16,19,24,28,29],sampl:[6,24],samplepoint:6,sat:[23,33],sat_h:19,satd:33,satellit:[0,16,19,21,32],satellite_height:19,satellitefactori:16,satellitefactoryregist:16,satellitegriddata:16,satellitegridfactori:16,satosm:33,satur:33,save:[0,16],savefig:[19,23],sbc123:33,sbc124:33,sbsalb:33,sbsno:33,sbt112:33,sbt113:33,sbt114:33,sbt115:33,sbt122:33,sbt123:33,sbt124:33,sbt125:33,sbta1610:33,sbta1611:33,sbta1612:33,sbta1613:33,sbta1614:33,sbta1615:33,sbta1616:33,sbta167:33,sbta168:33,sbta169:33,sbta1710:33,sbta1711:33,sbta1712:33,sbta1713:33,sbta1714:33,sbta1715:33,sbta1716:33,sbta177:33,sbta178:33,sbta179:33,sc:[28,33],scalb:33,scale:[22,24,29,31,33],scan:[0,15,26,33],scarter:[19,22],scatter:[20,24,27],scatteromet:33,scbl:33,scbt:33,sccbt:33,scctl:33,scctp:33,sce:33,scene:33,scestuwind:33,scestvwind:33,schema:24,scint:33,scintil:33,scipi:22,scli:33,scope:16,scp:33,scpw:33,scrad:33,scratch:16,script:[0,30],scst:33,sct:[23,28],sctl:33,sden:33,sdsgso:33,sdwe:33,sea:[23,33],seab:33,seaic:21,sealevelpress:[23,28],seamless:33,seamlesshsr:33,seamlesshsrheight:33,search:16,sec:26,second:[9,21,29,33],secondari:33,section:[16,33],sector:[15,19,27],sectorid:29,see:[0,16,24,33],select:[18,19,23,24,26],self:22,semimajor_axi:19,semiminor_axi:19,send:[0,16],sendrequest:11,sens:[0,33],sensibl:33,sensorcount:20,sent:0,sep:25,separ:[0,2,16,30],sequenc:33,seri:[6,20],server:[0,16,18,19,21,22,24,30,31,34],serverrequestrout:16,servic:[0,11,16,34],servr:33,set:[2,4,16,19,22,23,29,30,31,33],set_ext:[17,22,23,24,26,27,28,29,31],set_label:[22,24,26,27,29],set_size_inch:19,set_titl:[17,20,23,28],set_xlim:[18,25,30],set_ylim:[18,25,30],setdatatyp:[4,15,16,19,21,22,29,30,31],setenvelop:[4,16,24],setlazyloadgridlatlon:[2,12],setlevel:[4,15,16,21,22,26,27],setlocationnam:[4,15,16,18,19,21,22,23,24,25,26,27,28,29,30],setparamet:[4,15,16,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31],setstoragerequest:16,setup:34,sevap:33,seven:20,sever:[0,20,21,33],sfc:[16,29,33],sfcob:[2,16,21],sfcr:33,sfcrh:33,sfexc:33,sfo:23,sgcvv:33,sh:[0,21,25],shade:22,shahr:33,shailpro:33,shallow:33,shamr:33,shape:[4,8,15,16,17,18,21,24,26,27,28,29,31],shape_featur:[24,28,31],shapelyfeatur:[24,28,31],share:0,shear:[21,33],sheer:33,shef:16,shelf:0,shi:33,should:[2,16],show:[18,20,21,22,23,25,26,29,30,31],shrink:[22,24,26,27,29],shrmag:21,shsr:33,shtfl:33,shv:23,shwlt:21,shx:21,si:29,sice:33,sighailprob:33,sighal:33,sigl:33,sigma:33,signific:[30,33],significantli:24,sigp:33,sigpar:33,sigt:30,sigt_param:30,sigtgeo:30,sigtrndprob:33,sigwindprob:33,silt:33,similar:[0,16,17],simpl:[23,28],simple_layout:28,simpli:0,simul:33,sinc:[0,16,19],singl:[0,2,16,18,19,21,24,28,33],single_value_param:[23,28],sipd:33,site:[5,15,21,22,24,25,31],siteid:31,size:[19,26,29,33],skew:[25,30],skewt:[18,30],skin:[29,33],skip:23,sktmp:33,sky:33,sky_cov:[23,28],sky_layer_bas:[23,28],skycov:[2,23,28],skylayerbas:[2,23,28],slab:16,slant:[25,30],slc:23,sld:33,sldp:33,sli:[21,33],slight:33,slightli:16,slope:33,slow:24,sltfl:33,sltyp:33,smdry:33,smref:33,smy:33,sndobject:18,snfalb:33,snmr:33,sno:33,snoag:33,snoc:33,snod:33,snohf:33,snol:33,snom:33,snorat:21,snoratcrocu:21,snoratemcsref:21,snoratov2:21,snoratspc:21,snoratspcdeep:21,snoratspcsurfac:21,snot:33,snow1:21,snow2:21,snow3:21,snow:[19,21,33],snowc:33,snowfal:33,snowstorm:20,snowt:[21,33],snsq:21,snw:21,snwa:21,so:[19,21,22],softwar:[0,16],soil:33,soill:33,soilm:33,soilp:33,soilw:33,solar:33,sole:2,solrf:33,solza:33,some:[0,16,21],someth:21,sort:[15,20,21,25,26,29,30],sotyp:33,sound:[6,21,32],sounder:29,soundingrequest:25,sourc:[0,1,2,3,4,5,6,7,8,9,10,11,12,13,15,16],south:28,sp:[31,33],spacecraft:20,span:[23,33],spatial:28,spc:33,spcguid:21,spd:[25,30],spdl:33,spec:25,spechum:25,special:[2,16],specif:[0,4,16,19,22,23,26,33],specifi:[2,6,8,16,19,21,33],specirr:33,spectal:33,spectra:33,spectral:33,spectrum:33,speed:[23,28,33],spf:33,spfh:33,spftr:33,spr:33,sprate:33,sprdf:33,spread:33,spring:16,spt:33,sqrt:18,squar:33,sr:33,src:[25,33],srcono:33,srfa161:33,srfa162:33,srfa163:33,srfa164:33,srfa165:33,srfa166:33,srfa171:33,srfa172:33,srfa173:33,srfa174:33,srfa175:33,srfa176:33,srml:21,srmlm:21,srmm:21,srmmm:21,srmr:21,srmrm:21,srweq:33,ss:21,ssgso:33,sshg:33,ssi:21,ssp:21,ssrun:33,ssst:33,sst:29,sstor:33,sstt:33,st:21,stack:16,staelev:30,stanam:30,stand:[21,33],standard:[0,24,33],standard_parallel:[23,28],start:[0,16,17,21,22,23,28,34],state:[16,19,23,24,28,29],states_provinc:31,staticcorioli:21,staticspac:21,statictopo:21,station:[17,28,30,32],station_nam:23,stationid:[16,28],stationnam:[17,23,28],stationplot:[17,23,28],stationplotlayout:[23,28],std:33,steep:33,step:30,stid:[23,28],stoke:33,stomat:33,stop:0,storag:[0,16,33],store:[0,16,28],storm:[20,26,33],storprob:33,stp1:21,stp:21,stpa:33,str:[17,18,19,20,21,22,23,24,25,26,27,28,29,30,31],stream:33,streamflow:33,stree:33,stress:33,strftime:[17,23,28],striketyp:20,string:[2,4,7,8,9,10,16,18,33],strm:33,strmmot:21,strptime:[17,23,28,29],strtp:21,struct_tim:3,structur:16,style:16,sub:33,subinterv:33,sublay:33,sublim:33,submit:4,subplot:[17,20,22,24,26,27,28,29,31],subplot_kw:[17,20,22,24,26,27,28,29,31],subplotpar:19,subsequ:[19,22],subset:[16,17],subtair:17,succe:2,sucp:21,suggest:16,suit:0,suitabl:2,sun:33,sunsd:33,sunshin:33,supercool:33,superlayercompositereflect:33,supern:29,suppli:22,support:[0,2,3,4,34],suppress:[17,28],sure:28,surfac:[0,16,18,21,29,32,33],surg:33,svrt:33,sw:[23,28],swavr:33,swdir:33,sweat:33,sweep_axi:19,swell:33,swepn:33,swhr:33,swindpro:33,swper:33,swrad:33,swsalb:33,swtidx:21,sx:33,symbol:[23,28],synop:[2,16],syr:23,system:[0,21,33],t0:25,t:[15,16,19,21,22,25,30,33],t_001_bin:21,tabl:[0,24,28,31,33],taconcp:33,taconip:33,taconrdp:33,tadv:21,tair:17,take:[0,16,19,21,22,30],taken:[0,16,19],talk:21,tar:21,task:16,taskbar:0,tcdc:33,tchp:33,tcioz:33,tciwv:33,tclsw:33,tcol:33,tcolc:33,tcolg:33,tcoli:33,tcolm:33,tcolr:33,tcolw:33,tcond:33,tconu:29,tcsrg20:33,tcsrg30:33,tcsrg40:33,tcsrg50:33,tcsrg60:33,tcsrg70:33,tcsrg80:33,tcsrg90:33,tcwat:33,td2:25,td:[25,30],tdef:21,tdend:21,tdman:30,tdsig:30,tdsigt:30,tdunit:30,technic:16,temp:[17,22,23,25,28,29,33],temperatur:[18,21,22,23,25,28,30,32,33],tempwtr:33,ten:28,tendenc:33,term:[0,33],termain:0,terrain:[24,33],test_dir:19,text:[20,33],textcoord:[19,24],tfd:29,tgrd:21,tgrdm:21,than:[0,18,22],the_geom:[24,28],thei:[0,16],thel:33,them:[16,17,23,28],themat:33,therefor:16,thermo:25,thermoclin:33,theta:33,thflx:33,thgrd:21,thi:[0,2,16,17,18,19,21,22,23,24,25,26,28,30,31,34],thick:33,third:0,thom5:21,thom5a:21,thom6:21,those:[16,19],though:19,thousand:28,three:[16,19,20,25],threshold:17,threshval:10,thrift:11,thriftclient:[14,16,18],thriftclientrout:14,thriftrequestexcept:11,through:[0,16,18,19,22,30,31],throughout:[19,21],thrown:16,thunderstorm:33,thz0:33,ti:24,tide:33,tie:24,tier:6,tight:19,time:[2,3,6,7,12,15,16,17,18,19,20,23,25,26,27,28,29,30,31,33],timeagnosticdataexcept:16,timearg:3,timedelta:[17,18,23,28],timeit:18,timeob:[23,28],timerang:[2,3,6,16,17,18,23,28],timereq:18,timestamp:3,timestr:13,timeutil:14,tip:19,tipd:33,tir:21,titl:[18,25,30],title_str:30,tke:33,tlh:23,tman:30,tmax:[21,33],tmdpd:21,tmin:[21,33],tmp:[25,28,33],tmpa:33,tmpl:33,tmpswp:33,togeth:0,tool:0,toolbar:0,top:[16,19,20,21,22,26,29,33],top_label:[22,24,26,28,29,31],topo:[21,24],topographi:[21,32],tori2:21,tori:21,tornado:[20,33],torprob:33,total:[17,20,24,26,27,29,33],totqi:21,totsn:33,toz:33,tozn:33,tp3hr:21,tp6hr:21,tp:[21,27],tp_inch:27,tpa:23,tpcwindprob:21,tpfi:33,tpman:30,tprate:33,tpsig:30,tpsigt:30,tpunit:30,tpw:29,tqind:21,track:[26,33],train:22,tran:33,transform:[17,19,20,23,24,27,28],transo:33,transpir:33,transport:33,trbb:33,trbtp:33,tree:[15,29],trend:33,tri:[25,30],trndprob:33,tro:33,trop:21,tropic:33,tropopaus:[21,33],tropospher:33,tsc:33,tsd1d:33,tsec:33,tshrmi:21,tsi:33,tslsa:33,tsmt:33,tsnow:33,tsnowp:33,tsoil:33,tsrate:33,tsrwe:33,tstk:21,tstm:33,tstmc:33,tt:[27,29,33],ttdia:33,ttf:23,tthdp:33,ttot:21,ttphy:33,ttrad:33,ttx:33,tua:21,tune:[2,16],tupl:9,turb:33,turbb:33,turbt:33,turbul:33,tutori:[19,21,22],tv:21,tw:21,twatp:33,twind:21,twindu:21,twindv:21,twmax:21,twmin:21,two:[0,16,22,33,34],twstk:21,txsm:21,txt:24,type:[0,3,8,10,16,19,22,24,30,31,33],typeerror:[2,3,23],typic:[0,16,21],u:[18,23,25,28,30,33],ubaro:33,uc:25,ucar:[0,15,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,34],ucomp:25,uf:[16,17,22,23,28],uflx:33,ufx:21,ug:33,ugrd:33,ugust:33,ugwd:33,uic:33,uil:23,ulsm:33,ulsnorat:21,ulst:33,ultra:33,ulwrf:33,unbias:26,under:33,underli:16,understand:[16,22],understood:[16,24],undertak:16,undocu:16,unidata:[15,17,18,19,20,21,22,23,24,25,26,27,28,29,30,31,34],unidata_16:25,unifi:[0,16],uniqu:2,unit:[8,9,16,18,21,23,25,26,27,28,30,33],uniwisc:29,unknown:33,unsupportedoperationexcept:16,unsupportedoutputtypeexcept:16,until:2,unv:23,uogrd:33,up:[16,19,31,33,34],updat:34,updraft:33,uphl:33,upper:[0,21,32,33],upward:33,uq:33,uri:11,url:[21,22],urma25:21,us:[0,2,6,17,18,19,21,23,24,28,30,31,33],us_east_delaware_1km:21,us_east_florida_2km:21,us_east_north_2km:21,us_east_south_2km:21,us_east_virginia_1km:21,us_hawaii_1km:21,us_hawaii_2km:21,us_hawaii_6km:21,us_west_500m:21,us_west_cencal_2km:21,us_west_losangeles_1km:21,us_west_lososos_1km:21,us_west_north_2km:21,us_west_sanfran_1km:21,us_west_socal_2km:21,us_west_washington_1km:21,use_level:18,use_parm:18,useless:16,user:[0,5,19,22,26],userwarn:22,ussd:33,ustm:33,uswrf:33,ut:33,utc:29,utcnow:[17,23,28,29],util:21,utrf:33,uu:33,uv:33,uvi:33,uviuc:33,uw:[18,21],uwstk:21,v:[0,18,23,25,28,30,33],va:19,vadv:21,vadvadvect:21,vaftd:33,vah:29,valid:[7,22,26,27,33],validperiod:30,validtim:30,valu:[2,4,7,8,11,16,17,19,23,24,25,27,28,33],valueerror:[18,28],vaml:29,vap:25,vapor:[25,33],vapor_pressur:25,vapour:33,vapp:33,vapr:25,variabl:[19,23,28],varianc:33,variant:22,variou:[0,23],vash:33,vbaro:33,vbdsf:33,vc:25,vcomp:25,vddsf:33,vdfhr:33,vdfmr:33,vdfoz:33,vdfua:33,vdfva:33,vector:33,vedh:33,veg:33,veget:33,vegt:33,vel1:33,vel2:33,vel3:33,veloc:[0,26,33],ventil:33,veri:16,version:0,vert:26,vertic:[25,30,32,33],vflx:33,vgp:21,vgrd:33,vgtyp:33,vgwd:33,vi:33,via:[0,3,16],vice:33,view:0,vih:23,vii:33,vil:33,viliq:33,violet:33,virtual:33,viscou:33,visibl:[29,33],vist:21,visual:[0,19,21],vmax:22,vmin:22,vmp:29,vogrd:33,volash:33,volcan:33,voldec:33,voltso:33,volum:0,volumetr:33,vortic:33,vpot:33,vptmp:33,vq:33,vrate:33,vs:16,vsmthw:21,vsoilm:33,vsosm:33,vss:21,vssd:33,vstm:33,vt:33,vtec:[31,33],vtmp:33,vtot:21,vtp:29,vucsh:33,vv:33,vvcsh:33,vvel:33,vw:[18,21],vwiltm:33,vwsh:33,vwstk:21,w:[18,19,29,33],wa:[0,16,18,28,33],wai:[2,16,27],wait:2,want:[16,19,21],warm:33,warmrainprob:33,warn:[16,17,21,22,23,24,25,26,28,32],warning_color:31,wat:33,watch:[24,32],water:[29,33],watervapor:33,watr:33,wave:33,wbz:33,wcconv:33,wcd:21,wcda:29,wci:33,wcinc:33,wconu:19,wcuflx:33,wcvflx:33,wd:21,wdir:33,wdirw:33,wdiv:21,wdman:30,wdrt:33,we:[19,21,22,23,25,28,31],weak:4,weasd:[21,33],weather:[0,6,23,28,33,34],weatherel:6,weight:33,well:[0,16,17,22,34],wesp:33,west:29,west_6km:21,westatl:21,westconu:21,wet:33,wg:33,what:[16,18,19,21],when:[0,2,18,19,22],where:[9,16,18,19,21,24,25,27,33],whereev:19,whether:[2,19],which:[0,6,16,19,21,22,24,25,33],white:[27,33],who:[0,16],whtcor:33,whtrad:33,wide:20,width:[19,33],wilt:33,wind:[18,20,21,23,25,28,30,33],wind_compon:[23,25,28,30],wind_direct:25,wind_spe:[25,30],winddir:[23,28],windprob:33,windspe:[23,28],wish:[16,19,21],within:[0,2,4,16,24],without:[0,2,16,28],wkb:18,wmc:23,wmix:33,wmo:[23,28,33],wmostanum:30,wndchl:21,word:16,work:[0,2,21,33,34],workstat:0,worri:16,would:[2,16],wpre:30,wrap:16,write:0,write_imag:19,writer:[16,32],written:[0,16,18,19],wsman:30,wsp:21,wsp_001_bin:21,wsp_002_bin:21,wsp_003_bin:21,wsp_004_bin:21,wspd:33,wstp:33,wstr:33,wsunit:30,wt:33,wtend:33,wtmpc:33,wv:29,wvconv:33,wvdir:33,wvhgt:33,wvinc:33,wvper:33,wvsp1:33,wvsp2:33,wvsp3:33,wvuflx:33,wvvflx:33,ww3:21,wwsdir:33,www:0,wxtype:33,x:[0,17,18,19,20,22,23,24,27,28,31,33],xformatt:[22,24,26,28,29,31],xlen:10,xloc:19,xlong:33,xml:16,xr:33,xrayrad:33,xshrt:33,xycoord:19,xytext:24,y:[17,18,20,22,23,24,25,27,28,29,33],ye:33,year:33,yformatt:[22,24,26,28,29,31],ylen:10,yml:34,you:[16,19,21,22,28,30,34],your:21,yyyi:21,z:33,zagl:21,zenith:33,zero:33,zonal:33,zone:[16,33],zpc:23},titles:["About Unidata AWIPS","CombinedTimeQuery","DataAccessLayer","DateTimeConverter","IDataRequest (newDataRequest())","IFPClient","ModelSounding","PyData","PyGeometryData","PyGridData","RadarCommon","ThriftClient","ThriftClientRouter","TimeUtil","API Documentation","Available Data Types","Development Guide","Colored Surface Temperature Plot","Forecast Model Vertical Sounding","GOES CIRA Product Writer","GOES Geostationary Lightning Mapper","Grid Levels and Parameters","Grids and Cartopy","METAR Station Plot with MetPy","Map Resources and Topography","Model Sounding Data","NEXRAD Level3 Radar","Precip Accumulation-Region Of Interest","Regional Surface Obs Plot","Satellite Imagery","Upper Air BUFR Soundings","Watch and Warning Polygons","Data Plotting Examples","Grid Parameters","Python AWIPS Data Access Framework"],titleterms:{"1":[19,21,22],"10":21,"16":29,"2":[19,21,22],"3":[19,21,22],"4":[19,21,22],"5":[19,21,22],"6":[19,21,22],"7":21,"8":21,"9":21,"function":[19,22],"import":[19,21,22],"new":[16,21],Of:27,about:0,access:34,accumul:27,addit:[19,22],air:30,alertviz:0,also:[19,21,22],api:14,avail:[15,21,25,29],awip:[0,34],background:16,base:22,binlightn:15,both:28,boundari:24,bufr:30,calcul:25,cartopi:22,cascaded_union:24,cave:0,cira:19,citi:24,code:34,color:17,combinedtimequeri:1,comparison:18,conda:34,connect:[19,21],contact:34,content:[19,21,22],contourf:22,contribut:16,counti:24,creat:[21,24,29],cwa:24,data:[15,16,19,21,22,25,32,34],dataaccesslay:2,datatyp:16,datetimeconvert:3,defin:[19,22],definit:19,design:16,develop:16,dewpoint:25,document:[14,19,22],edex:[0,19,21],edexbridg:0,entiti:29,exampl:[32,34],factori:16,filter:[19,24],forecast:18,framework:[16,34],from:25,geostationari:20,get:[19,21],glm:20,goe:[19,20,29],grid:[15,21,22,33],guid:16,hdf5:0,hodograph:25,how:16,httpd:0,humid:25,idatarequest:4,ifpclient:5,imag:19,imageri:29,implement:16,initi:19,instal:34,interest:27,interfac:16,interst:24,java:16,lake:24,ldm:0,level3:26,level:21,licens:0,lightn:20,limit:22,list:21,locat:[19,21,25],log:18,major:24,make_map:22,map:24,mapper:20,merg:24,mesoscal:29,metar:[23,28],metpi:[23,25],model:[18,25],modelsound:6,nearbi:24,newdatarequest:4,nexrad:26,note:24,notebook:[19,21,22],ob:[23,28],object:[19,21,22],onli:[16,34],out:19,output:19,p:18,packag:34,paramet:[19,20,21,25,33],pcolormesh:22,pip:34,plot:[17,22,23,28,32],plugin:16,polygon:31,postgresql:0,pre:34,precip:27,product:[19,29],pydata:7,pygeometrydata:8,pygriddata:9,pypi:0,python:34,qpid:0,question:34,radar:[15,26],radarcommon:10,receiv:16,region:[27,28],regist:16,relat:[19,21,22],request:[16,21,22,24],requisit:34,resourc:24,result:22,retriev:16,river:24,satellit:[15,29],sector:29,see:[19,21,22],set:21,set_siz:19,setup:[19,24],sfcob:28,skew:18,skewt:25,softwar:34,sound:[18,25,30],sourc:[20,29,34],spatial:24,specif:25,station:23,support:[16,21],surfac:[17,23,28],synop:28,synopt:28,t:18,tabl:[19,21,22],temperatur:17,thriftclient:11,thriftclientrout:12,time:[21,22],timeutil:13,topographi:24,type:[15,21],unidata:0,upper:30,us:[16,22,34],user:16,vertic:18,warn:[15,31],watch:31,wfo:24,when:16,work:16,write:[16,19],write_img:19,writer:19}})
\ No newline at end of file