Skip to main content

Python library for Polar (Performance) Diagrams

Project description

Code style: black Imports: isort linter linting: pylint security: bandit tester CodeFactor

hrosailing

hrosailing

![Still in active development. In particular we do not guarantee backwards compatibility to the versions 0.x.x.]!

The hrosailing package provides various tools and interfaces to visualize, create and work with polar (performance) diagrams.

The main interface being the PolarDiagram interface for the creation of custom polar diagrams, which is compatible with the functionalities of this package. hrosailing also provides some pre-implemented classes inheriting from PolarDiagram which can be used as well.

The package contains a data processing framework, centered around the PolarPipeline class, to generate polar diagrams from raw data.

pipelinecomponents provides many out of the box parts for the aforementioned framework as well as the possibility to easily create own ones.

The package also provides many navigational usages of polar (performance) diagrams with cruising.

You can find the documentation here. See also the examples below for some showcases.

Installation

Python 3.7 Python 3.8 Python 3.9 PyPI version

The recommended way to install hrosailing is with pip:

pip install hrosailing

The hrosailing package might also be compatible (in large) with earlier versions of Python, together with some earlier versions of some of the used packages, namely numpy, scipy, and matplotlib.

Examples

In the following we showcase some of the capabilities of hrosailing. All definitions of an example code might be used in the succeeding examples.

Serialization of PolarDiagram objects

For a first example, lets say we obtained some table with polar performance diagram data, like the one available here, and call the file testdata.csv.

import hrosailing.polardiagram as pol
# the format of `testdata.csv` is a tab separated one
# supported by the keyword `array`
pd = pol.from_csv("testdata.csv", fmt="array")

# for symmetric results
pd = pd.symmetrize()

# serializes the polar diagram to a .csv file
# in the style of an intern format
pd.to_csv("polar_diagram.csv")
# the default format is the intern format `hro`
pd2 = pol.from_csv("polar_diagram.csv")

Currently serialization is only supported for some csv-formats, see also csv-format-examples for example files for the currently supported formats. See also Issue #1 for a plan to add more serialization options.

Visualizing polar diagrams

import matplotlib.pyplot as plt

ws = [10, 20, 30]

pd.plot_polar(ws=ws, ax=plt.subplot(2, 2, 1, projection="polar"))
pd.plot_convex_hull(ws=ws, ax=plt.subplot(2, 2, 2, projection="polar"))
pd.plot_flat(ws=ws, ax=plt.subplot(2, 2, 3))
pd.plot_color_gradient(ax=plt.subplot(2, 2, 4))

plt.show()

flat_plots

3d visualization is also supported.

pd.plot_3d()
plt.show()

3d_plot

Iterate over polar diagram data

We can also directly iterate and/or evaluate the wind angles, wind speeds and boat speeds of the polar diagram.

import numpy as np


def random_shifted_pt(pt, mul):
    pt = np.array(pt)
    rand = np.random.random(pt.shape) - 0.5
    rand *= np.array(mul)
    random_pt = pt + rand
    for i in range(3):
        random_pt[i] = max(random_pt[i], 0)
    return random_pt


data = np.array([
    random_shifted_pt([ws, wa, pd(ws, wa)], [10, 5, 2])
    for wa in pd.wind_angles
    for ws in pd.wind_speeds
    for _ in range(6)
])
data = data[np.random.choice(len(data), size=500)]

Creating polar diagrams from raw data

import hrosailing.pipeline as pipe
import hrosailing.pipelinecomponents as pcomp

pol_pips = [
    pipe.PolarPipeline(
        data_handler=pcomp.ArrayHandler(),
        extension=pipe.TableExtension()
    ),
    pipe.PolarPipeline(
        data_handler=pcomp.ArrayHandler(),
        extension=pipe.PointcloudExtension()
    ),
    pipe.PolarPipeline(
        data_handler=pcomp.ArrayHandler(),
        extension=pipe.CurveExtension()
    )
]

# here `data` is treated as some obtained measurements given as
# a numpy.ndarray
pds = [
	pol_pip(
        [(data, ["Wind speed", "Wind angle", "Boat speed"])]
    ).polardiagram
	for pol_pip in pol_pips
]
#
for i, pd in enumerate(pds):
   pd.plot_polar(ws=ws, ax=plt.subplot(1, 3, i+1, projection="polar"))

