Name | dynamiqs JSON |
Version |
0.3.3
JSON |
| download |
home_page | None |
Summary | High-performance quantum systems simulation with JAX (GPU-accelerated & differentiable solvers). |
upload_time | 2025-07-10 14:39:51 |
maintainer | None |
docs_url | None |
author | None |
requires_python | >=3.10 |
license | None |
keywords |
|
VCS |
 |
bugtrack_url |
|
requirements |
No requirements were recorded.
|
Travis-CI |
No Travis.
|
coveralls test coverage |
No coveralls.
|
<h1 align="center">
<img alt="Dynamiqs logo" width="360" src="https://github.com/dynamiqs/dynamiqs/blob/main/docs/media/logo-typeface-darktype.png?raw=true">
</h1>
[P. Guilmin](https://github.com/pierreguilmin), [R. Gautier](https://github.com/gautierronan), [A. Bocquet](https://github.com/abocquet), [E. Genois](https://github.com/eliegenois), [D. Weiss](https://github.com/dkweiss31)
[](https://github.com/dynamiqs/dynamiqs/actions/workflows/ci.yml?query=branch%3Amain)  [](https://join.slack.com/t/dynamiqs-org/shared_invite/zt-1z4mw08mo-qDLoNx19JBRtKzXlmlFYLA) [](https://github.com/dynamiqs/dynamiqs/blob/main/LICENSE) [](https://github.com/astral-sh/ruff)
High-performance quantum systems simulation with JAX.
**Dynamiqs** is a Python library for **GPU-accelerated** and **differentiable** quantum simulations. Solvers are available for the Schrödinger equation, the Lindblad master equation, the stochastic master equation, and others. The library is built with [JAX](https://jax.readthedocs.io/en/latest/index.html) and the main solvers are based on [Diffrax](https://github.com/patrick-kidger/diffrax).
Documentation is available on our website, <https://www.dynamiqs.org>; see the [Python API](https://www.dynamiqs.org/stable/python_api/index.html) for a list of all implemented functions.
The main features of **Dynamiqs** are:
- Running simulations on **CPUs** and **GPUs** with high-performance.
- Executing many simulations **concurrently** by batching over Hamiltonians, initial states or jump operators.
- Computing **gradients** of arbitrary functions with respect to arbitrary parameters of the system.
- Full **compatibility** with the [JAX](https://jax.readthedocs.io/en/latest/index.html) ecosystem with a [QuTiP](https://qutip.org/)-like API.
We hope that this library will prove useful to the community for e.g. simulation of large quantum systems, gradient-based parameter estimation or quantum optimal control. The library is designed for large-scale problems, but also runs efficiently on CPUs for smaller problems.
⚠️ This library is under active development and some APIs and solvers are still finding their footing. While most of the library is stable, new releases might introduce breaking changes.
## Installation
You can install Dynamiqs with `pip`:
```shell
pip install dynamiqs
```
ℹ️ If you're using a GPU, please refer to the [JAX installation](https://jax.readthedocs.io/en/latest/installation.html) documentation page for detailed instructions on how to install JAX for your device.
## Examples
### Simulate a lossy quantum harmonic oscillator
This first example shows simulation of a lossy harmonic oscillator with Hamiltonian $H=\omega a^\dagger a$ and a single jump operator $L=\sqrt{\kappa} a$ from time $0$ to time $T$, starting from the initial coherent state $\ket{\alpha_0}$.
```python
import dynamiqs as dq
import jax.numpy as jnp
# parameters
n = 16 # Hilbert space dimension
omega = 1.0 # frequency
kappa = 0.1 # decay rate
alpha0 = 1.0 # initial coherent state amplitude
T = 2 * jnp.pi # total evolution time (one full revolution)
# initialize operators, initial state and saving times
a = dq.destroy(n)
H = omega * dq.dag(a) @ a
jump_ops = [jnp.sqrt(kappa) * a]
psi0 = dq.coherent(n, alpha0)
tsave = jnp.linspace(0, T, 101)
# run simulation
result = dq.mesolve(H, jump_ops, psi0, tsave)
print(result)
```
```text
|██████████| 100.0% ◆ elapsed 6.30ms ◆ remaining 0.00ms
==== MESolveResult ====
Method : Tsit5
Infos : 40 steps (40 accepted, 0 rejected)
States : QArray complex64 (101, 16, 16) | 202.0 Kb
```
### Compute gradients with respect to some parameters
Suppose that in the above example, we want to compute the gradient of the number of photons in the final state at time $T$, $\bar{n} = \mathrm{Tr}[a^\dagger a \rho(T)]$, with respect to the frequency $\omega$, the decay rate $\kappa$ and the initial coherent state amplitude $\alpha_0$.
```python
import dynamiqs as dq
import jax.numpy as jnp
import jax
# parameters
n = 16 # Hilbert space dimension
omega = 1.0 # frequency
kappa = 0.1 # decay rate
alpha0 = 1.0 # initial coherent state amplitude
T = 2 * jnp.pi # total evolution time (one full revolution)
def population(omega, kappa, alpha0):
"""Return the oscillator population after time evolution."""
# initialize operators, initial state and saving times
a = dq.destroy(n)
H = omega * dq.dag(a) @ a
jump_ops = [jnp.sqrt(kappa) * a]
psi0 = dq.coherent(n, alpha0)
tsave = jnp.linspace(0, T, 101)
# run simulation
result = dq.mesolve(H, jump_ops, psi0, tsave)
return dq.expect(dq.number(n), result.states[-1]).real
# compute gradient with respect to omega, kappa and alpha
grad_population = jax.grad(population, argnums=(0, 1, 2))
grads = grad_population(omega, kappa, alpha0)
print(f'Gradient w.r.t. omega : {grads[0]:.4f}')
print(f'Gradient w.r.t. kappa : {grads[1]:.4f}')
print(f'Gradient w.r.t. alpha0: {grads[2]:.4f}')
```
```text
|██████████| 100.0% ◆ elapsed 5.94ms ◆ remaining 0.00ms
Gradient w.r.t. omega : 0.0000
Gradient w.r.t. kappa : -3.3520
Gradient w.r.t. alpha0: 1.0670
```
ℹ️ On this specific example, we can verify the result analytically. The state remains a coherent state at all time with complex amplitude $\alpha(t) = \alpha_0 e^{-\kappa t/2} e^{-i\omega t}$, and the final photon number is thus $\bar{n} = |\alpha(T)|^2 = \alpha_0^2 e^{-\kappa T}$. We can then compute the gradient with respect to the three parameters $\theta = (\omega, \kappa, \alpha_0)$:
$$
\nabla_\theta\ \bar{n} = \begin{pmatrix}
\partial\bar{n} / \partial\omega \\\\
\partial\bar{n} / \partial\kappa \\\\
\partial\bar{n} / \partial\alpha_0
\end{pmatrix}
= \begin{pmatrix}
0 \\\\
-\alpha_0^2 T e^{-\kappa T} \\\\
2 \alpha_0 e^{-\kappa T}
\end{pmatrix}
\approx \begin{pmatrix}
0.0 \\\\
-3.3520 \\\\
1.0670
\end{pmatrix}
$$
## More features!
Below are some cool features of **Dynamiqs** that are either already available or planned for the near future.
**Solvers**
- Choose between a variety of methods for each solver, from **modern** explicit and implicit ODE methods (e.g. Tsit5 and PID controllers for adaptive step-sizing) to **quantum-tailored** methods that preserve the physicality of the evolution (the state trace and positivity are preserved).
- Simulate **time-varying problems** (both Hamiltonian and jump operators) with support for various formats (piecewise constant operator, constant operator modulated by a time-dependent factor, etc.).
- Define a **custom save function** during the evolution (e.g. to register only the state purity, to track a subsystem by taking the partial trace of the full system, or to compute the population in the last Fock states to regularise your QOC problem).
- Easily implement **your own solvers** by subclassing our base solver class and focusing directly on the solver logic.
- Simulate SME trajectories **orders of magnitude faster** by batching the simulation over the stochastic trajectories.
- **Parallelise** large simulations across multiple CPUs/GPUs.
**Gradients**
- Choose between **various methods** to compute the gradient, to tradeoff speed and memory (e.g. use the optimal online checkpointing scheme of [Diffrax](https://github.com/patrick-kidger/diffrax) to compute gradients for large systems).
- Compute gradients with **machine-precision accuracy**.
- Evaluate **derivatives with respect to evolution time** (e.g. for time-optimal quantum control).
- Compute **higher order derivatives** (e.g. the Hessian).
**Utilities**
- Balance **accuracy and speed** by choosing between single precision (`float32` and `complex64`) or double precision (`float64` and `complex128`).
- Discover a custom **sparse data format** designed for matrices with only a few dense diagonals, offering substantial speedups for large systems.
- Plot beautiful figures by using our **handcrafted plotting function**.
- Apply any functions to **batched arrays** (e.g. `dq.wigner(states)` to compute the wigners of many states at once).
- Use **QuTiP objects as arguments** to any functions (e.g. if you have existing code to define your Hamiltonian in QuTiP, or if you want to use our nice plotting functions on a list of QuTiP states).
**Library development**
- Enjoy **modern software development practices and tools**.
- Build confidence from the **analytical tests** that verify state correctness and gradient accuracy for every solver, at each commit.
**Coming soon**
- Simulate using propagators solvers based on **Krylov subspace methods**.
- **Benchmark code** to compare solvers and performance for different systems.
## The Dynamiqs project
**Philosophy**
There is a noticeable gap in the availability of an open-source library that simplifies gradient-based parameter estimation and quantum optimal control. In addition, faster simulations of large systems are essential to accelerate the development of quantum technologies. The **Dynamiqs** library addresses both of these needs. It aims to be a fast and reliable building block for **GPU-accelerated** and **differentiable** solvers. We also work to make the library compatible with the existing Python ecosystem (i.e. JAX and QuTiP) to allow easy interfacing with other libraries.
**Team and sponsoring**
The library is being developed by a **team of physicists and developers**. We are working with theorists, experimentalists, machine learning practitioners, optimisation and numerical methods experts to make the library as useful and as powerful as possible. The library is sponsored by the startup [Alice & Bob](https://alice-bob.com/), where it is being used to simulate, calibrate and control chips made of superconducting-based dissipative cat qubits.
**History**
Development started in early 2023, the library was originally based on PyTorch with homemade solvers and gradient methods. It was completely rewritten in JAX in early 2024 for performance.
## Let's talk!
If you're curious, have questions or suggestions, wish to contribute or simply want to say hello, please don't hesitate to engage with us, we're always happy to chat! You can join the community on Slack via [this invite link](https://join.slack.com/t/dynamiqs-org/shared_invite/zt-1z4mw08mo-qDLoNx19JBRtKzXlmlFYLA), open an issue on GitHub, or contact the lead developer via email at <pierreguilmin@gmail.com>.
## Contributing
We warmly welcome all contributions. If you're a junior developer or physicist, you can start with a small utility function, and move on to bigger problems as you discover the library's internals. If you're more experienced and want to implement more advanced features, don't hesitate to get in touch to discuss what would suit you. Please refer to [CONTRIBUTING.md](https://github.com/dynamiqs/dynamiqs/blob/main/CONTRIBUTING.md) for detailed instructions.
## Citing Dynamiqs
If you have found this library useful in your academic research, you can cite:
```bibtex
@unpublished{guilmin2025dynamiqs,
title = {Dynamiqs: an open-source Python library for GPU-accelerated and differentiable simulation of quantum systems},
author = {Pierre Guilmin and Adrien Bocquet and {\'{E}}lie Genois and Daniel Weiss and Ronan Gautier},
year = {2025},
url = {https://github.com/dynamiqs/dynamiqs}
}
```
> P. Guilmin, A. Bocquet, E. Genois, D. Weiss, R. Gautier. Dynamiqs: an open-source Python library for GPU-accelerated and differentiable simulation of quantum systems (2025), in preparation.
Raw data
{
"_id": null,
"home_page": null,
"name": "dynamiqs",
"maintainer": null,
"docs_url": null,
"requires_python": ">=3.10",
"maintainer_email": null,
"keywords": null,
"author": null,
"author_email": "Pierre Guilmin <pierreguilmin@gmail.com>, Ronan Gautier <ron.gautier@gmail.com>, Adrien Bocquet <adrienbocquet38@gmail.com>, Elie Genois <elie.genois@usherbrooke.ca>, Daniel Weiss <daniel.kamrath.weiss@gmail.com>",
"download_url": "https://files.pythonhosted.org/packages/ff/a9/36ff26287abc48509a5a6311b2409481cc6af419f2816073154d5e7b5849/dynamiqs-0.3.3.tar.gz",
"platform": null,
"description": "<h1 align=\"center\">\n <img alt=\"Dynamiqs logo\" width=\"360\" src=\"https://github.com/dynamiqs/dynamiqs/blob/main/docs/media/logo-typeface-darktype.png?raw=true\">\n</h1>\n\n[P. Guilmin](https://github.com/pierreguilmin), [R. Gautier](https://github.com/gautierronan), [A. Bocquet](https://github.com/abocquet), [E. Genois](https://github.com/eliegenois), [D. Weiss](https://github.com/dkweiss31)\n\n[](https://github.com/dynamiqs/dynamiqs/actions/workflows/ci.yml?query=branch%3Amain)  [](https://join.slack.com/t/dynamiqs-org/shared_invite/zt-1z4mw08mo-qDLoNx19JBRtKzXlmlFYLA) [](https://github.com/dynamiqs/dynamiqs/blob/main/LICENSE) [](https://github.com/astral-sh/ruff)\n\nHigh-performance quantum systems simulation with JAX.\n\n**Dynamiqs** is a Python library for **GPU-accelerated** and **differentiable** quantum simulations. Solvers are available for the Schr\u00f6dinger equation, the Lindblad master equation, the stochastic master equation, and others. The library is built with [JAX](https://jax.readthedocs.io/en/latest/index.html) and the main solvers are based on [Diffrax](https://github.com/patrick-kidger/diffrax).\n\nDocumentation is available on our website, <https://www.dynamiqs.org>; see the [Python API](https://www.dynamiqs.org/stable/python_api/index.html) for a list of all implemented functions.\n\nThe main features of **Dynamiqs** are:\n\n- Running simulations on **CPUs** and **GPUs** with high-performance.\n- Executing many simulations **concurrently** by batching over Hamiltonians, initial states or jump operators.\n- Computing **gradients** of arbitrary functions with respect to arbitrary parameters of the system.\n- Full **compatibility** with the [JAX](https://jax.readthedocs.io/en/latest/index.html) ecosystem with a [QuTiP](https://qutip.org/)-like API.\n\nWe hope that this library will prove useful to the community for e.g. simulation of large quantum systems, gradient-based parameter estimation or quantum optimal control. The library is designed for large-scale problems, but also runs efficiently on CPUs for smaller problems.\n\n\u26a0\ufe0f This library is under active development and some APIs and solvers are still finding their footing. While most of the library is stable, new releases might introduce breaking changes.\n\n## Installation\n\nYou can install Dynamiqs with `pip`:\n\n```shell\npip install dynamiqs\n```\n\n\u2139\ufe0f If you're using a GPU, please refer to the [JAX installation](https://jax.readthedocs.io/en/latest/installation.html) documentation page for detailed instructions on how to install JAX for your device.\n\n## Examples\n\n### Simulate a lossy quantum harmonic oscillator\n\nThis first example shows simulation of a lossy harmonic oscillator with Hamiltonian $H=\\omega a^\\dagger a$ and a single jump operator $L=\\sqrt{\\kappa} a$ from time $0$ to time $T$, starting from the initial coherent state $\\ket{\\alpha_0}$.\n\n```python\nimport dynamiqs as dq\nimport jax.numpy as jnp\n\n# parameters\nn = 16 # Hilbert space dimension\nomega = 1.0 # frequency\nkappa = 0.1 # decay rate\nalpha0 = 1.0 # initial coherent state amplitude\nT = 2 * jnp.pi # total evolution time (one full revolution)\n\n# initialize operators, initial state and saving times\na = dq.destroy(n)\nH = omega * dq.dag(a) @ a\njump_ops = [jnp.sqrt(kappa) * a]\npsi0 = dq.coherent(n, alpha0)\ntsave = jnp.linspace(0, T, 101)\n\n# run simulation\nresult = dq.mesolve(H, jump_ops, psi0, tsave)\nprint(result)\n```\n\n```text\n|\u2588\u2588\u2588\u2588\u2588\u2588\u2588\u2588\u2588\u2588| 100.0% \u25c6 elapsed 6.30ms \u25c6 remaining 0.00ms\n==== MESolveResult ====\nMethod : Tsit5\nInfos : 40 steps (40 accepted, 0 rejected)\nStates : QArray complex64 (101, 16, 16) | 202.0 Kb\n```\n\n### Compute gradients with respect to some parameters\n\nSuppose that in the above example, we want to compute the gradient of the number of photons in the final state at time $T$, $\\bar{n} = \\mathrm{Tr}[a^\\dagger a \\rho(T)]$, with respect to the frequency $\\omega$, the decay rate $\\kappa$ and the initial coherent state amplitude $\\alpha_0$.\n\n```python\nimport dynamiqs as dq\nimport jax.numpy as jnp\nimport jax\n\n# parameters\nn = 16 # Hilbert space dimension\nomega = 1.0 # frequency\nkappa = 0.1 # decay rate\nalpha0 = 1.0 # initial coherent state amplitude\nT = 2 * jnp.pi # total evolution time (one full revolution)\n\ndef population(omega, kappa, alpha0):\n \"\"\"Return the oscillator population after time evolution.\"\"\"\n # initialize operators, initial state and saving times\n a = dq.destroy(n)\n H = omega * dq.dag(a) @ a\n jump_ops = [jnp.sqrt(kappa) * a]\n psi0 = dq.coherent(n, alpha0)\n tsave = jnp.linspace(0, T, 101)\n\n # run simulation\n result = dq.mesolve(H, jump_ops, psi0, tsave)\n\n return dq.expect(dq.number(n), result.states[-1]).real\n\n# compute gradient with respect to omega, kappa and alpha\ngrad_population = jax.grad(population, argnums=(0, 1, 2))\ngrads = grad_population(omega, kappa, alpha0)\nprint(f'Gradient w.r.t. omega : {grads[0]:.4f}')\nprint(f'Gradient w.r.t. kappa : {grads[1]:.4f}')\nprint(f'Gradient w.r.t. alpha0: {grads[2]:.4f}')\n```\n\n```text\n|\u2588\u2588\u2588\u2588\u2588\u2588\u2588\u2588\u2588\u2588| 100.0% \u25c6 elapsed 5.94ms \u25c6 remaining 0.00ms\nGradient w.r.t. omega : 0.0000\nGradient w.r.t. kappa : -3.3520\nGradient w.r.t. alpha0: 1.0670\n```\n\n\u2139\ufe0f On this specific example, we can verify the result analytically. The state remains a coherent state at all time with complex amplitude $\\alpha(t) = \\alpha_0 e^{-\\kappa t/2} e^{-i\\omega t}$, and the final photon number is thus $\\bar{n} = |\\alpha(T)|^2 = \\alpha_0^2 e^{-\\kappa T}$. We can then compute the gradient with respect to the three parameters $\\theta = (\\omega, \\kappa, \\alpha_0)$:\n\n$$\n\\nabla_\\theta\\ \\bar{n} = \\begin{pmatrix}\n \\partial\\bar{n} / \\partial\\omega \\\\\\\\\n \\partial\\bar{n} / \\partial\\kappa \\\\\\\\\n \\partial\\bar{n} / \\partial\\alpha_0\n\\end{pmatrix}\n= \\begin{pmatrix}\n 0 \\\\\\\\\n -\\alpha_0^2 T e^{-\\kappa T} \\\\\\\\\n 2 \\alpha_0 e^{-\\kappa T}\n\\end{pmatrix}\n\\approx \\begin{pmatrix}\n 0.0 \\\\\\\\\n -3.3520 \\\\\\\\\n 1.0670\n\\end{pmatrix}\n$$\n\n## More features!\n\nBelow are some cool features of **Dynamiqs** that are either already available or planned for the near future.\n\n**Solvers**\n\n- Choose between a variety of methods for each solver, from **modern** explicit and implicit ODE methods (e.g. Tsit5 and PID controllers for adaptive step-sizing) to **quantum-tailored** methods that preserve the physicality of the evolution (the state trace and positivity are preserved).\n- Simulate **time-varying problems** (both Hamiltonian and jump operators) with support for various formats (piecewise constant operator, constant operator modulated by a time-dependent factor, etc.).\n- Define a **custom save function** during the evolution (e.g. to register only the state purity, to track a subsystem by taking the partial trace of the full system, or to compute the population in the last Fock states to regularise your QOC problem).\n- Easily implement **your own solvers** by subclassing our base solver class and focusing directly on the solver logic.\n- Simulate SME trajectories **orders of magnitude faster** by batching the simulation over the stochastic trajectories.\n- **Parallelise** large simulations across multiple CPUs/GPUs.\n\n**Gradients**\n\n- Choose between **various methods** to compute the gradient, to tradeoff speed and memory (e.g. use the optimal online checkpointing scheme of [Diffrax](https://github.com/patrick-kidger/diffrax) to compute gradients for large systems).\n- Compute gradients with **machine-precision accuracy**.\n- Evaluate **derivatives with respect to evolution time** (e.g. for time-optimal quantum control).\n- Compute **higher order derivatives** (e.g. the Hessian).\n\n**Utilities**\n\n- Balance **accuracy and speed** by choosing between single precision (`float32` and `complex64`) or double precision (`float64` and `complex128`).\n- Discover a custom **sparse data format** designed for matrices with only a few dense diagonals, offering substantial speedups for large systems.\n- Plot beautiful figures by using our **handcrafted plotting function**.\n- Apply any functions to **batched arrays** (e.g. `dq.wigner(states)` to compute the wigners of many states at once).\n- Use **QuTiP objects as arguments** to any functions (e.g. if you have existing code to define your Hamiltonian in QuTiP, or if you want to use our nice plotting functions on a list of QuTiP states).\n\n**Library development**\n\n- Enjoy **modern software development practices and tools**.\n- Build confidence from the **analytical tests** that verify state correctness and gradient accuracy for every solver, at each commit.\n\n**Coming soon**\n\n- Simulate using propagators solvers based on **Krylov subspace methods**.\n- **Benchmark code** to compare solvers and performance for different systems.\n\n## The Dynamiqs project\n\n**Philosophy**\n\nThere is a noticeable gap in the availability of an open-source library that simplifies gradient-based parameter estimation and quantum optimal control. In addition, faster simulations of large systems are essential to accelerate the development of quantum technologies. The **Dynamiqs** library addresses both of these needs. It aims to be a fast and reliable building block for **GPU-accelerated** and **differentiable** solvers. We also work to make the library compatible with the existing Python ecosystem (i.e. JAX and QuTiP) to allow easy interfacing with other libraries.\n\n**Team and sponsoring**\n\nThe library is being developed by a **team of physicists and developers**. We are working with theorists, experimentalists, machine learning practitioners, optimisation and numerical methods experts to make the library as useful and as powerful as possible. The library is sponsored by the startup [Alice & Bob](https://alice-bob.com/), where it is being used to simulate, calibrate and control chips made of superconducting-based dissipative cat qubits.\n\n**History**\n\nDevelopment started in early 2023, the library was originally based on PyTorch with homemade solvers and gradient methods. It was completely rewritten in JAX in early 2024 for performance.\n\n## Let's talk!\n\nIf you're curious, have questions or suggestions, wish to contribute or simply want to say hello, please don't hesitate to engage with us, we're always happy to chat! You can join the community on Slack via [this invite link](https://join.slack.com/t/dynamiqs-org/shared_invite/zt-1z4mw08mo-qDLoNx19JBRtKzXlmlFYLA), open an issue on GitHub, or contact the lead developer via email at <pierreguilmin@gmail.com>.\n\n## Contributing\n\nWe warmly welcome all contributions. If you're a junior developer or physicist, you can start with a small utility function, and move on to bigger problems as you discover the library's internals. If you're more experienced and want to implement more advanced features, don't hesitate to get in touch to discuss what would suit you. Please refer to [CONTRIBUTING.md](https://github.com/dynamiqs/dynamiqs/blob/main/CONTRIBUTING.md) for detailed instructions.\n\n## Citing Dynamiqs\n\nIf you have found this library useful in your academic research, you can cite:\n\n```bibtex\n@unpublished{guilmin2025dynamiqs,\n title = {Dynamiqs: an open-source Python library for GPU-accelerated and differentiable simulation of quantum systems},\n author = {Pierre Guilmin and Adrien Bocquet and {\\'{E}}lie Genois and Daniel Weiss and Ronan Gautier},\n year = {2025},\n url = {https://github.com/dynamiqs/dynamiqs}\n}\n```\n\n> P. Guilmin, A. Bocquet, E. Genois, D. Weiss, R. Gautier. Dynamiqs: an open-source Python library for GPU-accelerated and differentiable simulation of quantum systems (2025), in preparation.\n",
"bugtrack_url": null,
"license": null,
"summary": "High-performance quantum systems simulation with JAX (GPU-accelerated & differentiable solvers).",
"version": "0.3.3",
"project_urls": {
"Documentation": "https://www.dynamiqs.org/",
"Homepage": "https://github.com/dynamiqs/dynamiqs",
"Repository": "https://github.com/dynamiqs/dynamiqs"
},
"split_keywords": [],
"urls": [
{
"comment_text": null,
"digests": {
"blake2b_256": "9907e49529b4ca995b5eb95ff62b093b944f3a5e95f88aed761697b8a85cddc0",
"md5": "5fbf6da193a1cfbcf3812cbcaa5060f3",
"sha256": "50d05ffd5ad9f660f110e6aa46c5bbbd42d546b3bcba9bab202205f16a37ade0"
},
"downloads": -1,
"filename": "dynamiqs-0.3.3-py3-none-any.whl",
"has_sig": false,
"md5_digest": "5fbf6da193a1cfbcf3812cbcaa5060f3",
"packagetype": "bdist_wheel",
"python_version": "py3",
"requires_python": ">=3.10",
"size": 153075,
"upload_time": "2025-07-10T14:39:48",
"upload_time_iso_8601": "2025-07-10T14:39:48.948443Z",
"url": "https://files.pythonhosted.org/packages/99/07/e49529b4ca995b5eb95ff62b093b944f3a5e95f88aed761697b8a85cddc0/dynamiqs-0.3.3-py3-none-any.whl",
"yanked": false,
"yanked_reason": null
},
{
"comment_text": null,
"digests": {
"blake2b_256": "ffa936ff26287abc48509a5a6311b2409481cc6af419f2816073154d5e7b5849",
"md5": "d9d933535b023aa4864cc5d5de741435",
"sha256": "1f3a265f8842f7ae6e4df1437f18cfed5587409b8be88cc120d1f276a3dc2e58"
},
"downloads": -1,
"filename": "dynamiqs-0.3.3.tar.gz",
"has_sig": false,
"md5_digest": "d9d933535b023aa4864cc5d5de741435",
"packagetype": "sdist",
"python_version": "source",
"requires_python": ">=3.10",
"size": 631917,
"upload_time": "2025-07-10T14:39:51",
"upload_time_iso_8601": "2025-07-10T14:39:51.217718Z",
"url": "https://files.pythonhosted.org/packages/ff/a9/36ff26287abc48509a5a6311b2409481cc6af419f2816073154d5e7b5849/dynamiqs-0.3.3.tar.gz",
"yanked": false,
"yanked_reason": null
}
],
"upload_time": "2025-07-10 14:39:51",
"github": true,
"gitlab": false,
"bitbucket": false,
"codeberg": false,
"github_user": "dynamiqs",
"github_project": "dynamiqs",
"travis_ci": false,
"coveralls": false,
"github_actions": true,
"lcname": "dynamiqs"
}