rebop


Namerebop JSON
Version 0.6.1 PyPI version JSON
download
home_pagehttps://armavica.github.io/rebop/
SummaryA fast stochastic simulator for chemical reaction networks
upload_time2023-10-05 17:41:00
maintainerNone
docs_urlNone
authorVirgile Andreani <armavica@ulminfo.fr>
requires_python
licenseMIT
keywords gillespie-algorithm systems-biology stochastic scientific-computing
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            [![Build status](https://github.com/Armavica/rebop/actions/workflows/rust.yml/badge.svg)](https://github.com/Armavica/rebop/actions/)
[![Crates.io](https://img.shields.io/crates/v/rebop)](https://crates.io/crates/rebop/)
[![Docs.rs](https://docs.rs/rebop/badge.svg)](https://docs.rs/rebop/)

# rebop

rebop is a fast stochastic simulator for well-mixed chemical
reaction networks.

Performance and ergonomics are taken very seriously.  For this reason,
two independent APIs are provided to describe and simulate reaction
networks:

* a macro-based DSL implemented by [`define_system`], usually the
most efficient, but that requires to compile a rust program;
* a function-based API implemented by the module [`gillespie`], also
available through Python bindings.  This one does not require a rust
compilation and allows the system to be defined at run time.  It is
typically 2 or 3 times slower than the macro DSL, but still faster
than all other software tried.

## The macro DSL

It currently only supports reaction rates defined by the law of mass
action.  The following macro defines a dimerization reaction network
naturally:

```rust
use rebop::define_system;
define_system! {
    r_tx r_tl r_dim r_decay_mRNA r_decay_prot;
    Dimers { gene, mRNA, protein, dimer }
    transcription   : gene      => gene + mRNA      @ r_tx
    translation     : mRNA      => mRNA + protein   @ r_tl
    dimerization    : 2 protein => dimer            @ r_dim
    decay_mRNA      : mRNA      =>                  @ r_decay_mRNA
    decay_protein   : protein   =>                  @ r_decay_prot
}
```

To simulate the system, put this definition in a rust code file and
instanciate the problem, set the parameters, the initial values, and
launch the simulation:

```rust
let mut problem = Dimers::new();
problem.r_tx = 25.0;
problem.r_tl = 1000.0;
problem.r_dim = 0.001;
problem.r_decay_mRNA = 0.1;
problem.r_decay_prot = 1.0;
problem.gene = 1;
problem.advance_until(1.0);
println!("t = {}: dimer = {}", problem.t, problem.dimer);
```

Or for the classic SIR example:

```rust
use rebop::define_system;

define_system! {
    r_inf r_heal;
    SIR { S, I, R }
    infection   : S + I => 2 I  @ r_inf
    healing     : I     => R    @ r_heal
}

fn main() {
    let mut problem = SIR::new();
    problem.r_inf = 1e-4;
    problem.r_heal = 0.01;
    problem.S = 999;
    problem.I = 1;
    println!("time,S,I,R");
    for t in 0..250 {
        problem.advance_until(t as f64);
        println!("{},{},{},{}", problem.t, problem.S, problem.I, problem.R);
    }
}
```

which can produce an output similar to this one:

![Typical SIR output](https://github.com/Armavica/rebop/blob/master/sir.png)

## Python bindings

This API shines through the Python bindings which allow one to
define a model easily:

```python
import rebop

sir = rebop.Gillespie()
sir.add_reaction(1e-4, ['S', 'I'], ['I', 'I'])
sir.add_reaction(0.01, ['I'], ['R'])
print(sir)

df = sir.run({'S': 999, 'I': 1}, tmax=250, nb_steps=250)
```

You can test this code by installing `rebop` from PyPI with
`pip install rebop`. To build the Python bindings from source,
the simplest is to clone this git repository and use `maturin
develop`.

## The traditional API

The function-based API underlying the Python package is also available
from Rust, if you want to be able to define models at run time (instead
of at compilation time with the macro DSL demonstrated above).
The SIR model is defined as:

```rust
use rebop::gillespie::{Gillespie, Rate};

let mut sir = Gillespie::new([999, 1, 0]);
//                           [  S, I, R]
// S + I => 2 I with rate 1e-4
sir.add_reaction(Rate::lma(1e-4, [1, 1, 0]), [-1, 1, 0]);
// I => R with rate 0.01
sir.add_reaction(Rate::lma(0.01, [0, 1, 0]), [0, -1, 1]);

println!("time,S,I,R");
for t in 0..250 {
    sir.advance_until(t as f64);
    println!("{},{},{},{}", sir.get_time(), sir.get_species(0), sir.get_species(1), sir.get_species(2));
}
```

## Performance

Performance is taken very seriously, and as a result, rebop
outperforms every other package and programming language that we
tried.

*Disclaimer*: Most of this software currently contains much more
features than rebop (e.g. spatial models, custom reaction rates,
etc.).  Some of these features might have required them to make
compromises on speed.  Moreover, as much as we tried to keep the
comparison fair, some return too much or too little data, or write
them on disk.  The baseline that we tried to approach for all these
programs is the following: *the model was just modified, we want
to simulate it `N` times and print regularly spaced measurement
points*.  This means that we always include initialization or
(re-)compilation time if applicable.  We think that it is the most
typical use-case of a researcher who works on the model.  This
benchmark methods allows to record both the initialization time
(y-intercept) and the simulation time per simulation (slope).

Many small benchmarks on toy examples are tracked to guide the
development.  To compare the performance with other software,
we used a real-world model of low-medium size (9 species and 16
reactions): the Vilar oscillator (*Mechanisms of noise-resistance
in genetic oscillators*, Vilar et al., PNAS 2002).  Here, we
simulate this model from `t=0` to `t=200`, reporting the state at
time intervals of `1` time unit.

![Vilar oscillator benchmark](https://github.com/Armavica/rebop/blob/master/benches/vilar/vilar.png)

We can see that rebop's macro DSL is the fastest of all, both in
time per simulation, and with compilation time included.  The second
fastest is rebop's traditional API invoked by convenience through
the Python bindings.

## Features to come

* compartment volumes
* arbitrary reaction rates
* other SSA algorithms
* tau-leaping
* adaptive tau-leaping
* hybrid models (continuous and discrete)
* SBML
* CLI interface
* parameter estimation
* local sensitivity analysis
* parallelization

## Features probably not to come

* events
* space (reaction-diffusion systems)
* rule modelling

## Benchmark ideas

* DSMTS
* purely decoupled exponentials
* ring
* Toggle switch
* LacZ, LacY/LacZ (from STOCKS)
* Lotka Volterra, Michaelis--Menten, Network (from StochSim)
* G protein (from SimBiology)
* Brusselator / Oregonator (from Cellware)
* GAL, repressilator (from Dizzy)

## Similar software

### Maintained

* [GillesPy2](https://github.com/StochSS/GillesPy2)
* [STEPS](https://github.com/CNS-OIST/STEPS)
* [SimBiology](https://fr.mathworks.com/help/simbio/)
* [Copasi](http://copasi.org/)
* [BioNetGen](http://bionetgen.org/)
* [VCell](http://vcell.org/)
* [Smoldyn](http://www.smoldyn.org/)
* [KaSim](https://kappalanguage.org/)
* [StochPy](https://github.com/SystemsBioinformatics/stochpy)
* [BioSimulator.jl](https://github.com/alanderos91/BioSimulator.jl)
* [DiffEqJump.jl](https://github.com/SciML/DiffEqJump.jl)
* [Gillespie.jl](https://github.com/sdwfrost/Gillespie.jl)
* [GillespieSSA2](https://github.com/rcannood/GillespieSSA2)
* [Cayenne](https://github.com/quantumbrake/cayenne)

### Seem unmaintained

* [Dizzy](http://magnet.systemsbiology.net/software/Dizzy/)
* [Cellware](http://www.bii.a-star.edu.sg/achievements/applications/cellware/)
* [STOCKS](https://doi.org/10.1093/bioinformatics/18.3.470)
* [StochSim](http://lenoverelab.org/perso/lenov/stochsim.html)
* [Systems biology toolbox](http://www.sbtoolbox.org/)
* [StochKit](https://github.com/StochSS/StochKit) (successor: GillesPy2)
* [SmartCell](http://software.crg.es/smartcell/)
* [NFsim](http://michaelsneddon.net/nfsim/)

License: MIT


            

Raw data

            {
    "_id": null,
    "home_page": "https://armavica.github.io/rebop/",
    "name": "rebop",
    "maintainer": null,
    "docs_url": null,
    "requires_python": "",
    "maintainer_email": null,
    "keywords": "gillespie-algorithm,systems-biology,stochastic,scientific-computing",
    "author": "Virgile Andreani <armavica@ulminfo.fr>",
    "author_email": "Virgile Andreani <armavica@ulminfo.fr>",
    "download_url": "https://files.pythonhosted.org/packages/1f/ef/06095be020d0d60084f6436a16ef88fa560b70a7bfe508853078e243709b/rebop-0.6.1.tar.gz",
    "platform": null,
    "description": "[![Build status](https://github.com/Armavica/rebop/actions/workflows/rust.yml/badge.svg)](https://github.com/Armavica/rebop/actions/)\n[![Crates.io](https://img.shields.io/crates/v/rebop)](https://crates.io/crates/rebop/)\n[![Docs.rs](https://docs.rs/rebop/badge.svg)](https://docs.rs/rebop/)\n\n# rebop\n\nrebop is a fast stochastic simulator for well-mixed chemical\nreaction networks.\n\nPerformance and ergonomics are taken very seriously.  For this reason,\ntwo independent APIs are provided to describe and simulate reaction\nnetworks:\n\n* a macro-based DSL implemented by [`define_system`], usually the\nmost efficient, but that requires to compile a rust program;\n* a function-based API implemented by the module [`gillespie`], also\navailable through Python bindings.  This one does not require a rust\ncompilation and allows the system to be defined at run time.  It is\ntypically 2 or 3 times slower than the macro DSL, but still faster\nthan all other software tried.\n\n## The macro DSL\n\nIt currently only supports reaction rates defined by the law of mass\naction.  The following macro defines a dimerization reaction network\nnaturally:\n\n```rust\nuse rebop::define_system;\ndefine_system! {\n    r_tx r_tl r_dim r_decay_mRNA r_decay_prot;\n    Dimers { gene, mRNA, protein, dimer }\n    transcription   : gene      => gene + mRNA      @ r_tx\n    translation     : mRNA      => mRNA + protein   @ r_tl\n    dimerization    : 2 protein => dimer            @ r_dim\n    decay_mRNA      : mRNA      =>                  @ r_decay_mRNA\n    decay_protein   : protein   =>                  @ r_decay_prot\n}\n```\n\nTo simulate the system, put this definition in a rust code file and\ninstanciate the problem, set the parameters, the initial values, and\nlaunch the simulation:\n\n```rust\nlet mut problem = Dimers::new();\nproblem.r_tx = 25.0;\nproblem.r_tl = 1000.0;\nproblem.r_dim = 0.001;\nproblem.r_decay_mRNA = 0.1;\nproblem.r_decay_prot = 1.0;\nproblem.gene = 1;\nproblem.advance_until(1.0);\nprintln!(\"t = {}: dimer = {}\", problem.t, problem.dimer);\n```\n\nOr for the classic SIR example:\n\n```rust\nuse rebop::define_system;\n\ndefine_system! {\n    r_inf r_heal;\n    SIR { S, I, R }\n    infection   : S + I => 2 I  @ r_inf\n    healing     : I     => R    @ r_heal\n}\n\nfn main() {\n    let mut problem = SIR::new();\n    problem.r_inf = 1e-4;\n    problem.r_heal = 0.01;\n    problem.S = 999;\n    problem.I = 1;\n    println!(\"time,S,I,R\");\n    for t in 0..250 {\n        problem.advance_until(t as f64);\n        println!(\"{},{},{},{}\", problem.t, problem.S, problem.I, problem.R);\n    }\n}\n```\n\nwhich can produce an output similar to this one:\n\n![Typical SIR output](https://github.com/Armavica/rebop/blob/master/sir.png)\n\n## Python bindings\n\nThis API shines through the Python bindings which allow one to\ndefine a model easily:\n\n```python\nimport rebop\n\nsir = rebop.Gillespie()\nsir.add_reaction(1e-4, ['S', 'I'], ['I', 'I'])\nsir.add_reaction(0.01, ['I'], ['R'])\nprint(sir)\n\ndf = sir.run({'S': 999, 'I': 1}, tmax=250, nb_steps=250)\n```\n\nYou can test this code by installing `rebop` from PyPI with\n`pip install rebop`. To build the Python bindings from source,\nthe simplest is to clone this git repository and use `maturin\ndevelop`.\n\n## The traditional API\n\nThe function-based API underlying the Python package is also available\nfrom Rust, if you want to be able to define models at run time (instead\nof at compilation time with the macro DSL demonstrated above).\nThe SIR model is defined as:\n\n```rust\nuse rebop::gillespie::{Gillespie, Rate};\n\nlet mut sir = Gillespie::new([999, 1, 0]);\n//                           [  S, I, R]\n// S + I => 2 I with rate 1e-4\nsir.add_reaction(Rate::lma(1e-4, [1, 1, 0]), [-1, 1, 0]);\n// I => R with rate 0.01\nsir.add_reaction(Rate::lma(0.01, [0, 1, 0]), [0, -1, 1]);\n\nprintln!(\"time,S,I,R\");\nfor t in 0..250 {\n    sir.advance_until(t as f64);\n    println!(\"{},{},{},{}\", sir.get_time(), sir.get_species(0), sir.get_species(1), sir.get_species(2));\n}\n```\n\n## Performance\n\nPerformance is taken very seriously, and as a result, rebop\noutperforms every other package and programming language that we\ntried.\n\n*Disclaimer*: Most of this software currently contains much more\nfeatures than rebop (e.g. spatial models, custom reaction rates,\netc.).  Some of these features might have required them to make\ncompromises on speed.  Moreover, as much as we tried to keep the\ncomparison fair, some return too much or too little data, or write\nthem on disk.  The baseline that we tried to approach for all these\nprograms is the following: *the model was just modified, we want\nto simulate it `N` times and print regularly spaced measurement\npoints*.  This means that we always include initialization or\n(re-)compilation time if applicable.  We think that it is the most\ntypical use-case of a researcher who works on the model.  This\nbenchmark methods allows to record both the initialization time\n(y-intercept) and the simulation time per simulation (slope).\n\nMany small benchmarks on toy examples are tracked to guide the\ndevelopment.  To compare the performance with other software,\nwe used a real-world model of low-medium size (9 species and 16\nreactions): the Vilar oscillator (*Mechanisms of noise-resistance\nin genetic oscillators*, Vilar et al., PNAS 2002).  Here, we\nsimulate this model from `t=0` to `t=200`, reporting the state at\ntime intervals of `1` time unit.\n\n![Vilar oscillator benchmark](https://github.com/Armavica/rebop/blob/master/benches/vilar/vilar.png)\n\nWe can see that rebop's macro DSL is the fastest of all, both in\ntime per simulation, and with compilation time included.  The second\nfastest is rebop's traditional API invoked by convenience through\nthe Python bindings.\n\n## Features to come\n\n* compartment volumes\n* arbitrary reaction rates\n* other SSA algorithms\n* tau-leaping\n* adaptive tau-leaping\n* hybrid models (continuous and discrete)\n* SBML\n* CLI interface\n* parameter estimation\n* local sensitivity analysis\n* parallelization\n\n## Features probably not to come\n\n* events\n* space (reaction-diffusion systems)\n* rule modelling\n\n## Benchmark ideas\n\n* DSMTS\n* purely decoupled exponentials\n* ring\n* Toggle switch\n* LacZ, LacY/LacZ (from STOCKS)\n* Lotka Volterra, Michaelis--Menten, Network (from StochSim)\n* G protein (from SimBiology)\n* Brusselator / Oregonator (from Cellware)\n* GAL, repressilator (from Dizzy)\n\n## Similar software\n\n### Maintained\n\n* [GillesPy2](https://github.com/StochSS/GillesPy2)\n* [STEPS](https://github.com/CNS-OIST/STEPS)\n* [SimBiology](https://fr.mathworks.com/help/simbio/)\n* [Copasi](http://copasi.org/)\n* [BioNetGen](http://bionetgen.org/)\n* [VCell](http://vcell.org/)\n* [Smoldyn](http://www.smoldyn.org/)\n* [KaSim](https://kappalanguage.org/)\n* [StochPy](https://github.com/SystemsBioinformatics/stochpy)\n* [BioSimulator.jl](https://github.com/alanderos91/BioSimulator.jl)\n* [DiffEqJump.jl](https://github.com/SciML/DiffEqJump.jl)\n* [Gillespie.jl](https://github.com/sdwfrost/Gillespie.jl)\n* [GillespieSSA2](https://github.com/rcannood/GillespieSSA2)\n* [Cayenne](https://github.com/quantumbrake/cayenne)\n\n### Seem unmaintained\n\n* [Dizzy](http://magnet.systemsbiology.net/software/Dizzy/)\n* [Cellware](http://www.bii.a-star.edu.sg/achievements/applications/cellware/)\n* [STOCKS](https://doi.org/10.1093/bioinformatics/18.3.470)\n* [StochSim](http://lenoverelab.org/perso/lenov/stochsim.html)\n* [Systems biology toolbox](http://www.sbtoolbox.org/)\n* [StochKit](https://github.com/StochSS/StochKit) (successor: GillesPy2)\n* [SmartCell](http://software.crg.es/smartcell/)\n* [NFsim](http://michaelsneddon.net/nfsim/)\n\nLicense: MIT\n\n",
    "bugtrack_url": null,
    "license": "MIT",
    "summary": "A fast stochastic simulator for chemical reaction networks",
    "version": "0.6.1",
    "project_urls": {
        "Homepage": "https://armavica.github.io/rebop/",
        "Source Code": "https://github.com/Armavica/rebop/"
    },
    "split_keywords": [
        "gillespie-algorithm",
        "systems-biology",
        "stochastic",
        "scientific-computing"
    ],
    "urls": [
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "a44f0305a71d3e51b57fbf4024756dc8660f211d8d03002d4ea8c44275f5f882",
                "md5": "66abf79cab137ad2d451141af4d4be25",
                "sha256": "40d25ee545e8d34a5ed4d1ac85abb836f310112d92d9ebc7fa107bdd32e22ee0"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1-cp39-abi3-macosx_10_7_x86_64.whl",
            "has_sig": false,
            "md5_digest": "66abf79cab137ad2d451141af4d4be25",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 315372,
            "upload_time": "2023-10-05T17:40:33",
            "upload_time_iso_8601": "2023-10-05T17:40:33.986166Z",
            "url": "https://files.pythonhosted.org/packages/a4/4f/0305a71d3e51b57fbf4024756dc8660f211d8d03002d4ea8c44275f5f882/rebop-0.6.1-cp39-abi3-macosx_10_7_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "afc7b6c55601838d576bf7f8b3629528d4b08dcb80ae5146209dee71d72d5131",
                "md5": "cc5233fc66068be26e87011af8b1b01d",
                "sha256": "b5d379278e4997fb0454ec2e045f44218c13d891d7d9a4a8c7b86507c4bde427"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1-cp39-abi3-macosx_11_0_arm64.whl",
            "has_sig": false,
            "md5_digest": "cc5233fc66068be26e87011af8b1b01d",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 307954,
            "upload_time": "2023-10-05T17:40:36",
            "upload_time_iso_8601": "2023-10-05T17:40:36.572029Z",
            "url": "https://files.pythonhosted.org/packages/af/c7/b6c55601838d576bf7f8b3629528d4b08dcb80ae5146209dee71d72d5131/rebop-0.6.1-cp39-abi3-macosx_11_0_arm64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "2b18cb03bd8dc5bbda09a58b5f986e7cdd85862e4bb24dc12f10bd11b66f7cf3",
                "md5": "e66c98b0497401e40f0377ee95de8b05",
                "sha256": "c50033459bac351fcb9fcaba13d2ab658a7445e03b6700cbdeacba218df97934"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1-cp39-abi3-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "has_sig": false,
            "md5_digest": "e66c98b0497401e40f0377ee95de8b05",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 1206331,
            "upload_time": "2023-10-05T17:40:38",
            "upload_time_iso_8601": "2023-10-05T17:40:38.789446Z",
            "url": "https://files.pythonhosted.org/packages/2b/18/cb03bd8dc5bbda09a58b5f986e7cdd85862e4bb24dc12f10bd11b66f7cf3/rebop-0.6.1-cp39-abi3-manylinux_2_17_aarch64.manylinux2014_aarch64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "13ee3bb33b12dc47ec7371e067db316ee24188ea53a20ac7d0a796978d83e733",
                "md5": "6ffdf72e760bad9407c3109aa6a280bb",
                "sha256": "d653815119fb842ffd10b9ea65c99049584b4c660562dce3e1d33e506ce82a95"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1-cp39-abi3-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "has_sig": false,
            "md5_digest": "6ffdf72e760bad9407c3109aa6a280bb",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 1209121,
            "upload_time": "2023-10-05T17:40:41",
            "upload_time_iso_8601": "2023-10-05T17:40:41.554992Z",
            "url": "https://files.pythonhosted.org/packages/13/ee/3bb33b12dc47ec7371e067db316ee24188ea53a20ac7d0a796978d83e733/rebop-0.6.1-cp39-abi3-manylinux_2_17_armv7l.manylinux2014_armv7l.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "a55a639b28f6ab14dd0121fac064ee87533636d3056bdca62a574faa130106dd",
                "md5": "d27d013a3d4a81179eafcd92ba30a3d2",
                "sha256": "6ea41de4c259d6aa917e19ecbb1113c826067f2f76b7ed0f6af17febc8ec76b7"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1-cp39-abi3-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "has_sig": false,
            "md5_digest": "d27d013a3d4a81179eafcd92ba30a3d2",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 1303647,
            "upload_time": "2023-10-05T17:40:44",
            "upload_time_iso_8601": "2023-10-05T17:40:44.352385Z",
            "url": "https://files.pythonhosted.org/packages/a5/5a/639b28f6ab14dd0121fac064ee87533636d3056bdca62a574faa130106dd/rebop-0.6.1-cp39-abi3-manylinux_2_17_ppc64le.manylinux2014_ppc64le.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "9677e174af965ac55301f1b570c7782da759d042972fef0cd742842093c6ace3",
                "md5": "8eb0e121afa5bb4b5584ea7e589255f3",
                "sha256": "0c3dab0d181632d5c18f08d71d106b230617f108b9d656bc840e85c692385cc0"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1-cp39-abi3-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "has_sig": false,
            "md5_digest": "8eb0e121afa5bb4b5584ea7e589255f3",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 1400312,
            "upload_time": "2023-10-05T17:40:48",
            "upload_time_iso_8601": "2023-10-05T17:40:48.926162Z",
            "url": "https://files.pythonhosted.org/packages/96/77/e174af965ac55301f1b570c7782da759d042972fef0cd742842093c6ace3/rebop-0.6.1-cp39-abi3-manylinux_2_17_s390x.manylinux2014_s390x.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "3e90c752c4fb2ba916fa79290ff57919e0527967358ce1fad18708e930cabf4b",
                "md5": "4ca8e2a66de7e9bebc0ea85e8fe08cfb",
                "sha256": "ca094af0c539659b4d3c947983c93f273365e006b7a5d3f33fc8179988ad9e4f"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1-cp39-abi3-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "has_sig": false,
            "md5_digest": "4ca8e2a66de7e9bebc0ea85e8fe08cfb",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 1207865,
            "upload_time": "2023-10-05T17:40:51",
            "upload_time_iso_8601": "2023-10-05T17:40:51.416321Z",
            "url": "https://files.pythonhosted.org/packages/3e/90/c752c4fb2ba916fa79290ff57919e0527967358ce1fad18708e930cabf4b/rebop-0.6.1-cp39-abi3-manylinux_2_17_x86_64.manylinux2014_x86_64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "3c7875659b68fdece01c79f8723d0b256764f7a6145bed94f7f484562e21798a",
                "md5": "a6f12754fce10f8f8f54e09ed0cd5fce",
                "sha256": "e0015792520271f48fc9ca38e667d2d6252a9ad211c149dab8905bd3db26f9dd"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1-cp39-abi3-manylinux_2_5_i686.manylinux1_i686.whl",
            "has_sig": false,
            "md5_digest": "a6f12754fce10f8f8f54e09ed0cd5fce",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 1232056,
            "upload_time": "2023-10-05T17:40:53",
            "upload_time_iso_8601": "2023-10-05T17:40:53.489393Z",
            "url": "https://files.pythonhosted.org/packages/3c/78/75659b68fdece01c79f8723d0b256764f7a6145bed94f7f484562e21798a/rebop-0.6.1-cp39-abi3-manylinux_2_5_i686.manylinux1_i686.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "584efc6af49a6b772c0ba0bfa4c7a44a7394e9e18ffb8dd7302a4e571d373d48",
                "md5": "35d65b0389fe73981e06a9f02030f6da",
                "sha256": "09a56d9e5e1291e95ec0740717cc9d49aa67af48c1a3eff9e19ebabd18b3d7c4"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1-cp39-abi3-win32.whl",
            "has_sig": false,
            "md5_digest": "35d65b0389fe73981e06a9f02030f6da",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 166033,
            "upload_time": "2023-10-05T17:40:55",
            "upload_time_iso_8601": "2023-10-05T17:40:55.884461Z",
            "url": "https://files.pythonhosted.org/packages/58/4e/fc6af49a6b772c0ba0bfa4c7a44a7394e9e18ffb8dd7302a4e571d373d48/rebop-0.6.1-cp39-abi3-win32.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "7a72c13c5cb639939b6d9651397886f86a8d20015b4e585010ce9e72fea1a107",
                "md5": "6c55c6195d1d568bf2cb08d34522f646",
                "sha256": "5b65dd2d0fb12192994b660fafd9d9349fb8c1dc09d391bc0b501312cb4e5310"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1-cp39-abi3-win_amd64.whl",
            "has_sig": false,
            "md5_digest": "6c55c6195d1d568bf2cb08d34522f646",
            "packagetype": "bdist_wheel",
            "python_version": "cp39",
            "requires_python": null,
            "size": 172346,
            "upload_time": "2023-10-05T17:40:58",
            "upload_time_iso_8601": "2023-10-05T17:40:58.046812Z",
            "url": "https://files.pythonhosted.org/packages/7a/72/c13c5cb639939b6d9651397886f86a8d20015b4e585010ce9e72fea1a107/rebop-0.6.1-cp39-abi3-win_amd64.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": null,
            "digests": {
                "blake2b_256": "1fef06095be020d0d60084f6436a16ef88fa560b70a7bfe508853078e243709b",
                "md5": "a310fbcbe0ff5059b7c3b52b6234990d",
                "sha256": "dc5eef6bd24025b439f3a6437c771efb1fe8fe8c54a1b90f252132c1981b1b76"
            },
            "downloads": -1,
            "filename": "rebop-0.6.1.tar.gz",
            "has_sig": false,
            "md5_digest": "a310fbcbe0ff5059b7c3b52b6234990d",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": null,
            "size": 113076,
            "upload_time": "2023-10-05T17:41:00",
            "upload_time_iso_8601": "2023-10-05T17:41:00.083317Z",
            "url": "https://files.pythonhosted.org/packages/1f/ef/06095be020d0d60084f6436a16ef88fa560b70a7bfe508853078e243709b/rebop-0.6.1.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2023-10-05 17:41:00",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "Armavica",
    "github_project": "rebop",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "lcname": "rebop"
}
        
Elapsed time: 0.11989s