6. Plugins¶
GHC can be extended for Resource-specific healthchecks via Plugins. GHC already comes with a set of standard plugins that may suffice most installations. However, there is no limit to detailed healthchecks one may want to perform. Hence developers can extend or even replace the GHC standard Plugins with custom implementations.
Two Plugin types exist that can be extended: the Probe and Check class. In v0.7.0 also plugins for Resource Authentication, ResourceAuth, were added and in v0.9.0 the geocoder plugin was introduced.
6.1. Concepts¶
GHC versions after May 1, 2017 perform healthchecks exclusively via Plugins (see Upgrade how to upgrade from older versions). The basic concept is simple: each Resource (typically an OWS endpoint) has one or more Probes. During a GHC run (via cron or manually), GHC sequentually invokes the Probes for each Resource to determine the health (QoS) of the Resource.
A Probe typically implements a single request like a WMS GetMap. A Probe contains and applies one or more Checks (the other Plugin class). A Check implements typically a single check on the HTTP Response object of its parent Probe, for example if the HTTP response has no errors or if a WMS GetMap actually returns an image (content-type check). Each Check will supply a CheckResult to its parent Probe. The list of CheckResults will then ultimately determine the ProbeResult. The Probe will in turn supply the ProbeResult to its parent ResourceResult. The GHC healthchecker will then determine the final outcome of the Run (fail/success) for the Resource, adding the list of Probe/CheckResults to the historic Run-data in the DB. This data can later be used for reporting and determining which Check(s) were failing.
So in summary: a Resource has one or more Probes, each Probe one or more Checks. On a GHC run these together provide a Result.
Probes and Checks available to the GHC instance are configured in config_site.py, the GHC instance config file. Also configured there is the default Probe class to assign to a Resource-type when it is added. Assignment and configuration/parameterization of Probes and Checks is via de UI on the Resource-edit page and stored in the database (tables: probe_vars and check_vars). That way the GHC healthcheck runner can read (from the DB) the list of Probes/Checks and their config for each Resource.
6.2. Implementation¶
Probes and Checks plugins are implemented as Python classes derived from
GeoHealthCheck.probe.Probe
and GeoHealthCheck.check.Check
respectively.
These classes inherit from the GHC abstract base class GeoHealthCheck.plugin.Plugin
.
This class mainly provides default attributes (in capitals) and introspection methods needed for
UI configuration. Class-attributes (in capitals) are the most important concept of GHC Plugins in general.
These provide metadata for various GHC functions (internal, UI etc). General class-attributes that
Plugin authors should provide for derived Probes or Checks are:
AUTHOR: Plugin author or team.
NAME: Short name of Plugin.
DESCRIPTION: Longer description of Plugin.
PARAM_DEFS: Plugin Parameter definitions (see next)
PARAM_DEFS, a Python dict defines the parameter definitions for the Probe or Check that a user can configure via the UI. Each parameter (name) is itself a dict entry key that with the following key/value pairs:
type: the parameter type, value: ‘string’, ‘stringlist’ (comma-separated strings) or ‘bbox’ (lowerX, lowerY, upperX, upperY),
description: description of the parameter,
default: parameter default value,
required: is parameter required?,
range: range of possible parameter values (array of strings), results in UI dropdown selector
A Probe should supply these additional class-attributes:
RESOURCE_TYPE : GHC Resource type this Probe applies to, e.g. OGC:WMS, *:* (any Resource Type), see enums.py for range
REQUEST_METHOD : HTTP request method capitalized, ‘GET’ (default) or ‘POST’.
REQUEST_HEADERS : dict of optional HTTP request headers
REQUEST_TEMPLATE: template in standard Python str.format(*args) to be substituted with actual parameters from PARAM_DEFS
CHECKS_AVAIL : available Check (classes) for this Probe.
Note: CHECKS_AVAIL denotes all possible Checks that can be assigned, by default or via UI, to an instance of this Probe.
A Check has no additional class-attributes.
In many cases writing a Probe is a matter of just defining the above class-attributes.
The GHC healthchecker GeoHealthCheck.healthcheck.run_test_resource()
will call lifecycle
methods of the GeoHealthCheck.probe.Probe
base class, using the class-attributes and actualized parameters (stored in probe_vars table)
as defined in PARAM_DEFS plus a list of the actual and parameterized Checks (stored in check_vars table) for its Probe instance.
More advanced
Probes can override base-class methods of Probe in particular GeoHealthCheck.probe.Probe.perform_request()
.
In that case the Probe-author should add one or more GeoHealthCheck.result.Result
objects
to self.result via self.result.add_result(result)
Writing a Check class requires providing the Plugin class-attributes (see above) including
optional PARAM_DEFS. The actual check is implemented by overriding the Check base class
method GeoHealthCheck.check.Check.perform()
, setting the check-result via
GeoHealthCheck.check.Check.set_result()
.
Finally your Probes and Checks need to be made available to your GHC instance via config_site.py and need to be found on the Python-PATH of your app.
The above may seem daunting at first. Examples below will hopefully make things clear as writing new Probes and Checks may sometimes be a matter of minutes!
TODO: may need VERSION variable class-attr to support upgrades
6.3. Examples¶
GHC includes Probes and Checks that on first setup are made available in config_site.py. By studying the the GHC standard Probes and Checks under the subdir GeoHealthCheck/plugins, Plugin-authors may get a feel how implementation can be effected.
There are broadly two ways to write a Probe:
using a REQUEST_* class-attributes, i.e. letting GHC do the Probe’s HTTP requests and checks
overriding
GeoHealthCheck.probe.Probe.perform_request()
: making your own requests
An example for each is provided, including the Checks used.
The simplest Probe is one that does:
an HTTP GET on a Resource URL
checks if the HTTP Response is not errored, i.e. a 404 or 500 status
optionally checks if the HTTP Response (not) contains expected strings
Below is the implementation of the class GeoHealthCheck.plugins.probe.http.HttpGet
:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 | from GeoHealthCheck.probe import Probe
class HttpGet(Probe):
"""
Do HTTP GET Request, to poll/ping any Resource bare url.
"""
NAME = 'HTTP GET Resource URL'
DESCRIPTION = 'Simple HTTP GET on Resource URL'
RESOURCE_TYPE = '*:*'
REQUEST_METHOD = 'GET'
CHECKS_AVAIL = {
'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {
'default': True
},
'GeoHealthCheck.plugins.check.checks.ContainsStrings': {},
'GeoHealthCheck.plugins.check.checks.NotContainsStrings': {},
'GeoHealthCheck.plugins.check.checks.HttpHasContentType': {}
}
"""Checks avail"""
|
Yes, this is the entire implementation of GeoHealthCheck.plugins.probe.http.HttpGet
!
Only class-attributes are needed:
standard Plugin attributes: AUTHOR (‘GHC Team’ by default) NAME, DESCRIPTION
RESOURCE_TYPE = ‘*:*’ denotes that any Resource may use this Probe (UI lists this Probe under “Probes Available” for Resource)
REQUEST_METHOD = ‘GET’ : GHC should use the HTTP GET request method
CHECKS_AVAIL : all Check classes that can be applied to this Probe (UI lists these under “Checks Available” for Probe)
By setting:
'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {
'default': True
},
that Check is automatically assigned to this Probe when created. The other Checks may be added and configured via the UI.
Next look at the Checks, the class GeoHealthCheck.plugins.check.checks.HttpStatusNoError
:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 | import sys
from owslib.etree import etree
from GeoHealthCheck.util import CONFIG
from GeoHealthCheck.plugin import Plugin
from GeoHealthCheck.check import Check
from html import escape
""" Contains basic Check classes for a Probe object."""
class HttpStatusNoError(Check):
"""
Checks if HTTP status code is not in the 400- or 500-range.
"""
NAME = 'HTTP status should not be errored'
DESCRIPTION = 'Response should not contain a HTTP 400 or 500 range Error'
def __init__(self):
Check.__init__(self)
def perform(self):
"""Default check: Resource should at least give no error"""
status = self.probe.response.status_code
overall_status = status // 100
if overall_status in [4, 5]:
self.set_result(False, 'HTTP Error status=%d' % status)
class HttpHasHeaderValue(Check):
"""
Checks if header exists and has given header value.
See http://docs.python-requests.org/en/master/user/quickstart
|
Also this class is quite simple: providing class-attributes NAME, DESCRIPTION and implementing
the base-class method GeoHealthCheck.check.Check.perform()
. Via self.probe a Check always
has a reference to its parent Probe instance and the HTTP Response object via self.probe.response.
The check itself is a test if the HTTP status code is in the 400 or 500-range. The CheckResult
is implicitly created by setting: self.set_result(False, ‘HTTP Error status=%d’ % status) in case
of errors. self.set_result() only needs to be called when a Check fails. By default the Result is
succes (True).
According to this pattern more advanced Probes are implemented for OWS GetCapabilities, the most
basic test for OWS-es like WMS and WFS. Below the implementation
of the class GeoHealthCheck.plugins.probe.owsgetcaps.OwsGetCaps
and its derived classes
for specific OWS-es:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 | from GeoHealthCheck.plugin import Plugin
from GeoHealthCheck.probe import Probe
class OwsGetCaps(Probe):
"""
Fetch OWS capabilities doc
"""
AUTHOR = 'GHC Team'
NAME = 'OWS GetCapabilities'
DESCRIPTION = 'Perform GetCapabilities Operation and check validity'
# Abstract Base Class for OGC OWS GetCaps Probes
# Needs specification in subclasses
# RESOURCE_TYPE = 'OGC:ABC'
REQUEST_METHOD = 'GET'
REQUEST_TEMPLATE = \
'?SERVICE={service}&VERSION={version}&REQUEST=GetCapabilities'
PARAM_DEFS = {
'service': {
'type': 'string',
'description': 'The OWS service within resource endpoint',
'default': None,
'required': True
},
'version': {
'type': 'string',
'description': 'The OWS service version within resource endpoint',
'default': None,
'required': True,
'range': None
}
}
"""Param defs, to be specified in subclasses"""
CHECKS_AVAIL = {
'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {
'default': True
},
'GeoHealthCheck.plugins.check.checks.XmlParse': {
'default': True
},
'GeoHealthCheck.plugins.check.checks.NotContainsOwsException': {
'default': True
},
'GeoHealthCheck.plugins.check.checks.ContainsStrings': {
'set_params': {
'strings': {
'name': 'Contains Title Element',
'value': ['Title>']
}
},
'default': True
},
}
"""
Checks avail for all specific Caps checks.
Optionally override Check PARAM_DEFS using set_params
e.g. with specific `value`.
"""
class WmsGetCaps(OwsGetCaps):
"""Fetch WMS capabilities doc"""
NAME = 'WMS GetCapabilities'
RESOURCE_TYPE = 'OGC:WMS'
PARAM_DEFS = Plugin.merge(OwsGetCaps.PARAM_DEFS, {
'service': {
'value': 'WMS'
},
'version': {
'default': '1.3.0',
'range': ['1.1.1', '1.3.0']
}
})
"""Param defs"""
class WfsGetCaps(OwsGetCaps):
"""WFS GetCapabilities Probe"""
NAME = 'WFS GetCapabilities'
RESOURCE_TYPE = 'OGC:WFS'
def __init__(self):
OwsGetCaps.__init__(self)
PARAM_DEFS = Plugin.merge(OwsGetCaps.PARAM_DEFS, {
'service': {
'value': 'WFS'
},
'version': {
'default': '1.1.0',
'range': ['1.0.0', '1.1.0', '2.0.2']
}
})
"""Param defs"""
class WcsGetCaps(OwsGetCaps):
"""WCS GetCapabilities Probe"""
NAME = 'WCS GetCapabilities'
|
More elaborate but still only class-attributes are used! Compared to
GeoHealthCheck.plugins.probe.http.HttpGet
, two additional class-attributes are used
in GeoHealthCheck.plugins.probe.owsgetcaps.OwsGetCaps
:
REQUEST_TEMPLATE =’?SERVICE={service}&VERSION={version}&REQUEST=GetCapabilities’
PARAM_DEFS for the REQUEST_TEMPLATE
GHC will recognize a REQUEST_TEMPLATE (for GET or POST) and use PARAM_DEFS to substitute configured or default values, here defined in subclasses. This string is then appended to the Resource URL.
Three Checks are available, all included by default. Also see the construct:
'GeoHealthCheck.plugins.check.checks.ContainsStrings': {
'set_params': {
'strings': {
'name': 'Contains Title Element',
'value': ['Title>']
}
},
'default': True
},
This not only assigns this Check automatically on creation, but also provides it
with parameters, in this case a Capabilities response document should always
contain a <Title> XML element. The class
GeoHealthCheck.plugins.check.checks.ContainsStrings
checks if a response doc contains
all of a list (array) of configured strings. So the full checklist on the response doc is:
is it XML-parsable:
GeoHealthCheck.plugins.check.checks.XmlParse
does not contain an Exception:
GeoHealthCheck.plugins.check.checks.NotContainsOwsException
does it have a <Title> element:
GeoHealthCheck.plugins.check.checks.ContainsStrings
These Checks are performed in that order. If any fails, the Probe Run is in error.
We can now look at classes derived from GeoHealthCheck.plugins.probe.owsgetcaps.OwsGetCaps
, in particular
GeoHealthCheck.plugins.probe.owsgetcaps.WmsGetCaps
and GeoHealthCheck.plugins.probe.owsgetcaps.WfsGetCaps
.
These only need to set their RESOURCE_TYPE e.g. OGC:WMS and override/merge PARAM_DEFS. For example for WMS:
PARAM_DEFS = Plugin.merge(OwsGetCaps.PARAM_DEFS, {
'service': {
'value': 'WMS'
},
'version': {
'default': '1.1.1',
'range': ['1.1.1', '1.3.0']
}
})
This sets a fixed value for service, later becoming service=WMS in the URL request string. For version it sets both a range of values a user can choose from, plus a default value 1.1.1. Plugin.merge needs to be used to merge-in new values. Alternatively PARAM_DEFS can be completely redefined, but in this case we only need to make per-OWS specific settings.
Also new in this example is parameterization of Checks for the class
GeoHealthCheck.plugins.check.checks.ContainsStrings
. This is a generic
HTTP response checker for a list of strings that each need to be present in the
response. Alternatively GeoHealthCheck.plugins.check.checks.NotContainsStrings
has
the reverse test. Both are extremely useful and for example available to our
first example GeoHealthCheck.plugins.probe.http.HttpGet
.
The concept of PARAM_DEFS is the same for Probes and Checks.
In fact a Probe for any REST API could be defined in the above matter. For example, later in the project a Probe was added for the SensorThings API (STA), a recent OGC-standard for managing Sensor data via a JSON REST API. See the listing below:
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 | from GeoHealthCheck.probe import Probe
class StaCaps(Probe):
"""Probe for SensorThings API main endpoint url"""
NAME = 'STA Capabilities'
DESCRIPTION = 'Perform STA Capabilities Operation and check validity'
RESOURCE_TYPE = 'OGC:STA'
REQUEST_METHOD = 'GET'
def __init__(self):
Probe.__init__(self)
CHECKS_AVAIL = {
'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {
'default': True
},
'GeoHealthCheck.plugins.check.checks.JsonParse': {
'default': True
},
'GeoHealthCheck.plugins.check.checks.ContainsStrings': {
'default': True,
'set_params': {
'strings': {
'name': 'Must contain STA Entity names',
'value': ['Things', 'Datastreams', 'Observations',
'FeaturesOfInterest', 'Locations']
}
}
},
}
"""
Checks avail for all specific Caps checks.
Optionally override Check.PARAM_DEFS using set_params
e.g. with specific `value` or even `name`.
"""
class StaGetEntities(Probe):
"""Fetch STA entities of type and check result"""
NAME = 'STA GetEntities'
DESCRIPTION = 'Fetch all STA Entities of given type'
RESOURCE_TYPE = 'OGC:STA'
REQUEST_METHOD = 'GET'
# e.g. http://52.26.56.239:8080/OGCSensorThings/v1.0/Things
REQUEST_TEMPLATE = '/{entities}'
def __init__(self):
Probe.__init__(self)
PARAM_DEFS = {
'entities': {
'type': 'string',
'description': 'The STA Entity collection type',
'default': 'Things',
'required': True,
'range': ['Things', 'DataStreams', 'Observations',
'Locations', 'Sensors', 'FeaturesOfInterest',
'ObservedProperties', 'HistoricalLocations']
}
}
"""Param defs"""
CHECKS_AVAIL = {
'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {
'default': True
},
'GeoHealthCheck.plugins.check.checks.JsonParse': {
'default': True
}
}
"""Check for STA Get entity Collection"""
|
Up to now all Probes were defined using and overriding class-attributes. Next is
a more elaborate example where the Probe overrides the Probe baseclass method
GeoHealthCheck.probe.Probe.perform_request()
. The example is
more of a showcase: GeoHealthCheck.plugins.probe.wmsdrilldown.WmsDrilldown
literally drills-down through WMS-entities: starting with the
GetCapabilities doc it fetches the list of Layers and does
a GetMap on random layers etc. It uses OWSLib.WebMapService.
We show the first 70 lines here.
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 | import random
from GeoHealthCheck.probe import Probe
from GeoHealthCheck.result import Result
from owslib.wms import WebMapService
class WmsDrilldown(Probe):
"""
Probe for WMS endpoint "drilldown": starting
with GetCapabilities doc: get Layers and do
GetMap on them etc. Using OWSLib.WebMapService.
TODO: needs finalization.
"""
NAME = 'WMS Drilldown'
DESCRIPTION = 'Traverses a WMS endpoint by drilling down from Capabilities'
RESOURCE_TYPE = 'OGC:WMS'
REQUEST_METHOD = 'GET'
PARAM_DEFS = {
'drilldown_level': {
'type': 'string',
'description': 'How heavy the drilldown should be.',
'default': 'minor',
'required': True,
'range': ['minor', 'moderate', 'full']
}
}
"""Param defs"""
def __init__(self):
Probe.__init__(self)
def perform_request(self):
"""
Perform the drilldown.
See https://github.com/geopython/OWSLib/blob/
master/tests/doctests/wms_GeoServerCapabilities.txt
"""
wms = None
# 1. Test capabilities doc, parses
result = Result(True, 'Test Capabilities')
result.start()
try:
wms = WebMapService(self._resource.url,
headers=self.get_request_headers())
title = wms.identification.title
self.log('response: title=%s' % title)
except Exception as err:
result.set(False, str(err))
result.stop()
self.result.add_result(result)
# 2. Test layers
# TODO: use parameters to work on less/more drilling
# "full" could be all layers.
result = Result(True, 'Test Layers')
result.start()
try:
# Pick a random layer
layer_name = random.sample(wms.contents.keys(), 1)[0]
layer = wms[layer_name]
# TODO Only use EPSG:4326, later random CRS
if 'EPSG:4326' in layer.crsOptions \
|
This shows that any kind of simple or elaborate healthchecks can be implemented using
single or multiple HTTP requests. As long as Result objects are set via
self.result.add_result(result). It is optional to also define Checks in this case.
In the example GeoHealthCheck.plugins.probe.wmsdrilldown.WmsDrilldown
example no
Checks are used.
One can imagine custom Probes for many use-cases:
drill-downs for OWS-es
checking both the service and its metadata (CSW links in Capabilities doc e.g.)
gaps in timeseries data (SOS, STA)
even checking resources like a remote GHC itself!
Writing custom Probes is only limited by your imagination!
6.4. Configuration¶
Plugins available to a GHC installation are configured via config_main.py and overridden in config_site.py. By default all built-in Plugins are available.
GHC_PLUGINS: list of built-in/core Plugin classes and/or modules available on installation
GHC_PROBE_DEFAULTS: Default Probe class to assign on “add” per Resource-type
GHC_USER_PLUGINS: list of your Plugin classes and/or modules available on installation
To add your Plugins, you need to configure GHC_USER_PLUGINS. In most cases you don’t need to bother with GHC_PLUGINS and GHC_PROBE_DEFAULTS.
See an example for both below from config_main.py for GHC_PLUGINS and GHC_PROBE_DEFAULTS:
GHC_PLUGINS = [
# Probes
'GeoHealthCheck.plugins.probe.owsgetcaps',
'GeoHealthCheck.plugins.probe.wms',
'GeoHealthCheck.plugins.probe.wfs.WfsGetFeatureBbox',
'GeoHealthCheck.plugins.probe.tms',
'GeoHealthCheck.plugins.probe.http',
'GeoHealthCheck.plugins.probe.sta',
'GeoHealthCheck.plugins.probe.wmsdrilldown',
'GeoHealthCheck.plugins.probe.wfs3',
# Checks
'GeoHealthCheck.plugins.check.checks',
]
# Default Probe to assign on "add" per Resource-type
GHC_PROBE_DEFAULTS = {
'OGC:WMS': {
'probe_class': 'GeoHealthCheck.plugins.probe.owsgetcaps.WmsGetCaps'
},
'OGC:WMTS': {
'probe_class': 'GeoHealthCheck.plugins.probe.owsgetcaps.WmtsGetCaps'
},
'OSGeo:TMS': {
'probe_class': 'GeoHealthCheck.plugins.probe.tms.TmsCaps'
},
'OGC:WFS': {
'probe_class': 'GeoHealthCheck.plugins.probe.owsgetcaps.WfsGetCaps'
},
'OGC:WCS': {
'probe_class': 'GeoHealthCheck.plugins.probe.owsgetcaps.WcsGetCaps'
},
'OGC:WPS': {
'probe_class': 'GeoHealthCheck.plugins.probe.owsgetcaps.WpsGetCaps'
},
'OGC:CSW': {
'probe_class': 'GeoHealthCheck.plugins.probe.owsgetcaps.CswGetCaps'
},
'OGC:SOS': {
'probe_class': 'GeoHealthCheck.plugins.probe.owsgetcaps.SosGetCaps'
},
'OGC:STA': {
'probe_class': 'GeoHealthCheck.plugins.probe.sta.StaCaps'
},
'OGC:WFS3': {
'probe_class': 'GeoHealthCheck.plugins.probe.wfs3.WFS3Drilldown'
},
'ESRI:FS': {
'probe_class': 'GeoHealthCheck.plugins.probe.esrifs.ESRIFSDrilldown'
},
'urn:geoss:waf': {
'probe_class': 'GeoHealthCheck.plugins.probe.http.HttpGet'
},
'WWW:LINK': {
'probe_class': 'GeoHealthCheck.plugins.probe.http.HttpGet'
},
'FTP': {
'probe_class': None
}
}
To add your User Plugins these steps are needed:
place your Plugin in any directory
specify your Plugin in config_site.py in GHC_USER_PLUGINS var
your Plugin module needs to be available in the PYTHONPATH of the GHC app
Let’s say your Plugin is in file /plugins/ext/myplugin.py. Example config_site.py
GHC_USER_PLUGINS='ext.myplugin'
Then you need to add the path /plugins to the PYTHONPATH such that your Plugin is found.
6.5. User Plugins via Docker¶
The easiest way to add your Plugins (and running GHC in general!) is by using GHC Docker. See more info in the GHC Docker Plugins README.
6.6. Plugin API Docs¶
For GHC extension via Plugins the following classes apply.
Most Plugins have PARAM_DEFS parameter definitions. These are variables that should be filled in by the user in the GUI unless a fixed value applies.
6.6.1. Plugins - Base Classes¶
These are the base classes for GHC Plugins. Developers will mainly extend Probe and Check.
-
class
GeoHealthCheck.plugin.
Plugin
[source]¶ Bases:
object
Abstract Base class for all GHC Plugins. Derived classes should fill in all class variables that are UPPER_CASE, unless they ar fine with default-values from superclass(es).
-
AUTHOR
= 'GHC Team'¶ Plugin author or team.
-
DESCRIPTION
= 'Description missing in DESCRIPTION class var'¶ Longer description of Plugin. TODO: optional i18n e.g. DESCRIPTION_de_DE ?
-
NAME
= 'Name missing in NAME class var'¶ Short name of Plugin. TODO: i18n e.g. NAME_nl_NL ?
-
PARAM_DEFS
= {}¶ Plugin Parameter definitions.
-
get_param
(param_name)[source]¶ Get actual parameter value. param_name should be defined in PARAM_DEFS.
-
static
get_plugins
(baseclass='GeoHealthCheck.plugin.Plugin', filters=None)[source]¶ Class method to get list of Plugins of particular baseclass (optional), default is all Plugins. filters is a list of tuples to filter out Plugins with class var values: (class var, value), e.g. filters=[(‘RESOURCE_TYPE’, ‘OGC:*’), (‘RESOURCE_TYPE’, ‘OGC:WMS’)].
-
-
class
GeoHealthCheck.probe.
Probe
[source]¶ Bases:
plugin.Plugin
Base class for specific implementations to run a Probe with Checks. Most Probes can be implemented using REQUEST_TEMPLATES parameterized via actualized PARAM_DEFS but specialized Probes may implement their own Requests and Checks, for example by “drilling down” through OWS services on an OGC OWS endpoint starting at the Capabilities level or for specific WWW:LINK-based REST APIs.
-
CHECKS_AVAIL
= {}¶ Available Check (classes) for this Probe in dict format. Key is a Check class (string), values are optional (default {}). In the (constant) value ‘parameters’ and other attributes for Check.PARAM_DEFS can be specified, including default if this Check should be added to Probe on creation.
-
METADATA_CACHE
= {}¶ Cache for metadata, like capabilities documents or OWSLib Service instances. Saves doing multiple requests/responses. In particular for endpoints with 50+ Layers.
-
PARAM_DEFS
= {}¶ Parameter definitions mostly for REQUEST_TEMPLATE but potential other uses in specific Probe implementations. Format is dict where each key is a parameter name and the value a dict of: type, description, required, default, range (value range) and optional value item. If value specified, this value becomes fixed (non-editable) unless overridden in subclass.
-
REQUEST_HEADERS
= {}¶ dict of optional HTTP request headers.
-
REQUEST_METHOD
= 'GET'¶ HTTP request method capitalized, GET (default) or POST.
-
REQUEST_TEMPLATE
= ''¶ Template in standard Python str.format(*args). The variables like {service} and {version} within a template are filled from actual values for parameters defined in PARAM_DEFS and substituted from values or constant values specified by user in GUI and stored in DB.
-
RESOURCE_TYPE
= 'Not Applicable'¶ Type of GHC Resource e.g. ‘OGC:WMS’, default not applicable.
-
STANDARD_REQUEST_HEADERS
= {'Accept-Encoding': 'deflate, gzip;q=1.0, *;q=0.5', 'User-Agent': 'GeoHealthCheck 0.8.3 (https://geohealthcheck.org)'}¶ dict of HTTP headers to add to each HTTP request.
-
expand_params
(resource)[source]¶ Called after creation. Use to expand PARAM_DEFS, e.g. from Resource metadata like WMS Capabilities. See e.g. WmsGetMapV1 class. :param resource: :return: None
-
get_metadata
(resource, version='any')[source]¶ Get metadata, specific per Resource type. :param resource: :param version: :return: Metadata object
-
get_metadata_cached
(resource, version='any')[source]¶ Get metadata, specific per Resource type, get from cache if cached. :param resource: :param version: :return: Metadata object
-
init
(resource, probe_vars)[source]¶ Probe contains the actual Probe parameters (from Models/DB) for requests and a list of response Checks with their functions and parameters :param resource: :param probe_vars: :return: None
-
-
class
GeoHealthCheck.check.
Check
[source]¶ Bases:
plugin.Plugin
Base class for specific Plugin implementations to perform a check on results from a Probe.
-
class
GeoHealthCheck.resourceauth.
ResourceAuth
[source]¶ Bases:
plugin.Plugin
Base class for specific Plugin implementations to perform authentication on a Resource. Subclasses provide specific auth methods like Basic Auth, Bearer Token etc.
-
static
decode
(encoded)[source]¶ Decode/decrypt encrypted string into auth dict. :return: encoded auth dict
-
static
get_auth_defs
()[source]¶ Get available ResourceAuth definitions. :return: dict keyed by NAME with object instance values
-
static
Results are helper-classes whose intances are generated by both Probe and Check classes. They form the ultimate outcome when running a Probe. A ResourceResult contains ProbeResults, the latter contains CheckResults.
-
class
GeoHealthCheck.result.
CheckResult
(check, check_vars, success=True, message='OK')[source]¶ Bases:
GeoHealthCheck.result.Result
Holds result data from a single Check.
-
class
GeoHealthCheck.result.
ProbeResult
(probe, probe_vars)[source]¶ Bases:
GeoHealthCheck.result.Result
Holds result data from a single Probe: one Probe, N Checks.
-
class
GeoHealthCheck.result.
ResourceResult
(resource)[source]¶ Bases:
GeoHealthCheck.result.Result
Holds result data from a single Resource: one Resource, N Probe(Results). Provides Run data.
6.6.2. Plugins - Probes¶
Probes apply to a single Resource instance. They are responsible for running requests against the Resource URL endpoint. Most Probes are implemented mainly via configuring class variables in particular PARAM_DEFS and CHECKS_AVAIL, but one is free to override any of the Probe baseclass methods.
-
class
GeoHealthCheck.plugins.probe.http.
HttpGet
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Do HTTP GET Request, to poll/ping any Resource bare url.
-
CHECKS_AVAIL
= {'GeoHealthCheck.plugins.check.checks.ContainsStrings': {}, 'GeoHealthCheck.plugins.check.checks.HttpHasContentType': {}, 'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {'default': True}, 'GeoHealthCheck.plugins.check.checks.NotContainsStrings': {}}¶ Checks avail
-
-
class
GeoHealthCheck.plugins.probe.http.
HttpGetQuery
[source]¶ Bases:
GeoHealthCheck.plugins.probe.http.HttpGet
Do HTTP GET Request, to poll/ping any Resource bare url with query string.
-
PARAM_DEFS
= {'query': {'default': None, 'description': 'The query string to add to request (without ?)', 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.http.
HttpPost
[source]¶ Bases:
GeoHealthCheck.plugins.probe.http.HttpGet
Do HTTP POST Request, to send POST request to Resource bare url with POST body.
-
PARAM_DEFS
= {'body': {'default': None, 'description': 'The post body to send', 'required': True, 'type': 'string'}, 'content_type': {'default': 'text/xml;charset=UTF-8', 'description': 'The post content type to send', 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.owsgetcaps.
CswGetCaps
[source]¶ Bases:
GeoHealthCheck.plugins.probe.owsgetcaps.OwsGetCaps
CSW GetCapabilities Probe
-
PARAM_DEFS
= {'service': {'default': None, 'description': 'The OWS service within resource endpoint', 'required': True, 'type': 'string', 'value': 'CSW'}, 'version': {'default': '2.0.2', 'description': 'The OWS service version within resource endpoint', 'range': ['2.0.2'], 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.owsgetcaps.
OwsGetCaps
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Fetch OWS capabilities doc
-
CHECKS_AVAIL
= {'GeoHealthCheck.plugins.check.checks.ContainsStrings': {'default': True, 'set_params': {'strings': {'name': 'Contains Title Element', 'value': ['Title>']}}}, 'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {'default': True}, 'GeoHealthCheck.plugins.check.checks.NotContainsOwsException': {'default': True}, 'GeoHealthCheck.plugins.check.checks.XmlParse': {'default': True}}¶ Checks avail for all specific Caps checks. Optionally override Check PARAM_DEFS using set_params e.g. with specific value.
-
PARAM_DEFS
= {'service': {'default': None, 'description': 'The OWS service within resource endpoint', 'required': True, 'type': 'string'}, 'version': {'default': None, 'description': 'The OWS service version within resource endpoint', 'range': None, 'required': True, 'type': 'string'}}¶ Param defs, to be specified in subclasses
-
-
class
GeoHealthCheck.plugins.probe.owsgetcaps.
SosGetCaps
[source]¶ Bases:
GeoHealthCheck.plugins.probe.owsgetcaps.OwsGetCaps
SOS GetCapabilities Probe
-
PARAM_DEFS
= {'service': {'default': None, 'description': 'The OWS service within resource endpoint', 'required': True, 'type': 'string', 'value': 'SOS'}, 'version': {'default': '1.0.0', 'description': 'The OWS service version within resource endpoint', 'range': ['1.0.0', '2.0.0'], 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.owsgetcaps.
WcsGetCaps
[source]¶ Bases:
GeoHealthCheck.plugins.probe.owsgetcaps.OwsGetCaps
WCS GetCapabilities Probe
-
PARAM_DEFS
= {'service': {'default': None, 'description': 'The OWS service within resource endpoint', 'required': True, 'type': 'string', 'value': 'WCS'}, 'version': {'default': '1.1.0', 'description': 'The OWS service version within resource endpoint', 'range': ['1.1.0', '1.1.1', '2.0.1'], 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.owsgetcaps.
WfsGetCaps
[source]¶ Bases:
GeoHealthCheck.plugins.probe.owsgetcaps.OwsGetCaps
WFS GetCapabilities Probe
-
PARAM_DEFS
= {'service': {'default': None, 'description': 'The OWS service within resource endpoint', 'required': True, 'type': 'string', 'value': 'WFS'}, 'version': {'default': '1.1.0', 'description': 'The OWS service version within resource endpoint', 'range': ['1.0.0', '1.1.0', '2.0.2'], 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.owsgetcaps.
WmsGetCaps
[source]¶ Bases:
GeoHealthCheck.plugins.probe.owsgetcaps.OwsGetCaps
Fetch WMS capabilities doc
-
PARAM_DEFS
= {'service': {'default': None, 'description': 'The OWS service within resource endpoint', 'required': True, 'type': 'string', 'value': 'WMS'}, 'version': {'default': '1.3.0', 'description': 'The OWS service version within resource endpoint', 'range': ['1.1.1', '1.3.0'], 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.owsgetcaps.
WmtsGetCaps
[source]¶ Bases:
GeoHealthCheck.plugins.probe.owsgetcaps.OwsGetCaps
WMTS GetCapabilities Probe
-
PARAM_DEFS
= {'service': {'default': None, 'description': 'The OWS service within resource endpoint', 'required': True, 'type': 'string', 'value': 'WMTS'}, 'version': {'default': '1.0.0', 'description': 'The OWS service version within resource endpoint', 'range': ['1.0.0'], 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.owsgetcaps.
WpsGetCaps
[source]¶ Bases:
GeoHealthCheck.plugins.probe.owsgetcaps.OwsGetCaps
WPS GetCapabilities Probe
-
PARAM_DEFS
= {'service': {'default': None, 'description': 'The OWS service within resource endpoint', 'required': True, 'type': 'string', 'value': 'WPS'}, 'version': {'default': '1.0.0', 'description': 'The OWS service version within resource endpoint', 'range': ['1.0.0', '2.0.0'], 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.wms.
WmsGetMapV1
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Get WMS map image using the OGC WMS GetMap v1.1.1 Operation for single Layer.
-
CHECKS_AVAIL
= {'GeoHealthCheck.plugins.check.checks.HttpHasImageContentType': {'default': True}, 'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {'default': True}, 'GeoHealthCheck.plugins.check.checks.NotContainsOwsException': {'default': True}}¶ Checks for WMS GetMap Response available. Optionally override Check PARAM_DEFS using set_params e.g. with specific value or even name.
-
PARAM_DEFS
= {'bbox': {'default': ['-180', '-90', '180', '90'], 'description': 'The WMS bounding box', 'range': None, 'required': True, 'type': 'bbox'}, 'exceptions': {'default': 'application/vnd.ogc.se_xml', 'description': 'The Exception format to use', 'range': None, 'required': True, 'type': 'string'}, 'format': {'default': 'image/png', 'description': 'The image format', 'range': None, 'required': True, 'type': 'string'}, 'height': {'default': '256', 'description': 'The image height', 'required': True, 'type': 'string'}, 'layers': {'default': [], 'description': 'The WMS Layer, select one', 'range': None, 'required': True, 'type': 'stringlist'}, 'srs': {'default': 'EPSG:4326', 'description': 'The SRS as EPSG: code', 'range': None, 'required': True, 'type': 'string'}, 'styles': {'default': None, 'description': 'The Styles to apply', 'required': False, 'type': 'string'}, 'width': {'default': '256', 'description': 'The image width', 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.wms.
WmsGetMapV1All
[source]¶ Bases:
GeoHealthCheck.plugins.probe.wms.WmsGetMapV1
Get WMS map image for each Layer using the WMS GetMap operation.
-
class
GeoHealthCheck.plugins.probe.wmsdrilldown.
WmsDrilldown
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Probe for WMS endpoint “drilldown”: starting with GetCapabilities doc: get Layers and do GetMap on them etc. Using OWSLib.WebMapService.
TODO: needs finalization.
-
PARAM_DEFS
= {'drilldown_level': {'default': 'minor', 'description': 'How heavy the drilldown should be.', 'range': ['minor', 'moderate', 'full'], 'required': True, 'type': 'string'}}¶ Param defs
-
perform_request
()[source]¶ Perform the drilldown. See https://github.com/geopython/OWSLib/blob/ master/tests/doctests/wms_GeoServerCapabilities.txt
-
-
class
GeoHealthCheck.plugins.probe.tms.
TmsCaps
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Probe for TMS main endpoint url
-
CHECKS_AVAIL
= {'GeoHealthCheck.plugins.check.checks.ContainsStrings': {'default': True, 'set_params': {'strings': {'name': 'Must contain TileMap Element', 'value': ['TileMap']}}}, 'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {'default': True}, 'GeoHealthCheck.plugins.check.checks.XmlParse': {'default': True}}¶ Checks avail for all specific Caps checks. Optionally override Check.PARAM_DEFS using set_params e.g. with specific value or even name.
-
-
class
GeoHealthCheck.plugins.probe.tms.
TmsGetTile
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Fetch TMS tile and check result
-
CHECKS_AVAIL
= {'GeoHealthCheck.plugins.check.checks.HttpHasImageContentType': {'default': True}}¶ Check for TMS GetTile
-
PARAM_DEFS
= {'extension': {'default': 'png', 'description': 'The tile image extension', 'range': None, 'required': True, 'type': 'string'}, 'layer': {'default': None, 'description': 'The TMS Layer within resource endpoint', 'range': None, 'required': True, 'type': 'string'}, 'x': {'default': '0', 'description': 'The tile x offset', 'range': None, 'required': True, 'type': 'string'}, 'y': {'default': '0', 'description': 'The tile y offset', 'range': None, 'required': True, 'type': 'string'}, 'zoom': {'default': '0', 'description': 'The tile pyramid zoomlevel', 'range': None, 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.tms.
TmsGetTileAll
[source]¶ Bases:
GeoHealthCheck.plugins.probe.tms.TmsGetTile
Get TMS map image for each Layer using the TMS GetTile operation.
-
class
GeoHealthCheck.plugins.probe.sta.
StaCaps
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Probe for SensorThings API main endpoint url
-
CHECKS_AVAIL
= {'GeoHealthCheck.plugins.check.checks.ContainsStrings': {'default': True, 'set_params': {'strings': {'name': 'Must contain STA Entity names', 'value': ['Things', 'Datastreams', 'Observations', 'FeaturesOfInterest', 'Locations']}}}, 'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {'default': True}, 'GeoHealthCheck.plugins.check.checks.JsonParse': {'default': True}}¶ Checks avail for all specific Caps checks. Optionally override Check.PARAM_DEFS using set_params e.g. with specific value or even name.
-
-
class
GeoHealthCheck.plugins.probe.sta.
StaGetEntities
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Fetch STA entities of type and check result
-
CHECKS_AVAIL
= {'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {'default': True}, 'GeoHealthCheck.plugins.check.checks.JsonParse': {'default': True}}¶ Check for STA Get entity Collection
-
PARAM_DEFS
= {'entities': {'default': 'Things', 'description': 'The STA Entity collection type', 'range': ['Things', 'DataStreams', 'Observations', 'Locations', 'Sensors', 'FeaturesOfInterest', 'ObservedProperties', 'HistoricalLocations'], 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.wfs.
WfsGetFeatureBbox
[source]¶ Bases:
GeoHealthCheck.probe.Probe
do WFS GetFeature in BBOX
-
CHECKS_AVAIL
= {'GeoHealthCheck.plugins.check.checks.ContainsStrings': {'default': True, 'set_params': {'strings': {'description': '\n Has FeatureCollection element in response doc\n ', 'name': 'Must contain FeatureCollection Element', 'value': ['FeatureCollection']}}}, 'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {'default': True}, 'GeoHealthCheck.plugins.check.checks.NotContainsOwsException': {'default': True}, 'GeoHealthCheck.plugins.check.checks.XmlParse': {'default': True}}¶ Checks for WFS GetFeature Response available. Optionally override Check PARAM_DEFS using set_params e.g. with specific value or even name.
-
PARAM_DEFS
= {'bbox': {'default': ['-180', '-90', '180', '90'], 'description': 'The tile image extension', 'range': None, 'required': True, 'type': 'bbox'}, 'geom_property_name': {'default': None, 'description': 'Name of the geometry property within FeatureType', 'range': None, 'required': True, 'type': 'string', 'value': 'Not Required'}, 'srs': {'default': 'EPSG:4326', 'description': 'The SRS as EPSG: code', 'range': None, 'required': True, 'type': 'string'}, 'type_name': {'default': None, 'description': 'The WFS FeatureType name', 'range': None, 'required': True, 'type': 'string'}, 'type_ns_prefix': {'default': None, 'description': 'The WFS FeatureType namespace prefix', 'range': None, 'required': True, 'type': 'string'}, 'type_ns_uri': {'default': '0', 'description': 'The WFS FeatureType namespace URI', 'range': None, 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.probe.wfs.
WfsGetFeatureBboxAll
[source]¶ Bases:
GeoHealthCheck.plugins.probe.wfs.WfsGetFeatureBbox
Do WFS GetFeature for each FeatureType in WFS.
-
class
GeoHealthCheck.plugins.probe.wfs3.
WFS3Caps
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Probe for OGC WFS3 API (OAFeat) main endpoint url
-
CHECKS_AVAIL
= {'GeoHealthCheck.plugins.check.checks.ContainsStrings': {'default': True, 'set_params': {'strings': {'name': 'Contains required strings', 'value': ['/conformance', '/collections', 'service', 'links']}}}, 'GeoHealthCheck.plugins.check.checks.HttpStatusNoError': {'default': True}, 'GeoHealthCheck.plugins.check.checks.JsonParse': {'default': True}}¶ Validate OGC API Features (OAFeat) endpoint landing page
-
-
class
GeoHealthCheck.plugins.probe.wfs3.
WFS3Drilldown
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Probe for OGC API Features (OAFeat) endpoint “drilldown” or “crawl”: starting with top endpoint: get Collections and fetch Features on them etc. Uses the OWSLib owslib.ogcapi package.
TODO: class needs renaming: WFS3 is now OAFeat.
-
PARAM_DEFS
= {'drilldown_level': {'default': 'basic', 'description': 'How thorough the drilldown should be. basic: test presence endpoints, full: go through collections, fetch Features', 'range': ['basic', 'full'], 'required': True, 'type': 'string'}}¶ Param defs
-
perform_request
()[source]¶ Perform the drilldown. See https://github.com/geopython/OWSLib/blob/ master/tests/doctests/wfs3_GeoServerCapabilities.txt
-
-
class
GeoHealthCheck.plugins.probe.wfs3.
WFS3OpenAPIValidator
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Probe for OGC API Features (OAFeat) OpenAPI Document Validation. Uses https://pypi.org/project/openapi-spec-validator/.
-
REQUEST_METHOD
= 'GET'¶ Param defs
-
perform_request
()[source]¶ Perform the validation. Uses https://github.com/p1c2u/openapi-spec-validator on the specfile (dict) returned from the OpenAPI endpoint.
-
-
class
GeoHealthCheck.plugins.probe.esrifs.
ESRIFSDrilldown
[source]¶ Bases:
GeoHealthCheck.probe.Probe
Probe for ESRI FeatureServer endpoint “drilldown”: starting with top /FeatureServer endpoint: get Layers and get Features on these. Test e.g. from https://sampleserver6.arcgisonline.com/arcgis/rest/services (at least sampleserver6 is ArcGIS 10.6.1 supporting Paging).
-
PARAM_DEFS
= {'drilldown_level': {'default': 'basic', 'description': 'How heavy the drilldown should be. basic: test presence of Capabilities, full: go through Layers, get Features', 'range': ['basic', 'full'], 'required': True, 'type': 'string'}}¶ Param defs
-
6.6.3. Plugins - Checks¶
Checks apply to a single Probe instance. They are responsible for checking request results from their Probe.
-
class
GeoHealthCheck.plugins.check.checks.
ContainsStrings
[source]¶ Bases:
GeoHealthCheck.check.Check
Checks if HTTP response contains given strings (keywords).
-
PARAM_DEFS
= {'strings': {'default': None, 'description': 'The string text(s) that should be contained in response (comma-separated)', 'range': None, 'required': True, 'type': 'stringlist'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.check.checks.
HttpHasContentType
[source]¶ Bases:
GeoHealthCheck.plugins.check.checks.HttpHasHeaderValue
Checks if HTTP response has content type.
-
PARAM_DEFS
= {'header_name': {'default': None, 'description': 'The HTTP header name', 'range': None, 'required': True, 'type': 'string', 'value': 'content-type'}, 'header_value': {'default': None, 'description': 'The HTTP header value', 'range': None, 'required': True, 'type': 'string'}}¶ Params defs for header content type.
-
-
class
GeoHealthCheck.plugins.check.checks.
HttpHasHeaderValue
[source]¶ Bases:
GeoHealthCheck.check.Check
Checks if header exists and has given header value. See http://docs.python-requests.org/en/master/user/quickstart
-
PARAM_DEFS
= {'header_name': {'default': None, 'description': 'The HTTP header name', 'range': None, 'required': True, 'type': 'string'}, 'header_value': {'default': None, 'description': 'The HTTP header value', 'range': None, 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.check.checks.
HttpHasImageContentType
[source]¶ Bases:
GeoHealthCheck.check.Check
Checks if HTTP response has image content type.
-
class
GeoHealthCheck.plugins.check.checks.
HttpStatusNoError
[source]¶ Bases:
GeoHealthCheck.check.Check
Checks if HTTP status code is not in the 400- or 500-range.
-
class
GeoHealthCheck.plugins.check.checks.
JsonParse
[source]¶ Bases:
GeoHealthCheck.check.Check
Checks if HTTP response is valid JSON.
-
class
GeoHealthCheck.plugins.check.checks.
NotContainsOwsException
[source]¶ Bases:
GeoHealthCheck.plugins.check.checks.NotContainsStrings
Checks if HTTP response NOT contains given OWS Exceptions.
-
PARAM_DEFS
= {'strings': {'default': None, 'description': 'The string text(s) that should be contained in response (comma-separated)', 'range': None, 'required': True, 'type': 'stringlist', 'value': ['ExceptionReport>', 'ServiceException>']}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.check.checks.
NotContainsStrings
[source]¶ Bases:
GeoHealthCheck.plugins.check.checks.ContainsStrings
Checks if HTTP response NOT contains given strings (keywords).
-
PARAM_DEFS
= {'strings': {'default': None, 'description': 'The string text(s) that should NOT be\n contained in response (comma-separated)', 'range': None, 'required': True, 'type': 'stringlist'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.check.checks.
XmlParse
[source]¶ Bases:
GeoHealthCheck.check.Check
Checks if HTTP response is valid XML.
6.6.4. Plugins - Resource Auth¶
ResourceAuth apply to optional authentication for a Resource instance. They are responsible for handling any (UI) configuration, encoding and execution of specific HTTP authentication methods for the Resource endpoint.
-
class
GeoHealthCheck.plugins.resourceauth.resourceauths.
BasicAuth
[source]¶ Bases:
GeoHealthCheck.resourceauth.ResourceAuth
Basic authentication.
-
PARAM_DEFS
= {'password': {'default': None, 'description': 'Password', 'range': None, 'required': True, 'type': 'password'}, 'username': {'default': None, 'description': 'Username', 'range': None, 'required': True, 'type': 'string'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.resourceauth.resourceauths.
BearerTokenAuth
[source]¶ Bases:
GeoHealthCheck.resourceauth.ResourceAuth
Bearer token auth
-
PARAM_DEFS
= {'token': {'default': None, 'description': 'Token string', 'range': None, 'required': True, 'type': 'password'}}¶ Param defs
-
-
class
GeoHealthCheck.plugins.resourceauth.resourceauths.
NoAuth
[source]¶ Bases:
GeoHealthCheck.resourceauth.ResourceAuth
Checks if header exists and has given header value. See http://docs.python-requests.org/en/master/user/quickstart
-
PARAM_DEFS
= {}¶ Param defs
-
6.6.5. Plugins - Geocoder¶
Geocoder apply to geocoder services. They are responsible for geolocating a server on a map.
-
class
GeoHealthCheck.plugins.geocode.fixedlocation.
FixedLocation
[source]¶ Bases:
GeoHealthCheck.geocoder.Geocoder
Spoof getting a geolocation for a server by provinding a fixed lat, lon result. The lat, lon can be specified in the initialisation parameters. When omitted: default to 0, 0.
-
LATITUDE
= 0¶ Parameter with the default latitude position. This is overruled when the latitude option is provided in the init step.
-
LONGITUDE
= 0¶ Parameter with the default longitude position. This is overruled when the longitude option is provided in the init step.
-
-
class
GeoHealthCheck.plugins.geocode.webgeocoder.
HttpGeocoder
[source]¶ Bases:
GeoHealthCheck.geocoder.Geocoder
A base class for geocoders on the web.
It is intended to use a subclass of this class and implement the make_call method.
-
class
GeoHealthCheck.plugins.geocode.webgeocoder.
HttpGetGeocoder
[source]¶ Bases:
GeoHealthCheck.plugins.geocode.webgeocoder.HttpGeocoder
A geocoder plugin using a http GET request.
Use the init method (not the dunder methode) to initialise the geocoder. Provide a dict with keys: geocoder_url, lat_field, lon_field, and optional template and parameters. The geocoder_url parameter should include {hostname} where the locate function will substitute the server name that needs to be located. The lat_field and lon_field parameters specify the field names of the lat/lon in the json response.
-
class
GeoHealthCheck.plugins.geocode.webgeocoder.
HttpPostGeocoder
[source]¶ Bases:
GeoHealthCheck.plugins.geocode.webgeocoder.HttpGeocoder
A geocoder plugin using a http POST request.
Use the init method (not the dunder methode) to initialise the geocoder. Provide a dict with keys: geocoder_url, lat_field, lon_field, and optional template and parameters. The geocoder_url parameter should include {hostname} where the locate function will substitute the server name that needs to be located. The lat_field and lon_field parameters specify the field names of the lat/lon in the json response.