• Home
  • Features
  • Pricing
  • Docs
  • Announcements
  • Sign In

openmc-dev / openmc / 22500302709

27 Feb 2026 07:16PM UTC coverage: 81.512% (-0.3%) from 81.826%
22500302709

Pull #3830

github

web-flow
Merge 25fbb4266 into b3788f11e
Pull Request #3830: Parallelize sampling external sources and threadsafe rejection counters

17488 of 25193 branches covered (69.42%)

Branch coverage included in aggregate %.

59 of 66 new or added lines in 6 files covered. (89.39%)

841 existing lines in 44 files now uncovered.

57726 of 67081 relevant lines covered (86.05%)

44920080.48 hits per line

Source File
Press 'n' to go to next uncovered line, 'b' for previous

81.67
/src/output.cpp
1
#include "openmc/output.h"
2

3
#include <algorithm> // for transform, max
4
#include <cstdio>    // for stdout
5
#include <cstring>   // for strlen
6
#include <ctime>     // for time, localtime
7
#include <fstream>
8
#include <iomanip> // for setw, setprecision, put_time
9
#include <ios>     // for fixed, scientific, left
10
#include <iostream>
11
#include <sstream>
12
#include <unordered_map>
13
#include <utility> // for pair
14

15
#include <fmt/core.h>
16
#include <fmt/ostream.h>
17
#ifdef _OPENMP
18
#include <omp.h>
19
#endif
20
#include "openmc/tensor.h"
21

22
#include "openmc/capi.h"
23
#include "openmc/cell.h"
24
#include "openmc/constants.h"
25
#include "openmc/eigenvalue.h"
26
#include "openmc/error.h"
27
#include "openmc/geometry.h"
28
#include "openmc/lattice.h"
29
#include "openmc/math_functions.h"
30
#include "openmc/message_passing.h"
31
#include "openmc/mgxs_interface.h"
32
#include "openmc/nuclide.h"
33
#include "openmc/plot.h"
34
#include "openmc/random_ray/flat_source_domain.h"
35
#include "openmc/reaction.h"
36
#include "openmc/settings.h"
37
#include "openmc/simulation.h"
38
#include "openmc/surface.h"
39
#include "openmc/tallies/derivative.h"
40
#include "openmc/tallies/filter.h"
41
#include "openmc/tallies/tally.h"
42
#include "openmc/tallies/tally_scoring.h"
43
#include "openmc/timer.h"
44

