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
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
787
788
789
790
791
792
793
794
795
796
797
798
799
800
801
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
828
829
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
988
989
990
991
992
993
994
995
996
997
998
999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
2341
2342
2343
2344
2345
2346
2347
2348
2349
2350
2351
2352
2353
2354
2355
2356
2357
2358
2359
2360
2361
2362
2363
2364
2365
2366
2367
2368
2369
2370
2371
2372
2373
2374
2375
2376
2377
2378
2379
2380
2381
2382
2383
2384
2385
2386
2387
2388
2389
2390
2391
2392
2393
2394
2395
2396
2397
2398
2399
2400
2401
2402
2403
2404
2405
2406
2407
2408
2409
2410
2411
2412
2413
2414
2415
2416
2417
2418
2419
2420
2421
2422
2423
2424
2425
2426
2427
2428
2429
2430
2431
2432
2433
2434
2435
2436
2437
2438
2439
2440
2441
2442
2443
2444
2445
2446
2447
2448
2449
2450
2451
2452
2453
2454
2455
2456
2457
2458
2459
2460
2461
2462
2463
2464
2465
2466
2467
2468
2469
2470
2471
2472
2473
2474
2475
2476
2477
2478
2479
2480
2481
2482
2483
2484
2485
2486
2487
2488
2489
2490
2491
2492
2493
2494
2495
2496
2497
2498
2499
2500
2501
2502
2503
2504
2505
2506
2507
2508
2509
2510
2511
2512
2513
2514
2515
2516
2517
2518
2519
2520
2521
2522
2523
2524
2525
2526
2527
2528
2529
2530
2531
2532
2533
2534
2535
2536
2537
2538
2539
2540
2541
2542
2543
2544
2545
2546
2547
2548
2549
2550
2551
2552
2553
2554
2555
2556
2557
2558
2559
2560
2561
2562
2563
2564
2565
2566
2567
2568
2569
2570
2571
2572
2573
2574
2575
2576
2577
2578
2579
2580
2581
2582
2583
2584
2585
2586
2587
2588
2589
2590
2591
2592
2593
2594
2595
2596
2597
2598
2599
2600
2601
2602
2603
2604
2605
2606
2607
2608
2609
2610
2611
2612
2613
2614
2615
2616
2617
2618
2619
2620
2621
2622
2623
2624
2625
2626
2627
2628
2629
2630
2631
2632
2633
2634
2635
2636
2637
2638
2639
2640
2641
2642
2643
2644
2645
2646
2647
2648
2649
2650
2651
2652
2653
2654
2655
2656
2657
2658
2659
2660
2661
2662
2663
2664
2665
2666
2667
2668
2669
2670
2671
2672
2673
2674
2675
2676
2677
2678
2679
2680
2681
2682
2683
2684
2685
2686
2687
2688
2689
2690
2691
2692
2693
2694
2695
2696
2697
2698
2699
2700
2701
2702
2703
2704
2705
2706
2707
2708
2709
2710
2711
2712
2713
2714
2715
2716
2717
2718
2719
2720
2721
2722
2723
2724
2725
2726
2727
2728
2729
2730
2731
2732
2733
2734
2735
2736
2737
2738
2739
2740
2741
2742
2743
2744
2745
2746
2747
2748
2749
2750
2751
2752
2753
2754
2755
2756
2757
2758
2759
2760
2761
2762
2763
2764
2765
2766
2767
2768
2769
2770
2771
2772
2773
2774
2775
2776
2777
2778
2779
2780
2781
2782
2783
2784
2785
2786
2787
2788
2789
2790
2791
2792 | // *****************************************************************************
/*!
\file src/Inciter/DG.cpp
\copyright 2012-2015 J. Bakosi,
2016-2018 Los Alamos National Security, LLC.,
2019-2021 Triad National Security, LLC.
All rights reserved. See the LICENSE file for details.
\brief DG advances a system of PDEs with the discontinuous Galerkin scheme
\details DG advances a system of partial differential equations (PDEs) using
discontinuous Galerkin (DG) finite element (FE) spatial discretization (on
tetrahedron elements) combined with Runge-Kutta (RK) time stepping.
\see The documentation in DG.h.
*/
// *****************************************************************************
#include <algorithm>
#include <numeric>
#include <sstream>
#include "DG.hpp"
#include "Discretization.hpp"
#include "DGPDE.hpp"
#include "DiagReducer.hpp"
#include "DerivedData.hpp"
#include "ElemDiagnostics.hpp"
#include "Inciter/InputDeck/InputDeck.hpp"
#include "Refiner.hpp"
#include "Limiter.hpp"
#include "Reorder.hpp"
#include "Vector.hpp"
#include "Around.hpp"
#include "Integrate/Basis.hpp"
#include "FieldOutput.hpp"
#include "ChareStateCollector.hpp"
namespace inciter {
extern ctr::InputDeck g_inputdeck;
extern ctr::InputDeck g_inputdeck_defaults;
extern std::vector< DGPDE > g_dgpde;
//! Runge-Kutta coefficients
static const std::array< std::array< tk::real, 3 >, 2 >
rkcoef{{ {{ 0.0, 3.0/4.0, 1.0/3.0 }}, {{ 1.0, 1.0/4.0, 2.0/3.0 }} }};
} // inciter::
extern tk::CProxy_ChareStateCollector stateProxy;
using inciter::DG;
DG::DG( const CProxy_Discretization& disc,
const std::map< int, std::vector< std::size_t > >& bface,
const std::map< int, std::vector< std::size_t > >& /* bnode */,
const std::vector< std::size_t >& triinpoel ) :
m_disc( disc ),
m_ndof_NodalExtrm( 3 ), // for the first order derivatives in 3 directions
m_ncomfac( 0 ),
m_nadj( 0 ),
m_ncomEsup( 0 ),
m_nsol( 0 ),
m_ninitsol( 0 ),
m_nlim( 0 ),
m_nnod( 0 ),
m_nreco( 0 ),
m_nnodalExtrema( 0 ),
m_inpoel( Disc()->Inpoel() ),
m_coord( Disc()->Coord() ),
m_fd( m_inpoel, bface, tk::remap(triinpoel,Disc()->Lid()) ),
m_u( m_inpoel.size()/4,
g_inputdeck.get< tag::discr, tag::rdof >()*
g_inputdeck.get< tag::component >().nprop() ),
m_un( m_u.nunk(), m_u.nprop() ),
m_p( m_u.nunk(),
g_inputdeck.get< tag::discr, tag::rdof >()*
std::accumulate( begin(g_dgpde), end(g_dgpde), 0u,
[](std::size_t s, const DGPDE& eq){ return s + eq.nprim(); } ) ),
m_geoFace( tk::genGeoFaceTri( m_fd.Nipfac(), m_fd.Inpofa(), m_coord) ),
m_geoElem( tk::genGeoElemTet( m_inpoel, m_coord ) ),
m_lhs( m_u.nunk(),
g_inputdeck.get< tag::discr, tag::ndof >()*
g_inputdeck.get< tag::component >().nprop() ),
m_rhs( m_u.nunk(), m_lhs.nprop() ),
m_uNodalExtrm(),
m_pNodalExtrm(),
m_uNodalExtrmc(),
m_pNodalExtrmc(),
m_nfac( m_fd.Inpofa().size()/3 ),
m_nunk( m_u.nunk() ),
m_npoin( m_coord[0].size() ),
m_ipface(),
m_bndFace(),
m_ghostData(),
m_sendGhost(),
m_ghostReq( 0 ),
m_ghost(),
m_exptGhost(),
m_recvGhost(),
m_diag(),
m_stage( 0 ),
m_ndof(),
m_numEqDof(),
m_bid(),
m_uc(),
m_pc(),
m_ndofc(),
m_initial( 1 ),
m_expChBndFace(),
m_infaces(),
m_esup(),
m_esupc(),
m_elemfields(),
m_nodefields(),
m_nodefieldsc(),
m_outmesh(),
m_boxelems(),
m_shockmarker(m_u.nunk())
// *****************************************************************************
// Constructor
//! \param[in] disc Discretization proxy
//! \param[in] bface Boundary-faces mapped to side set ids
//! \param[in] triinpoel Boundary-face connectivity
// *****************************************************************************
{
if (g_inputdeck.get< tag::cmd, tag::chare >() ||
g_inputdeck.get< tag::cmd, tag::quiescence >())
stateProxy.ckLocalBranch()->insert( "DG", thisIndex, CkMyPe(), Disc()->It(),
"DG" );
// assign number of dofs for each equation in all pde systems
for (const auto& eq : g_dgpde) {
eq.numEquationDofs(m_numEqDof);
}
// Allocate storage for the vector of nodal extrema
m_uNodalExtrm.resize( Disc()->Bid().size(), std::vector<tk::real>( 2*
m_ndof_NodalExtrm*g_inputdeck.get< tag::component >().nprop() ) );
m_pNodalExtrm.resize( Disc()->Bid().size(), std::vector<tk::real>( 2*
m_ndof_NodalExtrm*m_p.nprop()/g_inputdeck.get< tag::discr, tag::rdof >()));
// Initialization for the buffer vector of nodal extrema
resizeNodalExtremac();
usesAtSync = true; // enable migration at AtSync
// Enable SDAG wait for setting up chare boundary faces
thisProxy[ thisIndex ].wait4fac();
// Ensure that mesh partition is not leaky
Assert( !tk::leakyPartition(m_fd.Esuel(), m_inpoel, m_coord),
"Input mesh to DG leaky" );
// Ensure mesh physical boundary for the entire problem not leaky,
// effectively checking if the user has specified boundary conditions on all
// physical boundary faces
bndIntegral();
}
void
DG::bndIntegral()
// *****************************************************************************
// Compute partial boundary surface integral and sum across all chares
//! \details This function computes a partial surface integral over the boundary
//! of the faces of this mesh partition then sends its contribution to perform
//! the integral acorss the total problem boundary. After the global sum a
//! non-zero vector result indicates a leak, e.g., a hole in the boundary
//! which indicates an error in the boundary face data structures used to
//! compute the partial surface integrals.
// *****************************************************************************
{
// Storage for surface integral over our mesh chunk physical boundary
std::vector< tk::real > s{{ 0.0, 0.0, 0.0 }};
// Integrate over all physical boundary faces
for (std::size_t f=0; f<m_fd.Nbfac(); ++f) {
s[0] += m_geoFace(f,0,0) * m_geoFace(f,1,0);
s[1] += m_geoFace(f,0,0) * m_geoFace(f,2,0);
s[2] += m_geoFace(f,0,0) * m_geoFace(f,3,0);
}
s.push_back( 1.0 ); // positive: call-back to resizeComm() after reduction
s.push_back( static_cast< tk::real >( Disc()->MeshId() ) );
// Send contribution to host summing partial surface integrals
contribute( s, CkReduction::sum_double,
CkCallback(CkReductionTarget(Transporter,bndint), Disc()->Tr()) );
}
void
DG::resizeComm()
// *****************************************************************************
// Start sizing communication buffers and setting up ghost data
// *****************************************************************************
{
auto d = Disc();
const auto& gid = d->Gid();
const auto& inpofa = m_fd.Inpofa();
const auto& esuel = m_fd.Esuel();
// Perform leak test on mesh partition
Assert( !tk::leakyPartition( esuel, m_inpoel, m_coord ),
"Mesh partition leaky" );
// Activate SDAG waits for face adjacency map (ghost data) calculation
thisProxy[ thisIndex ].wait4ghost();
thisProxy[ thisIndex ].wait4esup();
// Enable SDAG wait for initially building the solution vector and limiting
if (m_initial) {
thisProxy[ thisIndex ].wait4sol();
thisProxy[ thisIndex ].wait4reco();
thisProxy[ thisIndex ].wait4nodalExtrema();
thisProxy[ thisIndex ].wait4lim();
thisProxy[ thisIndex ].wait4nod();
}
// Invert inpofa to enable searching for faces based on (global) node triplets
Assert( inpofa.size() % 3 == 0, "Inpofa must contain triplets" );
for (std::size_t f=0; f<inpofa.size()/3; ++f)
m_ipface.insert( {{{ gid[ inpofa[f*3+0] ],
gid[ inpofa[f*3+1] ],
gid[ inpofa[f*3+2] ] }}} );
// At this point ipface has node-id-triplets (faces) on the internal
// chare-domain and on the physical boundary but not on chare boundaries,
// hence the name internal + physical boundary faces.
// Build a set of faces (each face given by 3 global node IDs) associated to
// chares we potentially share boundary faces with.
tk::UnsMesh::FaceSet potbndface;
for (std::size_t e=0; e<esuel.size()/4; ++e) { // for all our tets
auto mark = e*4;
for (std::size_t f=0; f<4; ++f) // for all tet faces
if (esuel[mark+f] == -1) { // if face has no outside-neighbor tet
// if does not exist among the internal and physical boundary faces,
// store as a potential chare-boundary face
tk::UnsMesh::Face t{{ gid[ m_inpoel[ mark + tk::lpofa[f][0] ] ],
gid[ m_inpoel[ mark + tk::lpofa[f][1] ] ],
gid[ m_inpoel[ mark + tk::lpofa[f][2] ] ] }};
if (m_ipface.find(t) == end(m_ipface)) {
Assert( m_expChBndFace.insert(t).second,
"Store expected chare-boundary face" );
potbndface.insert( t );
}
}
}
if ( g_inputdeck.get< tag::cmd, tag::feedback >() ) d->Tr().chbndface();
// In the following we assume that the size of the (potential) boundary-face
// adjacency map above does not necessarily equal to that of the node
// adjacency map. This is because while a node can be shared at a single
// corner or along an edge, that does not necessarily share a face as well
// (in other words, shared nodes or edges can exist that are not part of a
// shared face). So the chares we communicate with across faces are not
// necessarily the same as the chares we would communicate nodes with.
//
// Since the sizes of the node and face adjacency maps are not the same, while
// sending the faces on chare boundaries would be okay, however, the receiver
// would not necessarily know how many chares it must receive from. To solve
// this problem we send to chares which we share at least a single node with,
// i.e., rely on the node-adjacency map. Note that to all chares we share at
// least a single node with we send all our potential chare-boundary faces.
// This is the same list of faces to all chares we send.
//
// Another underlying assumption here is, of course, that the size of the face
// adjacency map is always smaller than or equal to that of the node adjacency
// map, which is always true. Since the receive side already knows how many
// fellow chares it must receive shared node ids from, we use that to detect
// completion of the number of receives in comfac(). This simplifies the
// communication pattern and code.
// Send sets of faces adjacent to chare boundaries to fellow workers (if any)
if (d->NodeCommMap().empty()) // in serial, skip setting up ghosts altogether
faceAdj();
else
// for all chares we share nodes with
for (const auto& c : d->NodeCommMap()) {
thisProxy[ c.first ].comfac( thisIndex, potbndface );
}
ownfac_complete();
}
bool
DG::leakyAdjacency()
// *****************************************************************************
// Perform leak-test on chare boundary faces
//! \details This function computes a surface integral over the boundary of the
//! faces after the face adjacency communication map is completed. A non-zero
//! vector result indicates a leak, e.g., a hole in the partition (covered by
//! the faces of the face adjacency communication map), which indicates an
//! error upstream in the code that sets up the face communication data
//! structures.
//! \note Compared to tk::leakyPartition() this function performs the leak-test
//! on the face geometry data structure enlarged by ghost faces on this
//! partition by computing a discrete surface integral considering the
//! physical and chare boundary faces, which should be equal to zero for a
//! closed domain.
//! \return True if our chare face adjacency leaks.
// *****************************************************************************
{
// Storage for surface integral over our chunk of the adjacency
std::array< tk::real, 3 > s{{ 0.0, 0.0, 0.0 }};
// physical boundary faces
for (std::size_t f=0; f<m_fd.Nbfac(); ++f) {
s[0] += m_geoFace(f,0,0) * m_geoFace(f,1,0);
s[1] += m_geoFace(f,0,0) * m_geoFace(f,2,0);
s[2] += m_geoFace(f,0,0) * m_geoFace(f,3,0);
}
// chare-boundary faces
for (std::size_t f=m_fd.Nipfac(); f<m_fd.Esuf().size()/2; ++f) {
s[0] += m_geoFace(f,0,0) * m_geoFace(f,1,0);
s[1] += m_geoFace(f,0,0) * m_geoFace(f,2,0);
s[2] += m_geoFace(f,0,0) * m_geoFace(f,3,0);
}
auto eps = std::numeric_limits< tk::real >::epsilon() * 100;
return std::abs(s[0]) > eps || std::abs(s[1]) > eps || std::abs(s[2]) > eps;
}
bool
DG::faceMatch()
// *****************************************************************************
// Check if esuf of chare-boundary faces matches
//! \details This function checks each chare-boundary esuf entry for the left
//! and right elements. Then, it tries to match all vertices of these
//! elements. Exactly three of these vertices must match if the esuf entry
//! has been updated correctly at chare-boundaries.
//! \return True if chare-boundary faces match.
// *****************************************************************************
{
const auto& esuf = m_fd.Esuf();
bool match(true);
auto eps = std::numeric_limits< tk::real >::epsilon() * 100;
for (auto f=m_fd.Nipfac(); f<esuf.size()/2; ++f)
{
std::size_t el = static_cast< std::size_t >(esuf[2*f]);
std::size_t er = static_cast< std::size_t >(esuf[2*f+1]);
std::size_t count = 0;
for (std::size_t i=0; i<4; ++i)
{
auto ip = m_inpoel[4*el+i];
for (std::size_t j=0; j<4; ++j)
{
auto jp = m_inpoel[4*er+j];
auto xdiff = std::abs( m_coord[0][ip] - m_coord[0][jp] );
auto ydiff = std::abs( m_coord[1][ip] - m_coord[1][jp] );
auto zdiff = std::abs( m_coord[2][ip] - m_coord[2][jp] );
if ( xdiff<=eps && ydiff<=eps && zdiff<=eps ) ++count;
}
}
match = (match && count == 3);
}
return match;
}
void
DG::comfac( int fromch, const tk::UnsMesh::FaceSet& infaces )
// *****************************************************************************
// Receive unique set of faces we potentially share with/from another chare
//! \param[in] fromch Sender chare id
//! \param[in] infaces Unique set of faces we potentially share with fromch
// *****************************************************************************
{
if (g_inputdeck.get< tag::cmd, tag::chare >() ||
g_inputdeck.get< tag::cmd, tag::quiescence >())
stateProxy.ckLocalBranch()->insert( "DG", thisIndex, CkMyPe(), Disc()->It(),
"comfac" );
// Buffer up incoming data
m_infaces[ fromch ] = infaces;
// if we have heard from all fellow chares that we share at least a single
// node, edge, or face with
if (++m_ncomfac == Disc()->NodeCommMap().size()) {
m_ncomfac = 0;
comfac_complete();
}
}
void
DG::bndFaces()
// *****************************************************************************
// Compute chare-boundary faces
//! \details This is called when both send and receives are completed on a
//! chare and thus we are ready to compute chare-boundary faces and ghost data.
// *****************************************************************************
{
auto d = Disc();
if ( g_inputdeck.get< tag::cmd, tag::feedback >() ) d->Tr().chcomfac();
const auto& esuel = m_fd.Esuel();
const auto& gid = d->Gid();
for (const auto& in : m_infaces) {
// Find sender chare among chares we potentially share faces with. Note that
// it is feasible that a sender chare called us but we do not have a set of
// faces associated to that chare. This can happen if we only share a single
// node or an edge but not a face with that chare.
auto& bndface = m_bndFace[ in.first ]; // will associate to sender chare
// Try to find incoming faces on our chare boundary with other chares. If
// found, generate and assign new local face ID, associated to sender chare.
for (std::size_t e=0; e<esuel.size()/4; ++e) { // for all our tets
auto mark = e*4;
for (std::size_t f=0; f<4; ++f) { // for all cell faces
if (esuel[mark+f] == -1) { // if face has no outside-neighbor tet
tk::UnsMesh::Face t{{ gid[ m_inpoel[ mark + tk::lpofa[f][0] ] ],
gid[ m_inpoel[ mark + tk::lpofa[f][1] ] ],
gid[ m_inpoel[ mark + tk::lpofa[f][2] ] ] }};
// if found among the incoming faces and if not one of our internal
// nor physical boundary faces
if ( in.second.find(t) != end(in.second) &&
m_ipface.find(t) == end(m_ipface) ) {
bndface[t][0] = m_nfac++; // assign new local face ID
}
}
}
}
// If at this point if we have not found any face among our faces we
// potentially share with fromch, there is no need to keep an empty set of
// faces associated to fromch as we only share nodes or edges with it, but
// not faces.
if (bndface.empty()) m_bndFace.erase( in.first );
}
tk::destroy(m_ipface);
tk::destroy(m_infaces);
// Ensure all expected faces have been received
Assert( receivedChBndFaces(),
"Expected and received chare boundary faces mismatch" );
// Basic error checking on chare-boundary-face map
Assert( m_bndFace.find( thisIndex ) == m_bndFace.cend(),
"Face-communication map should not contain data for own chare ID" );
// Store (local) tet ID adjacent to our chare boundary from the inside
for (std::size_t e=0; e<esuel.size()/4; ++e) { // for all our tets
auto mark = e*4;
for (std::size_t f=0; f<4; ++f) { // for all cell faces
if (esuel[mark+f] == -1) { // if face has no outside-neighbor tet
tk::UnsMesh::Face t{{ gid[ m_inpoel[ mark + tk::lpofa[f][0] ] ],
gid[ m_inpoel[ mark + tk::lpofa[f][1] ] ],
gid[ m_inpoel[ mark + tk::lpofa[f][2] ] ] }};
auto c = findchare( t );
if (c > -1) {
auto& lbndface = tk::ref_find( m_bndFace, c );
auto& face = tk::ref_find( lbndface, t );
face[1] = e; // store (local) inner tet ID adjacent to face
}
}
}
}
// At this point m_bndFace is complete on this PE. This means that starting
// from the sets of faces we potentially share with fellow chares we now
// only have those faces we actually share faces with (through which we need
// to communicate later). Also, m_bndFace not only has the unique faces
// associated to fellow chares, but also a newly assigned local face ID as
// well as the local id of the inner tet adjacent to the face. Continue by
// starting setting up ghost data
setupGhost();
// Besides setting up our own ghost data, we also issue requests (for ghost
// data) to those chares which we share faces with. Note that similar to
// comfac() we are calling reqGhost() by going through the node communication
// map instead, which may send requests to those chare we do not share faces
// with. This is so that we can test for completing by querying the size of
// the already complete node commincation map in reqGhost. Requests in
// sendGhost will only be fullfilled based on m_ghostData.
for (const auto& c : d->NodeCommMap()) // for all chares we share nodes with
thisProxy[ c.first ].reqGhost();
}
bool
DG::receivedChBndFaces()
// *****************************************************************************
// Verify that all chare-boundary faces have been received
//! \return True if all chare-boundary faces have been received
// *****************************************************************************
{
auto d = Disc();
tk::UnsMesh::FaceSet recvBndFace;
// Collect chare-boundary faces that have been received and expected
for (const auto& c : m_bndFace)
for (const auto& f : c.second)
if (m_expChBndFace.find(f.first) != end(m_expChBndFace))
recvBndFace.insert(f.first);
// Collect info on expected but not received faces
std::stringstream msg;
for (const auto& f : m_expChBndFace)
if (recvBndFace.find(f) == end(recvBndFace)) {
const auto& x = m_coord[0];
const auto& y = m_coord[1];
const auto& z = m_coord[2];
auto A = tk::cref_find( d->Lid(), f[0] );
auto B = tk::cref_find( d->Lid(), f[1] );
auto C = tk::cref_find( d->Lid(), f[2] );
msg << '{' << A << ',' << B << ',' << C << "}:("
<< x[A] << ',' << y[A] << ',' << z[A] << ' '
<< x[B] << ',' << y[B] << ',' << z[B] << ' '
<< x[C] << ',' << y[C] << ',' << z[C] << ") ";
}
tk::destroy( m_expChBndFace );
// Error out with info on missing faces
auto s = msg.str();
if (!s.empty()) {
Throw( "DG chare " + std::to_string(thisIndex) +
" missing face(s) {local node ids} (node coords): " + s );
} else {
return true;
}
}
void
DG::setupGhost()
// *****************************************************************************
// Setup own ghost data on this chare
// *****************************************************************************
{
auto d = Disc();
const auto& gid = d->Gid();
// Enlarge elements surrounding faces data structure for ghosts
m_fd.Esuf().resize( 2*m_nfac, -2 );
m_fd.Inpofa().resize( 3*m_nfac, 0 );
// Enlarge face geometry data structure for ghosts
m_geoFace.resize( m_nfac, 0.0 );
const auto& esuel = m_fd.Esuel();
// Collect tet ids, their face connectivity (given by 3 global node IDs, each
// triplet for potentially multiple faces on the chare boundary), and their
// elem geometry data (see GhostData) associated to fellow chares adjacent to
// chare boundaries. Once received by fellow chares, these tets will become
// known as ghost elements and their data as ghost data.
for (std::size_t e=0; e<esuel.size()/4; ++e) { // for all our tets
auto mark = e*4;
for (std::size_t f=0; f<4; ++f) { // for all cell faces
if (esuel[mark+f] == -1) { // if face has no outside-neighbor tet
tk::UnsMesh::Face t{{ gid[ m_inpoel[ mark + tk::lpofa[f][0] ] ],
gid[ m_inpoel[ mark + tk::lpofa[f][1] ] ],
gid[ m_inpoel[ mark + tk::lpofa[f][2] ] ] }};
auto c = findchare( t );
// It is possible that we do not find the chare for this face. We are
// looping through all of our tets and interrogating all faces that do
// not have neighboring tets but we only care about chare-boundary faces
// here as only those need ghost data. (esuel may also contain
// physical boundary faces)
if (c > -1) {
// Will store ghost data associated to neighbor chare
auto& ghost = m_ghostData[ c ];
// Store tet id adjacent to chare boundary as key for ghost data
auto& tuple = ghost[ e ];
// If tetid e has not yet been encountered, store geometry (only once)
auto& nodes = std::get< 0 >( tuple );
if (nodes.empty()) {
std::get< 1 >( tuple ) = m_geoElem[ e ];
auto& ncoord = std::get< 2 >( tuple );
ncoord[0] = m_coord[0][ m_inpoel[ mark+f ] ];
ncoord[1] = m_coord[1][ m_inpoel[ mark+f ] ];
ncoord[2] = m_coord[2][ m_inpoel[ mark+f ] ];
std::get< 3 >( tuple ) = f;
std::get< 4 >( tuple ) = {{ gid[ m_inpoel[ mark ] ],
gid[ m_inpoel[ mark+1 ] ],
gid[ m_inpoel[ mark+2 ] ],
gid[ m_inpoel[ mark+3 ] ] }};
}
// (Always) store face node IDs on chare boundary, even if tetid e has
// already been stored. Thus we store potentially multiple faces along
// the same chare-boundary. This happens, e.g., when the boundary
// between chares is zig-zaggy enough to have 2 or even 3 faces of the
// same tet.
nodes.push_back( t[0] );
nodes.push_back( t[1] );
nodes.push_back( t[2] );
Assert( nodes.size() <= 4*3, "Overflow of faces/tet to send" );
}
}
}
}
// Basic error checking on local ghost data
Assert( m_ghostData.find( thisIndex ) == m_ghostData.cend(),
"Chare-node adjacency map should not contain data for own chare ID" );
// More in-depth error checking on local ghost data
for (const auto& c : m_ghostData)
for ([[maybe_unused]] const auto& t : c.second) {
Assert( !std::get< 0 >( t.second ).empty(),
"Emtpy face vector in ghost data" );
Assert( std::get< 0 >( t.second ).size() % 3 == 0,
"Face node IDs must be triplets" );
Assert( std::get< 0 >( t.second ).size() <= 4*3, // <= 4*3 (4*numfaces)
"Max number of faces for a single ghost tet is 4" );
Assert( !std::get< 1 >( t.second ).empty(),
"No elem geometry data for ghost" );
Assert( std::get< 1 >( t.second ).size() == m_geoElem.nprop(),
"Elem geometry data for ghost must be for single tet" );
Assert( !std::get< 2 >( t.second ).empty(),
"No nodal coordinate data for ghost" );
}
ownghost_complete();
}
void
DG::reqGhost()
// *****************************************************************************
// Receive requests for ghost data
// *****************************************************************************
{
if (g_inputdeck.get< tag::cmd, tag::chare >() ||
g_inputdeck.get< tag::cmd, tag::quiescence >())
stateProxy.ckLocalBranch()->insert( "DG", thisIndex, CkMyPe(), Disc()->It(),
"reqGhost" );
// If every chare we communicate with has requested ghost data from us, we may
// fulfill the requests, but only if we have already setup our ghost data.
if (++m_ghostReq == Disc()->NodeCommMap().size()) {
m_ghostReq = 0;
reqghost_complete();
}
}
void
DG::sendGhost()
// *****************************************************************************
// Send all of our ghost data to fellow chares
// *****************************************************************************
{
if (g_inputdeck.get< tag::cmd, tag::chare >() ||
g_inputdeck.get< tag::cmd, tag::quiescence >())
stateProxy.ckLocalBranch()->insert( "DG", thisIndex, CkMyPe(), Disc()->It(),
"sendGhost" );
for (const auto& c : m_ghostData)
thisProxy[ c.first ].comGhost( thisIndex, c.second );
if ( g_inputdeck.get< tag::cmd, tag::feedback >() ) Disc()->Tr().chghost();
}
int
DG::findchare( const tk::UnsMesh::Face& t )
// *****************************************************************************
// Find any chare for face (given by 3 global node IDs)
//! \param[in] t Face given by three global node IDs
//! \return Chare ID if found among any of the chares we communicate along
//! faces with, -1 if the face cannot be found.
// *****************************************************************************
{
for (const auto& cf : m_bndFace)
// cppcheck-suppress useStlAlgorithm
if (cf.second.find(t) != end(cf.second))<--- Unmatched suppression: useStlAlgorithm
return cf.first;
return -1;
}
void
DG::comGhost( int fromch, const GhostData& ghost )
// *****************************************************************************
// Receive ghost data on chare boundaries from fellow chare
//! \param[in] fromch Caller chare ID
//! \param[in] ghost Ghost data, see Inciter/FaceData.h for the type
// *****************************************************************************
{
if (g_inputdeck.get< tag::cmd, tag::chare >() ||
g_inputdeck.get< tag::cmd, tag::quiescence >())
stateProxy.ckLocalBranch()->insert( "DG", thisIndex, CkMyPe(), Disc()->It(),
"comGhost" );
auto d = Disc();
const auto& lid = d->Lid();
auto& inpofa = m_fd.Inpofa();
auto ncoord = m_coord[0].size();<--- Variable 'ncoord' is assigned a value that is never used.
// nodelist with fromch, currently only used for an assert
[[maybe_unused]] const auto& nl = tk::cref_find( d->NodeCommMap(), fromch );
auto& ghostelem = m_ghost[ fromch ]; // will associate to sender chare
// Store ghost data coming from chare
for (const auto& g : ghost) { // loop over incoming ghost data
auto e = g.first; // remote/ghost tet id outside of chare boundary<--- Variable 'e' is assigned a value that is never used.
const auto& nodes = std::get< 0 >( g.second ); // node IDs of face(s)
const auto& geo = std::get< 1 >( g.second ); // ghost elem geometry data
const auto& coordg = std::get< 2 >( g.second ); // coordinate of ghost node
const auto& inpoelg = std::get< 4 >( g.second ); // inpoel of ghost tet
Assert( nodes.size() % 3 == 0, "Face node IDs must be triplets" );
Assert( nodes.size() <= 4*3, "Overflow of faces/tet received" );
Assert( geo.size() % 5 == 0, "Ghost geometry size mismatch" );
Assert( geo.size() == m_geoElem.nprop(), "Ghost geometry number mismatch" );
Assert( coordg.size() == 3, "Incorrect ghost node coordinate size" );
Assert( inpoelg.size() == 4, "Incorrect ghost inpoel size" );
for (std::size_t n=0; n<nodes.size()/3; ++n) { // face(s) of ghost e
// node IDs of face on chare boundary
tk::UnsMesh::Face t{{ nodes[n*3+0], nodes[n*3+1], nodes[n*3+2] }};
// must find t in nodelist of chare-boundary adjacent to fromch
Assert( nl.find(t[0]) != end(nl) &&
nl.find(t[1]) != end(nl) &&
nl.find(t[2]) != end(nl),
"Ghost face not found in chare-node adjacency map on receiving end" );
// must find face in boundary-face adjacency map for fromch
Assert( tk::cref_find(m_bndFace,fromch).find( t ) !=
tk::cref_find(m_bndFace,fromch).cend(), "Ghost face not "
"found in boundary-face adjacency map on receiving end" );
// find local face & tet ids for t
auto id = tk::cref_find( tk::cref_find(m_bndFace,fromch), t );
// compute face geometry for chare-boundary face
addGeoFace( t, id );
// add node-triplet to node-face connectivity
inpofa[3*id[0]+0] = tk::cref_find( lid, t[2] );
inpofa[3*id[0]+1] = tk::cref_find( lid, t[1] );
inpofa[3*id[0]+2] = tk::cref_find( lid, t[0] );
// if ghost tet id not yet encountered on boundary with fromch
auto i = ghostelem.find( e );
if (i != end(ghostelem)) {
addEsuf( id, i->second ); // fill in elements surrounding face
addEsuel( id, i->second, t ); // fill in elements surrounding element
} else {
addEsuf( id, m_nunk ); // fill in elements surrounding face
addEsuel( id, m_nunk, t ); // fill in elements surrounding element
ghostelem[e] = m_nunk; // assign new local tet id to remote ghost id
m_geoElem.push_back( geo );// store ghost elem geometry
++m_nunk; // increase number of unknowns on this chare
std::size_t counter = 0;
for (std::size_t gp=0; gp<4; ++gp) {
auto it = lid.find( inpoelg[gp] );
std::size_t lp;
if (it != end(lid))
lp = it->second;
else {
Assert( nodes.size() == 3, "Expected node not found in lid" );
Assert( gp == std::get< 3 >( g.second ),
"Ghost node not matching correct entry in ghost inpoel" );
lp = ncoord;
++counter;
}
m_inpoel.push_back( lp ); // store ghost element connectivity
}
// only a single or no ghost node should be found
Assert( counter <= 1, "Incorrect number of ghost nodes detected. "
"Detected "+ std::to_string(counter) +" ghost nodes" );
if (counter == 1) {
m_coord[0].push_back( coordg[0] ); // store ghost node coordinate
m_coord[1].push_back( coordg[1] );
m_coord[2].push_back( coordg[2] );
Assert( m_inpoel[ 4*(m_nunk-1)+std::get< 3 >( g.second ) ] == ncoord,
"Mismatch in extended inpoel for ghost element" );
++ncoord; // increase number of nodes on this chare<--- Variable 'ncoord' is assigned a value that is never used.
}
}
// additional tests to ensure that entries in inpoel and t/inpofa match
Assert( nodetripletMatch(id, t) == 3, "Mismatch/Overmatch in inpoel and "
"inpofa at chare-boundary face" );
}
}
// Signal the runtime system that all workers have received their
// face-adjacency
if (++m_nadj == m_ghostData.size()) faceAdj();
}
std::size_t
DG::nodetripletMatch( const std::array< std::size_t, 2 >& id,
const tk::UnsMesh::Face& t )
// *****************************************************************************
// Check if entries in inpoel, inpofa and node-triplet are consistent
//! \param[in] id Local face and (inner) tet id adjacent to it
//! \param[in] t node-triplet associated with the chare boundary face
//! \return number of nodes in inpoel that matched with t and inpofa
// *****************************************************************************
{
const auto& lid = Disc()->Lid();
const auto& esuf = m_fd.Esuf();
const auto& inpofa = m_fd.Inpofa();
std::size_t counter = 0;
for (std::size_t k=0; k<4; ++k)
{
auto el = esuf[ 2*id[0] ];
auto ip = m_inpoel[ 4*static_cast< std::size_t >( el )+k ];<--- Variable 'ip' is assigned a value that is never used.
Assert( el == static_cast< int >( id[1] ), "Mismatch in id and esuf" );
for (std::size_t j=0; j<3; ++j)
{
auto jp = tk::cref_find( lid, t[j] );
auto fp = inpofa[ 3*id[0]+(2-j) ];
if (ip == jp && ip == fp) ++counter;
}
}
return counter;
}
void
DG::addEsuf( const std::array< std::size_t, 2 >& id, std::size_t ghostid )
// *****************************************************************************
// Fill elements surrounding a face along chare boundary
//! \param[in] id Local face and (inner) tet id adjacent to it
//! \param[in] ghostid Local ID for ghost tet
//! \details This function extends and fills in the elements surrounding faces
//! data structure (esuf) so that the left and right element id is filled
//! in correctly on chare boundaries to contain the correct inner tet id and
//! the local tet id for the outer (ghost) tet, both adjacent to the given
//1 chare-face boundary. Prior to this function, this data structure does not
//! have yet face-element connectivity adjacent to chare-boundary faces, only
//! for physical boundaries and internal faces that are not on the chare
//! boundary (this latter purely as a result of mesh partitioning). The remote
//! element id of the ghost is stored in a location that is local to our own
//! esuf. The face numbering is such that esuf stores the element-face
//! connectivity first for the physical-boundary faces, followed by that of
//! the internal faces, followed by the chare-boundary faces. As a result,
//! esuf can be used by physics algorithms in exactly the same way as would be
//! used in serial. In serial, of course, this data structure is not extended
//! at the end by the chare-boundaries.
// *****************************************************************************
{
auto& esuf = m_fd.Esuf();
Assert( 2*id[0]+1 < esuf.size(), "Indexing out of esuf" );
// put in inner tet id
Assert( esuf[ 2*id[0] ] == -2 && esuf[ 2*id[0]+1 ] == -2, "Updating esuf at "
"wrong location instead of chare-boundary" );
esuf[ 2*id[0]+0 ] = static_cast< int >( id[1] );
// put in local id for outer/ghost tet
esuf[ 2*id[0]+1 ] = static_cast< int >( ghostid );
}
void
DG::addEsuel( const std::array< std::size_t, 2 >& id,
std::size_t ghostid,
const tk::UnsMesh::Face& t )
// *****************************************************************************
// Fill elements surrounding a element along chare boundary
//! \param[in] id Local face and (inner) tet id adjacent to it
//! \param[in] ghostid Local ID for ghost tet
//! \param[in] t node-triplet associated with the chare boundary face
//! \details This function updates the elements surrounding element (esuel) data
// structure for the (inner) tets adjacent to the chare-boundaries. It fills
// esuel of this inner tet with the local tet-id that has been assigned to
// the outer ghost tet in DG::comGhost in place of the -1 before.
// *****************************************************************************
{
auto d = Disc();
[[maybe_unused]] const auto& esuf = m_fd.Esuf();
const auto& lid = d->Lid();
std::array< tk::UnsMesh::Face, 4 > face;
for (std::size_t f = 0; f<4; ++f)
for (std::size_t i = 0; i<3; ++i)
face[f][i] = m_inpoel[ id[1]*4 + tk::lpofa[f][i] ];
tk::UnsMesh::Face tl{{ tk::cref_find( lid, t[0] ),
tk::cref_find( lid, t[1] ),
tk::cref_find( lid, t[2] ) }};
auto& esuel = m_fd.Esuel();
std::size_t i(0), nmatch(0);
for (const auto& f : face) {
if (tk::UnsMesh::Eq< 3 >()( tl, f )) {
Assert( esuel[ id[1]*4 + i ] == -1, "Incorrect boundary element found in "
"esuel");
esuel[ id[1]*4 + i ] = static_cast<int>(ghostid);
++nmatch;<--- Variable 'nmatch' is assigned a value that is never used.
Assert( esuel[ id[1]*4 + i ] == esuf[ 2*id[0]+1 ], "Incorrect boundary "
"element entered in esuel" );
Assert( static_cast<int>(id[1]) == esuf[ 2*id[0]+0 ], "Boundary "
"element entered in incorrect esuel location" );
}
++i;
}
// ensure that exactly one face matched
Assert( nmatch == 1, "Incorrect number of node-triplets (faces) matched for "
"updating esuel; matching faces = "+ std::to_string(nmatch) );
}
void
DG::addGeoFace( const tk::UnsMesh::Face& t,
const std::array< std::size_t, 2 >& id )
// *****************************************************************************
// Fill face-geometry data along chare boundary
//! \param[in] t Face (given by 3 global node IDs) on the chare boundary
//! \param[in] id Local face and (inner) tet id adjacent to face t
//! \details This function fills in the face geometry data along a chare
//! boundary.
// *****************************************************************************
{
auto d = Disc();
const auto& lid = d->Lid();
// get global node IDs reversing order to get outward-pointing normal
auto A = tk::cref_find( lid, t[2] );
auto B = tk::cref_find( lid, t[1] );
auto C = tk::cref_find( lid, t[0] );
auto geochf = tk::geoFaceTri( {{m_coord[0][A], m_coord[0][B], m_coord[0][C]}},
{{m_coord[1][A], m_coord[1][B], m_coord[1][C]}},
{{m_coord[2][A], m_coord[2][B], m_coord[2][C]}} );
for (std::size_t i=0; i<7; ++i)
m_geoFace(id[0],i,0) = geochf(0,i,0);
}
void
DG::faceAdj()
// *****************************************************************************
// Continue after face adjacency communication map completed on this chare
//! \details At this point the face communication map has been established
//! on this chare. Proceed to set up the nodal-comm map.
// *****************************************************************************
{
m_nadj = 0;
tk::destroy(m_bndFace);
// Ensure that all elements surrounding faces (are correct) including those at
// chare boundaries
for (std::size_t f=0; f<m_nfac; ++f) {
Assert( m_fd.Esuf()[2*f] > -1,
"Left element in esuf cannot be physical ghost" );
if (f >= m_fd.Nbfac())
Assert( m_fd.Esuf()[2*f+1] > -1,
"Right element in esuf for internal/chare faces cannot be a ghost" );
}
// Ensure that all elements surrounding elements are correct including those
// at chare boundaries
const auto& esuel = m_fd.Esuel();
std::size_t nbound = 0;
for (std::size_t e=0; e<esuel.size()/4; ++e) {
for (std::size_t f=0; f<4; ++f)
if (esuel[4*e+f] == -1) ++nbound;
}
Assert( nbound == m_fd.Nbfac(), "Incorrect number of ghost-element -1's in "
"updated esuel" );
// Error checking on ghost data
for(const auto& n : m_ghostData)
for([[maybe_unused]] const auto& i : n.second)
Assert( i.first < m_fd.Esuel().size()/4, "Sender contains ghost tet id " );
// Perform leak test on face geometry data structure enlarged by ghosts
Assert( !leakyAdjacency(), "Face adjacency leaky" );
Assert( faceMatch(), "Chare-boundary element-face connectivity (esuf) does "
"not match" );
// Create new map of elements along chare boundary which are ghosts for
// neighboring chare, associated with that chare ID
for (const auto& [cid, cgd] : m_ghostData)
{
auto& sg = m_sendGhost[cid];
for (const auto& e : cgd)
{
Assert(sg.find(e.first) == sg.end(), "Repeating element found in "
"ghost data");
sg.insert(e.first);
}
Assert(sg.size() == cgd.size(), "Incorrect size for sendGhost");
}
Assert(m_sendGhost.size() == m_ghostData.size(), "Incorrect number of "
"chares in sendGhost");
// Error checking on ghost data
for(const auto& n : m_sendGhost)
for([[maybe_unused]] const auto& i : n.second)
Assert( i < m_fd.Esuel().size()/4, "Sender contains ghost tet id. " );
// Generate and store Esup data-structure in a map
auto esup = tk::genEsup(m_inpoel, 4);
for (std::size_t p=0; p<Disc()->Gid().size(); ++p)
{
for (auto e : tk::Around(esup, p))
{
// since inpoel has been augmented with the face-ghost cell previously,
// esup also contains cells which are not on this mesh-chunk, hence the
// following test
if (e < m_fd.Esuel().size()/4) m_esup[p].push_back(e);
}
}
// Error checking on Esup map
for(const auto& p : m_esup)
for([[maybe_unused]] const auto& e : p.second)
Assert( e < m_fd.Esuel().size()/4, "Esup contains tet id greater than "
+ std::to_string(m_fd.Esuel().size()/4-1) +" : "+ std::to_string(e) );
auto meshid = Disc()->MeshId();
contribute( sizeof(std::size_t), &meshid, CkReduction::nop,
CkCallback(CkReductionTarget(Transporter,startEsup), Disc()->Tr()) );
}
void
DG::nodeNeighSetup()
// *****************************************************************************
// Setup node-neighborhood (esup)
//! \details At this point the face-ghost communication map has been established
//! on this chare. This function begins generating the node-ghost comm map.
// *****************************************************************************
{
if (Disc()->NodeCommMap().empty())
// in serial, skip setting up node-neighborhood
{ comesup_complete(); }
else
{
const auto& nodeCommMap = Disc()->NodeCommMap();
// send out node-neighborhood map
for (const auto& [cid, nlist] : nodeCommMap)
{
std::unordered_map< std::size_t, std::vector< std::size_t > > bndEsup;
std::unordered_map< std::size_t, std::vector< tk::real > > nodeBndCells;
for (const auto& p : nlist)
{
auto pl = tk::cref_find(Disc()->Lid(), p);
// fill in the esup for the chare-boundary
const auto& pesup = tk::cref_find(m_esup, pl);
bndEsup[p] = pesup;
// fill a map with the element ids from esup as keys and geoElem as
// values, and another map containing these elements associated with
// the chare id with which they are node-neighbors.
for (const auto& e : pesup)
{
nodeBndCells[e] = m_geoElem[e];
// add these esup-elements into map of elements along chare boundary
Assert( e < m_fd.Esuel().size()/4, "Sender contains ghost tet id." );
m_sendGhost[cid].insert(e);
}
}
thisProxy[cid].comEsup(thisIndex, bndEsup, nodeBndCells);
}
}
ownesup_complete();
}
void
DG::comEsup( int fromch,
const std::unordered_map< std::size_t, std::vector< std::size_t > >& bndEsup,
const std::unordered_map< std::size_t, std::vector< tk::real > >&
nodeBndCells )
// *****************************************************************************
//! \brief Receive elements-surrounding-points data-structure for points on
// common boundary between receiving and sending neighbor chare, and the
// element geometries for these new elements
//! \param[in] fromch Sender chare id
//! \param[in] bndEsup Elements-surrounding-points data-structure from fromch
//! \param[in] nodeBndCells Map containing element geometries associated with
//! remote element IDs in the esup
// *****************************************************************************
{
auto& chghost = m_ghost[fromch];
// Extend remote-local element id map and element geometry array
for (const auto& e : nodeBndCells)
{
// need to check following, because 'e' could have been added previously in
// remote-local element id map as a part of face-communication, i.e. as a
// face-ghost element
if (chghost.find(e.first) == chghost.end())
{
chghost[e.first] = m_nunk;
m_geoElem.push_back(e.second);
++m_nunk;
}
}
// Store incoming data in comm-map buffer for Esup
for (const auto& [node, elist] : bndEsup)
{
auto pl = tk::cref_find(Disc()->Lid(), node);
auto& pesup = m_esupc[pl];
for (auto e : elist)
{
auto el = tk::cref_find(chghost, e);
pesup.push_back(el);
}
}
// if we have heard from all fellow chares that we share at least a single
// node, edge, or face with
if (++m_ncomEsup == Disc()->NodeCommMap().size()) {
m_ncomEsup = 0;
comesup_complete();
}
}
void
DG::adj()
// *****************************************************************************
// Finish up with adjacency maps, and do a global-sync to begin problem setup
//! \details At this point, the nodal- and face-adjacency has been set up. This
// function does some error checking on the nodal-adjacency and prepares
// for problem setup.
// *****************************************************************************
{
// combine own and communicated contributions to elements surrounding points
for (auto& [p, elist] : m_esupc)
{
auto& pesup = tk::ref_find(m_esup, p);
for ([[maybe_unused]] auto e : elist)
{
Assert( e >= m_fd.Esuel().size()/4, "Non-ghost element received from "
"esup buffer." );
}
tk::concat< std::size_t >(std::move(elist), pesup);
}
tk::destroy(m_ghostData);
tk::destroy(m_esupc);
if ( g_inputdeck.get< tag::cmd, tag::feedback >() ) Disc()->Tr().chadj();
// Error checking on ghost data
for(const auto& n : m_sendGhost)
for([[maybe_unused]] const auto& i : n.second)
Assert( i < m_fd.Esuel().size()/4, "Sender contains ghost tet id. ");
// Resize solution vectors, lhs and rhs by the number of ghost tets
m_u.resize( m_nunk );
m_un.resize( m_nunk );
m_p.resize( m_nunk );
m_lhs.resize( m_nunk );
m_rhs.resize( m_nunk );
// Create a mapping between local ghost tet ids and zero-based boundary ids
std::vector< std::size_t > c( tk::sumvalsize( m_ghost ) );
std::size_t j = 0;
for (const auto& n : m_ghost) {
for(const auto& i : n.second) {
c[j++] = i.second;
}
}
m_bid = tk::assignLid( c );
// Size communication buffer that receives number of degrees of freedom
for (auto& n : m_ndofc) n.resize( m_bid.size() );
for (auto& u : m_uc) u.resize( m_bid.size() );
for (auto& p : m_pc) p.resize( m_bid.size() );
// Initialize number of degrees of freedom in mesh elements
const auto pref = g_inputdeck.get< tag::pref, tag::pref >();
if( pref )
{
const auto ndofmax = g_inputdeck.get< tag::pref, tag::ndofmax >();
m_ndof.resize( m_nunk, ndofmax );
}
else
{
const auto ndof = g_inputdeck.get< tag::discr, tag::ndof >();
m_ndof.resize( m_nunk, ndof );
}
// Ensure that we also have all the geometry and connectivity data
// (including those of ghosts)
Assert( m_geoElem.nunk() == m_u.nunk(), "GeoElem unknowns size mismatch" );
// Basic error checking on ghost tet ID map
Assert( m_ghost.find( thisIndex ) == m_ghost.cend(),
"Ghost id map should not contain data for own chare ID" );
// Store expected ghost tet IDs
for (const auto& n : m_ghost)
for ([[maybe_unused]] const auto& g : n.second)
Assert( m_exptGhost.insert( g.second ).second,
"Failed to store local tetid as exptected ghost id" );
// Signal the runtime system that all workers have received their adjacency
std::vector< std::size_t > meshdata{ m_initial, Disc()->MeshId() };
contribute( meshdata, CkReduction::sum_ulong,
CkCallback(CkReductionTarget(Transporter,comfinal), Disc()->Tr()) );
}
void
DG::registerReducers()
// *****************************************************************************
// Configure Charm++ reduction types
//! \details Since this is a [initnode] routine, the runtime system executes the
//! routine exactly once on every logical node early on in the Charm++ init
//! sequence. Must be static as it is called without an object. See also:
//! Section "Initializations at Program Startup" at in the Charm++ manual
//! http://charm.cs.illinois.edu/manuals/html/charm++/manual.html.
// *****************************************************************************
{
ElemDiagnostics::registerReducers();
}
void
DG::ResumeFromSync()
// *****************************************************************************
// Return from migration
//! \details This is called when load balancing (LB) completes. The presence of
//! this function does not affect whether or not we block on LB.
// *****************************************************************************
{
if (Disc()->It() == 0) Throw( "it = 0 in ResumeFromSync()" );
if (!g_inputdeck.get< tag::cmd, tag::nonblocking >()) next();
}
void
DG::setup()
// *****************************************************************************
// Set initial conditions, generate lhs, output mesh
// *****************************************************************************
{
if (g_inputdeck.get< tag::cmd, tag::chare >() ||
g_inputdeck.get< tag::cmd, tag::quiescence >())
stateProxy.ckLocalBranch()->insert( "DG", thisIndex, CkMyPe(), Disc()->It(),
"setup" );
auto d = Disc();<--- Variable 'd' is assigned a value that is never used.
// Basic error checking on sizes of element geometry data and connectivity
Assert( m_geoElem.nunk() == m_lhs.nunk(), "Size mismatch in DG::setup()" );
// Compute left-hand side of discrete PDEs
lhs();
// Determine elements inside user-defined IC box
for (auto& eq : g_dgpde)
eq.IcBoxElems( m_geoElem, m_fd.Esuel().size()/4, m_boxelems );
// Compute volume of user-defined box IC
d->boxvol( {} ); // punt for now
// Query time history field output labels from all PDEs integrated
const auto& hist_points = g_inputdeck.get< tag::history, tag::point >();
if (!hist_points.empty()) {
std::vector< std::string > histnames;
for (const auto& eq : g_dgpde) {
auto n = eq.histNames();
histnames.insert( end(histnames), begin(n), end(n) );
}
d->histheader( std::move(histnames) );
}
}
void
DG::box( tk::real v )
// *****************************************************************************
// Receive total box IC volume and set conditions in box
//! \param[in] v Total volume within user-specified box
// *****************************************************************************
{
auto d = Disc();
// Store user-defined box IC volume
d->Boxvol() = v;
// Set initial conditions for all PDEs
for (const auto& eq : g_dgpde)
{
eq.initialize( m_lhs, m_inpoel, m_coord, m_boxelems, m_u, d->T(),
m_fd.Esuel().size()/4 );
eq.updatePrimitives( m_u, m_lhs, m_geoElem, m_p, m_fd.Esuel().size()/4 );
}
m_un = m_u;
// Output initial conditions to file (regardless of whether it was requested)
startFieldOutput( CkCallback(CkIndex_DG::start(), thisProxy[thisIndex]) );
}
void
DG::start()
// *****************************************************************************
// Start time stepping
// *****************************************************************************
{
// Free memory storing output mesh
m_outmesh.destroy();
// Start timer measuring time stepping wall clock time
Disc()->Timer().zero();
// Zero grind-timer
Disc()->grindZero();
// Start time stepping by computing the size of the next time step)
next();
}
void
DG::startFieldOutput( CkCallback c )
// *****************************************************************************
// Start preparing fields for output to file
//! \param[in] c Function to continue with after the write
// *****************************************************************************
{
// No field output in benchmark mode or if field output frequency not hit
if (g_inputdeck.get< tag::cmd, tag::benchmark >() || !fieldOutput()) {
c.send();
} else {
// Optionally refine mesh for field output
auto d = Disc();
if (refinedOutput()) {
const auto& tr = tk::remap( m_fd.Triinpoel(), d->Gid() );
d->Ref()->outref( m_fd.Bface(), {}, tr, c );
} else {
// cut off ghosts from mesh connectivity and coordinates
const auto& tr = tk::remap( m_fd.Triinpoel(), d->Gid() );
extractFieldOutput( {}, d->Chunk(), d->Coord(), {}, {},
d->NodeCommMap(), m_fd.Bface(), {}, tr, c );
}
}
}
void
DG::next()
// *****************************************************************************
// Advance equations to next time step
// *****************************************************************************
{
const auto pref = g_inputdeck.get< tag::pref, tag::pref >();
auto d = Disc();
if (pref && m_stage == 0 && d->T() > 0)
for (const auto& eq : g_dgpde)
eq.eval_ndof( m_nunk, m_coord, m_inpoel, m_fd, m_u,
g_inputdeck.get< tag::pref, tag::indicator >(),
g_inputdeck.get< tag::discr, tag::ndof >(),
g_inputdeck.get< tag::pref, tag::ndofmax >(),
g_inputdeck.get< tag::pref, tag::tolref >(),
m_ndof );
// communicate solution ghost data (if any)
if (m_sendGhost.empty())
comsol_complete();
else
for(const auto& [cid, ghostdata] : m_sendGhost) {
std::vector< std::size_t > tetid( ghostdata.size() );
std::vector< std::vector< tk::real > > u( ghostdata.size() ),
prim( ghostdata.size() );
std::vector< std::size_t > ndof;
std::size_t j = 0;
for(const auto& i : ghostdata) {
Assert( i < m_fd.Esuel().size()/4, "Sending solution ghost data" );
tetid[j] = i;
u[j] = m_u[i];
prim[j] = m_p[i];
if (pref && m_stage == 0) ndof.push_back( m_ndof[i] );
++j;
}
thisProxy[ cid ].comsol( thisIndex, m_stage, tetid, u, prim, ndof );
}
ownsol_complete();
}
void
DG::comsol( int fromch,
std::size_t fromstage,
const std::vector< std::size_t >& tetid,
const std::vector< std::vector< tk::real > >& u,
const std::vector< std::vector< tk::real > >& prim,
const std::vector< std::size_t >& ndof )
// *****************************************************************************
// Receive chare-boundary solution ghost data from neighboring chares
//! \param[in] fromch Sender chare id
//! \param[in] fromstage Sender chare time step stage
//! \param[in] tetid Ghost tet ids we receive solution data for
//! \param[in] u Solution ghost data
//! \param[in] prim Primitive variables in ghost cells
//! \param[in] ndof Number of degrees of freedom for chare-boundary elements
//! \details This function receives contributions to the unlimited solution
//! from fellow chares.
// *****************************************************************************
{
Assert( u.size() == tetid.size(), "Size mismatch in DG::comsol()" );
Assert( prim.size() == tetid.size(), "Size mismatch in DG::comsol()" );
const auto pref = g_inputdeck.get< tag::pref, tag::pref >();
if (pref && fromstage == 0)
Assert( ndof.size() == tetid.size(), "Size mismatch in DG::comsol()" );
// Find local-to-ghost tet id map for sender chare
const auto& n = tk::cref_find( m_ghost, fromch );
for (std::size_t i=0; i<tetid.size(); ++i) {
auto j = tk::cref_find( n, tetid[i] );
Assert( j >= m_fd.Esuel().size()/4, "Receiving solution non-ghost data" );
auto b = tk::cref_find( m_bid, j );
Assert( b < m_uc[0].size(), "Indexing out of bounds" );
m_uc[0][b] = u[i];
m_pc[0][b] = prim[i];
if (pref && fromstage == 0) {
Assert( b < m_ndofc[0].size(), "Indexing out of bounds" );
m_ndofc[0][b] = ndof[i];
}
}
// if we have received all solution ghost contributions from neighboring
// chares (chares we communicate along chare-boundary faces with), and
// contributed our solution to these neighbors, proceed to reconstructions
if (++m_nsol == m_sendGhost.size()) {
m_nsol = 0;
comsol_complete();
}
}
void
DG::extractFieldOutput(
const std::vector< std::size_t >& /*ginpoel*/,
const tk::UnsMesh::Chunk& chunk,
const tk::UnsMesh::Coords& coord,
const std::unordered_map< std::size_t, tk::UnsMesh::Edge >& /*addedNodes*/,
const std::unordered_map< std::size_t, std::size_t >& addedTets,
const tk::NodeCommMap& nodeCommMap,
const std::map< int, std::vector< std::size_t > >& bface,
const std::map< int, std::vector< std::size_t > >& /* bnode */,
const std::vector< std::size_t >& triinpoel,
CkCallback c )
// *****************************************************************************
// Extract field output going to file
//! \param[in] chunk Field-output mesh chunk (connectivity and global<->local
//! id maps)
//! \param[in] coord Field-output mesh node coordinates
//! \param[in] addedTets Field-output mesh cells and their parents (local ids)
//! \param[in] nodeCommMap Field-output mesh node communication map
//! \param[in] bface Field-output meshndary-faces mapped to side set ids
//! \param[in] triinpoel Field-output mesh boundary-face connectivity
//! \param[in] c Function to continue with after the write
// *****************************************************************************
{
m_outmesh.chunk = chunk;
m_outmesh.coord = coord;
m_outmesh.triinpoel = triinpoel;
m_outmesh.bface = bface;
m_outmesh.nodeCommMap = nodeCommMap;
const auto& inpoel = std::get< 0 >( chunk );
auto nelem = inpoel.size() / 4;
// Evaluate element solution on incoming mesh
auto [ue,pe,un,pn] = evalSolution( inpoel, coord, addedTets );
// Collect field output from numerical solution requested by user
m_elemfields = numericFieldOutput( ue, tk::Centering::ELEM, pe );
m_nodefields = numericFieldOutput( un, tk::Centering::NODE, pn );
// Collect field output from analytical solutions (if exist)
auto geoElem = tk::genGeoElemTet( inpoel, coord );
auto t = Disc()->T();
for (const auto& eq : g_dgpde) {
analyticFieldOutput( eq, tk::Centering::ELEM, geoElem.extract(1,0),
geoElem.extract(2,0), geoElem.extract(3,0), t, m_elemfields );
analyticFieldOutput( eq, tk::Centering::NODE, coord[0], coord[1], coord[2],
t, m_nodefields );
}
// Add adaptive indicator array to element-centered field output
if (g_inputdeck.get< tag::pref, tag::pref >()) {
std::vector< tk::real > ndof( begin(m_ndof), end(m_ndof) );
ndof.resize( nelem );
for (const auto& [child,parent] : addedTets)
ndof[child] = static_cast< tk::real >( m_ndof[parent] );
m_elemfields.push_back( ndof );
}
// Add shock detection marker array to element-centered field output
std::vector< tk::real > shockmarker( begin(m_shockmarker), end(m_shockmarker) );
// Here m_shockmarker has a size of m_u.nunk() which is the number of the
// elements within this partition (nelem) plus the ghost partition cells. In
// terms of output purpose, we only need the solution data within this
// partition. Therefore, resizing it to nelem removes the extra partition
// boundary allocations in the shockmarker vector. Since the code assumes that
// the boundary elements are on the top, the resize operation keeps the lower
// portion.
shockmarker.resize( nelem );
for (const auto& [child,parent] : addedTets)
shockmarker[child] = static_cast< tk::real >(m_shockmarker[parent]);
m_elemfields.push_back( shockmarker );
// Send node fields contributions to neighbor chares
if (nodeCommMap.empty())
comnodeout_complete();
else {
const auto& lid = std::get< 2 >( chunk );
auto esup = tk::genEsup( inpoel, 4 );
for(const auto& [ch,nodes] : nodeCommMap) {
// Pack node field data in chare boundary nodes
std::vector< std::vector< tk::real > >
l( m_nodefields.size(), std::vector< tk::real >( nodes.size() ) );
for (std::size_t f=0; f<m_nodefields.size(); ++f) {
std::size_t j = 0;
for (auto g : nodes)
l[f][j++] = m_nodefields[f][ tk::cref_find(lid,g) ];
}
// Pack (partial) number of elements surrounding chare boundary nodes
std::vector< std::size_t > nesup( nodes.size() );
std::size_t j = 0;
for (auto g : nodes) {
auto i = tk::cref_find( lid, g );
nesup[j++] = esup.second[i+1] - esup.second[i];
}
thisProxy[ch].comnodeout(
std::vector<std::size_t>(begin(nodes),end(nodes)), nesup, l );
}
}
ownnod_complete( c );
}
std::tuple< tk::Fields, tk::Fields, tk::Fields, tk::Fields >
DG::evalSolution(
const std::vector< std::size_t >& inpoel,
const tk::UnsMesh::Coords& coord,
const std::unordered_map< std::size_t, std::size_t >& addedTets )
// *****************************************************************************
// Evaluate solution on incomping (a potentially refined) mesh
//! \param[in] inpoel Incoming (potentially refined field-output) mesh
//! connectivity
//! \param[in] coord Incoming (potentially refined Field-output) mesh node
//! coordinates
//! \param[in] addedTets Field-output mesh cells and their parents (local ids)
//! \details This function evaluates the solution on the incoming mesh. The
//! incoming mesh can be refined but can also be just the mesh the numerical
//! solution is computed on.
//! \note If the incoming mesh is refined (for field putput) compared to the
//! mesh the numerical solution is computed on, the solution is evaluated in
//! cells as wells as in nodes. If the solution is not refined, the solution
//! is evaluated in nodes.
//! \return Solution in cells, primitive variables in cells, solution in nodes,
//! primitive variables in nodes of incoming mesh.
// *****************************************************************************
{
using tk::dot;
using tk::real;
const auto nelem = inpoel.size()/4;
const auto rdof = g_inputdeck.get< tag::discr, tag::rdof >();
const auto uncomp = m_u.nprop() / rdof;
const auto pncomp = m_p.nprop() / rdof;
auto ue = m_u;
auto pe = m_p;
// If mesh is not refined for field output, cut off ghosts from element
// solution. (No need to output ghosts and writer would error.) If mesh is
// refined for field output, resize element solution fields to refined mesh.
ue.resize( nelem );
pe.resize( nelem );
auto npoin = coord[0].size();
tk::Fields un( npoin, m_u.nprop()/rdof );
tk::Fields pn( npoin, m_p.nprop()/rdof );
un.fill(0.0);
pn.fill(0.0);
const auto& x = coord[0];
const auto& y = coord[1];
const auto& z = coord[2];
// If mesh is not refined for output, evaluate solution in nodes
if (addedTets.empty()) {
for (std::size_t e=0; e<nelem; ++e) {
auto e4 = e*4;
// Extract element node coordinates
std::array< std::array< real, 3>, 4 > ce{{
{{ x[inpoel[e4 ]], y[inpoel[e4 ]], z[inpoel[e4 ]] }},
{{ x[inpoel[e4+1]], y[inpoel[e4+1]], z[inpoel[e4+1]] }},
{{ x[inpoel[e4+2]], y[inpoel[e4+2]], z[inpoel[e4+2]] }},
{{ x[inpoel[e4+3]], y[inpoel[e4+3]], z[inpoel[e4+3]] }} }};
// Compute inverse Jacobian
auto J = tk::inverseJacobian( ce[0], ce[1], ce[2], ce[3] );
// Evaluate solution in child nodes
for (std::size_t j=0; j<4; ++j) {
std::array< real, 3 >
h{{ce[j][0]-ce[0][0], ce[j][1]-ce[0][1], ce[j][2]-ce[0][2] }};
auto Bn = tk::eval_basis( m_ndof[e],
dot(J[0],h), dot(J[1],h), dot(J[2],h) );
auto u = eval_state( uncomp, 0, rdof, m_ndof[e], e, m_u, Bn, {0, uncomp-1} );
auto p = eval_state( pncomp, 0, rdof, m_ndof[e], e, m_p, Bn, {0, pncomp-1} );
// Assign child node solution
for (std::size_t i=0; i<uncomp; ++i) un(inpoel[e4+j],i,0) += u[i];
for (std::size_t i=0; i<pncomp; ++i) pn(inpoel[e4+j],i,0) += p[i];
}
}
// If mesh is refed for output, evaluate solution in elements and nodes of
// refined mesh
} else {
const auto& pinpoel = Disc()->Inpoel(); // unrefined (parent) mesh
for ([[maybe_unused]] const auto& [child,parent] : addedTets) {
Assert( child < nelem, "Indexing out of new solution vector" );
Assert( parent < pinpoel.size()/4,
"Indexing out of old solution vector" );
}
for (const auto& [child,parent] : addedTets) {
// Extract parent element's node coordinates
auto p4 = 4*parent;
std::array< std::array< real, 3>, 4 > cp{{
{{ x[pinpoel[p4 ]], y[pinpoel[p4 ]], z[pinpoel[p4 ]] }},
{{ x[pinpoel[p4+1]], y[pinpoel[p4+1]], z[pinpoel[p4+1]] }},
{{ x[pinpoel[p4+2]], y[pinpoel[p4+2]], z[pinpoel[p4+2]] }},
{{ x[pinpoel[p4+3]], y[pinpoel[p4+3]], z[pinpoel[p4+3]] }} }};
// Evaluate inverse Jacobian of the parent
auto Jp = tk::inverseJacobian( cp[0], cp[1], cp[2], cp[3] );
// Compute child cell centroid
auto c4 = 4*child;
auto cx = (x[inpoel[c4 ]] + x[inpoel[c4+1]] +
x[inpoel[c4+2]] + x[inpoel[c4+3]]) / 4.0;
auto cy = (y[inpoel[c4 ]] + y[inpoel[c4+1]] +
y[inpoel[c4+2]] + y[inpoel[c4+3]]) / 4.0;
auto cz = (z[inpoel[c4 ]] + z[inpoel[c4+1]] +
z[inpoel[c4+2]] + z[inpoel[c4+3]]) / 4.0;
// Compute solution in child centroid
std::array< real, 3 > h{{cx-cp[0][0], cy-cp[0][1], cz-cp[0][2] }};
auto B = tk::eval_basis( m_ndof[parent],
dot(Jp[0],h), dot(Jp[1],h), dot(Jp[2],h) );
auto u = eval_state( uncomp, 0, rdof, m_ndof[parent], parent, m_u, B, {0, uncomp-1} );
auto p = eval_state( pncomp, 0, rdof, m_ndof[parent], parent, m_p, B, {0, pncomp-1} );
// Assign cell center solution from parent to child
for (std::size_t i=0; i<uncomp; ++i) ue(child,i*rdof,0) = u[i];
for (std::size_t i=0; i<pncomp; ++i) pe(child,i*rdof,0) = p[i];
// Extract child element's node coordinates
std::array< std::array< real, 3>, 4 > cc{{
{{ x[inpoel[c4 ]], y[inpoel[c4 ]], z[inpoel[c4 ]] }},
{{ x[inpoel[c4+1]], y[inpoel[c4+1]], z[inpoel[c4+1]] }},
{{ x[inpoel[c4+2]], y[inpoel[c4+2]], z[inpoel[c4+2]] }},
{{ x[inpoel[c4+3]], y[inpoel[c4+3]], z[inpoel[c4+3]] }} }};
// Evaluate solution in child nodes
for (std::size_t j=0; j<4; ++j) {
std::array< real, 3 >
hn{{cc[j][0]-cp[0][0], cc[j][1]-cp[0][1], cc[j][2]-cp[0][2] }};
auto Bn = tk::eval_basis( m_ndof[parent],
dot(Jp[0],hn), dot(Jp[1],hn), dot(Jp[2],hn) );
auto cnu = eval_state(uncomp, 0, rdof, m_ndof[parent], parent, m_u, Bn, {0, uncomp-1});
auto cnp = eval_state(pncomp, 0, rdof, m_ndof[parent], parent, m_p, Bn, {0, pncomp-1});
// Assign child node solution
for (std::size_t i=0; i<uncomp; ++i) un(inpoel[c4+j],i,0) += cnu[i];
for (std::size_t i=0; i<pncomp; ++i) pn(inpoel[c4+j],i,0) += cnp[i];
}
}
}
return { ue, pe, un, pn };
}
void
DG::lhs()
// *****************************************************************************
// Compute left-hand side of discrete transport equations
// *****************************************************************************
{
for (const auto& eq : g_dgpde) eq.lhs( m_geoElem, m_lhs );
if (!m_initial) stage();
}
void
DG::reco()
// *****************************************************************************
// Compute reconstructions
// *****************************************************************************
{
const auto pref = g_inputdeck.get< tag::pref, tag::pref >();
const auto rdof = g_inputdeck.get< tag::discr, tag::rdof >();
// Combine own and communicated contributions of unreconstructed solution and
// degrees of freedom in cells (if p-adaptive)
for (const auto& b : m_bid) {
Assert( m_uc[0][b.second].size() == m_u.nprop(), "ncomp size mismatch" );
Assert( m_pc[0][b.second].size() == m_p.nprop(), "ncomp size mismatch" );
for (std::size_t c=0; c<m_u.nprop(); ++c) {
m_u(b.first,c,0) = m_uc[0][b.second][c];
}
for (std::size_t c=0; c<m_p.nprop(); ++c) {
m_p(b.first,c,0) = m_pc[0][b.second][c];
}
if (pref && m_stage == 0) {
m_ndof[ b.first ] = m_ndofc[0][ b.second ];
}
}
if (pref && m_stage==0) propagate_ndof();
if (rdof > 1) {
auto d = Disc();
// Reconstruct second-order solution and primitive quantities
for (const auto& eq : g_dgpde)
eq.reconstruct( d->T(), m_geoFace, m_geoElem, m_fd, m_esup, m_inpoel,
m_coord, m_u, m_p );
}
// Send reconstructed solution to neighboring chares
if (m_sendGhost.empty())
comreco_complete();
else
for(const auto& [cid, ghostdata] : m_sendGhost) {
std::vector< std::size_t > tetid( ghostdata.size() );
std::vector< std::vector< tk::real > > u( ghostdata.size() ),
prim( ghostdata.size() );
std::vector< std::size_t > ndof;
std::size_t j = 0;
for(const auto& i : ghostdata) {
Assert( i < m_fd.Esuel().size()/4, "Sending reconstructed ghost "
"data" );
tetid[j] = i;
u[j] = m_u[i];
prim[j] = m_p[i];
if (pref && m_stage == 0) ndof.push_back( m_ndof[i] );
++j;
}
thisProxy[ cid ].comreco( thisIndex, tetid, u, prim, ndof );
}
ownreco_complete();
}
void
DG::comreco( int fromch,
const std::vector< std::size_t >& tetid,
const std::vector< std::vector< tk::real > >& u,
const std::vector< std::vector< tk::real > >& prim,
const std::vector< std::size_t >& ndof )
// *****************************************************************************
// Receive chare-boundary reconstructed ghost data from neighboring chares
//! \param[in] fromch Sender chare id
//! \param[in] tetid Ghost tet ids we receive solution data for
//! \param[in] u Reconstructed high-order solution
//! \param[in] prim Limited high-order primitive quantities
//! \param[in] ndof Number of degrees of freedom for chare-boundary elements
//! \details This function receives contributions to the reconstructed solution
//! from fellow chares.
// *****************************************************************************
{
Assert( u.size() == tetid.size(), "Size mismatch in DG::comreco()" );
Assert( prim.size() == tetid.size(), "Size mismatch in DG::comreco()" );
const auto pref = g_inputdeck.get< tag::pref, tag::pref >();
if (pref && m_stage == 0)
Assert( ndof.size() == tetid.size(), "Size mismatch in DG::comreco()" );
// Find local-to-ghost tet id map for sender chare
const auto& n = tk::cref_find( m_ghost, fromch );
for (std::size_t i=0; i<tetid.size(); ++i) {
auto j = tk::cref_find( n, tetid[i] );
Assert( j >= m_fd.Esuel().size()/4, "Receiving solution non-ghost data" );
auto b = tk::cref_find( m_bid, j );
Assert( b < m_uc[1].size(), "Indexing out of bounds" );
Assert( b < m_pc[1].size(), "Indexing out of bounds" );
m_uc[1][b] = u[i];
m_pc[1][b] = prim[i];
if (pref && m_stage == 0) {
Assert( b < m_ndofc[1].size(), "Indexing out of bounds" );
m_ndofc[1][b] = ndof[i];
}
}
// if we have received all solution ghost contributions from neighboring
// chares (chares we communicate along chare-boundary faces with), and
// contributed our solution to these neighbors, proceed to limiting
if (++m_nreco == m_sendGhost.size()) {
m_nreco = 0;
comreco_complete();
}
}
void
DG::nodalExtrema()
// *****************************************************************************
// Compute nodal extrema at chare-boundary nodes. Extrema at internal nodes
// are calculated in limiter function.
// *****************************************************************************
{
auto d = Disc();
auto gid = d->Gid();
auto bid = d->Bid();
const auto rdof = g_inputdeck.get< tag::discr, tag::rdof >();
const auto pref = g_inputdeck.get< tag::pref, tag::pref >();<--- Variable 'pref' is assigned a value that is never used.
const auto ncomp = m_u.nprop() / rdof;
const auto nprim = m_p.nprop() / rdof;
// Combine own and communicated contributions of unlimited solution, and
// if a p-adaptive algorithm is used, degrees of freedom in cells
for (const auto& [boundary, localtet] : m_bid) {
Assert( m_uc[1][localtet].size() == m_u.nprop(), "ncomp size mismatch" );
Assert( m_pc[1][localtet].size() == m_p.nprop(), "ncomp size mismatch" );
for (std::size_t c=0; c<m_u.nprop(); ++c) {
m_u(boundary,c,0) = m_uc[1][localtet][c];
}
for (std::size_t c=0; c<m_p.nprop(); ++c) {
m_p(boundary,c,0) = m_pc[1][localtet][c];
}
if (pref && m_stage == 0) {
m_ndof[ boundary ] = m_ndofc[1][ localtet ];
}
}
// Initialize nodal extrema vector
auto large = std::numeric_limits< tk::real >::max();
for(std::size_t i = 0; i<bid.size(); i++)
{
for (std::size_t c=0; c<ncomp; ++c)
{
for(std::size_t idof=0; idof<m_ndof_NodalExtrm; idof++)
{
auto max_mark = 2*c*m_ndof_NodalExtrm + 2*idof;
auto min_mark = max_mark + 1;
m_uNodalExtrm[i][max_mark] = -large;
m_uNodalExtrm[i][min_mark] = large;
}
}
for (std::size_t c=0; c<nprim; ++c)
{
for(std::size_t idof=0; idof<m_ndof_NodalExtrm; idof++)
{
auto max_mark = 2*c*m_ndof_NodalExtrm + 2*idof;
auto min_mark = max_mark + 1;
m_pNodalExtrm[i][max_mark] = -large;
m_pNodalExtrm[i][min_mark] = large;
}
}
}
// Evaluate the max/min value for the chare-boundary nodes
if(rdof > 4) {
evalNodalExtrm(ncomp, nprim, m_ndof_NodalExtrm, d->bndel(), m_inpoel,
m_coord, gid, bid, m_u, m_p, m_uNodalExtrm, m_pNodalExtrm);
}
// Communicate extrema at nodes to other chares on chare-boundary
if (d->NodeCommMap().empty()) // in serial we are done
comnodalExtrema_complete();
else // send nodal extrema to chare-boundary nodes to fellow chares
{
for (const auto& [c,n] : d->NodeCommMap()) {
std::vector< std::vector< tk::real > > g1( n.size() ), g2( n.size() );
std::size_t j = 0;
for (auto i : n)
{
auto p = tk::cref_find(d->Bid(),i);
g1[ j ] = m_uNodalExtrm[ p ];
g2[ j++ ] = m_pNodalExtrm[ p ];
}
thisProxy[c].comnodalExtrema( std::vector<std::size_t>(begin(n),end(n)),
g1, g2 );
}
}
ownnodalExtrema_complete();
}
void
DG::comnodalExtrema( const std::vector< std::size_t >& gid,
const std::vector< std::vector< tk::real > >& G1,
const std::vector< std::vector< tk::real > >& G2 )
// *****************************************************************************
// Receive contributions to nodal extrema on chare-boundaries
//! \param[in] gid Global mesh node IDs at which we receive grad contributions
//! \param[in] G1 Partial contributions of extrema for conservative variables to
//! chare-boundary nodes
//! \param[in] G2 Partial contributions of extrema for primitive variables to
//! chare-boundary nodes
//! \details This function receives contributions to m_uNodalExtrm/m_pNodalExtrm
//! , which stores nodal extrems at mesh chare-boundary nodes. While
//! m_uNodalExtrm/m_pNodalExtrm stores own contributions, m_uNodalExtrmc
//! /m_pNodalExtrmc collects the neighbor chare contributions during
//! communication.
// *****************************************************************************
{
Assert( G1.size() == gid.size(), "Size mismatch" );
Assert( G2.size() == gid.size(), "Size mismatch" );
const auto rdof = g_inputdeck.get< tag::discr, tag::rdof >();
const auto ncomp = m_u.nprop() / rdof;
const auto nprim = m_p.nprop() / rdof;
for (std::size_t i=0; i<gid.size(); ++i)
{
auto& u = m_uNodalExtrmc[gid[i]];
auto& p = m_pNodalExtrmc[gid[i]];
for (std::size_t c=0; c<ncomp; ++c)
{
for(std::size_t idof=0; idof<m_ndof_NodalExtrm; idof++)
{
auto max_mark = 2*c*m_ndof_NodalExtrm + 2*idof;
auto min_mark = max_mark + 1;
u[max_mark] = std::max( G1[i][max_mark], u[max_mark] );
u[min_mark] = std::min( G1[i][min_mark], u[min_mark] );
}
}
for (std::size_t c=0; c<nprim; ++c)
{
for(std::size_t idof=0; idof<m_ndof_NodalExtrm; idof++)
{
auto max_mark = 2*c*m_ndof_NodalExtrm + 2*idof;
auto min_mark = max_mark + 1;
p[max_mark] = std::max( G2[i][max_mark], p[max_mark] );
p[min_mark] = std::min( G2[i][min_mark], p[min_mark] );
}
}
}
if (++m_nnodalExtrema == Disc()->NodeCommMap().size())
{
m_nnodalExtrema = 0;
comnodalExtrema_complete();
}
}
void DG::resizeNodalExtremac()
// *****************************************************************************
// Resize the buffer vector of nodal extrema
// *****************************************************************************
{
const auto rdof = g_inputdeck.get< tag::discr, tag::rdof >();
const auto ncomp = m_u.nprop() / rdof;
const auto nprim = m_p.nprop() / rdof;
auto large = std::numeric_limits< tk::real >::max();
for (const auto& [c,n] : Disc()->NodeCommMap())
{
for (auto i : n) {
auto& u = m_uNodalExtrmc[i];
auto& p = m_pNodalExtrmc[i];
u.resize( 2*m_ndof_NodalExtrm*ncomp, large );
p.resize( 2*m_ndof_NodalExtrm*nprim, large );
// Initialize the minimum nodal extrema
for(std::size_t idof=0; idof<m_ndof_NodalExtrm; idof++)
{
for(std::size_t k = 0; k < ncomp; k++)
u[2*k*m_ndof_NodalExtrm+2*idof] = -large;
for(std::size_t k = 0; k < nprim; k++)
p[2*k*m_ndof_NodalExtrm+2*idof] = -large;
}
}
}
}
void DG::evalNodalExtrm( const std::size_t ncomp,
const std::size_t nprim,
const std::size_t ndof_NodalExtrm,
const std::vector< std::size_t >& bndel,
const std::vector< std::size_t >& inpoel,
const tk::UnsMesh::Coords& coord,
const std::vector< std::size_t >& gid,
const std::unordered_map< std::size_t, std::size_t >&
bid,
const tk::Fields& U,
const tk::Fields& P,
std::vector< std::vector<tk::real> >& uNodalExtrm,
std::vector< std::vector<tk::real> >& pNodalExtrm )
// *****************************************************************************
// Compute the nodal extrema for chare-boundary nodes
//! \param[in] ncomp Number of conservative variables
//! \param[in] nprim Number of primitive variables
//! \param[in] ndof_NodalExtrm Degree of freedom for nodal extrema
//! \param[in] bndel List of elements contributing to chare-boundary nodes
//! \param[in] inpoel Element-node connectivity for element e
//! \param[in] coord Array of nodal coordinates
//! \param[in] gid Local->global node id map
//! \param[in] bid Local chare-boundary node ids (value) associated to
//! global node ids (key)
//! \param[in] U Vector of conservative variables
//! \param[in] P Vector of primitive variables
//! \param[in,out] uNodalExtrm Chare-boundary nodal extrema for conservative
//! variables
//! \param[in,out] pNodalExtrm Chare-boundary nodal extrema for primitive
//! variables
// *****************************************************************************
{
const auto rdof = g_inputdeck.get< tag::discr, tag::rdof >();
for (auto e : bndel)
{
// access node IDs
const std::vector<std::size_t> N
{ inpoel[e*4+0], inpoel[e*4+1], inpoel[e*4+2], inpoel[e*4+3] };
// Loop over nodes of element e
for(std::size_t ip=0; ip<4; ++ip)
{
auto i = bid.find( gid[N[ip]] );
if (i != end(bid)) // If ip is the chare boundary point
{
// If DG(P2) is applied, find the nodal extrema of the gradients of
// conservative/primitive variables in the physical domain
// Vector used to store the first order derivatives for both
// conservative and primitive variables
std::vector< std::array< tk::real, 3 > > gradc(ncomp, {0.0, 0.0, 0.0});
std::vector< std::array< tk::real, 3 > > gradp(ncomp, {0.0, 0.0, 0.0});
const auto& cx = coord[0];
const auto& cy = coord[1];
const auto& cz = coord[2];
std::array< std::array< tk::real, 3>, 4 > coordel {{
{{ cx[ N[0] ], cy[ N[0] ], cz[ N[0] ] }},
{{ cx[ N[1] ], cy[ N[1] ], cz[ N[1] ] }},
{{ cx[ N[2] ], cy[ N[2] ], cz[ N[2] ] }},
{{ cx[ N[3] ], cy[ N[3] ], cz[ N[3] ] }}
}};
auto jacInv = tk::inverseJacobian( coordel[0], coordel[1],
coordel[2], coordel[3] );
// Compute the derivatives of basis functions
auto dBdx = tk::eval_dBdx_p1( rdof, jacInv );
std::array< std::vector< tk::real >, 3 > center;
center[0].resize(1, 0.25);
center[1].resize(1, 0.25);
center[2].resize(1, 0.25);
tk::eval_dBdx_p2(0, center, jacInv, dBdx);
// Evaluate the first order derivative in physical domain
for(std::size_t icomp = 0; icomp < ncomp; icomp++)
{
auto mark = icomp * rdof;
for(std::size_t idir = 0; idir < 3; idir++)
{
gradc[icomp][idir] = 0;
for(std::size_t idof = 1; idof < rdof; idof++)
gradc[icomp][idir] += U(e, mark+idof, 0) * dBdx[idir][idof];
}
}
for(std::size_t icomp = 0; icomp < nprim; icomp++)
{
auto mark = icomp * rdof;
for(std::size_t idir = 0; idir < 3; idir++)
{
gradp[icomp][idir] = 0;
for(std::size_t idof = 1; idof < rdof; idof++)
gradp[icomp][idir] += P(e, mark+idof, 0) * dBdx[idir][idof];
}
}
// Store the extrema for the gradients
for (std::size_t c=0; c<ncomp; ++c)
{
for (std::size_t idof = 0; idof < ndof_NodalExtrm; idof++)
{
auto max_mark = 2*c*m_ndof_NodalExtrm + 2*idof;
auto min_mark = max_mark + 1;
auto& ex = uNodalExtrm[i->second];
ex[max_mark] = std::max(ex[max_mark], gradc[c][idof-1]);
ex[min_mark] = std::min(ex[min_mark], gradc[c][idof-1]);
}
}
for (std::size_t c=0; c<nprim; ++c)
{
for (std::size_t idof = 0; idof < ndof_NodalExtrm; idof++)
{
auto max_mark = 2*c*m_ndof_NodalExtrm + 2*idof;
auto min_mark = max_mark + 1;
auto& ex = pNodalExtrm[i->second];
ex[max_mark] = std::max(ex[max_mark], gradp[c][idof-1]);
ex[min_mark] = std::min(ex[min_mark], gradp[c][idof-1]);
}
}
}
}
}
}
void
DG::lim()
// *****************************************************************************
// Compute limiter function
// *****************************************************************************
{
auto d = Disc();
const auto pref = g_inputdeck.get< tag::pref, tag::pref >();<--- Variable 'pref' is assigned a value that is never used.
const auto rdof = g_inputdeck.get< tag::discr, tag::rdof >();
const auto ncomp = m_u.nprop() / rdof;
const auto nprim = m_p.nprop() / rdof;
// Combine own and communicated contributions to nodal extrema
for (const auto& [gid,g] : m_uNodalExtrmc) {
auto bid = tk::cref_find( d->Bid(), gid );
for (ncomp_t c=0; c<ncomp; ++c)
{
for(std::size_t idof=0; idof<m_ndof_NodalExtrm; idof++)
{
auto max_mark = 2*c*m_ndof_NodalExtrm + 2*idof;
auto min_mark = max_mark + 1;
m_uNodalExtrm[bid][max_mark] =
std::max(g[max_mark], m_uNodalExtrm[bid][max_mark]);
m_uNodalExtrm[bid][min_mark] =
std::min(g[min_mark], m_uNodalExtrm[bid][min_mark]);
}
}
}
for (const auto& [gid,g] : m_pNodalExtrmc) {
auto bid = tk::cref_find( d->Bid(), gid );
for (ncomp_t c=0; c<nprim; ++c)
{
for(std::size_t idof=0; idof<m_ndof_NodalExtrm; idof++)
{
auto max_mark = 2*c*m_ndof_NodalExtrm + 2*idof;
auto min_mark = max_mark + 1;
m_pNodalExtrm[bid][max_mark] =
std::max(g[max_mark], m_pNodalExtrm[bid][max_mark]);
m_pNodalExtrm[bid][min_mark] =
std::min(g[min_mark], m_pNodalExtrm[bid][min_mark]);
}
}
}
// clear gradients receive buffer
tk::destroy(m_uNodalExtrmc);
tk::destroy(m_pNodalExtrmc);
if (rdof > 1)
for (const auto& eq : g_dgpde)
eq.limit( d->T(), m_geoFace, m_geoElem, m_fd, m_esup, m_inpoel, m_coord,
m_ndof, d->Gid(), d->Bid(), m_uNodalExtrm, m_pNodalExtrm, m_u,
m_p, m_shockmarker );
// Send limited solution to neighboring chares
if (m_sendGhost.empty())
comlim_complete();
else
for(const auto& [cid, ghostdata] : m_sendGhost) {
std::vector< std::size_t > tetid( ghostdata.size() );
std::vector< std::vector< tk::real > > u( ghostdata.size() ),
prim( ghostdata.size() );
std::vector< std::size_t > ndof;
std::size_t j = 0;
for(const auto& i : ghostdata) {
Assert( i < m_fd.Esuel().size()/4, "Sending limiter ghost data" );
tetid[j] = i;
u[j] = m_u[i];
prim[j] = m_p[i];
if (pref && m_stage == 0) ndof.push_back( m_ndof[i] );
++j;
}
thisProxy[ cid ].comlim( thisIndex, tetid, u, prim, ndof );
}
ownlim_complete();
}
void
DG::propagate_ndof()
// *****************************************************************************
// p-refine all elements that are adjacent to p-refined elements
//! \details This function p-refines all the neighbors of an element that has
//! been p-refined as a result of an error indicator.
// *****************************************************************************
{
const auto& esuf = m_fd.Esuf();
// Copy number of degrees of freedom for each cell
auto ndof = m_ndof;
// p-refine all neighboring elements of elements that have been p-refined as a
// result of error indicators
for( auto f=m_fd.Nbfac(); f<esuf.size()/2; ++f )
{
std::size_t el = static_cast< std::size_t >(esuf[2*f]);
std::size_t er = static_cast< std::size_t >(esuf[2*f+1]);
if (m_ndof[el] > m_ndof[er])
ndof[er] = m_ndof[el];
if (m_ndof[el] < m_ndof[er])
ndof[el] = m_ndof[er];
}
// Update number of degrees of freedom for each cell
m_ndof = ndof;
}
void
DG::comlim( int fromch,
const std::vector< std::size_t >& tetid,
const std::vector< std::vector< tk::real > >& u,
const std::vector< std::vector< tk::real > >& prim,
const std::vector< std::size_t >& ndof )
// *****************************************************************************
// Receive chare-boundary limiter ghost data from neighboring chares
//! \param[in] fromch Sender chare id
//! \param[in] tetid Ghost tet ids we receive solution data for
//! \param[in] u Limited high-order solution
//! \param[in] prim Limited high-order primitive quantities
//! \param[in] ndof Number of degrees of freedom for chare-boundary elements
//! \details This function receives contributions to the limited solution from
//! fellow chares.
// *****************************************************************************
{
Assert( u.size() == tetid.size(), "Size mismatch in DG::comlim()" );
Assert( prim.size() == tetid.size(), "Size mismatch in DG::comlim()" );
const auto pref = g_inputdeck.get< tag::pref, tag::pref >();
if (pref && m_stage == 0)
Assert( ndof.size() == tetid.size(), "Size mismatch in DG::comlim()" );
// Find local-to-ghost tet id map for sender chare
const auto& n = tk::cref_find( m_ghost, fromch );
for (std::size_t i=0; i<tetid.size(); ++i) {
auto j = tk::cref_find( n, tetid[i] );
Assert( j >= m_fd.Esuel().size()/4, "Receiving solution non-ghost data" );
auto b = tk::cref_find( m_bid, j );
Assert( b < m_uc[2].size(), "Indexing out of bounds" );
Assert( b < m_pc[2].size(), "Indexing out of bounds" );
m_uc[2][b] = u[i];
m_pc[2][b] = prim[i];
if (pref && m_stage == 0) {
Assert( b < m_ndofc[2].size(), "Indexing out of bounds" );
m_ndofc[2][b] = ndof[i];
}
}
// if we have received all solution ghost contributions from neighboring
// chares (chares we communicate along chare-boundary faces with), and
// contributed our solution to these neighbors, proceed to limiting
if (++m_nlim == m_sendGhost.size()) {
m_nlim = 0;
comlim_complete();
}
}
void
DG::dt()
// *****************************************************************************
// Compute time step size
// *****************************************************************************
{
const auto pref = g_inputdeck.get< tag::pref, tag::pref >();<--- Variable 'pref' is assigned a value that is never used.
auto d = Disc();
// Combine own and communicated contributions of limited solution and degrees
// of freedom in cells (if p-adaptive)
for (const auto& b : m_bid) {
Assert( m_uc[2][b.second].size() == m_u.nprop(), "ncomp size mismatch" );
Assert( m_pc[2][b.second].size() == m_p.nprop(), "ncomp size mismatch" );
for (std::size_t c=0; c<m_u.nprop(); ++c) {
m_u(b.first,c,0) = m_uc[2][b.second][c];
}
for (std::size_t c=0; c<m_p.nprop(); ++c) {
m_p(b.first,c,0) = m_pc[2][b.second][c];
}
if (pref && m_stage == 0) {
m_ndof[ b.first ] = m_ndofc[2][ b.second ];
}
}
auto mindt = std::numeric_limits< tk::real >::max();
if (m_stage == 0)
{
auto const_dt = g_inputdeck.get< tag::discr, tag::dt >();
auto def_const_dt = g_inputdeck_defaults.get< tag::discr, tag::dt >();
auto eps = std::numeric_limits< tk::real >::epsilon();
// use constant dt if configured
if (std::abs(const_dt - def_const_dt) > eps) {
mindt = const_dt;
} else { // compute dt based on CFL
// find the minimum dt across all PDEs integrated
for (const auto& eq : g_dgpde) {
auto eqdt =
eq.dt( m_coord, m_inpoel, m_fd, m_geoFace, m_geoElem, m_ndof,
m_u, m_p, m_fd.Esuel().size()/4 );
if (eqdt < mindt) mindt = eqdt;
}
mindt *= g_inputdeck.get< tag::discr, tag::cfl >();
}
}
else
{
mindt = d->Dt();
}
// Resize the buffer vector of nodal extrema
resizeNodalExtremac();
// Contribute to minimum dt across all chares then advance to next step
contribute( sizeof(tk::real), &mindt, CkReduction::min_double,
CkCallback(CkReductionTarget(DG,solve), thisProxy) );
}
void
DG::solve( tk::real newdt )
// *****************************************************************************
// Compute right-hand side of discrete transport equations
//! \param[in] newdt Size of this new time step
// *****************************************************************************
{
// Enable SDAG wait for building the solution vector during the next stage
thisProxy[ thisIndex ].wait4sol();
thisProxy[ thisIndex ].wait4reco();
thisProxy[ thisIndex ].wait4nodalExtrema();
thisProxy[ thisIndex ].wait4lim();
thisProxy[ thisIndex ].wait4nod();
auto d = Disc();
const auto rdof = g_inputdeck.get< tag::discr, tag::rdof >();
const auto ndof = g_inputdeck.get< tag::discr, tag::ndof >();
const auto neq = m_u.nprop()/rdof;
// Set new time step size
if (m_stage == 0) d->setdt( newdt );
const auto pref = g_inputdeck.get< tag::pref, tag::pref >();
if (pref && m_stage == 0)
{
// When the element are coarsened, high order terms should be zero
for(std::size_t e = 0; e < m_nunk; e++)
{
const auto ncomp= m_u.nprop()/rdof;
if(m_ndof[e] == 1)
{
for (std::size_t c=0; c<ncomp; ++c)
{
auto mark = c*rdof;
m_u(e, mark+1, 0) = 0.0;
m_u(e, mark+2, 0) = 0.0;
m_u(e, mark+3, 0) = 0.0;
}
} else if(m_ndof[e] == 4)
{
for (std::size_t c=0; c<ncomp; ++c)
{
auto mark = c*ndof;
m_u(e, mark+4, 0) = 0.0;
m_u(e, mark+5, 0) = 0.0;
m_u(e, mark+6, 0) = 0.0;
m_u(e, mark+7, 0) = 0.0;
m_u(e, mark+8, 0) = 0.0;
m_u(e, mark+9, 0) = 0.0;
}
}
}
}
// Update Un
if (m_stage == 0) m_un = m_u;
for (const auto& eq : g_dgpde)
eq.rhs( d->T(), m_geoFace, m_geoElem, m_fd, m_inpoel, m_boxelems, m_coord,
m_u, m_p, m_ndof, m_rhs );
// Explicit time-stepping using RK3 to discretize time-derivative
for(std::size_t e=0; e<m_nunk; ++e)
for(std::size_t c=0; c<neq; ++c)
{
for (std::size_t k=0; k<m_numEqDof[c]; ++k)
{
auto rmark = c*rdof+k;
auto mark = c*ndof+k;
m_u(e, rmark, 0) = rkcoef[0][m_stage] * m_un(e, rmark, 0)
+ rkcoef[1][m_stage] * ( m_u(e, rmark, 0)
+ d->Dt() * m_rhs(e, mark, 0)/m_lhs(e, mark, 0) );
if(fabs(m_u(e, rmark, 0)) < 1e-16)
m_u(e, rmark, 0) = 0;
}
// zero out unused/reconstructed dofs of equations using reduced dofs
// (see DGMultiMat::numEquationDofs())
if (m_numEqDof[c] < rdof) {
for (std::size_t k=m_numEqDof[c]; k<rdof; ++k)
{
auto rmark = c*rdof+k;
m_u(e, rmark, 0) = 0.0;
}
}
}
// Update primitives based on the evolved solution
for (const auto& eq : g_dgpde)
{
eq.updateInterfaceCells( m_u, m_fd.Esuel().size()/4, m_ndof );
eq.updatePrimitives( m_u, m_lhs, m_geoElem, m_p, m_fd.Esuel().size()/4 );
eq.cleanTraceMaterial( m_geoElem, m_u, m_p, m_fd.Esuel().size()/4 );
}
if (m_stage < 2) {
// continue with next time step stage
stage();
} else {
// Compute diagnostics, e.g., residuals
auto diag_computed = m_diag.compute( *d, m_u.nunk()-m_fd.Esuel().size()/4,
m_geoElem, m_ndof, m_u );
// Increase number of iterations and physical time
d->next();
// Continue to mesh refinement (if configured)
if (!diag_computed) refine( std::vector< tk::real >( m_u.nprop(), 0.0 ) );
}
}
void
DG::refine( [[maybe_unused]] const std::vector< tk::real >& l2res )
// *****************************************************************************
// Optionally refine/derefine mesh
//! \param[in] l2res L2-norms of the residual for each scalar component
//! computed across the whole problem
// *****************************************************************************
{
auto d = Disc();
auto dtref = g_inputdeck.get< tag::amr, tag::dtref >();
auto dtfreq = g_inputdeck.get< tag::amr, tag::dtfreq >();
// if t>0 refinement enabled and we hit the dtref frequency
if (dtref && !(d->It() % dtfreq)) { // refine
d->startvol();
d->Ref()->dtref( m_fd.Bface(), {}, tk::remap(m_fd.Triinpoel(),d->Gid()) );
d->refined() = 1;
} else { // do not refine
d->refined() = 0;
stage();
}
}
void
DG::resizePostAMR(
const std::vector< std::size_t >& /*ginpoel*/,
const tk::UnsMesh::Chunk& chunk,
const tk::UnsMesh::Coords& coord,
const std::unordered_map< std::size_t, tk::UnsMesh::Edge >& /*addedNodes*/,
const std::unordered_map< std::size_t, std::size_t >& addedTets,
const std::set< std::size_t >& /*removedNodes*/,
const tk::NodeCommMap& nodeCommMap,
const std::map< int, std::vector< std::size_t > >& bface,
const std::map< int, std::vector< std::size_t > >& /* bnode */,
const std::vector< std::size_t >& triinpoel )
// *****************************************************************************
// Receive new mesh from Refiner
//! \param[in] chunk New mesh chunk (connectivity and global<->local id maps)
//! \param[in] coord New mesh node coordinates
//! \param[in] addedTets Newly added mesh cells and their parents (local ids)
//! \param[in] nodeCommMap New node communication map
//! \param[in] bface Boundary-faces mapped to side set ids
//! \param[in] triinpoel Boundary-face connectivity
// *****************************************************************************
{
auto d = Disc();
// Set flag that indicates that we are during time stepping
m_initial = 0;
// Zero field output iteration count between two mesh refinement steps
d->Itf() = 0;
// Increase number of iterations with mesh refinement
++d->Itr();
// Save old number of elements
[[maybe_unused]] auto old_nelem = m_inpoel.size()/4;
// Resize mesh data structures
d->resizePostAMR( chunk, coord, nodeCommMap );
// Update state
m_inpoel = d->Inpoel();
m_coord = d->Coord();
auto nelem = m_inpoel.size()/4;
m_p.resize( nelem );
m_u.resize( nelem );
m_un.resize( nelem );
m_lhs.resize( nelem );
m_rhs.resize( nelem );
m_uNodalExtrm.resize( Disc()->Bid().size(), std::vector<tk::real>( 2*
m_ndof_NodalExtrm*g_inputdeck.get< tag::component >().nprop() ) );
m_pNodalExtrm.resize( Disc()->Bid().size(), std::vector<tk::real>( 2*
m_ndof_NodalExtrm*m_p.nprop()/g_inputdeck.get< tag::discr, tag::rdof >()));
// Resize the buffer vector of nodal extrema
resizeNodalExtremac();
m_fd = FaceData( m_inpoel, bface, tk::remap(triinpoel,d->Lid()) );
m_geoFace =
tk::Fields( tk::genGeoFaceTri( m_fd.Nipfac(), m_fd.Inpofa(), coord ) );
m_geoElem = tk::Fields( tk::genGeoElemTet( m_inpoel, coord ) );
m_nfac = m_fd.Inpofa().size()/3;
m_nunk = nelem;
m_npoin = coord[0].size();
m_bndFace.clear();
m_exptGhost.clear();
m_sendGhost.clear();
m_ghost.clear();
m_esup.clear();
// Update solution on new mesh, P0 (cell center value) only for now
m_un = m_u;
auto pn = m_p;<--- Variable 'pn' is assigned a value that is never used.
auto unprop = m_u.nprop();<--- Variable 'unprop' is assigned a value that is never used.
auto pnprop = m_p.nprop();<--- Variable 'pnprop' is assigned a value that is never used.
for (const auto& [child,parent] : addedTets) {
Assert( child < nelem, "Indexing out of new solution vector" );
Assert( parent < old_nelem, "Indexing out of old solution vector" );
for (std::size_t i=0; i<unprop; ++i) m_u(child,i,0) = m_un(parent,i,0);
for (std::size_t i=0; i<pnprop; ++i) m_p(child,i,0) = pn(parent,i,0);
}
m_un = m_u;
// Enable SDAG wait for setting up chare boundary faces
thisProxy[ thisIndex ].wait4fac();
// Resize communication buffers
resizeComm();
}
bool
DG::fieldOutput() const
// *****************************************************************************
// Decide wether to output field data
//! \return True if field data is output in this step
// *****************************************************************************
{
auto d = Disc();
// Output field data
return d->fielditer() or d->fieldtime() or d->fieldrange() or d->finished();
}
bool
DG::refinedOutput() const
// *****************************************************************************
// Decide if we write field output using a refined mesh
//! \return True if field output will use a refined mesh
// *****************************************************************************
{
return g_inputdeck.get< tag::cmd, tag::io, tag::refined >() &&
g_inputdeck.get< tag::discr, tag::scheme >() != ctr::SchemeType::DG;
}
void
DG::writeFields( CkCallback c )
// *****************************************************************************
// Output mesh field data
//! \param[in] c Function to continue with after the write
// *****************************************************************************
{
auto d = Disc();
// Output time history
if (d->histiter() or d->histtime() or d->histrange()) {
std::vector< std::vector< tk::real > > hist;
for (const auto& eq : g_dgpde) {
auto h = eq.histOutput( d->Hist(), m_inpoel, m_coord, m_u, m_p );
hist.insert( end(hist), begin(h), end(h) );
}
d->history( std::move(hist) );
}
const auto& inpoel = std::get< 0 >( m_outmesh.chunk );
auto esup = tk::genEsup( inpoel, 4 );
// Combine own and communicated contributions and finish averaging of node
// field output in chare boundary nodes
const auto& lid = std::get< 2 >( m_outmesh.chunk );
for (const auto& [g,f] : m_nodefieldsc) {
Assert( m_nodefields.size() == f.first.size(), "Size mismatch" );
auto p = tk::cref_find( lid, g );
for (std::size_t i=0; i<f.first.size(); ++i) {
m_nodefields[i][p] += f.first[i];
m_nodefields[i][p] /= static_cast< tk::real >(
esup.second[p+1] - esup.second[p] + f.second );
}
}
tk::destroy( m_nodefieldsc );
// Lambda to decide if a node (global id) is on a chare boundary of the field
// output mesh. p - global node id, return true if node is on the chare
// boundary.
auto chbnd = [ this ]( std::size_t p ) {
return
std::any_of( m_outmesh.nodeCommMap.cbegin(), m_outmesh.nodeCommMap.cend(),
[&](const auto& s) { return s.second.find(p) != s.second.cend(); } );
};
// Finish computing node field output averages in internal nodes
auto npoin = m_outmesh.coord[0].size();
auto& gid = std::get< 1 >( m_outmesh.chunk );
for (std::size_t p=0; p<npoin; ++p) {
if (!chbnd(gid[p])) {
auto n = static_cast< tk::real >( esup.second[p+1] - esup.second[p] );
for (auto& f : m_nodefields) f[p] /= n;
}
}
// Query fields names requested by user
auto elemfieldnames = numericFieldNames( tk::Centering::ELEM );
auto nodefieldnames = numericFieldNames( tk::Centering::NODE );
// Collect field output names for analytical solutions
for (const auto& eq : g_dgpde) {
analyticFieldNames( eq, tk::Centering::ELEM, elemfieldnames );
analyticFieldNames( eq, tk::Centering::NODE, nodefieldnames );
}
if (g_inputdeck.get< tag::pref, tag::pref >())
elemfieldnames.push_back( "NDOF" );
elemfieldnames.push_back( "shock_marker" );
Assert( elemfieldnames.size() == m_elemfields.size(), "Size mismatch" );
Assert( nodefieldnames.size() == m_nodefields.size(), "Size mismatch" );
// Output chare mesh and fields metadata to file
const auto& triinpoel = m_outmesh.triinpoel;
d->write( inpoel, m_outmesh.coord, m_outmesh.bface, {},
tk::remap( triinpoel, lid ), elemfieldnames, nodefieldnames,
{}, m_elemfields, m_nodefields, {}, c );
}
void
DG::comnodeout( const std::vector< std::size_t >& gid,
const std::vector< std::size_t >& nesup,
const std::vector< std::vector< tk::real > >& L )
// *****************************************************************************
// Receive chare-boundary nodal solution (for field output) contributions from
// neighboring chares
//! \param[in] gid Global mesh node IDs at which we receive contributions
//! \param[in] nesup Number of elements surrounding points
//! \param[in] L Partial contributions of node fields to chare-boundary nodes
// *****************************************************************************
{
Assert( gid.size() == nesup.size(), "Size mismatch" );
for (std::size_t f=0; f<L.size(); ++f)
Assert( gid.size() == L[f].size(), "Size mismatch" );
for (std::size_t i=0; i<gid.size(); ++i) {
auto& nf = m_nodefieldsc[ gid[i] ];
nf.first.resize( L.size() );
for (std::size_t f=0; f<L.size(); ++f) nf.first[f] += L[f][i];
nf.second += nesup[i];
}
// When we have heard from all chares we communicate with, this chare is done
if (++m_nnod == Disc()->NodeCommMap().size()) {
m_nnod = 0;
comnodeout_complete();
}
}
void
DG::stage()
// *****************************************************************************
// Evaluate whether to continue with next time step stage
// *****************************************************************************
{
// Increment Runge-Kutta stage counter
++m_stage;
// if not all Runge-Kutta stages complete, continue to next time stage,
// otherwise prepare for nodal field output
if (m_stage < 3)
next();
else
startFieldOutput( CkCallback(CkIndex_DG::step(), thisProxy[thisIndex]) );
}
void
DG::evalLB( int nrestart )
// *****************************************************************************
// Evaluate whether to do load balancing
//! \param[in] nrestart Number of times restarted
// *****************************************************************************
{
auto d = Disc();
// Detect if just returned from a checkpoint and if so, zero timers
d->restarted( nrestart );
const auto lbfreq = g_inputdeck.get< tag::cmd, tag::lbfreq >();
const auto nonblocking = g_inputdeck.get< tag::cmd, tag::nonblocking >();
// Load balancing if user frequency is reached or after the second time-step
if ( (d->It()) % lbfreq == 0 || d->It() == 2 ) {
AtSync();
if (nonblocking) next();
} else {
next();
}
}
void
DG::evalRestart()
// *****************************************************************************
// Evaluate whether to save checkpoint/restart
// *****************************************************************************
{
auto d = Disc();
const auto rsfreq = g_inputdeck.get< tag::cmd, tag::rsfreq >();
const auto benchmark = g_inputdeck.get< tag::cmd, tag::benchmark >();
if ( !benchmark && (d->It()) % rsfreq == 0 ) {
std::vector< std::size_t > meshdata{ /* finished = */ 0, d->MeshId() };
contribute( meshdata, CkReduction::nop,
CkCallback(CkReductionTarget(Transporter,checkpoint), d->Tr()) );
} else {
evalLB( /* nrestart = */ -1 );
}
}
void
DG::step()
// *****************************************************************************
// Evaluate wether to continue with next time step
// *****************************************************************************
{
// Free memory storing output mesh
m_outmesh.destroy();
auto d = Disc();
// Output one-liner status report to screen
d->status();
// Reset Runge-Kutta stage counter
m_stage = 0;
const auto term = g_inputdeck.get< tag::discr, tag::term >();
const auto nstep = g_inputdeck.get< tag::discr, tag::nstep >();
const auto eps = std::numeric_limits< tk::real >::epsilon();
// If neither max iterations nor max time reached, continue, otherwise finish
if (std::fabs(d->T()-term) > eps && d->It() < nstep) {
evalRestart();
} else {
auto meshid = d->MeshId();
d->contribute( sizeof(std::size_t), &meshid, CkReduction::nop,
CkCallback(CkReductionTarget(Transporter,finish), d->Tr()) );
}
}
#include "NoWarning/dg.def.h"
|