live-plotter


Namelive-plotter JSON
Version 2.1.0 PyPI version JSON
download
home_pagehttps://github.com/tylerlum/live_plotter
SummaryPlot live data that updates in real time using matplotlib backend
upload_time2023-11-24 01:41:14
maintainer
docs_urlNone
authorTyler Lum
requires_python
license
keywords python matplotlib plot live real time
VCS
bugtrack_url
requirements No requirements were recorded.
Travis-CI No Travis.
coveralls test coverage No coveralls.
            # live_plotter

Plot live data that updates in real time using matplotlib backend

# Installing

Install:

```
pip install live_plotter
```

# Usage

In this library, we have two axes of variation:

* The first axis of variation is using either `LivePlotter` or `LiveImagePlotter`. `LivePlotter` create line plots. `LiveImagePlotter` creates image plots.

* The second axis of variation is using either `LivePlotter` or `FastLivePlotter`. `LivePlotter` is more flexible and dynamic, but this results in slower updates. `FastLivePlotter` requires that the user specify the number of plots in the figure from the beginning, but this allows it to update faster by modifying an existing plot rather than creating a new plot from scratch.

Additionally, we have a wrapper `SeparateProcessLivePlotter` that takes in any of the above plotters and creates a separate process to update the plot. The above plotters run on the same process as the main process, but `SeparateProcessLivePlotter` is run on another process so there is much less performance overhead on the main process from plotting. Plotting takes time, so running the plotting code in the same process as the main process can significantly slow things down, especially as plots get larger. This must be done on a new process instead of a new thread because the GUI does not work on non-main threads.

Lastly, you can add `save_to_file_on_close=True` to save the figure to a file when the live plotter is deleted (either out of scope or end of script). You can add `save_to_file_on_exception=True` to save the figure to a file when an exception occurs. Note this feature is experimental.

Please refer to the associated example code for more details.

Options:

- `LivePlotter`

- `FastLivePlotter`

- `LiveImagePlotter`

- `FastLiveImagePlotter`

- `SeparateProcessLivePlotter`

## Live Plotter

