_images/DING0_Logo_300px.png

Welcome to ding0’s documentation!

DIstribution Network GeneratOr – A tool to generate synthetic medium and low voltage power distribution grids based on open (or at least accessible) data.

What is ding0 about?

DIstribution Network GeneratOr (Ding0) is a tool to generate synthetic medium and low voltage power distribution grids based on open (or at least accessible) data. This software project is part of the research project open_eGo.

The theoretical background is detailed in section Theoretical background. Install the software package as explained Installation on Linux. Take up on the How to use ding0? to understand how to use the software.

A standardized presentation of ding0 can be found in the factsheet on the OEP.

Getting started

Installation on Linux

Note

Installation is only tested on (Debian-like) Linux OS.

Ding0 is provided through PyPi package management and, thus, installable from sources of pip3. You may need to additionally install some specific system packages for a successful installation of Ding0 and its dependencies.

The script ding0_system_dependencies.sh installs required system package dependencies.

cd <your-ding0-install-path>

chmod +x ding0_system_dependencies.sh

sudo ./ding0_system_dependencies.sh

We recommend installing Ding0 (and in general third-party) python packages in a virtual environment, encapsulated from the system python distribution. This is optional. If you want to follow our suggestion, install the tool virtualenv by

sudo apt-get install virtualenv # since Ubuntu 16.04

Afterwards virtualenv allows you to create multiple parallel python distributions. Since Ding0 relies on Python 3, we specify this in the virtualenv creation. Create a new one for Ding0 by

# Adjust path to your specific needs
virtualenv -p python3.8 ~/virtualenvs/ding0

Jump into (aka. activate) this python distribution by

# Adjust path to your specific needs
source ~/virtualenvs/ding0/bin/activate

From that, the latest release of ding0 is installed by

pip install ding0

Pip allows to install a developer version of a package that uses currently checked out code. A developer mode installation is achieved by cloning the repository to an arbitrary path (e.g. ~/repos/ in the following example) and installing manually via pip:

mkdir ~/repos/
cd ~/repos/
git clone https://github.com/openego/ding0.git # for SSH use: git clone git@github.com:openego/ding0.git
pip install -e ~/repos/ding0/

Installation on Windows

To install Ding0 in windows, it is currently recommended to use Anaconda or Miniconda and create an environment with the ding0_env.yml file provided.

Note

Normally both miniconda and Anaconda are packaged with the Anaconda Prompt to be used in Windows. Within typical installations, this restricts the use of the conda command to only within this prompt. Depending on your convenience, it may be a wise choice to add the conda command to your path during the installation by checking the appropriate checkbox. This would allow conda to be used from anywhere in the operating system except for PowerShell

Note

Conda and Powershell don’t seem to be working well together at the moment. There seems to be an issue with Powershell spawning a new command prompt for the execution of every command. This makes the environment activate in a different prompt from the one you may be working with after activation. This may eventually get fixed later on but for now, we would recommend using only the standard cmd.exe on windows.

If you’re using Git Bash on Windows, you might have to add conda to paths to have the conda command available (adjust path to your Conda installation):

. /c/ProgramData/Anaconda3/etc/profile.d/conda.sh

To create a ding0 environment using the yaml file in conda, use the command:

conda env create -f ding0_env.yml

By default this environment will be called ding0_env. If you would like to use a custom name for your environment use the following variant of the command:

conda env create -n custom_env_name -f ding0_env.yml

An to activate this environment, from any folder in the operating system, use the command:

conda activate ding0_env

Once the environment is activated, you have two options to install ding0. Either install it from the local repository with the command:

pip install -e \path\to\ding0\

Or install it from the pypi repository with the command:

pip install ding0

Use Ding0

Have a look at the How to use ding0?.

How to use ding0?

Examples

We provide two examples of how to use Ding0 along with two example for analysis of resulting data. The first example shows how Ding0 is applied to a single medium-voltage grid district. Grid topology for the medium- and low-voltage grid level is generated and saved to a file (.pkl). The analysis script takes data generated in the first example and produces exemplary key figures and plots.

The second example shows how to generate a larger number of grid topology data sets. As the current data source sometimes produces unuseful data or leads to program execution interruptions, grids that cannot be created are excluded from grid topology generation. This is enable by setting failsafe= to True. The according analysis script provides exemplary plots for data of multiple grid districts.

High-level functions

Run ding0

Check out run_ding0() as high-level function which is also used in the example.

For larger calculation (parallelization)

To generate data for a larger area consider to parallelize execution of Ding0 as done in the parallelization example.

Analysis of grid data

Plot results

The plot_mv_topology() allows plots of the MV grid including grid topology with line loadings and node voltages. You can simply fire it using an MVGrid instance or pass argument export_figures=True to run_ding0() to export some key plots. The plotting allows to draw a background map. For this function, the package contextily is needed which is not included in the standard ding0 installation. If you want to use this feature, you can simply install it by

pip3 install contextily

See plotting function for a detailed description of possible modes and parameters.

Example plot:

_images/mvgd_plot_example1.png

Export key figures

We provide a set of functions to export key figures of the generated data. The following assumes a Ding0 network is generated as follows:

from egoio.tools import db
from ding0.core import NetworkDing0

engine = db.connection(readonly=True)
session = sessionmaker(bind=engine)()

network = NetworkDing0(name='network')
network.run_ding0(
    session=session,
    mv_grid_districts_no=[3040])

Extract key information about medium and low voltage grid topology.

from ding0.tools.results import calculate_mvgd_stats

# statistical key figures of medium voltage grid
mv_stats = calculate_mvgd_stats(network)

# statistical key figures of medium voltage grid
lv_stats = calculate_lvgd_stats(network)

Information about power flows and voltage levels from final approving power flow analysis can be obtained from calculate_mvgd_voltage_current_stats() and calculate_lvgd_voltage_current_stats().

If a large number of grid districts is involved consider to parallelize the execution by

mv_stats,
 lvgd_stat
 mv_nodes,
 mv_edges,
 lv_nodes,
 lv_edges = parallel_running_stats(
    districts_list = mv_grid_districts,
    n_of_processes = n_of_processes,
    n_of_districts = n_of_districts,
    source = 'pkl',
    mode = '')

Data is read from file and returned in six tables.

Furthermore, the function to_dataframe() allows to get tabular information about nodes and edges of the grid topology representing graph.

nodes, edges = network.to_dataframe()

Compare data versions

Data generated by different versions of Ding0 or different input data can be easily compared. Load datasets designated for comparison and pass to dataframe_equal().

network_a = load_nd_from_pickle(filename='filename_a.pkl')
network_b = load_nd_from_pickle(filename='filename_b.pkl')

passed, msg = dataframe_equal(network_a, network_b)

Explanation of key figures

Parameter Description Unit
km_cable Cumulative length of underground cables km

CSV file export

Ding0 objects are exported in csv files.

Lines

