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
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
|
"""
Python script to compute the minimum number of guard cells for a given
error threshold, based on the measurement of the PSATD stencil extent
(that is, the minimum number of guard cells such that the stencil
measure is not larger than the error threshold).
Reference: https://doi.org/10.1016/j.cpc.2022.108457
How to run the script:
$ python stencil.py --input_file path_to_input_file
or, using IPython,
$ run stencil.py --input_file path_to_input_file
"""
import argparse
import os
import sys
sys.path.append('../Parser/')
from input_file_parser import parse_input_file
import matplotlib.pyplot as plt
import numpy as np
from scipy.constants import c
plt.style.use('tableau-colorblind10')
plt.rcParams.update({'font.size': 14})
sp = np.finfo(np.float32).eps
dp = np.finfo(np.float64).eps
def get_Fornberg_coeffs(order, staggered):
"""
Compute the centered or staggered Fornberg coefficients at finite order.
Parameters
----------
order : int
Finite order of the approximation.
staggered : bool
Whether to compute the centered or staggered Fornberg coefficients.
Returns
-------
coeffs : numpy.ndarray
Array of centered or staggered Fornberg coefficients.
"""
m = order//2
coeffs = np.zeros(m+1)
# Compute Fornberg coefficients by recurrence
if staggered:
prod = 1.
for k in range(1, m+1):
prod = prod*(m+k)/(4*k)
coeffs[0] = 4*m*prod**2
for n in range(1, m+1):
coeffs[n] = -(((2*n-3)*(m+1-n))/((2*n-1)*(m-1+n))*coeffs[n-1])
else:
coeffs[0] = -2.
for n in range(1, m+1):
coeffs[n] = -(m+1-n)/(m+n)*coeffs[n-1]
return coeffs
def modified_k(kx, dx, order, staggered):
"""
Compute the centered or staggered modified wave vector at finite order.
Parameters
----------
kx : numpy.ndarray
Standard wave vector.
dx : float
Cell size in real space.
order : int
Finite order of the approximation.
staggered : bool
Whether to compute the centered or staggered modified wave vector.
Returns
-------
k_mod : numpy.ndarray
Centered or staggered modified wave vector.
"""
m = order//2
coeffs = get_Fornberg_coeffs(order, staggered)
# Array of values for n: from 1 to m
n = np.arange(1, m+1)
# Array of values of sin
# (first axis corresponds to k and second axis to n)
if staggered:
sin_kn = (np.sin(kx[:,np.newaxis]*(n[np.newaxis,:]-0.5)*dx)/((n[np.newaxis,:]-0.5)*dx))
else:
sin_kn = (np.sin(kx[:,np.newaxis]*n[np.newaxis,:]*dx)/(n[np.newaxis,:]*dx))
# Modified k
k_mod = np.tensordot(sin_kn, coeffs[1:], axes=(-1,-1))
return k_mod
def func_cosine(om, w_c, dt):
"""
Compute the leading spectral coefficient of the general PSATD equations:
theta_c**2*cos(om*dt), where theta_c = exp(i*w_c*dt/2), w_c = v_gal*[kz]_c,
om_s = c*|[k]| (and [k] or [kz] denote the centered or staggered modified
wave vector or vector component).
Parameters
----------
om : numpy.ndarray
Array of centered or staggered modified frequencies.
w_c : numpy.ndarray
Array of values of v_gal*[kz]_c.
dt : float
Time step.
Returns
-------
coeff : numpy.ndarray
Leading spectral coefficient of the general PSATD equations.
"""
theta_c = np.exp(1.j*w_c*dt*0.5)
coeff = theta_c**2*np.cos(om*dt)
return coeff
def compute_stencils(coeff_nodal, coeff_stagg, axis):
"""
Compute nodal and staggered stencils along a given direction.
Parameters
----------
coeff_nodal : numpy.ndarray
Leading spectral nodal coefficient of the general PSATD equations.
coeff_stagg : numpy.ndarray
Leading spectral staggered coefficient of the general PSATD equations.
axis : int
Axis or direction (must be 0, 1, 2 or -1 (the z axis for both 2D and 3D)).
Returns
-------
stencils : dictionary
Dictionary of nodal and staggered stencils along a given direction.
"""
# Inverse FFTs of the spectral coefficient along the chosen axis
stencil_nodal = np.fft.ifft(coeff_nodal, axis=axis)
stencil_stagg = np.fft.ifft(coeff_stagg, axis=axis)
# Average results over remaining axes in spectral space
if dims == 1:
stencil_avg_nodal = stencil_nodal
stencil_avg_stagg = stencil_stagg
elif dims == 2:
# Average over the other direction
i1 = (axis + 1) % 2
stencil_avg_nodal = stencil_nodal.sum(axis=i1) / stencil_nodal.shape[i1]
stencil_avg_stagg = stencil_stagg.sum(axis=i1) / stencil_stagg.shape[i1]
elif dims == 3:
# Average over the other two directions
i1 = (axis + 1) % 3
i2 = (axis + 2) % 3
stencil_avg_nodal = (stencil_nodal.sum(axis=(i1,i2)) /
(stencil_nodal.shape[i1]*stencil_nodal.shape[i2]))
stencil_avg_stagg = (stencil_stagg.sum(axis=(i1,i2)) /
(stencil_stagg.shape[i1]*stencil_stagg.shape[i2]))
stencils = dict()
stencils['nodal'] = abs(stencil_avg_nodal)
stencils['stagg'] = abs(stencil_avg_stagg)
return stencils
def compute_all(dx_boosted, dt, psatd_order, v_gal, nx=None):
"""
Compute nodal and staggered stencils along all directions.
Parameters
----------
dx_boosted : np.ndarray (float)
Cell size along each direction.
dt : float
Time step.
psatd_order : np.ndarray (int)
Spectral order along each direction.
v_gal : float
Galilean velocity.
nx : np.ndarray (int), optional (default = 256 in each direction)
Number of mesh points along each direction.
Returns
-------
stencils : list
List of nodal and staggered stencils along all directions.
"""
# Number of dimensions
dims = len(dx_boosted)
# Default value for nx
if nx is None:
nx = np.full(shape=dims, fill_value=256)
# k vectors and modified k vectors
k_arr = []
k_arr_c = []
k_arr_s = []
for i in range(dims):
k_arr.append(2*np.pi*np.fft.fftfreq(nx[i], dx_boosted[i]))
if psatd_order[i] != 'inf':
k_arr_c.append(modified_k(k_arr[i], dx_boosted[i], psatd_order[i], False))
k_arr_s.append(modified_k(k_arr[i], dx_boosted[i], psatd_order[i], True))
else:
k_arr_c.append(k_arr[i])
k_arr_s.append(k_arr[i])
# Mesh in k space
k_c = np.meshgrid(*k_arr_c)
k_s = np.meshgrid(*k_arr_s)
kk_c = np.sqrt(sum(k**2 for k in k_c))
kk_s = np.sqrt(sum(k**2 for k in k_s))
# Frequencies
om_c = c*kk_c
om_s = c*kk_s
w_c = v_gal*k_c[-1]
# Spectral coefficient
coeff_nodal = func_cosine(om_c, w_c, dt)
coeff_stagg = func_cosine(om_s, w_c, dt)
# Stencils
stencils = []
for i in range(dims):
stencils.append(compute_stencils(coeff_nodal, coeff_stagg, axis=i))
return stencils
def compute_guard_cells(errmin, errmax, stencil):
"""
Compute the minimum number of guard cells for a given error threshold
(number of guard cells such that the stencil measure is not larger
than the error threshold).
Parameters
----------
error : float
Error threshold.
stencil : numpy.ndarray
Stencil array.
Returns
-------
guard_cells : tuple
Min and max number of cells.
"""
diff = stencil - errmin
v = next(d for d in diff if d < 0)
gcmin = np.argwhere(diff == v)[0,0]
diff = stencil - errmax
try:
v = next(d for d in diff if d < 0)
gcmax = np.argwhere(diff == v)[0,0] - 1
except StopIteration:
gcmin, gcmax = compute_guard_cells(errmin, errmax*10, stencil)
return (gcmin, gcmax)
def plot_stencil(cells, stencil_nodal, stencil_stagg, label, path, name):
"""
Plot stencil extent for nodal and staggered/hybrid solver,
as a function of the number of cells.
Parameters
----------
cells : numpy.ndarray
Array of cell numbers.
stencil_nodal : numpy.ndarray
Stencil array for the nodal solver.
stencil_stagg : numpy.ndarray
Stencil array for the staggered or hybrid solver.
label : str
Label for plot annotations.
name : str
Label for figure name.
"""
fig = plt.figure(figsize=[10,6])
ax = fig.add_subplot(111)
ax.plot(cells, stencil_nodal, linestyle='-', label='nodal')
ax.plot(cells, stencil_stagg, linestyle='-', label='staggered or hybrid')
# Plot single and double precision machine epsilons
ax.axhline(y=sp, c='grey', ls='dashed', label='machine epsilon (single precision)')
ax.axhline(y=dp, c='grey', ls='dotted', label='machine epsilon (double precision)')
# Shade regions between single and double precision machine epsilons
xmin, xmax = compute_guard_cells(sp, dp, stencil_nodal)
ax.fill_between(cells[xmin:xmax+1], stencil_nodal[xmin:xmax+1], alpha=0.5)
xmin, xmax = compute_guard_cells(sp, dp, stencil_stagg)
ax.fill_between(cells[xmin:xmax+1], stencil_stagg[xmin:xmax+1], alpha=0.5)
#
ax.set_yscale('log')
ax.set_xticks(cells, minor=True)
ax.grid(which='minor', linewidth=0.2)
ax.grid(which='major', linewidth=0.4)
ax.legend()
ax.set_xlabel('number of cells')
ax.set_ylabel('signal to be truncated')
ax.set_title(r'Stencil extent along ${:s}$'.format(label))
fig.tight_layout()
fig_name = os.path.join(path, 'figure_stencil_' + label)
if name:
fig_name += '_' + name
fig.savefig(fig_name + '.png', dpi=150)
def run_main(dims, dx_boosted, dt, psatd_order, gamma=1., galilean=False, path='.', name=''):
"""
Main function.
Parameters
----------
dims : int
Number of dimensions.
dx_boosted : numpy.ndarray (float)
Cell size along each direction.
dt : float
Time step.
psatd_order : numpy.ndarray (int)
Spectral order along each direction.
gamma : float, optional (default = 1.)
Lorentz factor.
galilean : bool, optional (default = False)
Galilean scheme.
path : str, optional (default = '.')
Path where figures are saved.
name : str, optional (default = '')
Common label for figure names.
"""
# Galilean velocity (default = 0.)
v_gal = 0.
if galilean:
v_gal = -np.sqrt(1.-1./gamma**2)*c
# Display some output
print('\nCell size:')
print(f'- dx = {dx_boosted}')
if dims > 1:
print(f'- dx[1:]/dx[0] = {dx_boosted[1:]/dx_boosted[0]}')
print('\nTime step:')
print(f'- dt = {dt}')
print(f'- c*dt/dx = {c*dt/dx_boosted}')
print('\nSpectral order:')
print(f'- order = {psatd_order}')
print('\nLorentz boost, Galilean velocity:')
print(f'- gamma = {gamma}')
print(f'- v_gal = {v_gal}')
stencils = compute_all(dx_boosted, dt, psatd_order, v_gal)
# Maximum number of cells
nc = dims*[65]
# Arrays of stencils
for i, s in enumerate(stencils):
s['nodal'] = s['nodal'][:nc[i]]
s['stagg'] = s['stagg'][:nc[i]]
# Axis labels
label = ['x']
if dims == 3:
label.append('y')
if dims > 1:
label.append('z')
# Plot stencils
for i, s in enumerate(stencils):
plot_stencil(np.arange(nc[i]), s['nodal'], s['stagg'], label[i], path, name)
# Compute min and max numbers of guard cells
gcmin_nodal = []
gcmax_nodal = []
gcmin_stagg = []
gcmax_stagg = []
for s in stencils:
gcmin, gcmax = compute_guard_cells(sp, dp, s['nodal'])
gcmin_nodal.append(gcmin)
gcmax_nodal.append(gcmax)
gcmin, gcmax = compute_guard_cells(sp, dp, s['stagg'])
gcmin_stagg.append(gcmin)
gcmax_stagg.append(gcmax)
fig_path = os.path.abspath(path)
print(f'\nFigures saved in {fig_path}/.')
print('\nThe plots show the extent of the signal to be truncated (y-axis)'
+ '\nby choosing a given number of cells (x-axis) for the ghost regions'
+ '\nof each simulation grid, along x, y, and z.')
print('\nIt is recommended to choose a number of ghost cells that corresponds to'
+ '\na truncation of the signal between single and double machine precision.'
+ '\nThe more ghost cells, the more accurate, yet expensive, results.'
+ '\nFor each stencil the region of accuracy between single and double precision'
+ '\nis shaded to help you identify a suitable number of ghost cells.')
print('\nFor a nodal simulation, choose:')
for i in range(dims):
print(f'- between {gcmin_nodal[i]} and {gcmax_nodal[i]} ghost cells along {label[i]}')
print('\nFor a staggered or hybrid simulation, choose:')
for i in range(dims):
print(f'- between {gcmin_stagg[i]} and {gcmax_stagg[i]} ghost cells along {label[i]}')
print()
return
if __name__ == '__main__':
# Parse path to input file from command line
parser = argparse.ArgumentParser()
parser.add_argument('--input_file', help='path to input file to be parsed')
args = parser.parse_args()
input_file = args.input_file
# Parse input file
input_dict = parse_input_file(input_file)
# TODO Handle RZ
dims = int(input_dict['geometry.dims'][0])
# Notation considering x as vector of coordinates (x,y,z)
nx = np.array([int(w) for w in input_dict['amr.n_cell']])
xmin = np.array([float(w) for w in input_dict['geometry.prob_lo']])
xmax = np.array([float(w) for w in input_dict['geometry.prob_hi']])
# Cell size in the lab frame and boosted frame (boost along z)
## lab frame
dx = (xmax-xmin) / nx
## boosted frame
gamma = 1.
if 'warpx.gamma_boost' in input_dict:
gamma = float(input_dict['warpx.gamma_boost'][0])
beta = np.sqrt(1. - 1./gamma**2)
dx_boosted = np.copy(dx)
dx_boosted[-1] = (1. + beta) * gamma * dx[-1]
# Time step for pseudo-spectral scheme
cfl = 0.999
if 'warpx.cfl' in input_dict:
cfl = float(input_dict['warpx.cfl'][0])
dt = cfl * np.min(dx_boosted) / c
# Pseudo-spectral order
psatd_order = np.full(shape=dims, fill_value=16)
if 'psatd.nox' in input_dict:
psatd_order[0] = int(input_dict['psatd.nox'][0])
if 'psatd.noy' in input_dict:
psatd_order[1] = int(input_dict['psatd.noy'][0])
if 'psatd.noz' in input_dict:
psatd_order[-1] = int(input_dict['psatd.noz'][0])
# Galilean flag
galilean = False
if 'psatd.use_default_v_galilean' in input_dict:
galilean = bool(input_dict['psatd.use_default_v_galilean'][0])
if 'psatd.v_galilean' in input_dict:
galilean = bool(input_dict['psatd.v_galilean'][-1])
# Run main function (some arguments are optional,
# see definition of run_main function for help)
run_main(dims, dx_boosted, dt, psatd_order, gamma, galilean)
|