![2023-11-23_16-55-40_live_plot](https://github.com/tylerlum/live_plotter/assets/26510814/5481f062-743a-40f9-8e1a-31a2d8dee24e)

## Fast Live Plotter

![2023-11-23_16-55-46_fast_live_plot](https://github.com/tylerlum/live_plotter/assets/26510814/133093bc-6503-470d-b531-ab1b7948f13a)

## Live Image Plotter

![2023-11-23_16-55-54_live_image_plot](https://github.com/tylerlum/live_plotter/assets/26510814/6051c114-d537-4e1a-8889-34bc0c067fe5)

## Example Usage of `LivePlotter`

```
import numpy as np
from live_plotter import LivePlotter

live_plotter = LivePlotter()
x_data = []
for i in range(25):
    x_data.append(i)
    live_plotter.plot(
        y_data_list=[np.sin(x_data), np.cos(x_data)],
        titles=["sin", "cos"],
    )
```

## Example Usage of `FastLivePlotter`

```
import numpy as np
from live_plotter import FastLivePlotter

live_plotter = FastLivePlotter(titles=["sin", "cos"], n_rows=2, n_cols=1)
x_data = []
for i in range(25):
    x_data.append(i)
    live_plotter.plot(
        y_data_list=[np.sin(x_data), np.cos(x_data)],
    )
```

## Example Usage of `FastLivePlotter` using `from_desired_n_plots` (recommended method for more complex use-cases)

```
import numpy as np

from live_plotter import FastLivePlotter

y_data_dict = {
    "exp(-x/10)": [],
    "ln(x + 1)": [],
    "x^2": [],
    "4x^4": [],
    "ln(2^x)": [],
}
plot_names = list(y_data_dict.keys())
live_plotter = FastLivePlotter.from_desired_n_plots(
    titles=plot_names, desired_n_plots=len(plot_names)
)
for i in range(25):
    y_data_dict["exp(-x/10)"].append(np.exp(-i / 10))
    y_data_dict["ln(x + 1)"].append(np.log(i + 1))
    y_data_dict["x^2"].append(np.power(i, 2))
    y_data_dict["4x^4"].append(4 * np.power(i, 4))
    y_data_dict["ln(2^x)"].append(np.log(np.power(2, i)))

    live_plotter.plot(
        y_data_list=[np.array(y_data_dict[plot_name]) for plot_name in plot_names],
    )
```

## Example Usage of `SeparateProcessLivePlotter` (recommended method to minimize plotting time impacting main code performance)

```
import numpy as np
import time

from live_plotter import SeparateProcessLivePlotter, FastLivePlotter

N_ITERS = 100
SIMULATED_COMPUTATION_TIME_S = 0.1
OPTIMAL_TIME_S = N_ITERS * SIMULATED_COMPUTATION_TIME_S

# Slower when plotting is on same process
live_plotter = FastLivePlotter.from_desired_n_plots(
    desired_n_plots=2, titles=["sin", "cos"]
)
x_data = []
start_time_same_process = time.time()
for i in range(N_ITERS):
    x_data.append(i)
    time.sleep(SIMULATED_COMPUTATION_TIME_S)
    live_plotter.plot(
        y_data_list=[np.sin(x_data), np.cos(x_data)],
    )
time_taken_same_process = time.time() - start_time_same_process

# Faster when plotting is on separate process
live_plotter_separate_process = SeparateProcessLivePlotter(
    live_plotter=live_plotter, plot_names=["sin", "cos"]
)
live_plotter_separate_process.start()
start_time_separate_process = time.time()
for i in range(N_ITERS):
    time.sleep(SIMULATED_COMPUTATION_TIME_S)
    live_plotter_separate_process.data_dict["sin"].append(np.sin(i))
    live_plotter_separate_process.data_dict["cos"].append(np.cos(i))
    live_plotter_separate_process.update()
time_taken_separate_process = time.time() - start_time_separate_process

print(f"Time taken same process: {round(time_taken_same_process, 1)} s")
print(f"Time taken separate process: {round(time_taken_separate_process, 1)} s")
print(f"OPTIMAL_TIME_S: {round(OPTIMAL_TIME_S, 1)} s")

assert time_taken_separate_process < time_taken_same_process
```
Output:
```
Time taken same process: 19.0 s
Time taken separate process: 10.4 s
OPTIMAL_TIME_S: 10.0 s
```

Note how this runs much faster than the same process code

## Example Usage of `LiveImagePlotter`

Note:

* images must be (M, N) or (M, N, 3) or (M, N, 4)

* Typically images must either be floats in [0, 1] or ints in [0, 255]. If not in this range, we will automatically scale it and print a warning. We recommend using the scale_image function as shown below.

```
import numpy as np
from live_plotter import LiveImagePlotter, scale_image

N = 25
DEFAULT_IMAGE_HEIGHT = 100
DEFAULT_IMAGE_WIDTH = 100

live_plotter = LiveImagePlotter()

x_data = []
for i in range(N):
    x_data.append(0.5 * i)
    image_data = (
        np.sin(x_data)[None, ...]
        .repeat(DEFAULT_IMAGE_HEIGHT, 0)
        .repeat(DEFAULT_IMAGE_WIDTH // N, 1)
    )
    live_plotter.plot(image_data_list=[scale_image(image_data, min_val=-1.0, max_val=1.0)])
```



            

Raw data

            {
    "_id": null,
    "home_page": "https://github.com/tylerlum/live_plotter",
    "name": "live-plotter",
    "maintainer": "",
    "docs_url": null,
    "requires_python": "",
    "maintainer_email": "",
    "keywords": "python,matplotlib,plot,live,real time",
    "author": "Tyler Lum",
    "author_email": "tylergwlum@gmail.com",
    "download_url": "https://files.pythonhosted.org/packages/09/e0/ae76990d539346b518e268e7de91faf076ab3b382d4405e2963493327bee/live_plotter-2.1.0.tar.gz",
    "platform": null,
    "description": "# live_plotter\n\nPlot live data that updates in real time using matplotlib backend\n\n# Installing\n\nInstall:\n\n```\npip install live_plotter\n```\n\n# Usage\n\nIn this library, we have two axes of variation:\n\n* The first axis of variation is using either `LivePlotter` or `LiveImagePlotter`. `LivePlotter` create line plots. `LiveImagePlotter` creates image plots.\n\n* The second axis of variation is using either `LivePlotter` or `FastLivePlotter`. `LivePlotter` is more flexible and dynamic, but this results in slower updates. `FastLivePlotter` requires that the user specify the number of plots in the figure from the beginning, but this allows it to update faster by modifying an existing plot rather than creating a new plot from scratch.\n\nAdditionally, we have a wrapper `SeparateProcessLivePlotter` that takes in any of the above plotters and creates a separate process to update the plot. The above plotters run on the same process as the main process, but `SeparateProcessLivePlotter` is run on another process so there is much less performance overhead on the main process from plotting. Plotting takes time, so running the plotting code in the same process as the main process can significantly slow things down, especially as plots get larger. This must be done on a new process instead of a new thread because the GUI does not work on non-main threads.\n\nLastly, you can add `save_to_file_on_close=True` to save the figure to a file when the live plotter is deleted (either out of scope or end of script). You can add `save_to_file_on_exception=True` to save the figure to a file when an exception occurs. Note this feature is experimental.\n\nPlease refer to the associated example code for more details.\n\nOptions:\n\n- `LivePlotter`\n\n- `FastLivePlotter`\n\n- `LiveImagePlotter`\n\n- `FastLiveImagePlotter`\n\n- `SeparateProcessLivePlotter`\n\n## Live Plotter\n\n![2023-11-23_16-55-40_live_plot](https://github.com/tylerlum/live_plotter/assets/26510814/5481f062-743a-40f9-8e1a-31a2d8dee24e)\n\n## Fast Live Plotter\n\n![2023-11-23_16-55-46_fast_live_plot](https://github.com/tylerlum/live_plotter/assets/26510814/133093bc-6503-470d-b531-ab1b7948f13a)\n\n## Live Image Plotter\n\n![2023-11-23_16-55-54_live_image_plot](https://github.com/tylerlum/live_plotter/assets/26510814/6051c114-d537-4e1a-8889-34bc0c067fe5)\n\n## Example Usage of `LivePlotter`\n\n```\nimport numpy as np\nfrom live_plotter import LivePlotter\n\nlive_plotter = LivePlotter()\nx_data = []\nfor i in range(25):\n    x_data.append(i)\n    live_plotter.plot(\n        y_data_list=[np.sin(x_data), np.cos(x_data)],\n        titles=[\"sin\", \"cos\"],\n    )\n```\n\n## Example Usage of `FastLivePlotter`\n\n```\nimport numpy as np\nfrom live_plotter import FastLivePlotter\n\nlive_plotter = FastLivePlotter(titles=[\"sin\", \"cos\"], n_rows=2, n_cols=1)\nx_data = []\nfor i in range(25):\n    x_data.append(i)\n    live_plotter.plot(\n        y_data_list=[np.sin(x_data), np.cos(x_data)],\n    )\n```\n\n## Example Usage of `FastLivePlotter` using `from_desired_n_plots` (recommended method for more complex use-cases)\n\n```\nimport numpy as np\n\nfrom live_plotter import FastLivePlotter\n\ny_data_dict = {\n    \"exp(-x/10)\": [],\n    \"ln(x + 1)\": [],\n    \"x^2\": [],\n    \"4x^4\": [],\n    \"ln(2^x)\": [],\n}\nplot_names = list(y_data_dict.keys())\nlive_plotter = FastLivePlotter.from_desired_n_plots(\n    titles=plot_names, desired_n_plots=len(plot_names)\n)\nfor i in range(25):\n    y_data_dict[\"exp(-x/10)\"].append(np.exp(-i / 10))\n    y_data_dict[\"ln(x + 1)\"].append(np.log(i + 1))\n    y_data_dict[\"x^2\"].append(np.power(i, 2))\n    y_data_dict[\"4x^4\"].append(4 * np.power(i, 4))\n    y_data_dict[\"ln(2^x)\"].append(np.log(np.power(2, i)))\n\n    live_plotter.plot(\n        y_data_list=[np.array(y_data_dict[plot_name]) for plot_name in plot_names],\n    )\n```\n\n## Example Usage of `SeparateProcessLivePlotter` (recommended method to minimize plotting time impacting main code performance)\n\n```\nimport numpy as np\nimport time\n\nfrom live_plotter import SeparateProcessLivePlotter, FastLivePlotter\n\nN_ITERS = 100\nSIMULATED_COMPUTATION_TIME_S = 0.1\nOPTIMAL_TIME_S = N_ITERS * SIMULATED_COMPUTATION_TIME_S\n\n# Slower when plotting is on same process\nlive_plotter = FastLivePlotter.from_desired_n_plots(\n    desired_n_plots=2, titles=[\"sin\", \"cos\"]\n)\nx_data = []\nstart_time_same_process = time.time()\nfor i in range(N_ITERS):\n    x_data.append(i)\n    time.sleep(SIMULATED_COMPUTATION_TIME_S)\n    live_plotter.plot(\n        y_data_list=[np.sin(x_data), np.cos(x_data)],\n    )\ntime_taken_same_process = time.time() - start_time_same_process\n\n# Faster when plotting is on separate process\nlive_plotter_separate_process = SeparateProcessLivePlotter(\n    live_plotter=live_plotter, plot_names=[\"sin\", \"cos\"]\n)\nlive_plotter_separate_process.start()\nstart_time_separate_process = time.time()\nfor i in range(N_ITERS):\n    time.sleep(SIMULATED_COMPUTATION_TIME_S)\n    live_plotter_separate_process.data_dict[\"sin\"].append(np.sin(i))\n    live_plotter_separate_process.data_dict[\"cos\"].append(np.cos(i))\n    live_plotter_separate_process.update()\ntime_taken_separate_process = time.time() - start_time_separate_process\n\nprint(f\"Time taken same process: {round(time_taken_same_process, 1)} s\")\nprint(f\"Time taken separate process: {round(time_taken_separate_process, 1)} s\")\nprint(f\"OPTIMAL_TIME_S: {round(OPTIMAL_TIME_S, 1)} s\")\n\nassert time_taken_separate_process < time_taken_same_process\n```\nOutput:\n```\nTime taken same process: 19.0 s\nTime taken separate process: 10.4 s\nOPTIMAL_TIME_S: 10.0 s\n```\n\nNote how this runs much faster than the same process code\n\n## Example Usage of `LiveImagePlotter`\n\nNote:\n\n* images must be (M, N) or (M, N, 3) or (M, N, 4)\n\n* Typically images must either be floats in [0, 1] or ints in [0, 255]. If not in this range, we will automatically scale it and print a warning. We recommend using the scale_image function as shown below.\n\n```\nimport numpy as np\nfrom live_plotter import LiveImagePlotter, scale_image\n\nN = 25\nDEFAULT_IMAGE_HEIGHT = 100\nDEFAULT_IMAGE_WIDTH = 100\n\nlive_plotter = LiveImagePlotter()\n\nx_data = []\nfor i in range(N):\n    x_data.append(0.5 * i)\n    image_data = (\n        np.sin(x_data)[None, ...]\n        .repeat(DEFAULT_IMAGE_HEIGHT, 0)\n        .repeat(DEFAULT_IMAGE_WIDTH // N, 1)\n    )\n    live_plotter.plot(image_data_list=[scale_image(image_data, min_val=-1.0, max_val=1.0)])\n```\n\n\n",
    "bugtrack_url": null,
    "license": "",
    "summary": "Plot live data that updates in real time using matplotlib backend",
    "version": "2.1.0",
    "project_urls": {
        "Homepage": "https://github.com/tylerlum/live_plotter"
    },
    "split_keywords": [
        "python",
        "matplotlib",
        "plot",
        "live",
        "real time"
    ],
    "urls": [
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "0f01fd8d46b7ca87924465caa4d8567db44a4df15a7bcd48715fa0a50d99f3b8",
                "md5": "a49e231f74d5ed53668a2474ba35ccaf",
                "sha256": "77d3b5b8af6a09daf06aeb0186406ab055f29a34207dd72bef18e4267d73f7fb"
            },
            "downloads": -1,
            "filename": "live_plotter-2.1.0-py3-none-any.whl",
            "has_sig": false,
            "md5_digest": "a49e231f74d5ed53668a2474ba35ccaf",
            "packagetype": "bdist_wheel",
            "python_version": "py3",
            "requires_python": null,
            "size": 23707,
            "upload_time": "2023-11-24T01:41:11",
            "upload_time_iso_8601": "2023-11-24T01:41:11.258179Z",
            "url": "https://files.pythonhosted.org/packages/0f/01/fd8d46b7ca87924465caa4d8567db44a4df15a7bcd48715fa0a50d99f3b8/live_plotter-2.1.0-py3-none-any.whl",
            "yanked": false,
            "yanked_reason": null
        },
        {
            "comment_text": "",
            "digests": {
                "blake2b_256": "09e0ae76990d539346b518e268e7de91faf076ab3b382d4405e2963493327bee",
                "md5": "4a10d4ed0f3a54e62afcfcfc7da9c820",
                "sha256": "410211eb97e4f534dd0837cf30c53040b8932232497d22ce985201c4d59880d2"
            },
            "downloads": -1,
            "filename": "live_plotter-2.1.0.tar.gz",
            "has_sig": false,
            "md5_digest": "4a10d4ed0f3a54e62afcfcfc7da9c820",
            "packagetype": "sdist",
            "python_version": "source",
            "requires_python": null,
            "size": 11923,
            "upload_time": "2023-11-24T01:41:14",
            "upload_time_iso_8601": "2023-11-24T01:41:14.492228Z",
            "url": "https://files.pythonhosted.org/packages/09/e0/ae76990d539346b518e268e7de91faf076ab3b382d4405e2963493327bee/live_plotter-2.1.0.tar.gz",
            "yanked": false,
            "yanked_reason": null
        }
    ],
    "upload_time": "2023-11-24 01:41:14",
    "github": true,
    "gitlab": false,
    "bitbucket": false,
    "codeberg": false,
    "github_user": "tylerlum",
    "github_project": "live_plotter",
    "travis_ci": false,
    "coveralls": false,
    "github_actions": true,
    "lcname": "live-plotter"
}
        
Elapsed time: 0.14339s