line.csv
Field type Description Unit
edge_name str unambiguous name of edge n/a
grid_id_db int unambiguous id_db of corresponding grid (MVgrid-id if MV-edge, LVgrid-id if LV-edge n/a
type_kind str   n/a
type_name str   n/a
node1 str id_db of first node n/a
node2 str id_db of second node n/a
length float length of line km
U_n float nominal voltage kV
R float   Ohm/km
C float inductive resistance at 50Hz uF/km
L float   mH/km
I_max_th float   A
run_id int time and date of table generation yyyyMMddhhmmss

LV-Branchtees

lv_branchtee.csv
Field type Description Unit
id_db str unambiguous name: ‘LVCableDistributorDing0_LV_#lvgridid#_#ascendingnumber#’ n/a
LV_grid_id_db int unambiguous id_db of LV-Grid n/a
geom None geometric coordinates n/a
run_id int time and date of table generation yyyyMMddhhmmss

LV-Generators

lv_generator.csv
Field type Description Unit
id_db str unambiguous name: ‘LVGeneratorDing0_LV_#lvgridid#_#ascendingnumber#’ n/a
LV_grid_id_db int unambiguous id_db of LV-Grid n/a
geom wkt geometric coordinates WGS84 POINT
type str type of generation {solar; biomass}
subtype str subtype of generation: {solar_roof_mounted, unknown; biomass} n/a
v_level int voltage level of generator  
nominal_capacity float nominal capacity  
run_id int time and date of table generation yyyyMMddhhmmss

LV-Grids

lv_grid.csv
Field type Description Unit
id_db str unambiguous name: ‘LVGridDing0_LV_#lvgridid#_#lvgridid#’ n/a
LV_grid_id int unambiguous number of LV-Grid n/a
geom wkt geometric coordinates WGS84 MULTIPOLYGON
population int population in LV-Grid ?
voltage_nom float voltage level of grid kV
run_id int time and date of table generation yyyyMMddhhmmss

LV-Loads

lv_load.csv
Field type Description Unit
id_db str unambiguous name: ‘LVLoadDing0_LV_#lvgridid#_#ascendingnumber#’ n/a
LV_grid_id_db int unambiguous id_db of LV-Grid n/a
geom None geometric coordinates n/a
consumption {‘’str’’: float} type of load {residential, agricultural, industrial} and corresponding consumption n/a
run_id int time and date of table generation yyyyMMddhhmmss

LV-Stations

lvmv_station.csv
Field type Description Unit
id_db str unambiguous name: ‘LVStationDing0_MV_#mvgridid#_#lvgridid#’ n/a
LV_grid_id_db int unambiguous id_db of LV-Grid n/a
geom wkt geometric coordinates WGS84 POINT
run_id int time and date of table generation yyyyMMddhhmmss

LV-Transformers

lv_transformer.csv
Field type Description Unit
id_db str unambiguous name: ‘TransformerDing0_LV_#mvgridid#_#lvgridid#’ n/a
LV_grid_id_db int unambiguous id_db of LV-Grid n/a
geom wkt geometric coordinates WGS84 POINT
voltage_op float   kV
S_nom float nominal apparent power kVA
X float   Ohm
R float   Ohm
run_id int time and date of table generation yyyyMMddhhmmss

LV-Grids

mvlv_mapping.csv
Field type Description Unit
LV_grid_id int unambiguous number of LV-Grid n/a
MV_grid_id int unambiguous number of MV-Grid n/a
LV_grid_id_db int unambiguous id_db of LV-Grid n/a
MV_grid_id_db int unambiguous id_db of MV-Grid n/a
run_id int time and date of table generation yyyyMMddhhmmss

MV-Branchtees

mv_branchtee.csv
Field type Description Unit
id_db str unambiguous name: ‘MVCableDistributorDing0_MV_#mvgridid#_#ascendingnumber#’ n/a
MV_grid_id_db int unambiguous id_db of MV-Grid n/a
geom wkt geometric coordinates WGS84 POINT
run_id int time and date of table generation yyyyMMddhhmmss

MV-Generators

mv_generator.csv
Field type Description Unit
id_db str unambiguous name: ‘MVGeneratorDing0_MV_#mvgridid#_#ascendingnumber#’ n/a
MV_grid_id_db int unambiguous id_db of MV-Grid n/a
geom wkt geometric coordinates WGS84 POINT
type str type of generation: {solar; biomass} n/a
subtype str subtype of generation: {solar_ground_mounted, solar_roof_mounted, unknown; biomass, biogas} n/a
v_level int voltage level of generator  
nominal_capacity float nominal capacity  
run_id int time and date of table generation yyyyMMddhhmmss

MV-Grids

mv_grid.csv
Field type Description Unit
id_db str unambiguous name: ‘MVGridDing0_MV_#mvgridid#_#mvgridid#’ n/a
MV_grid_id int unambiguous number of LV-Grid n/a
geom wkt geometric coordinates WGS84 MULTIPOLYGON
population int population in LV-Grid ?
voltage_nom float voltage level of grid kV
run_id int time and date of table generation yyyyMMddhhmmss

MV-Loads

mv_load.csv
Field type Description Unit
id_db str unambiguous name: ‘MVLoadDing0_MV_#mvgridid#_#ascendingnumber#’ n/a
MV_grid_id_db int unambiguous id_db of MV-Grid n/a
geom wkt geometric coordinates WGS84 POLYGON
consumption {‘’str’’: float} type of load {retail, residential, agricultural, industrial} and corresponding consumption n/a
is_aggregated boolean True if load is aggregated load, else False n/a
run_id int time and date of table generation yyyyMMddhhmmss

MV-Stations

mvhv_station.csv
Field type Description Unit
id_db str unambiguous name: ‘MVStationDing0_MV_#mvgridid#_#mvgridid#’ n/a
MV_grid_id_db int unambiguous id_db of MV-Grid n/a
geom wkt geometric coordinates WGS84 POINT
run_id int time and date of table generation yyyyMMddhhmmss

MV-Transformers

lv_transformer.csv
Field type Description Unit
id_db str unambiguous name: ‘TransformerDing0_MV_#mvgridid#_#mvgridid#’ n/a
MV_grid_id_db int unambiguous id_db of LV-Grid n/a
geom wkt geometric coordinates WGS84 POINT
voltage_op float   kV
S_nom float nominal apparent power kVA
X float   Ohm
R float   Ohm
run_id int time and date of table generation yyyyMMddhhmmss

Theoretical background

Data basis

The fundamental data basis is decribed in [Huelk2017] and its extension is detailed by [Amme2017]. Further extensions and additional details are provided in the sections below.

Definition of names introduces terms we stick to in the following text.

_images/mvgd_la_lvgd-mit_ortsnamen.png

Definition of names

MV/LV Substations and LV grid district

Medium-voltage/low-voltage (MV/LV) substations are located on a equidistant grid of points with an interval of 180m within the load areas. Cable length in low-voltage (LV) grids ranges from 100-1.500m (see [Kerber], [Scheffler], [Mohrmann]). According to [Scheffler], a cable length of 200 m to 300 m is most typical. Furthermore, we foud a difference between the cable length and the line over ground is 72% (1.39 Umwegfaktor), see master thesis Jonas Gütter. This seems plausible compared to the value for the MV grid of 77% (1.3). The chosen value concludes in cable lengths of 250m at the shortest distance and 283m at the longest distance between the middle point of the square and its outer line.

  • Finding LV-Grid districts (LV-GD): We define Voronoi polygons within the load areas based on a grid of points with an interval of 180m.
  • Assign consumption to the LV-GD: This works analogously to the methods for the MV-GD, as described in “Allocation of annual electricity consumption and power generation capacities across multi voltage levels in a high spatial resolution” (Huelk)
  • Assign peak load

Medium-voltage grids

Methodological details and exemplary results are presented in [Amme2017].

Low-voltage grids

The topology of low-voltage grids is determined on the basis of typified grid models that are vastly available for the residential sector and partially available for other sector retail, industrial and agricultural. The mentioned sectors are modeled differently: the grid topology of residential sector loads founds on typified grid models from [Kerber]. Retail and industrial sector are treated as a single sector and use same methodology to determine grid topology as applied for the agricultural sector. Loads of each sector are located in separate branches - one for each sector. In the following its creation is described in detail.

However, a method to generate a representative variation of LV-grids, that can be assigned to the modeled LV/MV substations cannot be found. Given data on MV/LV substations:

  • land use data divided in industry, commercial, agriculture and residential
  • population
  • peak load
  • Define transformer

Branches of sector residential

  1. LV-Branches

    We are using the LV-Branches of Kerber from the grids. They should be assigned to the most plausible types of settlement areas.

  2. Define the type of settlement area

    To decide if a LV-grid district is most likely a rural, village or suburban settlement area we are using the population value combined with statistical data. Statisticly, there are 2.3 persons per appartment and 1.5 appartments per house. [see BBR Tabelle B12 http://www.ggr-planung.de/fileadmin/pdf-projekte/SiedEntw_und_InfrastrFolgekosten_Teil_2.pdf] [DEMIREL page 37-41, average has been coosen]. (This is not valid for urban areas.) With this we estimate the amount aus house connections (HC).

    This value can also be found at the explenation of the database of the “Kerber”-grids and is assinged to the type of settlement area:

    • Rural: 622 HC at 43 MV/LV substations results in an average amount of 14.5 HC/substation
    • Village: 2807 HC at 51 MV/LV substations results in an average amount of 55 HC/substation
    • Suburban: 4856 HC at 38 MV/LV substations results in an average amount of 128 HC/substationTher

    With the resulting trendline of this three point, [the Polynomial degree 2 [ 16.127*(x^2)-7.847*x+6.1848 ] whereas x is the type of of settlement area], we difine the border values for the typ of settlement area at:

    • Rural <31 HC/substation
    • Village <87 HC/substation
    • Suburban >=87 HC/substation
  3. Assinging grid branches to the Substations

    within the “Kerber”-model-grids several grid branches are found.

    • Rural: 5 branches (with l>=78m & l<=676m)
    • Village: 7 branches (with l>=102m & l<=588m)
    • Suburban: 15 branches (with l>=85 & l<=610m)

Strangzuweisung Zu jeder ONS werden in Abhängigkeit von Netztyp und HA, NS-Stränge zugewiesen Eine Verteilung des Aufkommens der Stränge anhand von der Gesamtstranglänge geschieht mit Hilfe der Scheffler Angaben (Abbildung Länge der Netzstrahlen für ausgewählte Siedlungstypen [44])

  1. Categorising grid branches form “Kerber” model grids

Hinzu kommen auf Basis von kerber interpolierte stränge um Lücken in der Vollständigkeit zu schließen

Branches of sector retail/industrial and agricultural

Creating individual LV grid branches for the sectors retail/industrial and agricultural applies the same methodology. The topology of these grid branches determines by the sectoral peak load that is available at high spatial resolution (see [Huelk2017]). Furthermore the number of land-use areas (taken from [OSM]) of each of the sectors determines the number individual loads connected to one or more of these sectoral branches.

The topology of each sectoral branch is affected largely by assumptions on parameters that are provided in the table below.

Parameter Value
Max. load in each branch 290 kVA
Max. branch length retail/industrial L_{R/I,max} 400 m
Max. branch length agricultural L_{A,max} 800 m
Length of branch stub 30 m
PV peak power <= 30 kW residential
PV peak power > 30 kW <= 100 kW retail/industrial or agricultural
PV peak power > 100 kW MV/LV station bus bar

In each LV grid district (LVGD) (see MV/LV Substations and LV grid district) sectoral peak load of sectors retail+industrial and agricultural are analyzed. The number loads of each sectors determines by dividing sectoral peak load by number of land-use area found in this grid district.

N_{loads} = P_{sector} \cdot N_{land-use}

In the next step individual loads are allocated to branches considering the limit of max. 290 kVA peak load connected to a single branch. If a single load exceeds the limit of 290 kVA, it is halved until it is smaller than or equal to 290 kVA. Loads are distributed equidistant on the branches while the branch does not necessarily take the maximum length defined in the table above. The distance defines as

d_{sector} = \frac{L_{sector,max}}{N_{loads} + 1}

Single loads are connected to the branch line by stubs of a length of 30 m.

Photovoltaic (PV) power plants are allocated to different sectoral LV grid branches depending on the nominal power. The allocation by the nominal power is provided in the above table. It follows a simple assumption: smaller PV power plants are allocated to LV grid branches of sector residential, larger power plants are allocated to branches of the other sector, and really large ones are directly connected to the bus bar of the MV-LV substation.

Grid stability and equipment

During build of LV grid topology equipment is chosen with respect to max. occurring load and generation according to current grid codes (see [VDEAR]). Nevertheless, some overloading issues may remain. In addition, voltage issues may arise that can’t be considered during grid topology creation. Therefore, we adhere to the regulatory framework of [DINEN50160] which is simplified by [VDEAR]. According to [DINEN50160] voltage deviation is limited to +/-10 % of nominal that is for practical use divided into voltage drop/increase for each voltage level and the associated transformers. The allowed voltage increase in the LV grid level is limited to 3 % of nominal voltage. The allowed voltage drop is limited to 5 % as detailed in [Zdrallek].

Following steps do apply during reinforcement of Ding0 LV grids

  1. Checks for overloading issues at branches and MV-LV transformers first
  2. Critical branches (those with line overloading) are extended to appropriate size of cable to transport connected load and generation. Note, if connected load or generation capacity is still exceeding capacity of largest cable type. We keep largest available cable type and the issue most probably will remain
  3. Stations are tested for overloading issues for generation and load case as well. If nominal apparent power of transformers of a substation is not sufficient a two-step procedure is applied
    1. Existing transformers are extended (replaced) to comply with load and generation conencted to subsequent grid.
    2. If Step 1 does not resolve all issues additional transformers are build in the substation
  4. Subsequently over-voltage issues are analyzed for all grid nodes
  5. For each node where voltage exceeds 3 % of nominal voltage in feed-in case or 5 % of nominal voltage in load case, branch segments connecting the node with the substation are reinforce until no further issues remain. If a over-voltage issue cannot be solved by installing largest availabe cable (NAYY 4x1x300) this type of cable still remains as well as the overvoltage issue
  6. Substations are checked for over-voltage issues at the bus bar individually. Identified issues are resolved by extending nominal apparent power of existing transformer. A ultimately build up to two new transformers in the substation.

References

[Amme2017](1, 2) J. Amme, G. Pleßmann, J. Bühler, L. Hülk, E. Kötter, P. Schwaegerl: The eGo grid model: An open-source and open-data based synthetic medium-voltage grid model for distribution power supply systems. Journal of Physics Conference Series 977(1):012007, 2018, doi:10.1088/1742-6596/977/1/012007
[Huelk2017](1, 2) L. Hülk, L. Wienholt, I. Cussmann, U. Mueller, C. Matke and E. Kötter: Allocation of annual electricity consumption and power generation capacities across multi voltage levels in a high spatial resolution. International Journal of Sustainable Energy Planning and Management Vol. 13 2017 79–92, doi:10.5278/ijsepm.2017.13.6
[Kerber](1, 2) G. Kerber: Aufnahmefähigkeit von Niederspannungsverteilnetzen für die Einspeisung aus Photovoltaikkleinanlagen, Dissertation, TU München, 2011
[Scheffler](1, 2) J. Scheffler: Bestimmung der maximal zulässigen Netzanschlussleistung photovoltaischer Energiewandlungsanlagen in Wohnsiedlungsgebieten, Dissertation, TU Chemnitz, 2002
[Mohrmann]M. Mohrmann, C. Reese, L. Hofmann, J. Schmiesing: Untersuchung von Niederspannungsverteilnetzen anhand synthetische Netzstrukturen. In: Proceedings of VDE ETG Kongress, 2013
[OSM]OpenStreetMap contributors: Open street map, 2017
[VDEAR](1, 2) VDE Anwenderrichtlinie: Erzeugungsanlagen am Niederspannungsnetz – Technische Mindestanforderungen für Anschluss und Parallelbetrieb von Erzeugungsanlagen am Niederspannungsnetz, 2011
[DINEN50160](1, 2) DIN EN 50160 Merkmale der Spannung in öffentlichen Elektrizitätsversorgungsnetzen, 2011
[Zdrallek]Planungs und Betriebsgrundsätze für ländliche Verteilungsnetze – Leitfaden zur Ausrichtung der Netze an ihren zukünftigen Anforderungen, 2016

Calculation principles

Reactance

We assume all cables and overhead lines to be short lines. Thus, the capacity is not considered in calculation of reactance of overhead lines and cables.

x = \omega * L

Apparent power

  • Given maximum thermal current I_th_amx (I_L) is given per conducter (of three cables in a system)/per phase.

  • We assume to have delta connection. Thus, nominal voltage per conducted can be applied to calculate apparent power s_nom and conductor current I_L has to be transformed to I_delta respectively to I by

    I = I_{delta} = \sqrt{3} \cdot I_L

  • Apparent S power is calculated to

    S = U \cdot I = U \cdot I_{th,max}

Sign Convention

Generators and loads in an AC power system can behave either like an inductor or a capacitor. Mathematically, this has two different sign conventions, either from the generator perspective or from the load perspective. This is defined by the direction of power flow from the component.

Both sign conventions are used in Ding0 depending upon the components being defined, similar to pypsa.

Generator Sign Convention

_images/cosphi-sign-convention_generation.png

Generator sign convention in detail

Load Sign Convention
_images/cosphi-sign-convention_load.png

Load sign convention in detail

Ding0 makes the sign convention easier by allowing the user to provide the string values “inductive” or “capacitive” to describe the behaviour of the different assets better. The sign convention for different parts of ding0 are handled internally. By default, generators are assumed to behave capacitively, while loads are assumed to behave inductively.

Notes to developers

If you’re interested to contribute and join the project, feel free to submit PR, contact us, or just create an issue if something seems odd.

Test the package installation

Warning

The scripts for testing the installation might be outdated and will be revised in v0.2.1.

We use Docker to test the build of ding0 on a fresh Ubuntu OS. In order to run such a test make sure docker is installed.

cd ./test_installation/
chmod +x install_docker.sh
./install_docker.sh

Afterwards you can test if installation of ding0 builts successfully by executing

./check_ding0_installation.sh

The script ./check_ding0_installation.sh must be executed in root directory of ding0 repository. Then it installs currently checked out version. The installation process can be observed in the terminal.

Run unit and integration tests

ding0 comes with a bunch of unit and integration tests on most features. You’ll need additional packages listed in dev_requirements.txt. To install, use

pip install -r /path/to/ding0/dev_requirements.txt

To run tests with e.g. 4 workers (you may omit this argument), use

cd /path/to/ding0/
pytest --workers 4 -vv

Test ding0 runs

The outcome of different runs of ding0 can be compared with the functions in ~/ding0/tools/tests.py.

To compare the default configuration of a fresh run of ding0 and a saved run use

manual_ding0_test()

The default behavior is using district [3545] in oedb database and the data in file ‘ding0_tests_grids_1.pkl’. For other filenames or districts use, for example:

manual_ding0_test([438],'ding0_tests_grids_2.pkl')

To create a file with the output of a ding0 run in the default configuration (disctrict [3545] in oedb database and filename ‘ding0_tests_grids_1.pkl’) use:

init_files_for_tests()

For other filenames or districts use, for example:

init_files_for_tests([438],'ding0_tests_grids_2.pkl')

To run the automatic unittest suite use:

support.run_unittest(Ding0RunTest)

The suite assumes that there are two files allocated in the directory:

  • ‘ding0_tests_grids_1.pkl’
  • ‘ding0_tests_grids_2.pkl’

It is assummed that these files store the outcome of different runs of ding0 over different districts.

This suite will run three tests:

  • Compare the results stored in the files, testing for equality between the data in ‘ding0_tests_grids_1.pkl’ and itself; and for difference between both files.
  • Compare the results of a fresh ding0 run over district [3545] and the data in ‘ding0_tests_grids_1.pkl’.
  • Compare the results of two fresh runs of ding0 in district [3545].

What’s New

See what’s new as per release!

Release v0.2.1 (May 29, 2021)

Changes

Release to fix ego.io dependency in v0.2.0 (PyPI did not accept git link)

Release v0.2.0 (May 28, 2021)

Changes

  • Added Python 3.8 support #325
  • Fix installation with Conda #339
  • CSV export in PyPSA format #307 , this required further changes and fixing of tests, cf. #312
  • Switched from pyproj1 to pyproj2 for CRS transformations #343
  • Reproducible stats by fixing #315, for details see #324
  • In the CSV export, (in-building) household loads and generators are no more contained as extra nodes but directly connected to the house’s grid connection point to reduce the number of nodes. #322
  • Fix sum capacity of grid generators #326
  • Fix PyPI description #311

Release v0.1.12 September 20, 2019

Changes

  • Connection of generators in lv_connect_generators was made deterministic. Before, this happened randomly leading to different lv_grids using the same input data. The network creation is now reproducible while lv_branches were reinforced differently before. Should solve #245 and at least parts of #40.
  • A proper sign convention (see Sign Convention) for P,Q is introduced #266, see also PR #271.
  • Identification of critical nodes by VDE norm AR 4105 fixed. All power flows behind node are taken into account now. Solves #300.
  • Tests for MV and LV grids are introduced. Additionally, synthetically created grids are introduced, that can be used for testing. These tests verify the functionality of most of the functions in grids including the creation and modification of MV and LV grids (e.g. adding generators/transformators..). Focus lies on the appropriate creation of the graphs and it’s corresponding routings. Tests are done in grids created with oedb-extracted data and/or synthetic grids, depending on the feature being tested.
  • Equipment table data is cleaned so that only necessary literature values are used. Should solve #296
  • Labels of all components were made unique.
  • ding0 now works without an OpenEnergy DataBase account thanks to changes in the ego.io package that allow readonly queries without a token.

Release v0.1.10 November 5, 2018

This release introduces new plotting functionalities.

Changes

  • New plotting function plot_mv_topology() allows plots of the MV grid including grid topology with line loadings and node voltages. You can simply fire it using an MVGrid instance or pass argument export_figures=True to run_ding0() to export some key figures.
  • Find a new Jupyter notebook example here (sorry, currently only in German).
  • Fix animation feature in mv_routing() to allow image export of routing process.
  • Minor bugfixes

Release v0.1.9 October 22, 2018

This release fixes the API documentation at readthedocs and the examples.

Release v0.1.8 September 5, 2018

A release to update software dependencies.

  • Data processing and ego.io versions are updated to 0.4.5

Release v0.1.7 July 19, 2018

A release to update software dependencies.

  • Explicit dependencies of Pyomo and Scipy are removed

Release v0.1.6 July 6, 2018)

  • Update of underlying data version to v0.4.2 of open_eGo data processing

Release v0.1.5 (June 6, 2018)

This release provides an update of API docs.

  • Update docs: API docs now build properly from a technical perspective #45. The content is still not complete
  • Added new generator object GeneratorFluctuating that includes a weather_cell_id #254
  • Include oedialect

Release v0.1.4 (January 17, 2018)

This release provides some fixes, a largely extended export function for statistical information about the grid data and an update of input data.

Added features

  • Use data of data processing v0.3.0 and egoio v0.3.0
  • Python 3.4 compatible (removed some Python3.5+ introduced feature calls)
  • Export of statistical key figures in addition to to_dataframe() added
  • Now uses PyPSA v0.11.0

Bug fixes

  • Remove cable distributor from MV grid’s cable distributor list when disconnecting a node eDisGo#48
  • Workaround for #155 added
  • Package data is now correctly included

Other changes

  • Generators with unknown subtype have subtype ‘unknown’ now
  • Circuit breakers are closed now #224
  • Version upgrade of Pandas eDisGo #22
  • Documentation about usage is updated and extended
  • Upgrade of versions of dependencies
  • oemof.db is now replace by egoio’s connection provider

Release v0.1.3 (September 1, 2017)

This release fixes bugs reported by first users of Ding0 (data). Furthermore, some features related to the use of Ding0 are added.

Added features

  • Run ding0 in parallel #222
  • Calculate statistical key figures for MV and LV level #189 and #190

Bug fixes

  • Changed constraint on MV grid rings to limiting length of each half ring #224
  • Bug related to control of circuit breaker status #226
  • Consistently use cos(phi) in Ding0 #197

Other changes

  • Update Pandas dependency to 0.20.3
  • Update PyPSA dependency to 0.10.0

Release v0.1.2 (July 25, 2017)

Renaming of package: dingo to ding0

Release v0.1.0 (July 25, 2017)

As this is the first release of ding0, we built everything from scratch.

ding0

ding0 package

Subpackages

ding0.config package
Submodules
ding0.config.config_db_interfaces module
class ding0.config.config_db_interfaces.sqla_mv_grid_viz(**kwargs)[source]

Bases: sqlalchemy.ext.declarative.api.Base

SQLAlchemy table definition for the export of MV grids for visualization purposes

#TODO: Check docstrings before definitions! is that ok?

geom_lv_load_area_centres

Description.

Type:type
geom_lv_stations

Description.

Type:type
geom_mv_cable_dists

Description.

Type:type
geom_mv_circuit_breakers

Description.

Type:type
geom_mv_generators

Description.

Type:type
geom_mv_lines

Description.

Type:type
geom_mv_station

Description.

Type:type
grid_id

Description.

Type:type
class ding0.config.config_db_interfaces.sqla_mv_grid_viz_branches(**kwargs)[source]

Bases: sqlalchemy.ext.declarative.api.Base

SQLAlchemy table definition for the export of MV grids’ branches for visualization purposes

#TODO: Check docstrings after definitions! is that ok?

branch_id

Description.

Type:type
geom

Description.

Type:type
grid_id

Description.

Type:type
length

Description.

Type:type
s_res0

Description.

Type:type
s_res1

Description.

Type:type
type_kind

Description.

Type:type
type_name

Description.

Type:type
type_s_nom

Description.

Type:type
type_v_nom

Description.

Type:type
class ding0.config.config_db_interfaces.sqla_mv_grid_viz_nodes(**kwargs)[source]

Bases: sqlalchemy.ext.declarative.api.Base

SQLAlchemy table definition for the export of MV grids’ branches for visualization purposes

#TODO: Check docstrings before definitions! is that ok?

geom

Description.

Type:type
grid_id

Description.

Type:type
node_id

Description.

Type:type
v_nom

Description.

Type:type
v_res0

Description.

Type:type
v_res1

Description.

Type:type
Module contents
ding0.core package
Subpackages
ding0.core.network package
Submodules
ding0.core.network.cable_distributors module
class ding0.core.network.cable_distributors.LVCableDistributorDing0(**kwargs)[source]

Bases: ding0.core.network.CableDistributorDing0

LV Cable distributor (connection point)

string_id

Description #TODO

branch_no

Description #TODO

load_no

Description #TODO

in_building

Description #TODO

pypsa_bus_id

Returns specific ID for representing bus in pypsa network.

Returns:str – Representative of pypsa bus
class ding0.core.network.cable_distributors.MVCableDistributorDing0(**kwargs)[source]

Bases: ding0.core.network.CableDistributorDing0

MV Cable distributor (connection point)

lv_load_area_group

Description #TODO

pypsa_bus_id

Returns specific ID for representing bus in pypsa network.

Returns:str – Representative of pypsa bus
ding0.core.network.grids module
class ding0.core.network.grids.LVGridDing0(**kwargs)[source]

Bases: ding0.core.network.GridDing0

DING0 low voltage grid

Parameters:
  • region (LVLoadAreaDing0) – LV region that is associated with grid
  • default_branch_kind (str) – description #TODO
  • population – description #TODO

Note

It is assumed that LV grid have got cables only (attribute ‘default_branch_kind’)

add_cable_dist(lv_cable_dist)[source]

Adds a LV cable_dist to _cable_dists and grid graph if not already existing

Parameters:lv_cable_dist – Description #TODO
add_load(lv_load)[source]

Adds a LV load to _loads and grid graph if not already existing

Parameters:lv_load – Description #TODO
add_station(lv_station)[source]

Adds a LV station to _station and grid graph if not already existing

build_grid()[source]

Create LV grid graph

connect_generators(debug=False)[source]

Connects LV generators (graph nodes) to grid (graph)

Parameters:debug (bool, defaults to False) – If True, information is printed during process
loads_sector(sector='res')[source]

Returns a generator for iterating over grid’s sectoral loads

Parameters:sector (str) –

possible values:

  • ’res’ (residential),
  • ’ria’ (retail, industrial, agricultural)
Yields:int – Generator for iterating over loads of the type specified in sector.
reinforce_grid()[source]

Performs grid reinforcement measures for current LV grid.

station()[source]

Returns grid’s station

class ding0.core.network.grids.MVGridDing0(**kwargs)[source]

Bases: ding0.core.network.GridDing0

DING0 medium voltage grid

Parameters:
  • region (MVGridDistrictDing0) – MV region (instance of MVGridDistrictDing0 class) that is associated with grid
  • default_branch_kind (str) – kind of branch (possible values: ‘cable’ or ‘line’)
  • default_branch_type (pandas.Series) – type of branch (pandas Series object with cable/line parameters)
add_cable_distributor(cable_dist)[source]

Adds a cable distributor to _cable_distributors if not already existing

Parameters:cable_dist (float) – Desription #TODO
add_circuit_breaker(circ_breaker)[source]

Creates circuit breaker object and …

Parameters:circ_breaker (CircuitBreakerDing0) – Description #TODO
add_load(lv_load)[source]

Adds a MV load to _loads and grid graph if not already existing

Parameters:lv_load (float) – Desription #TODO
add_ring(ring)[source]

Adds a ring to _rings if not already existing

add_station(mv_station, force=False)[source]

Adds MV station if not already existing

Parameters:
  • mv_station (MVStationDing0) – Description #TODO
  • force (bool) – If True, MV Station is set even though it’s not empty (override)
circuit_breakers()[source]

Returns a generator for iterating over circuit breakers

circuit_breakers_count()[source]

Returns the count of circuit breakers in MV grid

close_circuit_breakers()[source]

Closes all circuit breakers in MV grid

connect_generators(debug=False)[source]

Connects MV generators (graph nodes) to grid (graph)

Parameters:debug (bool, defaults to False) – If True, information is printed during process
export_to_pypsa(session, method='onthefly', only_calc_mv=True)[source]

Exports MVGridDing0 grid to PyPSA database tables

Peculiarities of MV grids are implemented here. Derive general export method from this and adapt to needs of LVGridDing0

Parameters:
  • session (SQLAlchemy session object) – Database session
  • method (str) –

    Specify export method:

    * 'db': grid data will be exported to database
    * 'onthefly': grid data will be passed to PyPSA directly (default)
    

Note

It has to be proven that this method works for LV grids as well!

Ding0 treats two stationary case of powerflow:

  1. Full load: We assume no generation and loads to be set to peak load
  2. Generation worst case:
get_ring_from_node(node)[source]

Determines the ring (RingDing0 object) which node is member of. :param node: Ding0 object (member of graph) :type node: GridDing0

Returns:RingDing0 – Ringo of which node is member.
graph_nodes_from_subtree(node_source, include_root_node=False)[source]

Finds all nodes of a tree that is connected to node_source and are (except node_source) not part of the ring of node_source (traversal of graph from node_source excluding nodes along ring).

Example

A given graph with ring (edges) 0-1-2-3-4-5-0 and a tree starting at node (node_source) 3 with edges 3-6-7, 3-6-8-9 will return [6,7,8,9]

Parameters:
  • node_source (GridDing0) – source node (Ding0 object), member of _graph
  • include_root_node (bool, defaults to False) – If True, the root node is included in the list of ring nodes.
Returns:

list of GridDing0 – List of nodes (Ding0 objects)

import_powerflow_results(session)[source]

Assign results from power flow analysis to edges and nodes

Parameters:session (SQLAlchemy session object) – Description
open_circuit_breakers()[source]

Opens all circuit breakers in MV grid

parametrize_grid(debug=False)[source]

Performs Parametrization of grid equipment:

  1. Sets voltage level of MV grid,
  2. Operation voltage level and transformer of HV/MV station,
  3. Default branch types (normal, aggregated, settlement)
Parameters:debug (bool, defaults to False) – If True, information is printed during process.

Note

It is assumed that only cables are used within settlements.

reinforce_grid()[source]

Performs grid reinforcement measures for current MV grid

remove_cable_distributor(cable_dist)[source]

Removes a cable distributor from _cable_distributors if existing

rings_count()[source]

Returns the count of rings in MV grid

Returns:int – Count of ringos in MV grid.
rings_full_data()[source]

Returns a generator for iterating over each ring

Yields:For each ring, tuple composed by ring ID, list of edges, list of nodes

Note

Circuit breakers must be closed to find rings, this is done automatically.

rings_nodes(include_root_node=False, include_satellites=False)[source]

Returns a generator for iterating over rings (=routes of MVGrid’s graph)

Parameters:
  • include_root_node (bool, defaults to False) – If True, the root node is included in the list of ring nodes.
  • include_satellites (bool, defaults to False) – If True, the satellite nodes (nodes that diverge from ring nodes) is included in the list of ring nodes.
Yields:

list of GridDing0 – List with nodes of each ring of _graph in- or excluding root node (HV/MV station) (arg include_root_node), format:

[ ring_m_node_1, ..., ring_m_node_n ]

Note

Circuit breakers must be closed to find rings, this is done automatically.

routing(debug=False, anim=None)[source]

Performs routing on Load Area centres to build MV grid with ring topology.

Parameters:
  • debug (bool, defaults to False) – If True, information is printed while routing
  • anim (type, defaults to None) – Descr #TODO
run_powerflow(method='onthefly', only_calc_mv=True, export_pypsa_dir=None, debug=False, export_result_dir=None)[source]

Performs power flow calculation for all MV grids

Parameters:
  • session (SQLAlchemy session object) – Database session
  • export_pypsa_dir (str) –

    Sub-directory in output/debug/grid/ where csv Files of PyPSA network are exported to.

    Export is omitted if argument is empty.

  • method (str) –

    Specify export method:

    'db': grid data will be exported to database
    'onthefly': grid data will be passed to PyPSA directly (default)
    
  • debug (bool, defaults to False) – If True, information is printed during process

Note

Ding0 treats two stationary case of powerflow: 1) Full load: We assume no generation and loads to be set to peak load 2) Generation worst case:

