forked from csc-training/openmp-offload
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathcore.cpp
36 lines (29 loc) · 1.15 KB
/
core.cpp
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
// Main solver routines for heat equation solver
#include "heat.hpp"
// Update the temperature values using five-point stencil */
void evolve(Field& curr, Field& prev, const double a, const double dt)
{
// Compilers do not necessarily optimize division to multiplication, so make it explicit
auto inv_dx2 = 1.0 / (prev.dx * prev.dx);
auto inv_dy2 = 1.0 / (prev.dy * prev.dy);
// Help the compiler avoid being confused by the structs
double *currdata = curr.temperature.data();
double *prevdata = prev.temperature.data();
int nx = curr.nx;
int ny = curr.ny;
// Determine the temperature field at next time step
// As we have fixed boundary conditions, the outermost gridpoints
// are not updated.
for (int i = 1; i < nx + 1; i++) {
for (int j = 1; j < ny + 1; j++) {
int ind = i * (ny + 2) + j;
int ip = (i + 1) * (ny + 2) + j;
int im = (i - 1) * (ny + 2) + j;
int jp = i * (ny + 2) + j + 1;
int jm = i * (ny + 2) + j - 1;
currdata[ind] = prevdata[ind] + a*dt*
((prevdata[ip] - 2.0*prevdata[ind] + prevdata[im]) * inv_dx2 +
(prevdata[jp] - 2.0*prevdata[ind] + prevdata[jm]) * inv_dy2);
}
}
}