python bindings for h3ron
Project description
h3ronpy
Python extension for the H3 geospatial indexing system exposing some functionalities of the h3ron rust crates to the python language and integrating with the numpy, pandas, geopandas, rasterio and gdal libraries.
One goal is to not duplicate any functions already implemented by the official H3 python bindings.
This library is in parts parallelized using rayon. The number of threads can be controlled as described in the rayon FAQ
Installation
via PyPI
Regarding linux: to install the manylinux_2_24
wheels, a fairly recent version of pip
is required. So in case pip
only finds the source distribution, upgrade pip
using
pip install --upgrade pip
Building manually
To build this extension from source, you will need:
- Rust. Install the latest version using rustup
- A C compiler for the libh3 sources, for example
clang
- Python 3.x and the corresponding C headers
- The dependencies from the requirements.dev.txt file.
On Ubuntu most system-level dependencies should be available after running rustup and
sudo apt-get install python3-dev build-essential clang
The build is done using maturin
There are three main commands:
maturin publish
builds the crate into python packages and publishes them to pypi.maturin build
builds the wheels and stores them in a folder (../target/wheels
by default), but doesn't upload them. It's possible to upload those with twine.maturin develop
builds the crate and installs it as a python module directly in the current virtualenv.
To build the extension just use the maturin build --release
command for an optimized build.
Logging
This library uses rusts log
crate together with the env_logger
crate.
This means that logging to stdout
can be controlled via environment variables. Set RUST_LOG
to debug
, error
, info
,
warn
, or trace
for the corresponding log output.
For more fine-grained logging settings, see the documentation of env_logger
.
Usage
The following sections depend on the libraries from the requirements.documentation.txt
file being installed.
# imports
from matplotlib import pyplot
import rasterio
from rasterio.plot import show
import numpy as np
import h3.api.numpy_int as h3
from scipy import ndimage
import geopandas as gpd
# increase the plot size
pyplot.rcParams['figure.dpi'] = 100
Converting raster data to H3
Prepare a dataset using rasterio first
src = rasterio.open("data/europe-and-north-africa.tif")
print(src.colorinterp)
green = src.read(2)
blue = src.read(3)
print(green.shape)
show(src)
(<ColorInterp.red: 3>, <ColorInterp.green: 4>, <ColorInterp.blue: 5>)
(284, 327)
<AxesSubplot: >
Do image processing, like this messy extraction and smoothing of the greenish pixels done here:
vegetation_mask = (green < 250) & (blue < 50)
ocean_mask = (green >= 6) & (green <= 14) & (blue >= 47) & (blue <= 54)
vegetation_nodata_value = 0
vegetation = np.full(green.shape, 10, dtype="int8")
vegetation[ocean_mask] = vegetation_nodata_value
vegetation[vegetation_mask] = 20
#pyplot.imshow(vegetation, cmap='Greens')
# smooth a bit to remove single pixels
vegetation = ndimage.gaussian_filter(vegetation, sigma=.7)
vegetation[vegetation <= 5] = vegetation_nodata_value
vegetation[(vegetation > 0) & (vegetation < 15)] = 1
vegetation[vegetation >= 15] = 2
vegetation[ocean_mask] = vegetation_nodata_value
vegetation_plot_args = dict(cmap='Greens', vmin=0, vmax=2)
pyplot.imshow(vegetation, **vegetation_plot_args)
<matplotlib.image.AxesImage at 0x7f46942b8fd0>
vegetation
array([[1, 1, 1, ..., 0, 0, 0],
[1, 1, 1, ..., 0, 0, 0],
[1, 1, 1, ..., 0, 0, 0],
...,
[0, 0, 0, ..., 0, 0, 0],
[0, 0, 0, ..., 0, 0, 0],
[0, 0, 0, ..., 0, 0, 0]], dtype=int8)
Convert the raster numpy array to H3
Find the h3 resolution to use. See also the docstrings of the used functions and of the h3ronpy.raster
module.
from h3ronpy.raster import nearest_h3_resolution
h3_res = nearest_h3_resolution(vegetation.shape, src.transform, search_mode="smaller_than_pixel")
print(f"Using H3 resolution {h3_res}")
Using H3 resolution 5
... directly into a pandas (geo-)dataframe:
from h3ronpy.raster import raster_to_dataframe
print("conversion start")
vegetation_h3_df = raster_to_dataframe(vegetation, src.transform, h3_res, nodata_value=vegetation_nodata_value, compacted=True, geo=True)
print("conversion done")
print("plotting ... this may take a bit")
vegetation_h3_df.plot(column="value", linewidth=0.2, edgecolor="black", **vegetation_plot_args)
pyplot.show()
conversion start
conversion done
plotting ... this may take a bit
Using GDAL instead of rasterio
To not repeat any steps from above, we just save the processed data using rasterio
and load it again using gdal
.
# ... TBW ...
Convert vectordata to H3 indexes
The conversion of GeoDataFrames is parallelized using the available CPUs.
import geopandas as gpd
from h3ronpy import vector, util
world = gpd.read_file(gpd.datasets.get_path('naturalearth_lowres'))
africa = world[world["continent"] == "Africa"]
africa.plot(column="name")
# convert to h3 cells and build a new geodataframe
gdf = util.h3index_column_to_geodataframe(vector.geodataframe_to_h3(africa, 3))
gdf.plot(column="name")
<AxesSubplot: >
Polygon to H3 conversion is based on the H3 polyfill
function, which fills based on the containment of the H3 cells centroid in the polygon geometry. Depending on the shape of the geometry the resulting cells may look like below:
def fill_namibia(**kw):
namibia = world[world["name"] == "Namibia"]
cell_ax = util.h3index_column_to_geodataframe(vector.geodataframe_to_h3(namibia, 3, **kw)).plot()
return namibia.plot(ax=cell_ax, facecolor=(0,0,0,0), edgecolor='black')
fill_namibia()
<AxesSubplot: >
The intersecting
argument extends the polyfill a bit to include all cells which intersect with the polygon geometry:
fill_namibia(intersecting=True)
<AxesSubplot: >
Converting H3 indexes to vector geometries
The main functionality already exists with the LinkedPolygons
in the H3 library itself. This library here just integrates this and adds some polish - like the smoothing - around it.
Additionally the polygon objects implement the python geo interface, so they are compatible to most mapping libraries - see the geopandas plotting below.
from h3ronpy import Polygon
squares_and_rings = np.concatenate([
h3.hex_ring(h3.geo_to_h3(12.3, 15.4, 10), 6),
h3.hex_ring(h3.geo_to_h3(12.31, 15.39, 10), 10),
h3.hex_ring(h3.geo_to_h3(12.29, 15.395, 10), 8),
h3.polyfill_polygon([
(12.25, 15.28),
(12.25, 15.37),
(12.35, 15.37),
(12.35, 15.28),
(12.25, 15.28)
], 10, lnglat_order=False)
])
sqr_geoms = Polygon.from_h3indexes(squares_and_rings) # returns a list of polygons
gpd.GeoDataFrame({}, geometry=sqr_geoms).plot(edgecolor="black", linewidth=0.5)
<AxesSubplot: >
For a cleaner look, the generated vector geometries can also be smoothed using a variation of Chaikins smoothing algorithm. This includes a non-destructive simplification where the number of vertices gets reduced.
sqr_smoothed = Polygon.from_h3indexes(squares_and_rings, smoothen=True)
gpd.GeoDataFrame({}, geometry=sqr_smoothed).plot(edgecolor="black", linewidth=0.5)
<AxesSubplot: >
There is also the align_to_h3_resolution
variant of this which will generate polygons not exceeding the area of a given parent resolution.
Corners will be aligned to the corners of the parent resolution when they are less than an
edge length away from them. This is to avoid gaps when smoothen
is set to true.
box_indexes = h3.polyfill_polygon([
(12.25, 15.30),
(12.25, 15.35),
(12.30, 15.35),
(12.30, 15.30),
(12.25, 15.30)
], 10)
# aling the geometries to h3 resolution 2 where complete edges touch. This reduced the number of vertices
# a fair amount
box_aligned_geoms = Polygon.from_h3indexes_aligned(box_indexes, 7, smoothen=True)
gpd.GeoDataFrame({}, geometry=box_aligned_geoms).plot(edgecolor="black", linewidth=0.5)
<AxesSubplot: >
Vectorized operations on h3indexes
The h3ronpy.op
module contains vectorized functions for working with h3indexes. Currently mostly for working with k-rings - more will propably be added in the future.
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
Built Distributions
Hashes for h3ronpy-0.16.1-cp37-abi3-win_amd64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | d86af9c7b31317fd468f7b30365494de804252d187538e7b22859f290ff8afb9 |
|
MD5 | 3f148e5020b74341bedc6b6fc642309b |
|
BLAKE2b-256 | 1b0993e2832948512999791c4e74d9a2f457760e7350984cf41cb7e4b8f99b4c |
Hashes for h3ronpy-0.16.1-cp37-abi3-manylinux_2_24_x86_64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 766fbb7b11227d622783f6042cfad9874866ac2040fda0d2650cdd1cc1b289ad |
|
MD5 | 28894d3f2dfd999adf3007f31ee47c3a |
|
BLAKE2b-256 | a35f9fcdaec4884039ad1d30068bd042f94ee8fe81141a5d97e799cc91b380e4 |
Hashes for h3ronpy-0.16.1-cp37-abi3-macosx_10_7_x86_64.whl
Algorithm | Hash digest | |
---|---|---|
SHA256 | 35df5d7e8316a6532bad440d22ab0bbdd4f14142267129d8f84f3bfcad0e3748 |
|
MD5 | 370667bd83ad1fb474dfac178087455e |
|
BLAKE2b-256 | ecb9e90ffaeabf5683ca153c052202e9ff57461f9726a048d406833d62dad5a9 |