set_circuit_breakers(debug=False)[source]

Calculates the optimal position of the existing circuit breakers and relocates them within the graph.

Parameters:debug (bool, defaults to False) – If True, information is printed during process
set_default_branch_type(debug=False)[source]

Determines default branch type according to grid district’s peak load and standard equipment.

Parameters:debug (bool, defaults to False) – If True, information is printed during process
Returns:
  • pandas.Series – default branch type: pandas Series object. If no appropriate type is found, return largest possible one.
  • pandas.Series – default branch type max: pandas Series object. Largest available line/cable type

Note

Parameter values for cables and lines are taken from [1], [2] and [3].

Lines are chosen to have 60 % load relative to their nominal capacity according to [4].

Decision on usage of overhead lines vs. cables is determined by load density of the considered region. Urban areas usually are equipped with underground cables whereas rural areas often have overhead lines as MV distribution system [5].

References

[1]Klaus Heuck et al., “Elektrische Energieversorgung”, Vieweg+Teubner, Wiesbaden, 2007
[2]René Flosdorff et al., “Elektrische Energieverteilung”, Vieweg+Teubner, 2005
[3]Südkabel GmbH, “Einadrige VPE-isolierte Mittelspannungskabel”, http://www.suedkabel.de/cms/upload/pdf/Garnituren/Einadrige_VPE-isolierte_Mittelspannungskabel.pdf, 2017
[4]Deutsche Energie-Agentur GmbH (dena), “dena-Verteilnetzstudie. Ausbau- und Innovationsbedarf der Stromverteilnetze in Deutschland bis 2030.”, 2012
[5]Tao, X., “Automatisierte Grundsatzplanung von Mittelspannungsnetzen”, Dissertation, RWTH Aachen, 2007
set_nodes_aggregation_flag(peak_current_branch_max)[source]

Set Load Areas with too high demand to aggregated type.

Parameters:peak_current_branch_max (float) – Max. allowed current for line/cable
set_voltage_level(mode='distance')[source]

Sets voltage level of MV grid according to load density of MV Grid District or max. distance between station and Load Area.

Parameters:mode (str) –

method to determine voltage level

  • ’load_density’: Decision on voltage level is determined by load density of the considered region. Urban areas (load density of >= 1 MW/km2 according to [6]) usually got a voltage of 10 kV whereas rural areas mostly use 20 kV.
  • ’distance’ (default): Decision on voltage level is determined by the max. distance between Grid District’s HV-MV station and Load Areas (LA’s centre is used). According to [7] a value of 1kV/kV can be assumed. The voltage_per_km_threshold defines the distance threshold for distinction. (default in config = (20km+10km)/2 = 15km)

References

[6]Falk Schaller et al., “Modellierung realitätsnaher zukünftiger Referenznetze im Verteilnetzsektor zur Überprüfung der Elektroenergiequalität”, Internationaler ETG-Kongress Würzburg, 2011
[7]Klaus Heuck et al., “Elektrische Energieversorgung”, Vieweg+Teubner, Wiesbaden, 2007
station()[source]

Returns MV station

ding0.core.network.loads module
class ding0.core.network.loads.LVLoadDing0(**kwargs)[source]

Bases: ding0.core.network.LoadDing0

Load in LV grids

Note

Current attributes to fulfill requirements of typified model grids.

class ding0.core.network.loads.MVLoadDing0(**kwargs)[source]

Bases: ding0.core.network.LoadDing0

Load in MV grids

Note

Currently not used, check later if still required

ding0.core.network.stations module
class ding0.core.network.stations.LVStationDing0(**kwargs)[source]

Bases: ding0.core.network.StationDing0

Defines a LV station in DINGO

peak_generation

Calculates cumulative peak generation of generators connected to underlying LV grid.

This is done instantaneously using bottom-up approach.

Returns:float – Cumulative peak generation
pypsa_bus0_id

Returns specific ID for representing bus in pypsa network. Representative node at medium voltage side (also used for transformer)

Returns:str – Representative of pypsa bus
pypsa_bus_id

Returns specific ID for representing bus in pypsa network.

Returns:str – Representative of pypsa bus
class ding0.core.network.stations.MVStationDing0(**kwargs)[source]

Bases: ding0.core.network.StationDing0

Defines a MV station in DINGO

peak_generation(mode)[source]

Calculates cumulative peak generation of generators connected to underlying grids

This is done instantaneously using bottom-up approach.

Parameters:mode (str) –

determines which generators are included:

'MV':   Only generation capacities of MV level are considered.

'MVLV': Generation capacities of MV and LV are considered
        (= cumulative generation capacities in entire MVGD).
Returns:float – Cumulative peak generation
pypsa_bus0_id

Returns specific ID for representing bus in pypsa network. Representative node at high voltage side (also used for transformer)

Returns:str – Representative of pypsa bus
pypsa_bus_id

Returns specific ID for representing bus in pypsa network.

Returns:str – Representative of pypsa bus
select_transformers()[source]

Selects appropriate transformers for the HV-MV substation.

The transformers are chosen according to max. of load case and feedin-case considering load factors. The HV-MV transformer with the next higher available nominal apparent power is chosen. If one trafo is not sufficient, multiple trafos are used. Additionally, in a second step an redundant trafo is installed with max. capacity of the selected trafos of the first step according to general planning principles for MV distribution grids (n-1).

Parameters:
  • transformers (dict) – Contains technical information of p hv/mv transformers
  • **kwargs (dict) – Should contain a value behind the key ‘peak_load’

Note

Parametrization of transformers bases on [8].

Potential hv-mv-transformers are chosen according to [9].

References

[8]Deutsche Energie-Agentur GmbH (dena), “dena-Verteilnetzstudie. Ausbau- und Innovationsbedarf der Stromverteilnetze in Deutschland bis 2030.”, 2012
[9]X. Tao, “Automatisierte Grundsatzplanung von Mittelspannungsnetzen”, Dissertation, 2006
set_operation_voltage_level()[source]

Set operation voltage level

ding0.core.network.transformers module
Module contents
class ding0.core.network.BranchDing0(**kwargs)[source]

Bases: object

When a network has a set of connections that don’t form into rings but remain as open stubs, these are designated as branches. Typically Branches at the MV level branch out of Rings.

length

Length of line given in m

Type:float
type

Association to pandas Series. DataFrame with attributes of line/cable.

Type:pandas.DataFrame
id_db

id according to database table

Type:int
ring

The associated RingDing0 object

Type:RingDing0
kind

‘line’ or ‘cable’

Type:str
connects_aggregated

A boolean True or False to mark if branch is connecting an aggregated Load Area or not. Defaults to False.

Type::obj`bool`
circuit_breaker

The circuit breaker that opens or closes this Branch.