plt.tight_layout()
plt.show()

pipeline_plots

If we are unhappy with the default behaviour of the pipelines, we can customize one or more components of it.

Customizing PolarPipeline

class MyInfluenceModel(pcomp.InfluenceModel):
    def remove_influence(self, data):
        tws = np.array(data["TWS"])
        twa = np.array(data["TWA"])
        bsp = np.array(data["BSP"])
        return np.array([
            tws,
            (twa + 90)%360,
            bsp**2
        ]).transpose()

    def add_influence(self, pd, influence_data: dict):
        pass


class MyFilter(pcomp.Filter):
    def filter(self, wts):
        return np.logical_or(wts <= 0.2, wts >= 0.8)


def my_model_func(ws, wa, *params):
    return params[0] + params[1]*wa + params[2]*ws + params[3]*ws*wa


my_regressor = pcomp.LeastSquareRegressor(
    model_func=my_model_func,
    init_vals=(1, 2, 3, 4)
)


my_extension = pipe.CurveExtension(
    regressor=my_regressor
)


def my_norm(pt):
    return np.linalg.norm(pt, axis=1)**4


my_pol_pip = pipe.PolarPipeline(
    data_handler=pcomp.ArrayHandler(),
    influence_model=MyInfluenceModel(),
    post_weigher=pcomp.CylindricMeanWeigher(radius=2, norm=my_norm),
    extension=my_extension,
    post_filter=MyFilter()
)

out = my_pol_pip([(data, ["Wind speed", "Wind angle", "Boat speed"])])
my_pd = out.polardiagram

The customizations above are arbitrary and lead to comparably bad results:

my_pd.plot_polar(ws=ws)
plt.show()

custom_plot

Including Influences and Weather models

For the next example we initialize a simple influence model and a random weather model.

from datetime import timedelta
from datetime import datetime as dt

import hrosailing.cruising as cruise


class MyInfluenceModel(cruise.InfluenceModel):

    def remove_influence(self, data):
        pass

    def add_influence(self, pd, data, **kwargs):
        ws, wa, wave_height = np.array(
            [data["TWS"], data["TWA"], data["WVHGT"]]
        )
        twa = (wa + 5)%360
        tws = ws + ws/wave_height
        return [pd(ws, wa) for ws, wa in zip(tws, twa)]


im = MyInfluenceModel()

n, m, k, l = 500, 50, 40, 3

data = 20 * (np.random.random((n, m, k, l)))

wm = cruise.GriddedWeatherModel(
    data=data,
    times=[dt.now() + i * timedelta(hours=1) for i in range(n)],
    lats=np.linspace(40, 50, m),
    lons=np.linspace(40, 50, k),
    attrs=["TWS", "TWA", "WVHGT"]
)

Computing Isochrones

start = (42.5, 43.5)

isochrones = [
    cruise.isochrone(
            pd=pd,
            start=start,
            start_time=dt.now(),
            direction=direction,
            wm=wm,
	    im=im,
            total_time=1 / 3
        )
    for direction in range(0, 360, 5)
]

coordinates, _ = zip(*isochrones)
lats, longs = zip(*coordinates)

for lat, long in coordinates:
    plt.plot([start[0], lat], [start[1], long], color="lightgray")
plt.plot(lats, longs, ls="", marker=".")

plt.show()

icochrone_net

License

The hrosailing package is published under the Apache 2.0 License, see also License

Citing

DOI

Also see Citation.

TODO

Todo

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

hrosailing-0.10.0.tar.gz (85.7 kB view hashes)

Uploaded Source

Built Distribution

hrosailing-0.10.0-py3-none-any.whl (101.7 kB view hashes)

Uploaded Python 3

Supported by

AWS AWS Cloud computing and Security Sponsor Datadog Datadog Monitoring Fastly Fastly CDN Google Google Download Analytics Microsoft Microsoft PSF Sponsor Pingdom Pingdom Monitoring Sentry Sentry Error logging StatusPage StatusPage Status page