pybnesian


Namepybnesian JSON
Version 0.4.3 PyPI version JSON
download
home_pagehttps://github.com/davenza/PyBNesian
SummaryPyBNesian is a Python package that implements Bayesian networks. PyBNesian allows extending itsfunctionality using Python code, so new research can be easily developed.
upload_time2022-10-23 12:21:17
maintainer
docs_urlNone
authorDavid Atienza
requires_python
licenseMIT
keywords
VCS
bugtrack_url
requirements numpy pyarrow pybind11
Travis-CI
coveralls test coverage No coveralls.
            ![build](https://img.shields.io/github/workflow/status/davenza/pybnesian/Create%20release)
[![Documentation Status](https://readthedocs.org/projects/pybnesian/badge/?version=latest)](https://pybnesian.readthedocs.io/en/latest/?badge=latest)
![PyPI](https://img.shields.io/pypi/v/pybnesian?color=blue)

# PyBNesian

- `PyBNesian` is a Python package that implements Bayesian networks. Currently, it is mainly dedicated to learning Bayesian networks.

- `PyBNesian` is implemented in C++, to achieve significant performance gains. It uses [Apache Arrow](https://arrow.apache.org/) to enable fast interoperability between Python and C++. In addition, some parts are implemented in OpenCL to achieve GPU acceleration.

- `PyBNesian` allows extending its functionality using Python code, so new research can be easily developed.


Implementation
=====================

Currently `PyBNesian` implements the following features:

Models
-----------

- [x] Bayesian networks.

- [x] Conditional Bayesian networks (see section 5.6 of [1]).

- [x] Dynamic Bayesian networks.

which can have different types of CPDs:

- [x] Multinomial.

- [x] Linear Gaussian.

- [x] Conditional kernel density estimation (ratio of two kernel density estimation models). Accelerated with OpenCL.

with this combinations of CPDs, we implement the following types of networks (which can also be Conditional or Dynamic):

- [x] Discrete networks.

- [x] Gaussian networks.

- [x] Semiparametric networks.

- [x] Hybrid networks (conditional linear Gaussian networks and semiparametric networks).

Graphs
-----------------

- [x] DAGs.

- [x] Directed graphs.

- [x] Undirected graphs.

- [x] Partially directed graphs.

Graph classes implement useful functionalities for probabilistic graphical models, such as moving between DAG-PDAG representation or fast access to root and leaves.

Learning
---------------

It implements different structure learning algorithms:

- [x] Greedy hill-climbing (for Bayesian networks and Conditional Bayesian networks).

- [x] PC-stable (for Bayesian networks and Conditional Bayesian networks).

- [x] MMPC (for Bayesian networks and Conditional Bayesian networks).

- [x] MMHC (for Bayesian networks and conditional Bayesian networks).

- [x] DMMHC (for dynamic Bayesian networks).

The score and search algorithms can be used with the following scores:

- [x] BIC.

- [x] BGe.

- [x] BDe.

- [x] Cross-validation likelihood.

- [x] Holdout likelihood.

- [x] Cross-validated likelihood with validation dataset. This score combines the cross-validation likelihood with a validation dataset to control the overfitting.

and the following the following learning operators:

- [x] Arc operations: add arc, remove arc, flip arc.

- [x] Change Node Type (for semiparametric Bayesian networks).

The following independence tests are implemented for the constraint-based algorithms:

- [x] Chi-square test.

- [x] partial correlation test t-test.

- [x] A likelihood-ratio test based on mutual information assuming a Gaussian distribution for the continuous data.

- [x] CMIknn [2].

- [x] RCoT [3].

It also implements the parameter learning:

- [x] Maximum Likelihood Estimator.

Inference
-----------------------

Not implemented right now, as the priority is the learning algorithms. However, all the CPDs and models have a `sample()` method, which can be used to create easily an approximate inference engine based on sampling.

Serialization
-----------------------

All relevant objects (graphs, CPDs, Bayesian networks, etc) can be saved/loaded using the pickle format.

Other implementations
-----------------

`PyBNesian` exposes the implementation of other models or techniques used within the library.

- [x] Apply cross-validation to a dataset.

- [x] Apply holdout to a dataset.

- [x] Kernel Density Estimation. Accelerated with OpenCL.

- [ ] K-d Tree. (implemented but not exposed yet).

Weighted sums of chi-squared random variables:

- [ ] Hall-Buckley-Eagleson approximation. (implemented but not exposed yet).

- [ ] Lindsay-Pilla-Basak approximation. (implemented but not exposed yet).

Usage example
===========================

```python
>>> from pybnesian import GaussianNetwork, LinearGaussianCPD
>>> # Create a GaussianNetwork with 4 nodes and no arcs.
>>> gbn = GaussianNetwork(['a', 'b', 'c', 'd'])
>>> # Create a GaussianNetwork with 4 nodes and 3 arcs.
>>> gbn = GaussianNetwork(['a', 'b', 'c', 'd'], [('a', 'c'), ('b', 'c'), ('c', 'd')])

>>> # Return the nodes of the network.
>>> print("Nodes: " + str(gbn.nodes()))
Nodes: ['a', 'b', 'c', 'd']
>>> # Return the arcs of the network.
>>> print("Arcs: " + str(gbn.nodes()))
Arcs: ['a', 'b', 'c', 'd']
>>> # Return the parents of c.
>>> print("Parents of c: " + str(gbn.parents('c')))
Parents of c: ['b', 'a']
>>> # Return the children of c.
>>> print("Children of c: " + str(gbn.children('c')))
Children of c: ['d']

>>> # You can access to the graph of the network.
>>> graph = gbn.graph()
>>> # Return the roots of the graph.
>>> print("Roots: " + str(sorted(graph.roots())))
Roots: ['a', 'b']
>>> # Return the leaves of the graph.
>>> print("Leaves: " + str(sorted(graph.leaves())))
Leaves: ['d']
>>> # Return the topological sort.
>>> print("Topological sort: " + str(graph.topological_sort()))
Topological sort: ['a', 'b', 'c', 'd']

>>> # Add an arc.
>>> gbn.add_arc('a', 'b')
>>> # Flip (reverse) an arc.
>>> gbn.flip_arc('a', 'b')
>>> # Remove an arc.
>>> gbn.remove_arc('b', 'a')

>>> # We can also add nodes.
>>> gbn.add_node('e')
4
>>> # We can get the number of nodes
>>> assert gbn.num_nodes() == 5
>>> # ... and the number of arcs
>>> assert gbn.num_arcs() == 3
>>> # Remove a node.
>>> gbn.remove_node('b')

>>> # Each node has an unique index to identify it
>>> print("Indices: " + str(gbn.indices()))
Indices: {'e': 4, 'c': 2, 'd': 3, 'a': 0}
>>> idx_a = gbn.index('a')

>>> # And we can get the node name from the index
>>> print("Node 2: " + str(gbn.name(2)))
Node 2: c

>>> # The model is not fitted right now.
>>> assert gbn.fitted() == False

>>> # Create a LinearGaussianCPD (variable, parents, betas, variance)
>>> d_cpd = LinearGaussianCPD("d", ["c"], [3, 1.2], 0.5)

>>> # Add the CPD to the GaussianNetwork
>>> gbn.add_cpds([d_cpd])

>>> # The CPD is still not fitted because there are 3 nodes without CPD.
>>> assert gbn.fitted() == False

>>> # Let's generate some random data to fit the model.
>>> import numpy as np
>>> np.random.seed(1)
>>> import pandas as pd
>>> DATA_SIZE = 100
>>> a_array = np.random.normal(3, np.sqrt(0.5), size=DATA_SIZE)
>>> c_array = -4.2 - 1.2*a_array + np.random.normal(0, np.sqrt(0.75), size=DATA_SIZE)
>>> d_array = 3 + 1.2 * c_array + np.random.normal(0, np.sqrt(0.5), size=DATA_SIZE)
>>> e_array = np.random.normal(0, 1, size=DATA_SIZE)
>>> df = pd.DataFrame({'a': a_array,
...                    'c': c_array,
...                    'd': d_array,
...                    'e': e_array
...                })

>>> # Fit the model. You can pass a pandas.DataFrame or a pyarrow.RecordBatch as argument.
>>> # This fits the remaining CPDs
>>> gbn.fit(df)
>>> assert gbn.fitted() == True

>>> # Check the learned CPDs.
>>> print(gbn.cpd('a'))
[LinearGaussianCPD] P(a) = N(3.043, 0.396)
>>> print(gbn.cpd('c'))
[LinearGaussianCPD] P(c | a) = N(-4.423 + -1.083*a, 0.659)
>>> print(gbn.cpd('d'))
[LinearGaussianCPD] P(d | c) = N(3.000 + 1.200*c, 0.500)
>>> print(gbn.cpd('e'))
[LinearGaussianCPD] P(e) = N(-0.020, 1.144)

>>> # You can sample some data
>>> sample = gbn.sample(50)

>>> # Compute the log-likelihood of each instance
>>> ll = gbn.logl(sample)
>>> # or the sum of log-likelihoods.
>>> sll = gbn.slogl(sample)
>>> assert np.isclose(ll.sum(), sll)

>>> # Save the model, include the CPDs in the file.
>>> gbn.save('test', include_cpd=True)

>>> # Load the model
>>> from pybnesian import load
>>> loaded_gbn = load('test.pickle')

>>> # Learn the structure using greedy hill-climbing.
>>> from pybnesian import hc, GaussianNetworkType
>>> # Learn a Gaussian network.
>>> learned = hc(df, bn_type=GaussianNetworkType())
>>> learned.num_arcs()
2
```

Dependencies
============

- Python 3.6, 3.7, 3.8 and 3.9.

The library has been tested on Ubuntu 16.04/20.04 and Windows 10, but should be compatible with other operating systems.

Libraries
---------

The library depends on [NumPy](https://numpy.org/), [Apache Arrow](https://arrow.apache.org/), and
[pybind11](https://github.com/pybind/pybind11).

Installation
============

PyBNesian can be installed with pip:

```
pip install pybnesian
```
Build from Source
=================

Prerequisites
-------------

- Python 3.6, 3.7, 3.8 or 3.9.
- C++17 compatible compiler.
- CMake (it is needed to compile [NLopt](https://github.com/stevengj/nlopt)).
- OpenCL 1.2 headers/library available.

If needed you can select a C++ compiler by setting the environment variable `CC`. For example, in Ubuntu, we can use
Clang 11 with the following command before installing PyBNesian:

```
export CC=clang-11
```

Building
--------

Clone the repository:

```
git clone https://github.com/davenza/PyBNesian.git
cd PyBNesian
git checkout v0.1.0 # You can checkout a specific version if you want
python setup.py install
```

Testing
=========================

The library contains tests that can be executed using `pytest`. They also require `scipy` and `pandas` installed.

``
pip install pytest scipy pandas
``

Run the tests with:

``
pytest
``

## References
<a id="1">[1]</a> 
D. Koller and N. Friedman, 
Probabilistic Graphical Models: Principles and Techniques,
The MIT Press, 2009.

<a id="2">[2]</a> 
J. Runge, 
Conditional independence testing based on a nearest-neighbor estimator of conditional mutual information. International Conference on Artificial Intelligence and Statistics, AISTATS 2018, 84, 2018, pp. 938–947.

<a id="3">[3]</a> 
E. V. Strobl and K. Zhang and S., Visweswaran. Approximate kernel-based conditional independence tests for fast non-parametric causal discovery. Journal of Causal Inference, 7(1), 2019, pp 1-24.

            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/davenza/PyBNesian",
    "name": "pybnesian",
    "maintainer": "",
    "docs_url": null,
    "requires_python": "",
    "maintainer_email": "",
    "keywords": "",
    "author": "David Atienza",
    "author_email": "datienza@fi.upm.es",
    "download_url": "https://files.pythonhosted.org/packages/45/a8/6a0b68e57fb5266320fcdc1fa1a016232177cfbd02f712cd270a6ec077c6/pybnesian-0.4.3.tar.gz",
    "platform": null,
    "description": "![build](https://img.shields.io/github/workflow/status/davenza/pybnesian/Create%20release)\n[![Documentation Status](https://readthedocs.org/projects/pybnesian/badge/?version=latest)](https://pybnesian.readthedocs.io/en/latest/?badge=latest)\n![PyPI](https://img.shields.io/pypi/v/pybnesian?color=blue)\n\n# PyBNesian\n\n- `PyBNesian` is a Python package that implements Bayesian networks. Currently, it is mainly dedicated to learning Bayesian networks.\n\n- `PyBNesian` is implemented in C++, to achieve significant performance gains. It uses [Apache Arrow](https://arrow.apache.org/) to enable fast interoperability between Python and C++. In addition, some parts are implemented in OpenCL to achieve GPU acceleration.\n\n- `PyBNesian` allows extending its functionality using Python code, so new research can be easily developed.\n\n\nImplementation\n=====================\n\nCurrently `PyBNesian` implements the following features:\n\nModels\n-----------\n\n- [x] Bayesian networks.\n\n- [x] Conditional Bayesian networks (see section 5.6 of [1]).\n\n- [x] Dynamic Bayesian networks.\n\nwhich can have different types of CPDs:\n\n- [x] Multinomial.\n\n- [x] Linear Gaussian.\n\n- [x] Conditional kernel density estimation (ratio of two kernel density estimation models). Accelerated with OpenCL.\n\nwith this combinations of CPDs, we implement the following types of networks (which can also be Conditional or Dynamic):\n\n- [x] Discrete networks.\n\n- [x] Gaussian networks.\n\n- [x] Semiparametric networks.\n\n- [x] Hybrid networks (conditional linear Gaussian networks and semiparametric networks).\n\nGraphs\n-----------------\n\n- [x] DAGs.\n\n- [x] Directed graphs.\n\n- [x] Undirected graphs.\n\n- [x] Partially directed graphs.\n\nGraph classes implement useful functionalities for probabilistic graphical models, such as moving between DAG-PDAG representation or fast access to root and leaves.\n\nLearning\n---------------\n\nIt implements different structure learning algorithms:\n\n- [x] Greedy hill-climbing (for Bayesian networks and Conditional Bayesian networks).\n\n- [x] PC-stable (for Bayesian networks and Conditional Bayesian networks).\n\n- [x] MMPC (for Bayesian networks and Conditional Bayesian networks).\n\n- [x] MMHC (for Bayesian networks and conditional Bayesian networks).\n\n- [x] DMMHC (for dynamic Bayesian networks).\n\nThe score and search algorithms can be used with the following scores:\n\n- [x] BIC.\n\n- [x] BGe.\n\n- [x] BDe.\n\n- [x] Cross-validation likelihood.\n\n- [x] Holdout likelihood.\n\n- [x] Cross-validated likelihood with validation dataset. This score combines the cross-validation likelihood with a validation dataset to control the overfitting.\n\nand the following the following learning operators:\n\n- [x] Arc operations: add arc, remove arc, flip arc.\n\n- [x] Change Node Type (for semiparametric Bayesian networks).\n\nThe following independence tests are implemented for the constraint-based algorithms:\n\n- [x] Chi-square test.\n\n- [x] partial correlation test t-test.\n\n- [x] A likelihood-ratio test based on mutual information assuming a Gaussian distribution for the continuous data.\n\n- [x] CMIknn [2].\n\n- [x] RCoT [3].\n\nIt also implements the parameter learning:\n\n- [x] Maximum Likelihood Estimator.\n\nInference\n-----------------------\n\nNot implemented right now, as the priority is the learning algorithms. However, all the CPDs and models have a `sample()` method, which can be used to create easily an approximate inference engine based on sampling.\n\nSerialization\n-----------------------\n\nAll relevant objects (graphs, CPDs, Bayesian networks, etc) can be saved/loaded using the pickle format.\n\nOther implementations\n-----------------\n\n`PyBNesian` exposes the implementation of other models or techniques used within the library.\n\n- [x] Apply cross-validation to a dataset.\n\n- [x] Apply holdout to a dataset.\n\n- [x] Kernel Density Estimation. Accelerated with OpenCL.\n\n- [ ] K-d Tree. (implemented but not exposed yet).\n\nWeighted sums of chi-squared random variables:\n\n- [ ] Hall-Buckley-Eagleson approximation. (implemented but not exposed yet).\n\n- [ ] Lindsay-Pilla-Basak approximation. (implemented but not exposed yet).\n\nUsage example\n===========================\n\n```python\n>>> from pybnesian import GaussianNetwork, LinearGaussianCPD\n>>> # Create a GaussianNetwork with 4 nodes and no arcs.\n>>> gbn = GaussianNetwork(['a', 'b', 'c', 'd'])\n>>> # Create a GaussianNetwork with 4 nodes and 3 arcs.\n>>> gbn = GaussianNetwork(['a', 'b', 'c', 'd'], [('a', 'c'), ('b', 'c'), ('c', 'd')])\n\n>>> # Return the nodes of the network.\n>>> print(\"Nodes: \" + str(gbn.nodes()))\nNodes: ['a', 'b', 'c', 'd']\n>>> # Return the arcs of the network.\n>>> print(\"Arcs: \" + str(gbn.nodes()))\nArcs: ['a', 'b', 'c', 'd']\n>>> # Return the parents of c.\n>>> print(\"Parents of c: \" + str(gbn.parents('c')))\nParents of c: ['b', 'a']\n>>> # Return the children of c.\n>>> print(\"Children of c: \" + str(gbn.children('c')))\nChildren of c: ['d']\n\n>>> # You can access to the graph of the network.\n>>> graph = gbn.graph()\n>>> # Return the roots of the graph.\n>>> print(\"Roots: \" + str(sorted(graph.roots())))\nRoots: ['a', 'b']\n>>> # Return the leaves of the graph.\n>>> print(\"Leaves: \" + str(sorted(graph.leaves())))\nLeaves: ['d']\n>>> # Return the topological sort.\n>>> print(\"Topological sort: \" + str(graph.topological_sort()))\nTopological sort: ['a', 'b', 'c', 'd']\n\n>>> # Add an arc.\n>>> gbn.add_arc('a', 'b')\n>>> # Flip (reverse) an arc.\n>>> gbn.flip_arc('a', 'b')\n>>> # Remove an arc.\n>>> gbn.remove_arc('b', 'a')\n\n>>> # We can also add nodes.\n>>> gbn.add_node('e')\n4\n>>> # We can get the number of nodes\n>>> assert gbn.num_nodes() == 5\n>>> # ... and the number of arcs\n>>> assert gbn.num_arcs() == 3\n>>> # Remove a node.\n>>> gbn.remove_node('b')\n\n>>> # Each node has an unique index to identify it\n>>> print(\"Indices: \" + str(gbn.indices()))\nIndices: {'e': 4, 'c': 2, 'd': 3, 'a': 0}\n>>> idx_a = gbn.index('a')\n\n>>> # And we can get the node name from the index\n>>> print(\"Node 2: \" + str(gbn.name(2)))\nNode 2: c\n\n>>> # The model is not fitted right now.\n>>> assert gbn.fitted() == False\n\n>>> # Create a LinearGaussianCPD (variable, parents, betas, variance)\n>>> d_cpd = LinearGaussianCPD(\"d\", [\"c\"], [3, 1.2], 0.5)\n\n>>> # Add the CPD to the GaussianNetwork\n>>> gbn.add_cpds([d_cpd])\n\n>>> # The CPD is still not fitted because there are 3 nodes without CPD.\n>>> assert gbn.fitted() == False\n\n>>> # Let's generate some random data to fit the model.\n>>> import numpy as np\n>>> np.random.seed(1)\n>>> import pandas as pd\n>>> DATA_SIZE = 100\n>>> a_array = np.random.normal(3, np.sqrt(0.5), size=DATA_SIZE)\n>>> c_array = -4.2 - 1.2*a_array + np.random.normal(0, np.sqrt(0.75), size=DATA_SIZE)\n>>> d_array = 3 + 1.2 * c_array + np.random.normal(0, np.sqrt(0.5), size=DATA_SIZE)\n>>> e_array = np.random.normal(0, 1, size=DATA_SIZE)\n>>> df = pd.DataFrame({'a': a_array,\n...                    'c': c_array,\n...                    'd': d_array,\n...                    'e': e_array\n...                })\n\n>>> # Fit the model. You can pass a pandas.DataFrame or a pyarrow.RecordBatch as argument.\n>>> # This fits the remaining CPDs\n>>> gbn.fit(df)\n>>> assert gbn.fitted() == True\n\n>>> # Check the learned CPDs.\n>>> print(gbn.cpd('a'))\n[LinearGaussianCPD] P(a) = N(3.043, 0.396)\n>>> print(gbn.cpd('c'))\n[LinearGaussianCPD] P(c | a) = N(-4.423 + -1.083*a, 0.659)\n>>> print(gbn.cpd('d'))\n[LinearGaussianCPD] P(d | c) = N(3.000 + 1.200*c, 0.500)\n>>> print(gbn.cpd('e'))\n[LinearGaussianCPD] P(e) = N(-0.020, 1.144)\n\n>>> # You can sample some data\n>>> sample = gbn.sample(50)\n\n>>> # Compute the log-likelihood of each instance\n>>> ll = gbn.logl(sample)\n>>> # or the sum of log-likelihoods.\n>>> sll = gbn.slogl(sample)\n>>> assert np.isclose(ll.sum(), sll)\n\n>>> # Save the model, include the CPDs in the file.\n>>> gbn.save('test', include_cpd=True)\n\n>>> # Load the model\n>>> from pybnesian import load\n>>> loaded_gbn = load('test.pickle')\n\n>>> # Learn the structure using greedy hill-climbing.\n>>> from pybnesian import hc, GaussianNetworkType\n>>> # Learn a Gaussian network.\n>>> learned = hc(df, bn_type=GaussianNetworkType())\n>>> learned.num_arcs()\n2\n```\n\nDependencies\n============\n\n- Python 3.6, 3.7, 3.8 and 3.9.\n\nThe library has been tested on Ubuntu 16.04/20.04 and Windows 10, but should be compatible with other operating systems.\n\nLibraries\n---------\n\nThe library depends on [NumPy](https://numpy.org/), [Apache Arrow](https://arrow.apache.org/), and\n[pybind11](https://github.com/pybind/pybind11).\n\nInstallation\n============\n\nPyBNesian can be installed with pip:\n\n```\npip install pybnesian\n```\nBuild from Source\n=================\n\nPrerequisites\n-------------\n\n- Python 3.6, 3.7, 3.8 or 3.9.\n- C++17 compatible compiler.\n- CMake (it is needed to compile [NLopt](https://github.com/stevengj/nlopt)).\n- OpenCL 1.2 headers/library available.\n\nIf needed you can select a C++ compiler by setting the environment variable `CC`. For example, in Ubuntu, we can use\nClang 11 with the following command before installing PyBNesian:\n\n```\nexport CC=clang-11\n```\n\nBuilding\n--------\n\nClone the repository:\n\n```\ngit clone https://github.com/davenza/PyBNesian.git\ncd PyBNesian\ngit checkout v0.1.0 # You can checkout a specific version if you want\npython setup.py install\n```\n\nTesting\n=========================\n\nThe library contains tests that can be executed using `pytest`. They also require `scipy` and `pandas` installed.\n\n``\npip install pytest scipy pandas\n``\n\nRun the tests with:\n\n``\npytest\n``\n\n## References\n<a id=\"1\">[1]</a> \nD. Koller and N. Friedman, \nProbabilistic Graphical Models: Principles and Techniques,\nThe MIT Press, 2009.\n\n<a id=\"2\">[2]</a> \nJ. Runge, \nConditional independence testing based on a nearest-neighbor estimator of conditional mutual information. International Conference on Artificial Intelligence and Statistics, AISTATS 2018, 84, 2018, pp. 938\u2013947.\n\n<a id=\"3\">[3]</a> \nE. V. Strobl and K. Zhang and S., Visweswaran. Approximate kernel-based conditional independence tests for fast non-parametric causal discovery. Journal of Causal Inference, 7(1), 2019, pp 1-24.\n",
    "bugtrack_url": null,
    "license": "MIT",
    "summary": "PyBNesian is a Python package that implements Bayesian networks. PyBNesian allows extending itsfunctionality using Python code, so new research can be easily developed.",
    "version": "0.4.3",
    "project_urls": {
        "Homepage": "https://github.com/davenza/PyBNesian"
    },
    "split_keywords": [],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "eec3ffb81a608e969cdd5de1760d3b05845f57a00611e6e42bb5ab4faac46c3f",
                "md5": "516cd629e99a875164f000deb45c4c59",
                "sha256": "2b8e7fa56c06b2d0d9512477aa3f5f8a21f5439009ef5e0a97ff136ab8a4df71"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp310-cp310-macosx_10_15_x86_64.whl",
            "has_sig": false,
            "md5_digest": "516cd629e99a875164f000deb45c4c59",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": null,
            "size": 2880315,
            "upload_time": "2022-10-23T12:21:15",
            "upload_time_iso_8601": "2022-10-23T12:21:15.478465Z",
            "url": "https://files.pythonhosted.org/packages/ee/c3/ffb81a608e969cdd5de1760d3b05845f57a00611e6e42bb5ab4faac46c3f/pybnesian-0.4.3-cp310-cp310-macosx_10_15_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "40056b5b7a445c48c69acfcfa74ce87824b13014eb01844f31f75e75be98fb53",
                "md5": "f940e9bb73d3ffcbec4adbced8a7d557",
                "sha256": "13afd64e7665f57ea7ed4efc276c5e5472d3542b9f8516ae01e57e1a247bf23e"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "f940e9bb73d3ffcbec4adbced8a7d557",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": null,
            "size": 24927623,
            "upload_time": "2022-10-23T12:21:13",
            "upload_time_iso_8601": "2022-10-23T12:21:13.598982Z",
            "url": "https://files.pythonhosted.org/packages/40/05/6b5b7a445c48c69acfcfa74ce87824b13014eb01844f31f75e75be98fb53/pybnesian-0.4.3-cp310-cp310-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "c30ec16bc8bec5a442046bff14fe909778df6661a533512f1529bdd4d2418928",
                "md5": "5baac0f28e93f28ea49095aa42e8feab",
                "sha256": "1815153ed9b980e058561bdf5928c7ec42c62fee076fe2b9b8eeb1c2f54b56ec"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp310-cp310-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "5baac0f28e93f28ea49095aa42e8feab",
            "packagetype": "bdist_wheel",
            "python_version": "cp310",
            "requires_python": null,
            "size": 9454977,
            "upload_time": "2022-10-23T12:21:11",
            "upload_time_iso_8601": "2022-10-23T12:21:11.136960Z",
            "url": "https://files.pythonhosted.org/packages/c3/0e/c16bc8bec5a442046bff14fe909778df6661a533512f1529bdd4d2418928/pybnesian-0.4.3-cp310-cp310-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "d7936fb775ec8d19c75c9ed0ae8e823a796ef8345a9c9689cc208ba8b946c4de",
                "md5": "235c81f62efb5ff0ad83e3ae74dc9eef",
                "sha256": "fc05d84cc196a05e9b6c9c9dd16c7260442621bdccd873cb4864043d7c5a1580"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp37-cp37m-macosx_10_15_x86_64.whl",
            "has_sig": false,
            "md5_digest": "235c81f62efb5ff0ad83e3ae74dc9eef",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": null,
            "size": 2838084,
            "upload_time": "2022-10-23T12:21:18",
            "upload_time_iso_8601": "2022-10-23T12:21:18.932931Z",
            "url": "https://files.pythonhosted.org/packages/d7/93/6fb775ec8d19c75c9ed0ae8e823a796ef8345a9c9689cc208ba8b946c4de/pybnesian-0.4.3-cp37-cp37m-macosx_10_15_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "d287d7e63a169ad02308266ebc5cf07065c47bf4b4674fb741b81bb6923260fe",
                "md5": "1bf5455c5d256156a7b7a310e3a44c25",
                "sha256": "766231c460e5d7dbee2cc7adf4670d0e79aa006ae208856c901e5becb287af33"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "1bf5455c5d256156a7b7a310e3a44c25",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": null,
            "size": 25019556,
            "upload_time": "2022-10-23T12:21:07",
            "upload_time_iso_8601": "2022-10-23T12:21:07.879270Z",
            "url": "https://files.pythonhosted.org/packages/d2/87/d7e63a169ad02308266ebc5cf07065c47bf4b4674fb741b81bb6923260fe/pybnesian-0.4.3-cp37-cp37m-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "e9261026a9b5f1847cf6e74db636908ff74d5e831a745b3d3d461222a89380ce",
                "md5": "a6f787f3bf506e99f901b532a57e626d",
                "sha256": "647d0c4065dc053003a4294bf24f95f6485f4b4457ec54966a1f115d288f80be"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp37-cp37m-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "a6f787f3bf506e99f901b532a57e626d",
            "packagetype": "bdist_wheel",
            "python_version": "cp37",
            "requires_python": null,
            "size": 9424628,
            "upload_time": "2022-10-23T12:21:13",
            "upload_time_iso_8601": "2022-10-23T12:21:13.763674Z",
            "url": "https://files.pythonhosted.org/packages/e9/26/1026a9b5f1847cf6e74db636908ff74d5e831a745b3d3d461222a89380ce/pybnesian-0.4.3-cp37-cp37m-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "8d3ba9fb23e18b934881540fcd0d597b06612dd979fc44783153dc906bdead4c",
                "md5": "de819065f5e8cb61989fabdcdf87ac91",
                "sha256": "1f2fbecd2db8e6606467730abc11f4e88eccca8557b1c908e617d1c9c9e78713"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp38-cp38-macosx_10_15_x86_64.whl",
            "has_sig": false,
            "md5_digest": "de819065f5e8cb61989fabdcdf87ac91",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": null,
            "size": 2880114,
            "upload_time": "2022-10-23T12:21:06",
            "upload_time_iso_8601": "2022-10-23T12:21:06.893360Z",
            "url": "https://files.pythonhosted.org/packages/8d/3b/a9fb23e18b934881540fcd0d597b06612dd979fc44783153dc906bdead4c/pybnesian-0.4.3-cp38-cp38-macosx_10_15_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "5bde50fc6b1dff7ca4c67127cd68d76f480b97b9abfb6ab4e0af13ad9a5402c2",
                "md5": "0d4639bf07a84dcf2796e392342bd7bf",
                "sha256": "c177a4fba462eb28af2671663f00829ffe0fec3bbf47a9f671224556b2def712"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "0d4639bf07a84dcf2796e392342bd7bf",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": null,
            "size": 24925084,
            "upload_time": "2022-10-23T12:21:14",
            "upload_time_iso_8601": "2022-10-23T12:21:14.410290Z",
            "url": "https://files.pythonhosted.org/packages/5b/de/50fc6b1dff7ca4c67127cd68d76f480b97b9abfb6ab4e0af13ad9a5402c2/pybnesian-0.4.3-cp38-cp38-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "167265dc7b62b249fb3919b3d6f32460edc9672bd8fbc616e825b2e56fe82f02",
                "md5": "696b94936b9d711ce04ba0cc43bd6fe7",
                "sha256": "c29425d38b5cfa93c1e4d2e0878f641c6f19d3f258666fff47dd89e93723f576"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp38-cp38-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "696b94936b9d711ce04ba0cc43bd6fe7",
            "packagetype": "bdist_wheel",
            "python_version": "cp38",
            "requires_python": null,
            "size": 9453949,
            "upload_time": "2022-10-23T12:21:14",
            "upload_time_iso_8601": "2022-10-23T12:21:14.875459Z",
            "url": "https://files.pythonhosted.org/packages/16/72/65dc7b62b249fb3919b3d6f32460edc9672bd8fbc616e825b2e56fe82f02/pybnesian-0.4.3-cp38-cp38-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "bea87e70377827a7fe41accd82f45c99a2fa34309d3904f8a3b544ae633b82a7",
                "md5": "7010f4d7490f5aa54cc89f9860e8a6a0",
                "sha256": "f96397c385d065ab3f93d6805af4fb6aec641a3bcc71666b44f2155dd506dcf8"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp39-cp39-macosx_10_15_x86_64.whl",
            "has_sig": false,
            "md5_digest": "7010f4d7490f5aa54cc89f9860e8a6a0",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 2880239,
            "upload_time": "2022-10-23T12:21:09",
            "upload_time_iso_8601": "2022-10-23T12:21:09.631458Z",
            "url": "https://files.pythonhosted.org/packages/be/a8/7e70377827a7fe41accd82f45c99a2fa34309d3904f8a3b544ae633b82a7/pybnesian-0.4.3-cp39-cp39-macosx_10_15_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "77e48af234af20042eb2d809bb986d02d02d7463bf434395995839b90b38fa65",
                "md5": "d1cdf571fd7bd29210d1977e81c25ce3",
                "sha256": "653e2956d2ed5356e93dc1d09ed554fe778b56b63d012497525d08619d75fa0d"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "d1cdf571fd7bd29210d1977e81c25ce3",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 24929683,
            "upload_time": "2022-10-23T12:21:12",
            "upload_time_iso_8601": "2022-10-23T12:21:12.930591Z",
            "url": "https://files.pythonhosted.org/packages/77/e4/8af234af20042eb2d809bb986d02d02d7463bf434395995839b90b38fa65/pybnesian-0.4.3-cp39-cp39-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "d22c8d1a089a15417101a2105bebed673cc42714a96334f5558f8603b518ee34",
                "md5": "9bf04ee2fb08b2b3758f978413260077",
                "sha256": "8c4d3a85deed0e84e99e0da48d0bcbd924e3407d536a0b155256186b21ce5608"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3-cp39-cp39-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "9bf04ee2fb08b2b3758f978413260077",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 9457493,
            "upload_time": "2022-10-23T12:21:21",
            "upload_time_iso_8601": "2022-10-23T12:21:21.539983Z",
            "url": "https://files.pythonhosted.org/packages/d2/2c/8d1a089a15417101a2105bebed673cc42714a96334f5558f8603b518ee34/pybnesian-0.4.3-cp39-cp39-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "45a86a0b68e57fb5266320fcdc1fa1a016232177cfbd02f712cd270a6ec077c6",
                "md5": "5aa5d0c49a88156bfcf3cbcdde77cd61",
                "sha256": "28917e477dbdd23e4f963edbe58129bd38cb33434304626e22fc4ae41095c1cb"
            },
            "downloads": -1,
            "filename": "pybnesian-0.4.3.tar.gz",
            "has_sig": false,
            "md5_digest": "5aa5d0c49a88156bfcf3cbcdde77cd61",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": null,
            "size": 6527010,
            "upload_time": "2022-10-23T12:21:17",
            "upload_time_iso_8601": "2022-10-23T12:21:17.123689Z",
            "url": "https://files.pythonhosted.org/packages/45/a8/6a0b68e57fb5266320fcdc1fa1a016232177cfbd02f712cd270a6ec077c6/pybnesian-0.4.3.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2022-10-23 12:21:17",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "davenza",
    "github_project": "PyBNesian",
    "travis_ci": true,
    "coveralls": false,
    "github_actions": true,
    "requirements": [
        {
            "name": "numpy",
            "specs": []
        },
        {
            "name": "pyarrow",
            "specs": [
                [
                    ">=",
                    "3.0"
                ]
            ]
        },
        {
            "name": "pybind11",
            "specs": [
                [
                    ">=",
                    "2.6"
                ]
            ]
        }
    ],
    "lcname": "pybnesian"
}
        
Elapsed time: 0.08597s