File: stat_unit_test.py

package info (click to toggle)
python-sigima 1.0.3-1
  • links: PTS, VCS
  • area: main
  • in suites: sid
  • size: 24,956 kB
  • sloc: python: 33,326; makefile: 3
file content (138 lines) | stat: -rw-r--r-- 4,328 bytes parent folder | download
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
# Copyright (c) DataLab Platform Developers, BSD 3-Clause license, see LICENSE file.

"""
Statistics unit test

Testing the following:
  - Create a signal
  - Compute statistics on signal and compare with expected results
  - Create an image
  - Compute statistics on image and compare with expected results
"""

# pylint: disable=invalid-name  # Allows short reference names like x, y, ...

from __future__ import annotations

import numpy as np
import pytest
import scipy.integrate as spt

import sigima.objects
import sigima.proc.image
import sigima.proc.signal


def get_analytical_stats(data: np.ndarray) -> dict[str, float]:
    """Compute analytical statistics for data

    Args:
        data: Array of data

    Returns:
        Dictionary with analytical statistics
    """
    results = {}
    if data.shape[0] == 2:
        # This is a signal data (row 0: x, row 1: y)
        results["trapz"] = spt.trapezoid(data[1], data[0])
        data = data[1]
    results.update(
        {
            "min": np.min(data),
            "max": np.max(data),
            "mean": np.mean(data),
            "median": np.median(data),
            "std": np.std(data),
            "snr": np.mean(data) / np.std(data),
            "ptp": np.ptp(data),
            "sum": np.sum(data),
        }
    )
    return results


def create_reference_signal() -> sigima.objects.SignalObj:
    """Create reference signal"""
    param = sigima.objects.GaussParam()
    sig = sigima.objects.create_signal_from_param(param)
    sig.roi = sigima.objects.create_signal_roi(
        [len(sig.x) // 2, len(sig.x) - 1], indices=True
    )
    return sig


def create_reference_image() -> sigima.objects.ImageObj:
    """Create reference image"""
    param = sigima.objects.Gauss2DParam.create(title="2D-Gaussian")
    ima = sigima.objects.create_image_from_param(param)
    dy, dx = ima.data.shape
    ima.roi = sigima.objects.create_image_roi(
        "rectangle",
        [
            [dx // 2, 0, dx, dy],
            [0, 0, dx // 3, dy // 3],
            [dx // 2, dy // 2, dx, dy],
        ],
    )
    return ima


@pytest.mark.validation
def test_signal_stats_unit() -> None:
    """Validate computed statistics for signals"""
    obj = create_reference_signal()
    table = sigima.proc.signal.stats(obj)
    ref = get_analytical_stats(obj.xydata)
    for key, val in ref.items():
        assert key in table
        assert np.isclose(table[key][0], val), f"Incorrect value for {key}"

    # Given the fact that signal ROI is set to [len(sig.x) // 2, len(sig.x) - 1],
    # we may check the relationship between the results on the whole signal and the ROI:
    for key, val in ref.items():
        if key in ("trapz", "sum"):
            assert np.isclose(table[key][1], val / 2, rtol=0.02)
        elif key == "median":
            continue
        else:
            assert np.isclose(table[key][1], val, rtol=0.01)


@pytest.mark.validation
def test_image_stats_unit() -> None:
    """Validate computed statistics for images"""
    obj = create_reference_image()

    # Ignore "RuntimeWarning: invalid value encountered in scalar divide" in the test
    # (this warning is due to the fact that the 2nd ROI has zero sum of pixel values,
    # hence the mean/std is NaN)
    with np.errstate(invalid="ignore"):
        res = sigima.proc.image.stats(obj)

    ref = get_analytical_stats(obj.data)
    for key, val in ref.items():
        assert key in res
        assert np.isclose(res[key][0], val, rtol=1e-4, atol=1e-5), (
            f"Incorrect value for {key}"
        )

    # Given the fact that image ROI is set to
    # [[dx // 2, 0, dx, dy], [0, 0, dx // 3, dy // 3], [dx // 2, dy // 2, dx, dy]],
    # we may check the relationship between the results on the whole image and the ROIs:
    for key, val in ref.items():
        if key == "sum":
            assert np.isclose(res[key][1], val / 2, rtol=0.02)
            assert np.isclose(res[key][3], val / 4, rtol=0.02)
        elif key == "median":
            continue
        else:
            assert np.isclose(res[key][1], val, rtol=0.01)
            assert np.isclose(res[key][3], val, rtol=0.01)
            if key != "snr":
                assert np.isclose(res[key][2], 0.0, atol=0.001)


if __name__ == "__main__":
    test_signal_stats_unit()
    test_image_stats_unit()