Version: SMASH-3.2
configuration.h
Go to the documentation of this file.
1 /*
2  *
3  * Copyright (c) 2014-2024
4  * SMASH Team
5  *
6  * GNU General Public License (GPLv3 or later)
7  *
8  */
9 
10 #ifndef SRC_INCLUDE_SMASH_CONFIGURATION_H_
11 #define SRC_INCLUDE_SMASH_CONFIGURATION_H_
12 
13 #include <algorithm>
14 #include <array>
15 #include <exception>
16 #include <filesystem>
17 #include <iostream>
18 #include <map>
19 #include <optional>
20 #include <set>
21 #include <stdexcept>
22 #include <string>
23 #include <utility>
24 #include <vector>
25 
26 #include "yaml-cpp/yaml.h"
27 
28 #include "cxx17compat.h"
29 #include "forwarddeclarations.h"
30 #include "key.h"
31 
32 namespace YAML {
33 
40 template <typename T>
41 struct convert {
49  static Node encode(const T &x) { return Node{static_cast<std::string>(x)}; }
50 
59  static bool decode(const Node &node, T &x) {
60  if (!node.IsScalar()) {
61  return false;
62  } else {
63  x = static_cast<T>(node.Scalar());
64  return true;
65  }
66  }
67 };
68 } // namespace YAML
69 
70 namespace smash {
71 
285  public:
290  struct IncorrectTypeInAssignment : public std::runtime_error {
291  using std::runtime_error::runtime_error;
292  };
297  struct ParseError : public std::runtime_error {
298  using std::runtime_error::runtime_error;
299  };
304  struct FileDoesNotExist : public std::runtime_error {
305  using std::runtime_error::runtime_error;
306  };
311  struct TakeSameKeyTwice : public std::logic_error {
312  using std::logic_error::logic_error;
313  };
314 
318  static const char InitializeFromYAMLString = 'S';
319 
324  enum class GetEmpty { Yes, No };
325 
330  enum class Is { Invalid, Deprecated, Valid };
331 
337  explicit Configuration(const std::filesystem::path &path);
338 
346  explicit Configuration(const std::filesystem::path &path,
347  const std::filesystem::path &filename);
348 
357  explicit Configuration(const char *yaml, const char sflag) {
358  if (sflag == InitializeFromYAMLString) {
359  merge_yaml(yaml);
360  } else {
361  throw std::runtime_error(
362  "Unknown control flag in Configuration constructor"
363  " with a YAML formatted string. Please, use"
364  " Configuration::InitializeFromYAMLString.");
365  }
366  }
367 
368 #ifdef BUILD_TESTS
377  explicit Configuration(const char *yaml) : root_node_(YAML::Load(yaml)) {
378  if (root_node_.IsNull())
379  root_node_ = YAML::Node{YAML::NodeType::Map};
380  }
381 #endif
382 
391  Configuration(const Configuration &) = delete;
399 
414 
421 
431  ~Configuration() noexcept(false);
432 
443  void merge_yaml(const std::string &yaml);
444 
446  std::vector<std::string> list_upmost_nodes();
447 
499  template <typename T>
500  T take(const Key<T> &key) {
501  if (has_value(key)) {
502  // The following return statement converts a Value into T
503  return take({key.labels().begin(), key.labels().end()});
504  } else if (has_section(key.labels())) {
505  // In this case, if the Key type is a map, we take it, otherwise fails
506  if constexpr (isMap<typename Key<T>::type>::value) {
507  return take({key.labels().begin(), key.labels().end()});
508  } else {
509  throw std::logic_error(
510  "Key " + std::string{key} + // NOLINT(whitespace/braces)
511  " was taken, but its value is not a map, although there is a "
512  "section in the configuration with its labels.");
513  }
514  } else if (did_key_exist_and_was_it_already_taken(key.labels())) {
515  throw TakeSameKeyTwice("Attempt to take key " +
516  std::string{key} + // NOLINT(whitespace/braces)
517  " twice.");
518  } else {
519  try {
520  return key.default_value();
521  } catch (std::bad_optional_access &) {
522  throw std::invalid_argument(
523  "Key " + std::string{key} + // NOLINT(whitespace/braces)
524  " without default value taken, but missing in configuration.");
525  }
526  }
527  }
528 
542  template <typename T>
543  T take(const Key<T> &key, T default_value) {
544  if (!key.has_dependent_default()) {
545  throw std::logic_error(
546  "An input Key without dependent default cannot be taken specifying a "
547  "default value! Either define the key as having a dependent default "
548  "or take it without a default value (which is a Key property).");
549  }
550  if (has_value(key)) {
551  return take(key);
552  }
553  return default_value;
554  }
555 
578  template <typename T>
579  T read(const Key<T> &key) const {
580  if (has_value(key)) {
581  // The following return statement converts a Value into T
582  return read({key.labels().begin(), key.labels().end()});
583  } else if (has_section(key.labels())) {
584  // In this case, if the Key type is a map, we take it, otherwise fails
585  if constexpr (isMap<typename Key<T>::type>::value) {
586  return read({key.labels().begin(), key.labels().end()});
587  } else {
588  throw std::logic_error(
589  "Key " + std::string{key} + // NOLINT(whitespace/braces)
590  " was read, but its value is not a map, although there is a "
591  "section in the configuration with its labels.");
592  }
593  } else {
594  try {
595  return key.default_value();
596  } catch (std::bad_optional_access &) {
597  throw std::invalid_argument(
598  "Key " + std::string{key} + // NOLINT(whitespace/braces)
599  " without default value read, but missing in configuration.");
600  }
601  }
602  }
603 
617  template <typename T>
618  T read(const Key<T> &key, T default_value) {
619  if (!key.has_dependent_default()) {
620  throw std::logic_error(
621  "An input Key without dependent default cannot be read specifying a "
622  "default value! Either define the key as having a dependent default "
623  "or read it without a default value (which is a Key property).");
624  }
625  if (has_value(key)) {
626  return read(key);
627  }
628  return default_value;
629  }
630 
653  template <typename T, typename U = remove_cvref_t<T>,
654  typename std::enable_if_t<std::is_convertible_v<T, U>, bool> = true>
655  void set_value(Key<U> key, T &&value) {
657  {key.labels().begin(), key.labels().end()});
658  node = std::forward<T>(value);
659  }
660 
672  void remove_all_entries_in_section_but_one(const std::string &key,
673  KeyLabels section = {});
674 
695  KeyLabels section, Configuration::GetEmpty empty_if_not_existing =
697 
705  KeyLabels section, Configuration::GetEmpty empty_if_not_existing =
707 
713  void enclose_into_section(KeyLabels section);
714 
723  template <typename T>
724  bool has_key(const Key<T> &key) const {
725  const auto found_node =
726  find_existing_node({key.labels().begin(), key.labels().end()});
727  return found_node.has_value() && !(found_node.value().IsMap());
728  }
729 
737  template <typename T>
738  bool has_value(const Key<T> &key) const {
739  const auto found_node =
740  find_existing_node({key.labels().begin(), key.labels().end()});
741  return found_node.has_value() && !(found_node.value().IsNull()) &&
742  !(found_node.value().IsMap());
743  }
744 
750  bool has_section(const KeyLabels &labels) const {
751  const auto found_node = find_existing_node({labels.begin(), labels.end()});
752  return found_node.has_value() && found_node.value().IsMap();
753  }
754 
759  bool is_empty() const { return root_node_.size() == 0; }
760 
764  std::string to_string() const;
765 
772  void clear() { root_node_.reset(); }
773 
791  Is validate(bool full_validation = true) const;
792 
793  private:
803  class Value {
804  friend class Configuration;
805 
807  const YAML::Node node_;
809  const char *const key_;
810 
817  Value(const YAML::Node &n, const char *key) : node_(n), key_(key) {
818  if (!(n.IsScalar() || n.IsSequence() || n.IsMap())) {
819  std::stringstream err;
820  err << "Configuration value for \"" << key
821  << "\" is missing or invalid";
822  throw std::runtime_error(err.str());
823  }
824  }
825 
826  public:
828  Value(const Value &) = delete;
830  Value &operator=(const Value &) = delete;
831 
840  template <typename T>
841  operator T() const {
842  try {
843  return node_.as<T>();
844  } catch (YAML::TypedBadConversion<T> &e) {
846  "The value for key \"" + std::string(key_) +
847  "\" cannot be converted to the requested type.");
848  }
849  }
850 
856  template <typename T>
857  operator std::vector<T>() const {
858  try {
859  return node_.as<std::vector<T>>();
860  } catch (YAML::TypedBadConversion<T> &e) {
862  "One of the values in the sequence for key \"" + std::string(key_) +
863  "\" failed to convert to the requested type. E.g. [1 2] is a "
864  "sequence of one string \"1 2\" and [1, 2] is a sequence of two "
865  "integers. Often there is just a comma missing in the config "
866  "file.");
867  } catch (YAML::TypedBadConversion<std::vector<T>> &e) {
869  "The value for key \"" + std::string(key_) +
870  "\" cannot be converted to the requested type. A sequence was "
871  "expected but apparently not found.");
872  }
873  }
874 
882  template <typename T, size_t N>
883  operator std::array<T, N>() const {
884  const std::vector<T> vec = operator std::vector<T>();
885  const size_t n_read = vec.size();
886  // Alert if size does not match
887  if (n_read != N) {
888  throw IncorrectTypeInAssignment("Wrong number of values in array \"" +
889  std::string(key_) + "\". Expected " +
890  std::to_string(N) +
891  " values,"
892  " found " +
893  std::to_string(n_read) + ".");
894  }
895  std::array<T, N> arr;
896  std::copy_n(vec.begin(), N, arr.begin());
897  return arr;
898  }
899 
907  operator ReactionsBitSet() const {
908  const std::vector<std::string> v = operator std::vector<std::string>();
909  ReactionsBitSet s;
910  for (const auto &x : v) {
911  if (x == "All") {
912  s.set();
913  break;
914  } else if (x == "Elastic") {
916  } else if (x == "NN_to_NR") {
918  } else if (x == "NN_to_DR") {
920  } else if (x == "KN_to_KN") {
922  } else if (x == "KN_to_KDelta") {
924  } else if (x == "Strangeness_exchange") {
926  } else if (x == "NNbar") {
928  } else if (x == "PiDeuteron_to_NN") {
930  } else if (x == "PiDeuteron_to_pidprime") {
932  } else if (x == "NDeuteron_to_Ndprime") {
934  } else {
936  "The value for key \"" + std::string(key_) +
937  "\" should be \"All\", \"Elastic\", \"NN_to_NR\", \"NN_to_DR\","
938  "\"KN_to_KN\", \"KN_to_KDelta\", \"PiDeuteron_to_NN\", "
939  "\"PiDeuteron_to_pidprime\", \"NDeuteron_to_Ndprime\", "
940  "\"Strangeness_exchange\" or "
941  "\"NNbar\", or any combination of these.");
942  }
943  }
944  return s;
945  }
946 
954  operator MultiParticleReactionsBitSet() const {
955  const std::vector<std::string> v = operator std::vector<std::string>();
957  for (const auto &x : v) {
958  if (x == "All") {
959  s.set();
960  break;
961  } else if (x == "Meson_3to1") {
963  } else if (x == "Deuteron_3to2") {
965  } else if (x == "NNbar_5to2") {
967  } else if (x == "A3_Nuclei_4to2") {
969  } else {
971  "The value for key \"" + std::string(key_) +
972  "\" should be \"All\", \"Meson_3to1\", "
973  "\"Deuteron_3to2\" or \"NNbar_5to2\", "
974  "\"A3_Nuclei_4to2\", or any combination of "
975  "these.");
976  }
977  }
978  return s;
979  }
980 
988  operator std::set<ThermodynamicQuantity>() const {
989  const std::vector<std::string> v = operator std::vector<std::string>();
990  std::set<ThermodynamicQuantity> s;
991  for (const auto &x : v) {
992  if (x == "rho_eckart") {
994  } else if (x == "tmn") {
995  s.insert(ThermodynamicQuantity::Tmn);
996  } else if (x == "tmn_landau") {
998  } else if (x == "landau_velocity") {
1000  } else if (x == "j_QBS") {
1001  s.insert(ThermodynamicQuantity::j_QBS);
1002  } else {
1004  "The value for key \"" + std::string(key_) +
1005  "\" should be \"rho_eckart\", \"tmn\""
1006  ", \"tmn_landau\", \"landau_velocity\" or \"j_QBS\".");
1007  }
1008  }
1009  return s;
1010  }
1011 
1019  operator CalculationFrame() const {
1020  const std::string s = operator std::string();
1021  if (s == "center of velocity") {
1023  }
1024  if (s == "center of mass") {
1026  }
1027  if (s == "fixed target") {
1029  }
1031  "The value for key \"" + std::string(key_) +
1032  "\" should be \"center of velocity\" or \"center of mass\" "
1033  "or \"fixed target\".");
1034  }
1035 
1043  operator FermiMotion() const {
1044  const std::string s = operator std::string();
1045  if (s == "off") {
1046  return FermiMotion::Off;
1047  }
1048  if (s == "on") {
1049  return FermiMotion::On;
1050  }
1051  if (s == "frozen") {
1052  return FermiMotion::Frozen;
1053  }
1055  "The value for key \"" + std::string(key_) +
1056  "\" should be \"off\" or \"on\" or \"frozen\".");
1057  }
1058 
1066  operator DensityType() const {
1067  const std::string s = operator std::string();
1068  if (s == "hadron") {
1069  return DensityType::Hadron;
1070  }
1071  if (s == "baryon") {
1072  return DensityType::Baryon;
1073  }
1074  if (s == "baryonic isospin") {
1076  }
1077  if (s == "pion") {
1078  return DensityType::Pion;
1079  }
1080  if (s == "total isospin") {
1082  }
1083  if (s == "none") {
1084  return DensityType::None;
1085  }
1086  throw IncorrectTypeInAssignment("The value for key \"" +
1087  std::string(key_) +
1088  "\" should be \"hadron\" or \"baryon\" "
1089  "or \"baryonic isospin\" or \"pion\" "
1090  "or \"none\".");
1091  }
1092 
1100  operator ExpansionMode() const {
1101  const std::string s = operator std::string();
1102  if (s == "NoExpansion") {
1104  }
1105  if (s == "MasslessFRW") {
1107  }
1108  if (s == "MassiveFRW") {
1110  }
1111  if (s == "Exponential") {
1113  }
1115  "The value for key \"" + std::string(key_) +
1116  "\" should be \"NoExpansion\", \"MasslessFRW\"," +
1117  "\"MassiveFRW\" or \"Exponential\".");
1118  }
1119 
1123  operator DerivativesMode() const {
1124  const std::string s = operator std::string();
1125  if (s == "Covariant Gaussian") {
1127  }
1128  if (s == "Finite difference") {
1130  }
1131  if (s == "Off") {
1132  return DerivativesMode::Off;
1133  }
1135  "The value for key \"" + std::string(key_) +
1136  "\" should be \"Covariant Gaussian\", \"Finite difference\"," +
1137  " or \"Off\".");
1138  }
1139 
1143  operator FieldDerivativesMode() const {
1144  const std::string s = operator std::string();
1145  if (s == "Chain Rule") {
1147  }
1148  if (s == "Direct") {
1150  }
1152  "The value for key \"" + std::string(key_) +
1153  "\" should be \"Chain Rule\" or \"Direct\".");
1154  }
1155 
1159  operator SmearingMode() const {
1160  const std::string s = operator std::string();
1161  if (s == "Covariant Gaussian") {
1163  }
1164  if (s == "Discrete") {
1165  return SmearingMode::Discrete;
1166  }
1167  if (s == "Triangular") {
1168  return SmearingMode::Triangular;
1169  }
1171  "The value for key \"" + std::string(key_) +
1172  "\" should be \"Covariant Gaussian\", \"Discrete\"," +
1173  " or \"Triangular\".");
1174  }
1175 
1183  operator TimeStepMode() const {
1184  const std::string s = operator std::string();
1185  if (s == "None") {
1186  return TimeStepMode::None;
1187  }
1188  if (s == "Fixed") {
1189  return TimeStepMode::Fixed;
1190  }
1191  throw IncorrectTypeInAssignment("The value for key \"" +
1192  std::string(key_) +
1193  "\" should be \"None\" or \"Fixed\".");
1194  }
1195 
1203  operator BoxInitialCondition() const {
1204  const std::string s = operator std::string();
1205  if (s == "thermal momenta") {
1207  }
1208  if (s == "thermal momenta quantum") {
1210  }
1211  if (s == "peaked momenta") {
1213  }
1215  "The value for key \"" + std::string(key_) +
1216  "\" should be \"thermal momenta\", \"thermal momenta quantum\", " +
1217  "or \"peaked momenta\".");
1218  }
1219 
1227  operator SphereInitialCondition() const {
1228  const std::string s = operator std::string();
1229  if (s == "thermal momenta") {
1231  }
1232  if (s == "thermal momenta quantum") {
1234  }
1235  if (s == "IC_ES") {
1237  }
1238  if (s == "IC_1M") {
1240  }
1241  if (s == "IC_2M") {
1243  }
1244  if (s == "IC_Massive") {
1246  }
1248  "The value for key \"" + std::string(key_) +
1249  "\" should be \"thermal momenta\", \"thermal momenta quantum\", " +
1250  "\"IC_ES\", \"IC_1M\", \"IC_2M\" or" + "\"IC_Massive\".");
1251  }
1252 
1260  operator NNbarTreatment() const {
1261  const std::string s = operator std::string();
1262  if (s == "no annihilation") {
1264  }
1265  if (s == "resonances") {
1267  }
1268  if (s == "two to five") {
1270  }
1271  if (s == "strings") {
1272  return NNbarTreatment::Strings;
1273  }
1275  "The value for key \"" + std::string(key_) + "\" should be " +
1276  "\"no annihilation\", \"resonances\", \"two to five\" or " +
1277  " \"strings\".");
1278  }
1279 
1287  operator Sampling() const {
1288  const std::string s = operator std::string();
1289  if (s == "quadratic") {
1290  return Sampling::Quadratic;
1291  }
1292  if (s == "custom") {
1293  return Sampling::Custom;
1294  }
1295  if (s == "uniform") {
1296  return Sampling::Uniform;
1297  }
1299  "The value for key \"" + std::string(key_) +
1300  "\" should be \"quadratic\", \"uniform\" or \"custom\".");
1301  }
1302 
1310  operator ThermalizationAlgorithm() const {
1311  const std::string s = operator std::string();
1312  if (s == "mode sampling") {
1314  }
1315  if (s == "biased BF") {
1317  }
1318  if (s == "unbiased BF") {
1320  }
1322  "The value for key \"" + std::string(key_) +
1323  "\" should be \"mode sampling\", \"biased BF\" or \"unbiased BF\".");
1324  }
1325 
1333  operator CollisionCriterion() const {
1334  const std::string s = operator std::string();
1335  if (s == "Geometric") {
1337  }
1338  if (s == "Stochastic") {
1340  }
1341  if (s == "Covariant") {
1343  }
1345  "The value for key \"" + std::string(key_) + "\" should be " +
1346  "\"Geometric\", \"Stochastic\" " + "or \"Covariant\".");
1347  }
1348 
1356  operator TotalCrossSectionStrategy() const {
1357  const std::string s = operator std::string();
1358  if (s == "BottomUp") {
1360  }
1361  if (s == "TopDown") {
1363  }
1364  if (s == "TopDownMeasured") {
1366  }
1368  "The value for key \"" + std::string(key_) + "\" should be " +
1369  "\"BottomUp\", \"TopDown\" " + "or \"TopDownMeasured\".");
1370  }
1371 
1379  operator PseudoResonance() const {
1380  const std::string s = operator std::string();
1381  if (s == "None") {
1382  return PseudoResonance::None;
1383  }
1384  if (s == "Largest") {
1385  return PseudoResonance::Largest;
1386  }
1387  if (s == "Closest") {
1388  return PseudoResonance::Closest;
1389  }
1390  if (s == "LargestFromUnstable") {
1392  }
1393  if (s == "ClosestFromUnstable") {
1395  }
1397  "The value for key \"" + std::string(key_) + "\" should be " +
1398  "\"None\", \"Largest\", \"Closest\", \"LargestFromUnstable\", or "
1399  "\"ClosestFromUnstable\".");
1400  }
1401 
1410  operator FluidizationType() const {
1411  const std::string s = operator std::string();
1412  if (s == "Constant_Tau") {
1414  } else if (s == "Dynamic") {
1416  }
1417  throw IncorrectTypeInAssignment("The value for key \"" +
1418  std::string(key_) + "\" should be " +
1419  "\"Constant_Tau\" or \"Dynamic\".");
1420  }
1421 
1429  operator OutputOnlyFinal() const {
1430  const std::string s = operator std::string();
1431  if (s == "Yes") {
1432  return OutputOnlyFinal::Yes;
1433  }
1434  if (s == "No") {
1435  return OutputOnlyFinal::No;
1436  }
1437  if (s == "IfNotEmpty") {
1439  }
1440  throw IncorrectTypeInAssignment("The value for key \"" +
1441  std::string(key_) + "\" should be " +
1442  "\"Yes\", \"No\" or \"IfNotEmpty\".");
1443  }
1444 
1452  operator FluidizableProcessesBitSet() const {
1453  const std::vector<std::string> v = operator std::vector<std::string>();
1455  for (const auto &x : v) {
1456  if (x == "All") {
1457  s.set();
1458  break;
1459  } else if (x == "Elastic") {
1461  } else if (x == "Decay") {
1463  } else if (x == "Inelastic") {
1465  } else if (x == "SoftString") {
1467  } else if (x == "HardString") {
1469  } else {
1471  "The value for key \"" + std::string(key_) +
1472  "\" should be \"All\", \"Elastic\", \"Decay\", "
1473  "\"Inelastic\", \"SoftString\", \"HardString\", "
1474  "or any combination of these.");
1475  }
1476  }
1477  return s;
1478  }
1479  };
1480 
1488  Configuration(const YAML::Node &node) // NOLINT(runtime/explicit) : see above
1489  : root_node_(YAML::Clone(node)) {}
1490 
1503  std::vector<std::string_view> keys) const;
1504 
1527  std::optional<YAML::Node> find_existing_node(
1528  std::vector<std::string_view> keys) const;
1529 
1533  template <class T>
1534  struct isMap : std::false_type {};
1538  template <class Key, class Value>
1539  struct isMap<std::map<Key, Value>> : std::true_type {};
1540 
1552  Value take(std::vector<std::string_view> labels);
1553 
1565  Value read(std::vector<std::string_view> labels) const;
1566 
1575  return std::find(existing_keys_already_taken_.begin(),
1577  labels) != existing_keys_already_taken_.end();
1578  }
1579 
1581  YAML::Node root_node_{YAML::NodeType::Map};
1582 
1584  int uncaught_exceptions_{std::uncaught_exceptions()};
1585 
1587  std::vector<KeyLabels> existing_keys_already_taken_{};
1588 };
1589 
1590 } // namespace smash
1591 
1592 #endif // SRC_INCLUDE_SMASH_CONFIGURATION_H_
Proxy object to be used when taking or reading keys in the configuration.
Value(const YAML::Node &n, const char *key)
Construct the Value wrapper from a YAML::Node.
Value(const Value &)=delete
If you want to copy this you're doing it wrong.
const char *const key_
The key to be interpreted.
const YAML::Node node_
a YAML leaf node
Value & operator=(const Value &)=delete
If you want to copy this you're doing it wrong.
Interface to the SMASH configuration files.
Is
Return type of Configuration::validate which conveys more information that simply a two-state boolean...
T take(const Key< T > &key, T default_value)
Alternative method to take a key value, specifying the default value.
void set_value(Key< U > key, T &&value)
Overwrite the value of the YAML node corresponding to the specified key.
Configuration(const Configuration &)=delete
Prevent Configuration objects from being copied.
void merge_yaml(const std::string &yaml)
Merge the configuration in yaml into the existing tree.
std::string to_string() const
Return a string of the current YAML tree.
Configuration extract_sub_configuration(KeyLabels section, Configuration::GetEmpty empty_if_not_existing=Configuration::GetEmpty::No)
Create a new configuration from a then-removed section of the present object.
T read(const Key< T > &key) const
Additional interface for SMASH to read configuration values without removing them.
bool is_empty() const
Configuration(const std::filesystem::path &path)
Read config.yaml from the specified path.
void enclose_into_section(KeyLabels section)
Enclose the configuration into the given section.
YAML::Node root_node_
The general_config.yaml contents - fully parsed.
YAML::Node find_node_creating_it_if_not_existing(std::vector< std::string_view > keys) const
Descend in and if needed modify the YAML tree from the given node using the provided keys.
Configuration(const YAML::Node &node)
Create a sub-object that has its root node at the given node.
int uncaught_exceptions_
Counter to be able to optionally throw in destructor.
bool did_key_exist_and_was_it_already_taken(const KeyLabels &labels) const
Find out whether a key has been already taken.
Configuration(const char *yaml)
bool has_value(const Key< T > &key) const
Return whether there is a non-empty value behind the requested key (which is supposed not to refer to...
void clear()
Erase the Configuration content.
Configuration(const char *yaml, const char sflag)
Initialize configuration with a YAML formatted string.
T read(const Key< T > &key, T default_value)
Alternative method to read a key value, specifying the default value.
bool has_key(const Key< T > &key) const
Return whether the configuration has a (possibly empty) non-map key.
bool has_section(const KeyLabels &labels) const
Return whether there is a (possibly empty) section with the given labels.
Is validate(bool full_validation=true) const
Validate content of configuration in terms of YAML keys.
std::optional< YAML::Node > find_existing_node(std::vector< std::string_view > keys) const
Descend in the YAML tree from the given node using the provided keys.
~Configuration() noexcept(false)
Destroy the object, optionally throwing if not all keys were taken.
GetEmpty
Flag to tune method(s) behavior such that it is descriptive from the caller side.
static const char InitializeFromYAMLString
Flag to mark initialization with a YAML formatted string.
Configuration extract_complete_sub_configuration(KeyLabels section, Configuration::GetEmpty empty_if_not_existing=Configuration::GetEmpty::No)
Alternative method to extract a sub-configuration, which retains the labels from the top-level in the...
T take(const Key< T > &key)
The default interface for SMASH to read configuration values.
void remove_all_entries_in_section_but_one(const std::string &key, KeyLabels section={})
Remove all entries in the given section except for key.
std::vector< std::string > list_upmost_nodes()
Lists all YAML::Nodes from the configuration setup.
std::vector< KeyLabels > existing_keys_already_taken_
List of taken keys to throw on taking same key twice.
Configuration & operator=(const Configuration &)=delete
Prevent Configuration objects from being copy-assigned.
Object to store a YAML input file key together with metadata associated to it.
Definition: key.h:104
bool has_dependent_default() const noexcept
Ask whether the default value depends on other other keys.
Definition: key.h:185
default_type default_value() const
Get the default value of the key.
Definition: key.h:177
const KeyLabels & labels() const
Method to access the Key labels.
Definition: key.h:297
default_type type
Let the clients of this class have access to the key type.
Definition: key.h:168
SmearingMode
Modes of smearing.
FermiMotion
Option to use Fermi Motion.
@ On
Use fermi motion in combination with potentials.
@ Frozen
Use fermi motion without potentials.
@ Off
Don't use fermi motion.
std::bitset< 10 > ReactionsBitSet
Container for the 2 to 2 reactions in the code.
ThermalizationAlgorithm
Defines the algorithm used for the forced thermalization.
FluidizationType
Possible methods to convert SMASH particle into fluid cells.
@ ConstantTau
Hypersurface crossed at a fixed proper time.
@ Dynamic
Dynamic fluidization based on local densities.
NNbarTreatment
Treatment of N Nbar Annihilation.
@ NoAnnihilation
No Annihilation.
@ TwoToFive
Directly create 5 pions, use with multi-particle reactions.
@ Resonances
Use intermediate Resonances.
@ Strings
Use string fragmentation.
TimeStepMode
The time step mode.
@ Fixed
Use fixed time step.
@ None
Don't use time steps; propagate from action to action.
@ EckartDensity
Density in the Eckart frame.
@ Tmn
Energy-momentum tensor in lab frame.
@ LandauVelocity
Velocity of the Landau rest frame.
@ j_QBS
Electric (Q), baryonic (B) and strange (S) currents.
@ TmnLandau
Energy-momentum tensor in Landau rest frame.
std::bitset< 5 > FluidizableProcessesBitSet
TotalCrossSectionStrategy
Determine how total cross sections for collision finding should be computed.
@ TopDownMeasured
Mix the two above, using the parametrizations only for measured processes, and summing up partials fo...
@ TopDown
Use parametrizations based on existing data, rescaling with AQM for unmeasured processes.
@ BottomUp
Sum the existing partial contributions.
Sampling
Possible methods of impact parameter sampling.
@ Quadratic
Sample from areal / quadratic distribution.
@ Custom
Sample from custom, user-defined distribution.
@ Uniform
Sample from uniform distribution.
@ From_HardString
@ From_Inelastic
@ From_Elastic
@ From_SoftString
@ From_Decay
std::bitset< 4 > MultiParticleReactionsBitSet
Container for the n to m reactions in the code.
CalculationFrame
The calculation frame.
@ NNbar_5to2
@ A3_Nuclei_4to2
@ Deuteron_3to2
@ Meson_3to1
DerivativesMode
Modes of calculating the gradients.
CollisionCriterion
Criteria used to check collisions.
@ Stochastic
Stochastic Criteiron.
@ Geometric
Geometric criterion.
@ Covariant
Covariant Criterion.
FieldDerivativesMode
Modes of calculating the field gradients: chain rule or direct.
SphereInitialCondition
Initial condition for a particle in a sphere.
@ ThermalMomentaBoltzmann
A thermalized ensemble is generated, with momenta sampled from a Maxwell-Boltzmann distribution.
@ IC_ES
Off-equilibrium distribution used in massless comparisons of SMASH to the extended universe metric.
@ ThermalMomentaQuantum
A thermalized ensemble is generated, with momenta of baryons(mesons) sampled from a Fermi(Bose) distr...
@ IC_Massive
A generalization of IC_ES for the non-zero mass case; note that there is currently no analytical comp...
@ IC_2M
Off-equilibrium distribution used in massless comparisons of SMASH to the extended universe metric.
@ IC_1M
Off-equilibrium distribution used in massless comparisons of SMASH to the extended universe metric.
PseudoResonance
Which pseudo-resonance fills the inelastic gap in the transition to string region of cross sections.
@ Closest
Resonance with the pole mass closest from the invariant mass of incoming particles for all processes.
@ ClosestFromUnstable
Closest resonance for a given mass from processes with at least one resonance in the incoming particl...
@ None
No pseudo-resonance is created.
@ LargestFromUnstable
Heaviest possible resonance from processes with at least one resonance in the incoming particles.
@ Largest
Resonance of largest mass for all processes.
@ KN_to_KDelta
@ KN_to_KN
@ NN_to_NR
@ PiDeuteron_to_pidprime
@ NDeuteron_to_Ndprime
@ Strangeness_exchange
@ PiDeuteron_to_NN
@ NN_to_DR
DensityType
Allows to choose which kind of density to calculate.
OutputOnlyFinal
Whether and when only final state particles should be printed.
@ IfNotEmpty
Print only final-state particles, and those only if the event is not empty.
@ Yes
Print only final-state particles.
@ No
Print initial, intermediate and final-state particles.
BoxInitialCondition
Initial condition for a particle in a box.
@ ThermalMomentaBoltzmann
A thermalized ensemble is generated, with momenta sampled from a Maxwell-Boltzmann distribution.
@ ThermalMomentaQuantum
A thermalized ensemble is generated, with momenta of baryons(mesons) sampled from a Fermi(Bose) distr...
@ PeakedMomenta
All particles have the same momentum with T being the temperature.
ExpansionMode
Defines properties of expansion for the metric (e.g.
constexpr int n
Neutron.
Definition: action.h:24
std::vector< std::string > KeyLabels
Descriptive alias for storing key labels, i.e.
Definition: key.h:42
Convert from YAML::Node to SMASH-readable (C++) format and vice versa.
Definition: configuration.h:41
static bool decode(const Node &node, T &x)
Deserialization: Converts a YAML::Node to any SMASH-readable data type and returns whether or not thi...
Definition: configuration.h:59
static Node encode(const T &x)
Serialization: Converts x (of any type) to a YAML::Node.
Definition: configuration.h:49
Thrown if the file does not exist.
Thrown when the types in the config file and C++ don't match.
Thrown for YAML parse errors.
Thrown if a Key is taken twice.
Utility type trait (general case) for the take and read public methods.