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 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188
|
"""
====================================
Streamline length and size reduction
====================================
This example shows how to calculate the lengths of a set of streamlines and
also how to compress the streamlines without considerably reducing their
lengths or overall shape.
A streamline in DIPY_ is represented as a numpy array of size
:math:`(N \times 3)` where each row of the array represents a 3D point of the
streamline. A set of streamlines is represented with a list of
numpy arrays of size :math:`(N_i \times 3)` for :math:`i=1:M` where $M$ is the
number of streamlines in the set.
"""
import matplotlib.pyplot as plt
import numpy as np
from dipy.tracking.distances import approx_polygon_track
from dipy.tracking.streamline import set_number_of_points
from dipy.tracking.utils import length
from dipy.viz import actor, window
###############################################################################
# Let's first create a simple simulation of a bundle of streamlines using
# a cosine function.
def simulated_bundles(no_streamlines=50, n_pts=100):
rng = np.random.default_rng()
t = np.linspace(-10, 10, n_pts)
bundle = []
for i in np.linspace(3, 5, no_streamlines):
pts = np.vstack((np.cos(2 * t / np.pi), np.zeros(t.shape) + i, t)).T
bundle.append(pts)
start = rng.integers(10, 30, no_streamlines)
end = rng.integers(60, 100, no_streamlines)
bundle = [
10 * streamline[start[i] : end[i]] for (i, streamline) in enumerate(bundle)
]
bundle = [np.ascontiguousarray(streamline) for streamline in bundle]
return bundle
bundle = simulated_bundles()
print(f"This bundle has {len(bundle)} streamlines")
###############################################################################
# Using the ``length`` function we can retrieve the lengths of each streamline.
# Below we show the histogram of the lengths of the streamlines.
lengths = list(length(bundle))
fig_hist, ax = plt.subplots(1)
ax.hist(lengths, color="burlywood")
ax.set_xlabel("Length")
ax.set_ylabel("Count")
# plt.show()
plt.legend()
plt.savefig("length_histogram.png")
###############################################################################
# .. rst-class:: centered small fst-italic fw-semibold
#
# Histogram of lengths of the streamlines
#
#
# ``Length`` will return the length in the units of the coordinate system that
# streamlines are currently. So, if the streamlines are in world coordinates
# then the lengths will be in millimeters (mm). If the streamlines are for
# example in native image coordinates of voxel size 2mm isotropic then you
# will need to multiply the lengths by 2 if you want them to correspond to mm.
# In this example we process simulated data without units, however this
# information is good to have in mind when you calculate lengths with real
# data.
#
# Next, let's find the number of points that each streamline has.
n_pts = [len(streamline) for streamline in bundle]
###############################################################################
# Often, streamlines are represented with more points than what is actually
# necessary for specific applications. Also, sometimes every streamline has a
# different number of points, which could be a problem for some algorithms.
# The function ``set_number_of_points`` can be used to set the number of
# points of a streamline at a specific number and at the same time enforce
# that all the segments of the streamline will have equal length.
bundle_downsampled = set_number_of_points(bundle, nb_points=12)
n_pts_ds = [len(s) for s in bundle_downsampled]
###############################################################################
# Alternatively, the function ``approx_polygon_track`` allows reducing the
# number of points so that there are more points in curvy regions and less
# points in less curvy regions. In contrast with ``set_number_of_points`` it
# does not enforce that segments should be of equal size.
bundle_downsampled2 = [approx_polygon_track(s, 0.25) for s in bundle]
n_pts_ds2 = [len(streamline) for streamline in bundle_downsampled2]
###############################################################################
# Both, ``set_number_of_points`` and ``approx_polygon_track`` can be thought as
# methods for lossy compression of streamlines.
# Enables/disables interactive visualization
interactive = False
scene = window.Scene()
scene.SetBackground(*window.colors.white)
bundle_actor = actor.streamtube(bundle, colors=window.colors.red, linewidth=0.3)
scene.add(bundle_actor)
bundle_actor2 = actor.streamtube(
bundle_downsampled, colors=window.colors.red, linewidth=0.3
)
bundle_actor2.SetPosition(0, 40, 0)
bundle_actor3 = actor.streamtube(
bundle_downsampled2, colors=window.colors.red, linewidth=0.3
)
bundle_actor3.SetPosition(0, 80, 0)
scene.add(bundle_actor2)
scene.add(bundle_actor3)
scene.set_camera(position=(0, 0, 0), focal_point=(30, 0, 0))
window.record(scene=scene, out_path="simulated_cosine_bundle.png", size=(900, 900))
if interactive:
window.show(scene)
###############################################################################
# .. rst-class:: centered small fst-italic fw-semibold
#
# Initial bundle (down), downsampled at 12 equidistant points (middle),
# downsampled with points that are not equidistant (up).
#
#
# From the figure above we can see that all 3 bundles look quite similar.
# However, when we plot the histogram of the number of points used for each
# streamline, it becomes obvious that we have managed to reduce in a great
# amount the size of the initial dataset.
fig_hist, ax = plt.subplots(1)
ax.hist(n_pts, color="r", histtype="step", label="initial")
ax.hist(n_pts_ds, color="g", histtype="step", label="set_number_of_points (12)")
ax.hist(n_pts_ds2, color="b", histtype="step", label="approx_polygon_track (0.25)")
ax.set_xlabel("Number of points")
ax.set_ylabel("Count")
# plt.show()
plt.legend()
plt.savefig("n_pts_histogram.png")
###############################################################################
# .. rst-class:: centered small fst-italic fw-semibold
#
# Histogram of the number of points of the streamlines.
#
#
# Finally, we can also show that the lengths of the streamlines haven't changed
# considerably after applying the two methods of downsampling.
lengths_downsampled = list(length(bundle_downsampled))
lengths_downsampled2 = list(length(bundle_downsampled2))
fig, ax = plt.subplots(1)
ax.plot(lengths, color="r", label="initial")
ax.plot(lengths_downsampled, color="g", label="set_number_of_points (12)")
ax.plot(lengths_downsampled2, color="b", label="approx_polygon_track (0.25)")
ax.set_xlabel("Streamline ID")
ax.set_ylabel("Length")
# plt.show()
plt.legend()
plt.savefig("lengths_plots.png")
###############################################################################
# .. rst-class:: centered small fst-italic fw-semibold
#
# Lengths of each streamline for every one of the 3 bundles.
|