Version: SMASH-3.2
configuration.cc
Go to the documentation of this file.
1 /*
2  *
3  * Copyright (c) 2014-2019,2022,2024
4  * SMASH Team
5  *
6  * GNU General Public License (GPLv3 or later)
7  *
8  */
9 
10 #include "smash/configuration.h"
11 
12 #include <cstdio>
13 #include <filesystem>
14 #include <fstream>
15 #include <numeric>
16 #include <string>
17 #include <vector>
18 
19 #include "yaml-cpp/yaml.h"
20 
22 #include "smash/input_keys.h"
23 #include "smash/inputfunctions.h"
24 #include "smash/logging.h"
25 #include "smash/stringfunctions.h"
26 
27 namespace smash {
28 static constexpr int LConfiguration = LogArea::Configuration::id;
29 
30 // internal helper functions
31 namespace {
40 void descend_one_existing_level(std::optional<YAML::Node> &node,
41  std::string_view key) {
42  if (node) {
43  for (const auto &section : node.value()) {
44  /* Two remarks:
45  1) The Node::operator[] creates an undefined node in the YAML tree if
46  the node corresponding to the passed key does not exist and hence
47  in this function, which descend one level which is expected to
48  exist, we need to use it only if we are sure the node exists.
49  2) Node::reset does what you might expect Node::operator= to do. But
50  operator= assigns a value to the node and so
51  node = node[key]
52  would lead to a further modification of the data structure and
53  this function would not be simply traversal. Note that node and
54  root_node_ point to the same memory and modification to the first
55  would affect the second, too. */
56  if (section.first.Scalar() == key) {
57  node.value().reset(node.value()[key]);
58  return;
59  }
60  }
61  node = std::nullopt;
62  }
63 }
64 
71 YAML::Node remove_empty_maps(YAML::Node root) {
72  if (root.IsMap()) {
73  std::vector<std::string> to_remove(root.size());
74  for (auto n : root) {
75  remove_empty_maps(n.second);
76  // If the node is an empty sequence, we do NOT remove it!
77  if (n.second.IsMap() && n.second.size() == 0) {
78  to_remove.emplace_back(n.first.Scalar());
79  }
80  }
81  for (const auto &key : to_remove) {
82  root.remove(key);
83  }
84  }
85  return root;
86 }
87 
95 YAML::Node operator|=(YAML::Node a, const YAML::Node &b) {
96  if (b.IsMap()) {
97  for (auto n0 : b) {
98  a[n0.first.Scalar()] |= n0.second;
99  }
100  } else {
101  a = b;
102  }
103  return a;
104 }
105 
112 std::string join_quoted(std::vector<std::string_view> keys) {
113  return std::accumulate(keys.begin(), keys.end(), std::string{"{"},
114  [](const std::string &ss, const std::string_view &s) {
115  return ss + ((ss.size() == 1) ? "\"" : ", \"") +
116  std::string{s} + // NOLINT(whitespace/braces)
117  "\"";
118  }) +
119  "}";
120 }
121 
122 } // unnamed namespace
123 
124 // Default constructor
125 Configuration::Configuration(const std::filesystem::path &path)
126  : Configuration(path, "config.yaml") {}
127 
128 // Constructor checking for validity of input
129 Configuration::Configuration(const std::filesystem::path &path,
130  const std::filesystem::path &filename) {
131  const auto file_path = path / filename;
132  if (!std::filesystem::exists(file_path)) {
133  throw FileDoesNotExist("The configuration file was expected at '" +
134  file_path.native() +
135  "', but the file does not exist.");
136  }
137  if (has_crlf_line_ending(read_all(std::ifstream((file_path))))) {
138  throw std::runtime_error(
139  "The configuration file has CR LF line endings. Please use LF "
140  "line endings.");
141  }
142  try {
143  root_node_ = YAML::LoadFile(file_path.native());
144  } catch (YAML::ParserException &e) {
145  if (e.msg == "illegal map value" || e.msg == "end of map not found") {
146  const auto line = std::to_string(e.mark.line + 1);
147  throw ParseError("YAML parse error at\n" + file_path.native() + ':' +
148  line + ": " + e.msg +
149  " (check that the indentation of map keys matches)");
150  }
151  throw;
152  }
153 }
154 
156  : root_node_(std::move(other.root_node_)),
157  uncaught_exceptions_(std::move(other.uncaught_exceptions_)),
158  existing_keys_already_taken_(
159  std::move(other.existing_keys_already_taken_)) {
160  other.root_node_.reset();
161  other.uncaught_exceptions_ = 0;
162  other.existing_keys_already_taken_.clear();
163 }
164 
166  // YAML does not offer != operator between nodes
167  if (!(root_node_ == other.root_node_)) {
168  root_node_ = std::move(other.root_node_);
169  uncaught_exceptions_ = std::move(other.uncaught_exceptions_);
171  std::move(other.existing_keys_already_taken_);
172  other.root_node_.reset();
173  other.uncaught_exceptions_ = 0;
174  other.existing_keys_already_taken_.clear();
175  }
176  return *this;
177 }
178 
179 Configuration::~Configuration() noexcept(false) {
180  // Make sure that stack unwinding is not taking place befor throwing
181  if (std::uncaught_exceptions() == uncaught_exceptions_) {
182  // In this scenario is fine to throw
183  if (root_node_.size() != 0) {
184  throw std::logic_error(
185  "Configuration object destroyed with unused keys:\n" + to_string());
186  }
187  }
188  /* If this destructor is called during stack unwinding, it is irrelevant
189  that the Configuration has not be completely parsed. */
190 }
191 
192 void Configuration::merge_yaml(const std::string &yaml) {
193  try {
194  root_node_ |= YAML::Load(yaml);
195  } catch (YAML::ParserException &e) {
196  if (e.msg == "illegal map value" || e.msg == "end of map not found") {
197  const auto line = std::to_string(e.mark.line + 1);
198  throw ParseError("YAML parse error in:\n" + yaml + "\nat line " + line +
199  ": " + e.msg +
200  " (check that the indentation of map keys matches)");
201  }
202  throw;
203  }
204 }
205 
206 std::vector<std::string> Configuration::list_upmost_nodes() {
207  std::vector<std::string> r;
208  r.reserve(root_node_.size());
209  for (auto i : root_node_) {
210  r.emplace_back(i.first.Scalar());
211  }
212  return r;
213 }
214 
215 Configuration::Value Configuration::take(std::vector<std::string_view> labels) {
216  assert(labels.size() > 0);
217  /* Here we want to descend the YAML tree but not all the way to the last key,
218  because we need the node associated to the previous to last key in order to
219  remove the taken key. */
220  auto last_key_it = labels.end() - 1;
221  auto previous_to_last_node =
222  find_existing_node({labels.begin(), last_key_it});
223  auto to_be_returned{previous_to_last_node};
224  descend_one_existing_level(to_be_returned, *last_key_it);
225  if (!previous_to_last_node || !to_be_returned) {
226  throw std::runtime_error(
227  "Private Configuration::take method called with not existing key: " +
228  join_quoted(labels) + ". This should not have happened.");
229  }
230  previous_to_last_node.value().remove(*last_key_it);
232  if (const KeyLabels key_labels{labels.begin(), labels.end()};
234  existing_keys_already_taken_.push_back(key_labels);
235  }
236  /* NOTE: The second argument in the returned statement to construct Value must
237  * point to a string that is outliving the function scope and it would be
238  * wrong to return e.g. something locally declared in the function. This is
239  * because that argument is underneath of type 'const char* const' and, then,
240  * if it was dangling after returning, it would be wrong to access it.
241  */
242  return {to_be_returned.value(), last_key_it->data()};
243 }
244 
246  std::vector<std::string_view> labels) const {
247  auto found_node = find_existing_node({labels.begin(), labels.end()});
248  if (found_node) {
249  // The same remark about the take return value applies here.
250  return {found_node.value(), labels.back().data()};
251  } else {
252  throw std::runtime_error(
253  "Private Configuration::read method called with not existing key: " +
254  join_quoted(labels) + ". This should not have happened.");
255  }
256 }
257 
259  const std::string &key, KeyLabels section) {
260  auto found_node = find_existing_node({section.begin(), section.end()});
261  if (found_node) {
262  std::vector<std::string> to_remove{};
263  bool key_exists = false;
264  for (auto i : found_node.value()) {
265  if (i.first.Scalar() != key) {
266  to_remove.push_back(i.first.Scalar());
267  } else {
268  key_exists = true;
269  }
270  }
271  if (!key_exists) {
272  std::string section_string{" section "};
273  if (section.size() > 0) {
274  section_string += join_quoted({section.begin(), section.end()}) + " ";
275  } else {
276  section_string = " top-level" + section_string;
277  }
278  throw std::invalid_argument("Attempt to remove all keys in" +
279  section_string +
280  "except not existing one: \"" + key + "\"");
281  } else {
282  for (auto i : to_remove) {
283  found_node.value().remove(i);
284  }
285  }
286  } else {
287  throw std::invalid_argument(
288  "Attempt to remove entries in not existing section: " +
289  join_quoted({section.begin(), section.end()}));
290  }
291 }
292 
294  KeyLabels section, Configuration::GetEmpty empty_if_not_existing) {
295  // Same logic as in take method
296  assert(section.size() > 0);
297  auto last_key_it = section.end() - 1;
298  auto previous_to_section_node =
299  find_existing_node({section.begin(), last_key_it});
300  auto sub_conf_root_node{previous_to_section_node};
301  descend_one_existing_level(sub_conf_root_node, *last_key_it);
302  if (!previous_to_section_node || !sub_conf_root_node) {
303  if (empty_if_not_existing == Configuration::GetEmpty::Yes)
304  return Configuration(YAML::Node{});
305  else
306  throw std::runtime_error("Attempt to extract not existing section " +
307  join_quoted({section.begin(), section.end()}));
308  }
309  /* Here sub_conf_root_node cannot be a nullopt, since if it was the function
310  would have returned before and it cannot be that previous_to_section_node
311  is nullopt and sub_conf_root_node is not */
312  else if (sub_conf_root_node->IsNull() || // NOLINT[whitespace/newline]
313  (sub_conf_root_node->IsMap() && sub_conf_root_node->size() == 0)) {
314  // Here we put together the cases of a key without value or with
315  // an empty map {} as value (no need at the moment to distinguish)
316  throw std::runtime_error("Attempt to extract empty section " +
317  join_quoted({section.begin(), section.end()}));
318  } else if (sub_conf_root_node->IsMap() && sub_conf_root_node->size() != 0) {
319  Configuration sub_config{*sub_conf_root_node};
320  previous_to_section_node->remove(*last_key_it);
322  return sub_config;
323  } else { // sequence or scalar or any future new YAML type
324  throw std::runtime_error("Tried to extract configuration section at " +
325  join_quoted({section.begin(), section.end()}) +
326  " to get a key value. Use take instead!");
327  }
328 }
329 
331  KeyLabels section, Configuration::GetEmpty empty_if_not_existing) {
332  auto sub_configuration =
333  extract_sub_configuration(section, empty_if_not_existing);
334  sub_configuration.enclose_into_section(section);
335  return sub_configuration;
336 }
337 
339  /* If the configuration is empty, force its root node to be a map. This is not
340  done in the extract_sub_configuration method, which allows the possibility not
341  to have a map node at root in the returned object, but here we
342  know it will be a map. */
343  if (root_node_.size() == 0) {
344  root_node_ = YAML::Node(YAML::NodeType::Map);
345  }
346  /* Create a new configuration from an empty node adding there the nested-map
347  structure. Then add the old root node to it and reset it to the new root one.
348  Refer to the descend_one_existing_level comment to understand the usage of
349  YAML::Node::operator[] and reset methods. */
350  YAML::Node new_root_node{YAML::NodeType::Map};
351  auto last_node = new_root_node;
352  for (const auto &label : section) {
353  last_node[label] = YAML::Node(YAML::NodeType::Map);
354  last_node.reset(last_node[label]);
355  }
356  last_node = root_node_;
357  root_node_.reset(new_root_node);
358 }
359 
360 std::string Configuration::to_string() const {
361  std::stringstream s;
362  s << root_node_;
363  return s.str();
364 }
365 
366 std::optional<YAML::Node> Configuration::find_existing_node(
367  std::vector<std::string_view> keys) const {
368  /* Here we do not assert(keys.size()>0) and allow to pass in an empty vector,
369  in which case the passed in YAML:Node is simply returned. This might happen
370  e.g. in the take or extract_sub_configuration methods if called with a
371  label of a key at top level of the configuration file. */
372  std::optional<YAML::Node> node{root_node_};
373  for (const auto &key : keys) {
374  descend_one_existing_level(node, key);
375  }
376  return node;
377 }
378 
380  std::vector<std::string_view> keys) const {
381  assert(keys.size() > 0);
382  YAML::Node node{root_node_};
383  for (const auto &key : keys) {
384  // See comments in descend_one_existing_level function
385  node.reset(node[key]);
386  }
387  return node;
388 }
389 
390 // internal helper functions
391 namespace {
410 void fill_list_of_labels_per_key_in_yaml_tree(const YAML::Node &root_node,
411  std::vector<KeyLabels> &list,
412  KeyLabels &new_list_entry) {
413  // Here sub_node is an iterator value, i.e. a key/value pair of nodes,
414  // not a single YAML node (that's how YAML library works)
415  for (const auto &sub_node : root_node) {
416  new_list_entry.push_back(sub_node.first.as<std::string>());
417  if (sub_node.second.IsMap())
418  fill_list_of_labels_per_key_in_yaml_tree(sub_node.second, list,
419  new_list_entry);
420  else
421  list.push_back(new_list_entry);
422  new_list_entry.pop_back();
423  }
424 }
425 
439 auto get_list_of_labels_per_key_in_yaml_tree(const YAML::Node &root_node) {
440  std::vector<KeyLabels> list{};
441  KeyLabels aux{};
442  fill_list_of_labels_per_key_in_yaml_tree(root_node, list, aux);
443  return list;
444 }
445 
451 template <typename T>
452 struct IsStdMap {
458  static constexpr bool value = false;
459 };
460 
468 template <typename MapKey, typename MapValue>
469 struct IsStdMap<std::map<MapKey, MapValue>> {
474  static constexpr bool value = true;
475 };
476 
484  std::vector<KeyLabels> labels_of_keys_taken_as_map{};
485  for (const auto &keys_variant : smash::InputKeys::list) {
486  std::visit(
487  [&labels_of_keys_taken_as_map](auto &&var) {
488  /*
489  * The following if checks if the SMASH input key has a map as value
490  * and it deserves some explanation about the type extraction:
491  *
492  * - arg -> object of type: std::cref(const Key<T>)
493  * - arg.get() -> object of type: const Key<T>&
494  * - decltype(arg.get()) -> type: const Key<T>&
495  * - std::decay_t<decltype(arg.get())>::type -> type: Key<T>
496  * - std::decay_t<decltype(arg.get())>::type::value -> type: T
497  */
498  if constexpr (IsStdMap<typename std::decay_t<
499  decltype(var.get())>::type>::value)
500  labels_of_keys_taken_as_map.push_back(var.get().labels());
501  },
502  keys_variant);
503  }
504  return labels_of_keys_taken_as_map;
505 }
506 
520  std::vector<KeyLabels> &list_of_input_key_labels) {
521  const std::vector<KeyLabels> labels_of_keys_taken_as_map =
523  for (const auto &labels : labels_of_keys_taken_as_map) {
524  std::for_each(list_of_input_key_labels.begin(),
525  list_of_input_key_labels.end(),
526  [&labels](KeyLabels &labels_of_input_key) {
527  if (std::equal(labels.begin(), labels.end(),
528  labels_of_input_key.begin(),
529  labels_of_input_key.begin() + labels.size()))
530  labels_of_input_key = labels;
531  });
532  }
533  // The identical keys in list are now next to each other and we do
534  // not need/want to sort the list before calling std::unique.
535  list_of_input_key_labels.erase(std::unique(list_of_input_key_labels.begin(),
536  list_of_input_key_labels.end()),
537  list_of_input_key_labels.end());
538 }
539 
556  auto key_ref_var_it = std::find_if(
558  [&labels](auto key) {
559  return std::visit(
560  [&labels](auto &&arg) { return arg.get().has_same_labels(labels); },
561  key);
562  });
563  if (key_ref_var_it == smash::InputKeys::list.end()) {
564  logg[LConfiguration].error("Key ", smash::quote(smash::join(labels, ": ")),
565  " is not a valid SMASH input key.");
567  }
568 
569  smash::InputKeys::key_references_variant found_variant = *key_ref_var_it;
570  const auto key_labels =
571  std::visit([](auto &&var) { return static_cast<std::string>(var.get()); },
572  found_variant);
573 
574  if (std::visit([](auto &&var) { return !var.get().is_allowed(); },
575  found_variant)) {
576  const auto v_removal = std::visit(
577  [](auto &&var) { return var.get().removed_in(); }, found_variant);
578  logg[LConfiguration].error("Key ", key_labels,
579  " has been removed in version ", v_removal,
580  " and it is not valid anymore.");
582  }
583  if (std::visit([](auto &&var) { return var.get().is_deprecated(); },
584  found_variant)) {
585  const auto v_deprecation = std::visit(
586  [](auto &&var) { return var.get().deprecated_in(); }, found_variant);
587  logg[LConfiguration].warn(
588  "Key ", key_labels, " has been deprecated in version ", v_deprecation);
590  } else {
591  logg[LConfiguration].debug("Key ", key_labels, " is valid!");
593  }
594 }
595 
608  Configuration::Is new_value) {
609  switch (result_so_far) {
611  break;
613  if (new_value != Configuration::Is::Valid) {
614  result_so_far = new_value;
615  }
616  break;
618  result_so_far = new_value;
619  break;
620  }
621 }
622 
623 } // namespace
624 
625 Configuration::Is Configuration::validate(bool full_validation) const {
628  Is validation_result{Is::Valid};
629  for (const auto &key_labels : list) {
630  Is key_state = validate_key(key_labels);
631  if (full_validation) {
632  accumulate_validation(validation_result, key_state);
633  } else {
634  if (key_state != Is::Valid)
635  return key_state;
636  }
637  }
638  return validation_result;
639 }
640 
641 } // namespace smash
Proxy object to be used when taking or reading keys in the configuration.
Interface to the SMASH configuration files.
Is
Return type of Configuration::validate which conveys more information that simply a two-state boolean...
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.
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.
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.
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.
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.
std::array< einhard::Logger<>, std::tuple_size< LogArea::AreaTuple >::value > logg
An array that stores all pre-configured Logger objects.
Definition: logging.cc:40
auto collect_input_keys_taken_as_maps()
Extract from the InputKeys database the labels of keys that have a std::map as type.
void adjust_list_of_labels_dealing_with_keys_taken_as_maps(std::vector< KeyLabels > &list_of_input_key_labels)
Remove last labels of keys that are taken as maps in SMASH and remove duplicates from the resulting l...
std::string join_quoted(std::vector< std::string_view > keys)
Build a string with a list of keys as specified in the code.
void fill_list_of_labels_per_key_in_yaml_tree(const YAML::Node &root_node, std::vector< KeyLabels > &list, KeyLabels &new_list_entry)
Implementation of the algorithm to translate a YAML tree into lists of labels, each identifying a key...
YAML::Node operator|=(YAML::Node a, const YAML::Node &b)
Merge two YAML::Nodes.
void accumulate_validation(Configuration::Is &result_so_far, Configuration::Is new_value)
Utility function to accumulate validation results of keys.
Configuration::Is validate_key(const KeyLabels &labels)
Given some YAML labels (assumed to be in order from the top section), it is checked whether any valid...
void descend_one_existing_level(std::optional< YAML::Node > &node, std::string_view key)
Reset the passed in node to that one at the provided key, which is expected to exist in the node.
YAML::Node remove_empty_maps(YAML::Node root)
Remove all empty maps of a YAML::Node.
auto get_list_of_labels_per_key_in_yaml_tree(const YAML::Node &root_node)
Create a list of lists of key labels present in the passed YAML node considered to be the root one of...
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
UnaryFunction for_each(Container &&c, UnaryFunction &&f)
Convenience wrapper for std::for_each that operates on a complete container.
Definition: algorithms.h:96
std::string quote(const std::string &s)
Add quotes around string.
static constexpr int LConfiguration
std::string join(const std::vector< std::string > &v, const std::string &delim)
Join strings using delimiter.
bool has_crlf_line_ending(const std::string in)
Check if a line in the string ends with \r\n.
std::string read_all(std::istream &&input)
Utility function to read a complete input stream (e.g.
Thrown if the file does not exist.
Thrown for YAML parse errors.
std::variant< std::reference_wrapper< const Key< bool > >, std::reference_wrapper< const Key< int > >, std::reference_wrapper< const Key< int64_t > >, std::reference_wrapper< const Key< double > >, std::reference_wrapper< const Key< std::string > >, std::reference_wrapper< const Key< std::array< int, 3 > >>, std::reference_wrapper< const Key< std::array< double, 2 > >>, std::reference_wrapper< const Key< std::array< double, 3 > >>, std::reference_wrapper< const Key< std::pair< double, double > >>, std::reference_wrapper< const Key< std::vector< double > >>, std::reference_wrapper< const Key< std::vector< std::string > >>, std::reference_wrapper< const Key< std::set< ThermodynamicQuantity > >>, std::reference_wrapper< const Key< std::map< PdgCode, int > >>, std::reference_wrapper< const Key< std::map< std::string, std::string > >>, std::reference_wrapper< const Key< einhard::LogLevel > >, std::reference_wrapper< const Key< BoxInitialCondition > >, std::reference_wrapper< const Key< CalculationFrame > >, std::reference_wrapper< const Key< CollisionCriterion > >, std::reference_wrapper< const Key< DensityType > >, std::reference_wrapper< const Key< DerivativesMode > >, std::reference_wrapper< const Key< ExpansionMode > >, std::reference_wrapper< const Key< FermiMotion > >, std::reference_wrapper< const Key< FieldDerivativesMode > >, std::reference_wrapper< const Key< FluidizableProcessesBitSet > >, std::reference_wrapper< const Key< FluidizationType > >, std::reference_wrapper< const Key< MultiParticleReactionsBitSet > >, std::reference_wrapper< const Key< NNbarTreatment > >, std::reference_wrapper< const Key< OutputOnlyFinal > >, std::reference_wrapper< const Key< PdgCode > >, std::reference_wrapper< const Key< PseudoResonance > >, std::reference_wrapper< const Key< ReactionsBitSet > >, std::reference_wrapper< const Key< RestFrameDensityDerivativesMode > >, std::reference_wrapper< const Key< Sampling > >, std::reference_wrapper< const Key< SmearingMode > >, std::reference_wrapper< const Key< SphereInitialCondition > >, std::reference_wrapper< const Key< ThermalizationAlgorithm > >, std::reference_wrapper< const Key< TimeStepMode > >, std::reference_wrapper< const Key< TotalCrossSectionStrategy > >> key_references_variant
Alias for the type to be used in the list of keys.
Definition: input_keys.h:5708
static const std::vector< key_references_variant > list
List of references to all existing SMASH keys.
Definition: input_keys.h:5711
A utility type to be specialized to check if a type is a std::map .