Type::class:`~.ding0.core.network.CircuitBreakerDing0
critical

This a designation of if the branch is critical or not, defaults to False.

Type:bool

Note

Important: id_db is not set until whole grid is finished (setting at the end).

network

Getter for the overarching NetworkDing0 object.

Returns:NetworkDing0
class ding0.core.network.CableDistributorDing0(**kwargs)[source]

Bases: object

Cable distributor (connection point)

id_db

id according to database table

Type:int
geo_data

The geo-spatial point in the coordinate reference system with the SRID:4326 or epsg:4326, this is the project used by the ellipsoid WGS 84.

Type:Shapely Point object
grid

The MV grid that this ring is to be a part of.

Type:MVGridDing0
network

Getter for the overarching NetworkDing0 object.

Returns:NetworkDing0
class ding0.core.network.CircuitBreakerDing0(**kwargs)[source]

Bases: object

Class for modelling a circuit breaker

id_db

id according to database table

Type:int
geo_data

The geo-spatial point in the coordinate reference system with the SRID:4326 or epsg:4326, this is the project used by the ellipsoid WGS 84.

Type:Shapely Point object
grid

The MV or LV grid that this Load is to be a part of.

Type:GridDing0
branch

The branch to which the Cable Distributor belongs to

Type:BranchDing0
branch_nodes

A tuple containing a pair of ding0 node objects i.e. GeneratorDing0 or GeneratorFluctuatingDing0 or LoadDing0 or StationDing0 or CircuitBreakerDing0 or CableDistributorDing0.

Type:tuple
status

The open or closed state of the Circuit Breaker.

Type:str, default ‘closed’

Note

Circuit breakers are nodes of a graph, but are NOT connected via an edge. They are associated to a specific branch of a graph (and the branch refers to the circuit breaker via the attribute circuit_breaker) and its two branch_nodes. Via open() and close() the associated branch can be removed from or added to graph.

close()[source]

Close a Circuit Breaker

network

Getter for the overarching NetworkDing0 object.

Returns:NetworkDing0
open()[source]

Open a Circuit Breaker

class ding0.core.network.GeneratorDing0(**kwargs)[source]

Bases: object

Generators (power plants of any kind)

id_db

id according to database table

Type:int
name

This is a name that can be given by the user. This defaults to a name automatically generated.

Type:str
v_level

voltage level

Type:float
geo_data

The geo-spatial point in the coordinate reference system with the SRID:4326 or epsg:4326, this is the project used by the ellipsoid WGS 84.

Type:Shapely Point object
mv_grid

The MV grid that this ring is to be a part of.

Type:MVGridDing0
lv_load_area

The LV Load Area the the generator is a part of.

Type:LVLoadAreaDing0
lv_grid

The LV Grid that the Generator is a part of.

Type:LVGridDing0
capacity

The generator’s rated power output in kilowatts.

Type:float
capacity_factor

The generators capacity factor i.e. the ratio of the average power generated by the generator versus the generator capacity.

Type:float
type

The generator’s type, an option amongst:

  • solar
  • wind
  • geothermal
  • reservoir
  • pumped_storage
  • run_of_river
  • gas
  • biomass
  • coal
  • lignite
  • gas
  • gas_mine
  • oil
  • waste
  • uranium
  • other_non_renewable
Type:str
subtype

The generator’s subtype, an option amongst:

  • solar_roof_mounted
  • solar_ground_mounted
  • wind_onshore
  • wind_offshore
  • hydro
  • geothermal
  • biogas_from_grid
  • biomass
  • biogas
  • biofuel
  • biogas_dry_fermentation
  • gas_mine
  • gas_sewage
  • gas_landfill
  • gas
  • waste_wood
  • wood
Type:str
network

Getter for the overarching NetworkDing0 object.

Returns:NetworkDing0
pypsa_bus_id

Creates a unique identification for the generator to export to pypsa using the id_db of the mv_grid and the current object

Returns:str
class ding0.core.network.GeneratorFluctuatingDing0(**kwargs)[source]

Bases: ding0.core.network.GeneratorDing0

Generator object for fluctuating renewable energy sources

_weather_cell_id

ID of the weather cell used to generate feed-in time series

Type:str
weather_cell_id

Get weather cell ID :returns: str – See class definition for details.

class ding0.core.network.GridDing0(**kwargs)[source]

Bases: object

The fundamental abstract class used to encapsulated the networkx graph and the relevant attributes of a power grid irrespective of voltage level. By design, this class is not expected to be instantiated directly. This class was designed to be inherited by MVGridDing0 or by LVGridDing0.

Parameters:
  • network (NetworkDing0) – The overarching CableDistributorDing0 object that this object is connected to.
  • id_db (str) – id according to database table
  • grid_district (Shapely Polygon object) – class, area that is covered by the lv grid
  • v_level (int) – The integer value of the voltage level of the Grid in kV. Typically either 10 or 20.
cable_distributors[source]

List of CableDistributorDing0 Objects

Type:list
loads[source]

List of of LoadDing0 Objects. These are objects meant to be considered as MV-Level loads

Type:list
generators[source]

list of GeneratorDing0 or GeneratorFluctuatingDing0 Objects. These are objects meant to be considered as MV-Level Generators.

Type:list
graph

The networkx graph of the network. Initially this is an empty graph which gets populated differently depending upon which child class inherits this class, either LVGridDing0 or MVGridDing0.

Type:NetworkX Graph Objnetworkx.Graph
add_generator(generator)[source]

Adds a generator to _generators and grid graph if not already existing

Parameters:generator (GeneratorDing0 or GeneratorFluctuatingDing0) – Ding0’s generator object
cable_distributors()[source]

Provides access to the cable distributors in the grid.

Returns:list – List generator of CableDistributorDing0 objects
cable_distributors_count()[source]

Returns the count of cable distributors in grid

Returns:int – Count of the CableDistributorDing0 objects
control_generators(capacity_factor)[source]

Sets capacity factor of all generators of a grid.

A capacity factor of 0.6 means that all generators are to provide a capacity of 60% of their nominal power.

Parameters:capacity_factor (float) – Value between 0 and 1.
find_and_union_paths(node_source, nodes_target)[source]

Determines shortest paths from node_source to all nodes in node_target in _graph using find_path().

The branches of all paths are stored in a set - the result is a list of unique branches.

Parameters:
Returns:

list – List of BranchDing0 objects

find_path(node_source, node_target, type='nodes')[source]

Determines shortest path

Determines the shortest path from node_source to node_target in _graph using networkx’ shortest path algorithm.

Parameters:
Returns:

Note

WARNING: The shortest path is calculated using the count of hops, not the actual line lengths! As long as the circuit breakers are open, this works fine since there’s only one path. But if they are closed, there are 2 possible paths. The result is a path which have min. count of hops but might have a longer total path length than the second sone. See networkx’ function shortest_path() function for details on how the path is calculated.

generators()[source]

Returns a generator for iterating over grid’s generators

Returns:list generator – List of GeneratorDing0 and GeneratorFluctuatingDing0 objects
graph

Provide access to the graph

graph_add_node(node_object)[source]

Adds a station or cable distributor object to grid graph if not already existing

Parameters:node_object (GeneratorDing0 or GeneratorFluctuatingDing0 or LoadDing0 or StationDing0 or CircuitBreakerDing0 or CableDistributorDing0) – The ding0 node object to be added to the graph
graph_branches_from_node(node)[source]

Returns branches that are connected to node

Parameters:node (GeneratorDing0 or GeneratorFluctuatingDing0 or LoadDing0 or StationDing0 or CircuitBreakerDing0 or CableDistributorDing0) – Ding0 node object (member of graph)
Returns:list – List of tuple objects i.e. List of tuples (node, branch in BranchDing0)
(node , branch_0 ),
...,
(node , branch_N ),

node in ding0 is either GeneratorDing0 or GeneratorFluctuatingDing0 or LoadDing0 or StationDing0 or CircuitBreakerDing0 or CableDistributorDing0

graph_draw(mode)[source]

Draws grid graph using networkx

This method is for debugging purposes only. Use plot_mv_topology() for advanced plotting.

Parameters:mode (str) – Mode selection ‘MV’ or ‘LV’.

Note

The geo coords (for used crs see database import in class NetworkDing0) are used as positions for drawing but networkx uses cartesian crs. Since no coordinate transformation is performed, the drawn graph representation is falsified!

graph_edges()[source]

Returns a generator for iterating over graph edges

The edge of a graph is described by the two adjacent node and the branch object itself. Whereas the branch object is used to hold all relevant power system parameters.

Returns:dict generator –

Dictionary generator with the keys:

Note

There are generator functions for nodes (Graph.nodes()) and edges (Graph.edges()) in NetworkX but unlike graph nodes, which can be represented by objects, branch objects can only be accessed by using an edge attribute (‘branch’ is used here)

To make access to attributes of the branch objects simpler and more intuitive for the user, this generator yields a dictionary for each edge that contains information about adjacent nodes and the branch object.

Note, the construction of the dictionary highly depends on the structure of the in-going tuple (which is defined by the needs of networkX). If this changes, the code will break.

graph_isolated_nodes()[source]

Finds isolated nodes = nodes with no neighbors (degree zero)

Returns:list – List of ding0 node objects i.e. GeneratorDing0 or GeneratorFluctuatingDing0 or LoadDing0 or StationDing0 or CircuitBreakerDing0 or CableDistributorDing0
graph_nodes_from_branch(branch)[source]

Returns nodes that are connected by branch i.e. a BranchDing0 object.

Parameters:branch (BranchDing0) –
Returns:tuple – Tuple of node objects in ding0. 2-tuple of Ding0 node objects i.e. GeneratorDing0 or GeneratorFluctuatingDing0 or LoadDing0 or StationDing0 or CircuitBreakerDing0 or CableDistributorDing0
graph_nodes_sorted()[source]

Returns an sorted list of graph’s nodes. The nodes are arranged based on the name in ascending order.

Returns:list – List of GeneratorDing0 or GeneratorFluctuatingDing0 or LoadDing0 or StationDing0 or CircuitBreakerDing0 or CableDistributorDing0
graph_path_length(node_source, node_target)[source]

Calculates the absolute distance between node_source and node_target in meters using find_path() and branches’ length attribute.

node_source: GeneratorDing0 or GeneratorFluctuatingDing0 or LoadDing0 or StationDing0 or CircuitBreakerDing0 or CableDistributorDing0
source node, member of _graph, ding0 node object
node_target: GeneratorDing0 or GeneratorFluctuatingDing0 or LoadDing0 or StationDing0 or CircuitBreakerDing0 or CableDistributorDing0
target node, member of _graph, ding0 node object
Returns:float – path length in meters
loads()[source]

Returns a generator for iterating over grid’s loads

Returns:list generator – List Generator of LoadDing0 objects
loads_count()[source]

Returns the count of loads in grid

Returns:int – Count of the LoadDing0 objects
class ding0.core.network.LoadDing0(**kwargs)[source]

Bases: object

Class for modelling a load

id_db

id according to database table

Type:int
geo_data

The geo-spatial point in the coordinate reference system with the SRID:4326 or epsg:4326, this is the project used by the ellipsoid WGS 84.

Type:Shapely Point object
grid

The MV or LV grid that this Load is to be a part of.

Type:GridDing0
peak_load

Peak load of the current object

Type:float
network

Getter for the overarching NetworkDing0 object.

Returns:NetworkDing0
pypsa_bus_id

Creates a unique identification for the generator to export to pypsa using the id_db of the mv_grid and the current object

Returns:str
class ding0.core.network.RingDing0(**kwargs)[source]

Bases: object

Represents a medium voltage Ring.

Parameters:grid (MVGridDing0) – The MV grid that this ring is to be a part of.
branches()[source]

Getter for the branches in the RingDing0 object.

Returns:list generator – List generator of BranchDing0 objects
lv_load_areas()[source]

Getter for the LV Load Areas that this Ring covers.

Returns:list generator – List generator of LVLoadAreaDing0 objects
network

Getter for the overarching NetworkDing0 object.

Returns:NetworkDing0
class ding0.core.network.StationDing0(**kwargs)[source]

Bases: object

The abstract definition of a substation irrespective of voltage level. This object encapsulates the attributes that can appropriately represent a station in a networkx graph as a node. By design, this class is not expected to be instantiated directly. This class was designed to be inherited by MVStationDing0 or by LVStationDing0.

Parameters:
  • id_db (str) – id according to database table
  • v_level_operation (float) – operation voltage level in kilovolts (kV) at station (the station’s voltage level differs from the nominal voltage level of the grid due to grid losses). It is usually set to a slightly higher value than the nominal voltage, e.g. 104% in MV grids.
  • geo_data (Shapely Point object) – The geo-spatial point in the coordinate reference system with the SRID:4326 or epsg:4326, this is the project used by the ellipsoid WGS 84.
  • grid (GridDing0) – Either a MVGridDing0 or MVGridDing0 object
  • _transformers (list of) – TransformerDing0 objects
add_transformer(transformer)[source]

Adds a transformer to _transformers if not already existing

Parameters:transformer (TransformerDing0) – The TransformerDing0 object to be added to the current StationDing0
network

Getter for the overarching NetworkDing0 object

Returns:NetworkDing0
peak_load

Cumulative peak load of loads connected to underlying MV or LV grid

(taken from MV or LV Grid District -> top-down)

Returns:float – Peak load of the current StationDing0 object

Note

This peak load includes all loads which are located within Grid District: When called from MV station, all loads of all Load Areas are considered (peak load was calculated in MVGridDistrictDing0.add_peak_demand()). When called from LV station, all loads of the LVGridDistrict are considered.

transformers()[source]

Returns a generator for iterating over transformers

Returns:list generator – List generator of TransformerDing0 objects
class ding0.core.network.TransformerDing0(**kwargs)[source]

Bases: object

Transformers are essentially voltage converters, which enable to change between voltage levels based on the usage.

id_db

id according to database table

Type:int
grid

The MV grid that this ring is to be a part of.

Type:MVGridDing0
v_level

voltage level [kV]

Type:float
s_max_a

rated power (long term) [kVA]

Type:float
s_max_b

rated power (short term)

Type:float
s_max_c

rated power (emergency)

Type:float
phase_angle

phase shift angle

Type:float
tap_ratio

off nominal turns ratio

Type:float
network

Getter for the overarching NetworkDing0 object.

Returns:NetworkDing0
z(voltage_level=None)[source]

Calculates the complex impedance in Ohm related to voltage_level. If voltage_level is not inserted, the secondary voltage of the transformer is chosen as a default. :param voltage_level: voltage in [kV] :return: Z_tr in [Ohm]

ding0.core.powerflow package
Module contents
class ding0.core.powerflow.PFConfigDing0(**kwargs)[source]

Bases: object

Defines the PF scenario configuration

Parameters:

Note

This class can be called as follows:

  1. With scenarios and timeranges:

    scenarios = ['scn_1', ...,  'scn_n'],
    timeranges= [timerange_1, ..., timerange_n]
    
  2. With scenarios, start time and count of timesteps:

    scenarios = ['scn_1', ...,  'scn_n'],
    timesteps_count = m,
    timestep_start = datetime()
    

(in this case, n timeranges with m timesteps starting from datetime will be created)

resolution

Returns resolution

scenarios

Returns a generator for iterating over PF scenarios

srid

Returns SRID

timesteps

Returns a generator for iterating over PF timesteps

ding0.core.powerflow.q_sign(reactive_power_mode_string, sign_convention)[source]

Gets the correct sign for Q time series given ‘inductive’ and ‘capacitive’ and the ‘generator’ or ‘load’ convention.

Parameters:
  • reactive_power_mode_string (str) – Either ‘inductive’ or ‘capacitive’
  • sign_convention (str) – Either ‘load’ or ‘generator’
Returns:

obj: int : +1 or -1 – A sign to mulitply to Q time sereis

ding0.core.structure package
Submodules
ding0.core.structure.groups module
class ding0.core.structure.groups.LoadAreaGroupDing0(**kwargs)[source]

Bases: object

Container for small load_areas / load areas (satellites).

A group of stations which are within the same satellite string. It is required to check whether a satellite string has got more load or string length than allowed, hence new nodes cannot be added to it.

id_db

Descr

Type:int
mv_grid_district

Desc

Type:Shapely Polygon object
add_lv_load_area(lv_load_area)[source]

Adds a LV load_area to _lv_load_areas if not already existing

Parameters:lv_load_area (Shapely Polygon object) – Descr
can_add_lv_load_area(node)[source]

Sums up peak load of LV stations

That is, total peak load for satellite string

Parameters:node (GridDing0) – Descr
Returns:obj: bool – True if ????
lv_load_areas()[source]

Returns a generator for iterating over load_areas

Yields:int – generator for iterating over load_areas
network
ding0.core.structure.regions module
class ding0.core.structure.regions.LVGridDistrictDing0(**kwargs)[source]

Bases: ding0.core.structure.RegionDing0

Describes region that is covered by a single LV grid

Parameters:
  • geo_data (Shapely Polygon object) – The geo-spatial polygon in the coordinate reference system with the SRID:4326 or epsg:4326, this is the project used by the ellipsoid WGS 84.
  • lv_load_area (Shapely Polygon object) – Descr
  • lv_grid (Shapely Polygon object) – Descr
  • population (float) – Descr
  • peak_load_residential (float) – Descr
  • peak_load_retail (float) – Descr
  • peak_load_industrial (float) – Descr
  • peak_load_agricultural (float) – Descr
  • peak_load (float) – Descr
  • sector_count_residential (int) – Descr
  • sector_count_retail (int) – Descr
  • sector_count_industrial (int) – Descr
  • sector_count_agricultural (int) – Descr
network
class ding0.core.structure.regions.LVLoadAreaCentreDing0(**kwargs)[source]

Bases: object

Defines a region centre in Ding0.

The centres are used in the MV routing as nodes.

Note

Centre is a point within a region’s polygon that is located most central (e.g. in a simple region shape like a circle it’s the geometric center).

Parameters:
  • id_db (int) – unique ID in database (=id of associated load area)
  • grid (int) – Descr
  • geo_data (Shapely Point object) – The geo-spatial point in the coordinate reference system with the SRID:4326 or epsg:4326, this is the project used by the ellipsoid WGS 84.
  • lv_load_area (LVLoadAreaDing0) – Descr
network
pypsa_bus_id

Remove Returns specific ID for representing bus in pypsa network.

Returns:str – Representative of pypsa bus
Type:Todo
class ding0.core.structure.regions.LVLoadAreaDing0(**kwargs)[source]

Bases: ding0.core.structure.RegionDing0

Defines a LV-load_area in DINGO

ring

Descr

Type:int
mv_grid_district

Descr

Type:Shapely Polygon object
lv_load_area_centre

Descr

Type:Shapely Point object
lv_load_area_group

Descr

Type:Shapely Polygon object
is_satellite

Descr

Type:bool
is_aggregated

Descr

Type:bool
db_data

Descr

Type:pandas.DatetimeIndex
add_lv_grid_district(lv_grid_district)[source]

Adds a LV grid district to _lv_grid_districts if not already existing

Parameters:lv_grid_district (Shapely Polygon object) – Descr
lv_grid_districts()[source]

Returns a generator for iterating over LV grid districts

Yields:int – generator for iterating over LV grid districts
lv_grid_districts_count()[source]

Returns the count of LV grid districts

Returns:int – Number of LV grid districts.
network
peak_generation

Cumulative peak generation of generators connected to LV grids of underlying LVGDs

class ding0.core.structure.regions.MVGridDistrictDing0(**kwargs)[source]

Bases: ding0.core.structure.RegionDing0

Defines a MV-grid_district in DINGO

mv_grid

Descr

Type:int
geo_data

The geo-spatial Polygon in the coordinate reference system with the SRID:4326 or epsg:4326, this is the project used by the ellipsoid WGS 84.

Type:Shapely Polygon object
peak_load

Descr

Type:float
peak_load_satellites

Descr

Type:float
peak_load_aggregated

Descr

Type:float
add_aggregated_peak_demand()[source]

Summarizes peak loads of underlying aggregated load_areas

add_lv_load_area(lv_load_area)[source]

Adds a Load Area lv_load_area to _lv_load_areas if not already existing

Additionally, adds the associated centre object to MV grid’s _graph as node.

Parameters:lv_load_area (LVLoadAreaDing0) – instance of class LVLoadAreaDing0
add_lv_load_area_group(lv_load_area_group)[source]

Adds a LV load_area to _lv_load_areas if not already existing.

add_peak_demand()[source]

Summarizes peak loads of underlying load_areas in kVA.

(peak load sum and peak load of satellites)

lv_load_area_groups()[source]

Returns a generator for iterating over LV load_area groups.

Yields:int – generator for iterating over LV load_areas
lv_load_area_groups_count()[source]

Returns the count of LV load_area groups in MV region

Returns:int – Number of LV load_area groups in MV region.
lv_load_areas()[source]

Returns a generator for iterating over load_areas

Yields:int – generator for iterating over load_areas
network
Module contents
class ding0.core.structure.RegionDing0(**kwargs)[source]

Bases: object

Defines a region in DING0

Module contents
class ding0.core.NetworkDing0(**kwargs)[source]

Bases: object

Defines the DING0 Network - not a real grid but a container for the MV-grids. Contains the NetworkX graph and associated attributes.

This object behaves like a location to store all the constituent objects required to estimate the grid topology of a give set of shapes that need to be connected.

The most important function that defines ding0’s use case is initiated from this class i.e. run_ding0().

Parameters:
  • name (str) – A name given to the network. This defaults to Network.
  • run_id (str) – A unique identification number to identify different runs of Ding0. This is usually the date and the time in some compressed format. e.g. 201901010900.
mv_grid_districts[source]

Contains the MV Grid Districts where the topology has to be estimated A list of MVGridDistrictDing0 objects whose data is stored in the current instance of the NetworkDing0 Object. By default the list is empty. MV grid districts can be added by using the function add_mv_grid_district(). This is done within the function build_mv_grid_district() in the normal course upon calling run_ding0().

Type:list iterator
config

These are the configurations that are required for the construction of the network topology given the areas to be connected together. The configuration is imported by calling import_config(). The configurations are stored in text files within the ding0 package in the config folder. These get imported into a python dictionary-like configuration object.

Type:dict
pf_config

These are the configuration of the power flows that are run to ensure that the generated network is plausible and is capable of a reasonable amount of loading without causing any grid issues. This object cannot be set at inititation, it gets set by the function import_pf_config() which takes the configurations from :attr:_config and sets up the configurations for running power flow calculations.

Type:PFConfigDing0
static_data

Data such as electrical and mechanical properties of typical assets in the energy system are stored in ding0. These are used in many parts of ding0’s calculations. Data values:

  • Typical cable types, and typical line types’ electrical impedences,
    thermal ratings, operating voltage level.
  • Typical transformers types’ electrical impedences, voltage drops,
    thermal ratings, winding voltages
  • Typical LV grid topologies’ line types, line lengths and
    distribution
Type:dict
orm

The connection parameters to the OpenEnergy Platform and the tables and datasets required for the functioning of ding0

Type:dict
add_mv_grid_district(mv_grid_district)[source]

A method to add mv_grid_districts to the NetworkDing0 Object by adding it to the mv_grid_districts.

build_lv_grid_district(lv_load_area, lv_grid_districts, lv_stations)[source]

Instantiates and associates lv_grid_district incl grid and station.

The instantiation creates more or less empty objects including relevant data for transformer choice and grid creation

Parameters:
build_lv_grids()[source]

Builds LV grids for every non-aggregated LA in every MV grid district using model grids.

build_mv_grid_district(poly_id, subst_id, grid_district_geo_data, station_geo_data)[source]

Initiates single MV grid_district including station and grid

Parameters:
  • poly_id (int) – ID of grid_district according to database table. Also used as ID for created grid #TODO: check type
  • subst_id (int) – ID of station according to database table #TODO: check type
  • grid_district_geo_data (Shapely Polygon object) – Polygon of grid district, The geo-spatial polygon in the coordinate reference system with the SRID:4326 or epsg:4326, this is the project used by the ellipsoid WGS 84.
  • station_geo_data (Shapely Point object) – Point of station. The geo-spatial point in the coordinate reference system with the SRID:4326 or epsg:4326, this is the project used by the ellipsoid WGS 84.
Returns:

MVGridDistrictDing0

config

Getter for the configuration dictionary.

Returns:dict
connect_generators(debug=False)[source]

Connects generators (graph nodes) to grid (graph) for every MV and LV Grid District

Parameters:debug (bool, defaults to False) – If True, information is printed during process.
control_circuit_breakers(mode=None)[source]

Opens or closes all circuit breakers of all MV grids.

Parameters:mode (str) – Set mode=’open’ to open, mode=’close’ to close
export_mv_grid(session, mv_grid_districts)[source]

Exports MV grids to database for visualization purposes

Parameters:
export_mv_grid_new(session, mv_grid_districts)[source]

Exports MV grids to database for visualization purposes

Parameters:
get_mvgd_lvla_lvgd_obj_from_id()[source]

Build dict with mapping from:

Returns:
  • dict

    mv_grid_districts_dict:

    {
      mv_grid_district_id_1: mv_grid_district_obj_1,
      ...,
      mv_grid_district_id_n: mv_grid_district_obj_n
    }
    
  • dict

    lv_load_areas_dict:

    {
      lv_load_area_id_1: lv_load_area_obj_1,
      ...,
      lv_load_area_id_n: lv_load_area_obj_n
    }
    
  • dict

    lv_grid_districts_dict:

    {
      lv_grid_district_id_1: lv_grid_district_obj_1,
      ...,
      lv_grid_district_id_n: lv_grid_district_obj_n
    }
    
  • dict

    lv_stations_dict:

    {
      lv_station_id_1: lv_station_obj_1,
      ...,
      lv_station_id_n: lv_station_obj_n
    }
    
import_config()[source]

Loads parameters from config files

Returns:dict – configuration key value pair dictionary
import_generators(session, debug=False)[source]

Imports renewable (res) and conventional (conv) generators

Parameters:

Note

Connection of generators is done later on in NetworkDing0’s method connect_generators()

import_lv_grid_districts(session, lv_stations)[source]

Imports all lv grid districts within given load area

Parameters:session (SQLAlchemy session object) – Database session
Returns:lv_grid_districts (pandas.DataFrame) – Table of lv_grid_districts
import_lv_load_areas(session, mv_grid_district, lv_grid_districts, lv_stations)[source]

Imports load_areas (load areas) from database for a single MV grid_district

Parameters:
  • session (SQLAlchemy session object) – Database session
  • mv_grid_district (MV grid_district/station (instance of MVGridDistrictDing0 class) for) – which the import of load areas is performed
  • lv_grid_districts (pandas.DataFrame) – LV grid districts within this mv_grid_district
  • lv_stations (pandas.DataFrame) – LV stations within this mv_grid_district
import_lv_stations(session)[source]

Import lv_stations within the given load_area

Parameters:session (SQLAlchemy session object) – Database session
Returns:lv_stations (pandas.DataFrame) – Table of lv_stations
import_mv_grid_districts(session, mv_grid_districts_no=None)[source]

Imports MV Grid Districts, HV-MV stations, Load Areas, LV Grid Districts and MV-LV stations, instantiates and initiates objects.

Parameters:
  • session (sqlalchemy.orm.session.Session) – Database session
  • mv_grid_districts (list of int) – List of MV grid_districts/stations (int) to be imported (if empty, all grid_districts & stations are imported)

See also

build_mv_grid_district()
used to instantiate MV grid_district objects
import_lv_load_areas()
used to import load_areas for every single MV grid_district
ding0.core.structure.regions.MVGridDistrictDing0.add_peak_demand()
used to summarize peak loads of underlying load_areas
import_orm()[source]

Import ORM classes names for the correct connection to open energy platform and access tables depending on input in config in self.config which is loaded from ‘config_db_tables.cfg’

Returns:obj: dict – key value pairs of names of datasets versus sqlalchmey maps to acess various tables where the datasets used to build grids are stored on the open energy platform.
import_pf_config()[source]

Creates power flow config class and imports config from file

Returns:PFConfigDing0
import_static_data()[source]

Imports static data into NetworkDing0 such as equipment.

Returns:obj: dict – Dictionary with equipment data
list_generators(session)[source]

List renewable (res) and conventional (conv) generators

Parameters:session (SQLAlchemy session object) – Database session
Returns:pandas.DataFrame – A table containing the generator data, the columns being: - subst_id, - la_id (load area id), - mv_lv_subst_id (id of the mv lv substation), - electrical_capacity - generation_type - generation_subtype - voltage_level - geospatial coordinates as Shapely Point object
list_load_areas(session, mv_districts)[source]

list load_areas (load areas) peak load from database for a single MV grid_district

Parameters:
list_lv_grid_districts(session, lv_stations)[source]

Imports all lv grid districts within given load area

Parameters:
Returns:

pandas.DataFrame – Pandas Data Frame Table of lv_grid_districts

metadata

Provide metadata on a Ding0 run

Parameters:run_id (str, (defaults to current date)) – Distinguish multiple versions of Ding0 data by a run_id. If not set it defaults to current date in the format YYYYMMDDhhmmss
Returns:dict – Metadata
mv_grid_districts()[source]

A generator for iterating over MV grid_districts

Returns:list iterator – A list iterator containing the MVGridDistrictDing0 objects.
mv_parametrize_grid(debug=False)[source]

Performs Parametrization of grid equipment of all MV grids.

Parameters:debug (:obj:bool, defaults to False) – If True, information is printed during process.
mv_routing(debug=False, animation=False)[source]

Performs routing on all MV grids.

Parameters:
  • debug (bool, default to False) – If True, information is printed while routing
  • animation (bool, default to False) – If True, images of route modification steps are exported during routing process. A new animation object is created.

See also

ding0.core.network.grids.MVGridDing0.routing()
for details on MVGridDing0 objects routing
ding0.tools.animation.AnimationDing0()
for details on animation function.
orm

Getter for the stored ORM configurations.

Returns:obj: dict
pf_config

Getter for the power flow calculation configurations.

Returns:PFConfigDing0
reinforce_grid()[source]

Performs grid reinforcement measures for all MV and LV grids

run_ding0(session, mv_grid_districts_no=None, debug=False, export_figures=False)[source]

Let DING0 run by shouting at this method (or just call it from NetworkDing0 instance). This method is a wrapper for the main functionality of DING0.

Parameters:
  • session (sqlalchemy.orm.session.Session) – Database session
  • mv_grid_districts_no (list of int objects.) – List of MV grid_districts/stations to be imported (if empty, all grid_districts & stations are imported)
  • debug (obj:bool, defaults to False) – If True, information is printed during process
  • export_figures (bool, defaults to False) – If True, figures are shown or exported (default path: ~/.ding0/) during run.
Returns:

msg (obj:str) – Message of invalidity of a grid district

Note

The steps performed in this method are to be kept in the given order since there are hard dependencies between them. Short description of all steps performed:

  • STEP 1: Import MV Grid Districts and subjacent objects

    Imports MV Grid Districts, HV-MV stations, Load Areas, LV Grid Districts and MV-LV stations, instantiates and initiates objects.

  • STEP 2: Import generators

    Conventional and renewable generators of voltage levels 4..7 are imported and added to corresponding grid.

  • STEP 3: Parametrize grid

    Parameters of MV grid are set such as voltage level and cable/line types according to MV Grid District’s characteristics.

  • STEP 4: Validate MV Grid Districts

    Tests MV grid districts for validity concerning imported data such as count of Load Areas.

  • STEP 5: Build LV grids

    Builds LV grids for every non-aggregated LA in every MV Grid District using model grids.

  • STEP 6: Build MV grids

    Builds MV grid by performing a routing on Load Area centres to build ring topology.

  • STEP 7: Connect MV and LV generators

    Generators are connected to grids, used approach depends on voltage level.

  • STEP 8: Relocate switch disconnectors in MV grid

    Switch disconnectors are set during routing process (step 6) according to the load distribution within a ring. After further modifications of the grid within step 6+7 they have to be relocated (note: switch disconnectors are called circuit breakers in DING0 for historical reasons).

  • STEP 9: Open all switch disconnectors in MV grid

    Under normal conditions, rings are operated in open state (half-rings). Furthermore, this is required to allow powerflow for MV grid.

  • STEP 10: Do power flow analysis of MV grid

    The technically working MV grid created in step 6 was extended by satellite loads and generators. It is finally tested again using powerflow calculation.

  • STEP 11: Reinforce MV grid

    MV grid is eventually reinforced persuant to results from step 11.

  • STEP 12: Close all switch disconnectors in MV grid

    The rings are finally closed to hold a complete graph (if the SDs are open, the edges adjacent to a SD will not be exported!)

run_powerflow(session=None, method='onthefly', only_calc_mv=True, export_pypsa=False, debug=False, export_result_dir=None)[source]

Performs power flow calculation for all MV grids

Parameters:
  • session (SQLAlchemy session object) – Database session
  • method (str) –

    Specify export method If method=’db’ grid data will be exported to database

    If method=’onthefly’ grid data will be passed to PyPSA directly (default)

  • export_pypsa (bool) – If True PyPSA networks will be exported as csv to output/debug/grid/<MV-GRID_NAME>/
  • debug (bool, defaults to False) – If True, information is printed during process
set_circuit_breakers(debug=False)[source]

Calculates the optimal position of the existing circuit breakers and relocates them within the graph for all MV grids.

Parameters:debug (bool, defaults to False) – If True, information is printed during process
static_data

Getter for the static data

Returns:obj: dict
to_csv(dir='', only_export_mv=False)[source]

Function to export network to csv. Converts network in dataframes which are adapted to pypsa format. Respectively saves files for network, buses, lines, transformers, loads and generators.

Parameters:
  • dir (str) – Directory to which network is saved.
  • only_export_mv (bool) – When True only mv topology is exported with aggregated lv grid districts
to_dataframe(only_export_mv=False)[source]

Function to export network to csv. Converts network in dataframes which are adapted to pypsa format. Respectively saves files for network, buses, lines, transformers, loads and generators.

Parameters:only_export_mv (bool) – When True only mv topology is exported with aggregated lv grid districts
to_dataframe_old()[source]

Todo: remove? or replace by part of to_csv() Export grid data to dataframes for statistical analysis.

The export to dataframe is similar to db tables exported by export_mv_grid_new.

Returns:pandas.DataFrame – Pandas Data Frame
validate_grid_districts()[source]

Method to check the validity of the grid districts. MV grid districts are considered valid if:

  1. The number of nodes of the graph should be greater than 1
  2. All the load areas in the grid district are NOT tagged as aggregated load areas.

Invalid MV grid districts are subsequently deleted from Network.

ding0.flexopt package
Submodules
ding0.flexopt.check_tech_constraints module
ding0.flexopt.check_tech_constraints.check_load(grid, mode)[source]

Checks for over-loading of branches and transformers for MV or LV grid.

Parameters:
  • grid (GridDing0) – Grid identifier.
  • mode (str) – Kind of grid (‘MV’ or ‘LV’).
Returns:

  • dict – Dict of critical branches with max. relative overloading, and the following format:

    {
    branch_1: rel_overloading_1,
    ...,
    branch_n: rel_overloading_n
    }
    
  • list of TransformerDing0 objects –

    List of critical transformers with the following format:

    [trafo_1, ..., trafo_m]
    

Note

Lines’/cables’ max. capacity (load case and feed-in case) are taken from [1].

References

[1]dena VNS
ding0.flexopt.check_tech_constraints.check_voltage(grid, mode)[source]

Checks for voltage stability issues at all nodes for MV or LV grid

Parameters:
  • grid (GridDing0) – Grid identifier.
  • mode (str) – Kind of grid (‘MV’ or ‘LV’).
Returns:

list of Ding0 node object (member of graph) either –

List of critical nodes, sorted descending by voltage difference.

Note

The examination is done in two steps, according to [2] :

  1. It is checked #TODO: what?
  2. #TODO: what’s next?

References

[2]dena VNS
ding0.flexopt.check_tech_constraints.get_critical_line_loading(grid)[source]

Assign line loading to each branch determined by peak load and peak generation of descendant branches

The attribute s_res is a list of two elements 1. apparent power in load case 2. apparent power in feed-in case

Parameters:grid (LVGridDing0) – Ding0 LV grid object
Returns:
  • list – List of critical branches incl. its line loading
  • list – List of critical stations incl. its transformer loading
ding0.flexopt.check_tech_constraints.get_critical_voltage_at_nodes(grid)[source]

Estimate voltage drop/increase induced by loads/generators connected to the grid.

Based on voltage level at each node of the grid critical nodes in terms of exceed tolerable voltage drop/increase are determined. The tolerable voltage drop/increase is defined by [3] a adds up to 3 % of nominal voltage. The longitudinal voltage drop at each line segment is estimated by a simplified approach (neglecting the transverse voltage drop) described in [3].

Two equations are available for assessing voltage drop/ voltage increase.

The first is used to assess a voltage drop in the load case

\\Delta u = \\frac{S_{Amax} \cdot ( R_{kV} \cdot cos(\phi) + X_{kV} \cdot sin(\phi) )}{U_{nom}}

The second equation can be used to assess the voltage increase in case of feedin. The only difference is the negative sign before X. This is related to consider a voltage drop due to inductive operation of generators.

\\Delta u = \\frac{S_{Amax} \cdot ( R_{kV} \cdot cos(\phi) - X_{kV} \cdot sin(\phi) )}{U_{nom}}

Symbol Description
\Delta u Voltage drop/increase at node
S_{Amax} Apparent power
R_{kV} Short-circuit resistance
X_{kV} Short-circuit reactance
cos(\phi) Power factor
U_{nom} Nominal voltage
Parameters:grid (LVGridDing0) – Ding0 LV grid object

Note

The implementation highly depends on topology of LV grid. This must not change its topology from radial grid with stubs branching from radial branches. In general, the approach of [3] is only applicable to grids of radial topology.

We consider the transverse voltage drop/increase by applying the same methodology successively on results of main branch. The voltage drop/increase at each house connection branch (aka. stub branch or grid connection point) is estimated by superposition based on voltage level in the main branch cable distributor.

References

[3](1, 2, 3) VDE Anwenderrichtlinie: Erzeugungsanlagen am Niederspannungsnetz – Technische Mindestanforderungen für Anschluss und Parallelbetrieb von Erzeugungsanlagen am Niederspannungsnetz, 2011
ding0.flexopt.check_tech_constraints.get_cumulated_conn_gen_load(graph, node)[source]

Get generation capacity/ peak load of all descending nodes

Parameters:
  • graph (NetworkX Graph Obj) – Directed graph
  • node (graph node) – Node of the main branch of LV grid
Returns:

list – A list containing two items

# cumulated peak load of connected loads at descending nodes of node # cumulated generation capacity of connected generators at descending nodes of node

ding0.flexopt.check_tech_constraints.get_delta_voltage_preceding_line(grid, tree, node)[source]
Parameters:
Returns:

float – Voltage drop over preceding line of node

ding0.flexopt.check_tech_constraints.get_mv_impedance_at_voltage_level(grid, voltage_level)[source]

Determine MV grid impedance (resistance and reactance separately)

Parameters:
  • grid (LVGridDing0) –
  • voltage_level (float) – voltage level to which impedance is rescaled (normally 0.4 kV for LV)
Returns:

list – List containing resistance and reactance of MV grid

ding0.flexopt.check_tech_constraints.get_voltage_at_bus_bar(grid, tree)[source]

Determine voltage level at bus bar of MV-LV substation

Parameters:
Returns:

list – Voltage at bus bar. First item refers to load case, second item refers to voltage in feedin (generation) case

ding0.flexopt.check_tech_constraints.get_voltage_delta_branch(tree, node, r, x)[source]

Determine voltage for a branch with impedance r + jx

Parameters:
  • tree (NetworkX Graph Obj) – Tree of grid topology
  • node (graph node) – Node to determine voltage level at
  • r (float) – Resistance of preceeding branch
  • x (float) – Reactance of preceeding branch
Returns:

float – Delta voltage for branch

ding0.flexopt.check_tech_constraints.peak_load_generation_at_node(nodes)[source]

Get maximum occuring load and generation at a certain node

Summarizes peak loads and nominal generation power of descendant nodes of a branch

Parameters:nodes (list) – Any LV grid Ding0 node object that is part of the grid topology
Returns:
  • float – peak_load : Sum of peak loads of descendant nodes
  • float – peak_generation : Sum of nominal power of generation at descendant nodes
ding0.flexopt.check_tech_constraints.voltage_delta_vde(v_nom, s_max, r, x, cos_phi)[source]

Estimate voltrage drop/increase

The VDE [4] proposes a simplified method to estimate voltage drop or increase in radial grids.

Parameters:
  • v_nom (int) – Nominal voltage
  • s_max (float) – Apparent power
  • r (float) – Short-circuit resistance from node to HV/MV substation (in ohm)
  • x (float) – Short-circuit reactance from node to HV/MV substation (in ohm). Must be a signed number indicating (+) inductive reactive consumer (load case) or (-) inductive reactive supplier (generation case)
  • cos_phi (float) – The cosine phi of the connected generator or load that induces the voltage change
Returns:

float – Voltage drop or increase

References

[4]VDE Anwenderrichtlinie: Erzeugungsanlagen am Niederspannungsnetz – Technische Mindestanforderungen für Anschluss und Parallelbetrieb von Erzeugungsanlagen am Niederspannungsnetz, 2011
ding0.flexopt.reinforce_grid module
ding0.flexopt.reinforce_grid.reinforce_grid(grid, mode)[source]

Evaluates grid reinforcement needs and performs measures

Grid reinforcement according to methods described in [VNSRP] supplemented by [DENA].

Parameters:
  • grid (GridDing0) – Grid instance
  • mode (str) – Choose of: ‘MV’ or ‘LV’

Note

Currently only MV branch reinforcement is implemented. HV-MV stations are not reinforced since not required for status-quo scenario.

References

[DENA]Deutsche Energie-Agentur GmbH (dena), “dena-Verteilnetzstudie. Ausbau- und Innovationsbedarf der Stromverteilnetze in Deutschland bis 2030.”, 2012
[VNSRP]Ackermann, T., Untsch, S., Koch, M., & Rothfuchs, H. (2014). Verteilnetzstudie Rheinland-Pfalz. Hg. v. Ministerium für Wirtschaft, Klimaschutz, Energie und Landesplanung Rheinland-Pfalz (MWKEL). energynautics GmbH.
ding0.flexopt.reinforce_measures module
ding0.flexopt.reinforce_measures.extend_substation(grid, critical_stations, grid_level)[source]

Reinforce MV or LV substation by exchanging the existing trafo and installing a parallel one if necessary.

First, all available transformers in a critical_stations are extended to maximum power. If this does not solve all present issues, additional transformers are build.

Parameters:
  • grid (GridDing0) – Ding0 grid container
  • critical_stations (list) – List of stations with overloading
  • grid_level (str) – Either “LV” or “MV”. Basis to select right equipment.

Note

Curently straight forward implemented for LV stations

Returns:type – #TODO: Description of return. Change type in the previous line accordingly
ding0.flexopt.reinforce_measures.extend_substation_voltage(crit_stations, grid_level='LV')[source]

Extend substation if voltage issues at the substation occur

Follows a two-step procedure:

  1. Existing transformers are extended by replacement with large nominal apparent power
  2. New additional transformers added to substation (see ‘Note’)
Parameters:
  • crit_stations (list) – List of stations with overloading or voltage issues.
  • grid_level (str) – Specifiy grid level: ‘MV’ or ‘LV’

Note

At maximum 2 new of largest (currently 630 kVA) transformer are additionally built to resolve voltage issues at MV-LV substation bus bar.

ding0.flexopt.reinforce_measures.extend_trafo_power(extendable_trafos, trafo_params)[source]

Extend power of first trafo in list of extendable trafos

Parameters:
  • extendable_trafos (list) – Trafos with rated power below maximum size available trafo
  • trafo_params (pandas.DataFrame) – Transformer parameters
ding0.flexopt.reinforce_measures.new_substation(grid)[source]

Reinforce MV grid by installing a new primary substation opposite to the existing one

Parameters:grid (MVGridDing0) – MV Grid identifier.
ding0.flexopt.reinforce_measures.reinforce_branches_current(grid, crit_branches)[source]

Reinforce MV or LV grid by installing a new branch/line type

Parameters:
  • grid (GridDing0) – Grid identifier.
  • crit_branches (dict) – Dict of critical branches with max. relative overloading.

Note

The branch type to be installed is determined per branch using the rel. overloading. According to [5] only cables are installed.

References

[5]Ackermann et al. (RP VNS)
ding0.flexopt.reinforce_measures.reinforce_branches_voltage(grid, crit_branches, grid_level='MV')[source]

Reinforce MV or LV grid by installing a new branch/line type

Parameters:
  • grid (GridDing0) – Grid identifier.
  • crit_branches (list of int) – List of critical branches. #TODO: check if a list or a dictionary
  • grid_level (str) – Specifying either ‘MV’ for medium-voltage grid or ‘LV’ for low-voltage grid level.

Note

The branch type to be installed is determined per branch - the next larger cable available is used. According to Ackermann only cables are installed.

ding0.flexopt.reinforce_measures.reinforce_lv_branches_overloading(grid, crit_branches)[source]

Choose appropriate cable type for branches with line overloading

Parameters:
  • grid (LVGridDing0) – Ding0 LV grid object
  • crit_branches (list) – List of critical branches incl. its line loading

Note

If maximum size cable is not capable to resolve issue due to line overloading largest available cable type is assigned to branch.

Returns:list – unsolved_branches : List of braches no suitable cable could be found
ding0.flexopt.reinforce_measures_dena module
ding0.flexopt.reinforce_measures_dena.extend_substation(grid)[source]

Reinforce MV or LV substation by exchanging the existing trafo and installing a parallel one if necessary with according to dena

Parameters:grid (GridDing0) – Grid identifier.
Returns:type – #TODO: Description of return. Change type in the previous line accordingly
ding0.flexopt.reinforce_measures_dena.new_substation(grid)[source]

Reinforce MV grid by installing a new primary substation opposite to the existing one according to dena

Parameters:grid (MVGridDing0) – Grid identifier.
Returns:type – #TODO: Description of return. Change type in the previous line accordingly
ding0.flexopt.reinforce_measures_dena.parallel_branch(grid, node_target)[source]

Reinforce MV or LV grid by installing a new parallel branch according to dena

Parameters:
  • grid (GridDing0) – Grid identifier.
  • node_target (int) – node where the parallel cable (starting from HV/MV substation) is connected to (used when grid is a MV grid)
Returns:

type – #TODO: Description of return. Change type in the previous line accordingly

ding0.flexopt.reinforce_measures_dena.split_ring(grid)[source]

Reinforce MV grid by splitting a critical ring into two new rings according to dena

Parameters:grid (MVGridDing0) – Grid identifier.
Returns:type – #TODO: Description of return. Change type in the previous line accordingly
Module contents
ding0.grid package
Subpackages
ding0.grid.lv_grid package
Submodules
ding0.grid.lv_grid.build_grid module
ding0.grid.lv_grid.build_grid.build_lv_graph_residential(lvgd, selected_string_df)[source]

Builds nxGraph based on the LV grid model

Parameters:

Note

To understand what is happening in this method a few data table columns are explained here

  • count house branch: number of houses connected to a string
  • distance house branch: distance on a string between two house branches
  • string length: total length of a string
  • length house branch A|B: cable from string to connection point of a house

A|B in general brings some variation in to the typified model grid and refer to different length of house branches and different cable types respectively different cable widths.

ding0.grid.lv_grid.build_grid.build_lv_graph_ria(lvgd, grid_model_params)[source]

Build graph for LV grid of sectors retail/industrial and agricultural

Based on structural description of LV grid topology for sectors retail/industrial and agricultural (RIA) branches for these sectors are created and attached to the LV grid’s MV-LV substation bus bar.

LV loads of the sectors retail/industrial and agricultural are located in separat branches for each sector (in case of large load multiple of these). These loads are distributed across the branches by an equidistant distribution.

This function accepts the dict grid_model_params with particular structure

>>> grid_model_params = {
>>> ... 'agricultural': {
>>> ...     'max_loads_per_branch': 2
>>> ...     'single_peak_load': 140,
>>> ...     'full_branches': 2,
>>> ...     'remaining_loads': 1,
>>> ...     'load_distance': 800/3,
>>> ...     'load_distance_remaining': 400}}
Parameters:
  • lvgd (LVGridDistrictDing0) – Low-voltage grid district object
  • grid_model_params (dict) –

    Dict of structural information of sectoral LV grid branchwith particular structure, e.g.:

    grid_model_params = {
        'agricultural': {
            'max_loads_per_branch': 2
            'single_peak_load': 140,
            'full_branches': 2,
            'remaining_loads': 1,
            'load_distance': 800/3,
            'load_distance_remaining': 400
        }
    }
    

Note

We assume a distance from the load to the branch it is connected to of 30 m. This assumption is defined in the config files.

ding0.grid.lv_grid.build_grid.build_residential_branches(lvgd)[source]

Based on population and identified peak load data, the according grid topology for residential sector is determined and attached to the grid graph

Parameters:lvgd (LVGridDistrictDing0) – Low-voltage grid district object
ding0.grid.lv_grid.build_grid.build_ret_ind_agr_branches(lvgd)[source]

Determine topology of LV grid for retail/industrial and agricultural sector and create representative graph of the grid

Parameters:lvgd (LVGridDistrictDing0) – Low-voltage grid district object
ding0.grid.lv_grid.build_grid.grid_model_params_ria(lvgd)[source]

Determine grid model parameters for LV grids of sectors retail/industrial and agricultural

Parameters:lvgd (LVGridDistrictDing0) – Low-voltage grid district object
Returns:dict – Structural description of (parts of) LV grid topology
ding0.grid.lv_grid.build_grid.select_grid_model_residential(lvgd)[source]

Selects typified model grid based on population

Parameters:lvgd (LVGridDistrictDing0) – Low-voltage grid district object
Returns:

Note

In total 196 distinct LV grid topologies are available that are chosen by population in the LV grid district. Population is translated to number of house branches. Each grid model fits a number of house branches. If this number exceeds 196, still the grid topology of 196 house branches is used. The peak load of the LV grid district is uniformly distributed across house branches.

ding0.grid.lv_grid.build_grid.select_grid_model_ria(lvgd, sector)[source]

Select a typified grid for retail/industrial and agricultural

Parameters:
Returns:

dict – Parameters that describe branch lines of a sector

ding0.grid.lv_grid.build_grid.select_transformers(grid, s_max=None)[source]

Selects LV transformer according to peak load of LV grid district.

The transformers are chosen according to max. of load case and feedin-case considering load factors and power factor. The MV-LV transformer with the next higher available nominal apparent power is chosen. Therefore, a max. allowed transformer loading of 100% is implicitly assumed. If the peak load exceeds the max. power of a single available transformer, multiple transformer are build.

By default peak_load and peak_generation are taken from grid instance. The behavior can be overridden providing s_max as explained in Arguments.

Parameters:
  • grid (LVGridDing0) – LV grid data
  • s_max (dict) –

    dict containing maximum apparent power of load or generation case and str describing the case. For example

    {
        's_max': 480,
        'case': 'load'
    }
    

    or

    {
        's_max': 120,
        'case': 'gen'
    }
    

    s_max passed overrides grid.grid_district.peak_load respectively grid.station().peak_generation.

Returns:

Note

The LV transformer with the next higher available nominal apparent power is chosen. Therefore, a max. allowed transformer loading of 100% is implicitly assumed. If the peak load exceeds the max. power of a single available transformer, use multiple trafos.

ding0.grid.lv_grid.build_grid.transformer(grid)[source]

Choose transformer and add to grid’s station

Parameters:grid (LVGridDing0) – LV grid data
ding0.grid.lv_grid.check module
ding0.grid.lv_grid.check.get_branches(grid)[source]

Individual graphs of sectoral loads

Parameters:geid
Returns:
ding0.grid.lv_grid.check.overloading(graph)[source]

Check a grid for line overloading due to current exceeding I_th_max

Parameters:graph (networkx.Graph) – Graph structure as container for a grid topology including its equipment
Returns:overloaded (tuple) – Pairwise edges of graph a maximum occuring current
ding0.grid.lv_grid.lv_connect module
ding0.grid.lv_grid.lv_connect.lv_connect_generators(lv_grid_district, graph, debug=False)[source]

Connect LV generators to LV grid

Parameters:
  • lv_grid_district (LVGridDistrictDing0) – LVGridDistrictDing0 object for which the connection process has to be done
  • graph (NetworkX Graph Obj) – NetworkX graph object with nodes
  • debug (bool, defaults to False) – If True, information is printed during process
Returns:

NetworkX Graph Obj – NetworkX graph object with nodes and newly created branches

Module contents
ding0.grid.mv_grid package
Subpackages
ding0.grid.mv_grid.models package
Submodules
ding0.grid.mv_grid.models.models module

Based on code by Romulo Oliveira copyright (C) 2015, https://github.com/RomuloOliveira/monte-carlo-cvrp Originally licensed under the Apache License, Version 2.0. You may obtain a copy of the license at http://www.apache.org/licenses/LICENSE-2.0

class ding0.grid.mv_grid.models.models.Graph(data)[source]

Bases: object

Class for modelling a CVRP problem data

Parameters:data (type) – TSPLIB parsed data
depot()[source]

Returns the depot node.

Returns:type – Depot node
distance(i, j)[source]

Returns the distance between node i and node j

Parameters:
Returns:

float – Distance between node i and node j.

edges()[source]

Returns a generator for iterating over edges

Yields:type – Generator for iterating over edges.
nodes()[source]

Returns a generator for iterating over nodes.

Yields:type – Generator for iterating over nodes.
class ding0.grid.mv_grid.models.models.Node(name, demand)[source]

Bases: object

CVRP node (MV transformer/customer)

Parameters:
  • name – Node name
  • demand – Node demand
clone()[source]

Returns a deep copy of self

Function clones:

  • allocation
  • nodes
Returns:type – Deep copy of self
demand()[source]

Returns the node demand

Returns:float – Node’s demand
name()[source]

Returns node name

Returns:str – Node’s name
route_allocation()[source]

Returns the route which node is allocated

Returns:type – Node’s route
class ding0.grid.mv_grid.models.models.Route(cvrp_problem)[source]

Bases: object

CVRP route, consists of consecutive nodes

Parameters:cvrp_problem (type) – Descr
allocate(nodes, append=True)[source]

Allocates all nodes from nodes list in this route

Parameters:
  • nodes (type) – Desc
  • append (bool, defaults to True) – Desc
calc_circuit_breaker_position(debug=False)[source]

Calculates the optimal position of a circuit breaker on route.

Parameters:debug (bool, defaults to False) – If True, prints process information.
Returns:int – position of circuit breaker on route (index of last node on 1st half-ring preceding the circuit breaker)

Note

According to planning principles of MV grids, a MV ring is run as two strings (half-rings) separated by a circuit breaker which is open at normal operation. Assuming a ring (route which is connected to the root node at either sides), the optimal position of a circuit breaker is defined as the position (virtual cable) between two nodes where the conveyed current is minimal on the route. Instead of the peak current, the peak load is used here (assuming a constant voltage).

The circuit breakers are used here for checking tech. constraints only and will be re-located after connection of satellites and stations in ding0.grid.mv_grid.tools.set_circuit_breakers

References

can_allocate(nodes, pos=None)[source]

Returns True if this route can allocate nodes in nodes list

Parameters:
  • nodes (type) – Desc
  • pos (type, defaults to None) – Desc
Returns:

bool – True if this route can allocate nodes in nodes list

clone()[source]

Returns a deep copy of self

Function clones:

  • allocation
  • nodes
Returns:type – Deep copy of self
deallocate(nodes)[source]

Deallocates all nodes from nodes list from this route

Parameters:nodes (type) – Desc
demand()[source]

Returns the current route demand

Returns:type – Current route demand.
insert(nodes, pos)[source]

Inserts all nodes from nodes list into this route at position pos

Parameters:
  • nodes (type) – Desc
  • pos (type) – Desc
is_interior(node)[source]

Returns True if node is interior to the route, i.e., not adjascent to depot

Parameters:nodes (type) – Desc
Returns:bool – True if node is interior to the route
last(node)[source]

Returns True if node is the last node in the route

Parameters:nodes (type) – Desc
Returns:bool – True if node is the last node in the route
length()[source]

Returns the route length (cost)

Returns:int – Route length (cost).
length_from_nodelist(nodelist)[source]

Returns the route length (cost) from the first to the last node in nodelist

nodes()[source]

Returns a generator for iterating over nodes

Yields:type – Generator for iterating over nodes
tech_constraints_satisfied()[source]

Check route validity according to technical constraints (voltage and current rating)

It considers constraints as

  • current rating of cable/line
  • voltage stability at all nodes

Note

The validation is done for every tested MV grid configuration during CVRP algorithm. The current rating is checked using load factors from [1]. Due to the high amount of steps the voltage rating cannot be checked using load flow calculation. Therefore we use a simple method which determines the voltage change between two consecutive nodes according to [2]. Furthermore it is checked if new route has got more nodes than allowed (typ. 2*10 according to [3]).

References

[1]Deutsche Energie-Agentur GmbH (dena), “dena-Verteilnetzstudie. Ausbau- und Innovationsbedarf der Stromverteilnetze in Deutschland bis 2030.”, 2012
[2]M. Sakulin, W. Hipp, “Netzaspekte von dezentralen Erzeugungseinheiten, Studie im Auftrag der E-Control GmbH”, TU Graz, 2004
[3]Klaus Heuck et al., “Elektrische Energieversorgung”, Vieweg+Teubner, Wiesbaden, 2007
[4]FGH e.V.: “Technischer Bericht 302: Ein Werkzeug zur Optimierung der Störungsbeseitigung für Planung und Betrieb von Mittelspannungsnetzen”, Tech. rep., 2008
Module contents
ding0.grid.mv_grid.solvers package
Submodules
ding0.grid.mv_grid.solvers.base module

Based on code by Romulo Oliveira copyright (C) 2015, https://github.com/RomuloOliveira/monte-carlo-cvrp Originally licensed under the Apache License, Version 2.0. You may obtain a copy of the license at http://www.apache.org/licenses/LICENSE-2.0

class ding0.grid.mv_grid.solvers.base.BaseSolution(cvrp_problem)[source]

Bases: object

Base abstract class for a CVRP solution

Parameters:cvrp_problem (type) – Desc Graph instance?
can_process(pairs)[source]

Returns True if this solution can process pairs

Parameters:pairs (list of pairs) – List of pairs
Returns:bool – True if this solution can process pairs

Todo

Not yet implemented

clone()[source]

Returns a deep copy of self

Function clones:

  • route
  • allocation
  • nodes
Returns:type – Deep copy of self
draw_network(anim)[source]

Draws solution’s graph using networkx

Parameters:AnimationDing0 – AnimationDing0 object
get_pair(pair)[source]

get pair description

Parameters:pair (list of nodes) – Descr
Returns:type – Descr
is_complete()[source]

Returns True if this is a complete solution, i.e, all nodes are allocated

Returns:bool – True if all nodes are llocated.
length()[source]

Returns the solution length (or cost)

Returns:float – Solution length (or cost).
process(node_or_pair)[source]

Processes a node or a pair of nodes into the current solution

MUST CREATE A NEW INSTANCE, NOT CHANGE ANY INSTANCE ATTRIBUTES

Parameters:node_or_pair (type) – Desc
Returns:type – A new instance (deep copy) of self object

Todo

Not yet implemented

routes()[source]

Returns a generator for iterating over solution routes

Yields:type – Generator for iterating over solution routes.
class ding0.grid.mv_grid.solvers.base.BaseSolver[source]

Bases: object

Base algorithm solver class

solve(data, vehicles, timeout)[source]

Must solves the CVRP problem

Must return BEFORE timeout

Must returns a solution (BaseSolution class derived)

Parameters:
  • data (type) – Graph instance
  • vehicles (int) – Vehicles number
  • timeout (int) – max processing time in seconds

Todo

Not yet implemented

ding0.grid.mv_grid.solvers.savings module

Based on code by Romulo Oliveira copyright (C) 2015, https://github.com/RomuloOliveira/monte-carlo-cvrp Originally licensed under the Apache License, Version 2.0. You may obtain a copy of the license at http://www.apache.org/licenses/LICENSE-2.0

class ding0.grid.mv_grid.solvers.savings.ClarkeWrightSolver[source]

Bases: ding0.grid.mv_grid.solvers.base.BaseSolver

Clark and Wright Savings algorithm solver class

compute_savings_list(graph)[source]

Compute Clarke and Wright savings list

A saving list is a matrix containing the saving amount S between i and j

S is calculated by S = d(0,i) + d(0,j) - d(i,j) (CLARKE; WRIGHT, 1964)

Parameters:graph (NetworkX Graph Obj) – A NetworkX graaph is used.
Returns:list of Node – List of nodes sorted by its savings
solve(graph, timeout, debug=False, anim=None)[source]

Solves the CVRP problem using Clarke and Wright Savings methods

Parameters:
  • graph (NetworkX Graph Obj) – A NetworkX graaph is used.
  • timeout (int) – max processing time in seconds
  • debug (bool, defaults to False) – If True, information is printed while routing
  • anim (AnimationDing0) –
Returns:

SavingsSolution – A solution

class ding0.grid.mv_grid.solvers.savings.SavingsSolution(cvrp_problem)[source]

Bases: ding0.grid.mv_grid.solvers.base.BaseSolution

Solution class for a Clarke and Wright Savings parallel algorithm

can_process(pairs)[source]

Returns True if this solution can process pairs

Parameters:pairs (list of pairs of Route) – List of pairs
Returns:bool – True if this solution can process pairs.
clone()[source]

Returns a deep copy of self

Function clones:

  • routes
  • allocation
  • nodes
Returns:SavingsSolution – A clone (deepcopy) of the instance itself
is_complete()[source]

Returns True if this is a complete solution, i.e, all nodes are allocated

Todo

TO BE REVIEWED

Returns:bool – True if this is a complete solution.
process(pair)[source]

Processes a pair of nodes into the current solution

MUST CREATE A NEW INSTANCE, NOT CHANGE ANY INSTANCE ATTRIBUTES

Returns a new instance (deep copy) of self object

Parameters:pair (type) – description
Returns:type – Description (Copy of self?)
Module contents
ding0.grid.mv_grid.tests package
Submodules
ding0.grid.mv_grid.tests.run_test_case module
ding0.grid.mv_grid.tests.run_test_case.main()[source]

Description of Test Case

Module contents
ding0.grid.mv_grid.util package
Submodules
ding0.grid.mv_grid.util.data_input module

Based on code by Romulo Oliveira copyright (C) 2015, https://github.com/RomuloOliveira/monte-carlo-cvrp Originally licensed under the Apache License, Version 2.0. You may obtain a copy of the license at http://www.apache.org/licenses/LICENSE-2.0

exception ding0.grid.mv_grid.util.data_input.ParseException(value)[source]

Bases: Exception

Exception raised when something unexpected occurs in a TSPLIB file parsing

value

Description

Type:type
Parameters:value (type) – Description
ding0.grid.mv_grid.util.data_input.calculate_euc_distance(a, b)[source]

Calculates Eclidian distances from two points a and b

Parameters:
  • a ((float, float)) – Two-dimension tuple (x1,y1)
  • b ((float, float)) – Two-dimension tuple (x2,y2)
Returns:

float – the distance.

ding0.grid.mv_grid.util.data_input.read_file(filename)[source]

Reads a TSPLIB file and returns the problem data.

Parameters:filename (str) –
Returns:type – Problem specs.
ding0.grid.mv_grid.util.data_input.sanitize(filename)[source]

Returns a sanitized file name with absolut path

Example

~/input.txt -> /home/<your_home/input.txt

Returns:str – The sanitized file name with absolut path.
ding0.grid.mv_grid.util.data_input.strip(line)[source]

Removes any \r or \n from line and remove trailing whitespaces

Parameters:line (str) –
Returns:str – the stripped line.
ding0.grid.mv_grid.util.util module

Based on code by Romulo Oliveira copyright (C) 2015, https://github.com/RomuloOliveira/monte-carlo-cvrp Originally licensed under the Apache License, Version 2.0. You may obtain a copy of the license at http://www.apache.org/licenses/LICENSE-2.0

ding0.grid.mv_grid.util.util.print_solution(solution)[source]

Prints a solution

Parameters:solution (BaseSolution) –

Example

[8, 9, 10, 7]: 160
[5, 6]: 131
[3, 4, 2]: 154
Total cost: 445
ding0.grid.mv_grid.util.util.print_upper_triangular_matrix(matrix)[source]

Prints a CVRP data dict matrix

Parameters:matrix (dict) – Description

Note

It is assummed that the first row of matrix contains all needed headers.

ding0.grid.mv_grid.util.util.print_upper_triangular_matrix_as_complete(matrix)[source]

Prints a CVRP data dict upper triangular matrix as a normal matrix

Doesn’t print headers.

Parameters:matrix (dict) – Description
Module contents
Submodules
ding0.grid.mv_grid.mv_connect module
ding0.grid.mv_grid.mv_connect.connect_node(node, node_shp, mv_grid, target_obj, proj, graph, conn_dist_ring_mod, debug)[source]

Connects node to target_obj.

Parameters:
  • node (LVLoadAreaCentreDing0, i.e.) – Origin node - Ding0 graph object (e.g. LVLoadAreaCentreDing0)
  • node_shp (Shapely Point object) – Shapely Point object of origin node
  • target_obj (type) – object that node shall be connected to
  • proj (pyproj Proj object) – equidistant CRS to conformal CRS (e.g. ETRS -> WGS84)
  • graph (NetworkX Graph Obj) – NetworkX graph object with nodes and newly created branches
  • conn_dist_ring_mod (float) – Max. distance when nodes are included into route instead of creating a new line.
  • debug (bool) – If True, information is printed during process.
Returns:

LVLoadAreaCentreDing0 – object that node was connected to.

(instance of LVLoadAreaCentreDing0 or MVCableDistributorDing0.

If node is included into line instead of creating a new line (see arg conn_dist_ring_mod), target_obj_result is None.

See also

ding0.grid.mv_grid.mv_connect()
for details on the conn_dist_ring_mod parameter.
ding0.grid.mv_grid.mv_connect.disconnect_node(node, target_obj_result, graph, debug)[source]

Disconnects node from target_obj

Parameters:
  • node (LVLoadAreaCentreDing0, i.e.) – Origin node - Ding0 graph object (e.g. LVLoadAreaCentreDing0)
  • target_obj_result (LVLoadAreaCentreDing0, i.e.) – Origin node - Ding0 graph object (e.g. LVLoadAreaCentreDing0)
  • graph (NetworkX Graph Obj) – NetworkX graph object with nodes and newly created branches
  • debug (bool) – If True, information is printed during process
ding0.grid.mv_grid.mv_connect.find_connection_point(node, node_shp, graph, proj, conn_objects_min_stack, conn_dist_ring_mod, debug)[source]
Goes through the possible target connection objects in conn_objects_min_stack (from nearest to most far
object) and tries to connect node to one of them.

Function searches from nearest to most far object.

Parameters:
  • node (LVLoadAreaCentreDing0, i.e.) – Origin node - Ding0 graph object (e.g. LVLoadAreaCentreDing0)
  • node_shp (Shapely Point object) – Shapely Point object of node
  • graph (NetworkX Graph Obj) – NetworkX graph object with nodes
  • proj (pyproj Proj object) – equidistant CRS to conformal CRS (e.g. ETRS -> WGS84)
  • conn_objects_min_stack (list) –

    List of connection objects.

    Each object is represented by dict with Ding0 object, shapely object, and distance to node, sorted ascending by distance.

  • conn_dist_ring_mod (type) – Max. distance when nodes are included into route instead of creating a new line.
  • debug (bool) – If True, information is printed during process

See also

ding0.grid.mv_grid.mv_connect()
for details on the conn_dist_ring_mod parameter.
ding0.grid.mv_grid.mv_connect.find_nearest_conn_objects(node_shp, branches, proj, conn_dist_weight, debug, branches_only=False)[source]

Searches all branches for the nearest possible connection object per branch.

Picks out 1 object out of 3 possible objects:

  • 2 branch-adjacent stations and
  • 1 potentially created cable distributor on the line (perpendicular projection)).

The resulting stack (list) is sorted ascending by distance from node.

Parameters:
  • node_shp (Shapely Point object) – Shapely Point object of node
  • branches (BranchDing0) – BranchDing0 objects of MV region
  • proj (pyproj Proj object) – nodes’ CRS to equidistant CRS (e.g. WGS84 -> ETRS)
  • conn_dist_weight (float) – length weighting to prefer stations instead of direct line connection.
  • debug (bool) – If True, information is printed during process
  • branches_only (bool, defaults to False) – If True, only branch objects are considered as connection objects
Returns:

list – List of connection objects. Each object is represented by dict with Ding0 object, shapely object, and distance to node.

See also

mv_connect_satellites()
for details on conn_dist_weight param
ding0.grid.mv_grid.mv_connect.get_lv_load_area_group_from_node_pair(node1, node2)[source]
ding0.grid.mv_grid.mv_connect.mv_connect_generators(mv_grid_district, graph, debug=False)[source]

Connect MV generators to MV grid

Parameters:
  • mv_grid_district (MVGridDistrictDing0) – MVGridDistrictDing0 object for which the connection process has to be done
  • graph (NetworkX Graph Obj) – NetworkX graph object with nodes
  • debug (bool, defaults to False) – If True, information is printed during process.
Returns:

NetworkX Graph Obj – NetworkX graph object with nodes and newly created branches

ding0.grid.mv_grid.mv_connect.mv_connect_satellites(mv_grid, graph, mode='normal', debug=False)[source]

Connect satellites (small Load Areas) to MV grid

Parameters:
  • mv_grid (MVGridDing0) – MV grid instance
  • graph (NetworkX Graph Obj) – NetworkX graph object with nodes
  • mode (str, defaults to ‘normal’) – Specify mode how satellite LVLoadAreaCentreDing0 are connected to the grid. Mode normal (default) considers for restrictions like max. string length, max peak load per string. The mode ‘isolated’ disregards any connection restrictions and connects the node LVLoadAreaCentreDing0 to the next connection point.
  • debug (bool, defaults to False) – If True, information is printed during process

Note

conn_dist_weight: The satellites can be connected to line (new terminal is created) or to one station where the line ends, depending on the distance from satellite to the objects. This threshold is a length weighting to prefer stations instead of direct line connection to respect grid planning principles.

Example: The distance from satellite to line is 1km, to station1 1.2km, to station2 2km. With conn_dist_threshold=0.75, the ‘virtual’ distance to station1 would be 1.2km * 0.75 = 0.9km, so this conn. point would be preferred.

Returns:NetworkX Graph Obj – NetworkX graph object with nodes and newly created branches
ding0.grid.mv_grid.mv_connect.mv_connect_stations(mv_grid_district, graph, debug=False)[source]

Connect LV stations to MV grid

Parameters:
  • mv_grid_district (MVGridDistrictDing0) – MVGridDistrictDing0 object for which the connection process has to be done
  • graph (NetworkX Graph Obj) – NetworkX graph object with nodes
  • debug (bool, defaults to False) – If True, information is printed during process
Returns:

NetworkX Graph Obj – NetworkX graph object with nodes and newly created branches

ding0.grid.mv_grid.mv_connect.parametrize_lines(mv_grid)[source]

Set unparametrized branches to default branch type

Parameters:mv_grid (MVGridDing0) – MV grid instance

Note

During the connection process of satellites, new branches are created - these have to be parametrized.

ding0.grid.mv_grid.mv_routing module
ding0.grid.mv_grid.mv_routing.ding0_graph_to_routing_specs(graph)[source]

Build data dictionary from graph nodes for routing (translation)

Parameters:graph (NetworkX Graph Obj) – NetworkX graph object with nodes
Returns:dict – Data dictionary for routing.

See also

ding0.grid.mv_grid.models.models.Graph()
for keys of return dict
ding0.grid.mv_grid.mv_routing.routing_solution_to_ding0_graph(graph, solution)[source]

Insert solution from routing into graph

Parameters:
  • graph (NetworkX Graph Obj) – NetworkX graph object with nodes
  • solution (BaseSolution) – Instance of BaseSolution or child class (e.g. LocalSearchSolution) (=solution from routing)
Returns:

NetworkX Graph Obj – NetworkX graph object with nodes and edges

ding0.grid.mv_grid.mv_routing.solve(graph, debug=False, anim=None)[source]

Do MV routing for given nodes in graph.

Translate data from node objects to appropriate format before.

Parameters:
  • graph (NetworkX Graph Obj) – NetworkX graph object with nodes
  • debug (bool, defaults to False) – If True, information is printed while routing
  • anim (AnimationDing0) – AnimationDing0 object
Returns:

NetworkX Graph Obj – NetworkX graph object with nodes and edges

See also

ding0.tools.animation.AnimationDing0()
for a more detailed description on anim parameter.
ding0.grid.mv_grid.tools module
ding0.grid.mv_grid.tools.set_circuit_breakers(mv_grid, mode='load', debug=False)[source]

Calculates the optimal position of a circuit breaker at lv stations (if existing) on all routes of mv_grid, adds and connects them to graph.

Parameters:
  • mv_grid (MVGridDing0) – MV grid instance
  • debug (bool, defaults to False) – If True, information is printed during process

Note

According to planning principles of MV grids, a MV ring is run as two strings (half-rings) separated by a circuit breaker which is open at normal operation [1], [2]. Assuming a ring (route which is connected to the root node at either sides), the optimal position of a circuit breaker is defined as the position (virtual cable) between two nodes where the conveyed current is minimal on the route. Instead of the peak current, the peak load is used here (assuming a constant voltage).

The circuit breaker will be installed to a LV station, unless none exists in a ring. In this case, a node of arbitrary type is chosen for the location of the switch disconnecter.

If a ring is dominated by loads (peak load > peak capacity of generators), only loads are used for determining the location of circuit breaker. If generators are prevailing (peak load < peak capacity of generators), only generator capacities are considered for relocation.

The core of this function (calculation of the optimal circuit breaker position) is the same as in ding0.grid.mv_grid.models.Route.calc_circuit_breaker_position but here it is 1. applied to a different data type (NetworkX Graph) and it 2. adds circuit breakers to all rings.

The re-location of circuit breakers is necessary because the original position (calculated during routing with method mentioned above) shifts during the connection of satellites and therefore it is no longer valid.

References

[1]
  1. Tao, “Automatisierte Grundsatzplanung von Mittelspannungsnetzen”, Dissertation, 2006
[2]FGH e.V.: “Technischer Bericht 302: Ein Werkzeug zur Optimierung der Störungsbeseitigung für Planung und Betrieb von Mittelspannungsnetzen”, Tech. rep., 2008
Module contents
Submodules
ding0.grid.tools module
ding0.grid.tools.cable_type(nom_power, nom_voltage, avail_cables)[source]

Determine suitable type of cable for given nominal power

Based on maximum occurring current which is derived from nominal power (either peak load or max. generation capacity) a suitable cable type is chosen. Thus, no line overloading issues should occur.

Parameters:
  • nom_power (float) – Nominal power of generators or loads connected via a cable
  • nom_voltage (float) – Nominal voltage in kV
  • avail_cables (pandas.DataFrame) – Available cable types including it’s electrical parameters
Returns:

pandas.DataFrame – Parameters of cable type

Module contents
ding0.tools package
Submodules
ding0.tools.animation module
class ding0.tools.animation.AnimationDing0(**kwargs)[source]

Bases: object

Class for visual animation of the routing process (solving CVRP).

(basically a central place to store information about output file and count of saved images). Use argument ‘animation=True’ of method ‘NetworkDing0.mv_routing()’ to enable image export. The images are exported to ding0’s home dir which is usually ~/.ding0/ .

Subsequently, FFMPEG can be used to convert images to animation, e.g.

ffmpeg -r 5 -i mv-routing_ani_%04d.png -vframes 200 -r 15 -vcodec libx264 -y -an mv-routing_ani.mp4 -s 640x480
ding0.tools.config module

Based on code by oemof development team

This module provides a highlevel layer for reading and writing config files. The config file has to be of the following structure to be imported correctly.

[netCDF]

     RootFolder = c://netCDF

     FilePrefix = cd2_



[mySQL]

    host = localhost

    user = guest

    password = root

    database = znes



[SectionName]

    OptionName = value

    Option2 = value2

Based on code by oemof development team

ding0.tools.config.get(section, key)[source]

Returns the value of a given key of a given section of the main config file.

Parameters:
  • section (str) – the section.
  • key (str) – the key
Returns:

float – the value which will be casted to float, int or boolean. if no cast is successful, the raw string will be returned.

See also

set()

ding0.tools.config.load_config(filename)[source]

Read config file specified by filename

Parameters:filename (str) – Description of filename
ding0.tools.config.set(section, key, value)[source]

Sets a value to a [section] key - pair.

if the section doesn’t exist yet, it will be created.

Parameters:
  • section (str) – the section.
  • key (str) – the key.
  • value (float, int, str) – the value.

See also

get()

ding0.tools.debug module
ding0.tools.debug.compare_graphs(graph1, mode, graph2=None)[source]

Compares graph with saved one which is loaded via networkx’ gpickle

Parameters:
  • graph1 (networkx.graph) – First Ding0 MV graph for comparison
  • graph2 (networkx.graph) – Second Ding0 MV graph for comparison. If a second graph is not provided it will be laoded from disk with hard-coded file name.
  • mode ('write' or 'compare') –
  • Returns
ding0.tools.geo module
ding0.tools.geo.calc_geo_branches_in_buffer(node, mv_grid, radius, radius_inc, proj)[source]

Determines branches in nodes’ associated graph that are at least partly within buffer of radius from node.

If there are no nodes, the buffer is successively extended by radius_inc until nodes are found.

Parameters:
  • node (LVStationDing0, GeneratorDing0, or CableDistributorDing0) – origin node (e.g. LVStationDing0 object) with associated shapely object (attribute geo_data) in any CRS (e.g. WGS84)
  • radius (float) – buffer radius in m
  • radius_inc (float) – radius increment in m
  • proj (int) – pyproj projection object: nodes’ CRS to equidistant CRS (e.g. WGS84 -> ETRS)
Returns:

list of NetworkX Graph Obj – List of branches (NetworkX branch objects)

ding0.tools.geo.calc_geo_branches_in_polygon(mv_grid, polygon, mode, proj)[source]

Calculate geographical branches in polygon.

For a given mv_grid all branches (edges in the graph of the grid) are tested if they are in the given polygon. You can choose different modes and projections for this operation.

Parameters:
  • mv_grid (MVGridDing0) – MV Grid object. Edges contained in mv_grid.graph_edges() are taken for the test.
  • polygon (Shapely Point object) – Polygon that contains edges.
  • mode (str) – Choose between ‘intersects’ or ‘contains’.
  • proj (int) – EPSG code to specify projection
Returns:

list of BranchDing0 objects – List of branches

ding0.tools.geo.calc_geo_centre_point(node_source, node_target)[source]

Calculates the geodesic distance between node_source and node_target incorporating the detour factor specified in config_calc.cfg.

Parameters:
Returns:

float – Distance in m.

ding0.tools.geo.calc_geo_dist(node_source, node_target)[source]

Calculates the geodesic distance between node_source and node_target incorporating the detour factor specified in ding0/ding0/config/config_calc.cfg.

Parameters:
Returns:

float – Distance in m

ding0.tools.geo.calc_geo_dist_matrix(nodes_pos)[source]

Calculates the geodesic distance between all nodes in nodes_pos incorporating the detour factor in config_calc.cfg.

For every two points/coord it uses geopy’s geodesic function. As default ellipsoidal model of the earth WGS-84 is used. For more options see

https://geopy.readthedocs.io/en/stable/index.html?highlight=geodesic#geopy.distance.geodesic

Parameters:nodes_pos (dict) –

dictionary of nodes with positions, with x=longitude, y=latitude, and the following format:

{
    'node_1': (x_1, y_1),
    ...,
    'node_n': (x_n, y_n)
}
Returns:dict

dictionary with distances between all nodes (in km), with the following format:

{
    'node_1': {'node_1': dist_11, ..., 'node_n': dist_1n},
    ...,
    'node_n': {'node_1': dist_n1, ..., 'node_n': dist_nn}
}
ding0.tools.logger module
ding0.tools.logger.create_dir(dirpath)[source]

Create directory and report about it

Parameters:dirpath (str) – Directory including path
ding0.tools.logger.create_home_dir(ding0_path=None)[source]

Check if ~/.ding0 exists, otherwise create it

Parameters:ding0_path (str) – Path to store Ding0 related data (logging, etc)
ding0.tools.logger.get_default_home_dir()[source]

Return default home directory of Ding0

Returns:str – Default home directory including its path
ding0.tools.logger.setup_logger(log_dir=None, loglevel=10)[source]

Instantiate logger

Parameters:
  • log_dir (str) – Directory to save log, default: ~/.ding0/logging/
  • loglevel – Level of logger.
ding0.tools.plots module
ding0.tools.plots.plot_mv_topology(grid, subtitle='', filename=None, testcase='load', line_color=None, node_color='type', limits_cb_lines=None, limits_cb_nodes=None, background_map=True)[source]

Draws MV grid graph using networkx

Parameters:
  • grid (MVGridDing0) – MV grid to plot.
  • subtitle (str) – Extend plot’s title by this string.
  • filename (str) – If provided, the figure will be saved and not displayed (default path: ~/.ding0/). A prefix is added to the file name.
  • testcase (str) –

    Defines which case is to be used. Refer to config_calc.cfg to see further assumptions for the cases. Possible options are:

    • ’load’ (default) Heavy-load-flow case
    • ’feedin’ Feedin-case
  • line_color (str) –

    Defines whereby to choose line colors. Possible options are:

    • ’loading’ Line color is set according to loading of the line in heavy load case. You can use parameter limits_cb_lines to adjust the color range.
    • None (default) Lines are plotted in black. Is also the fallback option in case of wrong input.
  • node_color (str) –

    Defines whereby to choose node colors. Possible options are:

    • ’type’ (default) Node color as well as size is set according to type of node (generator, MV station, etc.). Is also the fallback option in case of wrong input.
    • ’voltage’ Node color is set according to voltage deviation from 1 p.u.. You can use parameter limits_cb_nodes to adjust the color range.
  • limits_cb_lines (tuple) – Tuple with limits for colorbar of line color. First entry is the minimum and second entry the maximum value. E.g. pass (0, 1) to adjust the colorbar to 0..100% loading. Default: None (min and max loading are used).
  • limits_cb_nodes (tuple) – Tuple with limits for colorbar of nodes. First entry is the minimum and second entry the maximum value. E.g. pass (0.9, 1) to adjust the colorbar to 90%..100% voltage. Default: None (min and max loading are used).
  • background_map (bool, optional) – If True, a background map is plotted (default: stamen toner light). The additional package contextily is needed for this functionality. Default: True

Note

WGS84 pseudo mercator (epsg:3857) is used as coordinate reference system (CRS). Therefore, the drawn graph representation may be falsified!

ding0.tools.pypsa_io module
ding0.tools.pypsa_io.append_bus_v_mag_set_df(bus_v_mag_set_df, node, node_name=None)[source]

Fills bus v_mag_set data needed for power flow calculation

Parameters:
  • bus_v_mag_set_df (pandas.DataFrame) – Dataframe of buses with entries name, temp_id, v_mag_pu_set
  • node (obj:node object of generator) –
  • node_name (str) – Optional parameter for name of bus
Returns:

bus_v_mag_set_df (pandas.DataFrame) – Dataframe of buses with entries name, temp_id, v_mag_pu_set

ding0.tools.pypsa_io.append_buses_df(buses_df, grid, node, node_name='')[source]

Appends buses to dataframe of buses in pypsa format.

Parameters:
  • buses_df (pandas.DataFrame) – Dataframe of buses with entries name, v_nom, geom, mv_grid_id, lv_grid_id, in_building
  • grid (GridDing0) –
  • node
  • node_name (str) – name of node, per default is set to node.pypsa_bus_id
Returns:

buses_df (pandas.DataFrame) – Dataframe of buses with entries name, v_nom, geom, mv_grid_id, lv_grid_id, in_building

ding0.tools.pypsa_io.append_generator_pq_set_df(conf, generator_pq_set_df, node)[source]

Fills generator pq_set data needed for power flow calculation

Parameters:
  • conf (dict) – dictionary with technical constants
  • generator_pq_set_df (pandas.DataFrame) – Dataframe of generators with entries name, temp_id, p_set and q_set
  • node (obj:node object of generator) –
Returns:

generator_pq_set_df (pandas.DataFrame) – Dataframe of generators with entries name, temp_id, p_set and q_set

ding0.tools.pypsa_io.append_generators_df(generators_df, node, name_bus=None)[source]

Appends generator to dataframe of generators in pypsa format.

Parameters:
  • generators_df (pandas.DataFrame) – Dataframe of generators with entries name, bus, control, p_nom, type, weather_cell_id, subtype
  • node – GeneratorDing0
  • name_bus (str) – Optional parameter for name of bus
Returns:

generators_df (pandas.DataFrame) – Dataframe of generators with entries name, bus, control, p_nom, type, weather_cell_id, subtype

ding0.tools.pypsa_io.append_lines_df(edge, lines_df, buses_df)[source]

Append edge to lines_df

Parameters:
  • edge – Edge of Ding0.Network graph
  • lines_df (pandas.DataFrame) – Dataframe of lines with entries name, bus0, bus1, length, x, r, s_nom, num_parallel, type
  • buses_df (pandas.DataFrame) – Dataframe of buses with entries name, v_nom, geom, mv_grid_id, lv_grid_id, in_building
Returns:

lines_df (pandas.DataFrame) – Dataframe of lines with entries name, bus0, bus1, length, x, r, s_nom, num_parallel, type

ding0.tools.pypsa_io.append_load_area_to_load_df(sector, load_area, loads_df, name_bus, name_load, return_time_varying_data=False, **kwargs)[source]

Appends LVLoadArea or LVGridDistrict to dataframe of loads in pypsa format.

Parameters:
  • sector (str) – load sector: ‘agricultural’, ‘industrial’, ‘residential’ or ‘retail’
  • load_are – LVGridDistrictDing0 or LVLoadAreaDing0, load area of which load is to be aggregated and added
  • loads_df (pandas.DataFrame) – Dataframe of loads with entries name, bus, peak_load, annual_consumption and sector
  • name_bus (str) – name of bus to which load is connected
  • name_load (str) – name of load
  • return_time_varying_data (bool) – Determines whether data for power flow calculation is exported as well
  • kwargs (list of conf, load_pq_set_df) – Both arguments have to be inserted if return_time_varying_data is True.
Returns:

  • loads_df (pandas.DataFrame) – Dataframe of loads with entries name, bus, peak_load, annual_consumption and sector
  • load_pq_set_df (pandas.DataFrame) – Dataframe of loads with entries name, temp_id, p_set and q_set, only exported if return_time_varying_data is True

ding0.tools.pypsa_io.append_load_areas_to_df(loads_df, generators_df, node, return_time_varying_data=False, **kwargs)[source]

Appends lv load area (or single lv grid district) to dataframe of loads and generators. Also returns power flow time varying data if return_time_varying_data is True. Each sector (agricultural, industrial, residential, retail) is represented by own entry of load. Each generator in underlying grid districts is added as own entry. Generators and load are connected to BusBar of the respective grid (LVGridDing0 for LVStationDing0 and MVGridDing0 for LVLoadAreaCentreDing0)

Parameters:
  • loads_df (pandas.DataFrame) – Dataframe of loads with entries name, bus, peak_load, annual_consumption, sector
  • generators_df (pandas.DataFrame) – Dataframe of generators with entries name, bus, control, p_nom, type, weather_cell_id, subtype
  • node – Node, which is either LVStationDing0 or LVLoadAreaCentreDing0
  • return_time_varying_data (bool) – Determines whether data for power flow calculation is exported as well
  • kwargs (list of conf, load_pq_set_df, generator_pq_set_df) – All three arguments have to be inserted if return_time_varying_data is True.
Returns:

  • loads_df (pandas.DataFrame) – Dataframe of loads with entries name, bus, peak_load, annual_consumption, sector
  • generators_df (pandas.DataFrame) – Dataframe of generators with entries name, bus, control, p_nom, type, weather_cell_id, subtype
  • load_pq_set_df (pandas.DataFrame) – Dataframe of loads with entries name, temp_id, p_set and q_set, only exported if return_time_varying_data is True
  • generator_pq_set_df (pandas.DataFrame) – Dataframe of generators with entries name, temp_id, p_set and q_set, only exported if return_time_varying_data is True

ding0.tools.pypsa_io.append_load_pq_set_df(conf, load_pq_set_df, node, node_name=None, peak_load=None)[source]

Fills load pq_set data needed for power flow calculation

Parameters:
  • conf (dict) – dictionary with technical constants
  • load_pq_set_df (pandas.DataFrame) – Dataframe of loads with entries name, temp_id, p_set and q_set
  • node (obj:node object of generator) –
  • node_name (str) – Optional parameter for name of load
  • peak_load (float) – Optional parameter for peak_load
Returns:

load_pq_set_df (pandas.DataFrame) – Dataframe of loads with entries name, temp_id, p_set and q_set

ding0.tools.pypsa_io.append_transformers_df(transformers_df, trafo, type=nan, bus0=None, bus1=None)[source]

Appends transformer to dataframe of buses in pypsa format.

Parameters:
  • transformers_df (pandas.DataFrame) – Dataframe of trafos with entries name, bus0, bus1, x, r, s_nom, type
  • trafo (:obj:TransformerDing0) – Transformer to be added
  • type (str) – Optional parameter for type of transformer
  • bus0 (str) – Name of primary side bus. Defaults to None and is set to primary side of transformer station by default.
  • bus1 (str) – Name of secondary side bus. Defaults to None and is set to secondary side of transformer station by default.
Returns:

transformers_df (pandas.DataFrame) – Dataframe of trafos with entries name, bus0, bus1, x, r, s_nom, type

ding0.tools.pypsa_io.assign_bus_results(grid, bus_data)[source]

Write results obtained from PF to graph

Parameters:
ding0.tools.pypsa_io.assign_line_results(grid, line_data)[source]

Write results obtained from PF to graph

Parameters:
  • grid (GridDing0) –
  • line_data (pandas.DataFrame) – DataFrame containing active/reactive at nodes obtained from PF analysis
ding0.tools.pypsa_io.circuit_breakers_to_df(grid, components, component_data, open_circuit_breakers, return_time_varying_data=False)[source]

Appends circuit breakers to component dicts. If circuit breakers are open a virtual bus is added to the respective dataframe and bus1 of the line attached to the circuit breaker is set to the new virtual node.

Parameters:
  • grid (GridDing0) –
  • components (components: dict) – Dictionary of component Dataframes ‘Bus’, ‘Generator’, ‘Line’, ‘Load’, ‘Transformer’
  • component_data (dict) – Dictionary of component Dataframes ‘Bus’, ‘Generator’, ‘Load’, needed for power flow calculations
  • open_circuit_breakers (dict) – Dictionary containing names of open circuit breakers
  • return_time_varying_data (bool) – States whether time varying data needed for power flow calculations are constructed as well. Set to True to run power flow, set to False to export network to csv.
Returns:

  • components (dict) – Dictionary of component Dataframes ‘Bus’, ‘Generator’, ‘Line’, ‘Load’, ‘Transformer’, ‘Switch’
  • component_data (dict) – Dictionary of component Dataframes ‘Bus’, ‘Generator’, ‘Load’, needed for power flow calculations

ding0.tools.pypsa_io.create_powerflow_problem(timerange, components)[source]

Create PyPSA network object and fill with data :param timerange: Time range to be analyzed by PF :type timerange: Pandas DatetimeIndex :param components: :type components: dict

Returns:network (PyPSA powerflow problem object)
ding0.tools.pypsa_io.data_integrity(components, components_data)[source]

Check grid data for integrity

Parameters:
  • components (dict) – Grid components
  • components_data (dict) – Grid component data (such as p,q and v set points)
ding0.tools.pypsa_io.edges_to_dict_of_dataframes(edges, lines_df, buses_df)[source]

Export edges to DataFrame

Parameters:
  • edges (list) – Edges of Ding0.Network graph
  • lines_df (pandas.DataFrame) – Dataframe of lines with entries name, bus0, bus1, length, x, r, s_nom, num_parallel, type
  • buses_df (pandas.DataFrame) – Dataframe of buses with entries name, v_nom, geom, mv_grid_id, lv_grid_id, in_building
Returns:

edges_dict (dict)

ding0.tools.pypsa_io.export_to_dir(network, export_dir)[source]

Exports PyPSA network as CSV files to directory

Parameters:
  • network (:pypsa:pypsa.Network) –
  • export_dir (str) – Sub-directory in output/debug/grid/ where csv Files of PyPSA network are exported to.
ding0.tools.pypsa_io.fill_component_dataframes(grid, buses_df, lines_df, transformer_df, generators_df, loads_df, only_export_mv=False, return_time_varying_data=False)[source]

Returns component and if necessary time varying data for power flow or csv export of inserted mv or lv grid

Parameters:
  • grid (GridDing0) – Grid that is exported
  • buses_df (pandas.DataFrame) – Dataframe of buses with entries name, v_nom, geom, mv_grid_id, lv_grid_id, in_building
  • lines_df (pandas.DataFrame) – Dataframe of lines with entries name, bus0, bus1, length, x, r, s_nom, num_parallel, type_info
  • transformer_df (pandas.DataFrame) – Dataframe of trafos with entries name, bus0, bus1, x, r, s_nom, type
  • generators_df (pandas.DataFrame) – Dataframe of generators with entries name, bus, control, p_nom, type, weather_cell_id, subtype
  • loads_df (pandas.DataFrame) – Dataframe of loads with entries name, bus, peak_load, annual_consumption, sector
  • only_export_mv (bool) –
  • return_time_varying_data (bool) – States whether time varying data needed for power flow calculations are constructed as well. Set to True to run power flow, set to False to export network to csv.
Returns:

  • components (dict) – Dictionary of component Dataframes ‘Bus’, ‘Generator’, ‘Line’, ‘Load’, ‘Transformer’, ‘Switch’
  • component_data (dict) – Dictionary of component Dataframes ‘Bus’, ‘Generator’, ‘Load’, needed for power flow calculations

ding0.tools.pypsa_io.fill_mvgd_component_dataframes(mv_grid_district, buses_df, generators_df, lines_df, loads_df, transformer_df, only_export_mv=False, return_time_varying_data=False)[source]

Returns component and if necessary time varying data for power flow or csv export of inserted mv grid district

Parameters:
  • mv_grid_district (MVGridDistrictDing0) –
  • buses_df (pandas.DataFrame) – Dataframe of buses with entries name, v_nom, geom, mv_grid_id, lv_grid_id, in_building
  • lines_df (pandas.DataFrame) – Dataframe of lines with entries name, bus0, bus1, length, x, r, s_nom, num_parallel, type
  • transformer_df (pandas.DataFrame) – Dataframe of trafos with entries name, bus0, bus1, x, r, s_nom, type
  • generators_df (pandas.DataFrame) – Dataframe of generators with entries name, bus, control, p_nom, type, weather_cell_id, subtype
  • loads_df (pandas.DataFrame) – Dataframe of loads with entries name, bus, peak_load, annual_consumption, sector
  • only_export_mv (bool) – Bool that determines export modes for grid district, if True only mv grids are exported with lv grids aggregated at respective station, if False lv grids are fully exported
  • return_time_varying_data (bool) – States whether time varying data needed for power flow calculations are constructed as well. Set to True to run power flow, set to False to export network to csv.
Returns:

  • mv_components (dict) – Dictionary of component Dataframes ‘Bus’, ‘Generator’, ‘Line’, ‘Load’, ‘Transformer’, ‘Switch’
  • network_df (pandas.DataFrame) – Dataframe of network containing name, srid, geom and population
  • mv_component_data (dict) – Dictionary of component Dataframes ‘Bus’, ‘Generator’, ‘Load’, needed for power flow calculations

ding0.tools.pypsa_io.init_pypsa_network(time_range_lim)[source]

Instantiate PyPSA network :param time_range_lim:

Returns:
  • network (PyPSA network object) – Contains powerflow problem
  • snapshots (iterable) – Contains snapshots to be analyzed by powerplow calculation
ding0.tools.pypsa_io.initialize_component_dataframes()[source]

Initializes and returns empty component dataframes

Returns:
  • buses_df (pandas.DataFrame) – Dataframe of buses with entries name, v_nom, geom, mv_grid_id, lv_grid_id, in_building
  • lines_df (pandas.DataFrame) – Dataframe of lines with entries name, bus0, bus1, length, x, r, s_nom, num_parallel, type
  • transformer_df (pandas.DataFrame) – Dataframe of trafos with entries name, bus0, bus1, x, r, s_nom, type
  • generators_df (pandas.DataFrame) – Dataframe of generators with entries name, bus, control, p_nom, type, weather_cell_id, subtype
  • loads_df (pandas.DataFrame) – Dataframe of loads with entries name, bus, peak_load, annual_consumption, sector
ding0.tools.pypsa_io.nodes_to_dict_of_dataframes(grid, nodes, buses_df, generators_df, loads_df, transformer_df, only_export_mv=False, return_time_varying_data=False)[source]

Creates dictionary of dataframes containing grid nodes and transformers

Parameters:
  • grid (GridDing0) –
  • nodes (list of ding0 grid components objects) – Nodes of the grid graph
  • buses_df (pandas.DataFrame) – Dataframe of buses with entries name, v_nom, geom, mv_grid_id, lv_grid_id, in_building
  • generators_df (pandas.DataFrame) – Dataframe of generators with entries name, bus, control, p_nom, type, weather_cell_id, subtype
  • loads_df (pandas.DataFrame) – Dataframe of loads with entries name,bus,peak_load, annual_consumption, sector
  • transformer_df (pandas.DataFrame) – Dataframe of trafos with entries name, bus0, bus1, x, r, s_nom, type
  • only_export_mv (bool) – Bool that indicates whether only mv grid should be exported, per default lv grids are exported too
  • return_time_varying_data (bool) – Set to True when running power flow. Then time varying data are returned as well.
Returns:

  • components (dict of pandas.DataFrame) – DataFrames contain components attributes. Dict is keyed by components type
  • component_data (dict) – Dictionary of component Dataframes ‘Bus’, ‘Generator’, ‘Load’, needed for power flow calculations, only exported when return_time_varying_data is True empty dict otherwise.

ding0.tools.pypsa_io.process_pf_results(network)[source]
Parameters:network (pypsa.Network) –
Returns:
ding0.tools.pypsa_io.run_powerflow_onthefly(components, components_data, grid, export_pypsa_dir=None, debug=False, export_result_dir=None)[source]

Run powerflow to test grid stability

Two cases are defined to be tested here:
  1. load case
  2. feed-in case
Parameters:
  • components (dict of pandas.DataFrame) –
  • components_data (dict of pandas.DataFrame) –
  • grid (GridDing0) –
  • export_pypsa_dir (str) – Sub-directory in output/debug/grid/ where csv Files of PyPSA network are exported to. Export is omitted if argument is empty.
  • debug (bool) –
  • export_result_dir (str) – Directory where csv Files of power flow results are exported to. Export is omitted if argument is empty.
ding0.tools.pypsa_io.select_and_append_load_area_trafos(aggregated_load_area, node_name, transformer_df)[source]

Selects the right trafos for aggregrated load areas and appends them to the transformer dataframe.

Parameters:
  • aggregated_load_area (LVLoadAreaDing0) – Aggregated load area to be appended
  • node_name (str) – Name of LV side bus for appending LV load area
  • transformer_df (pandas.DataFrame) – Transformer dataframe of network
Returns:

pandas.DataFrame – Transformer dataframe of network with appended transformers

ding0.tools.pypsa_io.transform_timeseries4pypsa(timeseries, timerange, column=None)[source]

Transform pq-set timeseries to PyPSA compatible format :param timeseries: Containing timeseries :type timeseries: Pandas DataFrame

Returns:pypsa_timeseries (Pandas DataFrame) – Reformated pq-set timeseries
ding0.tools.results module
ding0.tools.results.calculate_lvgd_stats(nw)[source]

LV Statistics for an arbitrary network

Parameters:nw (list of NetworkDing0) – The MV grid(s) to be studied
Returns:lvgd_stats (pandas.DataFrame) – Dataframe containing several statistical numbers about the LVGD
ding0.tools.results.calculate_lvgd_voltage_current_stats(nw)[source]

LV Voltage and Current Statistics for an arbitrary network

Note

Aggregated Load Areas are excluded.

Parameters:nw (list of NetworkDing0) – The MV grid(s) to be studied
Returns:
  • pandas.DataFrame – nodes_df : Dataframe containing voltage, respectively current, statis for every critical node, resp. every critical station, in every LV grid in nw.
  • pandas.DataFrame – lines_df : Dataframe containing current statistics for every critical line, in every LV grid in nw.
ding0.tools.results.calculate_mvgd_stats(nw)[source]

MV Statistics for an arbitrary network

Parameters:nw (list of NetworkDing0) – The MV grid(s) to be studied
Returns:mvgd_stats (pandas.DataFrame) – Dataframe containing several statistical numbers about the MVGD
ding0.tools.results.calculate_mvgd_voltage_current_stats(nw)[source]

MV Voltage and Current Statistics for an arbitrary network

Parameters:nw (list of NetworkDing0) – The MV grid(s) to be studied
Returns:
  • pandas.DataFrame – nodes_df : Dataframe containing voltage statistics for every node in the MVGD
  • pandas.DataFrame – lines_df : Dataframe containing voltage statistics for every edge in the MVGD
ding0.tools.results.concat_nd_pickles(self, mv_grid_districts)[source]

Read multiple pickles, join nd objects and save to file

Parameters:mv_grid_districts (list) – Ints describing MV grid districts
ding0.tools.results.create_ding0_db_tables(engine)[source]
ding0.tools.results.drop_ding0_db_tables(engine)[source]
ding0.tools.results.export_data_to_oedb(session, srid, lv_grid, lv_gen, lv_cd, mvlv_stations, mvlv_trafos, lv_loads, mv_grid, mv_gen, mv_cd, hvmv_stations, hvmv_trafos, mv_loads, lines, mvlv_mapping)[source]
ding0.tools.results.export_data_tocsv(path, run_id, lv_grid, lv_gen, lv_cd, lv_stations, mvlv_trafos, lv_loads, mv_grid, mv_gen, mv_cb, mv_cd, mv_stations, hvmv_trafos, mv_loads, lines, mapping)[source]
ding0.tools.results.export_network(nw, mode='')[source]

Export all nodes and lines of the network nw as DataFrames

Parameters:
  • nw (list of NetworkDing0) – The MV grid(s) to be studied
  • mode (str) – If ‘MV’ export only medium voltage nodes and lines If ‘LV’ export only low voltage nodes and lines else, exports MV and LV nodes and lines
Returns:

ding0.tools.results.export_network_to_oedb(session, table, tabletype, srid)[source]
ding0.tools.results.init_mv_grid(mv_grid_districts=[3545], filename='ding0_tests_grids_1.pkl')[source]

Runs ding0 over the districtis selected in mv_grid_districts

It also writes the result in filename. If filename = False, then the network is not saved.

Parameters:
  • mv_grid_districts (list of int) – Districts IDs: Defaults to [3545]
  • filename (str) – Defaults to ‘ding0_tests_grids_1.pkl’ If filename=False, then the network is not saved
Returns:

NetworkDing0 – The created MV network.

ding0.tools.results.load_nd_from_pickle(filename=None, path='')[source]

Use pickle to save the whole nd-object to disc

Parameters:
  • filename (str) – Filename of nd pickle
  • path (str) – Absolute or relative path where pickle should be saved. Default is ‘’ which means pickle is save to PWD
Returns:

nd (NetworkDing0) – Ding0 grid container object

ding0.tools.results.lv_grid_generators_bus_bar(nd)[source]

Calculate statistics about generators at bus bar in LV grids

Parameters:nd (ding0.NetworkDing0) – Network container object
Returns:lv_stats (dict) – Dict with keys of LV grid repr() on first level. Each of the grids has a set of statistical information about its topology
ding0.tools.results.parallel_running_stats(districts_list, n_of_processes, n_of_districts=1, source='pkl', mode='', critical=False, save_csv=False, save_path='')[source]

Organize parallel runs of ding0 to calculate stats

The function take all districts in a list and divide them into n_of_processes parallel processes. For each process, the assigned districts are given to the function process_runs() with arguments n_of_districts, source, mode, and critical

Parameters:
  • districts_list (list of int) – List with all districts to be run.
  • n_of_processes (int) – Number of processes to run in parallel
  • n_of_districts (int) – Number of districts to be run in each cluster given as argument to process_stats()
  • source (str) – If ‘pkl’, pickle files are read. Otherwise, ding0 is run over the districts.
  • mode (str) – If ‘MV’, medium voltage stats are calculated. If ‘LV’, low voltage stats are calculated. If empty, medium and low voltage stats are calculated.
  • critical (bool) – If True, critical nodes and branches are returned
  • path (str) – path to save the pkl and csv files
Returns:

  • DataFrame – mv_stats: MV stats in a DataFrame. If mode==’LV’, then DataFrame is empty.
  • DataFrame – lv_stats: LV stats in a DataFrame. If mode==’MV’, then DataFrame is empty.
  • DataFrame – mv_crit_nodes: MV critical nodes stats in a DataFrame. If mode==’LV’, then DataFrame is empty. If critical==False, then DataFrame is empty.
  • DataFrame – mv_crit_edges: MV critical edges stats in a DataFrame. If mode==’LV’, then DataFrame is empty. If critical==False, then DataFrame is empty.
  • DataFrame – lv_crit_nodes: LV critical nodes stats in a DataFrame. If mode==’MV’, then DataFrame is empty. If critical==False, then DataFrame is empty.
  • DataFrame – lv_crit_edges: LV critical edges stats in a DataFrame. If mode==’MV’, then DataFrame is empty. If critical==False, then DataFrame is empty.

See also

process_stats()

ding0.tools.results.plot_cable_length(stats, plotpath)[source]

Cable length per MV grid district

ding0.tools.results.plot_generation_over_load(stats, plotpath)[source]

Plot of generation over load

ding0.tools.results.plot_km_cable_vs_line(stats, plotpath)[source]
Parameters:
  • stats
  • plotpath
Returns:

ding0.tools.results.process_stats(mv_districts, n_of_districts, source, mode, critical, filename, output)[source]

Generates stats dataframes for districts in mv_districts.

If source==’ding0’, then runned districts are saved to a pickle named filename+str(n_of_districts[0])+’_to_’+str(n_of_districts[-1])+’.pkl’

Parameters:
  • districts_list (list of int) – List with all districts to be run.
  • n_of_districts (int) – Number of districts to be run in each cluster
  • source (str) – If ‘pkl’, pickle files are read. If ‘ding0’, ding0 is run over the districts.
  • mode (str) – If ‘MV’, medium voltage stats are calculated. If ‘LV’, low voltage stats are calculated. If empty, medium and low voltage stats are calculated.
  • critical (bool) – If True, critical nodes and branches are returned
  • filename (str) – filename prefix for saving pickles
  • output

    outer variable where the output is stored as a tuple of 6 lists:

    * mv_stats: MV stats DataFrames.
      If mode=='LV', then DataFrame is empty.
    
    * lv_stats: LV stats DataFrames.
      If mode=='MV', then DataFrame is empty.
    
    * mv_crit_nodes: MV critical nodes stats DataFrames.
      If mode=='LV', then DataFrame is empty.
      If critical==False, then DataFrame is empty.
    
    * mv_crit_edges: MV critical edges stats DataFrames.
      If mode=='LV', then DataFrame is empty.
      If critical==False, then DataFrame is empty.
    
    * lv_crit_nodes: LV critical nodes stats DataFrames.
      If mode=='MV', then DataFrame is empty.
      If critical==False, then DataFrame is empty.
    
    * lv_crit_edges: LV critical edges stats DataFrames.
      If mode=='MV', then DataFrame is empty.
      If critical==False, then DataFrame is empty.
    
ding0.tools.results.save_nd_to_pickle(nd, path='', filename=None)[source]

Use pickle to save the whole nd-object to disc

The network instance is entirely pickled to a file.

Parameters:
  • nd (NetworkDing0) – Ding0 grid container object
  • path (str) – Absolute or relative path where pickle should be saved. Default is ‘’ which means pickle is save to PWD
ding0.tools.tests module
class ding0.tools.tests.Ding0RunTest(methodName='runTest')[source]

Bases: unittest2.case.TestCase

setUp()[source]

Hook method for setting up the test fixture before exercising it.

test_ding0()[source]
test_ding0_file()[source]
test_files()[source]
ding0.tools.tests.dataframe_equal(network_one, network_two)[source]

Compare two networks and returns True if they are identical

Parameters:
  • network_one (GridDing0) –
  • network_two (GridDing0) –
Returns:

  • bool – True if both networks are identical, False otherwise.
  • str – A message explaining the result.

ding0.tools.tests.init_files_for_tests(mv_grid_districts=[3545], filename='ding0_tests_grids_1.pkl')[source]

Runs ding0 over the districtis selected in mv_grid_districts and writes the result in filename.

Parameters:
  • mv_grid_districts (list of int) – Districts IDs: Defaults to [3545]
  • filename (str) – Defaults to ‘ding0_tests_grids_1.pkl’
ding0.tools.tests.manual_ding0_test(mv_grid_districts=[3545], filename='ding0_tests_grids_1.pkl')[source]

Compares a new run of ding0 over districts and an old one saved in filename.

Parameters:
  • mv_grid_districts (list of int) – Districts IDs: Defaults to [3545]
  • filename (str) – Defaults to ‘ding0_tests_grids_1.pkl’
ding0.tools.tests.update_stats_test_data(path, pkl_file=None, pkl_path='')[source]

If changes in electrical data have been made, run this function to update the saved test data in folder. Test are run on mv_grid_district 460. :param path: directory where testdata ist stored. Normally: …ding0/tests/core/network/testdata :param pkl_file: string of pkl-file of network; optionally, if None new Network is initiated. :return:

ding0.tools.tools module
ding0.tools.tools.create_poly_from_source(source_point, left_m, right_m, up_m, down_m)[source]

Create a rectangular polygon given a source point and the number of meters away from the source point the edges have to be.

Parameters:
  • source_point (Shapely Point object) – The start point in WGS84 or epsg 4326 coordinates
  • left_m (float) – The distance from the source at which the left edge should be.
  • right_m (float) – The distance from the source at which the right edge should be.
  • up_m (float) – The distance from the source at which the upper edge should be.
  • down_m (float) – The distance from the source at which the lower edge should be.
ding0.tools.tools.get_cart_dest_point(source_point, east_meters, north_meters)[source]

Get the WGS84 point in the coordinate reference system epsg 4326 at in given a cartesian form of input i.e. providing the position of the destination point in relative meters east and meters north from the source point. If the source point is (0, 0) and you would like the coordinates of a point that lies 5 meters north and 3 meters west of the source, the bearing in degrees is hard to find on the fly. This function allows the input as follows: >>> get_cart_dest_point(source_point, -3, 5) # west is negative east

Parameters:
  • source_point (Shapely Point object) – The start point in WGS84 or epsg 4326 coordinates
  • east_meters (float) – Meters to the east of source, negative number means west
  • north_meters (float) – Meters to the north of source, negative number means south
Returns:

Shapely Point object – The point in WGS84 or epsg 4326 coordinates at the destination which is north_meters north of the source and east_meters east of source.

ding0.tools.tools.get_dest_point(source_point, distance_m, bearing_deg)[source]

Get the WGS84 point in the coordinate reference system epsg 4326 at a distance (in meters) from a source point in a given bearing (in degrees) (0 degrees being North and clockwise is positive).

Parameters:
  • source_point (Shapely Point object) – The start point in WGS84 or epsg 4326 coordinates
  • distance_m (float) – Distance of destination point from source in meters
  • bearing_deg (float) – Bearing of destination point from source in degrees, 0 degrees being North and clockwise is positive.
Returns:

Shapely Point object – The point in WGS84 or epsg 4326 coordinates at the destination which is distance meters away from the source_point in the bearing provided

ding0.tools.tools.merge_two_dicts(x, y)[source]

Given two dicts, merge them into a new dict as a shallow copy.

Parameters:

Notes

This function was originally proposed by http://stackoverflow.com/questions/38987/how-to-merge-two-python-dictionaries-in-a-single-expression

Credits to Thomas Vander Stichele. Thanks for sharing ideas!

Returns:dict – Merged dictionary keyed by top-level keys of both dicts
ding0.tools.tools.merge_two_dicts_of_dataframes(dict1, dict2)[source]

Merge two dicts of pandas.DataFrame with the same keys

Parameters:
  • dict1 (dict of dataframes) –
  • dict2 (dict of dataframes) –
ding0.tools.validation module
ding0.tools.validation.compare_grid_impedances(nw1, nw2)[source]

Compare if two grids have the same impedances.

Parameters:
  • nw1 – Network 1
  • nw2 – Network 2
Returns:

Bool – True if network elements have same impedances.

ding0.tools.validation.get_line_and_trafo_dict(nw)[source]

Get dictionaries of line and transformer data (in order to compare two networks)

Parameters:nw – Network
Returns:
  • Dictionary – mv_branches_dict
  • Dictionary – lv_branches_dict
  • Dictionary – lv_transformer_dict
ding0.tools.validation.validate_generation(session, nw)[source]

Validate if total generation of a grid in a pkl file is what expected.

Parameters:
  • session (sqlalchemy.orm.session.Session) – Database session
  • nw – The network
Returns:

  • DataFrame – compare_by_level
  • DataFrame – compare_by_type

ding0.tools.validation.validate_load_areas(session, nw)[source]

Validate if total load of a grid in a pkl file is what expected from load areas

Parameters:
  • session (sqlalchemy.orm.session.Session) – Database session
  • nw – The network
Returns:

  • DataFrame – compare_by_la
  • Bool – True if data base IDs of LAs are the same as the IDs in the grid

ding0.tools.validation.validate_lv_districts(session, nw)[source]

Validate if total load of a grid in a pkl file is what expected from LV districts

Parameters:
  • session (sqlalchemy.orm.session.Session) – Database session
  • nw – The network
Returns:

  • DataFrame – compare_by_district
  • DataFrame – compare_by_loads

ding0.tools.write_openego_header module
ding0.tools.write_openego_header.absolute_file_paths(directory)[source]
ding0.tools.write_openego_header.line_prepender(filename, line)[source]
ding0.tools.write_openego_header.openego_header()[source]

openego header in files

Returns:str – openego group py-file header
Module contents

Module contents

ding0.adapt_numpy_int64(numpy_int64)[source]

Adapting numpy.int64 type to SQL-conform int type using psycopg extension, see [1] for more info.

Parameters:numpy_int64 (int) – numpty 64bits integer.
Returns:type – #TODO: Description of return. Change type in the previous line accordingly

References

[1]http://initd.org/psycopg/docs/advanced.html#adapting-new-python-types-to-sql-syntax

Indices and tables