45
namespace openmc {
46

47
#ifdef OPENMC_ENABLE_STRICT_FP
48
const bool STRICT_FP_ENABLED = true;
49
#else
50
const bool STRICT_FP_ENABLED = false;
51
#endif
52

53
//==============================================================================
54

55
void title()
6,988✔
56
{
57
  fmt::print("                                %%%%%%%%%%%%%%%\n"
6,988✔
58
             "                           %%%%%%%%%%%%%%%%%%%%%%%%\n"
59
             "                        %%%%%%%%%%%%%%%%%%%%%%%%%%%%%%\n"
60
             "                      %%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%\n"
61
             "                    %%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%\n"
62
             "                   %%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%%\n"
63
             "                                    %%%%%%%%%%%%%%%%%%%%%%%%\n"
64
             "                                     %%%%%%%%%%%%%%%%%%%%%%%%\n"
65
             "                 ###############      %%%%%%%%%%%%%%%%%%%%%%%%\n"
66
             "                ##################     %%%%%%%%%%%%%%%%%%%%%%%\n"
67
             "                ###################     %%%%%%%%%%%%%%%%%%%%%%%\n"
68
             "                ####################     %%%%%%%%%%%%%%%%%%%%%%\n"
69
             "                #####################     %%%%%%%%%%%%%%%%%%%%%\n"
70
             "                ######################     %%%%%%%%%%%%%%%%%%%%\n"
71
             "                #######################     %%%%%%%%%%%%%%%%%%\n"
72
             "                 #######################     %%%%%%%%%%%%%%%%%\n"
73
             "                 ######################     %%%%%%%%%%%%%%%%%\n"
74
             "                  ####################     %%%%%%%%%%%%%%%%%\n"
75
             "                    #################     %%%%%%%%%%%%%%%%%\n"
76
             "                     ###############     %%%%%%%%%%%%%%%%\n"
77
             "                       ############     %%%%%%%%%%%%%%%\n"
78
             "                          ########     %%%%%%%%%%%%%%\n"
79
             "                                      %%%%%%%%%%%\n\n");
80

81
  // Write version information
82
  fmt::print(
13,976✔
83
    "                 | The OpenMC Monte Carlo Code\n"
84
    "       Copyright | 2011-2026 MIT, UChicago Argonne LLC, and contributors\n"
85
    "         License | https://docs.openmc.org/en/latest/license.html\n"
86
    "         Version | {}.{}.{}{}{}\n",
87
    VERSION_MAJOR, VERSION_MINOR, VERSION_RELEASE, VERSION_DEV ? "-dev" : "",
6,988✔
88
    VERSION_COMMIT_COUNT);
89
  fmt::print("     Commit Hash | {}\n", VERSION_COMMIT_HASH);
6,988✔
90

91
  // Write the date and time
92
  fmt::print("       Date/Time | {}\n", time_stamp());
8,243✔
93

94
#ifdef OPENMC_MPI
95
  // Write number of processors
96
  fmt::print("   MPI Processes | {}\n", mpi::n_procs);
2,578✔
97
#endif
98

99
#ifdef _OPENMP
100
  // Write number of OpenMP threads
101
  fmt::print("  OpenMP Threads | {}\n", omp_get_max_threads());
3,820✔
102
#endif
103
  fmt::print("\n");
6,988✔
104
  std::fflush(stdout);
6,988✔
105
}
6,988✔
106

107
//==============================================================================
108

109
std::string header(const char* msg)
38,119✔
110
{
111
  // Determine how many times to repeat the '=' character.
112
  int n_prefix = (63 - strlen(msg)) / 2;
38,119✔
113
  int n_suffix = n_prefix;
38,119✔
114
  if ((strlen(msg) % 2) == 0)
38,119✔
115
    ++n_suffix;
7,778✔
116

117
  // Convert to uppercase.
118
  std::string upper(msg);
38,119✔
119
  std::transform(upper.begin(), upper.end(), upper.begin(), ::toupper);
38,119✔
120

121
  // Add ===>  <=== markers.
122
  std::stringstream out;
38,119✔
123
  out << ' ';
38,119✔
124
  for (int i = 0; i < n_prefix; i++)
969,934✔
125
    out << '=';
931,815✔
126
  out << ">     " << upper << "     <";
38,119✔
127
  for (int i = 0; i < n_suffix; i++)
977,712✔
128
    out << '=';
939,593✔
129

130
  return out.str();
38,119✔
131
}
38,119✔
132

133
std::string header(const std::string& msg)
19,113✔
134
{
135
  return header(msg.c_str());
19,113✔
136
}
137

138
void header(const char* msg, int level)
19,006✔
139
{
140
  auto out = header(msg);
19,006✔
141

142
  // Print header based on verbosity level.
143
  if (settings::verbosity >= level) {
19,006✔
144
    fmt::print("\n{}\n\n", out);
18,747✔
145
    std::fflush(stdout);
18,747✔
146
  }
147
}
19,006✔
148

149
//==============================================================================
150

151
std::string time_stamp()
20,975✔
152
{
153
  std::stringstream ts;
20,975✔
154
  std::time_t t = std::time(nullptr); // get time now
20,975✔
155
  ts << std::put_time(std::localtime(&t), "%Y-%m-%d %H:%M:%S");
20,975✔
156
  return ts.str();
41,950✔
157
}
20,975✔
158

159
//==============================================================================
160

161
void print_particle(Particle& p)
33✔
162
{
163
  // Display particle type and ID.
164
  switch (p.type().pdg_number()) {
33!
165
  case PDG_NEUTRON:
33✔
166
    fmt::print("Neutron ");
33✔
167
    break;
33✔
168
  case PDG_PHOTON:
×
169
    fmt::print("Photon ");
×
170
    break;
×
171
  case PDG_ELECTRON:
×
172
    fmt::print("Electron ");
×
UNCOV
173
    break;
×
UNCOV
174
  case PDG_POSITRON:
×
UNCOV
175
    fmt::print("Positron ");
×
UNCOV
176
    break;
×
UNCOV
177
  default:
×
UNCOV
178
    fmt::print("Particle {} ", p.type().str());
×
179
  }
180
  fmt::print("{}\n", p.id());
33✔
181

182
  // Display particle geometry hierarchy.
183
  for (auto i = 0; i < p.n_coord(); i++) {
66✔
184
    fmt::print("  Level {}\n", i);
33✔
185

186
    if (p.coord(i).cell() != C_NONE) {
33!
187
      const Cell& c {*model::cells[p.coord(i).cell()]};
33✔
188
      fmt::print("    Cell             = {}\n", c.id_);
33✔
189
    }
190

191
    if (p.coord(i).universe() != C_NONE) {
33!
192
      const Universe& u {*model::universes[p.coord(i).universe()]};
33✔
193
      fmt::print("    Universe         = {}\n", u.id_);
33✔
194
    }
195

196
    if (p.coord(i).lattice() != C_NONE) {
33!
UNCOV
197
      const Lattice& lat {*model::lattices[p.coord(i).lattice()]};
×
UNCOV
198
      fmt::print("    Lattice          = {}\n", lat.id_);
×
UNCOV
199
      fmt::print("    Lattice position = ({},{},{})\n",
×
UNCOV
200
        p.coord(i).lattice_index()[0], p.coord(i).lattice_index()[1],
×
UNCOV
201
        p.coord(i).lattice_index()[2]);
×
202
    }
203

204
    fmt::print("    r = {}\n", p.coord(i).r());
33✔
205
    fmt::print("    u = {}\n", p.coord(i).u());
33✔
206
  }
207

208
  // Display miscellaneous info.
209
  if (p.surface() != SURFACE_NONE) {
33!
210
    // Surfaces identifiers are >= 1, but indices are >= 0 so we need -1
UNCOV
211
    const Surface& surf {*model::surfaces[p.surface_index()]};
×
212
    fmt::print("  Surface = {}\n", (p.surface() > 0) ? surf.id_ : -surf.id_);
×
213
  }
214
  fmt::print("  Weight = {}\n", p.wgt());
33✔
215
  if (settings::run_CE) {
33!
216
    fmt::print("  Energy = {}\n", p.E());
33✔
217
  } else {
UNCOV
218
    fmt::print("  Energy Group = {}\n", p.g());
×
219
  }
220
  fmt::print("  Delayed Group = {}\n\n", p.delayed_group());
33✔
221
}
33✔
222

223
//==============================================================================
224

225
void print_plot()
88✔
226
{
227
  header("PLOTTING SUMMARY", 5);
88✔
228
  if (settings::verbosity < 5)
88!
229
    return;
230

231
  for (const auto& pl : model::plots) {
330✔
232
    fmt::print("Plot ID: {}\n", pl->id());
242✔
233
    fmt::print("Plot file: {}\n", pl->path_plot());
242✔
234
    fmt::print("Universe depth: {}\n", pl->level());
242✔
235
    pl->print_info(); // prints type-specific plot info
242✔
236
    fmt::print("\n");
242✔
237
  }
238
}
239

240
//==============================================================================
241

UNCOV
242
void print_overlap_check()
×
243
{
244
#ifdef OPENMC_MPI
245
  vector<int64_t> temp(model::overlap_check_count);
246
  MPI_Reduce(temp.data(), model::overlap_check_count.data(),
×
247
    model::overlap_check_count.size(), MPI_INT64_T, MPI_SUM, 0, mpi::intracomm);
×
248
#endif
249

250
  if (mpi::master) {
×
251
    header("cell overlap check summary", 1);
×
252
    fmt::print(" Cell ID      No. Overlap Checks\n");
×
253

UNCOV
254
    vector<int32_t> sparse_cell_ids;
×
UNCOV
255
    for (int i = 0; i < model::cells.size(); i++) {
×
UNCOV
256
      fmt::print(
×
257
        " {:8} {:17}\n", model::cells[i]->id_, model::overlap_check_count[i]);
×
258
      if (model::overlap_check_count[i] < 10) {
×
259
        sparse_cell_ids.push_back(model::cells[i]->id_);
×
260
      }
261
    }
262

263
    fmt::print("\n There were {} cells with less than 10 overlap checks\n",
×
264
      sparse_cell_ids.size());
×
UNCOV
265
    for (auto id : sparse_cell_ids) {
×
UNCOV
266
      fmt::print(" {}", id);
×
267
    }
268
    fmt::print("\n");
×
UNCOV
269
  }
×
270
}
×
271

272
//==============================================================================
273

UNCOV
274
void print_usage()
×
275
{
UNCOV
276
  if (mpi::master) {
×
UNCOV
277
    fmt::print(
×
278
      "Usage: openmc [options] [path]\n\n"
279
      "Options:\n"
280
      "  -c, --volume           Run in stochastic volume calculation mode\n"
281
      "  -g, --geometry-debug   Run with geometry debugging on\n"
282
      "  -n, --particles        Number of particles per generation\n"
283
      "  -p, --plot             Run in plotting mode\n"
284
      "  -r, --restart          Restart a previous run from a state point\n"
285
      "                         or a particle restart file\n"
286
      "  -s, --threads          Number of OpenMP threads\n"
287
      "  -t, --track            Write tracks for all particles (up to "
288
      "max_tracks)\n"
289
      "  -e, --event            Run using event-based parallelism\n"
290
      "  -q, --verbosity        Output verbosity\n"
291
      "  -v, --version          Show version information\n"
292
      "  -h, --help             Show this message\n");
293
  }
UNCOV
294
}
×
295

296
//==============================================================================
297

298
void print_version()
11✔
299
{
300
  if (mpi::master) {
11!
301
    fmt::print("OpenMC version {}.{}.{}{}{}\n", VERSION_MAJOR, VERSION_MINOR,
22✔
302
      VERSION_RELEASE, VERSION_DEV ? "-dev" : "", VERSION_COMMIT_COUNT);
11✔
303
    fmt::print("Commit hash: {}\n", VERSION_COMMIT_HASH);
11✔
304
    fmt::print("Copyright (c) 2011-2026 MIT, UChicago Argonne LLC, and "
11✔
305
               "contributors\nMIT/X license at "
306
               "<https://docs.openmc.org/en/latest/license.html>\n");
307
  }
308
}
11✔
309

310
//==============================================================================
311

312
void print_build_info()
11✔
313
{
314
  const std::string n("no");
11✔
315
  const std::string y("yes");
11✔
316

317
  std::string mpi(n);
11✔
318
  std::string phdf5(n);
11✔
319
  std::string dagmc(n);
11✔
320
  std::string libmesh(n);
11✔
321
  std::string png(n);
11✔
322
  std::string profiling(n);
11✔
323
  std::string coverage(n);
11✔
324
  std::string mcpl(n);
11✔
325
  std::string uwuw(n);
11✔
326
  std::string strict_fp(n);
11✔
327

328
#ifdef PHDF5
329
  phdf5 = y;
4✔
330
#endif
331
#ifdef OPENMC_MPI
332
  mpi = y;
4✔
333
#endif
334
#ifdef OPENMC_DAGMC_ENABLED
335
  dagmc = y;
1✔
336
#endif
337
#ifdef OPENMC_LIBMESH_ENABLED
338
  libmesh = y;
2✔
339
#endif
340
#ifdef OPENMC_MCPL
341
  mcpl = y;
342
#endif
343
#ifdef USE_LIBPNG
344
  png = y;
11✔
345
#endif
346
#ifdef PROFILINGBUILD
347
  profiling = y;
348
#endif
349
#ifdef COVERAGEBUILD
350
  coverage = y;
11✔
351
#endif
352
#ifdef OPENMC_UWUW_ENABLED
353
  uwuw = y;
1✔
354
#endif
355
#ifdef OPENMC_ENABLE_STRICT_FP
356
  strict_fp = y;
11✔
357
#endif
358

359
  // Wraps macro variables in quotes
360
#define STRINGIFY(x) STRINGIFY2(x)
361
#define STRINGIFY2(x) #x
362

363
  if (mpi::master) {
11!
364
    fmt::print("Build type:            {}\n", STRINGIFY(BUILD_TYPE));
11✔
365
    fmt::print("Compiler ID:           {} {}\n", STRINGIFY(COMPILER_ID),
11✔
366
      STRINGIFY(COMPILER_VERSION));
367
    fmt::print("MPI enabled:           {}\n", mpi);
11✔
368
    fmt::print("Parallel HDF5 enabled: {}\n", phdf5);
11✔
369
    fmt::print("PNG support:           {}\n", png);
11✔
370
    fmt::print("DAGMC support:         {}\n", dagmc);
11✔
371
    fmt::print("libMesh support:       {}\n", libmesh);
11✔
372
    fmt::print("MCPL support:          {}\n", mcpl);
11✔
373
    fmt::print("Coverage testing:      {}\n", coverage);
11✔
374
    fmt::print("Profiling flags:       {}\n", profiling);
11✔
375
    fmt::print("UWUW support:          {}\n", uwuw);
11✔
376
    fmt::print("Strict FP:             {}\n", strict_fp);
13✔
377
  }
378
}
11✔
379

380
//==============================================================================
381

382
void print_columns()
3,384✔
383
{
384
  if (settings::entropy_on) {
3,384✔
385
    fmt::print("  Bat./Gen.      k       Entropy         Average k \n"
495✔
386
               "  =========   ========   ========   ====================\n");
387
  } else {
388
    fmt::print("  Bat./Gen.      k            Average k\n"
2,889✔
389
               "  =========   ========   ====================\n");
390
  }
391
}
3,384✔
392

393
//==============================================================================
394

395
void print_generation()
75,808✔
396
{
397
  // Determine overall generation index and number of active generations
398
  int idx = overall_generation() - 1;
75,808✔
399
  int n = simulation::current_batch > settings::n_inactive
151,616✔
400
            ? settings::gen_per_batch * simulation::n_realizations +
75,808✔
401
                simulation::current_gen
402
            : 0;
403

404
  // write out batch/generation and generation k-effective
405
  auto batch_and_gen = std::to_string(simulation::current_batch) + "/" +
151,616✔
406
                       std::to_string(simulation::current_gen);
151,616✔
407
  fmt::print("  {:>9}   {:8.5f}", batch_and_gen, simulation::k_generation[idx]);
75,808✔
408

409
  // write out entropy info
410
  if (settings::entropy_on) {
75,808✔
411
    fmt::print("   {:8.5f}", simulation::entropy[idx]);
13,255✔
412
  }
413

414
  if (n > 1) {
75,808✔
415
    fmt::print("   {:8.5f} +/-{:8.5f}", simulation::keff, simulation::keff_std);
53,762✔
416
  }
417
  fmt::print("\n");
75,808✔
418
  std::fflush(stdout);
75,808✔
419
}
75,808✔
420

421
//==============================================================================
422

423
void show_time(const char* label, double secs, int indent_level)
69,096✔
424
{
425
  int width = 33 - indent_level * 2;
69,096✔
426
  fmt::print("{0:{1}} {2:<{3}} = {4:>10.4e} seconds\n", "", 2 * indent_level,
69,096✔
427
    label, width, secs);
428
}
69,096✔
429

430
void show_rate(const char* label, double particles_per_sec)
7,565✔
431
{
432
  fmt::print(" {:<33} = {:.6} particles/second\n", label, particles_per_sec);
7,565✔
433
}
7,565✔
434

435
void print_runtime()
5,341✔
436
{
437
  using namespace simulation;
5,341✔
438

439
  // display header block
440
  header("Timing Statistics", 6);
5,341✔
441
  if (settings::verbosity < 6)
5,341!
442
    return;
443

444
  // display time elapsed for various sections
445
  show_time("Total time for initialization", time_initialize.elapsed());
5,341✔
446
  show_time("Reading cross sections", time_read_xs.elapsed(), 1);
5,341✔
447
  show_time("Total time in simulation",
5,341✔
448
    time_inactive.elapsed() + time_active.elapsed());
5,341✔
449
  show_time("Time in transport only", time_transport.elapsed(), 1);
5,341✔
450
  if (settings::event_based) {
5,341✔
451
    show_time("Particle initialization", time_event_init.elapsed(), 2);
150✔
452
    show_time("XS lookups", time_event_calculate_xs.elapsed(), 2);
150✔
453
    show_time("Advancing", time_event_advance_particle.elapsed(), 2);
150✔
454
    show_time("Surface crossings", time_event_surface_crossing.elapsed(), 2);
150✔
455
    show_time("Collisions", time_event_collision.elapsed(), 2);
150✔
456
    show_time("Particle death", time_event_death.elapsed(), 2);
150✔
457
  }
458
  if (settings::run_mode == RunMode::EIGENVALUE) {
5,341✔
459
    show_time("Time in inactive batches", time_inactive.elapsed(), 1);
3,109✔
460
  }
461
  show_time("Time in active batches", time_active.elapsed(), 1);
5,341✔
462
  if (settings::run_mode == RunMode::EIGENVALUE) {
5,341✔
463
    show_time("Time synchronizing fission bank", time_bank.elapsed(), 1);
3,109✔
464
    show_time("Sampling source sites", time_bank_sample.elapsed(), 2);
3,109✔
465
    show_time("SEND/RECV source sites", time_bank_sendrecv.elapsed(), 2);
3,109✔
466
  }
467
  show_time("Time accumulating tallies", time_tallies.elapsed(), 1);
5,341✔
468
  show_time("Time writing statepoints", time_statepoint.elapsed(), 1);
5,341✔
469
  show_time("Total time for finalization", time_finalize.elapsed());
5,341✔
470
  show_time("Total time elapsed", time_total.elapsed());
5,341✔
471

472
  // Calculate particle rate in active/inactive batches
473
  int n_active = simulation::current_batch - settings::n_inactive;
5,341✔
474
  double speed_inactive = 0.0;
5,341✔
475
  double speed_active;
5,341✔
476
  if (settings::restart_run) {
5,341✔
477
    if (simulation::restart_batch < settings::n_inactive) {
33!
UNCOV
478
      speed_inactive = (settings::n_particles *
×
UNCOV
479
                         (settings::n_inactive - simulation::restart_batch) *
×
UNCOV
480
                         settings::gen_per_batch) /
×
UNCOV
481
                       time_inactive.elapsed();
×
UNCOV
482
      speed_active =
×
UNCOV
483
        (settings::n_particles * n_active * settings::gen_per_batch) /
×
UNCOV
484
        time_active.elapsed();
×
485
    } else {
486
      speed_active = (settings::n_particles *
33✔
487
                       (settings::n_batches - simulation::restart_batch) *
33✔
488
                       settings::gen_per_batch) /
33✔
489
                     time_active.elapsed();
33✔
490
    }
491
  } else {
492
    if (settings::n_inactive > 0) {
5,308✔
493
      speed_inactive = (settings::n_particles * settings::n_inactive *
2,224✔
494
                         settings::gen_per_batch) /
2,224✔
495
                       time_inactive.elapsed();
2,224✔
496
    }
497
    speed_active =
5,308✔
498
      (settings::n_particles * n_active * settings::gen_per_batch) /
5,308✔
499
      time_active.elapsed();
5,308✔
500
  }
501

502
  // display calculation rate
503
  if (!(settings::restart_run &&
5,341✔
504
        (simulation::restart_batch >= settings::n_inactive)) &&
33!
505
      settings::n_inactive > 0) {
5,308✔
506
    show_rate("Calculation Rate (inactive)", speed_inactive);
2,224✔
507
  }
508
  show_rate("Calculation Rate (active)", speed_active);
5,341✔
509
}
510

511
//==============================================================================
512

513
std::pair<double, double> mean_stdev(const double* x, int n)
13,774,014✔
514
{
515
  double mean = x[static_cast<int>(TallyResult::SUM)] / n;
13,774,014✔
516
  double stdev =
13,774,014✔
517
    n > 1 ? std::sqrt(std::max(0.0,
27,539,921✔
518
              (x[static_cast<int>(TallyResult::SUM_SQ)] / n - mean * mean) /
27,539,921✔
519
                (n - 1)))
13,765,907✔
520
          : 0.0;
13,774,014✔
521
  return {mean, stdev};
13,774,014✔
522
}
523

524
//==============================================================================
525

526
void print_results()
5,341✔
527
{
528
  // display header block for results
529
  header("Results", 4);
5,341✔
530
  if (settings::verbosity < 4)
5,341!
UNCOV
531
    return;
×
532

533
  // Calculate t-value for confidence intervals
534
  int n = simulation::n_realizations;
5,341✔
535
  double alpha, t_n1, t_n3;
5,341✔
536
  if (settings::confidence_intervals) {
5,341✔
537
    alpha = 1.0 - CONFIDENCE_LEVEL;
11✔
538
    t_n1 = t_percentile(1.0 - alpha / 2.0, n - 1);
11✔
539
    t_n3 = t_percentile(1.0 - alpha / 2.0, n - 3);
11✔
540
  } else {
541
    t_n1 = 1.0;
542
    t_n3 = 1.0;
543
  }
544

545
  // write global tallies
546
  const auto& gt = simulation::global_tallies;
5,341✔
547
  double mean, stdev;
5,341✔
548
  if (n > 1) {
5,341✔
549
    if (settings::run_mode == RunMode::EIGENVALUE) {
5,100✔
550
      std::tie(mean, stdev) = mean_stdev(&gt(GlobalTally::K_COLLISION, 0), n);
3,076✔
551
      fmt::print(" k-effective (Collision)     = {:.5f} +/- {:.5f}\n", mean,
6,152✔
552
        t_n1 * stdev);
3,076✔
553
      std::tie(mean, stdev) = mean_stdev(&gt(GlobalTally::K_TRACKLENGTH, 0), n);
3,076✔
554
      fmt::print(" k-effective (Track-length)  = {:.5f} +/- {:.5f}\n", mean,
6,152✔
555
        t_n1 * stdev);
3,076✔
556
      std::tie(mean, stdev) = mean_stdev(&gt(GlobalTally::K_ABSORPTION, 0), n);
3,076✔
557
      fmt::print(" k-effective (Absorption)    = {:.5f} +/- {:.5f}\n", mean,
6,152✔
558
        t_n1 * stdev);
3,076✔
559
      if (n > 3) {
3,076✔
560
        double k_combined[2];
3,010✔
561
        openmc_get_keff(k_combined);
3,010✔
562
        fmt::print(" Combined k-effective        = {:.5f} +/- {:.5f}\n",
3,010✔
563
          k_combined[0], k_combined[1]);
564
      }
565
    }
566
    std::tie(mean, stdev) = mean_stdev(&gt(GlobalTally::LEAKAGE, 0), n);
5,100✔
567
    fmt::print(
9,262✔
568
      " Leakage Fraction            = {:.5f} +/- {:.5f}\n", mean, t_n1 * stdev);
5,100✔
569
  } else {
570
    if (mpi::master)
241!
571
      warning("Could not compute uncertainties -- only one "
482✔
572
              "active batch simulated!");
573

574
    if (settings::run_mode == RunMode::EIGENVALUE) {
241✔
575
      fmt::print(" k-effective (Collision)    = {:.5f}\n",
66✔
576
        gt(GlobalTally::K_COLLISION, TallyResult::SUM) / n);
33✔
577
      fmt::print(" k-effective (Track-length) = {:.5f}\n",
66✔
578
        gt(GlobalTally::K_TRACKLENGTH, TallyResult::SUM) / n);
33✔
579
      fmt::print(" k-effective (Absorption)   = {:.5f}\n",
60✔
580
        gt(GlobalTally::K_ABSORPTION, TallyResult::SUM) / n);
33✔
581
    }
582
    fmt::print(" Leakage Fraction           = {:.5f}\n",
437✔
583
      gt(GlobalTally::LEAKAGE, TallyResult::SUM) / n);
241✔
584
  }
585
  fmt::print("\n");
5,341✔
586
  std::fflush(stdout);
5,341✔
587
}
588

589
//==============================================================================
590

591
const std::unordered_map<int, const char*> score_names = {
592
  {SCORE_FLUX, "Flux"},
593
  {SCORE_TOTAL, "Total Reaction Rate"},
594
  {SCORE_SCATTER, "Scattering Rate"},
595
  {SCORE_NU_SCATTER, "Scattering Production Rate"},
596
  {SCORE_ABSORPTION, "Absorption Rate"},
597
  {SCORE_FISSION, "Fission Rate"},
598
  {SCORE_NU_FISSION, "Nu-Fission Rate"},
599
  {SCORE_KAPPA_FISSION, "Kappa-Fission Rate"},
600
  {SCORE_EVENTS, "Events"},
601
  {SCORE_DECAY_RATE, "Decay Rate"},
602
  {SCORE_DELAYED_NU_FISSION, "Delayed-Nu-Fission Rate"},
603
  {SCORE_PROMPT_NU_FISSION, "Prompt-Nu-Fission Rate"},
604
  {SCORE_INVERSE_VELOCITY, "Flux-Weighted Inverse Velocity"},
605
  {SCORE_FISS_Q_PROMPT, "Prompt fission power"},
606
  {SCORE_FISS_Q_RECOV, "Recoverable fission power"},
607
  {SCORE_CURRENT, "Current"},
608
  {SCORE_PULSE_HEIGHT, "pulse-height"},
609
  {SCORE_IFP_TIME_NUM, "IFP lifetime numerator"},
610
  {SCORE_IFP_BETA_NUM, "IFP delayed fraction numerator"},
611
  {SCORE_IFP_DENOM, "IFP common denominator"},
612
};
613

614
//! Create an ASCII output file showing all tally results.
615

616
void write_tallies()
5,817✔
617
{
618
  if (model::tallies.empty())
5,817✔
619
    return;
2,034✔
620

621
  // Set filename for tallies_out
622
  std::string filename = fmt::format("{}tallies.out", settings::path_output);
3,783✔
623

624
  // Open the tallies.out file.
625
  std::ofstream tallies_out;
3,783✔
626
  tallies_out.open(filename, std::ios::out | std::ios::trunc);
3,783✔
627

628
  // Loop over each tally.
629
  for (auto i_tally = 0; i_tally < model::tallies.size(); ++i_tally) {
22,896✔
630
    const auto& tally {*model::tallies[i_tally]};
19,113✔
631

632
    // Write header block.
633
    std::string tally_header("TALLY " + std::to_string(tally.id_));
19,113✔
634
    if (!tally.name_.empty())
19,113✔
635
      tally_header += ": " + tally.name_;
4,214✔
636
    fmt::print(tallies_out, "{}\n\n", header(tally_header));
19,113✔
637

638
    if (!tally.writable_) {
19,113✔
639
      fmt::print(tallies_out, " Internal\n\n");
402✔
640
      continue;
402✔
641
    }
642

643
    // Calculate t-value for confidence intervals
644
    double t_value = 1;
18,711✔
645
    if (settings::confidence_intervals) {
18,711✔
646
      auto alpha = 1 - CONFIDENCE_LEVEL;
11✔
647
      t_value = t_percentile(1 - alpha * 0.5, tally.n_realizations_ - 1);
11✔
648
    }
649

650
    // Write derivative information.
651
    if (tally.deriv_ != C_NONE) {
18,711✔
652
      const auto& deriv {model::tally_derivs[tally.deriv_]};
220!
653
      switch (deriv.variable) {
220!
654
      case DerivativeVariable::DENSITY:
88✔
655
        fmt::print(tallies_out, " Density derivative Material {}\n",
176✔
656
          deriv.diff_material);
88✔
657
        break;
88✔
658
      case DerivativeVariable::NUCLIDE_DENSITY:
88✔
659
        fmt::print(tallies_out,
176✔
660
          " Nuclide density derivative Material {} Nuclide {}\n",
661
          deriv.diff_material, data::nuclides[deriv.diff_nuclide]->name_);
88✔
662
        break;
88✔
663
      case DerivativeVariable::TEMPERATURE:
44✔
664
        fmt::print(tallies_out, " Temperature derivative Material {}\n",
88✔
665
          deriv.diff_material);
44✔
666
        break;
44✔
UNCOV
667
      default:
×
UNCOV
668
        fatal_error(fmt::format("Differential tally dependent variable for "
×
669
                                "tally {} not defined in output.cpp",
UNCOV
670
          tally.id_));
×
671
      }
672
    }
673

674
    // Initialize Filter Matches Object
675
    vector<FilterMatch> filter_matches;
37,422✔
676
    // Allocate space for tally filter matches
677
    filter_matches.resize(model::tally_filters.size());
18,711✔
678

679
    // Loop over all filter bin combinations.
680
    auto filter_iter = FilterBinIter(tally, false, &filter_matches);
18,711✔
681
    auto end = FilterBinIter(tally, true, &filter_matches);
18,711✔
682
    for (; filter_iter != end; ++filter_iter) {
9,476,462✔
683
      auto filter_index = filter_iter.index_;
684

685
      // Print info about this combination of filter bins.  The stride check
686
      // prevents redundant output.
687
      int indent = 0;
688
      for (auto i = 0; i < tally.filters().size(); ++i) {
29,832,265✔
689
        if (filter_index % tally.strides(i) == 0) {
20,374,514✔
690
          auto i_filt = tally.filters(i);
14,234,919✔
691
          const auto& filt {*model::tally_filters[i_filt]};
14,234,919✔
692
          auto& match {filter_matches[i_filt]};
14,234,919✔
693
          fmt::print(tallies_out, "{0:{1}}{2}\n", "", indent + 1,
14,234,919✔
694
            filt.text_label(match.i_bin_));
28,469,838✔
695
        }
696
        indent += 2;
20,374,514✔
697
      }
698

699
      // Loop over all nuclide and score combinations.
700
      int score_index = 0;
9,457,751✔
701
      for (auto i_nuclide : tally.nuclides_) {
20,343,027✔
702
        // Write label for this nuclide bin.
703
        if (i_nuclide == -1) {
10,885,276✔
704
          fmt::print(tallies_out, "{0:{1}}Total Material\n", "", indent + 1);
8,049,190✔
705
        } else {
706
          if (settings::run_CE) {
2,836,086✔
707
            fmt::print(tallies_out, "{0:{1}}{2}\n", "", indent + 1,
2,835,712✔
708
              data::nuclides[i_nuclide]->name_);
2,835,712✔
709
          } else {
710
            fmt::print(tallies_out, "{0:{1}}{2}\n", "", indent + 1,
374✔
711
              data::mg.nuclides_[i_nuclide].name);
374✔
712
          }
713
        }
714

715
        // Write the score, mean, and uncertainty.
716
        indent += 2;
10,885,276✔
717
        for (auto score : tally.scores_) {
24,644,962✔
718
          std::string score_name =
13,759,686✔
719
            score > 0 ? reaction_name(score) : score_names.at(score);
13,759,686✔
720
          double mean, stdev;
13,759,686✔
721
          std::tie(mean, stdev) =
13,759,686✔
722
            mean_stdev(&tally.results_(filter_index, score_index, 0),
27,519,372✔
723
              tally.n_realizations_);
13,759,686✔
724
          fmt::print(tallies_out, "{0:{1}}{2:<36} {3:.6} +/- {4:.6}\n", "",
27,519,372✔
725
            indent + 1, score_name, mean, t_value * stdev);
13,759,686✔
726
          score_index += 1;
13,759,686✔
727
        }
13,759,686✔
728
        indent -= 2;
10,885,276✔
729
      }
730
    }
731
  }
19,113✔
732
}
3,783✔
733

734
} // namespace openmc
STATUS · Troubleshooting · Open an Issue · Sales · Support · CAREERS · ENTERPRISE · START FREE · SCHEDULE DEMO
ANNOUNCEMENTS · TWITTER · TOS & SLA · Supported CI Services · What's a CI service? · Automated Testing

© 2026 Coveralls, Inc