-
Notifications
You must be signed in to change notification settings - Fork 0
/
utils.py
185 lines (146 loc) · 5.91 KB
/
utils.py
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
import random
from functools import partial
import jax
import jax.numpy as jnp
import jax.scipy as jsp
import torch
from torchvision.transforms import functional as f
from torchvision import transforms
import numpy as np
from PIL import Image
def seed_all(seed=42):
random.seed(seed)
np.random.seed(seed)
torch.manual_seed(seed)
def split(arr, n_devices):
"""
Splits the first axis of `arr` evenly across the number of devices.
https://jax.readthedocs.io/en/latest/jax-101/06-parallelism.html
"""
return arr.reshape(n_devices, arr.shape[0] // n_devices, *arr.shape[1:])
def repeat_vmap(fun, in_axes=[0]):
for axes in in_axes:
fun = jax.vmap(fun, in_axes=axes)
return fun
def make_grid(patch_size: int | tuple[int, int]):
if isinstance(patch_size, int):
patch_size = (patch_size, patch_size)
offset_h, offset_w = 1 / (2 * np.array(patch_size))
space_h = np.linspace(-0.5 + offset_h, 0.5 - offset_h, patch_size[0])
space_w = np.linspace(-0.5 + offset_w, 0.5 - offset_w, patch_size[1])
return np.stack(np.meshgrid(space_h, space_w, indexing='ij'), axis=-1) # [h, w]
def interpolate_grid(coords, grid, order=0):
"""
args:
coords: Tensor of shape (B, H, W, 2) with coordinates in [-0.5, 0.5]
grid: Tensor of shape (B, H', W', C)
returns:
Tensor of shape (B, H, W, C) with interpolated values
"""
# convert [-0.5, 0.5] -> [0, size], where pixel centers are expected at
# [-0.5 + 1 / (2*size), ..., 0.5 - 1 / (2*size)]
coords = coords.transpose((0, 3, 1, 2))
coords = coords.at[:, 0].set(coords[:, 0] * grid.shape[-3] + (grid.shape[-3] - 1) / 2)
coords = coords.at[:, 1].set(coords[:, 1] * grid.shape[-2] + (grid.shape[-2] - 1) / 2)
map_coordinates = partial(jax.scipy.ndimage.map_coordinates, order=order, mode='nearest')
return jax.vmap(jax.vmap(map_coordinates, in_axes=(2, None), out_axes=2))(grid, coords)
class RandomRotate:
"""https://pytorch.org/vision/main/transforms.html"""
def __init__(self, angles):
self.angles = angles
def __call__(self, x):
angle = random.choice(self.angles)
return f.rotate(x, angle)
def pil_resize(img, size):
return transforms.ToTensor()(
transforms.Resize(size, Image.BICUBIC)(
transforms.ToPILImage()(img)))
def compute_metrics(out, target, jacobian=None, compute_ssim=False, y_only=False):
diff = out - target
if y_only:
gray_coeffs = np.array([65.738, 129.057, 25.064])[None, None, None] / 256.
diff = (diff * gray_coeffs).sum(axis=-1)
mse = jnp.mean(diff ** 2)
mae = jnp.mean(jnp.abs(diff))
psnr = -10 * jnp.log10(mse)
metrics = {'PSNR': psnr, 'MAE': mae, 'MSE': mse}
if jacobian is not None:
metrics['TV'] = jnp.mean(jnp.abs(jacobian)) # L1 TV
if compute_ssim:
# analogous to torchmetrics.functional.image.ssim
data_range = max(out.max() - out.min(), target.max() - target.min())
metrics['SSIM'] = ssim(out, target, data_range).mean()
return metrics
def ssim(
img0,
img1,
max_val,
filter_size=11,
filter_sigma=1.5,
k1=0.01,
k2=0.03,
return_map=False
):
"""
Taken from https://github.com/google/mipnerf/blob/main/internal/math.py
"""
# Construct a 1D Gaussian blur filter.
hw = filter_size // 2
shift = (2 * hw - filter_size + 1) / 2
f_i = ((jnp.arange(filter_size) - hw + shift) / filter_sigma)**2
filt = jnp.exp(-0.5 * f_i)
filt /= jnp.sum(filt)
# Blur in x and y (faster than the 2D convolution).
def convolve2d(z, f):
return jsp.signal.convolve2d(z, f, mode='valid', precision=jax.lax.Precision.HIGHEST)
filt_fn1 = lambda z: convolve2d(z, filt[:, None])
filt_fn2 = lambda z: convolve2d(z, filt[None, :])
# Vmap the blurs to the tensor size, and then compose them.
num_dims = len(img0.shape)
map_axes = tuple(list(range(num_dims - 3)) + [num_dims - 1])
for d in map_axes:
filt_fn1 = jax.vmap(filt_fn1, in_axes=d, out_axes=d)
filt_fn2 = jax.vmap(filt_fn2, in_axes=d, out_axes=d)
filt_fn = lambda z: filt_fn1(filt_fn2(z))
mu0 = filt_fn(img0)
mu1 = filt_fn(img1)
mu00 = mu0 * mu0
mu11 = mu1 * mu1
mu01 = mu0 * mu1
sigma00 = filt_fn(img0**2) - mu00
sigma11 = filt_fn(img1**2) - mu11
sigma01 = filt_fn(img0 * img1) - mu01
# Clip the variances and covariances to valid values.
# Variance must be non-negative:
sigma00 = jnp.maximum(0., sigma00)
sigma11 = jnp.maximum(0., sigma11)
sigma01 = jnp.sign(sigma01) * jnp.minimum(
jnp.sqrt(sigma00 * sigma11), jnp.abs(sigma01))
c1 = (k1 * max_val)**2
c2 = (k2 * max_val)**2
numer = (2 * mu01 + c1) * (2 * sigma01 + c2)
denom = (mu00 + mu11 + c1) * (sigma00 + sigma11 + c2)
ssim_map = numer / denom
ssim = jnp.mean(ssim_map, list(range(num_dims - 3, num_dims)))
return ssim_map if return_map else ssim
def matlab_imresize(image, scale_factor):
"""
Python wrapper around matlab's imresize function, used for evaluation.
"""
import shutil
import subprocess
import tempfile
if shutil.which("matlab") is None:
raise FileNotFoundError('matlab seems not to be in PATH')
# write image to tmp file
tmp_file = tempfile.NamedTemporaryFile(suffix='.png')
Image.fromarray(np.rint(np.array(image * 255)).astype(np.uint8)).save(tmp_file.name)
command = f"matlab -nodisplay -nosplash -r \"img = imread('{tmp_file.name}'); " \
f"img = imresize(img, {scale_factor}); imwrite(img, '{tmp_file.name}'); exit;\""
result = subprocess.run(command, stdout=subprocess.PIPE, stderr=subprocess.STDOUT, shell=True)
if result.returncode != 0:
raise RuntimeError(f'matlab process failed: {result.stdout}')
out_image = np.array(Image.open(tmp_file.name).convert("RGB")) / 255.
# deletes temporary file
tmp_file.close()
return out_image