Skip to content

Commit 1fb7daf

Browse files
authored
ENH: Add option to smooth to nearest (#275)
* ENH: Add option to smooth to nearest * DOC: Update docstring * FIX: Flake * FIX: Undordered vertices are the worst * FIX: Orders are hard * DOC: Changes
1 parent 9cd7511 commit 1fb7daf

File tree

8 files changed

+90
-15
lines changed

8 files changed

+90
-15
lines changed

.gitignore

+1
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,7 @@
55
.#*
66
*.swp
77
*.orig
8+
*.mov
89
build
910

1011
dist/

CHANGES

+21-2
Original file line numberDiff line numberDiff line change
@@ -1,5 +1,24 @@
1-
PySurfer Changes
2-
================
1+
Changelog
2+
=========
3+
4+
.. currentmodule:: surfer
5+
6+
Development version (0.10.dev0)
7+
-------------------------------
8+
9+
- Added an option to smooth to nearest vertex in :meth:`Brain.add_data` using
10+
``smoothing_steps='nearest'``
11+
- Added options for using offscreen mode
12+
- Improved integration with Jupyter notebook
13+
- Avoided view changes when using :meth:`Brain.add_foci`
14+
15+
Version 0.9
16+
-----------
17+
18+
- Fixed transparency issues with colormaps with
19+
:meth:`Brain.scale_data_colormap`
20+
- Added an example of using custom colors
21+
- Added options for choosing units for :class:`Brain` (``m`` or ``mm``)
322

423
Version 0.8
524
-----------

doc/changes.rst

+1
Original file line numberDiff line numberDiff line change
@@ -0,0 +1 @@
1+
.. include:: ../CHANGES

doc/index.rst

+1
Original file line numberDiff line numberDiff line change
@@ -19,6 +19,7 @@ More Information
1919
auto_examples/index.rst
2020
documentation/index.rst
2121
python_reference.rst
22+
changes.rst
2223

2324
Authors
2425
-------

examples/plot_meg_inverse_solution.py

+3-2
Original file line numberDiff line numberDiff line change
@@ -50,9 +50,10 @@ def time_label(t):
5050
# colormap to use
5151
colormap = 'hot'
5252

53-
# add data and set the initial time displayed to 100 ms
53+
# add data and set the initial time displayed to 100 ms,
54+
# plotted using the nearest relevant colors
5455
brain.add_data(data, colormap=colormap, vertices=vertices,
55-
smoothing_steps=5, time=time, time_label=time_label,
56+
smoothing_steps='nearest', time=time, time_label=time_label,
5657
hemi=hemi, initial_time=0.1, verbose=False)
5758

5859
# scale colormap

surfer/tests/test_utils.py

+22-3
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,10 @@
1+
from distutils.version import LooseVersion
12
import numpy as np
3+
import scipy
4+
from scipy import sparse
5+
import pytest
26
import matplotlib as mpl
3-
from numpy.testing import assert_array_almost_equal, assert_array_equal
7+
from numpy.testing import assert_allclose, assert_array_equal
48

59
from surfer import utils
610

@@ -44,12 +48,12 @@ def test_surface():
4448
x = surface.x
4549
surface.apply_xfm(xfm)
4650
x_ = surface.x
47-
assert_array_almost_equal(x + 2, x_)
51+
assert_allclose(x + 2, x_)
4852

4953
# normals
5054
nn = _slow_compute_normals(surface.coords, surface.faces[:10000])
5155
nn_fast = utils._compute_normals(surface.coords, surface.faces[:10000])
52-
assert_array_almost_equal(nn, nn_fast)
56+
assert_allclose(nn, nn_fast)
5357
assert 50 < np.linalg.norm(surface.coords, axis=-1).mean() < 100 # mm
5458
surface = utils.Surface('fsaverage', 'lh', 'inflated',
5559
subjects_dir=subj_dir, units='m')
@@ -99,3 +103,18 @@ def test_create_color_lut():
99103
# Test that we can ask for a specific number of colors
100104
cmap_out = utils.create_color_lut("Reds", 12)
101105
assert cmap_out.shape == (12, 4)
106+
107+
108+
def test_smooth():
109+
"""Test smoothing support."""
110+
adj_mat = sparse.csc_matrix(np.repeat(np.repeat(np.eye(2), 2, 0), 2, 1))
111+
vertices = np.array([0, 2])
112+
want = np.repeat(np.eye(2), 2, axis=0)
113+
smooth = utils.smoothing_matrix(vertices, adj_mat).toarray()
114+
assert_allclose(smooth, want)
115+
if LooseVersion(scipy.__version__) < LooseVersion('1.3'):
116+
with pytest.raises(RuntimeError, match='nearest.*requires'):
117+
utils.smoothing_matrix(vertices, adj_mat, 'nearest')
118+
else:
119+
smooth = utils.smoothing_matrix(vertices, adj_mat, 'nearest').toarray()
120+
assert_allclose(smooth, want)

surfer/utils.py

+28-2
Original file line numberDiff line numberDiff line change
@@ -579,10 +579,36 @@ def smoothing_matrix(vertices, adj_mat, smoothing_steps=20, verbose=None):
579579
smooth_mat : sparse matrix
580580
smoothing matrix with size N x len(vertices)
581581
"""
582+
if smoothing_steps == 'nearest':
583+
mat = _nearest(vertices, adj_mat)
584+
else:
585+
mat = _smooth(vertices, adj_mat, smoothing_steps)
586+
return mat
587+
588+
589+
def _nearest(vertices, adj_mat):
590+
import scipy
591+
from scipy.sparse.csgraph import dijkstra
592+
if LooseVersion(scipy.__version__) < LooseVersion('1.3'):
593+
raise RuntimeError('smoothing_steps="nearest" requires SciPy >= 1.3')
594+
# Vertices can be out of order, so sort them to start ...
595+
order = np.argsort(vertices)
596+
vertices = vertices[order]
597+
_, _, sources = dijkstra(adj_mat, False, indices=vertices, min_only=True,
598+
return_predecessors=True)
599+
col = np.searchsorted(vertices, sources)
600+
# ... then get things back to the correct configuration.
601+
col = order[col]
602+
row = np.arange(len(col))
603+
data = np.ones(len(col))
604+
mat = sparse.coo_matrix((data, (row, col)))
605+
assert mat.shape == (adj_mat.shape[0], len(vertices)), mat.shape
606+
return mat
607+
608+
609+
def _smooth(vertices, adj_mat, smoothing_steps):
582610
from scipy import sparse
583-
584611
logger.info("Updating smoothing matrix, be patient..")
585-
586612
e = adj_mat.copy()
587613
e.data[e.data == 2] = 1
588614
n_vertices = e.shape[0]

surfer/viz.py

+13-6
Original file line numberDiff line numberDiff line change
@@ -1005,9 +1005,12 @@ def add_data(self, array, min=None, max=None, thresh=None,
10051005
alpha level to control opacity of the overlay.
10061006
vertices : numpy array
10071007
vertices for which the data is defined (needed if len(data) < nvtx)
1008-
smoothing_steps : int or None
1009-
number of smoothing steps (smoothing is used if len(data) < nvtx)
1010-
Default : 20
1008+
smoothing_steps : int | str | None
1009+
Number of smoothing steps (if data come from surface subsampling).
1010+
Can be None to use the fewest steps that result in all vertices
1011+
taking on data values, or "nearest" such that each high resolution
1012+
vertex takes the value of the its nearest (on the sphere)
1013+
low-resolution vertex. Default is 20.
10111014
time : numpy array
10121015
time points in the data array (if data is 2D or 3D)
10131016
time_label : str | callable | None
@@ -2114,13 +2117,17 @@ def data_time_index(self):
21142117
raise RuntimeError("Brain instance has no data overlay")
21152118

21162119
@verbose
2117-
def set_data_smoothing_steps(self, smoothing_steps, verbose=None):
2120+
def set_data_smoothing_steps(self, smoothing_steps=20, verbose=None):
21182121
"""Set the number of smoothing steps
21192122
21202123
Parameters
21212124
----------
2122-
smoothing_steps : int
2123-
Number of smoothing steps
2125+
smoothing_steps : int | str | None
2126+
Number of smoothing steps (if data come from surface subsampling).
2127+
Can be None to use the fewest steps that result in all vertices
2128+
taking on data values, or "nearest" such that each high resolution
2129+
vertex takes the value of the its nearest (on the sphere)
2130+
low-resolution vertex. Default is 20.
21242131
verbose : bool, str, int, or None
21252132
If not None, override default verbose level (see surfer.verbose).
21262133
"""

0 commit comments

Comments
 (0)